index
int64
0
1,000k
blob_id
stringlengths
40
40
code
stringlengths
7
10.4M
21,600
fc47bdae3415709a1b07c36872bcfae8613bde05
import t c = """Burning 'em, if you ain't quick and nimble I go crazy when I hear a cymbal""" k = "ICE" r = t.repeating_key_xor(c, k) print r assert r == "0b3637272a2b2e63622c2e69692a23693a2a3c6324202d623d63343c2a26226324272765272a282b2f20430a652e2c652a3124333a653e2b2027630c692b20283165286326302e27282f"
21,601
27b143a5f3e17820dd648b7d91c12a447f12898c
cards = input().split() number_of_decks = int(input()) middle_lenght = len(cards) // 2 for i in range(number_of_decks): res = [] for index in range(middle_lenght): first_card = cards[index] current_index_second_deck = index + middle_lenght second_card = cards[current_index_second_deck] res.append(first_card) res.append(second_card) cards = res print(cards) # index_one = 0 # index_two = len(string_list) // 2 # # # for deck in range(0,number_of_decks): # for half_one in range(0, (len(string_list) // 2)): # for half_two in range((len(string_list) // 2), len(string_list)+1): # print(string_list[half_one], string_list[half_two], end="") # index_one += 1
21,602
db9cd7f2fd9ce61f33feaddd2e87a3a9653884ee
# setter class Employee: def __init__(self, fname, lname): self.fname = fname self.lname = lname #self.email = f"{fname} {lname} @test.com" def explain(self): return f"This employee is {self.fname} {self.lname}" @property def email(self): if self.fname == None or self.lname == None: return "Email not set, Please use setter to set" return f"{self.fname} {self.lname} @test.com" @email.setter def email(self, str): names = str.split("@")[0] self.fname = names.split(".")[0] self.lname = names.split(".")[1] @email.deleter def email(self): self.fname = None self.lname = None emp1 = Employee("Lovekesh", "Manhas") emp2 = Employee("Arun", "Kumar") print(emp1.explain()) print(emp1.email) emp1.fname = "Love" print(emp1.email) emp1.email = "testf.testl@test.com" print(emp1.fname) print(emp1.lname) print(emp1.email) del emp1.email print(emp1.email)
21,603
f67e1416c4d7dd95b0e05ecc06384acd5a9b7779
#Point 實體物件的設計 : 平面座標上的點 #第一段操作 """ class Point: def __init__(self,x,y): self.x=x self.y=y #建立第一個實體物件 p1=Point(3,4) #建立實體物件 print(p1.x,p1.y) #使用實體物件 #建立第二個實體物件 p2=Point(5,6) print(p2.x,p2.y) """ #FullName 實體物件的設計 : 分開紀錄 姓,名 資料的全名 #第二段操作 class FullName: def __init__(self, first, last): self.first=first self.last=last name1=FullName('c.c','Chan') print(name1.first, name1.last) name2=FullName('T.Y','Lin') print(name2.first, name2.last)
21,604
0e34b76ede1a6820eb371078c212ad5ab172236f
""" NOTE: for reference only. """ import random import turtle def create_turtle(color, size, x, y, pensize, hide): race_turtle = turtle.Turtle() if hide: race_turtle.hideturtle() race_turtle.color(color) race_turtle.shape('turtle') race_turtle.shapesize(size) race_turtle.pensize(pensize) race_turtle.penup() race_turtle.goto(x, y) return race_turtle def draw_line(color, x1, y1, x2, y2): line_turtle = create_turtle(color, 1, x1, y1, 30, True) line_turtle.pendown() line_turtle.goto(x2, y2) def show_turtle_win(race_turtle): race_turtle.shapesize(5) race_turtle.circle(5) # get window size screen_y_height = turtle.window_height()//2 screen_x_width = turtle.window_width()//2 # draw finish line finish_line_x = screen_x_width-100 draw_line('red', finish_line_x, screen_y_height - 30, finish_line_x, -screen_y_height + 30) # turtles colors = ['grey', 'yellow', 'green', 'blue', 'purple', 'orange', 'red', 'gold', 'black'] race_turtles = [] turtle_x = -screen_x_width + 30 turtle_y = screen_y_height - 60 space = (screen_y_height - 60) * 2 // (len(colors) - 1) for color in colors: race_turtle = create_turtle(color, 3, turtle_x, turtle_y, 2, False) race_turtles.append(race_turtle) turtle_y -= space # race dice = [1, 2, 3, 4, 5, 6, 7, 8] is_race_finished = False while not is_race_finished: for race_turtle in race_turtles: if race_turtle.xcor() >= finish_line_x: show_turtle_win(race_turtle) is_race_finished = True break else: race_turtle.forward(random.choice(dice) * 5) turtle.done()
21,605
83e99b9f535bc5a2c35035f11e4bacc39a4de90e
from django.contrib.auth.models import User from adventure.models import Player, Room Room.objects.all().delete() room_dict = { "r0_0" : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=0, y_coord=0), "r0_1" : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=1, y_coord=0), "r0_2" : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=2, y_coord=0), "r0_3" : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=3, y_coord=0), "r0_4" : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=4, y_coord=0), "r0_5" : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=5, y_coord=0), "r0_6" : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=6, y_coord=0), "r0_7" : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=7, y_coord=0), "r0_8" : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=8, y_coord=0), "r0_9" : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=9, y_coord=0), "r0_10" : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=10, y_coord=0), "r0_11" : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=11, y_coord=0), "r0_12" : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=12, y_coord=0), "r0_13" : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=13, y_coord=0), "r0_14" : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=14, y_coord=0), "r1_0" : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=0, y_coord=1), "r1_1" : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=1, y_coord=1), "r1_2" : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=2, y_coord=1), 'r1_3' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=3, y_coord=1), 'r1_4' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=4, y_coord=1), 'r1_5' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=5, y_coord=1), 'r1_6' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=6, y_coord=1), 'r1_7' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=7, y_coord=1), 'r1_8' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=8, y_coord=1), 'r1_9' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=9, y_coord=1), 'r1_10' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=10, y_coord=1), 'r1_11' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=11, y_coord=1), 'r1_12' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=12, y_coord=1), 'r1_13' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=13, y_coord=1), 'r1_14' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=14, y_coord=1), 'r2_0' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=0, y_coord=2), 'r2_1' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=1, y_coord=2), 'r2_2' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=2, y_coord=2), 'r2_3' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=3, y_coord=2), 'r2_4' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=4, y_coord=2), 'r2_5' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=5, y_coord=2), 'r2_6' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=6, y_coord=2), 'r2_7' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=7, y_coord=2), 'r2_8' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=8, y_coord=2), 'r2_9' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=9, y_coord=2), 'r2_10' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=10, y_coord=2), 'r2_11' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=11, y_coord=2), 'r2_12' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=12, y_coord=2), 'r2_13' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=13, y_coord=2), 'r2_14' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=14, y_coord=2), 'r3_0' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=0, y_coord=3), 'r3_1' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=1, y_coord=3), 'r3_2' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=2, y_coord=3), 'r3_3' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=3, y_coord=3), 'r3_4' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=4, y_coord=3), 'r3_5' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=5, y_coord=3), 'r3_6' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=6, y_coord=3), 'r3_7' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=7, y_coord=3), 'r3_8' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=8, y_coord=3), 'r3_9' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=9, y_coord=3), 'r3_10' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=10, y_coord=3), 'r3_11' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=11, y_coord=3), 'r3_12' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=12, y_coord=3), 'r3_13' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=13, y_coord=3), 'r3_14' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=14, y_coord=3), 'r4_0' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=0, y_coord=4), 'r4_1' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=1, y_coord=4), 'r4_2' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=2, y_coord=4), 'r4_3' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=3, y_coord=4), 'r4_4' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=4, y_coord=4), 'r4_5' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=5, y_coord=4), 'r4_6' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=6, y_coord=4), 'r4_7' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=7, y_coord=4), 'r4_8' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=8, y_coord=4), 'r4_9' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=9, y_coord=4), 'r4_10' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=10, y_coord=4), 'r4_11' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=11, y_coord=4), 'r4_12' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=12, y_coord=4), 'r4_13' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=13, y_coord=4), 'r4_14' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=14, y_coord=4), 'r5_0' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=0, y_coord=5), 'r5_1' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=1, y_coord=5), 'r5_2' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=2, y_coord=5), 'r5_3' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=3, y_coord=5), 'r5_4' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=4, y_coord=5), 'r5_5' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=5, y_coord=5), 'r5_6' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=6, y_coord=5), 'r5_7' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=7, y_coord=5), 'r5_8' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=8, y_coord=5), 'r5_9' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=9, y_coord=5), 'r5_10' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=10, y_coord=5), 'r5_11' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=11, y_coord=5), 'r5_12' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=12, y_coord=5), 'r5_13' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=13, y_coord=5), 'r5_14' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=14, y_coord=5), 'r6_0' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=0, y_coord=6), 'r6_1' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=1, y_coord=6), 'r6_2' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=2, y_coord=6), 'r6_3' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=3, y_coord=6), 'r6_4' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=4, y_coord=6), 'r6_5' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=5, y_coord=6), 'r6_6' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=6, y_coord=6), 'r6_7' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=7, y_coord=6), 'r6_8' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=8, y_coord=6), 'r6_9' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=9, y_coord=6), 'r6_10' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=10, y_coord=6), 'r6_11' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=11, y_coord=6), 'r6_12' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=12, y_coord=6), 'r6_13' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=13, y_coord=6), 'r6_14' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=14, y_coord=6), 'r7_0' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=0, y_coord=7), 'r7_1' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=1, y_coord=7), 'r7_2' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=2, y_coord=7), 'r7_3' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=3, y_coord=7), 'r7_4' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=4, y_coord=7), 'r7_5' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=5, y_coord=7), 'r7_6' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=6, y_coord=7), 'r7_7' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=7, y_coord=7), 'r7_8' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=8, y_coord=7), 'r7_9' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=9, y_coord=7), 'r7_10' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=10, y_coord=7), 'r7_11' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=11, y_coord=7), 'r7_12' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=12, y_coord=7), 'r7_13' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=13, y_coord=7), 'r7_14' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=14, y_coord=7), 'r8_0' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=0, y_coord=8), 'r8_1' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=1, y_coord=8), 'r8_2' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=2, y_coord=8), 'r8_3' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=3, y_coord=8), 'r8_4' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=4, y_coord=8), 'r8_5' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=5, y_coord=8), 'r8_6' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=6, y_coord=8), 'r8_7' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=7, y_coord=8), 'r8_8' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=8, y_coord=8), 'r8_9' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=9, y_coord=8), 'r8_10' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=10, y_coord=8), 'r8_11' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=11, y_coord=8), 'r8_12' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=12, y_coord=8), 'r8_13' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=13, y_coord=8), 'r8_14' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=14, y_coord=8), 'r9_0' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=0, y_coord=9), 'r9_1' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=1, y_coord=9), 'r9_2' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=2, y_coord=9), 'r9_3' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=3, y_coord=9), 'r9_4' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=4, y_coord=9), 'r9_5' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=5, y_coord=9), 'r9_6' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=6, y_coord=9), 'r9_7' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=7, y_coord=9), 'r9_8' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=8, y_coord=9), 'r9_9' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=9, y_coord=9), 'r9_10' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=10, y_coord=9), 'r9_11' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=11, y_coord=9), 'r9_12' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=12, y_coord=9), 'r9_13' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=13, y_coord=9), 'r9_14' : Room(title='grass_tile', description='grass_tile', tile='grass1', x_coord=14, y_coord=9) } """ for room in room_dict: if room.xcoord > 0 and room.xcoord < 9 and room.ycoord > 0 and room.ycoor < 9: print('ohhhyea') """ for room in room_dict.values(): room.save() def room_linker(room_dict, x_max, y_max): for room in room_dict.values(): if room.x_coord > 0 and room.x_coord < x_max and room.y_coord > 0 and room.y_coord < y_max: north = 'r'+str(room.y_coord+1)+'_'+str(room.x_coord) room.connectRooms(room_dict[north], "n") south = 'r'+str(room.y_coord-1)+'_'+str(room.x_coord) room.connectRooms(room_dict[south], "s") east = 'r'+str(room.y_coord)+'_'+str(room.x_coord+1) room.connectRooms(room_dict[east], "e") west = 'r'+str(room.y_coord)+'_'+str(room.x_coord-1) room.connectRooms(room_dict[west], "w") elif room.x_coord == 0 and room.y_coord > 0 and room.y_coord < y_max: north = 'r'+str(room.y_coord+1)+'_'+str(room.x_coord) room.connectRooms(room_dict[north], "n") south = 'r'+str(room.y_coord-1)+'_'+str(room.x_coord) room.connectRooms(room_dict[south], "s") east = 'r'+str(room.y_coord)+'_'+str(room.x_coord+1) room.connectRooms(room_dict[east], "e") #west = 'r'+str(room.y_coord)+'_'+str(room.x_coord-1) #room.connectRooms(room_dict[west], "w") elif room.x_coord == x_max and room.y_coord > 0 and room.y_coord < y_max: north = 'r'+str(room.y_coord+1)+'_'+str(room.x_coord) room.connectRooms(room_dict[north], "n") south = 'r'+str(room.y_coord-1)+'_'+str(room.x_coord) room.connectRooms(room_dict[south], "s") #east = 'r'+str(room.y_coord)+'_'+str(room.x_coord+1) #room.connectRooms(room_dict[east], "e") west = 'r'+str(room.y_coord)+'_'+str(room.x_coord-1) room.connectRooms(room_dict[west], "w") elif room.y_coord == 0 and room.x_coord > 0 and room.x_coord < x_max: north = 'r'+str(room.y_coord+1)+'_'+str(room.x_coord) room.connectRooms(room_dict[north], "n") #south = 'r'+str(room.y_coord-1)+'_'+str(room.x_coord) #room.connectRooms(room_dict[south], "s") east = 'r'+str(room.y_coord)+'_'+str(room.x_coord+1) room.connectRooms(room_dict[east], "e") west = 'r'+str(room.y_coord)+'_'+str(room.x_coord-1) room.connectRooms(room_dict[west], "w") elif room.y_coord == y_max and room.x_coord > 0 and room.x_coord < x_max: #north = 'r'+str(room.y_coord+1)+'_'+str(room.x_coord) #room.connectRooms(room_dict[north], "n") south = 'r'+str(room.y_coord-1)+'_'+str(room.x_coord) room.connectRooms(room_dict[south], "s") east = 'r'+str(room.y_coord)+'_'+str(room.x_coord+1) room.connectRooms(room_dict[east], "e") west = 'r'+str(room.y_coord)+'_'+str(room.x_coord-1) room.connectRooms(room_dict[west], "w") elif room.x_coord == 0 and room.y_coord == 0: north = 'r'+str(room.y_coord+1)+'_'+str(room.x_coord) room.connectRooms(room_dict[north], "n") #south = 'r'+str(room.y_coord-1)+'_'+str(room.x_coord) #room.connectRooms(None, "s") east = 'r'+str(room.y_coord)+'_'+str(room.x_coord+1) room.connectRooms(room_dict[east], "e") #west = 'r'+str(room.y_coord)+'_'+str(room.x_coord-1) #room.connectRooms(None, "w") elif room.x_coord == 0 and room.y_coord == y_max: #north = 'r'+str(room.y_coord+1)+'_'+str(room.x_coord) #room.connectRooms(room_dict[north], "n") south = 'r'+str(room.y_coord-1)+'_'+str(room.x_coord) room.connectRooms(room_dict[south], "s") east = 'r'+str(room.y_coord)+'_'+str(room.x_coord+1) room.connectRooms(room_dict[east], "e") #west = 'r'+str(room.y_coord)+'_'+str(room.x_coord-1) #room.connectRooms(room_dict[west], "w") elif room.x_coord == x_max and room.y_coord == 0: north = 'r'+str(room.y_coord+1)+'_'+str(room.x_coord) room.connectRooms(room_dict[north], "n") #south = 'r'+str(room.y_coord-1)+'_'+str(room.x_coord) #room.connectRooms(room_dict[south], "s") #east = 'r'+str(room.y_coord)+'_'+str(room.x_coord+1) #room.connectRooms(room_dict[east], "e") west = 'r'+str(room.y_coord)+'_'+str(room.x_coord-1) room.connectRooms(room_dict[west], "w") elif room.x_coord == x_max and room.y_coord == y_max: #north = 'r'+str(room.y_coord+1)+'_'+str(room.x_coord) #room.connectRooms(None, "n") south = 'r'+str(room.y_coord-1)+'_'+str(room.x_coord) room.connectRooms(room_dict[south], "s") #east = 'r'+str(room.y_coord)+'_'+str(room.x_coord+1) #room.connectRooms(None, "e") west = 'r'+str(room.y_coord)+'_'+str(room.x_coord-1) room.connectRooms(room_dict[west], "w") room_linker(room_dict, 14, 9)
21,606
e72b1e00f8b56ee1c1cc2936ce3ea0dde69aeb83
import pandas as pd import numpy as np import datetime from src import utils def create_daily_hours(start_date, end_date): """ This function create then time range with a step of an hour between start_date and end_date. Returns a list of datetime object """ assert type(start_date) == str assert type(end_date) == str start_date = start_date + " 00:00:00" end_date = end_date + " 23:00:00" start_date = datetime.datetime.strptime(start_date, "%Y-%m-%d %H:%M:%S") end_date = datetime.datetime.strptime(end_date, "%Y-%m-%d %H:%M:%S") dates = [] for date in utils.daterange(start_date, end_date): dates.append(date) return dates def create_new_train(dates, roads_id): dates_length = len(dates) roads_length = len(roads_id) dates = [str(date) for date in dates] dates = list(np.repeat(dates, roads_length)) roads_id = roads_id * dates_length assert len(dates) == len(roads_id) data_output = pd.DataFrame({"datetime": dates, "segment_id": roads_id}) return data_output def create_target(data, new_data): assert set(["Occurrence Local Date Time", "road_segment_id"]).issubset(data.columns) assert set(["datetime", "segment_id"]).issubset(new_data.columns) new_data["target"] = [0] * new_data.shape[0] # new_data["target_label"] = ["No inicident"] * new_data.shape[0] data_datetime = [ str(date - datetime.timedelta(minutes=date.minute)) for date in pd.to_datetime(data["Occurrence Local Date Time"]) ] new_data["datetime_segment"] = [ (x, y) for x, y in zip(new_data["datetime"], new_data["segment_id"]) ] data_datetime_segment = [ (x, y) for x, y in zip(data_datetime, data["road_segment_id"]) ] new_data["target"][new_data["datetime_segment"].isin(data_datetime_segment)] = 1 new_data.drop("datetime_segment", axis=1, inplace=True) return new_data def create_coord(data, new_data, coherent_id): assert set(["road_segment_id", "longitude", "latitude"]).issubset(data.columns) assert set(["datetime"]).issubset(new_data.columns) latitudes = [ data.loc[data["road_segment_id"] == road_id]["latitude"].unique()[0] for road_id in coherent_id ] longitudes = [ data.loc[data["road_segment_id"] == road_id]["longitude"].unique()[0] for road_id in coherent_id ] new_data["latitude"] = latitudes * len(new_data["datetime"].unique()) new_data["longitude"] = longitudes * len(new_data["datetime"].unique()) return new_data def le_matrix(self, data): data_categorical = data.drop(aliases.not_to_encoded, axis=1) data_categorical = utils.MultiColumnLabelEncoder().fit_transform(data_categorical) data = pd.concat( [data_categorical, data.filter(aliases.not_to_encoded, axis=1)], axis=1 ) return data
21,607
7599b0b348bd2bc133971562591debbcddb3b2cd
from .region_loss import *
21,608
bdbd10312390cef9bba4cf346ac7bb999617dcad
#!/usr/bin/env python # encoding: utf-8 # from bottle import route, run, request, redirect import bottle bottle.debug(True) import cgi import os import datetime import logging import urllib from xml.dom import minidom from scormcloud import DebugService from scormcloud import UploadService from scormcloud import CourseService from scormcloud import RegistrationService from scormcloud import ReportingService from scormcloud import WidgetSettings appId = "" # e.g."3ABCDJHRT" secretKey = "" # e.g."aBCDEF7o8AOF7qsP0649KfLyXOlfgyxyyt7ecd2U" serviceUrl = "http://cloud.scorm.com/EngineWebServices/" sampleBaseUri = "http://localhost:8080" @route('/') @route('/sample') def Sample(): html = """ <h1>SCORM Cloud Sample - Python</h1> <p>This sample is intended as an example for how to use the different SCORM Cloud web services available for use.</p> <h3><a href="/sample/courselist">Course List</a></h3> """ dsvc = DebugService(appId,secretKey,serviceUrl) if dsvc.CloudPing(): html += "<p style='color:green'>CloudPing call was successful.</p>" else: html += "<p style='color:red'>CloudPing call was not successful.</p>" if dsvc.CloudAuthPing(): html += "<p style='color:green'>CloudAuthPing call was successful.</p>" else: html += "<p style='color:red'>CloudAuthPing call was not successful.</p>" return html @route('/sample/courselist') def CourseList(): html = """ <style>td {padding:3px 10px 3px 0;} </style> <h1>Course List</h1> """ upsvc = UploadService(appId,secretKey,serviceUrl) importurl = sampleBaseUri + "/sample/importcourse" cloudUploadLink = upsvc.GetUploadUrl(importurl) html += "<h3>Import a new course</h3>" html += '<form action="' + cloudUploadLink + '" method="post" enctype="multipart/form-data">' html += """<h4>Select Your Zip Package</h4> <input type="file" name="filedata" size="40" /> <input type="submit" value="Import This Course"/> </form> """ csvc = CourseService(appId,secretKey,serviceUrl) courses = csvc.GetCourseList() coursecount = courses is not None and len(courses) or 0 html += "<p>Your SCORM Cloud realm contains " + str(coursecount) + " courses associated with your appId.</p>" rsvc = RegistrationService(appId,secretKey,serviceUrl) regs = rsvc.GetRegistrationList() allcourses = [] if coursecount > 0: html += """<table> <tr><td>Title</td><td>Registrations</td><td></td><td></td></tr> """ def regFilter(x): return x.courseId == courseData.courseId for courseData in courses: courseRegs = filter(regFilter,regs) html += "<tr><td>" + courseData.title + "</td>" html += '<td><a href="/sample/course/regs/' + courseData.courseId + '">' + str(len(courseRegs)) + '</a></td>' html += '<td><a href="/sample/course/properties/' + courseData.courseId + '">Properties Editor</a></td>' html += '<td><a href="/sample/course/preview/' + courseData.courseId + '?redirecturl=' + sampleBaseUri + '/sample/courselist">Preview</a></td>' html += '<td><a href="/sample/course/delete/' + courseData.courseId + '">Delete</a></td></tr>' html += "</table>" repsvc = ReportingService(appId,secretKey,serviceUrl) repAuth = repsvc.GetReportageAuth("freenav",True) reportageUrl = repsvc.GetReportageServiceUrl() + "Reportage/reportage.php?appId=" + appId repUrl = repsvc.GetReportUrl(repAuth,reportageUrl) html += "<h3><a href='" + repUrl + "'>Go to reportage for your App Id.</a></h3>" return html @route('/sample/course/properties/:courseid') def Properties(courseid): csvc = CourseService(appId,secretKey,serviceUrl) propsUrl = csvc.GetPropertyEditorUrl(courseid) html = """ <h1>Properties Editor</h1> <p><a href="/sample/courselist">Return to Course List</a></p> """ html += "<iframe width='800px' height='500px' src='" + propsUrl + "'></iframe>" html += "<h2>Edit course attributes directly:</h2>" html += "<form action='/sample/course/attributes/update/" + courseid + "' method='Get'>" html += "Attribute:<select name='att''>" attributes = csvc.GetAttributes(courseid) for (key, value) in attributes.iteritems(): if value == 'true' or value == 'false': html += "<option value='" + key + "'>" + key + "</option>" html += """ </select> <select name="attval"> <option value=""></option> <option value="true">true</option> <option value="false">false</option> </select> <input type="hidden" name="courseid" value="<?php echo $courseId; ?>"/> <input type="submit" value="submit"/> </form> """ return html @route('/sample/course/attributes/update/:courseid') def UpdateAttribute(courseid): csvc = CourseService(appId,secretKey,serviceUrl) atts = {} atts[request.GET.get('att')] = request.GET.get('attval') data = csvc.UpdateAttributes(courseid,None,atts) propsUrl = "/sample/course/properties/" + courseid redirect(propsUrl) @route('/sample/course/preview/:courseid') def Preview(courseid): redirectUrl = request.GET.get('redirecturl') csvc = CourseService(appId,secretKey,serviceUrl) previewUrl = csvc.GetPreviewUrl(courseid,redirectUrl) redirect(previewUrl) @route('/sample/course/delete/:courseid') def Delete(courseid): csvc = CourseService(appId,secretKey,serviceUrl) response = csvc.DeleteCourse(courseid) redirectUrl = 'sample/courselist' redirect(redirectUrl) @route('/sample/importcourse') def ImportCourse(): location = request.GET.get('location') csvc = CourseService(appId,secretKey,serviceUrl) importResult = csvc.ImportUploadedCourse(None,location) upsvc = UploadService(appId,secretKey,serviceUrl) resp = upsvc.DeleteFile(location) redirectUrl = 'sample/courselist' redirect(redirectUrl) #return resp @route('/sample/course/regs/:courseid') def CourseRegs(courseid): html = """ <style>td {padding:3px 10px 3px 0;} </style> <h1>Registrations</h1> <p><a href="/sample/courselist">Return to Course List</a></p> """ html += """<table> <tr><td>RegId</td><td>Completion</td><td>Success</td><td>Time(s)</td><td>Score</td><td></td><td></td></tr> """ rsvc = RegistrationService(appId,secretKey,serviceUrl) regs = rsvc.GetRegistrationList(None,courseid) for reg in regs: data = rsvc.GetRegistrationResult(reg.registrationId, "course") xmldoc = minidom.parseString(data) regReport = xmldoc.getElementsByTagName("registrationreport")[0] regid = regReport.attributes['regid'].value launchUrl = rsvc.GetLaunchUrl(regid, sampleBaseUri + "/sample/course/regs/" + courseid) html += "<tr><td>" + regid + "</td>" html += '<td>' + regReport.getElementsByTagName("complete")[0].childNodes[0].nodeValue + '</td>' html += '<td>' + regReport.getElementsByTagName("success")[0].childNodes[0].nodeValue + '</td>' html += '<td>' + regReport.getElementsByTagName("totaltime")[0].childNodes[0].nodeValue + '</td>' html += '<td>' + regReport.getElementsByTagName("score")[0].childNodes[0].nodeValue + '</td>' html += '<td><a href="' + launchUrl + '">Launch</a></td>' html += '<td><a href="/sample/reg/reset/' + regid + '?courseid=' + courseid + '">reset</a></td>' html += '<td><a href="/sample/reg/resetglobals/' + regid + '?courseid=' + courseid + '">reset globals</a></td>' html += '<td><a href="/sample/reg/delete/' + regid + '?courseid=' + courseid + '">Delete</a></td></tr>' html += "</table>" repsvc = ReportingService(appId,secretKey,serviceUrl) repAuth = repsvc.GetReportageAuth("freenav",True) reportageUrl = repsvc.GetReportageServiceUrl() + "Reportage/reportage.php?appId=" + appId + "&courseId=" + courseid repUrl = repsvc.GetReportUrl(repAuth,reportageUrl) html += "<h3><a href='" + repUrl + "'>Go to reportage for your course.</a></h3>" return html @route('/sample/reg/delete/:regid') def DeleteReg(regid): rsvc = RegistrationService(appId,secretKey,serviceUrl) response = rsvc.DeleteRegistration(regid) redirectUrl = '/sample/course/regs/' + request.GET.get('courseid') redirect(redirectUrl) @route('/sample/reg/reset/:regid') def ResetReg(regid): rsvc = RegistrationService(appId,secretKey,serviceUrl) response = rsvc.ResetRegistration(regid) redirectUrl = '/sample/course/regs/' + request.GET.get('courseid') redirect(redirectUrl) @route('/sample/reg/resetglobals/:regid') def ResetGlobals(regid): rsvc = RegistrationService(appId,secretKey,serviceUrl) response = rsvc.ResetGlobalObjectives(regid) redirectUrl = '/sample/course/regs/' + request.GET.get('courseid') redirect(redirectUrl) run(host='localhost',port=8080,reloader=True)
21,609
59fafa5d8256690af29b68f861ec42909008fd03
from .. import db class Participant(db.Model): id = db.Column(db.Integer, primary_key=True) # TODO: Enums for these? Also used in other models gender = db.Column(db.String) race = db.Column(db.String) age = db.Column(db.Integer) class ParticipantAtIncident(db.Model): id = db.Column(db.Integer, primary_key=True)
21,610
5822223d3344e40cdc0bb8d4c2544885ec1066ca
# -*- coding: utf-8 -*- from django.db import models class Gallery(models.Model): image_url = models.URLField(max_length=255, verbose_name='Ссылка на изображение', unique=True) class Tag(models.Model): name = models.CharField(max_length=255, unique=True) class City(models.Model): name = models.CharField(max_length=255, unique=True) class Metro(models.Model): name = models.CharField(max_length=255, unique=True) class Person(models.Model): role = models.CharField(max_length=255) name = models.CharField(max_length=255) class Meta: unique_together = ( ('name', 'role',) ) class Phone(models.Model): type = models.CharField(max_length=255) number = models.BigIntegerField() class Meta: unique_together = ( ('number', 'type') ) class WorkTime(models.Model): type = models.CharField(max_length=255) time = models.CharField(max_length=255) class Meta: unique_together = ( ('time', 'type') ) class Event(models.Model): event_id = models.IntegerField(default=0) title = models.CharField(verbose_name='Название', max_length=255) type = models.CharField(max_length=255) runtime = models.IntegerField(null=True, blank=True) age_restricted = models.IntegerField(default=0) tags = models.ManyToManyField(Tag, blank=True, related_name='events') gallery = models.ManyToManyField(Gallery, blank=True, related_name='events') persons = models.ManyToManyField(Person, blank=True, related_name='events') text = models.TextField(null=True, blank=True) description = models.TextField(null=True, blank=True) class Place(models.Model): place_id = models.IntegerField(default=0) title = models.CharField(verbose_name='Название', max_length=255) type = models.CharField(max_length=255) address = models.CharField(null=True, blank=True, max_length=255) coordinates_lt = models.FloatField(null=True, blank=True) coordinates_lg = models.FloatField(null=True, blank=True) url = models.URLField(max_length=255, null=True, blank=True) city = models.ForeignKey(City, related_name='places', null=True, blank=True) tags = models.ManyToManyField(Tag, blank=True, related_name='places') metros = models.ManyToManyField(Metro, blank=True, related_name='places') work_times = models.ManyToManyField(WorkTime, blank=True, related_name='places') gallery = models.ManyToManyField(Gallery, blank=True, related_name='places') phones = models.ManyToManyField(Phone, blank=True, related_name='places') text = models.TextField(null=True, blank=True) class Schedule(models.Model): date = models.DateField() time = models.DateTimeField() event = models.ManyToManyField(Event, blank=True) place = models.ManyToManyField(Place, blank=True) time_till = models.DateTimeField(null=True, blank=True)
21,611
64aad4d5fb37be64d3a3b1e06c7ce70995cba727
#!/usr/bin/env python2 # -*- coding: utf-8 -*- """ Created on Mon Sep 11 16:54:39 2017 @author: dglee """ import tensorflow as tf import pandas as pd import numpy as np import os import ipdb import cv2 import tensorflow.contrib.slim as slim from tensorflow.contrib import rnn from keras.preprocessing import sequence #from ops import fc class Video_Caption_Generator(): def __init__(self, dim_image, n_words, dim_hidden, dim_c3d, length_c3d, batch_size, n_lstm_step, n_video_lstm_step, n_caption_lstm_step, n_attribute_category, bias_init_vector=None): self.dim_image = dim_image self.n_words = n_words self.dim_hidden = dim_hidden self.batch_size = batch_size self.dim_c3d = dim_c3d self.length_c3d = length_c3d self.n_lstm_step = n_lstm_step self.n_video_lstm_step = n_video_lstm_step self.n_caption_lstm_step = n_caption_lstm_step self.n_attribute_category = n_attribute_category self.lstm_seq1 = tf.nn.rnn_cell.BasicLSTMCell(dim_hidden, state_is_tuple=False) self.lstm_seq2 = tf.nn.rnn_cell.BasicLSTMCell(dim_hidden, state_is_tuple=False) #LSTM for language modeling self.lstm_cap = tf.nn.rnn_cell.BasicLSTMCell(dim_hidden, state_is_tuple=False) with tf.device("/cpu:0"): self.Wemb = tf.Variable(tf.random_uniform([n_words, dim_hidden], -0.1, 0.1), name='Wemb') self.encode_image_W = tf.Variable( tf.random_uniform([dim_image, dim_hidden], -0.1, 0.1), name='encode_image_W') self.encode_image_b = tf.Variable( tf.zeros([dim_hidden]), name='encode_image_b') self.embed_word_W = tf.Variable(tf.random_uniform([dim_hidden, n_words], -0.1,0.1), name='embed_word_W') if bias_init_vector is not None: self.embed_word_b = tf.Variable(bias_init_vector.astype(np.float32), name='embed_word_b') else: self.embed_word_b = tf.Variable(tf.zeros([n_words]), name='embed_word_b') #Generate fully connected layer def fc(self, input, output_shape, activation_fn=tf.nn.relu, name="fc"): output = slim.fully_connected(input, int(output_shape), activation_fn=activation_fn) return output #build_model for training def build_model(self): video = tf.placeholder(tf.float32, [self.batch_size, self.n_lstm_step, self.dim_image]) c3d_feat = tf.placeholder(tf.float32, [self.batch_size, self.length_c3d, self.dim_c3d]) caption = tf.placeholder(tf.int32, [self.batch_size, self.n_caption_lstm_step]) caption_mask = tf.placeholder(tf.float32, [self.batch_size, self.n_caption_lstm_step]) video_flat = tf.reshape(video, [-1, self.dim_image]) image_emb = tf.nn.xw_plus_b(video_flat, self.encode_image_W, self.encode_image_b) # batch_size * n_lstm_step, dim_hidden) image_emb = tf.reshape(image_emb, [self.batch_size, self.n_lstm_step, self.dim_hidden]) state1 = tf.zeros([self.batch_size, self.lstm_seq1.state_size]) state2 = tf.zeros([self.batch_size, self.lstm_seq2.state_size]) state3 = tf.zeros([self.batch_size, self.lstm_cap.state_size]) # state_mid_cap = tf.zeros([self.batch_size, self.lstm_mid_cap.state_size]) padding = tf.zeros([self.batch_size, self.dim_hidden]) ##attribute information spatial_att = tf.placeholder(tf.float32, [self.batch_size, self.n_lstm_step, self.n_attribute_category]) temporal_att = tf.placeholder(tf.float32, [self.batch_size, self.n_lstm_step]) probs = [] loss = 0.0 reshape_input = tf.reshape(tf.concat([image_emb, spatial_att], axis=2), [self.batch_size * self.n_lstm_step, self.dim_hidden + self.n_attribute_category]) #G theta g_1 = self.fc(reshape_input, 256, name='g_1') # g_2 = self.fc(g_1, 256, name='g_2') # g_3 = self.fc(g_2, 256, name='g_3') # g_4 = self.fc(g_3, 256, name='g_4') ############################################################ #############elementwise sum is not implemented############# ############################################################ # g_out = g_1 #F_phi fc_1 = self.fc(g_1, 256, name='fc_1') fc_2 = self.fc(fc_1, 256, name='fc_2') fc_2 = slim.dropout(fc_2, keep_prob=0.5, is_training=True) fc_3 = self.fc(fc_2, self.dim_hidden, activation_fn=None, name='fc_3') f_out = tf.reshape(fc_3, [self.batch_size, self.n_lstm_step, self.dim_hidden]) ##### Encoding ##### for i in range(self.n_video_lstm_step): reuse_flag = False if i > 0: tf.get_variable_scope() reuse_flag = True with tf.variable_scope("LSTM_SEQ1",reuse=reuse_flag): output1, state1 = self.lstm_seq1(f_out[:,i,:], state1) #t_out = output1 * temporal_att[:,i] tmp_out = tf.transpose(output1, [1, 0]) t_out = tf.multiply(tmp_out,temporal_att[:,i]) t_out = tf.transpose(t_out, [1, 0]) with tf.variable_scope("LSTM_CAP",reuse=reuse_flag): output3, state3 = self.lstm_cap(tf.concat([padding, t_out], axis=1), state3) ##### Decoding ##### for i in range(self.n_caption_lstm_step): with tf.device("/cpu:0"): current_embed = tf.nn.embedding_lookup(self.Wemb, caption[:, i-1]) tf.get_variable_scope() with tf.variable_scope("LSTM_SEQ1", reuse=True): output1, state1 = self.lstm_seq1(padding, state1) with tf.variable_scope("LSTM_CAP", reuse=True): output3, state3 = self.lstm_cap(tf.concat([current_embed, output1], axis=1), state3) labels = tf.expand_dims(caption[:,i], 1) indices = tf.expand_dims(tf.range(0, self.batch_size, 1), 1) concated = tf.concat([indices, labels], axis=1) outshape = tf.stack([self.batch_size, self.n_words]) onehot_labels = tf.sparse_to_dense(concated, outshape, 1.0, 0.0) logit_words = tf.nn.xw_plus_b(output3, self.embed_word_W, self.embed_word_b) cross_entropy = tf.nn.softmax_cross_entropy_with_logits(logits = logit_words, labels = onehot_labels) cross_entropy = cross_entropy * caption_mask[:,i] probs.append(logit_words) current_loss = tf.reduce_sum(cross_entropy) / self.batch_size loss += current_loss return loss, video, c3d_feat, caption, caption_mask, spatial_att, temporal_att, probs #build_generator for test #def build_generator(self): def build_generator(self): video = tf.placeholder(tf.float32, [1, self.n_video_lstm_step, self.dim_image]) c3d_feat = tf.placeholder(tf.float32, [1, self.length_c3d, self.dim_c3d]) video_flat = tf.reshape(video, [-1, self.dim_image]) image_emb = tf.nn.xw_plus_b(video_flat, self.encode_image_W, self.encode_image_b) image_emb = tf.reshape(image_emb, [1, self.n_video_lstm_step, self.dim_hidden]) state1 = tf.zeros([1, self.lstm_seq1.state_size]) state2 = tf.zeros([1, self.lstm_seq2.state_size]) state3 = tf.zeros([1, self.lstm_cap.state_size]) padding = tf.zeros([1, self.dim_hidden]) ##attribute information spatial_att = tf.placeholder(tf.float32, [1, self.n_lstm_step, self.n_attribute_category]) temporal_att = tf.placeholder(tf.float32, [1, self.n_lstm_step]) generated_words = [] probs = [] embeds = [] reshape_input = tf.reshape(tf.concat([image_emb, spatial_att], axis=2), [self.n_lstm_step, self.dim_hidden + self.n_attribute_category]) #G theta g_1 = self.fc(reshape_input, 256, name='g_1') # g_2 = self.fc(g_1, 256, name='g_2') # g_3 = self.fc(g_2, 256, name='g_3') # g_4 = self.fc(g_3, 256, name='g_4') #F_phi fc_1 = self.fc(g_1, 256, name='fc_1') fc_2 = self.fc(fc_1, 256, name='fc_2') fc_2 = slim.dropout(fc_2, keep_prob=0.5, is_training=False) fc_3 = self.fc(fc_2, self.dim_hidden, activation_fn=None, name='fc_3') f_out = tf.reshape(fc_3, [1, self.n_lstm_step, self.dim_hidden]) for i in range(self.n_video_lstm_step): reuse_flag = False if i > 0: tf.get_variable_scope() reuse_flag = True with tf.variable_scope("LSTM_SEQ1",reuse=reuse_flag): output1, state1 = self.lstm_seq1(f_out[:,i,:], state1) #t_out = output1 * temporal_att[:,i] tmp_out = tf.transpose(output1, [1, 0]) t_out = tf.multiply(tmp_out,temporal_att[:,i]) t_out = tf.transpose(t_out, [1, 0]) with tf.variable_scope("LSTM_CAP",reuse=reuse_flag): output3, state3 = self.lstm_cap(tf.concat([padding, t_out], axis=1), state3) ##### Decoding ##### for i in range(self.n_caption_lstm_step): tf.get_variable_scope() if i == 0: with tf.device("/cpu:0"): current_embed = tf.nn.embedding_lookup(self.Wemb, tf.ones([1], dtype=tf.int64)) with tf.variable_scope("LSTM_SEQ1", reuse=True): output1, state1 = self.lstm_seq1(padding, state1) with tf.variable_scope("LSTM_CAP", reuse=True): output3, state3 = self.lstm_cap(tf.concat([current_embed, output1], axis=1), state3) logit_words = tf.nn.xw_plus_b(output3, self.embed_word_W, self.embed_word_b) max_prob_index = tf.argmax(logit_words, 1)[0] generated_words.append(max_prob_index) probs.append(logit_words) with tf.device("/cpu:0"): current_embed = tf.nn.embedding_lookup(self.Wemb, max_prob_index) current_embed = tf.expand_dims(current_embed, 0) embeds.append(current_embed) return video, c3d_feat, generated_words, spatial_att, temporal_att, probs, embeds
21,612
9843b73b604568639fc0e4523a055104b55e7541
import sqlite3 import json import pymorphy2 morph = pymorphy2.MorphAnalyzer() ibrae_conn = sqlite3.connect('data/ibrae.db') ibrae_cursor = ibrae_conn.cursor() our_conn = sqlite3.connect('data/invIndex.sqlite') our_cursor = our_conn.cursor() kw = [] for (l,) in ibrae_cursor.execute('SELECT label FROM words'): if l is not None: kw.append(json.loads(l)) words = {} for id, word in our_cursor.execute('SELECT id_word, word FROM Vocab'): words[word] = id expert_words = [] for w in kw: for (definition, lang) in w: normal = morph.parse(definition)[0].normal_form expert_words.append(normal) out = open('keywords.txt', 'w') expert_words = set(expert_words) for expert_word in expert_words: if expert_word in words: out.write('[{},"{}"]\n'.format(words[expert_word], expert_word)) out.close()
21,613
7647cba9df86fe4121d628cf8d3bb7525e2c7b7c
""" .. warning:: PasswordPolicy should not be imported directly from this module as the organisation may change in the future, please use the :mod:`mbed_cloud.foundation` module to import entities. Foundation Entity: PasswordPolicy ================================= The PasswordPolicy entity does not have any methods, all actions must be performed via the encapsulating entity. Entity Usage and Importing -------------------------- The recommended way of working with Entities is via the SDK Interface which will return an instance of an Entity which will share the same context as other Entities. There is more information in the :mod:`mbed_cloud.sdk.sdk` module. .. code-block:: python from mbed_cloud import SDK pelion_dm_sdk = SDK() password_policys = pelion_dm_sdk.foundation.password_policy() How to import PasswordPolicy directly: .. code-block:: python from mbed_cloud.foundation import PasswordPolicy ------------ """ # Python 2 compatibility from __future__ import unicode_literals from builtins import str # noqa from builtins import super from mbed_cloud.foundation.common.entity_base import Entity from mbed_cloud.foundation.common import fields from mbed_cloud.foundation import enums class PasswordPolicy(Entity): """Represents the `PasswordPolicy` entity in Pelion Device Management""" # List of fields that are serialised between the API and SDK _api_fieldnames = ["minimum_length"] # List of fields that are available for the user of the SDK _sdk_fieldnames = _api_fieldnames # Renames to be performed by the SDK when receiving data {<API Field Name>: <SDK Field Name>} _renames = {} # Renames to be performed by the SDK when sending data {<SDK Field Name>: <API Field Name>} _renames_to_api = {} def __init__(self, _client=None, minimum_length=None): """Creates a local `PasswordPolicy` instance Parameters can be supplied on creation of the instance or given by setting the properties on the instance after creation. Parameters marked as `required` must be set for one or more operations on the entity. For details on when they are required please see the documentation for the setter method. :param minimum_length: Minimum length for the password. :type minimum_length: int """ super().__init__(_client=_client) # inline imports for avoiding circular references and bulk imports # fields self._minimum_length = fields.IntegerField(value=minimum_length) @property def minimum_length(self): """Minimum length for the password. api example: '8' :rtype: int """ return self._minimum_length.value
21,614
4b296314d3747c033709170433e80cd0966e68a4
def future_value(present_value, annual_rate, periods_per_year, years): rate_per_period = annual_rate / periods_per_year periods = periods_per_year * years # Put your code here. FV = PV (1+rate)periods return (present_value * ((1+rate_per_period)**periods)) print future_value(500, .04, 10, 10) print future_value(1000, .02, 365, 3) # future_value(500, .04, 10, 10) should return 745.317442824.
21,615
b1cf1ab6b440b78309b6adaa2a0691c8f2f42827
def fibo(n): if n <= 1: return 1 return fibo(n-1)+fibo(n-2) def fibotail(n): def fibohelp(i,j,n): return fibohelp(j,i+j,n-1) if n>0 else j return fibohelp(0,1,n) def fiboloop(n): firstfibo = 1 secondfibo = 1 nextfibo = 1 for x in range(1,n-1): nextfibo = firstfibo + secondfibo firstfibo = secondfibo secondfibo = nextfibo return nextfibo for x in range(1,300): f = fibotail(x) print("fibo(%d) = %d %s" % (x,f,type(f)))
21,616
a451f01763b83247c1a972c733db127ec95d73f8
import os import signal from functools import partial from asyncio import get_event_loop, gather from concurrent.futures import ThreadPoolExecutor class ProcessHandler: def __init__(self): self.pool = ThreadPoolExecutor((os.cpu_count() or 1)) self.loop = get_event_loop() @staticmethod async def get_executor(handlers): executor = await gather(*handlers, return_exceptions=True) return executor def start(self, handlers, cleanup_callback): for sig_name in {'SIGINT', 'SIGTERM'}: self.loop.add_signal_handler( getattr(signal, sig_name), partial(self.shutdown, sig_name, cleanup_callback) ) self.loop.run_until_complete(self.get_executor(handlers)) self.loop.run_forever() self.loop.stop() def shutdown(self, sig_name, cleanup_callback): print("Got signal %s. Exiting..." % sig_name) cleanup_callback() self.loop.stop()
21,617
cced167a67e67c32da34bc6482dbebd354e6a38d
from computer_functions import get_computer_move, HEAPS list(HEAPS) num_of_players=int(input("Please enter the number of human players (1 or 2):")) ROW=("Row?") NUM=("How many?") PLAY=("it's your turn.") counter=0 emptylist=0 def bprint(HEAPS): i=0 while i+1<=len(HEAPS): print(i+1, ":") print("*" * HEAPS[i]) i+=1 return def turn(board,row,num): if num<=board[row]: board[row]=(board[row])-num return (list(board)) def finished(heaps): i=0 game=True while i!=len(heaps): if heaps[i]!=0: game=False break i+=1 return game if num_of_players==1: player1=input("Please enter your name:") bprint(list(HEAPS)) while True: print(player1,PLAY) player1r=int(input(ROW)) while True: if player1r>len(HEAPS): player1r=int(input()) elif HEAPS[player1r-1]==0: print("the row is empty.") player1r=int(input()) else: break player1n=int(input(NUM)) while True: if player1n>HEAPS[player1r-1]: player1n=int(input()) else: break newHEAPS=turn(list(HEAPS),(player1r)-1,player1n) final=finished(newHEAPS) if final==True: print("You won!") break bprint(newHEAPS) compmove=get_computer_move(newHEAPS) HEAPS=turn(newHEAPS,compmove[0],compmove[1]) final=finished(HEAPS) if final==True: print("Computer wins!") break bprint(HEAPS) elif num_of_players==2: player1=input("Name of first player:") player2=input("Name of second player:") bprint(list(HEAPS)) while True: print(player1,PLAY) player1r=int(input(ROW)) while True: if player1r>len(HEAPS): player1r=int(input()) elif HEAPS[player1r-1]==0: print("the row is empty.") player1r=int(input()) else: break player1n=int(input(NUM)) while True: if player1n>HEAPS[player1r-1]: player1n=int(input()) else: break newHEAPS=turn(list(HEAPS),(player1r)-1,player1n) final=finished(newHEAPS) if final==True: print(player1, "you won!") break else: bprint(newHEAPS) print(player2,PLAY) player2r=int(input(ROW)) while True: if player2r>len(HEAPS): player2r=int(input()) elif newHEAPS[player2r-1]==0: print("the row is empty.") player2r=int(input()) else: break player2n=int(input(NUM)) while True: if player2n>HEAPS[player2r-1]: player2n=int(input()) else: break HEAPS=turn(list(newHEAPS),(player2r)-1,player2n) final=finished(HEAPS) if final==True: print(player2, "you won!") break bprint(HEAPS)
21,618
1d1ded97e8c84ff943e6ca9f19e79a5562136ab9
import os import time import requests import subprocess from collections import defaultdict def id_to_backend(appId): return appId.replace('/', '_') def id_to_url(appId): return ".".join(reversed(appId[1:].split('/'))) def create_config(marathon_url, login, password): apps = requests.get('http://%s/v2/apps' % marathon_url, auth=(login, password)).json() apps_to_load_balance = [] for app in apps['apps']: if 'portMappings' in app['container']['docker'] and app['container']['docker']['portMappings'] != None: for portMapping in app['container']['docker']['portMappings']: if portMapping['containerPort'] == 80: apps_to_load_balance.append(app['id']) tasks = requests.get('http://%s/v2/tasks' % marathon_url, headers={'Accept': 'application/json'}, auth=(login, password)).json() urls_per_app = defaultdict(list) for task in tasks["tasks"]: if task["appId"] in apps_to_load_balance: url = "%s:%s" % (task["host"], task["ports"][0]) urls_per_app[task["appId"]].append(url) config = """ global log 127.0.0.1 local0 log 127.0.0.1 local1 notice maxconn 4096 user haproxy group haproxy tune.ssl.default-dh-param 4096 defaults log global mode http option httplog option dontlognull option forwardfor option http-server-close timeout connect 10000 timeout client 60000 timeout server 60000 frontend https-in bind *:443 ssl crt /etc/haproxy/www.cloudasr.com.pem crt /etc/haproxy/api.cloudasr.com.pem reqadd X-Forwarded-Proto:\ https use_backend _cloudasr.com_www if { hdr(host) -i www.cloudasr.com } use_backend _cloudasr.com_api if { hdr(host) -i api.cloudasr.com } frontend http-in bind *:80 acl demo hdr(host) -i demo.cloudasr.com redirect location http://www.cloudasr.com/demo code 301 if demo acl no_www hdr(host) -i cloudasr.com redirect prefix http://www.cloudasr.com code 301 if no_www redirect scheme https code 301 if { hdr(host) -i www.cloudasr.com } !{ ssl_fc } redirect scheme https code 301 if { hdr(host) -i api.cloudasr.com } !{ ssl_fc } """ for appId in urls_per_app.keys(): config += " acl host%s hdr(host) -i %s\n" % (id_to_backend(appId), id_to_url(appId)) for appId in urls_per_app.keys(): config += " use_backend %s if host%s\n" % (id_to_backend(appId), id_to_backend(appId)) for (appId, urls) in urls_per_app.iteritems(): config += """ backend %s balance leastconn option httpclose option forwardfor cookie JSESSIONID prefix cookie SERVERID insert indirect nocache """ % (id_to_backend(appId)) for (i, url) in enumerate(urls): config += " server node%d %s cookie A check\n" % (i, url) return config if __name__ == '__main__': marathon_url = os.environ.get('MARATHON_URL') login = os.environ.get('MARATHON_LOGIN', None) password = os.environ.get('MARATHON_PASSWORD', None) last_config = None while True: try: config = create_config(marathon_url, login, password) except Exception, e: print "%s Marathon is not accessible" % time.strftime("%Y-%m-%d %H:%M:%S", time.localtime()) time.sleep(10) continue if last_config != config: with open('/etc/haproxy/haproxy.cfg', 'w') as f: f.write(config) print "%s Configuration changed" % time.strftime("%Y-%m-%d %H:%M:%S", time.localtime()) subprocess.call(("service", "haproxy", "reload")) last_config = config time.sleep(10)
21,619
90004c5c99b7645394389389d2377e21c737714b
from . import Expression from sympy import Poly, solve_poly_inequality # ============================================================================ # ================================ Inequation ================================ # ============================================================================ @Expression.register class Inequation(Expression): """ Inequation representation, solves any kind of inequality. Tested for the first and second degree. :warning: The inequation does not handle unknown-composed denominator as of 7 nov. 2017. A fix to the problem is currently being searched. """ _db_type = "IN" # --------------------------------------------------------- Static methods @staticmethod def generate(two_sided, degree): raise NotImplementedError() # --------------------------------------------------------- Actual methods def resolve(self): """ return value of the solution of the inequation in a String""" results = [] for sym in self._symbols: lfrac = self._getFrac(str(self._left_operand)) rfrac = self._getFrac(str(self._right_operand)) frac = lfrac + ['-'] + rfrac expr = self._unfraction(frac) den = self._getDenom(str(self._left_operand)+'-'+str(self._right_operand)) polyExpr = Poly(expr, sym) if den!='' : polyDen = Poly(den, sym) else : polyDen = Poly('1', sym) posiCase = solve_poly_inequality(polyDen, '>') negaCase = solve_poly_inequality(polyDen, '<') posCase = posiCase[0] for cas in posiCase : posCase=posCase.union(cas) negCase = negaCase[0] for cas in negaCase : negCase=negCase.union(cas) posiSol = solve_poly_inequality( polyExpr, self._operator) negaSol = solve_poly_inequality(-polyExpr, self._operator) posSol = posiSol[0] for cas in posiSol : posSol=posSol.union(cas) negSol = negaSol[0] for cas in negaSol : negSol=negSol.union(cas) result = (posCase.intersect(posSol)).union(negCase.intersect(negSol)) results.append(result) return results # ----------------------------------------------------------- Utility methods @staticmethod def _getFrac(expr): """ return the decomposed expression making difference between the numerator and the denominator""" expr=expr.replace(' ', '') l = len(expr) frac = []; start = 0; par = 0 pack=''; num='' op = ['+','-'] operator = ['+','-','/','*'] sym = ['x','y'] multFrac = False for i in range(0,l): if expr[i]=='(' : #( if par==0 : start=i par += 1 elif expr[i] == ')' : #) par -= 1 if par==0 : pack += expr[start:i+1]; start = i+1 elif expr[i]=='*'and par==0: #* pack += expr[start:i]; start = i+1 if num!='' : frac.append((num,pack)) frac.append(expr[i]) pack = ''; num = '' else : pack += expr[i] elif expr[i]=='/'and par==0: #/ pack += expr[start:i] num += pack pack = '' start = i+1 elif expr[i] in op and par==0 and num != '': #+- pack += expr[start:i] frac.append((num,pack)) frac.append(expr[i]) pack = ''; num = ''; start = i+1 elif expr[i] in op and par==0: pack += expr[start:i] frac.append((pack,'')) frac.append(expr[i]) pack = ''; num = ''; start = i+1 if start < l : pack += expr[start:l] if num != '' : frac.append((num,pack)) else: frac.append((pack,'')) frac2 = [frac[0]] i=1 while i<len(frac): if frac[i] in operator and frac[i]!='*' : frac2.append(frac[i]) frac2.append(frac[i+1]) elif frac[i]=='*' : (a1,b1)=frac[i-1] (a2,b2)=frac[i+1] frac2[len(frac2)-1]=(a1+'*'+a2,b1+'*'+b2) i+=2 return frac2 @staticmethod def _unfraction(frac): """return the equation under the form of a multiplication of expression and without fractions""" expr = '' operator = ['+','-','/','*'] for i in range(0,len(frac)): if frac[i] not in operator: expr += frac[i][0] for j in range(0,len(frac)): if i != j and frac[j] not in operator and frac[j][1] != '': expr += '*' + frac[j][1] else : expr += frac[i] return expr @staticmethod def _getDenom(expr): """ return the full denominator of the expression""" l = len(expr) den = '' i=0 while i<l: if expr[i:i+2] == '/(' or expr[i:i+3] == '/ (': if den != '': den += '*' den += expr[i+1] par = 1 i += 2 while par > 0: if expr[i] == '(': par += 1 elif expr[i] == ')': par -= 1 den += expr[i] i += 1 else :i += 1 return den # ============================================================================
21,620
03c43696d7e5211c9970dad86f6d01d08d1c536d
ii = [('MarrFDI.py', 1), ('CoolWHM2.py', 1), ('AubePRP2.py', 1), ('AubePRP.py', 2), ('ClarGE2.py', 2), ('CarlTFR.py', 4), ('CoolWHM.py', 4), ('WadeJEB.py', 7), ('MartHRW.py', 4), ('CoolWHM3.py', 1), ('AinsWRR2.py', 1), ('TaylIF.py', 3), ('KeigTSS.py', 2)]
21,621
4c9d7f57bf6afaac9742e91fb3ffc952e334bafe
# -*- coding: cp936 -*- ''' target:pieces parse piece_parse_sen(sen,flag) #0 for 未切分 #1 for 已切分 #2 for 已切分,且有词性 author:hdz time:2014-11-3 20:24:03 ''' import sys import time # from get_new_tag import tag_model_class from get_new_tag2 import tag_model_class from split_model_test import split_sen from piece_parse import piece_parsed_main_sen from piece_joint_parse import get_piece_joint from CCG_tree import read_tree from treeWriter import treeWriter from MultiTree import MultiTree from read_pos_json import read_pos_json #from get_pcfg_prob import count_pcfg_prob import cPickle #version='_tag_struct_sx3tag_no_xing_real' #version='_tag_struct_sx3tag_no_xing_real_len_5_BME' from configure import beam_size #version='_tag_struct_sx3tag_no_xing_real_len_5_BME_beam_'+str(beam_size)# #version='_tag_struct_sx3tag_no_xing_real_beam_'+str(beam_size) version='_tag_struct_sx3tag_no_xing_real_beam_'+str(beam_size) test_file='files/ctb_8_test_binary2.txt' result_file='files/ctb_8_test_binary2_res.txt'+version pcfg_pickle_file='model/CTB_binary_no_xing_pcfg' def write_file(fn,res): with open(fn,'w') as ff: ff.write('\n'.join(res).encode('utf8','ignore')) #print 'write done' def CTB_parse_main(sen,tag_models,pcfg_model): #tag_model_class, sentence ##split to pieces## pieces=split_sen(sen) ##piece parse## kbest=piece_parsed_main_sen(pieces,tag_models[0],pcfg_model) #return tl ##piece joint## tree=get_piece_joint(kbest,tag_models[1],pcfg_model) #return tl #return (pieces,tl,tree) return tree def CTB_parse_sen(sen,flag,tag_models,pcfg_model): ''' sen:a sentence when flag==0,ABC\ a segmented sentence when flag==1,A B C\ a word with pos list when flag==2,[word+\t+pos,...] flag:a flag for sen data type ''' ## if flag==0: #0for 未切分 ## try:# ## sen=cut(sen)#get a word list string#unicode ## #我 是 好人 。 ## return piece_parse_sen(sen,1) ## except: ## print "It's not a sentence." ## elif flag==1: #1 for 已切分 ## try: ## try: ## sen=sen.decode('gbk') ## except: ## pass ## sen=sen.split(' ')#a word list#unicode ## sen=get_pos(sen) ## return piece_parse_sen(sen,2) ## except: ## print "It's not a segmented sentence." if flag==2: #2 for 已pos tree=CTB_parse_main(sen,tag_models,pcfg_model) return tree ## try: ## tree=piece_parse_main(sen) ## return tree ## except: ## print 'error!' ## return None else: print 'flag(0~2)' return None def CTB_main(psj=None,sen=None): ## sen=raw_input('请输入中文句子~\n') ## sen=sen.decode('gbk') ## print 'sen:',sen ###tag model###todo old tag model #tag_model=tag_model_class(joint=False) #tag_joint_model=tag_model_class(joint=True) #tag_models=[tag_model,tag_joint_model] tag_models=[{},{}]# empty, tag's model based on crf model pcfg_model=cPickle.load(file(pcfg_pickle_file,'r')) #tag_models=[tag_model,tag_model] wll=[] if sen!=None: #sen='( (IP (IP (NP-PN (NR 上海)(NR 浦东))(VP (VP (LCP (NP (NT 近年))(LC 来))(VP (VCD (VV 颁布)(VV 实行))(VP* (AS 了)(NP (CP (IP (VP (VV 涉及)(NP (NP (NP (NN 经济)(NP* (PU 、)(NP* (NN 贸易)(NP* (PU 、)(NP* (NN 建设)(NP* (PU 、)(NP* (NN 规划)(NP* (PU 、)(NP* (NN 科技)(NP* (PU 、)(NN 文教)))))))))))(ETC 等))(NP (NN 领域)))))(DEC 的))(NP* (QP (CD 七十一)(CLP (M 件)))(NP (NN 法规性)(NN 文件)))))))(VP* (PU ,)(VP (VP* (VV 确保)(AS 了))(NP (DNP (NP (NP-PN (NR 浦东))(NP (NN 开发)))(DEG 的))(NP* (ADJP (JJ 有序))(NP (NN 进行))))))))(PU 。)) )' #sen=sen.decode('gbk') t=read_tree(sen) wl=t.get_words()#[(word,pos),,,] wll=[wl] if psj!=None: wll=read_pos_json(psj) #0for 未切分,1 for 已切分,2 for 已pos treel=[] for wl in wll: treel.append(CTB_parse_sen(wl,2,tag_models,pcfg_model)) #print tree.show() return treel def test_main(tf,resf):#测试语料,已经句法分析的树 # tag_model=tag_model_class(joint=False) # tag_joint_model=tag_model_class(joint=True) # tag_models=[tag_model,tag_joint_model] # tag_models=[tag_model,tag_model] tag_models=[None,None] pcfg_model=cPickle.load(file(pcfg_pickle_file,'r')) print 'test file:',tf senl=[x.strip().decode('utf8') for x in file(tf)] #senl=senl[60:61] res=[] i=0 total_w_len=0 total_c_len=0 for asen in senl[:]: if len(asen)<1: continue t=read_tree(asen) wt=t.get_words() words=[x[0] for x in wt] total_w_len+=len(words) total_c_len+=len(''.join(words)) wl=t.get_words()#[(word,pos),,,] new_t=CTB_parse_sen(wl,2,tag_models,pcfg_model) res.append(new_t[0][0].show()) i+=1 print i#,asen ####### mean_w_len=total_w_len*1.0/len(senl) mean_c_len=total_c_len*1.0/len(senl) print '句子平均词数:'.decode('gbk'),mean_w_len print '句子平均字数:'.decode('gbk'),mean_c_len write_file(resf,res) if __name__=='__main__': print time.asctime() begin_time=time.time() test_main(test_file,result_file) # ####### # sentence='( (CP (CP (IP (NP (CP (IP (VP (ADVP (AD 经常))(VP (VV 引发)(NP (NN 问题)))))(DEC 的))(NP (NN 网站)))(VP (ADVP (AD 未必))(VP (VC 是)(VP (ADVP (AD 最))(VP (VA 显着))))))(SP 的))(PU 。)) )' # t=CTB_main(psj=None, sen=sentence.decode('gbk')) # print t # for xt in t[0]: # print xt[1],xt[0].show()+'\n###' # #### # tree = MultiTree() # tree.createTree(t[0].show()) # writer = treeWriter(tree) # if len(sys.argv) > 1:#your graph file name # outfile = sys.argv[1] # writer.write(outfile) #write result to outfile # else: # writer.write() #write result to tree.png # #### print time.asctime() print 'cost seconds:',time.time()-begin_time print 'done' ####
21,622
d118346e9dcd4a6d1028c82916c590f12a2a75d5
ABS AEVConversionUtils CAMLType CAMLTypeForKey_ CA_addValue_multipliedBy_ CA_copyRenderValue CA_distanceToValue_ CA_interpolateValue_byFraction_ CA_interpolateValues___interpolator_ CA_prepareRenderValue CA_roundToIntegerFromValue_ NS_addTiledLayerDescendent_ NS_copyCGImage NS_removeTiledLayerDescendent_ NS_tiledLayerVisibleRect ___tryRetain_OA __autorelease_OA __dealloc_zombie __doc__ __module__ __pyobjc_PythonObject__ __pyobjc_PythonTransient___ __release_OA __retain_OA __slots__ _accessibilityArrayAttributeCount_clientError_ _accessibilityArrayAttributeValues_index_maxCount_clientError_ _accessibilityAttributeNamesClientError_ _accessibilityCanSetValueForAttribute_clientError_ _accessibilityChildUIElementForSpecifierComponent_ _accessibilityIndexOfChild_clientError_ _accessibilityIsTableViewDescendant _accessibilitySetOverrideValue_forAttribute_ _accessibilitySetUseConvenienceAPI_ _accessibilitySpecifierComponentForChildUIElement_registerIfNeeded_ _accessibilityUIElementSpecifier _accessibilityUIElementSpecifierForChild_registerIfNeeded_ _accessibilityUIElementSpecifierRegisterIfNeeded_ _accessibilityUseConvenienceAPI _accessibilityValueForAttribute_clientError_ _addObserver_forProperty_options_context_ _addOptionValue_toArray_withKey_type_ _addPlaceholderOptionValue_isDefault_toArray_withKey_binder_binding_ _allowsDirectEncoding _asScriptTerminologyNameArray _asScriptTerminologyNameString _bind_toController_withKeyPath_valueTransformerName_options_existingNibConnectors_connectorsToRemove_connectorsToAdd_ _binderClassForBinding_withBinders_ _binderForBinding_withBinders_createAutoreleasedInstanceIfNotFound_ _binderWithClass_withBinders_createAutoreleasedInstanceIfNotFound_ _bindingAdaptor _bindingInformationWithExistingNibConnectors_availableControllerChoices_ _cfTypeID _changeValueForKey_key_key_usingBlock_ _changeValueForKey_usingBlock_ _changeValueForKeys_count_maybeOldValuesDict_usingBlock_ _cleanupBindingsWithExistingNibConnectors_exception_ _compatibility_takeValue_forKey_ _conformsToProtocolNamed_ _copyDescription _createKeyValueBindingForKey_name_bindingType_ _didChangeValuesForKeys_ _implicitObservationInfo _invokeSelector_withArguments_onKeyPath_ _isAXConnector _isAccessibilityCandidateForSection_ _isAccessibilityContainerSectionCandidate _isAccessibilityContentNavigatorSectionCandidate _isAccessibilityContentSectionCandidate _isAccessibilityTopLevelNavigatorSectionCandidate _isDeallocating _isKVOA _isToManyChangeInformation _localClassNameForClass _notifyObserversForKeyPath_change_ _notifyObserversOfChangeFromValuesForKeys_toValuesForKeys_ _observerStorage _oldValueForKeyPath_ _oldValueForKey_ _optionDescriptionsForBinding_ _pendingChangeNotificationsArrayForKey_create_ _placeSuggestionsInDictionary_acceptableControllers_boundBinders_binder_binding_ _pyobjc_performOnThreadWithResult_ _pyobjc_performOnThread_ _receiveBox_ _releaseBindingAdaptor _removeObserver_forProperty_ _scriptingAddObjectsFromArray_toValueForKey_ _scriptingAddObjectsFromSet_toValueForKey_ _scriptingAddToReceiversArray_ _scriptingAlternativeValueRankWithDescriptor_ _scriptingArrayOfObjectsForSpecifier_ _scriptingCanAddObjectsToValueForKey_ _scriptingCanHandleCommand_ _scriptingCanInsertBeforeOrReplaceObjectsAtIndexes_inValueForKey_ _scriptingCanSetValue_forSpecifier_ _scriptingCoerceValue_forKey_ _scriptingCopyWithProperties_forValueForKey_ofContainer_ _scriptingCount _scriptingCountNonrecursively _scriptingCountOfValueForKey_ _scriptingDebugDescription _scriptingDescriptorOfComplexType_orReasonWhyNot_ _scriptingDescriptorOfEnumeratorType_orReasonWhyNot_ _scriptingDescriptorOfObjectType_orReasonWhyNot_ _scriptingDescriptorOfValueType_orReasonWhyNot_ _scriptingExists _scriptingIndexOfObjectForSpecifier_ _scriptingIndexOfObjectWithName_inValueForKey_ _scriptingIndexOfObjectWithUniqueID_inValueForKey_ _scriptingIndexesOfObjectsForSpecifier_ _scriptingIndicesOfObjectsAfterValidatingSpecifier_ _scriptingIndicesOfObjectsForSpecifier_count_ _scriptingInsertObject_inValueForKey_ _scriptingInsertObjects_atIndexes_inValueForKey_ _scriptingMightHandleCommand_ _scriptingObjectAtIndex_inValueForKey_ _scriptingObjectCountInValueForKey_ _scriptingObjectForSpecifier_ _scriptingObjectWithName_inValueForKey_ _scriptingObjectWithUniqueID_inValueForKey_ _scriptingObjectsAtIndexes_inValueForKey_ _scriptingRemoveAllObjectsFromValueForKey_ _scriptingRemoveObjectsAtIndexes_fromValueForKey_ _scriptingRemoveValueForSpecifier_ _scriptingReplaceObjectAtIndex_withObjects_inValueForKey_ _scriptingSetOfObjectsForSpecifier_ _scriptingSetValue_forKey_ _scriptingSetValue_forSpecifier_ _scriptingShouldCheckObjectIndexes _scriptingValueForKey_ _scriptingValueForSpecifier_ _setBindingAdaptor_ _setObject_forBothSidesOfRelationshipWithKey_ _shouldSearchChildrenForSection _suggestedControllerKeyForController_binding_ _supportsGetValueWithNameForKey_perhapsByOverridingClass_ _supportsGetValueWithUniqueIDForKey_perhapsByOverridingClass_ _tryRetain _unbind_existingNibConnectors_connectorsToRemove_connectorsToAdd_ _willChangeValuesForKeys_ accessibilityAddTemporaryChild_ accessibilityAllowsOverriddenAttributesWhenIgnored accessibilityArrayAttributeCount_ accessibilityArrayAttributeValues_index_maxCount_ accessibilityAttributeValue_forParameter_ accessibilityAttributedValueForStringAttributeAttributeForParameter_ accessibilityDecodeOverriddenAttributes_ accessibilityEncodeOverriddenAttributes_ accessibilityIndexForChildUIElementAttributeForParameter_ accessibilityIndexOfChild_ accessibilityOverriddenAttributes accessibilityParameterizedAttributeNames accessibilityPerformShowMenuOfChild_ accessibilityPresenterProcessIdentifier accessibilityRemoveTemporaryChild_ accessibilitySetOverrideValue_forAttribute_ accessibilitySetPresenterProcessIdentifier_ accessibilityShouldSendNotification_ accessibilityShouldUseUniqueId accessibilitySupportsNotifications accessibilitySupportsOverriddenAttributes accessibilityTemporaryChildren accessibilityVisibleArea addChainedObservers_ addObject_toBothSidesOfRelationshipWithKey_ addObject_toPropertyWithKey_ addObservationTransformer_ addObserverBlock_ addObserver_ addObserver_forKeyPath_options_context_ addObserver_forObservableKeyPath_ allPropertyKeys allowsWeakReference attributeKeys autoContentAccessingProxy autorelease awakeAfterUsingCoder_ awakeFromNib bind_toObject_withKeyPath_options_ boolValueSafe boolValueSafe_ classCode classDescription classDescriptionForDestinationKey_ classForArchiver classForCoder classForKeyedArchiver classForPortCoder className class__ clearProperties coerceValueForScriptingProperties_ coerceValue_forKey_ conformsToProtocol_ copy copyScriptingValue_forKey_withProperties_ createKeyValueBindingForKey_typeMask_ dealloc debugDescription description dictionaryWithValuesForKeys_ didChangeValueForKey_ didChangeValueForKey_withSetMutation_usingObjects_ didChange_valuesAtIndexes_forKey_ doesContain_ doesNotRecognizeSelector_ doubleValueSafe doubleValueSafe_ encodeWithCAMLWriter_ entityName exposedBindings finalize finishObserving flushKeyBindings forwardInvocation_ forwardingTargetForSelector_ handleQueryWithUnboundKey_ handleTakeValue_forUnboundKey_ hash implementsSelector_ infoForBinding_ init insertValue_atIndex_inPropertyWithKey_ insertValue_inPropertyWithKey_ int64ValueSafe int64ValueSafe_ inverseForRelationshipKey_ isCaseInsensitiveLike_ isEqualTo_ isEqual_ isFault isGreaterThanOrEqualTo_ isGreaterThan_ isKindOfClass_ isLessThanOrEqualTo_ isLessThan_ isLike_ isMemberOfClass_ isNSArray__ isNSCFConstantString__ isNSData__ isNSDate__ isNSDictionary__ isNSNumber__ isNSObject__ isNSOrderedSet__ isNSSet__ isNSString__ isNSTimeZone__ isNSValue__ isNotEqualTo_ isProxy isToManyKey_ keyValueBindingForKey_typeMask_ methodDescriptionForSelector_ methodForSelector_ methodSignatureForSelector_ mutableArrayValueForKeyPath_ mutableArrayValueForKey_ mutableCopy mutableOrderedSetValueForKeyPath_ mutableOrderedSetValueForKey_ mutableSetValueForKeyPath_ mutableSetValueForKey_ newScriptingObjectOfClass_forValueForKey_withContentsValue_properties_ nextSlicePiece_ objectSpecifier observationInfo observeValueForKeyPath_ofObject_change_context_ optionDescriptionsForBinding_ ownsDestinationObjectsForRelationshipKey_ performSelectorInBackground_withObject_ performSelectorOnMainThread_withObject_waitUntilDone_ performSelectorOnMainThread_withObject_waitUntilDone_modes_ performSelector_ performSelector_object_afterDelay_ performSelector_onThread_withObject_waitUntilDone_ performSelector_onThread_withObject_waitUntilDone_modes_ performSelector_withObject_ performSelector_withObject_afterDelay_ performSelector_withObject_afterDelay_inModes_ performSelector_withObject_withObject_ prepareForInterfaceBuilder pyobjc_performSelectorInBackground_withObject_ pyobjc_performSelectorOnMainThread_withObject_ pyobjc_performSelectorOnMainThread_withObject_modes_ pyobjc_performSelectorOnMainThread_withObject_waitUntilDone_ pyobjc_performSelectorOnMainThread_withObject_waitUntilDone_modes_ pyobjc_performSelector_onThread_withObject_ pyobjc_performSelector_onThread_withObject_modes_ pyobjc_performSelector_onThread_withObject_waitUntilDone_ pyobjc_performSelector_onThread_withObject_waitUntilDone_modes_ pyobjc_performSelector_withObject_afterDelay_ pyobjc_performSelector_withObject_afterDelay_inModes_ receiveObservedError_ receiveObservedValue_ release removeObject_fromBothSidesOfRelationshipWithKey_ removeObject_fromPropertyWithKey_ removeObservation_ removeObservation_forObservableKeyPath_ removeObserver_forKeyPath_ removeObserver_forKeyPath_context_ removeValueAtIndex_fromPropertyWithKey_ replaceValueAtIndex_inPropertyWithKey_withValue_ replacementObjectForArchiver_ replacementObjectForCoder_ replacementObjectForKeyedArchiver_ replacementObjectForPortCoder_ respondsToSelector_ retain retainCount retainWeakReference scriptingProperties scriptingValueForSpecifier_ self setNilValueForKey_ setObservationInfo_ setObservation_forObservingKeyPath_ setScriptingProperties_ setUserInterfaceItemIdentifier_ setValue_forKeyPath_ setValue_forKey_ setValue_forUndefinedKey_ setValuesForKeysWithDictionary_ storedValueForKey_ stringValueSafe stringValueSafe_ superclass takeStoredValue_forKey_ takeStoredValuesFromDictionary_ takeValue_forKeyPath_ takeValue_forKey_ takeValuesFromDictionary_ toManyRelationshipKeys toOneRelationshipKeys unableToSetNilForKey_ unbind_ userInterfaceItemIdentifier utf8ValueSafe utf8ValueSafe_ validateTakeValue_forKeyPath_ validateValue_forKeyPath_error_ validateValue_forKey_ validateValue_forKey_error_ valueAtIndex_inPropertyWithKey_ valueClassForBinding_ valueForKeyPath_ valueForKey_ valueForUndefinedKey_ valueWithName_inPropertyWithKey_ valueWithUniqueID_inPropertyWithKey_ valuesForKeys_ willChangeValueForKey_ willChangeValueForKey_withSetMutation_usingObjects_ willChange_valuesAtIndexes_forKey_ zone AUAudioUnit .cxx_construct .cxx_destruct addRenderObserver_userData_ allParameterValues allocateRenderResourcesAndReturnError_ audioUnitName cachedViewController canProcessInPlace channelCapabilities channelMap component componentDescription componentName componentVersion contextName currentPreset deallocateRenderResources eventSchedule factoryPresets fullState fullStateForDocument initWithComponentDescription_error_ initWithComponentDescription_options_error_ inputBusses internalRenderBlock isMusicDeviceOrEffect isRenderingOffline latency manufacturerName maximumFramesToRender musicalContextBlock outputBusses parameterTree parametersForOverviewWithCount_ realtimeState removeRenderObserver_ removeRenderObserver_userData_ renderBlock renderQuality renderResourcesAllocated requestViewControllerWithCompletionHandler_ reset scheduleMIDIEventBlock scheduleParameterBlock setCachedViewController_ setChannelMap_ setContextName_ setCurrentPreset_ setFullStateForDocument_ setFullState_ setMaximumFramesToRender_ setMusicalContextBlock_ setRealtimeState_ setRenderQuality_ setRenderResourcesAllocated_ setRenderingOffline_ setShouldBypassEffect_ setTransportStateBlock_ shouldBypassEffect shouldChangeToFormat_forBus_ supportsMPE tailTime tokenByAddingRenderObserver_ transportStateBlock virtualMIDICableCount AUAudioUnitBus busType contextPresentationLatency format index initWithFormat_error_ isEnabled maximumChannelCount name observers ownerAudioUnit setBusType_ setContextPresentationLatency_ setEnabled_ setFormat_error_ setIndex_ setMaximumChannelCount_ setName_ setObservers_ setOwnerAudioUnit_ setSupportedChannelCounts_ supportedChannelCounts supportedChannelLayoutTags AUAudioUnitBusArray addObserverToAllBusses_forKeyPath_options_context_ count countByEnumeratingWithState_objects_count_ indexBusses initWithAudioUnit_busType_ initWithAudioUnit_busType_busses_ isCountChangeable objectAtIndexedSubscript_ removeObserverFromAllBusses_forKeyPath_context_ replaceBusses_ setBusCount_error_ AUAudioUnitBusArray_XH initWithOwner_scope_busses_countWritable_ AUAudioUnitBus_XPC encodeWithCoder_ initWithCoder_ propertyChanged_ AUAudioUnitPreset number setNumber_ AUAudioUnitProperty initWithKey_ initWithKey_scope_element_ AUAudioUnitServiceUI_Subsystem AUAudioUnitService_Subsystem AUAudioUnitV2Bridge _addOrRemoveParameterListeners_ _createEventListenerQueue _elementCountWritable_ _elementCount_ _invalidateParameterTree _rebuildBusses_ _setElementCount_count_error_ enableBus_scope_enable_ init2 initWithAudioUnit_description_ AUAudioUnit_XH _getBus_scope_error_ _getValueForKey_ _getValueForProperty_ _refreshBusses_ _setBusCount_scope_error_ _setValue_forKey_ _setValue_forProperty_ didCrash doOpen_completion_ internalInitWithExtension_componentDescription_instance_completion_ propertiesChanged_ remote AUExtensionInstanceProxy auInstance setAuInstance_ AUHALOutputUnit _inputHandler canPerformInput canPerformOutput deviceID isInputEnabled isOutputEnabled outputProvider setDeviceID_error_ setInputEnabled_ setInputHandler_ setOutputEnabled_ setOutputProvider_ startHardwareAndReturnError_ stopHardware AUHostExtensionContext _UUID ___nsx_pingHost_ _auxiliaryConnection _auxiliaryListener _completeRequestReturningItemsSecondHalf_ _derivedExtensionAuxiliaryHostProtocol _extensionHostProxy _extensionVendorProxy _isDummyExtension _isHost _loadItemForPayload_completionHandler_ _loadPreviewImageForPayload_completionHandler_ _openURL_completion_ _principalObject _requestCleanUpBlock _setAuxiliaryConnection_ _setAuxiliaryListener_ _setDummyExtension_ _setExtensionHostProxy_ _setExtensionVendorProxy_ _setInputItems_ _setPrincipalObject_ _setRequestCleanUpBlock_ _setTransaction_ _transaction _willPerformHostCallback_ audioUnit cancelRequestWithError_ completeRequestReturningItems_completionHandler_ copyWithZone_ didConnectToVendor_ extension initWithInputItems_ initWithInputItems_contextUUID_ initWithInputItems_listenerEndpoint_contextUUID_ inputItems invalidate listener_shouldAcceptNewConnection_ openURL_completionHandler_ requestIdentifier setAudioUnit_ setExtension_ setRemote_ setRequestIdentifier_ set_UUID_ syncParameter_value_extOriginator_hostTime_eventType_ AUPBClientConnection proxyInterface setProxyInterface_ setXpcconnection_ xpcconnection AUPBClientManager addNewServerListener_withUserData_ addPropertyListener_onServer_block_property_withUserData_ auHandleFromRef_ auRefFromHandle_ aupbRefFromHandle_ copyPBProperty_onServer_block_intoValue_ getAUParameter_onServer_audioUnit_scope_element_copiedIntoValue_ getAUPropertyInfo_onServer_audioUnit_scope_element_intoDataSize_writeable_ getAUProperty_onServer_audioUnit_scope_element_copiedIntoBufer_withSize_ getSerialAUProperty_onServer_audioUnit_scope_element_inData_ handleRegistrarCrash newServerAdded_ processingBlock_propertiesChanged_withQualifierData_ processingBlock_propertyChanged_ removePropertyListener_onServer_block_property_withUserData_ removePropertyListenersForServer_ removeServerListener_withUserData_ serverFromRef_ setAUParameter_onServer_audioUnit_scope_element_value_ setAUProperty_onServer_audioUnit_scope_element_withValue_size_ setPBProperty_onServer_block_value_ setSerialAUProperty_onServer_audioUnit_scope_element_toData_ startRegistarConnection AUPBServer aupbFromAUHandle_ aupbFromRef_ blockListChanged checkConnectRegistrar copyProcessingBlock_property_intoReply_ getAudioUnit_parameter_onScope_element_inReply_ getAudioUnit_propertyInfo_onScope_element_inReply_ getAudioUnit_property_onScope_element_inReply_ handleFromAUPBRef_ processingBlockRef_propertyChanged_ processingBlock_properties_count_changedWithQualifierData_length_ registerAU_inBlock_ registerBlock_withUserData_ setAudioUnit_parameter_onScope_element_value_withReply_ setAudioUnit_property_onScope_element_value_withReply_ setProcessingBlock_property_value_withReply_ startRegistrarConnection unregisterAU_ unregisterBlock_ AUParameter _addRecObserver_autoObserver_ _clumpID _deserialize_ _internalValue _localValueStale _observersChanged_deltaCount_ _rootParent _serialize_ _walkTree_callback_ address copyNodeWithOffset_ dependentParameters displayName displayNameWithLength_ flags identifier impl_implementorDisplayNameWithLengthCallback impl_implementorStringFromValueCallback impl_implementorValueFromStringCallback impl_implementorValueObserver impl_implementorValueProvider implementorDisplayNameWithLengthCallback implementorStringFromValueCallback implementorValueFromStringCallback implementorValueObserver implementorValueProvider indexInGroup info initWithID_name_ initWithID_name_address_min_max_unit_unitName_flags_valueStrings_dependentParameters_ isGroup keyPath maxValue minValue numRecordingObservers numUIObservers observerList parentNode removeParameterObserver_ setAddress_ setImpl_implementorDisplayNameWithLengthCallback_ setImpl_implementorStringFromValueCallback_ setImpl_implementorValueFromStringCallback_ setImpl_implementorValueObserver_ setImpl_implementorValueProvider_ setImplementorDisplayNameWithLengthCallback_ setImplementorStringFromValueCallback_ setImplementorValueFromStringCallback_ setImplementorValueObserver_ setImplementorValueProvider_ setIndexInGroup_ setInfo_ setNumRecordingObservers_ setNumUIObservers_ setObserverList_ setParentNode_ setValue_ setValue_extOriginator_atHostTime_eventType_ setValue_originator_ setValue_originator_atHostTime_ setValue_originator_atHostTime_eventType_ set_clumpID_ set_localValueStale_ stringFromValue_ tokenByAddingParameterAutomationObserver_ tokenByAddingParameterObserver_ tokenByAddingParameterRecordingObserver_ unit unitName value valueFromString_ valueStrings AUParameterGroup _indexChildren allParameters childIndicesByIdentifier children initWithChildren_ initWithID_name_children_ initWithTemplate_identifier_name_addressOffset_ setChildIndicesByIdentifier_ AUParameterNode AUParameterTree _auXH _autoCreatedForV2AU _checkInitTreeObservation _init2 _suppressObserverCallbacks addrToParamIndex numRecorders observationQueue observerController parameterWithAddress_ parameterWithID_scope_element_ remoteObserverToken remoteParameterSynchronizer remoteRecorderToken remoteSyncParameter_value_extOriginator_hostTime_eventType_ setAddrToParamIndex_ setNumRecorders_ setObserverController_ setRemoteObserverToken_ setRemoteParameterSynchronizer_ setRemoteRecorderToken_ set_auXH_ set_autoCreatedForV2AU_ set_suppressObserverCallbacks_ valueAccessQueue AURemoteExtensionContext _fetchAndClearPendingChangedProperties _identifyBus_scope_element_ addPropertyObserver_context_ close_ currentParameterTree getBusses_reply_ getParameterTree_ getParameter_reply_ initialize2_formats_maxFrames_buffer_bufferSize_beginSem_endSem_reply_ initialize_reply_ open_ parameterNode_displayNameWithLength_reply_ parameterStringFromValue_currentValue_address_reply_ parameterValueFromString_address_reply_ parametersForOverviewWithCount_reply_ removePropertyObserver_context_ setBusCount_scope_reply_ setBusFormat_scope_format_reply_ setBusName_scope_name_reply_ setValue_forKey_reply_ setValue_forProperty_reply_ setViewService_ uninitialize_ valueForKey_reply_ valueForProperty_reply_ viewService AUV2BridgeBus initWithOwner_au_scope_element_ AUV2BridgeBusArray initWithOwner_scope_ AVAssetDownloadTask _copyCurrentCFURLRequest _copyHSTSPolicy _copyOriginalCFURLRequest _copySocketStreamProperties _createXCookieStorage _createXCredentialStorage _createXURLCache _initializeTimingDataWithSessionConfiguration_ _loadingPriority _onSessionQueue_cleanupAndBreakCycles _onqueue_adjustBytesPerSecondLimit_ _onqueue_adjustPriorityHint_ _onqueue_releasePowerAsssertion _prepareNewTimingDataContainer _setBytesPerSecondLimit_ _setExplicitCookieStorage_ _setExplicitStorageSession_ _setSocketProperties_connectionProperties_ _transactionMetrics cancel computeAdjustedPoolPriority initWithOriginalRequest_updatedRequest_ident_session_ initWithTask_ initializeHTTPAuthenticatorWithSessionConfiguration_ priority resume setPriority_ set_loadingPriority_ shouldHandleCookiesAndSchemeIsAppropriate suspend updateCurrentRequest_ AVAssetDownloadURLSession _copyATSState _copyConfiguration _downloadTaskWithRequest_downloadFilePath_ addDelegateBlock_ can_delegate_betterRouteDiscoveredForStreamTask can_delegate_companionAvailabilityChanged can_delegate_connectionEstablishedForStreamTask can_delegate_dataTask_didBecomeDownloadTask can_delegate_dataTask_didBecomeStreamTask can_delegate_dataTask_didReceiveData can_delegate_dataTask_didReceiveResponse can_delegate_dataTask_willCacheResponse can_delegate_didFinishEventsForBackgroundURLSession can_delegate_didReceiveChallenge can_delegate_downloadTaskNeedsDownloadDirectory can_delegate_downloadTask_didFinishDownloadingToURL can_delegate_downloadTask_didReceiveResponse can_delegate_downloadTask_didResumeAtOffset can_delegate_downloadTask_didWriteData can_delegate_needConnectedSocket can_delegate_openFileAtPath can_delegate_readClosedForStreamTask can_delegate_streamTask_didBecomeInputStream_outputStream can_delegate_task__schemeUpgraded can_delegate_task_actually_didCompleteWithError can_delegate_task_conditionalRequirementsChanged can_delegate_task_didCompleteWithError can_delegate_task_didFinishCollectingMetrics can_delegate_task_didReceiveChallenge can_delegate_task_didSendBodyData can_delegate_task_isWaitingForConnection can_delegate_task_isWaitingForConnectionWithError can_delegate_task_isWaitingForConnectionWithReason can_delegate_task_needNewBodyStream can_delegate_task_willPerformHTTPRedirection can_delegate_task_willSendRequestForEstablishedConnection can_delegate_willRetryBackgroundDataTask can_delegate_writeClosedForStreamTask configuration dataTaskWithHTTPGetRequest_ dataTaskWithHTTPGetRequest_completionHandler_ dataTaskWithRequest_ dataTaskWithRequest_completionHandler_ dataTaskWithURL_ dataTaskWithURL_completionHandler_ delegate_betterRouteDiscoveredForStreamTask_completionHandler_ delegate_companionAvailabilityChanged_ delegate_connectionEstablishedForStreamTask_ delegate_dataTask_didBecomeDownloadTask_completionHandler_ delegate_dataTask_didBecomeStreamTask_completionHandler_ delegate_dataTask_didReceiveData_completionHandler_ delegate_dataTask_didReceiveResponse_completionHandler_ delegate_dataTask_willCacheResponse_completionHandler_ delegate_didFinishEventsForBackgroundURLSession delegate_didReceiveChallenge_completionHandler_ delegate_downloadTaskNeedsDownloadDirectory_ delegate_downloadTask_didFinishDownloadingToURL_completionHandler_ delegate_downloadTask_didReceiveResponse_ delegate_downloadTask_didResumeAtOffset_expectedTotalBytes_ delegate_downloadTask_didWriteData_totalBytesWritten_totalBytesExpectedToWrite_completionHandler_ delegate_needConnectedSocketToHost_port_completionHandler_ delegate_openFileAtPath_mode_ delegate_readClosedForStreamTask_completionHandler_ delegate_streamTask_didBecomeInputStream_outputStream_completionHandler_ delegate_task__schemeUpgraded_completionHandler_ delegate_task__willSendRequestForEstablishedConnection_completionHandler_ delegate_task_conditionalRequirementsChanged_ delegate_task_didCompleteWithError_ delegate_task_didFinishCollectingMetrics_completion_ delegate_task_didReceiveChallenge_completionHandler_ delegate_task_didSendBodyData_totalBytesSent_totalBytesExpectedToSend_ delegate_task_isWaitingForConnectionWithError_ delegate_task_isWaitingForConnectionWithReason_ delegate_task_isWaitingForConnection_ delegate_task_needNewBodyStream_ delegate_task_willPerformHTTPRedirection_newRequest_completionHandler_ delegate_willRetryBackgroundDataTask_withError_ delegate_writeClosedForStreamTask_completionHandler_ downloadTaskWithRequest_ downloadTaskWithRequest_completionHandler_ downloadTaskWithResumeData_ downloadTaskWithResumeData_completionHandler_ downloadTaskWithURL_ downloadTaskWithURL_completionHandler_ finalizeDelegateWithError_ finishTasksAndInvalidate flushWithCompletionHandler_ getAllTasksWithCompletionHandler_ getTasksWithCompletionHandler_ initWithConfiguration_delegate_delegateQueue_ invalidateAndCancel isBackgroundSession remote_externalAuthenticator_task_getAuthHeadersForResponse_completionHandler_ resetWithCompletionHandler_ shouldUseStreamTask streamTaskWithHostName_port_ streamTaskWithNetService_ uploadTaskWithRequest_fromData_ uploadTaskWithRequest_fromData_completionHandler_ uploadTaskWithRequest_fromFile_ uploadTaskWithRequest_fromFile_completionHandler_ uploadTaskWithStreamedRequest_ AWDSharingAirDropPeerDiscoveredInfo awdlVersion bluetoothDiscovery bonjourDiscovery bonjourResolveComplete bonjourTXTRecordDiscovery browserID copyTo_ data dictionaryRepresentation errorCode errorDomain formattedText hasAwdlVersion hasBluetoothDiscovery hasBonjourDiscovery hasBonjourResolveComplete hasBonjourTXTRecordDiscovery hasBrowserID hasErrorCode hasErrorDomain hasIdentityQueryComplete hasModelCode hasModelName hasPlatform hasRssi hasSessionID hasTcpConnectionComplete hasTimestamp hasTlsHandshakeComplete hasTotalDiscovery hasVerifiableIdentity identityQueryComplete initWithData_ mergeFrom_ modelCode modelName platform readFrom_ rssi sessionID setAwdlVersion_ setBluetoothDiscovery_ setBonjourDiscovery_ setBonjourResolveComplete_ setBonjourTXTRecordDiscovery_ setBrowserID_ setErrorCode_ setErrorDomain_ setHasAwdlVersion_ setHasBluetoothDiscovery_ setHasBonjourDiscovery_ setHasBonjourResolveComplete_ setHasBonjourTXTRecordDiscovery_ setHasErrorCode_ setHasIdentityQueryComplete_ setHasPlatform_ setHasRssi_ setHasTcpConnectionComplete_ setHasTimestamp_ setHasTlsHandshakeComplete_ setHasTotalDiscovery_ setHasVerifiableIdentity_ setIdentityQueryComplete_ setModelCode_ setModelName_ setPlatform_ setRssi_ setSessionID_ setTcpConnectionComplete_ setTimestamp_ setTlsHandshakeComplete_ setTotalDiscovery_ setVerifiableIdentity_ tcpConnectionComplete timestamp tlsHandshakeComplete totalDiscovery verifiableIdentity writeTo_ AWDSharingAirDropSessionInfo bundleID firstDiscovery hasBundleID hasFirstDiscovery hasLegacyMode hasMaxPeersDiscovered hasSessionDuration hasStartTimestamp hasTotalPeersDiscovered hasTransfersCompleted hasTransfersInitiated legacyMode maxPeersDiscovered sessionDuration setBundleID_ setFirstDiscovery_ setHasFirstDiscovery_ setHasLegacyMode_ setHasMaxPeersDiscovered_ setHasSessionDuration_ setHasStartTimestamp_ setHasTotalPeersDiscovered_ setHasTransfersCompleted_ setHasTransfersInitiated_ setLegacyMode_ setMaxPeersDiscovered_ setSessionDuration_ setStartTimestamp_ setTotalPeersDiscovered_ setTransfersCompleted_ setTransfersInitiated_ startTimestamp totalPeersDiscovered transfersCompleted transfersInitiated AWDSharingCloudDatabaseAccountStatusResult accountStatus hasAccountStatus setAccountStatus_ setHasAccountStatus_ AWDSharingCloudDatabasePushReceived anyZone hasAnyZone hasOurZone ourZone setAnyZone_ setHasAnyZone_ setHasOurZone_ setOurZone_ AWDSharingCloudDatabaseRecordFetchResult hasUpdateCount setHasUpdateCount_ setUpdateCount_ updateCount AWDSharingCloudDatabaseRecordSaveResult AWDSharingCloudDatabaseSubscriptionCheckResult found hasCount hasFound setCount_ setFound_ setHasCount_ setHasFound_ AWDSharingCloudDatabaseSubscriptionSaveResult deletedCount hasDeletedCount hasSavedCount savedCount setDeletedCount_ setHasDeletedCount_ setHasSavedCount_ setSavedCount_ AWDSharingCloudDatabaseZoneCheckResult AWDSharingCloudDatabaseZoneSaveResult AWDSharingContinuityKeyboardResult bannerVisibleMs beginEditingCount closeAction directInput endEditingCount externalInput hasBannerVisibleMs hasBeginEditingCount hasCloseAction hasDirectInput hasEndEditingCount hasExternalInput hasMainUIVisibleMs hasOpenAction hasSecureInput hasSessionUUID mainUIVisibleMs openAction secureInput sessionUUID setBannerVisibleMs_ setBeginEditingCount_ setCloseAction_ setDirectInput_ setEndEditingCount_ setExternalInput_ setHasBannerVisibleMs_ setHasBeginEditingCount_ setHasCloseAction_ setHasDirectInput_ setHasEndEditingCount_ setHasExternalInput_ setHasMainUIVisibleMs_ setHasOpenAction_ setHasSecureInput_ setMainUIVisibleMs_ setOpenAction_ setSecureInput_ setSessionUUID_ AWDSharingContinuityKeyboardSettings disabled hasDisabled setDisabled_ setHasDisabled_ AWDSharingContinuityKeyboardTriggered hasSmoothedRSSI setHasSmoothedRSSI_ setSmoothedRSSI_ smoothedRSSI AWDSharingCoordinatedAlertResult activityLevel bestIsMe eventType hasActivityLevel hasBestIsMe hasEventType hasOtherDevices hasSkipScanPhoneCall hasSkipScanVeryActive otherDevices setActivityLevel_ setBestIsMe_ setEventType_ setHasActivityLevel_ setHasBestIsMe_ setHasEventType_ setHasOtherDevices_ setHasSkipScanPhoneCall_ setHasSkipScanVeryActive_ setOtherDevices_ setSkipScanPhoneCall_ setSkipScanVeryActive_ skipScanPhoneCall skipScanVeryActive AWDSharingProximityPairingResult connectErrors hasConnectErrors hasPairingMs hasUserAccepted hasUserResponseMs pairingMs setConnectErrors_ setHasConnectErrors_ setHasPairingMs_ setHasUserAccepted_ setHasUserResponseMs_ setPairingMs_ setUserAccepted_ setUserResponseMs_ userAccepted userResponseMs AWDSharingProximityPairingTriggered deviceRole deviceSide hasDeviceRole hasDeviceSide hasModel hasOutOfBoxMode hasPrimaryLocation hasSecondaryLocation model outOfBoxMode primaryLocation secondaryLocation setDeviceRole_ setDeviceSide_ setHasDeviceRole_ setHasDeviceSide_ setHasOutOfBoxMode_ setHasPrimaryLocation_ setHasSecondaryLocation_ setModel_ setOutOfBoxMode_ setPrimaryLocation_ setSecondaryLocation_ AWDSharingProximityStatusResult dismissType hasDismissType hasVisibleMs setDismissType_ setHasDismissType_ setHasVisibleMs_ setVisibleMs_ visibleMs AWDSharingProximityStatusTriggered audioSourceCount audioState caseBatteryCharging caseBatteryLevel caseBatteryPercent hasAudioSourceCount hasAudioState hasCaseBatteryCharging hasCaseBatteryLevel hasCaseBatteryPercent hasMyBatteryCharging hasMyBatteryLevel hasMyBatteryPercent hasOtherBatteryCharging hasOtherBatteryLevel hasOtherBatteryPercent hasOtherDeviceInCase hasPaired myBatteryCharging myBatteryLevel myBatteryPercent otherBatteryCharging otherBatteryLevel otherBatteryPercent otherDeviceInCase paired setAudioSourceCount_ setAudioState_ setCaseBatteryCharging_ setCaseBatteryLevel_ setCaseBatteryPercent_ setHasAudioSourceCount_ setHasAudioState_ setHasCaseBatteryCharging_ setHasCaseBatteryLevel_ setHasCaseBatteryPercent_ setHasMyBatteryCharging_ setHasMyBatteryLevel_ setHasMyBatteryPercent_ setHasOtherBatteryCharging_ setHasOtherBatteryLevel_ setHasOtherBatteryPercent_ setHasOtherDeviceInCase_ setHasPaired_ setMyBatteryCharging_ setMyBatteryLevel_ setMyBatteryPercent_ setOtherBatteryCharging_ setOtherBatteryLevel_ setOtherBatteryPercent_ setOtherDeviceInCase_ setPaired_ AllocationTotal addAllocation_ allocations compare_ depth initWithAllocation_ passesFilter_ printData_ printIndent printSubcategoryIndent setAllocations_ setDepth_ setTotalBytesLeaked_ setTotalBytesNonLeaked_ setTotalNodesLeaked_ setTotalNodesNonLeaked_ totalBytesLeaked totalBytesNonLeaked totalNodesLeaked totalNodesNonLeaked AllocationTotalDiff initWithBefore_After_ setTotalBytesLeakedDiff_ setTotalBytesNonLeakedDiff_ setTotalNodesLeakedDiff_ setTotalNodesNonLeakedDiff_ totalBytesLeakedDiff totalBytesNonLeakedDiff totalNodesLeakedDiff totalNodesNonLeakedDiff AppleBluetoothHIDDevice _setHIDDevice_ addressString batteryDangerouslyLow batteryLow batteryPercent bluetoothDevice classOfDevice closeDownServices connectToHost_linkKey_ connectedOverUSB connectionCounts_ deleteAllLinkKeys deviceNameChanged_ deviceNameFromHardware disconnect driverClass factoryDefault fullFactoryDefault getFeatureReport_ getFloatFeatureReport_ getMaxDeviceNameLength handoffAndRemoveHost_pageType_deviceAddress_linkKey_ hidDevice hidDeviceInterface hidDeviceInterfaceOpen initWithBluetoothDevice_ initWithHIDDevice_ isCharging isKeyboardDevice isMouseDevice isTrackpadDevice lastActivity manufacturer objectID primaryUsage primaryUsagePage product productID queueEventReceived recantConnection remoteNameRequestComplete_status_ removeCurrentHost reportIDForReportKey_ report_info_ report_reportID_min_max_ representsEventService_ sendCommandFeatureReport_ sendConnectionIntervalUpdate_intervalSlots_transmitAttempts_asymmetricMultiplier_ sendSCODevicePaired sendSCODeviceUnpaired sendSCOLinkActive sendSCOLinkInactive serviceInterestOfType_argument_ setDeviceName_ setFeatureReport_value_ setFeatureWithReportID_value_ setFloatFeatureReport_value_ setLLREnabled_ setUserMode_ startQueue stopQueue suspendDevice_ userMode vendorID vendorIDSource version AppleBluetoothHIDDeviceGen2 _setEventService_ cacheProperties closeDownEventServiceServices handleInterestNotificationForService_type_argument_ initWithEventService_ transport AtherosHostController BluetoothHCIAcceptConnectionRequest_inRole_outConnectionCompleteResults_ BluetoothHCIAcceptSynchronousConnectionRequest_inTransmitBandwidth_inReceiveBandwidth_inMaxLatency_inContentFormat_inRetransmissionEffort_inPacketType_outSynchronousConnectionCompleteResults_ BluetoothHCIAtherosReadRawRSSI_outRSSI_ BluetoothHCIAuthenticationRequested_outAuthenticationCompleteResults_ BluetoothHCIBroadcomARMMemoryPeek_outValue_ BluetoothHCIBroadcomBFCCreateConnection_inPacketType_outConnectionCompleteResults_ BluetoothHCIBroadcomBFCIsConnectionTBFCSuspended_outBFCConnectionInfo_ BluetoothHCIBroadcomBFCReadParams_ BluetoothHCIBroadcomBFCReadRemoteBPCSFeatures_outBPCSFeatures_ BluetoothHCIBroadcomBFCReadScanEnable_ BluetoothHCIBroadcomBFCResume_inDeviceAddress_inBFCResume_ BluetoothHCIBroadcomBFCSetParams_ BluetoothHCIBroadcomBFCSuspend_ BluetoothHCIBroadcomBFCWriteScanEnable_ BluetoothHCIBroadcomChangeLNAGainCoexsECI_ BluetoothHCIBroadcomGetBasicRateACLConnectionStats BluetoothHCIBroadcomGetEDRACLConnectionStats BluetoothHCIBroadcomIgnoreUSBReset_ BluetoothHCIBroadcomIncreaseDecreasePowerLevel_increase_ BluetoothHCIBroadcomNumberCompletedPacketsThreshold_ BluetoothHCIBroadcomReadLocalFirmwareInfo_outLocalFirmwareInfo_ BluetoothHCIBroadcomReadRawRSSI_outRSSI_ BluetoothHCIBroadcomReadRetransmissionStatus_inConnectionHandle_inNotificationEnable_inNotificationThreshold_outConnectionHandle_outRetransmissionCounter_outRetransmissionPercentage_ BluetoothHCIBroadcomResetBasicRateACLConnectionStats BluetoothHCIBroadcomSetEventMask_ BluetoothHCIBroadcomSetProximityTable_inPowerSteps_inAwayTriggerValues_inPresentTriggerValues_ BluetoothHCIBroadcomSetProximityTrigger_inEnableAwayTrigger_ BluetoothHCIBroadcomSetTransmitPower_inPower_ BluetoothHCIBroadcomSetUSBAutoResume_ BluetoothHCIBroadcomTagLEA_connectionHandle_input_channel_ BluetoothHCIBroadcomTurnOFFDynamicPowerControl_inDeviceAddress_ BluetoothHCICSRReadRawRSSI_outRSSI_ BluetoothHCIChangeConnectionLinkKey_outChangeConnectionLinkKeyCompleteResults_ BluetoothHCIChangeConnectionPacketType_inPacketType_outConnectionPacketTypeChangedResults_ BluetoothHCIChangeConnectionPriority_option_ BluetoothHCICommandWriteClass15PowerTable_radioTXPowerMode_powerTableLength_testModePowerTableLength_powerTable_testPowerTable_ BluetoothHCICreateConnectionCancel_ BluetoothHCICreateConnection_inPacketType_inPageScanRepetitionMode_inReserved_inClockOffset_inAllowRoleSwitch_outConnectionCompleteResults_ BluetoothHCICreateNewUnitKey BluetoothHCIDeleteStoredLinkKey_inDeleteAllFlag_outNumKeysDeleted_ BluetoothHCIDisconnect_inReason_outDisconnectionCompleteResults_ BluetoothHCIEnableDeviceUnderTestMode BluetoothHCIEnhancedAcceptSynchronousConnection_inTransmitBandwidth_inReceiveBandwidth_inTransmitCodingFormat_inReceiveCodingFormat_inTransmitCodecFrameSize_inReceiveCodecFrameSize_inInputBandwith_inOutputBandwth_inInputCodingFormat_inOutputCodingFormat_inInputCodedDataSize_inOutputCodedDataSize_inInputPCMDataFormat_inOutputPCMDataFormat_inInputPCMSamplePayloadMSBPosition_inOutputPCMSamplePayloadMSBPosition_inInputDataPath_inOutputDataPath_inInputTransportUnitSize_inOutputTransportUnitSize_inMaxLatency_inVoiceSetting_inRetransmissionEffort_inPacketType_outSynchronousConnectionCompleteResults_ BluetoothHCIEnhancedFlush_inPacketType_outConnectionHandle_ BluetoothHCIEnhancedSetupSynchronousConnection_inTransmitBandwidth_inReceiveBandwidth_inTransmitCodingFormat_inReceiveCodingFormat_inTransmitCodecFrameSize_inReceiveCodecFrameSize_inInputBandwith_inOutputBandwth_inInputCodingFormat_inOutputCodingFormat_inInputCodedDataSize_inOutputCodedDataSize_inInputPCMDataFormat_inOutputPCMDataFormat_inInputPCMSamplePayloadMSBPosition_inOutputPCMSamplePayloadMSBPosition_inInputDataPath_inOutputDataPath_inInputTransportUnitSize_inOutputTransportUnitSize_inMaxLatency_inVoiceSetting_inRetransmissionEffort_inPacketType_outSynchronousConnectionCompleteResults_ BluetoothHCIEventNotification_ BluetoothHCIExitParkState_outModeChangeResults_ BluetoothHCIExitPeriodicInquiryMode BluetoothHCIExitSniffMode_outModeChangeResults_ BluetoothHCIFlowSpecification_outFlowSpecificationCompleteResults_ BluetoothHCIFlush_ BluetoothHCIHoldMode_inHoldModeMaxInterval_inHoldModeMinInterval_outModeChangeResults_ BluetoothHCIHostBufferSize_inHostSynchronousDataPacketLength_inHostTotalNumACLDataPackets_inHostTotalNumSynchronousDataPackets_ BluetoothHCIHostNumberOfCompletedPackets_inHandle_inHostNumOfCompletedPackets_ BluetoothHCIIOCapabilityRequestNegativeReply_inReason_ BluetoothHCIIOCapabilityRequestReply_inIOCapability_inOOBDataPresent_inAuthenticationRequirements_ BluetoothHCIInquiryCancel BluetoothHCIInquiry_inInquiryLength_inNumResponses_outInquiryResults_ BluetoothHCILEAddDeviceToWhiteList_address_ BluetoothHCILEAdvPacketContentFilterFeatureSectionClear_addressType_outLEextOpcode_outAction_ BluetoothHCILEAdvPacketContentFilterFeatureSectionRead_addressType_outLEextOpcode_outAction_outFeatureSelection_outLogicalType_ BluetoothHCILEAdvPacketContentFilterFeatureSectionWrite_addressType_featureSelection_logicalType_outLEextOpcode_outAction_ BluetoothHCILEAdvPacketPacketFilterServiceUUIDClear_addressType_outLEextOpcode_outAction_ BluetoothHCILEAdvPacketPacketFilterServiceUUIDWrite_addressType_logicalType_outLEextOpcode_outAction_UUID_ BluetoothHCILEBroadcomAddIRKToList_addressType_address_outLEextOpcode_outIRKListAvailableSpace_ BluetoothHCILEBroadcomClearIRKList_outIRKListAvailableSpace_ BluetoothHCILEBroadcomEnableCustomerSpecificFeatures_outLEextOpcode_ BluetoothHCILEBroadcomReadIRKList_outLEextOpcode_outIRKListIndex_outIRK_outAddressType_outAddress_outResolvedPrivateAddress_ BluetoothHCILEBroadcomRemoveIRKFromList_address_outLEextOpcode_outIRKListAvailableSpace_ BluetoothHCILEClearWhiteList BluetoothHCILEConnectionUpdate_connectionIntervalMin_connectionIntervalMax_connectionLatency_supervisionTimeout_minimumCELength_maximumCELength_ BluetoothHCILECreateConnectionCancel BluetoothHCILECreateConnection_LEScanWindow_initiatorFilterPolicy_peerAddressType_peerAddress_ownAddressType_connectionIntervalMin_connectionIntervalMax_connectionLatency_supervisionTimeout_minimumCELength_maximumCELength_ BluetoothHCILECreateExtendedAdvertisingInstance_address_outLEextOpcode_outHandle_ BluetoothHCILEEncrypt_plaintextData_encryptedData_ BluetoothHCILEExtendedDuplicateFilter_outAction_ BluetoothHCILELongTermKeyRequestNegativeReply_ BluetoothHCILELongTermKeyRequestReply_longTermKey_ BluetoothHCILERand_ BluetoothHCILEReadAdvertisingChannelTxPower_ BluetoothHCILEReadBufferSize_totalNumberLEDataPackets_ BluetoothHCILEReadChannelMap_channelMap_ BluetoothHCILEReadLocalSupportedFeatures_ BluetoothHCILEReadMaximumDataLength_supportedMaxTxTime_supportedMaxRxOctets_supportedMaxRxTime_ BluetoothHCILEReadRemoteUsedFeatures_ BluetoothHCILEReadSuggestedDefaultDataLength_maxTxTime_ BluetoothHCILEReadSupportedStates_ BluetoothHCILEReadWhiteListSize_ BluetoothHCILEReceiverTest_ BluetoothHCILERemoveDeviceFromWhiteList_address_ BluetoothHCILERemoveExtendedAdvertisingInstance_outLEextOpcode_ BluetoothHCILEScanCache_ BluetoothHCILEScanRSSIThresholdRead_outMode_outRSSIThreshold_ BluetoothHCILEScanRSSIThresholdWrite_rssiThresdhold_outAction_ BluetoothHCILESetAdvertiseEnable_ BluetoothHCILESetAdvertisingData_advertsingData_ BluetoothHCILESetAdvertisingParameters_advertisingIntervalMax_advertisingType_ownAddressType_directAddressType_directAddress_advertisingChannelMap_advertisingFilterPolicy_ BluetoothHCILESetDataLength_maxTxOctets_maxTxTime_connectionHandle_ BluetoothHCILESetEventMask_ BluetoothHCILESetExtendedAdvertiseEnable_advertiseEnable_timeout_timeoutEvent_ BluetoothHCILESetExtendedAdvertisingData_advertisingDataLength_advertsingData_ BluetoothHCILESetExtendedAdvertisingParameters_advertisingIntervalMin_advertisingIntervalMax_advertisingType_advertisingChannelMap_advertisingFilterPolicy_ BluetoothHCILESetExtendedScanResponseData_scanResponseDataLength_scanResponseData_ BluetoothHCILESetHostChannelClassification_ BluetoothHCILESetRandomAddress_ BluetoothHCILESetScanEnable_filterDuplicates_ BluetoothHCILESetScanParameters_LEScanInterval_LEScanWindow_ownAddressType_scanningFilterPolicy_ BluetoothHCILESetScanResponseData_scanResponseData_ BluetoothHCILEStartEncryption_randomNumber_encryptedDiversifier_longTermKey_ BluetoothHCILETestEnd_ BluetoothHCILETrackSensor_addressType_timeoutValue_outLEextOpcode_ BluetoothHCILETransmitterTest_lengthOfTestData_packetPayload_ BluetoothHCILEWriteSuggestedDefaultDataLength_suggestedMaxTxTime_ BluetoothHCILinkKeyRequestNegativeReply_ BluetoothHCILinkKeyRequestReply_inLinkKey_ BluetoothHCIMasterLinkKey_outMasterLinkKeyCompleteResults_ BluetoothHCIPINCodeRequestNegativeReply_ BluetoothHCIPINCodeRequestReply_inPINCodeLength_inPINCode_ BluetoothHCIParkState_inBeaconMaxInterval_inBeaconMinInterval_outModeChangeResults_ BluetoothHCIPeriodicInquiryMode_inMinPeriodLength_inLAP_inInquiryLength_inNumResponses_outInquiryResults_ BluetoothHCIQoSSetup_inFlags_inServiceType_inTokenRate_inPeakBandwidth_inLatency_inDelayVariation_outQoSSetupCompleteResults_ BluetoothHCIReadAFHChannelAssessmentMode_ BluetoothHCIReadAFHChannelMap_outAFHMode_outAFHChannelMap_ BluetoothHCIReadAuthenticationEnable_ BluetoothHCIReadAutomaticFlushTimeout_outFlushTimeout_ BluetoothHCIReadBufferSize_outHCSynchronousDataPacketLength_outHCTotalNumACLDataPackets_outHCTotalNumSynchronousDataPackets_ BluetoothHCIReadClassOfDevice_ BluetoothHCIReadClockOffset_outReadClockOffsetCompleteResults_ BluetoothHCIReadClock_inWhichClock_outReadClockInfo_ BluetoothHCIReadConnectionAcceptTimeout_ BluetoothHCIReadCurrentIACLAP_ BluetoothHCIReadDefaultErroneousDataReporting_ BluetoothHCIReadDefaultLinkPolicySettings_ BluetoothHCIReadDeviceAddress_ BluetoothHCIReadExtendedInquiryResponse_outExtendedInquiryResponse_ BluetoothHCIReadFailedContactCounter_outFailedContactCounter_ BluetoothHCIReadHoldModeActivity_ BluetoothHCIReadInquiryMode_ BluetoothHCIReadInquiryResponseTransmitPowerLevel_ BluetoothHCIReadInquiryScanActivity_outInquiryScanWindow_ BluetoothHCIReadInquiryScanType_ BluetoothHCIReadLEHostSupported_simultaneousLEHost_ BluetoothHCIReadLMPHandle_outReadLMPHandleResults_ BluetoothHCIReadLinkPolicySettings_outLinkPolicySettings_ BluetoothHCIReadLinkQuality_outLinkQuality_ BluetoothHCIReadLinkSupervisionTimeout_outLinkSupervisionTimeout_ BluetoothHCIReadLocalExtendedFeatures_outMaximumPageNumber_outExtendedLMPFeatures_ BluetoothHCIReadLocalName_ BluetoothHCIReadLocalOOBData_outR_ BluetoothHCIReadLocalSupportedCommands_ BluetoothHCIReadLocalSupportedFeatures_ BluetoothHCIReadLocalVersionInformation_outHCIRevision_outLMPVersion_outManufacturerName_outLMPSubversion_ BluetoothHCIReadLoopbackMode_ BluetoothHCIReadNumBroadcastRetransmissions_ BluetoothHCIReadNumberOfSupportedIAC_ BluetoothHCIReadPINType_ BluetoothHCIReadPageScanActivity_outPageScanWindow_ BluetoothHCIReadPageScanType_ BluetoothHCIReadPageTimeout_ BluetoothHCIReadRSSI_outRSSI_ BluetoothHCIReadRemoteExtendedFeatures_inPageNumber_outReadRemoteExtendedFeaturesCompleteResults_ BluetoothHCIReadRemoteSupportedFeatures_outReadRemoteSupportedFeaturesCompleteResults_ BluetoothHCIReadRemoteVersionInformation_outReadRemoteVersionInformationCompleteResults_ BluetoothHCIReadScanEnable_ BluetoothHCIReadSimplePairingMode_ BluetoothHCIReadStoredLinkKey_inReadAllFlag_outStoredLinkKeysInfo_ BluetoothHCIReadSynchronousFlowControlEnable_ BluetoothHCIReadTransmitPowerLevel_inType_outTransmitPowerLevel_ BluetoothHCIReadVoiceSetting_ BluetoothHCIRefreshEncryptionKey_outRefreshEncryptionKeyResults_ BluetoothHCIRejectConnectionRequest_inReason_outConnectionCompleteResults_ BluetoothHCIRejectSynchronousConnectionRequest_inReason_outSynchronousConnectionCompleteResults_ BluetoothHCIRemoteNameRequestCancel_ BluetoothHCIRemoteNameRequest_inPageScanRepetitionMode_inReserved_inClockOffset_outRemoteNameRequestCompleteResults_ BluetoothHCIRemoteOOBDataRequestNegativeReply_ BluetoothHCIRemoteOOBDataRequestReply_inC_inR_ BluetoothHCIReset BluetoothHCIResetFailedContactCounter_ BluetoothHCIRoleDiscovery_outCurrentRole_ BluetoothHCISendKeypressNotification_inNotificationType_ BluetoothHCISetAFHHostChannelClassification_ BluetoothHCISetConnectionEncryption_inEncryptionEnable_outEncryptionChangeResults_ BluetoothHCISetControllerToHostFlowControl_ BluetoothHCISetEventFilter_inFilterConditionType_inCondition_ BluetoothHCISetEventMask_ BluetoothHCISetMinAFHChannels_ BluetoothHCISetSpecialSniffTransitionEnable_enable_ BluetoothHCISetupSynchronousConnection_inTransmitBandwidth_inReceiveBandwidth_inMaxLatency_inVoiceSetting_inRetransmissionEffort_inPacketType_outSynchronousConnectionCompleteResults_ BluetoothHCISniffMode_inSniffMaxInterval_inSniffMinInterval_inSniffAttempt_inSniffTimeout_outModeChangeResults_ BluetoothHCISniffSubrating_inMaximumLatency_inMinimumRemoteTimeout_inMinimumLocalTimeout_outConnectionHandle_ BluetoothHCISwitchRole_inRole_outRoleChangeResults_ BluetoothHCIUserConfirmationRequestNegativeReply_ BluetoothHCIUserConfirmationRequestReply_ BluetoothHCIUserPasskeyRequestNegativeReply_ BluetoothHCIUserPasskeyRequestReply_inNumericValue_ BluetoothHCIWriteAFHChannelAssessmentMode_ BluetoothHCIWriteAuthenticationEnable_ BluetoothHCIWriteAutomaticFlushTimeout_inFlushTimeout_ BluetoothHCIWriteClassOfDevice_ BluetoothHCIWriteConnectionAcceptTimeout_ BluetoothHCIWriteCurrentIACLAP_ BluetoothHCIWriteDefaultErroneousDataReporting_ BluetoothHCIWriteDefaultLinkPolicySettings_ BluetoothHCIWriteExtendedInquiryResponse_inExtendedInquiryResponse_ BluetoothHCIWriteHoldModeActivity_ BluetoothHCIWriteInquiryMode_ BluetoothHCIWriteInquiryScanActivity_inInquiryScanWindow_ BluetoothHCIWriteInquiryScanType_ BluetoothHCIWriteInquiryTransmitPowerLevel_ BluetoothHCIWriteLEHostSupported_simultaneousLEHost_ BluetoothHCIWriteLinkPolicySettings_inLinkPolicySettings_ BluetoothHCIWriteLinkSupervisionTimeout_inLinkSupervisionTimeout_ BluetoothHCIWriteLocalName_ BluetoothHCIWriteLoopbackMode_ BluetoothHCIWriteNumBroadcastRetransmissions_ BluetoothHCIWritePINType_ BluetoothHCIWritePageScanActivity_inPageScanWindow_ BluetoothHCIWritePageScanType_ BluetoothHCIWritePageTimeout_ BluetoothHCIWriteScanEnable_ BluetoothHCIWriteSimplePairingDebugMode_ BluetoothHCIWriteSimplePairingMode_ BluetoothHCIWriteStoredLinkKey_inDeviceAddress_inLinkKey_outNumKeysWritten_ BluetoothHCIWriteSynchronousFlowControlEnable_ BluetoothHCIWriteVoiceSetting_ BluetoothHostControllerDoNotTickleDisplay BluetoothHostControllerSetupCompleted BroadcomHCILEAddAdvancedMatchingRuleWithAddress_address_blob_mask_RSSIThreshold_packetType_matchingCapacity_matchingRemaining_ BroadcomHCILEAddAdvancedMatchingRule_mask_RSSIThreshold_packetType_matchingCapacity_matchingRemaining_ BroadcomHCILERemoveAdvancedMatchingRuleWithAddress_address_blob_mask_RSSIThreshold_packetType_matchingCapacity_matchingRemaining_ BroadcomHCILERemoveAdvancedMatchingRule_mask_RSSIThreshold_packetType_matchingCapacity_matchingRemaining_ BroadcomHCILEResetAdvancedMatchingRules_matchingRemaining_ USBProductID USBVendorID addDeviceToOutstandingRequests_forHCIRequestID_ addHIDEmulationDevice_classOfDevice_linkKey_ addressAsString asyncHCIEventNotificationWithRef_subClass_data_dataSize_ cachedDeviceAddress cachedDeviceAddressString cachedHCIVersion concurrentCreateConnectionSupported configState delegate enableRemoteWake_ featureFlags getAddress_ getControllerManufacturerName getDeviceForHCIRequestID_removeIfFound_ getDiagnosticInfo isLEASupported isReady lowEnergySupported nameAsString pairedDeviceSupportTBFCPage powerChangeSupported powerState processRawEventData_dataSize_ readHIDEmulationDevices readRawRSSIForDevice_ readVerboseConfigVersionInfo_outTargetID_outBaseline_outBuild_ releaseRequest_ removeHIDEmulationDevice_ requestWithTimeout_isSynchronous_device_ sendInquiryResultToDelegate_ setClassOfDevice_forTimeInterval_ setDelegate_ setPowerState_ setProperty_forKey_ setTransmitPowerForDevice_toLevel_ softwareVersion_firmwareVersion_ startReceiveTest_reportPeriod_frequency_modulationType_logicalChannel_packetType_packetLength_ startTransmitTest_hoppingMode_frequency_modulationType_logicalChannel_packetType_packetLength_transmitPower_transmitPowerdBm_transmitPowerTableIndex_transmitConnectionInterval_ stopHCIEventListener superPeekPoke_address_outValue_ supportedFeatures tbfcPageSupported tbfcSupported triStateEnabled_ AutoCropper clusterRects_ computeClippingWithinSize_andImportantRect_ computeClippingWithinSize_andImportantRects_ computeClippingWithinSize_forImportantRect_andType_restrictRect_ computeClippingWithinSize_forMultipleRects_ determineBestPositionWithinSize_forImportantRect_restrictRect_ expandRect_toContainRect_ getRatioOfSize_ originalImageSize rectContainingRect_andOtherRect_ rectWithSize_andPoint_inPosition_fromOriginalSize_ scaleRect_byScale_ scaleRect_toFitSize_withAnchorPoint_ setOriginalImageSize_ setShouldFavorBottom_ setShouldFavorTop_ shouldFavorBottom shouldFavorTop BNEPControl BTPrivilegedMachBootstrapServer portForName_ portForName_host_ portForName_onHost_ portForName_options_ registerPort_forName_ registerPort_name_ removePortForName_ servicePortWithName_ BUCocoaWindowController interceptsWindowClose_ windowDidEndLiveResize_ windowWillChangeFrame_toFrame_ windowWillStartLiveResize_ BUStarfieldTimelineLayer CAMLParser_setValue_forKey_ NS_activeVisibleRect NS_alignedDisplayRect NS_alignedRect NS_backingLayerContentsClass NS_canDraw NS_contentsAligningEnabled NS_contentsScaleSize NS_convertRectFromDisplay_ NS_convertRectToDisplay_ NS_defersTransformInvalidation NS_didChangeDefaultContentsScale_ NS_displayAlignedRect_ NS_displayAlignedRect_options_ NS_displayContentsScale NS_displayRect NS_displayUsingContentsAligning NS_dropPrefetchedContentsIfNecessary NS_focusContext NS_hasPartialPrefetchedContentsForRect_ NS_hasPrefetchedContents NS_hasPrefetchedContentsForRect_ NS_invalidatePreparedContentRect NS_isPurged NS_isVisibleTile NS_makeContentsLayer NS_managesOpenGLDrawable NS_needsLinearMaskOverlayForFontSmoothing NS_prefetchContentsIfNecessary NS_prefetchContentsInRect_scrollVelocity_ NS_prepareContentRect_ NS_prepareForDisplayUsingContentsAligning NS_renderedRectInRect_scrollVelocity_ NS_setDefersTransformInvalidation_ NS_setIsScrolling_ NS_setNeedsDisplayInRectUsingContentsAligning_ NS_setPreparedContentRect_ NS_setPresentationRect_ NS_setPurged_ NS_setVisibleTile_ NS_shouldChangeFontSmoothing NS_shouldUseContentsAligning NS_showPrefetchedContentsIfNecessaryInRect_ NS_suggestedContentsScale NS_suggestedContentsScaleSize NS_updateContentsTransformForContentsAligning NS_updateOpaqueForContentsAligning NS_usesLinearMaskOverlay NS_visibleRect NS_wantsToPrefetchTiles NS_willDisplayWithoutContentsAligning _NS_accumulateSuggestedScaleBelow__ _NS_accumulateSuggestedScale__ _NS_dumpContents _NS_invalidateSuggestedContentsScale _NS_subtreeDescription _NS_subtreeDescriptionWithIndent_ _canDisplayConcurrently _cancelAnimationTimer _colorSpaceDidChange _contentsFormatDidChange_ _copyRenderLayer_layerFlags_commitFlags_ _dealloc _defersDidBecomeVisiblePostCommit _didCommitLayer_ _display _initWithReference_ _preferredSize _prepareContext_ _renderBackgroundInContext_ _renderBorderInContext_ _renderForegroundInContext_ _renderImageCopyFlags _renderLayerDefinesProperty_ _renderLayerPropertyAnimationFlags_ _renderSublayersInContext_ _retainColorSpace _scheduleAnimationTimer _scrollPoint_fromLayer_ _scrollRect_fromLayer_ _setView_ _view _visibleRectOfLayer_ aboutToTearDown acceleratesDrawing accessibilityActionDescription_ accessibilityActionNames accessibilityAttributeNames accessibilityAttributeValue_ accessibilityFocusedUIElement accessibilityHitTest_ accessibilityIsAttributeSettable_ accessibilityIsIgnored accessibilityPerformAction_ accessibilitySetValue_forAttribute_ actionForKey_ actions addAnimation_forKey_ addConstraint_ addState_ addSublayer_ affineTransform allowsContentsRectCornerMasking allowsDisplayCompositing allowsEdgeAntialiasing allowsGroupBlending allowsGroupOpacity allowsHitTesting ancestorSharedWithLayer_ anchorPoint anchorPointZ animationForKey_ animationKeys attributesForKeyPath_ autoresizingMask autoreverses backgroundColor backgroundColorPhase backgroundFilters beginTime behaviors borderColor borderWidth bounds canDrawConcurrently clearHasBeenCommitted clearsContext coefficientOfRestitution compositingFilter containsPoint_ contents contentsAreFlipped contentsCenter contentsContainsSubtitles contentsDither contentsFormat contentsGravity contentsMultiplyColor contentsOpaque contentsRect contentsScale contentsScaling contentsTransform context convertPoint_fromLayer_ convertPoint_toLayer_ convertRect_fromLayer_ convertRect_toLayer_ convertTime_fromLayer_ convertTime_toLayer_ cornerContents cornerContentsCenter cornerContentsMasksEdges cornerRadius dependentStatesOfState_ display displayIfNeeded doubleSided drawInContext_ drawsAsynchronously drawsMipmapLevels duration edgeAntialiasingMask fillMode filters floating frame getRendererInfo_size_ handleReloadData hasBeenCommitted hidden hitTest_ hitTestsAsOpaque ignoresHitTesting implicitAnimationForKeyPath_ initWithLayer_ insertState_atIndex_ insertSublayer_above_ insertSublayer_atIndex_ insertSublayer_below_ invalidateContents invertsShadow isDescendantOf_ isDoubleSided isFlipped isFloating isFrozen isGeometryFlipped isHidden isOpaque layerAtTime_ layerBeingDrawn layerDidBecomeVisible_ layerDidChangeDisplay_ layoutBelowIfNeeded layoutIfNeeded layoutIsActive layoutManager layoutSublayers lights literalContentsCenter magnificationFilter mask maskedCorners masksToBounds mass meshTransform minificationFilter minificationFilterBias modelLayer momentOfInertia motionBlurAmount mouseDown_atLocation_ mouseDragged_toLocation_ mouseMoved_toLocation_ mouseUp_atLocation_ needsDisplay needsDisplayOnBoundsChange needsLayout needsLayoutOnGeometryChange notifyItemWasSelected_ opacity opaque position preferredFrameSize preloadsCache presentationLayer privateData rasterizationPrefersDisplayCompositing rasterizationScale regionBeingDrawn reloadData reloadValueForKeyPath_ removeAllAnimations removeAnimationForKey_ removeFromSuperlayer removeState_ renderInContext_ repeatCount repeatDuration replaceSublayer_with_ resizeSublayersWithOldSize_ resizeWithOldSuperlayerSize_ scrollPoint_ scrollRectToVisible_ scrollWheel_atLocation_byDelta_ selectedItem setAcceleratesDrawing_ setActions_ setAffineTransform_ setAllowsContentsRectCornerMasking_ setAllowsDisplayCompositing_ setAllowsEdgeAntialiasing_ setAllowsGroupBlending_ setAllowsGroupOpacity_ setAllowsHitTesting_ setAnchorPointZ_ setAnchorPoint_ setAutoresizingMask_ setAutoreverses_ setBackgroundColorPhase_ setBackgroundColor_ setBackgroundFilters_ setBeginTime_ setBehaviors_ setBorderColor_ setBorderWidth_ setBounds_ setCanDrawConcurrently_ setClearsContext_ setCoefficientOfRestitution_ setCompositingFilter_ setContentsCenter_ setContentsChanged setContentsContainsSubtitles_ setContentsDither_ setContentsFormat_ setContentsGravity_ setContentsMultiplyColor_ setContentsOpaque_ setContentsRect_ setContentsScale_ setContentsScaling_ setContentsTransform_ setContents_ setCornerContentsCenter_ setCornerContentsMasksEdges_ setCornerContents_ setCornerRadius_ setDoubleSided_ setDrawsAsynchronously_ setDuration_ setEdgeAntialiasingMask_ setFillMode_ setFilters_ setFlipped_ setFloating_ setFrame_ setFrozen_ setGeometryFlipped_ setHidden_ setHitTestsAsOpaque_ setInvertsShadow_ setLayoutManager_ setLights_ setLiteralContentsCenter_ setMagnificationFilter_ setMask_ setMaskedCorners_ setMasksToBounds_ setMass_ setMeshTransform_ setMinificationFilterBias_ setMinificationFilter_ setMomentOfInertia_ setMotionBlurAmount_ setNeedsDisplay setNeedsDisplayInRect_ setNeedsDisplayOnBoundsChange_ setNeedsLayout setNeedsLayoutOnGeometryChange_ setOpacity_ setOpaque_ setPosition_ setPreloadsCache_ setRasterizationPrefersDisplayCompositing_ setRasterizationScale_ setRepeatCount_ setRepeatDuration_ setSelectedItem_ setShadowColor_ setShadowOffset_ setShadowOpacity_ setShadowPathIsBounds_ setShadowPath_ setShadowRadius_ setShouldRasterize_ setSizeRequisition_ setSortsSublayers_ setSpeed_ setStyle_ setSublayerTransform_ setSublayers_ setTimeOffset_ setTimelineDataSource_ setTimelineDelegate_ setTransform_ setVelocityStretch_ setWantsExtendedDynamicRangeContent_ setZPosition_ shadowColor shadowOffset shadowOpacity shadowPath shadowPathIsBounds shadowRadius shouldArchiveValueForKey_ shouldRasterize size sizeRequisition sortsSublayers speed stateTransitionFrom_to_ stateWithName_ style sublayerEnumerator sublayerTransform sublayers superlayer tearDownPrivateData timeOffset timelineControl timelineDataSource timelineDelegate transform velocityStretch visibleRect wantsExtendedDynamicRangeContent zPosition BU_Button NS_canDrawLayer_ _CAViewDrawIntoWindow _CAViewFlags _NSView_isWebClipView _abortEditingIfFirstResponderIsASubview _accessibilityBasicHitTest_ _accessibilityEnclosingTableRow _accessibilityEnclosingTableView _accessibilityLabel _accessibilityParentForSubview_ _accessibilityShowMenu_ _actuallyUpdateFrameFromLayoutEngineForSize_origin_ _addChildRelationshipNode_ _addCornerDirtyRectForRect_list_count_ _addLayerToParentLayer _addRevealoverIfNecessaryForCell_cellRect_ _addSubview_ _addToOrphanList _addToolTipRect_displayDelegate_displayInfo_ _addTrackingRect_owner_userData_assumeInside_useTrackingNum_ _addTrackingRects_owner_userDataList_assumeInsideList_trackingNums_count_ _addTrackingTag_ _addWindowBackdropIfNeededForVibrancy_ _alignmentBounds _alignmentBoundsForPopover _alignmentFrame _alignmentRectForBounds_ _allocAuxiliary_ _allowImplicitInclusiveLayeringForResponsiveScrolling _allowsContextMenus _ancestorForStartOfDisplayRecursion _animatingFrameSize _animatorClass _appearanceBearingParent _appkitManagesLayer _attemptConcurrentViewDrawingForSelfAndDescendants _autoDrawConcurrently _autoInvalidateAfterFrameSizeChange _autoInvalidateBeforeFrameSizeChange _autoSettingWantsLayer _autoSizeView_____ _autolayoutTrace _automaticFocusRingDisabled _autoresizingConstraints _autoresizingConstraintsAreUpdated _autoresizingConstraints_frameDidChange _autoscalesBoundsToPixelUnits _autoscrollAmountForEvent_ _autoscrollAmountForTouch_ _autoscrollAmountForWindowPoint_ _autoscrollForDraggingInfo_timeDelta_ _autoscrollScreenEdgeFactorFromPoint_ _backgroundColorForFontSmoothing _backingScaleFactorForDrawing _baseScaleFactor _becomeCurrentUserActivityIfNecessary _beginAnimatingFrame _behindWindowVisualEffectLayoutRect _betterCacheDisplayInRect_toBitmapImageRep_ _bitmapImageRepForCachingDisplayInRect_colorSpace_ _bitmapImageRepForCachingDisplayInRect_toRect_colorSpace_ _boundToHIView _boundsForAlignmentRect_ _briefDescription _briefDescriptionForLogging_ _buttonOfClass_action_ _calcHeightsWithMargin_operation_ _calcMarginSize_operation_ _calcWidthsWithMargin_operation_ _callUpdateFrameFromLayoutEngineOnSubviews _canAnimateResizeUsingCachedContents _canAutoLayerBackBorderView _canBecomeDefaultButton _canCopyOnScroll _canDisableBaseVibrancy _canDrawWindowGrowBox _canOptimizeDrawing _canPreserveContentDuringLiveResize _canShowExpansionTooltips _canSubtreeUseInclusiveLayersAutomatically _captureVisibleIntoLiveResizeCache _changePersistentKeyPathObservationTo_ _checkForOverriddenIsFlipped _childRelationshipNodes _childrenGainedLayerTreeAncestor _childrenLostLayerTreeAncestor _classSetToIgnoreForAuditing _classToCheckForWantsUpdateLayer _cleanUpUserActivity _clearDirtyRectsForLockedTree _clearDirtyRectsForTree _clearDirtyRectsForTreeInRect_ _clearHasBeenCommittedIfNeeded _clearMouseTrackingForCell_ _clearPostponedSurfaceSync _clearRememberedEditingFirstResponder _clipPath _clipViewAncestor _clipViewAncestorDidScroll_ _clipViewAncestorWillScroll_ _clipViewShouldClipFocusRing _collectDescendantsNeedingLayout_ _collectDescendantsNeedingUpdateConstraints_ _collectedViewsWaitingForConstraintsFinished _collectionViewLayoutAttributes _commonAwake _commonControlInit _commonEarlyInit _complainAboutImproperDeclaredConstraintInvalidation _compositeHiddenViewHighlight _computeBounds _concludeDefaultKeyLoopComputation _constraintsArray _constraintsEquivalentToAutoresizingMask _constraintsReferencingItem_ _constraints_didChangeAutoresizingConstraintsArrayForContainedView_ _constraints_frameDidChange _constraints_snipDangliesWithForce_ _constraints_subviewDidChangeSuperview_ _constraints_subviewWillChangeSuperview_ _constraints_viewGeometryDidChange _constraints_willChangeAutoresizingConstraintsArrayForContainedView_ _containingBackdropView _contentCompressionResistancePriorities _contentHuggingDefault_isUsuallyFixedHeight _contentHuggingDefault_isUsuallyFixedWidth _contentHuggingPriorities _contentSizeConstraints _contextForLockFocus_ _contextMenuTargetForEvent_ _continueBeginTouch_ _convertPointFromIntegralizationSpace_ _convertPointFromSuperview_test_ _convertPointToIntegralizationSpace_ _convertPointToSuperview_ _convertPoint_fromAncestor_ _convertPoint_toAncestor_ _convertRectFromIntegralizationSpace_ _convertRectFromSuperview_test_ _convertRectToIntegralizationSpace_ _convertRectToSuperview_ _convertRect_fromAncestor_ _convertRect_toAncestor_ _convertSizeFromIntegralizationSpace_ _convertSizeToIntegralizationSpace_ _copyDragRegion _copyForCurrentOperation _copyPersistentUIChildren _copySubviewsArray _copySubviewsInOrderOfDisplay _crackPoint_ _crackRect_ _crackSize_ _createLayer _createLayerAndInitialize _createLayerIfNeeded _cui_alignmentRectInsets _cui_artworkMetrics _cui_availableMetrics _cui_floatValueMetricForKey_defaultValue_ _cui_intrinsicContentSize _cui_invalidateCurrentState _cui_optionsForCurrentState _cui_sizeValueMetricForKey_defaultValue_ _currentScrollVelocity _debug_drawMetricsOverlays _debug_showAllDrawingDrawRect_ _debug_updateLayerMetricsOverlays _declaredConstraints _defaultContentCompressionResistancePriorities _defaultContentHuggingPriorities _defaultLayerContentsRedrawPolicy _defaultLayoutDescription _delayedEnableRevealoverComputationAfterScrollWheel_ _depthFirstCompare_ _descendantWithAmbiguousLayout _descendantsPassingTest_ _descriptionForLayoutTrace _desiredLayerBounds _desiredSurfaceResolution _didChangeAutoSetWantsLayer_ _didChangeHostsAutolayoutEngineTo_ _didEndMagnifying _didEndScrolling _didMagnify _didMeasureMinSizeForFullscreen _didRemoveLayer _didResizeSubviewsWithOldSize _didRestoreUserActivity_ _dirtyAutomaticInclusiveLayersForRectsBeingDrawn _dirtyAutomaticInclusiveLayersInRect_ _dirtyRect _dirtyRectIvar _dirtyRegion _dirtyRegionIvar _disableTrackingArea_ _disableTrackingRectsIfHidden _discardBackingLayerContents _discardEngine_ _dismissGestureRecognizers _displayRectIgnoringOpacity_isVisibleRect_rectIsVisibleRectForView_ _displayingAllDirty _doCrossFadeFromView_toView_ _doIdlePrefetch _doLayout _doSetWantsLayerNO _doSetWantsLayerYES _doSlideAnimation_fromView_toView_ _dontSuppressLayerAnimation _dragTypes _draggableFrame _drawAsMultiClippedContentInRect_ _drawDelegate _drawExpansionToolTipInView_usingCell_ _drawFocusRingDebugAroundRect_ _drawLayerInContext_ _drawLiveResizeCachedImage _drawLiveResizeCachedImage_cachedFrame_ _drawMetricsOverlays _drawOverlayRectSet_ _drawRectAsLayerTree_ _drawRectBasedDisplayRectIgnoringOpacity_inContext_ _drawRectIfEmpty _drawRectIfEmptyWhenSubviewsCoverDirtyRect_ _drawRect_clip_ _drawRect_liveResizeCacheCoveredArea_ _drawRect_liveResizeFill____cacheCoveredArea_ _drawScrollViewFocusRing_clipRect_needsFullDisplay_ _drawSurroundingOutline _drawTimeStatsDescription _drawViewBackingLayer_inContext_drawingHandler_ _drawView_ _drawingByHIView _drawingIntoLayer _drawnByAncestor _drawsNothing _drawsOwnDescendants _drawsWithTintWhenHidden _dropLayerBacking _dropLayerBackingWithoutFlushDisable _dumpLayer _dumpLayerToFilename_ _dynamicToolTipManager _editingFirstResponderIfIsASubview _effectiveAutoresizingMask _effectiveAutoresizingMask_autoresizesSubviewsChanged _effectiveFocusRingType _effectiveLayerBoundsForTransforms _effectiveSemanticContext _effectiveShouldUsePointIntegralizationForLayout _enableOrDisableTrackingArea_ _enableOrDisableTrackingAreas _enableTrackingArea_ _enableTrackingRectsIfNotHidden _encapsulatesSubtreeLayout _enclosingMenuItem _enclosingScrollViewIfDocumentView _encodeObjectIntoRestorableState_forKey_ _endAnimatingFrame _endEditingIfFirstResponderIsASubview _endLiveAnimation _endLiveResize _endLiveResizeAsTopLevel _engageAutolayout _engineHostConstraints _engineHostConstraints_frameDidChange _engineHostingView _ensureSubviewNextKeyViewsAreSubviews _enumerateVisibleDescendantsThatOverlapRect_inFrontOfSubview_recurseUp_usingBlock_ _expandAndConstrainRect_byAmount_ _farthestAncestorOfClass_ _finalize _findControlWithStringValuePrefix_ _findCurrentEditor _findLastViewInKeyViewLoop _findLastViewInKeyViewLoopStartingAtView_ _findViewPassingTest_ _finishedMakingConnections _flipContextIfNeededWhenRootView_ _focusFromView_withContext_ _focusInto_withClip_ _focusRingBleedRegion _focusRingClipAncestor _focusRingVisibleRect _forceUpdateLayerTreeRenderer _frameAnimationCount _gainedDescendantThatCanDrawConcurrently _gainedLayerTreeHostAncestor _gatherFocusStateInto_upTo_withContext_ _gatherSurfacesIntersectingWindowRect_into_ _generateContentSizeConstraints _generateDraggingImageComponentWithKey_withMainDragView_ _gestureRecognizers _getDirtyRects_clippedToRect_count_boundingBox_ _getDrawMatrix _getNextResizeEventFromMask_invalidatingLiveResizeCacheIfNecessary_ _getNextResizeEventInvalidatingLiveResizeCacheIfNecessary_ _getPageHeaderRect_pageFooterRect_forBorderSize_ _getRidOfCacheAndMarkYourselfAsDirty _handleBoundsChangeForSubview_ _handleFrameChangeForSubview_ _handleRootLayerBoundsChange _hasActiveDragTypes _hasAtLeastOneBackdropView _hasAutoCanDrawSubviewsIntoLayer _hasAutoSetWantsLayer _hasCachedContainingBackdropView _hasCanDrawSubviewsIntoLayerAncestor _hasCanDrawSubviewsIntoLayerOrAncestor _hasDrawMatrix _hasEditableCell _hasEverHadInvalidRestorableState _hasExtra10_11BordersInToolbars _hasInvalidRestorableState _hasLegacyExternalFocusRingThatWasNormallyDrawnManually _hasRectangularFocusRingAroundFrame _hasSetMaxLayoutWidth _hasToolTip _heightVariable _highlightColorForCell_ _hitTestToBlockWindowResizing_forResizeDirection_ _hitTest_dragTypes_ _hostedLayoutEngineOverride _hostsAutolayoutEngine _ignoreAudit _ignoreBadFirstResponders _ignoreForKeyViewLoop _impactsWindowMoving _inLiveResize _inToolbar _includeSubviewsInCacheDisplayInRect _informContainerThatSubviewsNeedLayout _informContainerThatSubviewsNeedUpdateConstraints _insertMissingSubviewLayers _insetVisibleRect _installPrefetchIdleTimerIfNecessary _installTrackingArea_ _installTrackingAreas_ _instanceIsCompatibleWithResponsiveScrolling _integralizationSpaceAlignedRect_options_ _interactiveBounds _internalConstraints _internalSetAppearance_ _intrinsicContentFrameSize _invalidateAllRevealovers _invalidateAutoresizingConstraints _invalidateCursorRects _invalidateEngineHostConstraints _invalidateFocus _invalidateForLiveResizeWithOldBoundsSize_ _invalidateForSubviewFrameChange_oldSize_oldTopLeft_ _invalidateGStatesForTree _invalidateLiveResizeCachedImage _invalidatePreparedContentRect _invalidateShouldAutoFlattenLayerTree _invalidateShouldAutoFlattenLayerTreeRecursively _invalidateTextLayersIfNeeded _invalidateTextLayersInRect_ _invalidateViewAreasThatOverlapRect_inFrontOfSubview_ _isAncestorOfViewIdenticalTo_ _isAncestorOf_ _isContainedInMenu _isDiagonallyRotatedOrScaledFromBase _isDrawingMultiClippedContentAtIndex_ _isFirstResponder _isHiddenForReuse _isKeyLoopGroup _isLayerBacked _isLayerGeometryUpdatingEnabled _isLayingOut _isLeafNodeWithPotentialAccessibilityChildren _isMagnifying _isPixelAlignedInWindow _isResizingFromLayout _isScrolling _isSidebar _isSurfaceBacked _isUserInterfaceLayoutDirectionExplicitlySet _keyEquivalentModifierMaskMatchesModifierFlags_ _kitAppearance _knowsPagesFirst_last_ _lastIdleLiveResizeInvalidationDate _laterUpdateLayerGeometryFromView _layerBackedDisplayRectIgnoringOpacity_inContext_isRootView_ _layerBackedDisplayRectIgnoringOpacity_inContext_isRootView_flipContextIfNeedeed_ _layerBackedOpenGLContext _layerCoordinatesEqualViewCoordinates _layerDrawingNeedsLinearMaskOverlayForFontSmoothing _layerDrawingSupportsLinearMaskOverlay _layerShouldApplyScaleFactor _layerSurface _layerTreeDescription _layerTreeRenderer _layerWillDoTransforms _layoutAtSubtreeLevelIfNeeded _layoutAtWindowLevelIfNeeded _layoutDebuggingIdentifier _layoutDescendsToSubviewsOnAllFrameSizeChanges _layoutDescriptionIfDifferentFromDefault _layoutEngine _layoutEngine_didAddLayoutConstraint_integralizationAdjustment_mutuallyExclusiveConstraints_ _layoutEngine_willRemoveLayoutConstraint_ _layoutEngine_windowDidChange _layoutSublayersOfLayer_ _layoutSubtreeIfNeededAndAllowTemporaryEngine_ _layoutSubtreeIfNeededNoEngineCreation _layoutSubtreeWithOldSize_ _layoutVariablesHaveBeenReferenced _layoutVariablesWithAmbiguousValue _legacySetNeedsDisplayInRect_ _lfld_addGeometryChangeRecordWithPropertyName_value_ _lfld_addSetNeedsLayoutCallStack_ _lfld_addVariableChangeRecordForVariable_inLayoutEngine_ _lfld_count _lfld_currentLayoutMethodName _lfld_description _lfld_discardLastCurrentLayoutMethodName _lfld_geometryChangeRecords _lfld_incrementCount _lfld_minimalDescription _lfld_prepareToResetCountIfNecessary _lfld_pushCurrentLayoutMethodName_ _lfld_resetCount _lfld_setNeedsLayoutCallStacks _lfld_variableChangeRecords _lightWeightRecursiveDisplayInRect_ _liveResizeCacheableBounds _liveResizeCachedBounds _liveResizeCachedImage _liveResizeCachedImageIsValid _lockFocusFlush _lockFocusNoRecursion _lockFocusOnLayer _logViewsThatNeedLayoutOrUpdateConstraints _makeAndStoreDrawMatrix _makeDirtyRegionIvar _makeRememberedOrNewEditingSubviewBecomeFirstResponder _managesOpenGLDrawable _markAsDequeued _markAsEverHavingInvalidRestorableState _markRememberedEditingFirstResponderIfIsASubview _mayHaveVisibleDescendantsThatOverlapRect_inFrontOfSubview_ _maybeCheckForAmbiguityForItem_ _mergeRegionInvalidatedDuringDisplayIntoDirtyRegion _minXVariable _minYVariable _minimumFrameSize _multiClipDrawingHelper _nearestAncestorOfClass_ _needsDisplayInRect_ _needsDisplayOnClipPathChange _needsLayoutEngine _needsLayoutForAnimation _needsLockFocusFlush _needsRedisplayOnFrameChange _needsRedrawBeforeFirstLiveResizeCache _needsRedrawForMovement _needsVibrancy _needsViewWillDraw _nextResponderForEvent_ _noResponderFor_duringForwardingOfEvent_ _noteDeclaredConstraintWasManuallyRemoved_ _notePreferredAppearanceDidChange _nsib_setUsesPointIntegralizationForLayout_ _nsib_usesPointIntegralizationForLayout _oldBoundsDuringLiveResize _oldSizeDuringLiveResize _omitFalsePositiveKeyViewCandidates_ _opaqueRect _opaqueRectForWindowMoveWhenInTitlebar _openGLContext _openGLContextForCurrentLayerBackingState _orderFrontSurfacesIfNotHidden _orderOutTheSurfaceIfHidden _overlapsVisualEffectView _pageHeaderAndFooterTextAttributes _parentLayerToHostOurLayerIn _parentSuperviewWithLayer _parentalLayoutEngine _parentalLayoutEngineDidChangeTo_ _performAnimatedAction_ _performAnimated_actions_ _performKeyEquivalent_conditionally_ _performWorkOnTilesFromRect_renderedContentRect_maximumRect_scrollVelocity_handler_ _persistentUIEncodedReference _persistentUIIdentifier _persistentUIWindow _persistentUIWindowID _populateEngineWithConstraintsForViewSubtree_forComputingFittingSizeOfView_ _populateRecursiveConstraintIdentifiersWithMapping_ _popupToSubstituteInInit _postBoundsChangeNotification _postEventNotification_ _postEventNotification_fromCell_ _postFrameChangeNotification _postsNeedsDisplayInRectNotifications _potentiallyHasDanglyConstraints _preferredAppearance _preferredAutolayoutEngineToUserScalingCoefficients _prepareContentInRectIfNeeded_ _prepareForDefaultKeyLoopComputation _presentationState _pressureConfigurationTrackingAreaCreateIfNeeded_ _previewCurrentPageForPrintOperation_ _primitiveBackingAlignedRect_options_useIntegralizationSpace_ _primitiveContentCompressionResistancePrioritiesValue _primitiveContentHuggingPrioritiesValue _primitiveConvertPointFromBacking_useIntegralizationSpace_ _primitiveConvertPointToBacking_useIntegralizationSpace_ _primitiveConvertRectFromBacking_useIntegralizationSpace_ _primitiveConvertRectToBacking_useIntegralizationSpace_ _primitiveConvertSizeFromBacking_useIntegralizationSpace_ _primitiveConvertSizeToBacking_useIntegralizationSpace_ _primitiveSetDefaultNextKeyView_ _primitiveSetNextKeyView_ _primitiveSetPreviousKeyView_ _printForCurrentOperation _propagateDirtyRectsToOpaqueAncestors _propagateDownNeedsDisplayInRect_ _provideTotalScaleFactorForPrintOperation_ _proxyLayer _pullInExtraTilesForOverdraw _reallyCanDrawConcurrently _reallyNeedsDisplayForBounds _rebuildLayoutFromScratch _recacheEffectiveAppearance _rectsForMultiClippedContentDrawing _recurseSublayersLookingForViewsWithDirtyRect_ _recursiveAutolayoutTraceAtLevel_ _recursiveBreakKeyViewLoop _recursiveClearLayerBacked _recursiveConstraintsWithDepth_ _recursiveDisplayAllDirtyWithLockFocus_visRect_ _recursiveDisplayDescendantsInRect_ _recursiveDisplayRectIfNeededIgnoringOpacity_isVisibleRect_rectIsVisibleRectForView_topView_ _recursiveDisplaySelfAndDescendantsInRect_ _recursiveDisplayViewsIntoLayersIfNeeded _recursiveEnsureSubviewNextKeyViewsAreSubviewsOf_ _recursiveFindDefaultButtonCell _recursiveFreezeLayersBeforeTransplant _recursiveGainedDescendantThatOverridesNeedsDisplay _recursiveGainedHiddenAncestor _recursiveGainedHiddenAncestorDuringUnarchiving _recursiveGainedLayerTreeHostAncestor _recursiveGainedLayerTreeHostAncestorDuringUnarchiving _recursiveGatherAllKeyViewCandidatesInArray_ _recursiveInsertSubviewLayersIntoLayer_ _recursiveLostHiddenAncestor _recursiveLostLayerTreeHostAncestor _recursiveMarkInclusiveLayerDirtyInRect_ _recursiveOrderFrontSurfacesForNonHiddenViews _recursiveResponderThatWantsForwardedScrollEventsForAxis_intendedForSwipe_ _recursiveSendViewDidChangeAppearance_ _recursiveSetDefaultKeyViewLoop _recursiveSetHasInclusiveLayerAncestor_ _recursiveSetLayerGeometryUpdatingEnabled_ _recursiveSetTrackingAreasDirty_ _recursiveSubConstraintsCountIncludeEncapsulated_ _recursiveThawLayersAfterTransplant _recursiveTickleNeedsDisplay _recursiveUpdateSemanticContextExplicitSomewhereInChain_ _recursiveViewDidAppearBecauseUnhidden _recursiveViewDidDisappearBecauseHidden _recursiveViewWillAppearBecauseUnhidden _recursiveViewWillDisappearBecauseHidden _recursiveWantsForwardedScrollEventsForAxis_ _recursiveWindowDidEnableToolTipCreationAndDisplay _recursive_displayRectIgnoringOpacity_inContext_topView_ _recursive_displayRectIgnoringOpacity_inGraphicsContext_CGContext_topView_shouldChangeFontReferenceColor_ _recursivelyNoteBackdropViewChanged _recursivelyReinvalidateRestorableStateIfNecessary _recursivelyUnregisterWithBackdropView _recursivelyUpdateVibrancy _referencingConstraints _regionDrawnInto _regionForOpaqueDescendants_forMove_ _regionForOpaqueDescendants_forMove_forUnderTitlebar_ _regionInvalidatedDuringDisplay _registerForDraggedTypes_later_ _registerWithBackdropView _releaseLiveResizeCachedImage _removeAllCellMouseTracking _removeAllRevealovers _removeChildRelationshipNode_ _removeFromKeyViewLoop _removeIBGeneratedPrototypingConstraints _removeIdleTimer _removeInWindowVibrancyFilter _removeLayerFromSuperlayer _removeLayerIfOwnedByAppKit _removeNextPointersToMe _removePreviousPointersToMe _removeSubview_ _removeTrackingRectTag_ _removeTrackingRects_count_ _renderCurrentPageForPrintOperation_ _renderedContentRect _replaceSubview_with_rememberAndResetEditingFirstResponder_abortEditingIfNecessary_ _replacementConstraintForConstraint_whenReplacingView_withView_ _requestExtraUpdateConstraints _requestUpdateConstraintsFinishedForView_ _resetCursorRects _resetIncrementalSearchOnFailure _resetMaxLayoutWidthAtNextLayout _resetSupportsDirectLayerContentsCache _resetThePreparedContentRectKeepingAsMuchOverdrawAsPossible _resetThePreparedContentRectToTheVisibleRect _restorePersistentState_ _revealoverInfoForCell_cellRect_ _revertGestureRecognizerPressureConfigurationForEvent_ _rightMouseUpOrDown_ _rootView _rootmostLayerTreeHostAncestor _safeSubviewEnumerationWithHandler_ _screenAtPoint_ _scrollPoint_fromView_ _scrollRectToVisible_fromView_ _scrollViewDidScrollBounds _semanticContext _semanticContextExplicitSomewhereInChain _sendSurfaceSyncNotificationAndFlushSurfacesWithRegionToDisplay_ _sendViewWillDraw _sendViewWillDrawAndRecurse_ _sendViewWillDrawInRect_clipRootView_ _setAncestorLayerNeedsDisplayInRect_ _setAnimatingFrameSize_ _setAutomaticFocusRingDisabled_ _setAutoresizingConstraints_ _setAutoscalesBoundsToPixelUnits_ _setBaseCollectionViewLayoutAttributes_ _setBaselineOffsetFromBottomMayBeReferenced_ _setClipPath_ _setCollectionViewLayoutAttributes_ _setContainingBackdropView_ _setContentCompressionResistancePriorities_ _setContentHuggingPriorities_ _setContentSizeConstraints_ _setControlTextDelegateFromOld_toNew_ _setDeclaredConstraints_ _setDefaultKeyViewLoop _setDirtyRectIvar_ _setDontSuppressLayerAnimation_ _setDrawDelegate_ _setDrawMatrix_ _setDrawingIntoLayer_ _setDrawsOwnDescendants_ _setDrawsWithTintWhenHidden_ _setEffectiveSurfaceColorSpace_ _setEngineHostConstraints_ _setHIViewIsDrawing_ _setHasAutoCanDrawSubviewsIntoLayer_ _setHasAutoSetWantsLayer_ _setHasCanDrawSubviewsIntoLayerAncestor_ _setHasInvalidRestorableState_ _setHasSetMaxLayoutWidth_ _setHasToolTip_ _setHiddenForReuse_ _setHidden_ _setHidden_setNeedsDisplay_ _setHostsAutolayoutEngine_ _setIgnoreForKeyViewLoop_ _setImpactsWindowMoving_ _setInternalConstraints_ _setKeyboardFocusRingNeedsDisplayAroundPerimeter _setKeyboardFocusRingNeedsDisplayDuringLiveResize _setKeyboardFocusRingNeedsDisplayInRect_force_ _setLastIdleLiveResizeInvalidationDate_ _setLayerBackedOpenGLContext_ _setLayerNeedsDisplayInViewRect_ _setLayerTreeRenderer_ _setLayoutEngine_ _setLayoutIsClean_ _setLiveResizeCacheImage_ _setLiveResizeCachedBounds_ _setLiveResize_ _setMouseTrackingForCell_ _setNeedsDisplayIfTopLeftChanged _setNeedsDisplayInRectForLiveResize_ _setNeedsPostponedSurfaceSync _setNeedsRedrawBeforeFirstLiveResizeCache_ _setOpaqueIsPropagatedToCAView_ _setOpenGLContext_ _setPostsNeedsDisplayInRectNotifications_ _setPotentiallyHasDanglyConstraints_ _setPrimitiveContentCompressionResistancePrioritiesValue_ _setPrimitiveContentHuggingPrioritiesValue_ _setProxyLayer_ _setRegionDrawnInto_ _setRegionInvalidatedDuringDisplay_ _setReuseIdentifier_ _setRevealoversDirty_ _setRotatedFromBase_ _setRotatedOrScaledFromBase_ _setSemanticContext_ _setSetsMaxLayoutWidthAtFirstLayout_ _setShouldCallDrawLayer_ _setShouldDoLayerPerformanceUpdates_ _setShouldPostEventNotifications_ _setSound_ _setSuperview_ _setSupportsDirectLayerContentsCache_ _setSurfaceBackedOpenGLContext_ _setSurfaceBacked_ _setSurfaceColorSpace_ _setSurface_ _setTrackingAreasDirty_ _setUpViewBackingSurface _setUsesSpecialArchiving_ _setViewController_ _setWantsRevealovers_ _setWantsToHostAutolayoutEngine_ _setWindowBackdrop_ _setWindowNeedsDisplayInViewsDrawableRect _setWindow_ _setsMaxLayoutWidthAtFirstLayout _setupCrossFadeFromView_toView_ _setupFocusStateForDrawingInTopView_ _setupFontSmoothingForLayerDrawingIntoContext_previousColor_previousFlag_ _setupSlideAnimation_fromView_toView_ _setupViewLayoutInvalidatorIfNecessary _shouldAttemptIdleTimeDisposeOfLiveResizeCacheWithFrame_ _shouldAutoFlattenLayerTree _shouldAutoflipUnarchivedProperties _shouldAutoscrollForDraggingInfo_ _shouldAutoscrollForEvent_ _shouldBeTreatedAsInkEventInInactiveWindow_ _shouldCallDrawLayer _shouldComputeRevealovers _shouldDelegateTargetActionForSelector_ _shouldDetermineOpaqueRegionForMoves _shouldDirtyTheWindowOnLayerInvalidation _shouldDoLayerGeometryConversions _shouldDoLayerPerformanceUpdates _shouldDoLockFocusForLayerBacking _shouldFixupChildAutoresizingMaskOnResizeSubviewsOverride _shouldKeepTrackOfRectsBeingDrawn _shouldLiveResizeUseCachedImage _shouldPostEventNotifications _shouldPrintByCallingDrawRect _shouldRerouteCellAPIs _shouldShowFirstResponderForCell_ _shouldTrackWithNonEditableCell _shouldTransformMatrix _shouldUseCellUserInterfaceLayoutDirection _shouldUseTrackingAreasForToolTips _showAllDrawingDrawRect_ _showKeyboardUILoop _showMenuForEvent_ _showingFocusRingAroundEnclosingScrollView_ _sidebarView _singleCell _snipConstraintsToAnchor_ _sortSublayersToMatchSubviews _sortSubviewsUsingComparator_ _sound _startLiveAnimation _startLiveResize _startLiveResizeAsTopLevel _startLiveResizeCacheOK_ _startingWindowForSendAction_ _stopAutoscalingBoundsToPixelUnits _stringSearchParametersForListingViews _subtreeDescription _subtreeDescriptionForLogging_ _subtreeDescriptionWithDepth_forLogging_ _subview_valueOfVariable_didChangeInEngine_ _subviews _subviewsExcludingHiddenViews _superviewIsNotLayerBackedOrIsInclusive _supportsDirectLayerContentsCache _surface _surfaceBackedOpenGLContext _surfaceBounds _surfaceColorSpace _surfaceInheritsWindowOpaqueShape _surfaceMoved_ _surfaceResized_ _syncAndDisplaySurfaceIfNecessary_ _syncSurfaceIfPostponed _synchronizeEffectivePressureConfiguration _toolTipManagerWillRecomputeToolTipsByRemoving_adding_ _toolTipRectForCell_withFrame_ _topLeftDuringLiveResize _touchesBeganWithEvent_ _touchesCancelledWithEvent_ _touchesEndedWithEvent_ _touchesMovedWithEvent_ _trackingAreasDirty _transformFromView_ _transformToBackingUsingIntegralizationSpace_ _transformToView_ _treeHasDragTypes _trimRegionInvalidatedDuringDisplayToRectsJustDrawn _tryToAddConstraint_integralizationAdjustment_mutuallyExclusiveConstraints_ _tryToAddConstraint_mutuallyExclusiveConstraints_ _tryToAddConstraint_roundingAdjustment_mutuallyExclusiveConstraints_ _tryToEncapsulateSubtreeLayout _uncachedShouldUseTrackingAreasForToolTips _uninstallRemovedTrackingAreas _uninstallTrackingArea_ _uninstallTrackingAreas _unlockFocusNoRecursion _unlockFocusOnLayer _unregisterWithBackdropViewIfNeeded _updateAllLayerPropertiesFromView _updateAutoresizingConstraints _updateCellImage_ _updateConstraintsAtWindowLevelIfNeeded _updateConstraintsFinished _updateConstraintsForLayoutCheckingDirtyBits_creatingEngine_ _updateConstraintsForSubtreeIfNeeded _updateConstraintsForSubtreeIfNeededCollectingViewsWithInvalidBaselines_ _updateContentSizeConstraints _updateContentsGravityBasedOnFlippedChange _updateDeclaredConstraints _updateDeclaredRelationships _updateDelegateForCanDrawSubviewsIntoLayerChange _updateDragRegionForHiddenStateChange _updateDrawDelegateForAlphaValue _updateDrawsNothing _updateEngineHostConstraints _updateFrameFromLayoutEngine _updateGeometryFlippedOnLayer _updateGeometryFlippedOnLayerBasedOnOldSuperview_ _updateGeometryFlippedOnSelfAndSubviews _updateGrowBoxForWindowFrameChange _updateHostedAutolayoutEngineForPossiblyNewEngineScalingCoefficients _updateInWindowNonVibrancyFilter _updateInWindowVibrancyFilter _updateInclusiveLayerSublayerViewPositions _updateInheritedSurfaceColorSpace _updateLayerBackgroundColorFromView _updateLayerBackgroundFiltersFromView _updateLayerCanDrawConcurrentlyFromView _updateLayerCompositingFilterFromView _updateLayerContentsGravityFromView _updateLayerCornerRadiusFromView _updateLayerFiltersFromView _updateLayerGeometryFromView _updateLayerHiddenStateFromView _updateLayerMaskFromView _updateLayerMasksToBoundsFromView _updateLayerMetricsOverlays _updateLayerOpacityFromView _updateLayerShadowFromView _updateLayerSurface_ _updateLayoutDependentMetricsIfNeeded _updateOpenGLViewport _updateRootLayerTransform _updateSizeAndLocation _updateSublayerPositionsForFlippedSuperview _updateSuggestedContentRect _updateSuggestedContentRectForVisibleRectChange _updateSuggestedContentRectToValue_ _updateSurfaceResolution _updateSurfaceWhenInAnInclusiveLayer _updateTrackingAreas _updateTrackingLocation_ _updateVibrancy _updateVibrancyIfNeededForHiddenStateChange _useCARenderInContext _useCoreAnimationFrameChanges _useCoreAnimationFrameOriginChanges _usesEngineHostingConstraints _usingAlternateHighlightColorForCell_withFrame_ _validRememberedEditingFirstResponder _validateEditing_ _verifyConstraintsForCurrentFrame _vibrancyBlendMode _vibrancyBlendingMode _vibrancyFilter _viewController _viewDidChangeAppearance_ _viewDidDrawInLayer_inContext_ _viewDying _viewSurfaceDidComeBack_ _viewSurfaceWillGoAway_ _viewWillBePiercedByConstraint_ _viewWithLayerToLockFocusOn _view_shouldSaveDirtyRectIfNecessary_ _visibleDescendants _visibleRectExcludingTitlebarInCoordinateSystemForView_ _visibleRectForPopover _visibleRectIgnoringViewsAbove_ _visibleRectInWindowDisregardingHiddenViews _wantsHeartBeat _wantsKeyDownForEvent_ _wantsLayerBasedVibrancy _wantsLiveResizeToUseCachedImage _wantsPrepareContentRect _wantsRevealovers _wantsToHostAutolayoutEngine _wantsToPrefetchContent _wantsTouchesForEvent_ _wantsUnderTitlebarView _wasDequeued _whenResizingUseEngineFrame_useAutoresizingMask_ _widthVariable _willBeginMagnifying _willBeginScrolling _willChangeHostsAutolayoutEngineTo_ _willDrawFocusRingAroundEnclosingScrollView _willMeasureMinSizeForFullscreen _windowBackdrop _windowChangedKeyState _windowDidOrderOffScreen _windowDidOrderOnScreen _windowWillOrderOffScreen _windowWillOrderOnScreen _withAutomaticEngineOptimizationDisabled_ abortEditing acceptsFirstMouse_ acceptsFirstResponder acceptsTouchEvents accessibilityActivationPoint accessibilityAllowedValues accessibilityApplicationFocusedUIElement accessibilityAttributedStringForRange_ accessibilityAuditHierarchy accessibilityAuditIssues accessibilityAuditIssuesAttribute accessibilityAuditLabel accessibilityAuditParent accessibilityAuditPotentialChildren accessibilityCancelButton accessibilityCellForColumn_row_ accessibilityChildren accessibilityChildrenAttribute accessibilityChildrenInNavigationOrder accessibilityChildrenInNavigationOrderAttribute accessibilityClearButton accessibilityCloseButton accessibilityColumnCount accessibilityColumnHeaderUIElements accessibilityColumnIndexRange accessibilityColumnTitles accessibilityColumns accessibilityContentSiblingAbove accessibilityContentSiblingBelow accessibilityContents accessibilityCriticalValue accessibilityCustomChoosers accessibilityDecrementButton accessibilityDefaultButton accessibilityDisclosedByRow accessibilityDisclosedRows accessibilityDisclosureLevel accessibilityDocument accessibilityEnabledAttribute accessibilityExtrasMenuBar accessibilityFilename accessibilityFocusedAttribute accessibilityFocusedWindow accessibilityFrame accessibilityFrameForRange_ accessibilityFrameInParentSpace accessibilityFullScreenButton accessibilityFunctionRowTopLevelElements accessibilityGrowArea accessibilityHandles accessibilityHeader accessibilityHeaderGroup accessibilityHelp accessibilityHelpAttribute accessibilityHelpStringForChild_ accessibilityHorizontalScrollBar accessibilityHorizontalUnitDescription accessibilityHorizontalUnitDescriptionAttribute accessibilityHorizontalUnits accessibilityIdentifier accessibilityIncrementButton accessibilityIndex accessibilityInsertionPointLineNumber accessibilityIsChildFocusable_ accessibilityIsChildrenAttributeSettable accessibilityIsEnabledAttributeSettable accessibilityIsFocusedAttributeSettable accessibilityIsHelpAttributeSettable accessibilityIsParentAttributeSettable accessibilityIsPositionAttributeSettable accessibilityIsRoleAttributeSettable accessibilityIsRoleDescriptionAttributeSettable accessibilityIsSizeAttributeSettable accessibilityIsTopLevelUIElementAttributeSettable accessibilityIsWindowAttributeSettable accessibilityLabel accessibilityLabelUIElements accessibilityLabelValue accessibilityLayoutPointForScreenPoint_ accessibilityLayoutSizeForScreenSize_ accessibilityLineForIndex_ accessibilityLinkedUIElements accessibilityMainWindow accessibilityMarkerGroupUIElement accessibilityMarkerTypeDescription accessibilityMarkerUIElements accessibilityMarkerValues accessibilityMaxValue accessibilityMenuBar accessibilityMinValue accessibilityMinimizeButton accessibilityNextContentSibling accessibilityNextContents accessibilityNumberOfCharacters accessibilityOrientation accessibilityOverflowButton accessibilityParent accessibilityParentAttribute accessibilityPerformCancel accessibilityPerformConfirm accessibilityPerformDecrement accessibilityPerformDelete accessibilityPerformIncrement accessibilityPerformPick accessibilityPerformPress accessibilityPerformRaise accessibilityPerformShowAlternateUI accessibilityPerformShowDefaultUI accessibilityPerformShowMenu accessibilityPlaceholderValue accessibilityPopUpMenuClosed_accessibilityParent_ accessibilityPopUpMenuCreated_returningAccessibilityParent_ accessibilityPopUpMenuParent_ accessibilityPositionAttribute accessibilityPositionOfChild_ accessibilityPostNotification_context_ accessibilityPreviousContentSibling accessibilityPreviousContents accessibilityProxy accessibilityRTFForRange_ accessibilityRangeForIndex_ accessibilityRangeForLine_ accessibilityRangeForPosition_ accessibilityResultsForSearchPredicate_ accessibilityRole accessibilityRoleAttribute accessibilityRoleDescription accessibilityRoleDescriptionAttribute accessibilityRowCount accessibilityRowHeaderUIElements accessibilityRowIndexRange accessibilityRows accessibilityRulerMarkerType accessibilityScreenPointForLayoutPoint_ accessibilityScreenSizeForLayoutSize_ accessibilitySearchButton accessibilitySearchMenu accessibilitySections accessibilitySectionsAttribute accessibilitySelectedCells accessibilitySelectedChildren accessibilitySelectedColumns accessibilitySelectedRows accessibilitySelectedText accessibilitySelectedTextRange accessibilitySelectedTextRanges accessibilityServesAsTitleForUIElements accessibilitySetFocus_forChild_ accessibilitySetFocusedAttribute_ accessibilitySharedCharacterRange accessibilitySharedFocusElements accessibilitySharedTextUIElements accessibilityShownMenu accessibilitySizeAttribute accessibilitySizeOfChild_ accessibilitySortDirection accessibilitySplitters accessibilityStringForRange_ accessibilityStyleRangeForIndex_ accessibilitySubrole accessibilityTabs accessibilityTitle accessibilityTitleUIElement accessibilityToolbarButton accessibilityTopLevelUIElement accessibilityTopLevelUIElementAttribute accessibilityURL accessibilityUnitDescription accessibilityUnits accessibilityValue accessibilityValueDescription accessibilityVerticalScrollBar accessibilityVerticalUnitDescription accessibilityVerticalUnitDescriptionAttribute accessibilityVerticalUnits accessibilityVisibleCells accessibilityVisibleCharacterRange accessibilityVisibleChildren accessibilityVisibleColumns accessibilityVisibleRows accessibilityWarningValue accessibilityWindow accessibilityWindowAttribute accessibilityWindowPointForShowMenu accessibilityWindows accessibilityZoomButton action actionForLayer_forKey_ activeDrawingRect addConstraints_ addCursorRect_cursor_ addGestureRecognizer_ addLayoutGuide_ addSubview_ addSubview_positioned_relativeTo_ addToPageSetup addToolTipRect_owner_userData_ addTrackingArea_ addTrackingRect_owner_userData_assumeInside_ adjustPageHeightNew_top_bottom_limit_ adjustPageWidthNew_left_right_limit_ adjustScroll_ alignment alignmentLayoutRect alignmentRectForFrame_ alignmentRectInsets allocateGState allowedTouchTypes allowsExpansionToolTips allowsLogicalLayoutDirection allowsMixedState allowsVibrancy alphaValue altModifySelection_ alternateAction alternateImage alternateTitle alwaysEnablesRadioButtonExclusivity ancestorSharedWithView_ animations animator appearance attributedAlternateTitle attributedStringValue attributedTitle autoresizesSubviews autoscroll_ backingAlignedRect_options_ backingScaleFactor baseWritingDirection baselineOffsetFromBottom becomeFirstResponder becomeKeyWindow beginDocument beginDraggingSessionWithItems_event_source_ beginGestureWithEvent_ beginPageInRect_atPlacement_ beginPageSetupRect_placement_ beginPage_label_bBox_fonts_ beginPrologueBBox_creationDate_createdBy_fonts_forWhom_pages_title_ beginSetup beginTrailer bezelColor bezelStyle bitmapImageRepForCachingDisplayInRect_ bottomAnchor boundsOrigin boundsRotation boundsSize cacheDisplayInRect_toBitmapImageRep_ cacheDisplayInRect_toBitmapImageRep_includeSubviews_ calcSize canBecomeKeyView canDraw canDrawSubviewsIntoLayer canSmoothFontsInLayer candidateListFunctionBarItem candidateListTouchBarItem cell centerScanRect_ centerXAnchor centerYAnchor clipsToBounds colorFactory colorSpace compareGeometry_ compositingOperation concludeDragOperation_ constraintForIdentifier_ constraints constraintsAffectingLayoutForOrientation_ constraintsAffectingLayoutForOrientation_ofItem_ constraintsDidChangeInEngine_ contentCompressionResistancePriorityForOrientation_ contentFilters contentHuggingPriorityForOrientation_ controlSize convertPointFromBacking_ convertPointFromBase_ convertPointFromLayer_ convertPointFromOpenGLSurface_ convertPointToBacking_ convertPointToBase_ convertPointToLayer_ convertPointToOpenGLSurface_ convertPoint_fromView_ convertPoint_toView_ convertRectFromBacking_ convertRectFromBase_ convertRectFromLayer_ convertRectFromOpenGLSurface_ convertRectToBacking_ convertRectToBase_ convertRectToLayer_ convertRectToOpenGLSurface_ convertRect_fromView_ convertRect_toView_ convertSizeFromBacking_ convertSizeFromBase_ convertSizeFromLayer_ convertSizeFromOpenGLSurface_ convertSizeToBacking_ convertSizeToBase_ convertSizeToLayer_ convertSizeToOpenGLSurface_ convertSize_fromView_ convertSize_toView_ currentEditor cursorUpdate_ dataWithEPSInsideRect_ dataWithPDFInsideRect_ declaredLayoutConstraints declaredLayoutRelationships designatedFocusRingView didAddSubview_ didBecomeActiveFirstResponder didCloseMenu_withEvent_ didResignActiveFirstResponder disableGeometryInWindowDidChangeNotification disableLayoutFlushing discardCursorRects displayIfNeededIgnoringOpacity displayIfNeededInRectIgnoringOpacity_ displayIfNeededInRect_ displayIgnoringOpacity displayRectIgnoringOpacity_ displayRectIgnoringOpacity_inContext_ displayRect_ doCommandBySelector_ doubleValue dragFile_fromRect_slideBack_event_ dragImage_at_offset_event_pasteboard_source_slideBack_ dragPromisedFilesOfTypes_fromRect_source_slideBack_event_ draggingEntered_ draggingExited_ draggingUpdated_ drawCellInside_ drawCell_ drawFocusRingMask drawLayer_inContext_ drawOverlayRect_ drawPageBorderWithSize_ drawRect_ drawSheetBorderWithSize_ drawWithExpansionFrame_inView_ editWithFrame_editor_delegate_event_ effectiveAppearance enableGeometryInWindowDidChangeNotification enableLayoutFlushing enclosingMenuItem enclosingScrollView encodeRestorableStateWithCoder_ endDocument endEditing_ endGestureWithEvent_ endHeaderComments endPage endPageSetup endPrologue endSetup endTrailer engine_markerForConstraintToBreakAmongConstraints_ engine_willBreakConstraint_dueToMutuallyExclusiveConstraints_ enterFullScreenMode_withOptions_ exerciseAmbiguityInLayout exitFullScreenModeWithOptions_ expansionFrameWithFrame_ firstBaselineAnchor firstBaselineOffsetFromTop fittingSize flagsChanged_ floatValue flushBufferedKeyEvents focusRingMaskBounds focusRingType font fontSmoothingBackgroundColor formatter frameCenterRotation frameForAlignmentRect_ frameOrigin frameRotation frameSize functionBar functionRow gState geometryInWindowDidChange gestureEventMask gestureRecognizerShouldBegin_ gestureRecognizers gesturesEnabled getPeriodicDelay_interval_ getRectsBeingDrawn_count_ getRectsExposedDuringLiveResize_count_ hasAmbiguousLayout heartBeat_ heightAdjustLimit heightAnchor helpRequested_ hideActiveFirstResponderIndication highlight_ ignoreHitTest ignoresMultiClick image imageHugsTitle imageInRect_ imagePosition imageScaling inLiveResize initWithFrame_ inputContext insertText_ intValue integerValue interfaceStyle interpretKeyEvents_ intrinsicContentSize invalidateConstraints invalidateIntrinsicContentSize invalidateIntrinsicContentSizeForCell_ invalidateRestorableState invalidate_ isAccessibilityAlternateUIVisible isAccessibilityDisclosed isAccessibilityEdited isAccessibilityElement isAccessibilityEnabled isAccessibilityEnhancedUserInterface isAccessibilityExpanded isAccessibilityFocused isAccessibilityFrontmost isAccessibilityHidden isAccessibilityMain isAccessibilityMimicNativeView isAccessibilityMinimized isAccessibilityModal isAccessibilityOrderedByRow isAccessibilityProtectedContent isAccessibilityRequired isAccessibilitySelected isAccessibilitySelectorAllowed_ isBordered isContinuous isDrawingFindIndicator isGuarded isHiddenOrHasHiddenAncestor isHighlighted isInFullScreenMode isLayoutFlushingEnabled isRotatedFromBase isRotatedOrScaledFromBase isSpringLoaded isTransparent keyDown_ keyEquivalent keyEquivalentModifierMask keyUp_ knowsPageRange_ knowsPagesFirst_last_ lastBaselineAnchor lastBaselineOffsetFromBottom layer layerContentsPlacement layerContentsRedrawPolicy layerUsesCoreImageFilters layout layoutGuides layoutSubtreeIfNeeded leadingAnchor leftAnchor lineBreakMode locationOfPrintRect_ lockFocus lockFocusIfCanDraw lockFocusIfCanDrawInContext_ lockFocusIfCanDrawInFrame_flipped_clip_ loggingDescription magnifyWithEvent_ makeBackingLayer makeFunctionBar makeTouchBar maxAcceleratorLevel maxState menu menuForEvent_ minimumPressDuration mouseDownCanMoveWindow mouseDownFlags mouseDown_ mouseDragged_ mouseEntered_ mouseExited_ mouseMoved_ mouseUp_ mouse_inRect_ navigateWithEvent_ needsPanelToBecomeKey needsToDrawRect_ needsUpdateConstraints nextKeyView nextResponder nextValidKeyView noResponderFor_ noteFocusRingMaskChanged ns_containerWidgetType ns_widgetType nsis_descriptionOfVariable_ nsis_frame nsis_frameInEngine_forLayoutGuide_withRounding_ nsis_rawAlignmentRect nsis_shouldIntegralizeVariable_ nsis_unroundedFrame nsis_valueOfVariableIsUserObservable_ nsis_valueOfVariable_didChangeInEngine_ nsli_addConstraint_ nsli_addConstraint_mutuallyExclusiveConstraints_ nsli_ancestorSharedWithItem_ nsli_autoresizingMask nsli_canHostIndependentVariableAnchor nsli_convertSizeFromEngineSpace_ nsli_convertSizeToEngineSpace_ nsli_description nsli_descriptionIncludesPointer nsli_engineToUserScalingCoefficients nsli_engineToUserScalingCoefficientsInEngine_ nsli_heightVariable nsli_installedConstraints nsli_isCollectingConstraintChangesForLaterCoordinatedFlush_ nsli_isFlipped nsli_isRTL nsli_itemDescribingLayoutDirectionForConstraint_toItem_ nsli_layoutAnchorForAttribute_ nsli_layoutEngine nsli_lowerAttribute_intoExpression_withCoefficient_container_ nsli_lowerAttribute_intoExpression_withCoefficient_forConstraint_ nsli_lowerAttribute_intoExpression_withCoefficient_forConstraint_onBehalfOfLayoutGuide_ nsli_lowersExpressionRelativeToConstraintContainer nsli_minXVariable nsli_minYVariable nsli_removeConstraint_ nsli_resolvedValue_forSymbolicConstant_inConstraint_error_ nsli_superitem nsli_widthVariable objectValue opaqueAncestor openGLSurfaceSize otherMouseDown_ otherMouseDragged_ otherMouseUp_ overlayBounds pageFooter pageHeader performClick_ performDragOperation_ performKeyEquivalent_ performMnemonic_ periodicDelay periodicInterval postsBoundsChangedNotifications postsFrameChangedNotifications prepareContentInRect_ prepareForDragOperation_ prepareForMenu_withEvent_ prepareForReuse prepareMenu_withEvent_ preparedContentRect presentError_ presentError_modalForWindow_delegate_didPresentSelector_contextInfo_ presentationWindowForError_originatedInWindow_ preservesContentDuringLiveResize pressureChangeWithEvent_ pressureConfiguration previousKeyView previousValidKeyView printJobTitle print_ quickLookPreviewItemsAtWindowLocation_ quickLookWithEvent_ rectForPage_ rectForSmartMagnificationAtPoint_inRect_ rectPreservedDuringLiveResize recursiveConstraintDescription recursiveConstraintIdentifierDescription refusesFirstResponder registerForDraggedTypes_ registeredDraggedTypes relationshipDescription relationshipsAffectingLayoutForOrientation_ releaseGState removeAllGestureRecognizers removeAllToolTips removeConstraintWithIdentifier_ removeConstraint_ removeConstraints_ removeCursorRect_cursor_ removeFromSuperview removeFromSuperviewWithoutNeedingDisplay removeGestureRecognizer_ removeLayoutGuide_ removeToolTip_ removeTrackingArea_ removeTrackingRect_ renewGState replaceSubview_with_ replaceSubview_with_options_completionHandler_ representedObject resetCursorRects resignFirstResponder resignKeyWindow resizeSubviewsWithOldSize_ resizeWithOldSuperviewSize_ restoreStateWithCoder_ restoreUserActivityState_ reuseIdentifier rightAnchor rightMouseDown_ rightMouseDragged_ rightMouseUp_ rotateByAngle_ rotateWithEvent_ scaleUnitSquareToSize_ scrollPoint_fromView_ scrollRectToVisible_fromView_ scrollRect_by_ scrollWheel_ selectCell_ selectWithFrame_editor_delegate_start_length_ selectedCell selectedTag sendActionOn_ sendAction_to_ setAcceptsTouchEvents_ setAccessibilityActivationPoint_ setAccessibilityAllowedValues_ setAccessibilityAlternateUIVisible_ setAccessibilityApplicationFocusedUIElement_ setAccessibilityAuditIssues_ setAccessibilityCancelButton_ setAccessibilityChildrenInNavigationOrder_ setAccessibilityChildren_ setAccessibilityClearButton_ setAccessibilityCloseButton_ setAccessibilityColumnCount_ setAccessibilityColumnHeaderUIElements_ setAccessibilityColumnIndexRange_ setAccessibilityColumnTitles_ setAccessibilityColumns_ setAccessibilityContentSiblingAbove_ setAccessibilityContentSiblingBelow_ setAccessibilityContents_ setAccessibilityCriticalValue_ setAccessibilityCustomChoosers_ setAccessibilityDecrementButton_ setAccessibilityDefaultButton_ setAccessibilityDisclosedByRow_ setAccessibilityDisclosedRows_ setAccessibilityDisclosed_ setAccessibilityDisclosureLevel_ setAccessibilityDocument_ setAccessibilityEdited_ setAccessibilityElement_ setAccessibilityEnabled_ setAccessibilityEnhancedUserInterface_ setAccessibilityExpanded_ setAccessibilityExtrasMenuBar_ setAccessibilityFilename_ setAccessibilityFocusedWindow_ setAccessibilityFocused_ setAccessibilityFrameInParentSpace_ setAccessibilityFrame_ setAccessibilityFrontmost_ setAccessibilityFullScreenButton_ setAccessibilityFunctionRowTopLevelElements_ setAccessibilityGrowArea_ setAccessibilityHandles_ setAccessibilityHeaderGroup_ setAccessibilityHeader_ setAccessibilityHelp_ setAccessibilityHidden_ setAccessibilityHorizontalScrollBar_ setAccessibilityHorizontalUnitDescription_ setAccessibilityHorizontalUnits_ setAccessibilityIdentifier_ setAccessibilityIncrementButton_ setAccessibilityIndex_ setAccessibilityInsertionPointLineNumber_ setAccessibilityLabelUIElements_ setAccessibilityLabelValue_ setAccessibilityLabel_ setAccessibilityLinkedUIElements_ setAccessibilityMainWindow_ setAccessibilityMain_ setAccessibilityMarkerGroupUIElement_ setAccessibilityMarkerTypeDescription_ setAccessibilityMarkerUIElements_ setAccessibilityMarkerValues_ setAccessibilityMaxValue_ setAccessibilityMenuBar_ setAccessibilityMimicNativeView_ setAccessibilityMinValue_ setAccessibilityMinimizeButton_ setAccessibilityMinimized_ setAccessibilityModal_ setAccessibilityNextContents_ setAccessibilityNumberOfCharacters_ setAccessibilityOrderedByRow_ setAccessibilityOrientation_ setAccessibilityOverflowButton_ setAccessibilityParent_ setAccessibilityPlaceholderValue_ setAccessibilityPreviousContents_ setAccessibilityProtectedContent_ setAccessibilityProxy_ setAccessibilityRequired_ setAccessibilityRoleDescription_ setAccessibilityRole_ setAccessibilityRowCount_ setAccessibilityRowHeaderUIElements_ setAccessibilityRowIndexRange_ setAccessibilityRows_ setAccessibilityRulerMarkerType_ setAccessibilitySearchButton_ setAccessibilitySearchMenu_ setAccessibilitySections_ setAccessibilitySelectedCells_ setAccessibilitySelectedChildren_ setAccessibilitySelectedColumns_ setAccessibilitySelectedRows_ setAccessibilitySelectedTextRange_ setAccessibilitySelectedTextRanges_ setAccessibilitySelectedText_ setAccessibilitySelected_ setAccessibilityServesAsTitleForUIElements_ setAccessibilitySharedCharacterRange_ setAccessibilitySharedFocusElements_ setAccessibilitySharedTextUIElements_ setAccessibilityShownMenu_ setAccessibilitySortDirection_ setAccessibilitySplitters_ setAccessibilitySubrole_ setAccessibilityTabs_ setAccessibilityTitleUIElement_ setAccessibilityTitle_ setAccessibilityToolbarButton_ setAccessibilityTopLevelUIElement_ setAccessibilityURL_ setAccessibilityUnitDescription_ setAccessibilityUnits_ setAccessibilityValueDescription_ setAccessibilityValue_ setAccessibilityVerticalScrollBar_ setAccessibilityVerticalUnitDescription_ setAccessibilityVerticalUnits_ setAccessibilityVisibleCells_ setAccessibilityVisibleCharacterRange_ setAccessibilityVisibleChildren_ setAccessibilityVisibleColumns_ setAccessibilityVisibleRows_ setAccessibilityWarningValue_ setAccessibilityWindow_ setAccessibilityWindows_ setAccessibilityZoomButton_ setAction_ setAlignment_ setAllowedTouchTypes_ setAllowsExpansionToolTips_ setAllowsLogicalLayoutDirection_ setAllowsMixedState_ setAllowsVibrancy_ setAlphaValue_ setAlternateAction_ setAlternateImage_ setAlternateTitle_ setAlwaysEnablesRadioButtonExclusivity_ setAnimations_ setAppearance_ setAttributedAlternateTitle_ setAttributedStringValue_ setAttributedTitle_ setAutoresizesSubviews_ setBaseWritingDirection_ setBezelColor_ setBezelStyle_ setBordered_ setBoundsOrigin_ setBoundsRotation_ setBoundsSize_ setButtonType_ setCanDrawSubviewsIntoLayer_ setCell_ setClipsToBounds_ setCompositingOperation_ setContentCompressionResistancePriority_forOrientation_ setContentFilters_ setContentHuggingPriority_forOrientation_ setContinuous_ setControlSize_ setDoubleValue_ setFloatValue_ setFloatingPointFormat_left_right_ setFocusRingType_ setFontSmoothingBackgroundColor_ setFont_ setFormatter_ setFrameCenterRotation_ setFrameOrigin_ setFrameRotation_ setFrameSize_ setFunctionBar_ setGestureEventMask_ setGestureRecognizers_ setGesturesEnabled_ setGuarded_ setHighlighted_ setIdentifier_ setIgnoreHitTest_ setIgnoresMultiClick_ setImageHugsTitle_ setImagePosition_ setImageScaling_ setImage_ setIntValue_ setIntegerValue_ setInterfaceStyle_ setKeyEquivalentModifierMask_ setKeyEquivalent_ setKeyboardFocusRingNeedsDisplayInRect_ setLayerContentsPlacement_ setLayerContentsRedrawPolicy_ setLayerUsesCoreImageFilters_ setLayer_ setLineBreakMode_ setMaxAcceleratorLevel_ setMaxState_ setMenu_ setMinimumPressDuration_ setNeedsDisplay_ setNeedsLayout_ setNeedsUpdateConstraints_ setNextContentSibling_ setNextKeyView_ setNextResponder_ setNextState setObjectValue_ setPeriodicDelay_ setPeriodicDelay_interval_ setPeriodicInterval_ setPostsBoundsChangedNotifications_ setPostsFrameChangedNotifications_ setPreparedContentRect_ setPressureConfiguration_ setPreviousContentSibling_ setRefusesFirstResponder_ setRepresentedObject_ setShadow_ setShouldBeArchived_ setShowsBorderOnlyWhileMouseInside_ setShowsDisclosureChevron_ setSkipEditValidation_ setSound_ setSpringLoaded_ setState_ setStringValue_ setSubviews_ setTag_ setTarget_ setTitleWithMnemonic_ setTitle_ setToolTip_ setTouchBar_ setTranslatesAutoresizingMaskIntoConstraints_ setTransparent_ setUpGState setUpdateLayerHandler_ setUserActivity_ setUserInterfaceLayoutDirection_ setUsesConstraintsInsteadOfAutoresizing_ setUsesSingleLineMode_ setWantsBestResolutionOpenGLSurface_ setWantsExtendedDynamicRangeOpenGLSurface_ setWantsLayer_ setWantsRestingTouches_ shadow shiftModifySelection_ shouldBeArchived shouldBeTreatedAsInkEvent_ shouldDelayWindowOrderingForEvent_ shouldDrawColor shouldSetFontSmoothingBackgroundColor showActiveFirstResponderIndication showContextHelp_ showDefinitionForAttributedString_atPoint_ showDefinitionForAttributedString_range_options_baselineOriginProvider_ showPopover_ showsBorderOnlyWhileMouseInside showsDisclosureChevron sizeThatFits_ sizeToFit skipEditValidation smartMagnifyWithEvent_ solutionDidChangeInEngine_ sortSubviewsUsingFunction_context_ sound springLoadingActivated_draggingInfo_ springLoadingEntered_ springLoadingHighlightChanged_ startSpeaking_ state stopSpeaking_ stringValue subviews superview supplementalTargetForAction_sender_ swipeWithEvent_ tabletPoint_ tabletProximity_ tag takeDoubleValueFrom_ takeFloatValueFrom_ takeIntValueFrom_ takeIntegerValueFrom_ takeObjectValueFrom_ takeStringValueFrom_ target textViewDidChangeSelection_ textView_willChangeSelectionFromCharacterRange_toCharacterRange_ title toolTip topAnchor touchBar touchesBeganWithEvent_ touchesCancelledWithEvent_ touchesEndedWithEvent_ touchesMovedWithEvent_ trackingAreas trailingAnchor translateOriginToPoint_ translateRectsNeedingDisplayInRect_by_ translateWithEvent_ translatesAutoresizingMaskIntoConstraints tryToPerform_with_ undoManager unlockFocus unregisterDraggedTypes updateCellInside_ updateCell_ updateConstraints updateConstraintsForSubtreeIfNeeded updateLayer updateLayerHandler updateTrackingAreas updateUserActivityState_ userActivity userActivityWasContinued_ userInterfaceLayoutDirection usesConstraintsInsteadOfAutoresizing usesSingleLineMode validRequestorForSendType_returnType_ validateEditing validateProposedFirstResponder_forEvent_ validateUserInterfaceItem_ viewDidChangeBackingProperties viewDidChangeBackingProperties_ viewDidEndLiveResize viewDidHide viewDidMoveToSuperview viewDidMoveToWindow viewDidUnhide viewWillDraw viewWillMoveToSuperview_ viewWillMoveToWindow_ viewWillStartLiveResize viewWithTag_ view_customToolTip_drawInView_displayInfo_ view_customToolTip_fadeOutAllowedForToolTipWithDisplayInfo_ view_customToolTip_frameForToolTipWithDisplayInfo_ visibleAccessibleOrLeafSubviews wantsBestResolutionOpenGLSurface wantsDefaultClipping wantsExtendedDynamicRangeOpenGLSurface wantsForwardedScrollEvents wantsForwardedScrollEventsForAxis_ wantsLayer wantsRestingTouches wantsScrollEventsForSwipeTrackingOnAxis_ wantsUpdateLayer widthAdjustLimit widthAnchor willOpenMenu_withEvent_ willPresentError_ willRemoveSubview_ willSendMenuNeedsUpdate_withEvent_ window writeEPSInsideRect_toPasteboard_ writePDFInsideRect_toPasteboard_ BU_ButtonAppearance _allowsVibrancyForColor_ _appearanceForSourceListTableView _appearanceForStandardTableView _backstoppedByDefaultAppearance _blendModeForWidget_ _bundle _bundleResourceName _callCoreUIWithBlock_options_ _changeALSAttributes_ _commonInitWithCoreUIRenderer_name_ _compositingFilterForWidget_ _copyCustomCGColor_ _copyMeasurements_context_options_requestedMeasurements_ _coreUICatalog _coreUIRenderer _createLayerContents_contentsCenter_ _createOrUpdateLayer_options_ _customColor_ _defaultBezelBrightness _defaultBlendMode _defaultCompositingFilter _drawInRect_context_options_ _initForArchivingOnlyWithAppearanceNamed_bundle_ _initWithContentsOfURL_ _internalVisualEffectMaterialForBlendingMode_ _internalVisualEffectMaterialForMenu _internalVisualEffectMaterialForSelection_isDarker_ _internalVisualEffectMaterialForTitlebar _intrinsicContentSizeForDrawingInRect_context_options_ _isBuiltinAppearance _isDefaultAppearance _isFunctionRowAppearance _isPrimarilyDark _isTintedWithLightColor _minimumSizeForStandardButton _optionsMustContainTintColor _prefersButtonTitleNaturalBaseline _prefersMoreHorizontalContentIndicators _prefersSliderAccessoryStepBehavior _resolvesToFunctionRowAppearanceForWidget_ _setCustomColor_ _setCustomColor_setType_ _setCustomFillColor_ _setCustomStrokeColor_ _setTintColor_ _setupAuxiliary _shouldBurSidebars _textGlyphBrightnessMultiplier _textGlyphColorTemperature appearanceByApplyingTintColor_ blendModeForStyleName_styleConfiguration_ compositingFilterForStyleName_styleConfiguration_ imageNamed_ initWithAppearanceNamed_bundle_ resolvedAppearanceForColor_ resolvedAppearanceForStyleName_styleConfiguration_ resolvedAppearanceForWidget_ resolvedAppearanceForWidget_styleConfiguration_ systemFontForControlSize_weight_ tintColor uniqueIdentifier BU_ButtonController _addPresentedViewController_ _addPresentedWindowController_ _applicationExtensionSession _autounbinder _commonPostInit _defaultInitialViewFrame _editor_didCommit_withOriginalDelegateInvocation_ _extensionContext _findValidNibNameInBundle_ _insertInResponderChain _isContentViewController _isSecondary _loadViewIfRequired _makeDefaultView _nibBundleIdentifier _nibWithName_bundle_ _presentationAnimator _removeFromResponderChain _removePresentedViewController_ _removePresentedWindowController_ _representedObject _scheduleBridgedServiceLayoutPropertyChange _segueTemplates _sendViewDidAppear _sendViewDidDisappear _sendViewDidLoad _sendViewWillAppear _sendViewWillDisappear _serviceBridgedServiceLayoutPropertyChanges_ _setApplicationExtensionSession_ _setExtensionContext_ _setIsContentViewController_ _setNibBundleIdentifier_ _setNibName_ _setParentViewController_ _setPresentationAnimator_ _setPresentingViewController_ _setSegueTemplates_ _setTopLevelObjects_ _shouldDirtyLayoutOnSizeChanges _topEditor _viewControllerForPresentingViewController_ _viewControllerSupports10_10Features _viewDidHide _viewDidMoveToWindow_fromWindow_unhiding_ _viewDidUnhide _viewWillHide _viewWillMoveToWindow_unhiding_ _viewWillUnhide _windowWillClose_ addChildViewController_ applicationExtensionSession applyExtraKeyboardShortcuts_ beginAppearanceTransition_ beginRequestWithExtensionContext_ canPerformUnwindSegueAction_fromViewController_withSender_ cancelButton childViewControllerDidChangePreferredContentSize_ childViewControllers commitEditing commitEditingAndReturnError_ commitEditingWithDelegate_didCommitSelector_contextInfo_ constrainServiceScreenFrameBlock dateText definesPresentationContext didMoveToParentViewController_ discardEditing dismissController_ dismissViewController_ dismissWindowController_ endAppearanceTransition extensionContext initCommon initWithFrame_andBackupView_ initWithNibName_ initWithNibName_bundle_ insertChildViewController_atIndex_ isViewLoaded loadView maximumSize menuDidClose_ menuWillOpen_ minimumSize moveChildViewControllerAtIndex_toIndex_ nextButton nibBundle nibName objectDidBeginEditing_ objectDidEndEditing_ parentViewController performSegueWithIdentifier_sender_ preferredContentSize preferredContentSizeDidChangeForViewController_ preferredMaximumSize preferredMinimumSize preferredScreenOrigin prepareForSegue_sender_ presentViewControllerAsModalWindow_ presentViewControllerAsSheet_ presentViewController_animator_ presentViewController_asPopoverRelativeToRect_ofView_preferredEdge_behavior_ presentWindowControllerAsModalWindow_ presentWindowControllerAsSheet_ presentedViewControllerDidChangePreferredContentSize_ presentedViewControllers presentedWindowControllers presentingViewController previousButton removeChildViewControllerAtIndex_ removeFromParentViewController restoreButton segueForUnwindingToViewController_fromViewController_identifier_ setCancelButton_ setChildViewControllers_ setConstrainServiceScreenFrameBlock_ setDateText_ setDateY_width_ setNextButton_ setPreferredContentSize_ setPreferredScreenOrigin_ setPreviousButton_ setPreviousOrigin_ setRestoreButton_ setRestoreOrigin_ setSourceItemView_ setStoryboard_ setView_ shouldPerformSegueWithIdentifier_sender_ showChildViewController_ showInParentViewController sourceItemView storyboard transitionFromViewController_toViewController_options_completionHandler_ updateViewConstraints view viewControllerForUnwindSegueAction_fromViewController_withSender_ viewDidAppear viewDidDisappear viewDidLayout viewDidLoad viewLoaded viewNoLoad viewWillAppear viewWillDisappear viewWillLayout viewWillTransitionToSize_ willMoveToParentViewController_ BU_DPRemoteDesktopPicture _initWithDisplay_queue_andBlock_ desktopPictureLayer setDesktopPictureLayer_ BU_DateText _baselineOffsets _commonTextFieldInit _deriveLineBreakModeFromAttributedString_ _hasLayoutEngine _intrinsicSizeWithinSize_ _performMultiPassIntrinsicSize allowsCharacterPickerFunctionBarItemIdentifier allowsCharacterPickerFunctionRowItemIdentifier allowsCharacterPickerTouchBarItem allowsDefaultTighteningForTruncation allowsEditingTextAttributes drawsBackground errorAction importsGraphics isAutomaticTextCompletionEnabled isBezeled isEditable isSelectable maximumNumberOfLines nextText placeholderAttributedString placeholderString preferredMaxLayoutWidth previousText selectText_ setAllowsCharacterPickerFunctionBarItemIdentifier_ setAllowsCharacterPickerFunctionRowItemIdentifier_ setAllowsCharacterPickerTouchBarItem_ setAllowsDefaultTighteningForTruncation_ setAllowsEditingTextAttributes_ setAutomaticTextCompletionEnabled_ setBezeled_ setDate_ setDrawsBackground_ setEditable_ setErrorAction_ setImportsGraphics_ setMaximumNumberOfLines_ setNextText_ setPlaceholderAttributedString_ setPlaceholderString_ setPreferredMaxLayoutWidth_ setPreviousText_ setSelectable_ setStyleEffectConfiguration_ setTextAlignmentPolicy_ setTextColor_ stringSize_ styleEffectConfiguration textAlignmentPolicy textColor textDidBeginEditing_ textDidChange_ textDidEndEditing_ textShouldBeginEditing_ textShouldEndEditing_ textView_candidatesForSelectedRange_ textView_candidates_forSelectedRange_ textView_completions_forPartialWordRange_indexOfSelectedItem_ textView_doCommandBySelector_ textView_prepareMenu_forCharacterAtIndex_withEvent_ textView_shouldChangeTextInRange_replacementString_ textView_shouldSelectCandidateAtIndex_ BU_TBUStarfieldShadowLayer frameForPart_ horizontalPosition_ setShadowImageBounds_ setShadowImage_ setShadowimageBounds_ setWindowContentBounds_ shadowImage shadowImageBounds updateLayers verticalPosition_ windowContentBounds BU_TBackupBackgroundWindow GDBDumpCursorRects __close _absorbDeferredNeedsDisplayRegion _acceptsSecondaryKey _accessibilityGrowBoxRect _accessibilityIsModal _accessibilitySetTitleCellRemoved_ _accessibilitySheetParent _accessibilityTitleCell _accessibilityTitleCellRemoved _accessibilityTitleRect _accessibilityViewCorrectedForFieldEditor_ _acquireNextMinimizationSeed _activateTrackingRectsForApplicationActivation _activeGestureRecognizers _actualMinFullScreenContentSize _addCursorRect_cursor_forView_ _addDrawerWithView_ _addGlobalWindowToAnimationsWithWindowNumber_ _addHeartBeatClientView_ _addKnownSubview_ _addMouseMovedListener_ _addTabbedWindow_ordered_ _addTitlebarRenamingFloatingWindow _addToGroups_ordered_ _addToWindowsMenuIfNecessary _addTouchListener_ _addWindowDockingEventMonitorIfNeeded _adjustColorSpace_ _adjustDynamicDepthLimit _adjustEffectForSheet_ _adjustMinAndMaxSizeForSheet_ _adjustNeedsDisplayRegionForNewFrame_ _adjustSheetEffect _adjustWindowFrame_fromScreen_toScreen_ _adjustWindowResolution _adjustWindowToScreen _adjustedFrameForSaving_ _adjustedFrameFromDefaults_ _allWindowsTabbedTogether _allowedInDashboardSpaceWithCollectionBehavior_ _allowedInOtherAppsFullScreenSpaceWithCollectionBehavior_ _allowsActiveInputContext _allowsActiveInputContextDuringMenuTracking _allowsAnyValidResponder _allowsCompositing _allowsExteriorResizing _allowsFullScreen _allowsImplicitRemovalFromMovementGroup _allowsLinearMaskOverlayForLayer_fromView_ _allowsMoving _allowsOrdering _allowsSizeSnapping _allowsSnapping _allowsTiling _alwaysOnTop _animationShouldCallFlushWindow _anyViewCanDrawConcurrently _applyWindowLayoutForScreen_ _applyWindowLevelWithTagUpdateNeeded_ _attachSheetWindow_ _attachToParentBeforeOrderingWindow _attachedSheet _attachesToolbarToMenuBarInFullScreen _attemptSnapFrameWithMoveData_event_ _attemptToCloseAllTabs_ _attemptToDockWindow _attemptToDockWindowOnRectEdges_ _attemptToModifyAlwaysOnTopWithEvent_ _attemptToShowDockWindowFeedbackWithEvent_ _attemptToSnapWindowSizeWithEvent_ _attemptToUndockWindowWithEvent_ _autoPositionMask _autolayoutEngagedSomewhereInWindow _automateLiveResize _aux _avoidsActivation _backdropBleedAmount _backingStoreResolution _backingType _baseTransform _batchClose _batchZoom _beginATUWindowDragForGreenButtonPressAtLocation_ _beginDraggingSessionWithItems_event_source_ _beginSheet_completionHandler_isCritical_ _beginWindowBlockingModalSessionForSheet_service_completionHandler_isCritical_ _beginWindowBlockingModalSessionForShownService_ _beginWindowDragWithEvent_options_ _beginWindowDragWithEvent_options_completionHandler_ _bestFrameForScreenBasedOnFrame_ _bestScreenByGeometry _bestScreenByGeometryOfFrame_avoidingFullScreen_ _bestScreenByGeometryOfFrame_respectingSpaceAssignment_ _bestScreenBySpaceAssignment _bestScreenBySpaceAssignmentOrGeometry _bindTitleToContentViewController _blockHeartBeat_ _blocksActionWhenModal_ _blocksKeyAndMainWindowTouchBarsWhenModal _borderView _borderViewCanAddWindowTabs _borderViewChanged _bottomBarHeight _cacheAndSetPropertiesForCollectionBehavior_ _cacheTileRect_ _cachedGlobalWindowNum _calcAndSetFilenameTitle _canAddUnderTitlebarViews _canAdjustSizeForScreensHaveSeparateSpacesIfFillingSecondaryScreen _canAutoParticipateInWindowTabs _canAutoQuitQuietlyAndSafelyWithOptionalExplanation_ _canBeSnappingTarget _canBecomeFullScreen _canBecomeMainWindowRegardlessOfVisibility _canBecomeSecondaryKeyWindow _canEditTitle _canEnterFullScreenOrTileMode _canEnterTileMode _canEnterTileModeForBehavior_ _canJoinActiveFullScreenSpace _canMergeWindows _canMiniaturize _canMoveTabToNewWindow _canProbablyFitInSize_ _canQuitQuietlyAndSafelyWithOptionalExplanation_ _canSelectNextOrPreviousTab _canTabMergeWithIdentifier_ _canTabWithIdentifier_ _cancelActionIfCmdDot_ _cancelKey_ _cancelPerformSelectors _cancelShowingDockWindowFeedback _cancelTitleEditing _carbonMinimizeToDock _carbonWindowClass _centerSheetFrame_inParentFrame_ _cgImageScreenShot _cgImageScreenShotIncludingShadow_clipRect_visualEffectViewWithDesktopBleedOnly_spaceID_ _cgImageScreenShotIncludingSpaceID_ _cgsMoveWindow_ _cgsWindowSaysSupportsTiling _changeAllAttachmentsFirstResponder _changeAllAttachmentsKeyState _changeAllAttachmentsMainState _changeAllAttachmentsVisibleWithoutLogin _changeAllDrawersFirstResponder _changeAllDrawersKeyState _changeAllDrawersMainState _changeFirstResponderToParentsFirstResponder _changeJustMain _changeKeyAndMainLimitedOK_ _changeKeyState _changeMainState _changeVisibleWithoutLogin _changeWindowFrameFromConstraintsIfNecessary _checkForImplicitRemovalFromMovementGroupWhenMovingToFrame_ _childLevel_ _childWindowOrderingPriority _childWindows _cleanupAndRemoveFullScreenManagerIfNeeded _cleanupToolbarFromFullScreen _clearAnyValidResponderOverride _clearBackingStoreForBackdropViews _clearModalWindowLevel _clearOverrideIsOnActiveSpace _clearTrackingRects _close _closeForTermination _close_ _closestElementToPosition_inElements_ _collapsedOrigin _colorSpaceIsInherited _commonInitFrame_styleMask_backing_defer_ _commonMinMaxSizeChanged _commonPerformKeyEquivalent_conditionally_ _commonValidFrameForResizeFrame_fromResizeEdge_ _compositedBackground _confirmSize_force_ _containedMenusAreEligibleForKeyEquivalents _containsTrackingRect_ _contentHasShadow _contentViewControllerChanged _contentsHaveInvalidRestorableState _controlAppearanceChangesOnKeyStateChange _convertAdjustedFrameFromDefaults_ _copyAcquiredViewHierarchyLock _copyMinimizeDictionary _copyNeedsDisplayRegionInRect_validateSubtractedRegion_ _copyPublicPersistentUIInfo _copyTileSpaceName _copyWorkspaceIdentifier _cornerMask _cornerMaskChanged _cornerMaskOrNil _createFullScreenManager _createSiblingTileForWindow_preferredPositions_responseHandler_ _createSnappingInfo _createWindowsMenuEntryWithTitle_enabled_ _creationCallStackSymbols _currentDividerResizeDirections _currentlySelectedTabbedWindow _cursorForResizeDirection_ _customImageForStandardWindowButton_state_dirty_controlTint_ _customTitleCell _customTitleFrame _cycleDrawersBackwards_ _cycleDrawersReversed_ _cycleDrawers_ _cycleWindowsBackwards_ _cycleWindows_ _deactivateTrackingRectsForApplicationDeactivation _deallocCursorRects _defaultButtonPaused _defaultCollectionBehavior _defeatsOverrideOfFullScreenAvoidance _deferQuickLookIfPossible _deferTileFullScreenWindowXPCMessage_ _delayedWindowDisplayEnabled _delayedWindowDisplay_ _destroyRealWindowForAllDrawers _destroyRealWindowIfNeeded _destroyRealWindowIfNotVisible_ _destroyRealWindow_ _detachSheetWindow _detachSheetWindow_ _didAddChildWindow_ _didEndViewScrolling _didEnterFullScreen _didExitFullScreen_ _didFailToEnterFullScreen _didFailToExitFullScreen _didInstallTrackingRect_assumeInside_userData_trackingNum_ _didRemoveChildWindow_ _disableDelayedWindowDisplay _disableEnablingKeyEquivalentForDefaultButtonCell _disableFullScreenMenubarAutohiding _disablePosting _disableToolTipCreationAndDisplay _disableTrackingRect_ _discardCursorRect_ _discardCursorRectsForView_ _discardTrackingRect_ _discardTrackingRects_count_ _discardWindowResizeConstraintsAndMarkAsNeedingUpdate _dismissModalForTerminate _displayAllDrawersIfNeeded _displayChanged _displayChangedDepth _displayChangedSoAdjustWindows_ _displayChangedWithoutAdjusting _displayName _displayProfileChanged _displayResolutionChanged _doClientSideDraggingWithEvent_ _doDockingForWindowMovementWithEvent_ _doFullScreenCleanupForOrderOut _doNonVisibleTabDeminimize _doNonVisibleTabMinimize _doOrderWindowWithoutAnimation_relativeTo_findKey_forCounter_force_isModal_ _doOrderWindow_relativeTo_findKey_ _doOrderWindow_relativeTo_findKey_forCounter_force_ _doOrderWindow_relativeTo_findKey_forCounter_force_isModal_ _doRestoreComingFromDock_forceActivation_wantsToBeKey_ _doScreenSizeSnappingFromResizedEdge_frame_state_ _doSnapToFrame _doTabbedWindowCleanupForOrderOut _doTabbedWindowDidChangeToolbar _doTabbedWindowMadeKey _doTabbedWindowOrderFront _doTabbedWindowOrderInWithWasVisible_mode_ _doTabbedWindowSyncToolbar _doTabbedWindowWillEnterVersionsEditor _doTabbedWindowWillExitVersionsEditor _doWindowOrderOutWithWithKeyCalc_forCounter_orderingDone_docWindow_ _doWindowTabCleanupForStyleMaskChange _doWindowTabOrderAbove_ _doWindowTabOrderOut _doWindowTabSetupAttemptingToJoinExistingStack_makeIfNeeded_ _doWindowWillBeVisibleAsSheet_ _doWindowWillBecomeHidden _dockAllowedResizeEdges _dockItem _documentAutosavingError _documentEditingState _documentShowsPanelOnClose _documentWindow _doesOwnRealWindow _doingCacheDisplayInRect _dosetTitle_andDefeatWrap_ _dragWindowRelativeToMouseDown_ _dragWindowRelativeToMouseDown_options_ _drawBackgroundForCellWithRect_inView_ _drawKeyboardUIIndicationForView_debuggingIndex_ _drawKeyboardUILoopIfNeededForEvent_ _drawKeyboardUILoopStartingAtResponder_validOnly_ _drawerIsOpen _dropSharedFirstResponder _dumpImage _edgeResizingCursorUpdate_atLocation_ _editingModeForTitle_editingRange_selectedRange_ _effectiveAlphaValue _effectiveAnimationBehaviorIfModal_ _effectiveCollectionBehavior _effectiveLevel _effectiveOrderFrontAnimationTypeIfModal_ _effectiveOrderOutAnimationTypeIfModal_ _effectiveSubLevel _enableDelayedWindowDisplay _enableEnablingKeyEquivalentForDefaultButtonCell _enableFullScreenMenubarAutohiding _enablePosting _enableScreenUpdatesIfNeeded _enableToolTipCreationAndDisplay _enableTrackingRect_ _encodeTabbedWindowRestorableStateWithCoder_ _encodeWindowLayoutsByScreenLayoutWithCoder_ _endLiveResizeForAllDrawers _endTitlebarRenamingPrecleanup _endWindowBlockingModalSessionForShownService_ _endWindowBlockingModalSession_returnCode_ _endWindowMoveWithEvent_ _enforceFullScreenRestrictionForFrame_ _enforceMenuBarAvoidanceForFrame_onScreen_ _ensureTabViewItem _enterFullScreenModeIfAppropriate _enterFullScreenModeOnTileSpaceWithName_ _enterFullScreenModeOnTileSpaceWithName_takeOwnership_ _enterFullScreenMode_options_ _enterFullScreenMode_options_implicitlyTile_ _enumerateAnimatedGlobalWindowsUsingBlock_ _eventIsOldSelectNextPreviousTabKeyEquivalent_direction_ _eventMonitorForRenaming _eventWasFiltered_ _evilHackToClearlastLeftHitInWindow _excludedFromVisibleWindowList _exitFullScreenMode _exitFullScreenToSpid_animating_duration_ _explicitlyAllowsFullScreenAuxiliary _explicitlyAllowsFullScreenPrimary _filterDownPotentialSectionResult_keys_ _finalUpdateSectionResult_withCandidates_element_keys_allowMultiple_ _findCursorForView_ _findDragTargetFrom_ _findFirstKeyViewInDirection_forKeyLoopGroupingView_ _findKeyLoopGroupingViewFollowingKeyLoopGroupingView_direction_ _findNewGrowBoxOwner _finishDeminiaturizeFromDock_ _finishMinimizeToDock _flushAndUpdateShadowIfNeeded _flushBackdropViews _fontSmoothingBackgroundColor _forceFlushWindowToScreen _forceInactiveShadow _forceMainAppearance _forwardActionToParent_ _frameForFullScreenMode _frameForFullScreenModeInRect_ _frameForVisualizedConstraintsWindow_ _frameFromMoveData_ _frameIsCurrentlyAnimating _frameOnExitFromFullScreen _frame_resizedFromEdge_withDelta_withEvent_ _frame_resizedFromEdge_withDelta_withEvent_withState_ _frameworkScaleFactor _fromConstraintsGetWindowMinSize_maxSize_allowDynamicLayout_changingOnlySlightly_ _fromConstraintsSetWindowFrame_ _fromScreenCommonCode_ _fullScreenPresentationOptions _fullScreenState _fullScreenStatusChanged _fullScreenTileFillsScreen _fullScreenTileFrame _fullScreenTitlebarMaxHeight _fullScreenTitlebarMinHeight _fullScreenTransition _fullScreenUpdateUserSpaceSavedFrameIfNeeded _fullScreenWindowManager _gatheringActiveGestureRecognizers _generateCompositedBackground _generateMetalBackground _generateScaledBackground _gestureRecognizersHaveDelayedEvents _gestureRecognizersStartingWithView_onEvent_requireAcceptsFirstMouse_ _getActiveUndoManager _getConstrainedWindowMinSize_maxSize_ _getConstrainedWindowMinSize_maxSize_changingOnlySlightly_ _getEdgeResizingRects_ _getExteriorResizeEdgeThicknesses_ _getPositionFromServer _getResizeEdgeAndCornerThicknesses_ _getRetainedLastFocusRingView_bleedRegion_ _getUndoManager_ _globalWindowNum _gradientImage _growBoxOwner _growBoxRect _growBoxView _handleFocusToolbarHotKey_ _handleMouseDownEvent_isDelayedEvent_ _handleMouseDraggedEvent_ _handleResignKeyAppearanceEvent _handleTrackingRectEnterExitEvent_ _handleWindowShouldCloseEvent_ _handlingResizeInitiatedByDock _hasActiveAppearance _hasActiveAppearanceForStandardWindowButton_ _hasActiveAppearanceIgnoringKeyFocus _hasActiveControls _hasAtLeastOneDirtyBackdropView _hasBackgroundColor _hasCornerMask _hasCursorRects _hasCursorRectsForView_ _hasCustomAppearanceInASubview _hasDarkShadow _hasDescendentThatSharesKeyStatusWithSelfAndHasKeyAppearanceIncludingSheets_ _hasGradientBackground _hasIncompatibleAppearanceOverride _hasKeyAppearance _hasMainAppearance _hasMetalSheetEffect _hasMouseMovedListeners _hasOrderedInViewBackingSurfaces _hasRegisteredForDragTypes _hasScaledBackground _hasToolbar _hasWindowRef _hasWindowRefCreatedForCarbonControl _hideAllDrawers _hideAttachedWindows_findKey_ _hideChildren _hideDockFeedbackWindow _hideHODWindow _hideMenu_ _hideSheet_ _hideSnappingTargets _hideTitlebarFloatingWindow _hideToolbar_animate_ _hidingToolbarForFullScreen _hierarchyDidChangeInView_ _hiliteWindow_fromWindow_ _hitTestInResizeRegionShouldReturnNil _hitTestWithHysteresisCheck_forEvent_allowWindowDragging_ _hostsLayersInWindowServer _ignoreForFullScreenTransition _ignoreForFullScreenTransitionSnapshot _ignoreLayerUpdates _ignoreWindowStackController _implicitlyAllowsFullScreenAuxiliary _implicitlyAllowsFullScreenPrimary _implicitlyAllowsWindowTabbing _implicitlyDisallowTiling _implicitlyTileable _inFullScreen _initContent_styleMask_backing_defer_contentView_ _initContent_styleMask_backing_defer_screen_contentView_ _initFromGlobalWindow_inRect_ _initFromGlobalWindow_inRect_styleMask_ _installCarbonAppDockHandlers _installCarbonWindowEventHandlers _installCocoaWindowEventHandlers _installCocoaWindowEventHandlersForCocoaSheetsAttachedToCarbonModalParent _installCursorObserver _installRootMetricsHandler _internalEditTitleWithCompletionHandler_ _internalHandleAppKitDefinedEvent_ _internalHandleWindowMovedWithEvent_ _intersectBottomCornersWithRect_ _invalidateAllRevealoversForView_ _invalidateCompositedBackground _invalidateCursorObserver _invalidateCursorRectsForView_force_ _invalidateCursorRectsForViewsWithNoTrackingAreas _invalidateDocumentIcon _invalidateRestorableStateOfContents _invalidateScaledBackground _invalidateWindowConstraintsMinMaxSizeCache _isActiveAndOnScreen_ _isChildOfWindowWithWindowNumber_ _isChildOfWindow_ _isConsideredOpenForPersistentState _isConsideredSheetForResizing _isDarkWindow _isDocModal _isDocWindow _isDraggable _isEffectivelyTitled _isEffectivelyVisible _isHidden _isImageCache _isInFullScreenSpace _isInHiddenWindowTab _isInSomeVisibleSpace _isInactiveRevisionWindow _isKeyWindow _isKeyWindowIgnoringFocus _isNonactivatingPanel _isOnActiveScreen _isOpaqueConsideringBackdropViews _isPerformingRestoration _isRunningADocModalAttachedSheet _isScreenLayoutAware _isSearchField_ _isSheet _isSheetOnModalWindow _isSheetOnWindowWithWindowNumber_ _isSnapshotRestorationEnabled _isTabbedWithOtherWindows _isTerminating _isTiledInFullScreen _isTitleHidden _isTitledWindow _isToolTipCreationAndDisplayEnabled _isUtilityWindow _isViewScrolling _joinActiveFullScreenSpaceUsingPosition_ _justOrderOut _keepChildrenAttached _keepOnScreenSheetFrame_ _keyViewLoopsMayCrossWindows _keyViewRedirectionDisabled _keyboardUIActionForEvent_ _largestElementInElements_ _lastLeftHit _lastRightHit _latchViewForScrollEvent_ _layoutEngineEngaging _layoutEngineIfAvailable _layoutViewTree _layout_anchorInfo _layout_anchorPoint _layout_anchorPointInEngine _layout_defaultAnchorInfo _layout_primitiveAnchorInfo _layout_setPrimitiveAnchorInfo_ _lighterViewDetaching_ _liveResizeImageCacheingEnabled _liveResizeLOptimizationEnabled _liveResizeOperation _lmouseUpPending _localizedDescriptionForSectionIdentifier_ _locationTemporary _lockFirstResponder _lockViewHierarchyForDrawing _lockViewHierarchyForDrawingWithExceptionHandler_ _lockViewHierarchyForModification _lockViewHierarchyForModificationWithExceptionHandler_ _makeCatchupAnimationWithMoveData_catchupSize_ _makeFullScreenStorageIfNecessary _makeFullScreenWindow _makeGhostContentViewWithFrame_ _makeGhostFeedbackWindowWithFrame_ _makeKeyRegardlessOfVisibility _makeLayerBacked _makeLayerBackedForTesting _makeNewWindowInTab _makeParentWindowHaveFirstResponder_ _makeSnappingInfo _makeTabStackActive _makeTitlebarRenamingFloatingWindow _makingFirstResponderForMouseDown _managesWindowRef _markAppropriateForAutomaticFullScreenMode_ _markCursorRectsForRemovedView_ _markDefaultButtonCellDirty _markEndOfLiveResizeForPerformanceMeasurement _markEndOfLiveResizeInterval _markStartOfLiveResizeForPerformanceMeasurement _markStartOfLiveResizeInterval _maskRoundedBottomCorners_ _matchingWindowLayoutForScreen_ _maxXTitlebarButtonsWidth _measuringMinFullScreenContentSize _mergeAllWindows_ _metalStyle _minContentSizeForDrawers _minFullScreenContentSizeForFrame_ _minSizeForDrawers _minXTitlebarButtonsWidth _miniaturizedOrCanBecomeMain _minimizationSeed _minimizeSucceeded_ _minimizeToDock _movableByBottomBar _moveAllDrawersByOffset_ _moveByOffset_ _moveChildrenByOffset_ _moveOffscreen _moveOnscreen _moveSheetByItself_delta_ _moveTabToNewWindow_ _moveTrackingArea_toRect_ _moveWindowToSpace_ _needsBehindWindowBlendingForFullScreenTitlebar _needsDisplayForEntireRect_ _needsFullScreenManager _needsToRemoveFieldEditor _needsToResetDragMargins _newAutoGeneratedSectionsWithSearchKeys_searchDepth_existingElements_ _newFirstResponderAfterResigning _newSectionCandidatesForSearchElements_depth_ _nextResponderChainValidateUIItem_withResult_ _nextTabbedWindowToSelect _nextTrackingNum _nonModalDocumentError _noteAllowedResizeDirectionsMayHaveChanged _noteExteriorResizeMarginsMayHaveChanged _noteTileFrameChanged _nsib_candidateRedundantConstraints _oldFirstResponderBeforeBecoming _oldPlaceWindow_ _opaqueAspectDimensionForDimension_isHorizontal_ _openDrawer _openDrawerOnEdge_ _openDrawers _orderForwardWithEvent_ _orderFrontAnimationType _orderFrontRelativeToWindow_ _orderOutAndCalcKeyWithCounter_ _orderOutAndCalcKeyWithCounter_stillVisible_docWindow_ _orderOutAnimationType _orderOutInProgress _orderOutRelativeToWindow_ _orderOutWhenAppHiddenRelativeToWindow_ _orderedDrawerAndWindowKeyLoopGroupingViews _overrideDefeatingConstrainFrameRect_toScreen_ _ownerOnly _parentSpaceID _parentWindowForAddingToMovementGroupWithProposedParent_ _pauseUIHeartBeatingInView_ _performDividerDragWithEvent_forResizeDirection_ _performKeyEquivalentConditionally_ _performToggleToolbarShown_ _persistFrame _persistentStateTerminationGeneration _pixelRectInPoints_ _pointRectInPixels_ _positionAllDrawers _positionSheetConstrained_andDisplay_ _positionSheetRect_onRect_andDisplay_ _positionSheet_constrained_andDisplay_ _positionSheetsConstrained_andDisplay_ _positionWindowOnBestScreen _positionsToolbarInExternalWindow _postInvalidCursorRects _postWillOrderOffScreenNotification _postWindowDidChangeBackingPropertiesAndDisplayWindowForPreviousBackingScaleFactor_previousColorSpace_ _postWindowNeedsDisplayOrLayoutOrUpdateConstraintsUnlessPostingDisabled _postWindowNeedsDisplayUnlessPostingDisabled _postWindowNeedsLayoutUnlessPostingDisabled _postWindowNeedsToResetDragMarginsUnlessPostingDisabled _postWindowNeedsUpdateConstraintsUnlessPostingDisabled _postWindowWillOrderOnScreenNotification _postingDisabled _potentialCandidateKeyForSectionKey_ _preferredNextWindowToSelect _preferredPositionForTileJoin _preliminaryUpdateSectionResult_element_keys_ _prepareTabbedWindowDeminimize _prepareTabbedWindowMinimize _prepareToMinimize _prepareToMinimizeCore _prepareToRestoreFromDock_forceActivation_wantsToBeKey_ _prepareToRestoreRegularFromDock_forceActivation_wantsToBeKey_ _prepareToUnMinimizeFromDock_forceActivation_wantsToBeKey_ _presenterOnly _preventsActivation _processKeyboardUIKey_ _provideActuationFeedbackWithEvent_ _queryCanAddSiblingTileForWindow_responseHandler_ _reacquireToolbarViewFromFullScreenWindow _realMakeFirstResponder_ _realWindowNumber _reallyDoOrderWindowAboveOrBelow_relativeTo_findKey_forCounter_force_isModal_ _reallyDoOrderWindowOutRelativeTo_findKey_forCounter_force_isModal_ _reallyDoOrderWindow_relativeTo_findKey_forCounter_force_isModal_ _reallyIsVisible _reallyNeedsWindowRef _reallySendEvent_isDelayedEvent_ _recalculateKeyViewLoopIfNeeded _rectEdgesForDocking _recursiveResetTrackingAreasToPending _redundantConstraints _refreshWindowResizeConstraintsWithSize_ _registerAllDrawersForDraggedTypesIfNeeded _registerBackdropView_ _registerDragTypesIfNeeded _registerDragTypesLater _registerDragTypes_ _registerWithDockIfNeeded _registeredBackdropViews _regularMinimizeToDock _remoteRenameSession _removeActiveGestureRecognizer_withEvent_ _removeAllDrawersImmediately_ _removeAsSavedFirstResponder_ _removeCocoaWindowEventHandlersForCocoaSheetsAttachedToCarbonModalParent _removeCursorRect_cursor_forView_ _removeEventHandlers _removeFromGroupsEvenIfOffscreen_ _removeFromGroups_ _removeFromParentIfPossible _removeFullScreenManager _removeGlobalWindowFromAnimationsWithWindowNumber_ _removeHeartBeartClientView_ _removeMouseMovedListener_ _removeTitlebarRenamingFloatingWindow _removeTouchListener_ _removeTrackingRect_ _removeWindowDockingEventMonitor _removeWindowRef _renamingDidEndNormally_ _reorderChildren _reparentSheetsToSelfOnFullScreenExit _resetAllDrawersDisableCounts _resetAllDrawersPostingCounts _resetClipForTrackingRect_ _resetDisableCounts _resetDragMarginsIfNeeded _resetFirstResponder _resetPostingCounts _resetSplitViewUserPreferredThicknessFromSetAlignmentFrames _resignFullScreenWindowAndExitFullScreen_ _resignKeyFocus _resizableEdgesForGrowing_shrinking_ _resizeDirectionForMouseLocation_ _resizeEdgesManagedByDock _resizeMetalBackground _resizeSetFrame_withEvent_ _resizeWeighting _resizeWithEvent_ _resizesFromEdges _resizingShouldSnapToWindows _resolveAnySpaceMisassignmentByUpdatingManagedDisplay _resolveAutomaticEnterFullScreenFlags _restorableStateRepresentedURL _restoreLevelAfterRunningModal _restoreModalWindowLevel _restoreTabbedWindowStateWithCoder_ _restoreWindowLayoutsByScreenLayoutWithCoder_ _resumeUIHeartBeatingInView_ _resumeWindowServerLayerHosting _runLoopModesForInvalidCursorRectsObserver _runningDocModal _runningWindowTransformAnimation _saveFirstResponder _saveFrameBeforeFullScreen _saveFrameUsingName_domain_ _saveTilePreferredSize _saveUserFrame _saveWindowLayoutForScreenLayout _saveWindowLayoutForScreen_ _savedFirstResponderForRenaming _savedScreen _scaleFactor _scaledBackground _scalesBackgroundHorizontally _scalesBackgroundVertically _scheduleShowingDockWindowFeedback _scheduleWindowForBatchOrdering_relativeTo_ _screenChanged_ _screenForWindowLayoutAdjustment _scrollViewIntersectsSoutheastGrowCorner_ _scrollerExclusionRect _secondaryKeyMakeFirstResponder_ _sectionsForElement_keys_depth_allowMultiple_ _selectAnyValidResponderOverride _selectFirstKeyView _selectNextTab_ _selectPreviousTab_ _selectWindow_ _sendDidEnterFullScreenToManager _sendDockFullScreenTitle_ _sendEventToGestureRecognizers_requireAcceptsFirstMouse_ _sendForcedWindowChangedKeyState _sendWindowChangedKeyStateIfNeeded _sendWindowDidEndDragging _sendWindowWillMoveNoteWithEvent_ _sendWindowWillStartDragging _setAlwaysOnTop_ _setAnyViewCanDrawConcurrently_ _setAutoPositionMask_ _setAvoidsActivation_ _setBackingScaleFactor_ _setBackingStoreResolution_ _setCGColorSpace_ _setCanCycle_ _setColorSpace_sendNotification_displayIfChanged_ _setContentHasShadow_ _setContentRect_ _setContentsHaveInvalidRestorableState_ _setCursorForMouseLocation_ _setCursorRect_index_ _setDefaultButtonCell_ _setDefaultButtonPaused_ _setDisableInteraction_ _setDocModal_ _setDockAllowedResizeEdges_ _setDocumentAutosavingError_ _setDocumentButtonEnabled_ _setDocumentEdited_ _setDocumentEditingState_animate_ _setDocumentShowsPanelOnClose_ _setDocumentWindow_ _setDoingCacheDisplayInRect_ _setEventMask_ _setEventMask_forTrackingRect_ _setEventMonitorForRenaming_ _setExcludedFromVisibleWindowList_ _setFallBackInitialFirstResponder_ _setFirstResponder_ _setForceActiveControls_ _setForceInactiveShadow_ _setForceMainAppearance_ _setFrameAfterMove_ _setFrameAutosaveName_changeFrame_ _setFrameCommon_display_stashSize_ _setFrameFromString_overrideTopLeft_preferActiveDisplay_constrainFullFrame_force_ _setFrameHeightDelta_resizingFromTop_frame_ _setFrameNeedsDisplay_ _setFrameOriginForDockMove_ _setFrameSavedUsingTitle_ _setFrameUsingName_domain_ _setFrameUsingName_domain_force_ _setFrameWidthDelta_resizingFromRight_frame_ _setFrame_ _setFrame_display_allowImplicitAnimation_stashSize_ _setFrame_updateBorderViewSize_ _setFrameworkScaleFactor_ _setFullScreenManagedInfoFromDock_ _setFullScreenPresentationOptions_ _setFullScreenSavedFrameFromWindow_ _setFullScreenTiled_spid_subspid_overrideIsOnActiveSpace_ _setFullScreenTiled_withOptions_overrideIsOnActiveSpace_ _setFullScreenWindowManager_ _setGrowBoxView_ _setHandlingResizeInitiatedByDock_ _setHasActiveAppearance_ _setHasCustomAppearanceInASubview_ _setIgnoreLayerUpdates_ _setIgnoreWindowStackController_ _setIgnoresCurrentEvent_ _setInactiveRevisionWindow_ _setIsInHiddenWindowTab_ _setIsMinimized_ _setIsPerformingRestoration_ _setIsRemovingFromParentWindow_ _setKeepChildrenAttached_ _setKeyViewGroupBoundaryNeedsRecalc_ _setKeyViewLoopNeedsRecalc_ _setKeyViewRedirectionDisabled_ _setKeyViewSelectionDirection_ _setLastDragRegion_ _setLastFocusRingView_bleedRegion_ _setLevelForAllDrawers _setLiveResizeImageCacheingEnabled_ _setLiveResizedFrame_animated_ _setLocationTemporary_ _setMiniImageInDock _setMiniaturized_ _setModalWindowLevel _setModal_ _setMouseMovedEventsEnabled_ _setMovableByBottomBar_ _setNeedsDisplayInRect_ _setNeedsDisplayInRegion_ _setNeedsDisplay_ _setNeedsToRemoveFieldEditor_ _setNeedsToResetDragMargins_ _setNeedsZoom_ _setNextToolbarDisplayMode_ _setNextToolbarSizeAndDisplayMode_ _setNextToolbarSizeMode_ _setNonModalDocumentError_ _setNonactivatingPanel_ _setOcclusionStateIsVisible_ _setOneShotIsDelayed_ _setOrderFrontAnimationType_ _setOrderOutAnimationType_ _setOrderOutInProgress_ _setOwnsRealWindow_ _setPreferredNextWindowToSelect_ _setPreventsActivation_ _setPreviousToolbarSizeAndDisplayMode_ _setRectEdgesForDocking_ _setRegisteredBackdropViews_ _setRelativeOrdering_ _setRemoteRenameSession_ _setRepresentedURL_ _setResizeEdgesManagedByDock_ _setResizeWeighting_ _setRunningWindowTransformAnimation_ _setSavedFirstResponderForRenaming_ _setScaleFactor_ _setShadowAnimationProgress_ _setShadowHiddenByDock_ _setShadowParameters _setSharesParentFirstResponder_ _setSheetParent_ _setSheet_ _setShouldAutoFlattenLayerTree_ _setShouldSendResizeNotificationsToDock_ _setShowOpaqueGrowBoxForOwner_ _setShowOpaqueGrowBox_ _setShowingModalFrame_ _setStartingSizeAndPosition _setSubLevel_ _setTabBarAccessoryViewController_ _setTempHidden_ _setTemporarilyIgnoresMoves_ _setTexturedBackground_ _setTileMinSize_tileMaxSize_tilePreferredSize_ _setTitleNeedsDisplay _setTitlebarFloatingWindow_ _setTrackingAreasDirty _setTrackingRect_inside_owner_userData_ _setTrackingRect_inside_owner_userData_useTrackingNum_ _setTrackingRect_inside_owner_userData_useTrackingNum_install_ _setTrackingRects _setTrackingRects_insideList_owner_userDataList_trackingNums_count_ _setTransformDidCompleteHandler_ _setTransformForAnimation_anchorPoint_ _setUnsnapCatchupAnimation_ _setUpFirstResponder _setUpFirstResponderBeforeBecomingVisible _setUtilityWindow_ _setViewBackingSurfaceNeedsDisplay_ _setViewsNeedLayout_ _setViewsNeedUpdateConstraints_ _setViewsNeedUpdateLayoutDependentMetrics_ _setVisibleWithoutLoginForAllDrawers _setVisible_ _setWantsHideOnDeactivate_ _setWantsMouseMoveEventsInBackground_ _setWantsToBeOnMainScreen_ _setWantsToDestroyRealWindow_ _setWasCGOrderingEnabled_ _setWasReshapingEnabled_ _setWindowDepth _setWindowDepth_ _setWindowDidExistAtLaunch_ _setWindowDockFeedbackWindow_ _setWindowDockingEventMonitor_ _setWindowMoveDisabled_ _setWindowNumber_ _setWindowRef_ _setWindowResizeConstraintSize_ _setWindowResizeConstraints_ _setWindowResolution_displayIfChanged_ _setWindowStackController_ _setWindowTag _shadowHiddenByDock _shadowNeedsUpdate _shadowOffset _shadowOffsetForActiveAppearance_ _shadowOptionsForActiveAppearance_ _shadowParametersForActiveAppearance_usePreLoadKeys_ _shadowRimInfo _shadowType _shadowTypeForActiveAppearance_ _shake _sharesParentFirstResponder _sharesParentKeyState _sheetEffect _sheetEffectInset _shouldAutoDecSubLevel _shouldAutoIncSubLevel _shouldCloseForTermination _shouldDoClientSideDragging _shouldDoScreenSizeSnappingFromResizedEdge_frame_state_ _shouldDockWindow _shouldEnterFullScreenModeOnOrderIn _shouldGetCornerMaskFromVisualEffectView _shouldIgnoreSetFrameOrigin _shouldIncChildWindowSubLevel _shouldIncludeTitlebarAccessoryViewsInKeyViewLoop _shouldJoinActiveSpaceOnOrderIn _shouldJoinTabbingStackOnOrderIn _shouldOpenInFullScreen _shouldParticipateInBatchOrdering_ _shouldPropagateFrameChangesToWindowServer _shouldRecordPersistentState _shouldRemoveFromParentIfPossible _shouldRenderContextWithCoreAnimation _shouldResetCursorRects _shouldRoundCornersForSurface _shouldSendResizeNotificationsToDock _shouldShowCursorRects _shouldShowResizeCursor _shouldSnapForEvent_ _shouldSnapSizeOnDoubleClick _shouldSnapSizeWhenResizing _shouldSnapWindowsClientSide _shouldStartWindowDragForEvent_ _shouldSuppressRolloversForSegmentedCellInView_ _shouldSyncSurfaceToView _shouldUseTexturedAppearanceForSegmentedCellInView_ _showDockFeedbackWindowAtRectEdges_ _showDragBeginFeedback _showDynamicDragFeedbackForValue_ _showOpaqueGrowBox _showSnappingTargets _showToolTip _showToolbar_animate_ _shutDrawer _sizeAllDrawers _sizeAllDrawersWithRect_ _sizeSnappedFrameForOppositeEdge_frame_state_ _snapSizeToFrame_withEvent_ _snapWindowSizeInDirection_withEvent_ _snapWindowSizeWithFrame_resizeDirection_state_ _standardFrame _standardFrameForDrawersInRect_ _startClientSideMove _startLiveResizeForAllDrawers _startShowingWindowDockingFeedback _startSnappingToFrameTimerAfterDelay_ _startWindowDragWithEvent_animate_ _startWindowDragWithEvent_options_animate_ _startWindowDragWithEvent_options_animate_completionHandler_ _startWindowMoveWithEvent_ _stashCollapsedOrigin_ _stashOrigin_ _stashedOrigin _stopClientSideMove _stopSnappingToFrameTimer _storedTabbingIdentifier _stringWithFrame_onScreen_adjustingForToolbar_ _stringWithSavedFrame _stringWithSavedFrameAdjustingForToolbar_ _subLevel _subtractFromNeedsDisplayRegion_ _supportsDockInitiatedFullScreen _supportsNewTabButton _supportsTabbing _supportsTitlebarAccessoryViewControllers _surfaceAddedToWindow_ _surfaceMovedInWindow_ _surfaceOrderedInWindow_ _surfaceRemovedFromWindow_ _surrenderToolbarViewForFullScreenWindow _suspendWindowServerLayerHosting _switchDragRegistrationToRemoteContext_ _syncFrameMetrics _syncTabItemPropertiesIfNeeded _synchronizeConfigurationForTrackingArea_ _synchronizeOverrideForActiveGestureRecognizers _synthesizeEventsForLiveResize _tabBarAccessoryViewController _tabBarIsVisible _tabbedAppearanceChanged _tabbedWindows _tabbedWindowsDidEnterFullScreen _tabbedWindowsDidExitFullScreen _tabbedWindowsHandleEnterFullScreenWithOptions_ _tabbedWindowsWillEnterFullScreen _tabbingPerformKeyEquivalent_ _tabsFinishDeminiaturizeFromDock _takeApplicationMenuIfNeeded_ _teardownVisualizedConstraintsView _tempHideHODWindow _tempHide_relWin_ _tempUnhideHODWindow _temporarilyIgnoreMoves _termOneShotWindow _termWindowIfOwner _textureImage _texturePattern _themeFrame _threadContext _tileAndUpdateFullScreenManager _tileFrameForFullScreen _tilePreferredSize _tileSpaceID _titleBarRenamingApplicationDidResignActive_ _titleFrameForEditingWithProposedFrame_ _titleIsRepresentedFilename _titleMightBeEditable _titlebarContainerView _titlebarDisplayIdentifier _titlebarEditingDidEndNormally_title_editingRange_grantHandler_ _titlebarFloatingWindow _titlebarFloatingWindowFrame _titlebarRenamingShouldBeInWindow _toggleFrameAutosaveEnabled_ _toggleOrderedFrontMostWillOrderOut _toggleOrderedFrontMost_ _toggleSelectAnyValidResponderOverride _toggleTabBar_ _toggleToolbarConfigPanel_ _toolbarButtonIsClickable _toolbarFrameSizeChanged_oldSize_ _toolbarIsShown _toolbarLeadingSpace _toolbarPillButtonClicked_ _toolbarTrailingSpace _toolbarView _topBarHeight _topmostChild _topmostDocWrapsCarbonWindow _trackingAreaIDForTrackingArea_ _transformsDescription _transparency _tryLockViewHierarchyForModification _tryLockViewHierarchyForModificationWithHandler_ _tryWindowDragWithEvent_ _ultimateParentWindow _unbindTitleIfNecessary _unhideAllDrawers _unhideChildren _unhideHODWindow _unhideSheet _unlockFirstResponder _unlockViewHierarchyForDrawing _unlockViewHierarchyForModification _unregisterBackdropView_ _unregisterDragTypes _unscheduleWindowForBatchOrdering _unsnapCatchupAnimation _unsnapFrameWithEvent_ _unsnapSizeFromFrame_fromEdge_state_ _updateBackdropViewsIfNeeded _updateButtonsForFullScreen _updateButtonsForModeChanged _updateCGWindowSizesForTiling _updateCGWindowSizesForTilingImmediatelyUsingActualValues_ _updateCollectionBehavior _updateConstraintVisualization _updateConstraintsForEngineHostingViews_ _updateContentLayoutGuideFrame _updateCursorRectsDueToBecomingKey _updateCursorRectsDueToBecomingVisible _updateCursorRectsDueToResigningKey _updateEdgeResizingTrackingAreas _updateEventMaskDueToBecomingKey _updateEventMaskDueToCommonAwake _updateEventMaskDueToDisableCursorRects _updateEventMaskDueToEnableCursorRects _updateEventMaskDueToInit _updateEventMaskDueToOrderedOut _updateEventMaskDueToResigningKey _updateFirstResponderForIgnoredChildWindow_ _updateFrameToScreenConstraints _updateFrameWidgets _updateFullScreenSpaceDockTitle _updateGrowBoxOwner _updateGrowBoxViewForSurface_ _updateInheritedBackingScaleFactorAndDisplayIfChanged_ _updateInheritedColorSpaceAndDisplayIfChanged_ _updateManagedDisplay _updateMetalBackgroundStyle _updateMouseMovedState _updateMovementGroup _updatePropertiesForTabViewItem_ _updateSavedFrameForFullScreen _updateSavedScreen _updateSectionSearchElements_keys_element_ _updateSettingsSendingScreenChangeNotificationIfNeeded_ _updateStructuralRegionsOnNextDisplayCycle _updateSubLevel _updateTitleTextField _updateTrackingAreasDueToEndScrolling _updateWindowDockFeedbackAtRectEdges_ _updateWindowIsFullScreenCapable _updateWindowsMenuItemIfNeeded _useMetalPattern _userInterfaceItemIsTemporarilyDisabled_ _usesCustomDrawing _validFrameForFrame_resizedFromEdge_ _validSize_forFullScreen_force_ _validSize_force_ _validateCollectionBehavior_ _validateFirstResponder_ _validateSizeUsingConstraints_ _validateTabUserInterfaceItem_withResult_ _verifyDefaultButtonCellIfDirty _verifyDefaultButtonCell_ _verifyTrackingRects _verticalSlice _viewDetaching_ _viewDidChangeGeometryInWindow_ _viewFreeing_ _viewIsInContentBorder_ _viewsNeedLayout _viewsNeedUpdateConstraints _visibleAndCanBecomeKey _visibleAndCanBecomeKeyLimitedOK_ _visualizedConstraintsView _wantToBeModal _wantsHideOnDeactivate _wantsMenuBarFullScreenButton _wantsMouseMoveEventsInBackground _wantsSnapshotProxyWindowForOrderOutAnimation _wantsToDestroyRealWindow _wantsUserAttention _wasActiveBeforeCurrentEvent _wasCGOrderingEnabled _wasModalAtSometime _wasReshapingEnabled _willBeInFullScreenSpace _willBecomeTabbedWithOtherWindows _willBeginViewScrolling _willEnterFullScreen _willRemoveChildWindow_ _windowCanBeRestored _windowDepth _windowDeviceRound _windowDeviceRoundWithContext_ _windowDidExistAtLaunch _windowDockFeedbackWindow _windowDockRectEdgesFromPoint_ _windowDockingEventMonitor _windowDying _windowExposed_ _windowForInlineTitleEditing _windowForLayoutEncoding _windowForSheetMovementAndOrderingGroups _windowForToolbar _windowIsBeingMoved _windowMoveDisabled _windowMovedToRect_ _windowMoved_ _windowRef _windowRefCreatedForCarbonApp _windowRefCreatedForCarbonControl _windowResizeConstraints _windowResizeConstraints_borderViewChanged _windowResizeEventHandlingRectForRect_ _windowResizeMouseLocationIsInVisibleScrollerThumb_ _windowResolution _windowStackController _windowTransformAnimationDidEnd_ _windowTransformAnimationForOrdering_animationType_interruptingAnimation_ _windowTransformAnimationWillBegin_ _windowWillBecomeFullScreen _withWindowLayoutsByScreenLayout_ _withWindowLayoutsForScreen_performBlock_ _worksWhenModalOrChildOfModalWindow _wouldBeSufficientlyUnclippedOnSpace_ _wrapsCarbonWindow _xOffsetForSheetFrame_inParentFrame_ _zoomButtonIsFullScreenButton acceptsMouseMovedEvents accessibilityAddDeferredNotification_ accessibilityCancelButtonAttribute accessibilityCloseButtonAttribute accessibilityDefaultButtonAttribute accessibilityDocumentAttribute accessibilityFocusRingBounds accessibilityFullScreenAttribute accessibilityFullScreenButtonAttribute accessibilityGrowAreaAttribute accessibilityIsCancelButtonAttributeSettable accessibilityIsChildOfApp accessibilityIsCloseButtonAttributeSettable accessibilityIsDefaultButtonAttributeSettable accessibilityIsDocumentAttributeSettable accessibilityIsFullScreenAttributeSettable accessibilityIsFullScreenButtonAttributeSettable accessibilityIsGrowAreaAttributeSettable accessibilityIsMainAttributeSettable accessibilityIsMinimizeButtonAttributeSettable accessibilityIsMinimizedAttributeSettable accessibilityIsModalAttributeSettable accessibilityIsProxyAttributeSettable accessibilityIsSectionsAttributeSettable accessibilityIsSubroleAttributeSettable accessibilityIsTitleAttributeSettable accessibilityIsTitleUIElementAttributeSettable accessibilityIsToolbarButtonAttributeSettable accessibilityIsZoomButtonAttributeSettable accessibilityMainAttribute accessibilityMinimizeButtonAttribute accessibilityMinimizedAttribute accessibilityModalAttribute accessibilityPostNotification_ accessibilityProxyAttribute accessibilitySendDeferredNotifications accessibilitySetFullScreenAttribute_ accessibilitySetMainAttribute_ accessibilitySetMinimizedAttribute_ accessibilitySetPositionAttribute_ accessibilitySetSizeAttribute_ accessibilitySubroleAttribute accessibilityTitleAttribute accessibilityTitleUIElementAttribute accessibilityToolbarButtonAttribute accessibilityTopLevelUIElementAttributeValueHelper accessibilityWindowAttributeValueHelper accessibilityWindowNumber accessibilityZoomButtonAttribute acquireKeyAppearance acquireMainAppearance addChildWindow_ordered_ addChildWindow_ordered_shareKey_ addDocumentIconButton addDrawerWithView_ addTabbedWindow_ordered_ addTitlebarAccessoryViewController_ addUnderTitlebarView_withAssociatedWithView_ allowsConcurrentViewDrawing allowsCursorRectsWhenInactive allowsFontSmoothing allowsToolTipsWhenApplicationIsInactive anchorAttributeForOrientation_ anchorItemForOrientation_ animationBehavior animationForKeyPath_ animationResizeTime_ areCursorRectsEnabled aspectRatio attachedSheet autofill autofillColor autorecalculatesContentBorderThicknessForEdge_ autorecalculatesKeyViewLoop backingLocation backingType becomeMainWindow becomesKeyOnlyIfNeeded beginCriticalSheet_completionHandler_ beginSheet_completionHandler_ beginWindowDragWithEvent_ bottomCornerRounded boundsAsQDRect cacheImageInRect_ cacheMiniwindowTitle_guess_ canBeVisibleOnAllSpaces canBecomeKeyWindow canBecomeMainWindow canBecomeVisibleWithoutLogin canCycle canEnterFullScreenMode canHide canHostLayersInWindowServer canMoveToCurrentSpaceOnScreen_ canRepresentDisplayGamut_ canStoreColor cancelOperation_ cascadeTopLeftFromPoint_ center changeToolbarDisplayMode_ childWindows close collectionBehavior constrainFrameRect_toScreen_ contentAspectRatio contentBorderThicknessForEdge_ contentInsetColor contentLayoutGuide contentLayoutRect contentMaxSize contentMinSize contentRectForFrameRect_ contentRectForFrameRect_styleMask_ contentResizeIncrements contentSeparatorColor contentView contentViewController convertBaseToScreen_ convertPointFromScreen_ convertPointToScreen_ convertRectFromScreen_ convertRectToScreen_ convertScreenToBase_ currentEvent deepestScreen defaultButtonCell deminiaturize_ depthLimit deviceDescription disableCursorRects disableFlushWindow disableKeyEquivalentForDefaultButtonCell disableScreenUpdatesUntilFlush disableSnapshotRestoration discardCachedImage discardEventsMatchingMask_beforeEvent_ displaysWhenScreenProfileChanges dockTile dockTitleIsGuess document dragRectForFrameRect_ draggingEnded_ drawers editTitleWithCompletionHandler_ editTitle_ enableCursorRects enableFlushWindow enableKeyEquivalentForDefaultButtonCell enableSnapshotRestoration endEditingFor_ endSheet_ endSheet_returnCode_ enterFullScreenMode_ exitFullScreenMode_ fieldEditor_forObject_ firstResponder flushWindow flushWindowIfNeeded frameAutosaveName frameRectForContentRect_ frameRectForContentRect_styleMask_ frameTopLeftPoint fullScreenAnimator graphicsContext graphicsPort guessDockTitle_ handleCloseScriptCommand_ handlePrintScriptCommand_ handleSaveScriptCommand_ hasCloseBox hasDynamicDepthLimit hasKeyAppearance hasKeyAppearanceIncludingSheets_ hasMainAppearance hasShadow hasTitleBar hideToolbar_ hidesOnDeactivate hostsLayersInWindowServer ignoresMouseEvents initWithContentRect_styleMask_backing_defer_ initWithContentRect_styleMask_backing_defer_screen_ initWithWindowRef_ initialFirstResponder insertTitlebarAccessoryViewController_atIndex_ inspectorBar invalidateCursorRectsForView_ invalidateShadow isAutodisplay isDocumentEdited isExcludedFromWindowsMenu isFloatingPanel isFlushWindowDisabled isKeyWindow isMainWindow isMiniaturizable isMiniaturized isModalPanel isMovable isMovableByWindowBackground isOnActiveSpace isOneShot isReleasedWhenClosed isResizable isRestorable isSheet isTabbed isVisible isZoomable isZoomed keyViewSelectionDirection level liveResizeEdges lockButtonClicked_ makeFirstResponder_ makeKeyAndOrderFront_ makeKeyWindow makeMainWindow maxFullScreenContentSize maxSize mergeAllWindows_ minFrameSizeForMinContentSize_styleMask_ minFullScreenContentSize minSize miniaturize_ miniwindowImage miniwindowTitle mouseLocationOutsideOfEventStream moveTabToNewWindow_ nextEventMatchingMask_ nextEventMatchingMask_untilDate_inMode_dequeue_ occlusionState openDrawers openFirstDrawer_ orderBack_ orderFrontRegardless orderFront_ orderOutTabbedWindowGroup_ orderOut_ orderWindow_relativeTo_ orderedIndex parentWindow performCloseOtherTabs_ performCloseTabbedWindowGroup_ performClose_ performMiniaturize_ performWindowDragWithEvent_ performZoom_ postEvent_atStart_ preferredBackingLocation preventsApplicationTerminationWhenModal quickLookPreviewItems_ rebuildLayoutFromScratch recalculateKeyViewLoop redo_ remoteUIElement removeAllDrawersImmediately removeChildWindow_ removeTitlebarAccessoryViewControllerAtIndex_ removeUnderTitlebarView_withAssociatedWithView_ representedFilename representedURL resignKeyAppearance resignMainAppearance resignMainWindow resizeFlags resizeIncrements restorationClass restoreCachedImage restoreWindowOnDockDeath restoreWindowOnDockReincarnation runToolbarConfigurationPalette_ runToolbarCustomizationPalette_ saveFrameUsingName_ screen selectKeyViewFollowingView_ selectKeyViewPrecedingView_ selectNextKeyView_ selectNextTab_ selectPreviousKeyView_ selectPreviousTab_ sendEvent_ setAcceptsMouseMovedEvents_ setAllowsConcurrentViewDrawing_ setAllowsCursorRectsWhenInactive_ setAllowsToolTipsWhenApplicationIsInactive_ setAnchorAttribute_forOrientation_ setAnchorItem_forOrientation_ setAnimationBehavior_ setAspectRatio_ setAutodisplay_ setAutofillColor_ setAutofill_ setAutorecalculatesContentBorderThickness_forEdge_ setAutorecalculatesKeyViewLoop_ setBackingType_ setBottomCornerRounded_ setBoundsAsQDRect_ setCanBeVisibleOnAllSpaces_ setCanBecomeVisibleWithoutLogin_ setCanCycle_ setCanEnterFullScreenMode_ setCanHide_ setCanHostLayersInWindowServer_ setCollectionBehavior_ setColorSpace_ setContentAspectRatio_ setContentBorderThickness_forEdge_ setContentMaxSize_ setContentMinSize_ setContentResizeIncrements_ setContentSize_ setContentViewController_ setContentView_ setDefaultButtonCell_ setDepthLimit_ setDisplaysWhenScreenProfileChanges_ setDocumentEdited_ setDynamicDepthLimit_ setExcludedFromWindowsMenu_ setFrameAutosaveName_ setFrameFromString_ setFrameTopLeftPoint_ setFrameUsingName_ setFrameUsingName_force_ setFrame_display_ setFrame_display_animate_ setFullScreenAnimator_ setHasShadow_ setHidesOnDeactivate_ setIgnoresMouseEvents_ setInitialFirstResponder_ setInspectorBar_ setIsMiniaturized_ setIsVisible_ setIsZoomed_ setKeyView_ setLevel_ setMaxFullScreenContentSize_ setMaxSize_ setMinFullScreenContentSize_ setMinSize_ setMiniwindowImage_ setMiniwindowTitle_ setMovableByWindowBackground_ setMovable_ setOneShot_ setOrderedIndex_ setParentWindow_ setPreferredBackingLocation_ setPreservesContentDuringLiveResize_ setPreventsApplicationTerminationWhenModal_ setReleasedWhenClosed_ setRemoteUIElement_ setRepresentedFilename_ setRepresentedURL_ setResizeIncrements_ setRestorable_ setRestorationClass_ setShadowStyle_ setSharingType_ setShouldBeVisibleOnlyOnCurrentSpace_ setShowsAutosaveButton_ setShowsContentSeparator_forEdge_ setShowsLockButton_ setShowsResizeIndicator_ setShowsToolbarButton_ setStyleMask_ setTabViewItem_ setTabbingIdentifier_ setTabbingMode_ setTimeMachineDelegate_ setTitleHidden_ setTitleMode_ setTitleVisibility_ setTitleWithRepresentedFilename_ setTitlebarAppearsTransparent_ setTitlebarBlurFiltersDisabled_ setToolbar_ setUnsnappedFrame_ setViewsNeedDisplay_ setWindowController_ shadowOptions shadowOptionsForActiveAppearance_ shadowParameters shadowParametersAllowingPreloadKeys_ shadowStyle sharingType sheetBehavior sheetParent sheets shouldBeVisibleOnlyOnCurrentSpace showDeminiaturizedWindow showToolbar_ showsAutosaveButton showsContentSeparatorForEdge_ showsFullScreenButton showsLockButton showsResizeIndicator showsToolbarButton shutAllDrawers_ standardWindowButton_ startRectForSheet_ stringWithSavedFrame styleMask tabViewItem tabbedWindows tabbingIdentifier tabbingMode timeMachineDelegate titleHidden titleMode titleVisibility titlebarAccessoryViewControllers titlebarAppearsTransparent titlebarBlurFiltersDisabled titlebarViewController toggleFullScreen_ toggleTabBar_ toggleToolbarShown_ toggleUsingSmallToolbarIcons_ toolbar topLeftPoint trackEventsMatchingMask_timeout_mode_handler_ undo_ uniqueID unsnappedFrame update updateConstraintsIfNeeded updateDraggingItemsForDrag_ updateInDock useOptimizedDrawing_ userSpaceScaleFactor validateMenuItem_ view_acceptsFirstMouseEvent_initialKeyWindow_ viewsNeedDisplay visualizeConstraints_ wantsPeriodicDraggingUpdates windowController windowDidBecomeTabbed windowNumber windowRef windowRefWithCompositedAttribute_andFrameworkScaledAttribute_ windowTitlebarLayoutDirection worksWhenModal zoom_ BU_TBackupCompletionDelegate animationDidStart_ animationDidStop_finished_ hideTopSnapshotComplete initWithAnimationKind_withView_withAnimationID_forLayer_ init_withObject_forKey_ prepareToRevealInAnimationComplete promoteDemoteSnapshotAnimationComplete revealInAnimationComplete revealOutAnimationComplete showTopSnapshotComplete BU_TBackupLayer backdropLayer configuredForInvalid effectLayer setBackdropLayer_ setConfiguredForInvalid_ setEffectLayer_ showAsValidTarget BU_TBackupView acceptsFirstMouse activateTopSnapshot addLayer_forTarget_ animationComplete animationParametersForLayer_atIndex_ animationParametersForLayer_fromIndex_toIndex_ backgroundOpacityForSnapshotIndex_ bigArrowsLocationForWindowBounds_ caRendererBounds calculateExposureForSnapshotIndex_ calculateInputIntensityForSnapshotIndex_ calculateLayerBoundsAtNormalizedZ_withBaseBounds_withTargetY_ calculateLayerBounds_baseBounds_withSunRaised_ calculateNextStartTime_ calculateNextStartTime_withDivisor_ calculateShadingFilterColorForSnapshotIndex_ cancelPressed_ cgScaledViewBounds collapseOrExpand_startTime_ configureLayer_forInvalidState_ convertPointToControlsPoint_ convertPointToViewPoint_ currentSnapshotIndex desktopPictureLayerForDisplay_ divisorFor_ finishAllAnimations finishResizingWindow_ flushFrameToDisplay gotoSnapshot_ gotoTarget_ hideTopSnapshot hideTopSnapshotComplete_ hideTopSnapshotNow initAnimationConstants initWithFrame_window_ invalidateSnapshotImageFor_ isAnimating layerBoundsAtPosition_ layerForSnapshot_ layerForUrl_ layersForTarget_ newAnimationCompleteDelegate_forKey_ newAnimationCompleteDelegate_forKey_withLayer_ nextPressed_ nextStartTime pixelBounds positionButtonsForWindowBounds_ prepareToHide_windowCenterPoint_ prepareToRevealInAnimationComplete_ prepareToReveal_ previousPressed_ projectedBoundsAtZPosition_forCameraPosition_withUnscaledBounds_ promoteDemoteSnapshotAnimationComplete_withNewTopSnapshot_ promoteDemoteSnapshot_ removeAllSnapshotLayers requestSnapshotImageFor_ restoreAllPressed_ restorePressed_ retargetLayer_forTarget_ revealInAnimationComplete_ revealOutAnimationComplete_ selectTarget_ setController_ setIsAnimating_ setIsFinderClient_ setMaxLayerCount_bounds_ setRestoreAnimationInfo_ setRevealImages_window_reveal_ setShadowInfo_shadowImageBounds_contentImageBounds_ setSunAnimationStart_ setTargets_ setTopSnapshotOpacity_ setupEventMonitor showHideRevealAnimationCompleted_ showHideRevealAnimation_ showRestoreAnimationStartingAt_withDuration_ showRestoreLayersNow showRevealLayerNow showTopSnapshot showTopSnapshotComplete_ showTopSnapshotNow shutDownEventMonitor snapshotsChanged_forceRefresh_ spacingCurveChanged stabilizeForExitWithNowImage_ startResizingWindow topBounds topScreenLocalBounds triggerSnapshotWarp_duration_warpForward_ triggerSunriseAnimationFromY_toY_duration_ updateAnimationEnd_ updateButtonsEnableStateForSelection_ updateButtonsEnableStateForTargetIndex_ updateButtonsEnableStateForTarget_ updateLayers_forImage_ updateLayers_forTarget_ updateProxyImage_requestNewImages_ validateSnapshot_forTargetURL_forTarget_ validateTargetForURL_withRevisionID_ BU_TBackupWindow BU_TBlockAnimationDelegate animation_didReachProgressMark_ initWithAnimation_progressCallback_ BU_TDateFormatter BU_TDateFormatterController fileNameDateTimeFormatter fileNameTimeFormatter fullDateOnlyFormatter_ fullDateTimeFormatter_ longDateTimeFormatter_ mediumDateOnlyFormatter_ mediumDateTimeFormatter_ shortDateOnlyFormatter_ shortDateTimeFormatter_ timeOnlyFormatter BU_TKeyValueObserverGlue initCommon_observedKeyPath_ initWithFunctorWithChange_observedObjects_observedKeyPath_ initWithFunctor_observedObjects_observedKeyPath_ BU_TMFloatParameterController _setInitialValue_ initialValue interpolatedValueAtTime_ setTargetValue_atTime_withDuration_ targetValue BU_TMTimeline helpString max min mouseDownAtPoint_withModifiers_ mouseDraggedToPoint_withModifiers_ mouseMovedToPoint_withModifiers_ mouseUpAtPoint_withModifiers_ parent pixelAccurateHitTest_ scrollByX_byY_withModifiers_ setHelpString_ setMax_ setMin_ setParent_ setRedrawDuration_ setSuperLayer_ superLayer timeline valueDidChange_ valueWillChange_ BU_TMidnightTimer _checkTimerAndFireDate _midnightPassed _setUpMidnightTimer _systemTimeChanged_ checkTimersAfterSleeping_ postNotificationIfDayChanged BU_TNotificationCenterObserverGlue initSimple_ initWithNote_ invoke_ BU_TPrefsObserverBridge finderPrefChanged_ globalPrefChanged_ initWithObserver_ startObservingFinderPrefsResetNotification startObservingGlobalPrefChanges_ startObservingRegIDChanges_ stopObservingAllPrefsChanges stopObservingFinderPrefsResetNotification stopObservingGlobalPrefChanges_ stopObservingRegIDChanges_ BU_TRunAfterHelper initWithFunctor_withOwningTargetID_ post postID setPostID_ BU_TRunSoonHelper dispatch initWithFunctor_withOwningTargetID_andDispatchType_ repost runLoopModes BU_TScreen BU_TSubviewSorter setSortComparator_ sortComparator sortSubviewsForView_ BU_TTargetActionFunctor action_ initWithFunctor_ ownerValidatorID setOwnerValidatorID_ BU_TTimelineOverlay initWithFrame_andControl_ BU_TUserDefaults URLForKey_ _boolForRegID_ _container _finderObjectForKey_ _finderSetObject_forKey_ _identifier _initWithSuiteName_container_ _observingCFPreferences _setContainer_ _setIdentifier_ addSuiteNamed_ arrayForKey_ boolForKey_ boolValueSafeForKey_ boolValueSafeForKey_status_ dataForKey_ dictionaryForKey_ doubleForKey_ doubleValueSafeForKey_ doubleValueSafeForKey_status_ floatForKey_ initWithSuiteName_ initWithUser_ int64ValueSafeForKey_ int64ValueSafeForKey_status_ integerForKey_ longForKey_ objectForKey_ objectForKey_inDomain_ objectForRegID_ objectIsForcedForKey_ objectIsForcedForKey_inDomain_ persistentDomainForName_ persistentDomainNames preferencesNeedToBeSynced regIDExists_ registerDefaults_ removeObjectForKey_ removeObjectForKey_inDomain_ removeObjectForRegID_ removePersistentDomainForName_ removeSuiteNamed_ removeVolatileDomainForName_ searchList setBool_forKey_ setDouble_forKey_ setFloat_forKey_ setInteger_forKey_ setLong_forKey_ setObjectIfDifferent_forKey_ setObject_forKey_ setObject_forKey_inDomain_ setObject_forRegID_ setPersistentDomain_forName_ setSearchList_ setURL_forKey_ setVolatileDomain_forName_ showAllExtensionsPrefsChangedByLaunchServices stringArrayForKey_ stringForKey_ stringValueSafeForKey_ stringValueSafeForKey_status_ synchronize utf8ValueSafeForKey_ utf8ValueSafeForKey_status_ volatileDomainForName_ volatileDomainNames BU_TValidatingDateFormatter AMSymbol PMSymbol _attributedStringWithFieldsFromDate_ _cacheGenerationCount _clearFormatter _dateFormat _getLocaleAlreadyLocked_ _invalidateCache _locale_forOldMethods _mayDecorateAttributedStringForObjectValue_ _regenerateFormatter _regenerateFormatterIfAbsent _reset _setDateFormat_ _setDateFormat_alreadyLocked_ _setIsLenient_ _setUsesCharacterDirection_ _timeZone_forOldMethods _tracksCacheGenerationCount _usesCharacterDirection allowsNaturalLanguage attributedStringForObjectValue_withDefaultAttributes_ calendar dateFormat dateFromString_ dateStyle defaultDate doesRelativeDateFormatting editingStringForObjectValue_ eraSymbols formatterBehavior formattingContext generatesCalendarDates getObjectValue_forString_errorDescription_ getObjectValue_forString_range_error_ gregorianStartDate initWithDateFormat_allowNaturalLanguage_ isLenient isPartialStringValid_newEditingString_errorDescription_ isPartialStringValid_proposedSelectedRange_originalString_originalSelectedRange_errorDescription_ locale longEraSymbols monthSymbols quarterSymbols setAMSymbol_ setCalendar_ setDateFormat_ setDateStyle_ setDefaultDate_ setDoesRelativeDateFormatting_ setEraSymbols_ setFormatterBehavior_ setFormattingContext_ setGeneratesCalendarDates_ setGregorianStartDate_ setLenient_ setLocale_ setLocalizedDateFormatFromTemplate_ setLongEraSymbols_ setMonthSymbols_ setPMSymbol_ setQuarterSymbols_ setShortMonthSymbols_ setShortQuarterSymbols_ setShortStandaloneMonthSymbols_ setShortStandaloneQuarterSymbols_ setShortStandaloneWeekdaySymbols_ setShortWeekdaySymbols_ setSpecialTodayDateHandling_ setStandaloneMonthSymbols_ setStandaloneQuarterSymbols_ setStandaloneWeekdaySymbols_ setTimeStyle_ setTimeZone_ setTwoDigitStartDate_ setVeryShortMonthSymbols_ setVeryShortStandaloneMonthSymbols_ setVeryShortStandaloneWeekdaySymbols_ setVeryShortWeekdaySymbols_ setWeekdaySymbols_ shortMonthSymbols shortQuarterSymbols shortStandaloneMonthSymbols shortStandaloneQuarterSymbols shortStandaloneWeekdaySymbols shortWeekdaySymbols specialTodayDateHandling standaloneMonthSymbols standaloneQuarterSymbols standaloneWeekdaySymbols stringForObjectValue_ stringFromDate_ timeStyle timeZone twoDigitStartDate veryShortMonthSymbols veryShortStandaloneMonthSymbols veryShortStandaloneWeekdaySymbols veryShortWeekdaySymbols weekdaySymbols BU_TValueConverter BU_TViewController BadPasswordProxyAuthenticationURLDelegate URLSession_task_didReceiveChallenge_completionHandler_ failureCount setFailureCount_ BluetoothHIDDevice BluetoothHIDDeviceController batteryDangerouslyLowForAnyDevice batteryLowForAnyDevice deviceAtIndex_ deviceConnected_ deviceDisconnected_ devices eventServiceConnected_ eventServiceDisconnected_ firstDeviceOfUsage_usagePage_ firstKeyboardDevice firstMouseDevice firstTrackpadDevice initForAllDevices initForAllKeyboards initForAllMice initForAppleDevices initForAppleKeyboards initForAppleMice initForDeviceWithService_usage_usagePage_ isBluetoothDeviceManaged_ numberOfDevices numberOfDevicesOfUsage_usagePage_ numberOfKeyboardDevices numberOfMouseDevices numberOfPointingDevices numberOfTrackpadDevices registerForActivityNotifications_selector_ registerForBatteryChargingNotifications_selector_ registerForBatteryNotChargingNotifications_selector_ registerForBatteryStateChangeNotifications_selector_ registerForConnectNotifications_selector_ registerForDangerouslyLowBatteryNotifications_selector_ registerForDisconnectNotifications_selector_ registerForLowBatteryNotifications_selector_ registerForNameChangeNotifications_selector_ removeDeviceAtIndex_ serviceFilter setDevices_ setServiceFilter_ unregisterForAllNotifications_ BluetoothUIServer BroadcomHostController BluetoothHCIBroadcomARMMemoryPoke_inValue_outValue_ BluetoothHCIBroadcomDownloadMiniDriver BluetoothHCIBroadcomEnableWBS_inUUIDWBS_ BluetoothHCIBroadcomFactoryCalReadTable_outChoice_outTable_ BluetoothHCIBroadcomFactoryCalReadTemp_ BluetoothHCIBroadcomFactoryCalRxRSSITable_ BluetoothHCIBroadcomFactoryCalRxRSSITest_inChannel_inPower_inGainRange_inMode_outCalStatus_outTCARSSIIL0P1db_ BluetoothHCIBroadcomFactoryCalSetTxPower_inChannel_inTransmitPower_inPadVal_outPadVal_ BluetoothHCIBroadcomFactoryCalTrimTxPower_outPadVal_ BluetoothHCIBroadcomFactoryCalUpdateTxTable_ BluetoothHCIBroadcomFactoryCommitBDADDR_inCommitBTWSecurityKey_inBTWSecurityKey_ BluetoothHCIBroadcomHPBTControl_ BluetoothHCIBroadcomLaunchRAM_ BluetoothHCIBroadcomRSSIMeasurements_inFrequency_inAGCGainSetting_outRSSIValue_ BluetoothHCIBroadcomReadRAM_inLength_outData_ BluetoothHCIBroadcomSectorErase_ BluetoothHCIBroadcomSetTransmitCarrierFrequencyARM_inCarrierFrequencyEncoded_inMode_inModulationType_inTransmitPower_inTXPowerdBm_inTXPowerTableIndex_ BluetoothHCIBroadcomSetTransmitPowerRange_inMaxTxPower_inMinTxPower_ BluetoothHCIBroadcomStoreFactoryCalibrationData_inVersion_inLength_inCalData_ BluetoothHCIBroadcomUARTSetSleepmodeParam_inIdleThresholdHost_inIdleThresholdHC_inBTWAKEActiveMode_inHOSTWAKEActiveMode_inAllowHostSleepDuringSCO_inCombineSleepModeAndLPM_inEnableTristateControlOfUARTTxLine_inPulsedHOSTWAKE_ BluetoothHCIBroadcomWriteRAM_inLength_inData_ BluetoothHCIBroadcomWriteSCOPCMIntParam_inPCMInterfaceRate_inFrameType_inSyncMode_inClockMode_ BluetoothHCIWriteHighPriorityConnection_priority_ CAAdditionalCertInfo _alternateLocationForCAWebSite _chosenIdentityToSignInvitation _createCAWebSite _serialNumber _setAlternateLocationForCAWebSite_ _setCreateCAWebSite_ _setSerialNumber_ _setToDefaults _setValidityPeriod_ _signInvitation _validityPeriod setChosenIdentityToSignInvitation_ CAAnimation NS_addAffectedKeyPaths_ NS_affectedKeyPaths NS_endTime NS_renameKeyPath_toKeyPath_ NS_renameKeyPathsUsingBlock_ NS_takeImpliedValuesFromPresentationObject_modelObject_ NS_transformValuesAtKeyPath_usingBlock_ _propertyFlagsForLayer_ _setCARenderAnimation_layer_ applyForTime_presentationObject_modelObject_ beginTimeMode discretizesTime frameInterval isRemovedOnCompletion mutableCopyWithZone_ preferredFramesPerSecond removedOnCompletion runActionForKey_object_arguments_ setBeginTimeMode_ setDefaultDuration_ setDiscretizesTime_ setFrameInterval_ setPreferredFramesPerSecond_ setRemovedOnCompletion_ setTimingFunction_ timingFunction CAAnimationDelegateBlockHelper animationDidStartBlock animationDidStopBlock setAnimationDidStartBlock_ setAnimationDidStopBlock_ CAAnimationGroup _copyRenderAnimationForLayer_ CABackdropLayer backdropRect bleedAmount captureOnly disablesOccludedBackdropBlurs groupName ignoresOffscreenGroups marginWidth scale setBackdropRect_ setBleedAmount_ setCaptureOnly_ setDisablesOccludedBackdropBlurs_ setGroupName_ setIgnoresOffscreenGroups_ setMarginWidth_ setScale_ setStatisticsInterval_ setStatisticsType_ setWindowServerAware_ statisticsInterval statisticsType statisticsValues windowServerAware CABasicAnimation _timeFunction_ additive byValue cumulative endAngle fromValue isAdditive isCumulative roundsToInteger setAdditive_ setByValue_ setCumulative_ setEndAngle_ setFromValue_ setKeyPath_ setRoundsToInteger_ setStartAngle_ setToValue_ setValueFunction_ startAngle toValue valueFunction CABasicConstraintsExtension _alreadySpecifiedCertAuthorityValues _fillInValuesInExtension_isCACertBeingCreated_extensionIsPresent_ _isPresent _pathLength _pathLengthPresent _saveCertAuthorityPanelValues _saveUserPanelValues _setAlreadySpecifiedCertAuthorityValues_ _setCertAuthorityBasicConstraintsPresent_ _setCertAuthorityIsCertAuthority_ _setIsPresent_ _setPathLengthPresent_ _setPathLength_ _updatePanelToCertAuthorityValues _updatePanelToUserValues CABehavior _setCARenderBehavior_ CABoxLayoutManager invalidateLayoutOfLayer_ layoutSublayersOfLayer_ preferredSizeOfLayer_ CACGPathCodingProxy decodedObject initWithObject_ CACGPathCodingSegment addToCGPath_ initWithCGPathElement_ CACGPatternCodingProxy CACertInfo _certAuthorityName _clearValues _commonName _country _emailAddressOfCA _locality _organization _organizationUnit _setCertAuthorityName_ _setCommonName_ _setCountry_ _setEmailAddressOfCA_ _setLocality_ _setOrganizationUnit_ _setOrganization_ _setState_ _setUserEmailAddressOfRequestor_ _state _userEmailAddressOfRequestor CACodingCAMLWriterDelegate CAMLWriter_URLForResource_ CAMLWriter_typeForObject_ image_encode_options image_format initWithResourceDir_ setImage_encode_options_ setImage_format_ CACodingProxy CAConstraint attribute initWithAttribute_relativeTo_attribute_scale_offset_ offset sourceAttribute sourceName CAConstraintLayoutManager CAContext NS_defaultContentsScale NS_setDefaultContentsScale_ NS_setVisibleRect_ createFencePort createSlot deleteSlot_ invalidateFences setFencePort_ setFencePort_commitHandler_ setFence_count_ setObject_forSlot_ CAContextImpl colorMatchUntaggedContent commitPriority contextId displayMask displayNumber eventMask initRemoteWithOptions_ initWithCGSConnection_options_ initWithOptions_localContext_ options renderContext restrictedHostProcessId setColorMatchUntaggedContent_ setCommitPriority_ setDisplayMask_ setDisplayNumber_ setEventMask_ setRestrictedHostProcessId_ valid CADebuggingArchiverDelegate CA_shouldArchiveValueForKey_ofObject_ CADistanceFieldLayer foregroundColor invertsShape lineWidth renderMode setForegroundColor_ setInvertsShape_ setLineWidth_ setOffset_ setRenderMode_ setSharpness_ sharpness CADynamicsBehavior angularDrag collisionInterval drag forceFields minimumTimeStep reactsToCollisions setAngularDrag_ setCollisionInterval_ setDrag_ setForceFields_ setMinimumTimeStep_ setReactsToCollisions_ setSpringScale_ setSprings_ setStoppedAngularVelocity_ setStoppedVelocity_ setTimeStep_ springScale springs stoppedAngularVelocity stoppedVelocity timeStep CAEmitterBehavior initWithType_ inputKeys type CAEmitterCell alphaRange alphaSpeed birthRate blueRange blueSpeed color contentsFrameCount contentsFrameMode contentsFramesPerRow contentsFramesPerSecond emissionLatitude emissionLongitude emissionRange emitterBehaviors emitterCells greenRange greenSpeed lifetime lifetimeRange massRange orientationLatitude orientationLongitude orientationRange particleType redRange redSpeed rotation rotationRange scaleRange scaleSpeed setAlphaRange_ setAlphaSpeed_ setBirthRate_ setBlueRange_ setBlueSpeed_ setColor_ setContentsFrameCount_ setContentsFrameMode_ setContentsFramesPerRow_ setContentsFramesPerSecond_ setEmissionLatitude_ setEmissionLongitude_ setEmissionRange_ setEmitterBehaviors_ setEmitterCells_ setGreenRange_ setGreenSpeed_ setLifetimeRange_ setLifetime_ setMassRange_ setOrientationLatitude_ setOrientationLongitude_ setOrientationRange_ setParticleType_ setRedRange_ setRedSpeed_ setRotationRange_ setRotation_ setScaleRange_ setScaleSpeed_ setSpinRange_ setSpin_ setVelocityRange_ setVelocity_ setXAcceleration_ setYAcceleration_ setZAcceleration_ spin spinRange velocity velocityRange xAcceleration yAcceleration zAcceleration CAEmitterLayer cullMaxZ cullMinZ cullRect emitterDepth emitterDuration emitterMode emitterPath emitterPosition emitterRects emitterShape emitterSize emitterZPosition preservesDepth seed setCullMaxZ_ setCullMinZ_ setCullRect_ setEmitterDepth_ setEmitterDuration_ setEmitterMode_ setEmitterPath_ setEmitterPosition_ setEmitterRects_ setEmitterShape_ setEmitterSize_ setEmitterZPosition_ setPreservesDepth_ setSeed_ setSpinBias_ setUpdateInterval_ spinBias updateInterval CAExtendedKeyUsageExtension _anyUsage _codeSigningAppleUsage _codeSigningDevelopmentUsage _codeSigningUsage _dotMacEmailEncryptionUsage _dotMacEmailSigningUsage _emailProtectionUsage _iChatEncryptionUsage _iChatSigningUsage _isCritical _pkinitClientAuthUsage _pkinitServerAuthUsage _setAnyUsage_ _setCodeSigningUsage_ _setDotMacEmailEncryptionUsage_ _setEDotMacEmailSigningUsage_ _setEmailProtectionUsage_ _setExtendedKUECodeSigningApple_ _setExtendedKUECodeSigningDevelopment_ _setIChatEncryptionUsage_ _setIChatSigningUsage_ _setIsCritical_ _setPKINITClientAuthUsage_ _setPKINITServerAuthUsage_ _setSSLClientAuthUsage_ _setSSLServerAuthUsage_ _setToCodeSigning _setToPresentCritical _setToSMIME _setToSSLClient _setToSSLServer _sslClientAuthUsage _sslServerAuthUsage _validate CAFilter cachesInputImage enabled initWithName_ outputKeys setCachesInputImage_ setDefaults CAForceField function setFunction_ CAGradientLayer colorMap colors endPoint locations setColorMap_ setColors_ setEndPoint_ setLocations_ setStartPoint_ setType_ startPoint CAIOSurfaceCodingProxy CAIdentityName _CAAdminEmailAddress _certType _didWarnAboutSelfSignedCert _identityName _isCATypeSelfSignedRoot _isCertTypeCodeSigning _isCertTypeSMIME _isCertTypeSSLServer _isCertTypeVPNClient _isCertTypeVPNServer _letUserOverrideDefaults _makeDefaultCA _setCAAdminEmailAddress_ _setCAType_ _setCertType_ _setDidWarnAboutSelfSignedCert_ _setIdentityName_ _setLetOverrideDefaults_ CAKeyPairAttributes _accessRef _certAuthorityKeySize _certAuthoritykeyAlgorithm _doneCAKeyPair _keyAlgorithm _keySize _saveCAKeyPairPanelValues _saveUserKeyPairPanelValues _setAccessRef_ _setCertAuthorityKeyAlgorithm_ _setCertAuthorityKeySize_ _setDoneCAKeyPair_ _setKeyAlgorithm_ _setKeySize_ _updateKeyPairPanelToCAValues _updateKeyPairPanelToUserValues _userKeyAlgorithm _userKeySize CAKeyUsageExtension _certSigningUsage _crlSigningUsage _dataEnciphermentUsage _decipherOnlyUsage _doneCAKeyUsageExt _encipherOnlyUsage _isEnabled _keyAgreementUsage _keyEnciphermentUsage _nonRepudiationUsage _saveCAKeyUsageExtPanelValues _saveUserKeyUsageExtPanelValues _setCRLSigningUsage_ _setCertAuthorityCertSigning_ _setCertAuthorityIsEnabled_ _setCertAuthoritySignature_ _setCertSigningUsage_ _setDataEnciphermentUsage_ _setDecipherOnlyUsage_ _setDoneCAKeyUsageExt_ _setEnabledCriticalDigitalSignature _setEncipherOnlyUsage_ _setIsEnabled_ _setKeyAgreementUsage_ _setKeyEnciphermentUsage_ _setNonRepudiationUsage_ _setSignatureUsage_ _setToVPNClient _setToVPNServer _setUserSignature_ _signatureUsage _updateKeyUsageExtPanelToCAValues _updateKeyUsageExtPanelToUserValues CAKeyframeAnimation biasValues calculationMode continuityValues keyTimes path rotationMode setBiasValues_ setCalculationMode_ setContinuityValues_ setKeyTimes_ setPath_ setRotationMode_ setTensionValues_ setTimingFunctions_ setValues_ tensionValues timingFunctions values CALayer CALayerArray CI_affineTransform CI_initWithAffineTransform_ CI_initWithRect_ CI_rect _avgForKeyPath_ _countForKeyPath_ _distinctUnionOfArraysForKeyPath_ _distinctUnionOfObjectsForKeyPath_ _distinctUnionOfSetsForKeyPath_ _getRangeIndex_atIndex_ _initWithObjectsFromArray_range_ _invokeSelector_withArguments_onKeyPath_ofObjectAtIndex_ _makeObjectsPerformSelector_object_range_ _maxForKeyPath_ _minForKeyPath_ _mutableArrayValueForKeyPath_ofObjectAtIndex_ _mutableOrderedSetValueForKeyPath_ofObjectAtIndex_ _mutableSetValueForKeyPath_ofObjectAtIndex_ _nextToLastObject _scriptingDescriptorOfListType_orReasonWhyNot_ _setValue_forKeyPath_ofObjectAtIndex_ _stringToWrite _sumForKeyPath_ _unionOfArraysForKeyPath_ _unionOfObjectsForKeyPath_ _unionOfSetsForKeyPath_ _validateValue_forKeyPath_ofObjectAtIndex_error_ _valueForKeyPath_ofObjectAtIndex_ addObserver_toObjectsAtIndexes_forKeyPath_options_context_ allObjects arrayByAddingObject_ arrayByAddingObjectsFromArray_ arrayByApplyingSelector_ arrayByExcludingObjectsInArray_ arrayByExcludingToObjectsInArray_ componentsJoinedByString_ containsObjectIdenticalTo_ containsObjectIdenticalTo_inRange_ containsObject_ containsObject_inRange_ countForObject_ countForObject_inRange_ descriptionWithLocale_ descriptionWithLocale_indent_ enumerateObjectsAtIndexes_options_usingBlock_ enumerateObjectsUsingBlock_ enumerateObjectsWithOptions_usingBlock_ filteredArrayUsingPredicate_ firstObject firstObjectCommonWithArray_ firstRange getObjects_ getObjects_range_ indexOfFirstRangeContainingOrFollowing_ indexOfObjectAtIndexes_options_passingTest_ indexOfObjectIdenticalTo_ indexOfObjectIdenticalTo_inRange_ indexOfObjectPassingTest_ indexOfObjectWithOptions_passingTest_ indexOfObject_ indexOfObject_inRange_ indexOfObject_inSortedRange_options_usingComparator_ indexesOfObjectIdenticalTo_ indexesOfObjectIdenticalTo_inRange_ indexesOfObject_ indexesOfObject_inRange_ indexesOfObjectsAtIndexes_options_passingTest_ indexesOfObjectsPassingTest_ indexesOfObjectsWithOptions_passingTest_ initWithArray_ initWithArray_copyItems_ initWithArray_range_ initWithArray_range_copyItems_ initWithContentsOfFile_ initWithContentsOfURL_ initWithLayers_count_retain_ initWithObjects_ initWithObjects_count_ initWithOrderedSet_ initWithOrderedSet_copyItems_ initWithOrderedSet_range_ initWithOrderedSet_range_copyItems_ initWithSet_ initWithSet_copyItems_ isEqualToArray_ lastObject lastRange makeObjectsPerformSelector_ makeObjectsPerformSelector_withObject_ maximumRange objectAtIndex_ objectAtIndexes_options_passingTest_ objectEnumerator objectPassingTest_ objectWithOptions_passingTest_ objectsAtIndexes_ objectsAtIndexes_options_passingTest_ objectsPassingTest_ objectsWithOptions_passingTest_ pathsMatchingExtensions_ rangeAtIndex_ rangesContainLocation_ removeObserver_fromObjectsAtIndexes_forKeyPath_ removeObserver_fromObjectsAtIndexes_forKeyPath_context_ reverseObjectEnumerator reversedArray sortedArrayFromRange_options_usingComparator_ sortedArrayHint sortedArrayUsingComparator_ sortedArrayUsingDescriptors_ sortedArrayUsingFunction_context_ sortedArrayUsingFunction_context_hint_ sortedArrayUsingSelector_ sortedArrayUsingSelector_hint_ sortedArrayWithOptions_usingComparator_ stringsByAppendingPathComponent_ subarrayWithObjectsOfKind_ subarrayWithRange_ ui_arrayByRemovingLastObjectEqualTo_ writeToFile_atomically_ writeToURL_atomically_ CALayerHost setContextId_ CALight setSpecularIntensity_ specularIntensity CALinearMaskLayer drawInLinearMaskContext_ CAMLParser attributeForKey_remove_ baseURL didFailToLoadResourceFromURL_ didLoadResource_fromURL_ elementValue error objectById_ parseBytes_length_ parseContentsOfURL_ parseData_ parseString_ parserError_ parserWarning_ result setBaseURL_ setElementValue_ willLoadResourceFromURL_ CAMLWriter URLStringForResource_ _writeElementTree_ beginElement_ beginPropertyElement_ encodeObject_ encodeObject_conditionally_ endElement setElementAttribute_forKey_ setElementContent_ CAMatchMoveAnimation appliesRotation appliesScale appliesX appliesY setAppliesRotation_ setAppliesScale_ setAppliesX_ setAppliesY_ setSourceLayer_ setSourcePoints_ setTargetsSuperlayer_ sourceLayer sourcePoints targetsSuperlayer CAMediaTimingFunction _getPoints_ _solveForInput_ getControlPointAtIndex_values_ initWithControlPoints____ CAMediaTimingFunctionBuiltin CAMeshInterpolator _constructWithData_ _data _init _initWithMeshTransform_ _subdivideToDepth_ depthNormalization faceAtIndex_ faceCount initWithVertexCount_vertices_faceCount_faces_depthNormalization_ meshTransformForLayer_ subdivisionSteps vertexAtIndex_ vertexCount CAMeshTransform CAMetalDrawable initWithDrawablePrivate_layer_ present presentAtTime_ priv releasePrivateReferences_ texture CAMetalLayer colorspace device discardContents drawableSize framebufferOnly isDrawableAvailable maximumDrawableCount newDrawable nextDrawable pixelFormat presentsWithTransaction setColorspace_ setDevice_ setDrawableSize_ setFramebufferOnly_ setMaximumDrawableCount_ setPixelFormat_ setPresentsWithTransaction_ CAMutableMeshTransform addFace_ addVertex_ removeFaceAtIndex_ removeVertexAtIndex_ replaceFaceAtIndex_withFace_ replaceVertexAtIndex_withVertex_ setDepthNormalization_ setSubdivisionSteps_ CAOpenGLLayer asynchronous canDrawInCGLContext_pixelFormat_forLayerTime_displayTime_ copyCGLContextForPixelFormat_ copyCGLPixelFormatForDisplayMask_ drawInCGLContext_pixelFormat_forLayerTime_displayTime_ isAsynchronous maximumFrameRate releaseCGLContext_ releaseCGLPixelFormat_ setAsynchronous_ setMaximumFrameRate_ CAPackage CAMLParser_didFailToFindClassWithName_ CAMLParser_didLoadResource_fromURL_ CAMLParser_resourceForURL_ _addClassSubstitutions_ _initWithContentsOfURL_type_options_error_ _initWithData_type_options_error_ _readFromArchiveData_options_error_ _readFromCAMLData_type_options_error_ _readFromCAMLURL_type_options_error_ foreachLayer_ publishedObjectNames publishedObjectWithName_ rootLayer substitutedClasses unarchiver_cannotDecodeObjectOfClassName_originalClasses_ unarchiver_didDecodeObject_ CAPluginLayer pluginFlags pluginGravity pluginId pluginType setPluginFlags_ setPluginGravity_ setPluginId_ setPluginType_ CAPropertyAnimation CAProxyLayer proxyProperties setProxyProperties_ CARemoteLayerClient clientId initWithServerPort_ CARemoteLayerServer serverPort CARenderer _initWithCGLContext_options_ _initWithOptions_ addUpdateRect_ beginFrameAtTime_timeStamp_ endFrame hasMissingContent nextFrameTime render setContext_ updateBounds CAReplicatorLayer instanceAlphaOffset instanceBlueOffset instanceColor instanceCount instanceDelay instanceGreenOffset instanceRedOffset instanceTransform setInstanceAlphaOffset_ setInstanceBlueOffset_ setInstanceColor_ setInstanceCount_ setInstanceDelay_ setInstanceGreenOffset_ setInstanceRedOffset_ setInstanceTransform_ CAScrollLayer scrollMode scrollToPoint_ scrollToRect_ setScrollMode_ CAScrollLayoutManager CAShapeLayer fillColor fillRule lineCap lineDashPattern lineDashPhase lineJoin miterLimit setFillColor_ setFillRule_ setLineCap_ setLineDashPattern_ setLineDashPhase_ setLineJoin_ setMiterLimit_ setStrokeColor_ setStrokeEnd_ setStrokeStart_ strokeColor strokeEnd strokeStart CASlotProxy CASmoothedTextLayer _applyLinesToFunction_info_ _applyLinesToFunction_info_truncated_ _createStringDict _createTruncationToken _drawLine_inContext_atPoint_ _retainTypesetter alignmentMode allowsFontSubpixelQuantization fontSize fontSmoothingStyle isTruncated isWrapped setAlignmentMode_ setAllowsFontSubpixelQuantization_ setFontSize_ setFontSmoothingStyle_ setString_ setTruncationMode_ setTruncationString_ setWrapped_ string truncationMode truncationString wrapped CASpring attachmentPointA attachmentPointB damping layerA layerB restLength setAttachmentPointA_ setAttachmentPointB_ setDamping_ setLayerA_ setLayerB_ setRestLength_ setStiffness_ stiffness CASpringAnimation durationForEpsilon_ initialVelocity setInitialVelocity_ settlingDuration CAState addElement_ basedOn elements isInitial isLocked nextDelay previousDelay removeElement_ setBasedOn_ setElements_ setInitial_ setLocked_ setNextDelay_ setPreviousDelay_ CAStateAddAnimation animation apply_ key matches_ save setAnimation_ setKey_ setSource_ source targetName CAStateAddElement beforeObject object setBeforeObject_ setObject_ CAStateController _addAnimation_forKey_target_undo_ _applyTransitionElement_layer_undo_speed_ _applyTransition_layer_undo_speed_ _nextStateTimer_ _removeTransition_layer_ cancelTimers removeAllStateChanges restoreStateChanges_ setInitialStatesOfLayer_ setInitialStatesOfLayer_transitionSpeed_ setState_ofLayer_ setState_ofLayer_transitionSpeed_ stateOfLayer_ CAStateControllerAnimation initWithLayer_key_ CAStateControllerLayer addTransition_ currentState removeTransition_ setCurrentState_ undoStack CAStateControllerTransition addAnimation_ removeAnimationFromLayer_forKey_ transition CAStateControllerUndo next setTransitions_ transitions willAddLayer_ CAStateElement CAStateRemoveAnimation CAStateRemoveElement CAStateSetValue CAStateTransition fromState setFromState_ setToState_ toState CAStateTransitionElement CASubjectAltNameExtension _areIPAddressesValid_ _dnsName _ipAddress _releaseDNSNamesArray _releaseRFC822NamesArray _releaseURIArray _rfc822Name _setDNSName_ _setIPAddress_ _setRFC822Name_ _setServerDNSNameSetting_ _setToSMIMEWithRFC822Name_ _setURI_ _setUserDNSNames_ _setUserIPAddrs_ _setUserRFC822Name_ _setUserURIs_ _setupDNSNames_inCEGeneralNames_ _setupIPAddresses_numIPAddresses_inCEGeneralNames_ _setupRFC822Names_inCEGeneralNames_ _setupURIs_inCEGeneralNames_ _uri CASublayerEnumerator nextObject CATableLayoutManager CATextLayer CATiledLayer canDrawRect_levelOfDetail_ displayInRect_levelOfDetail_options_ isDrawingEnabled levelsOfDetail levelsOfDetailBias maximumTileScale setDrawingEnabled_ setLevelsOfDetailBias_ setLevelsOfDetail_ setMaximumTileScale_ setNeedsDisplayInRect_levelOfDetail_ setNeedsDisplayInRect_levelOfDetail_options_ setTileSize_ tileSize CATransaction CATransactionCompletionItem CATransformLayer CATransition endProgress filter setEndProgress_ setFilter_ setOptions_ setStartProgress_ setSubtype_ setTransitionFlags_ startProgress subtype transitionFlags CAValueFunction _initWithName_ apply_result_ apply_result_parameterFunction_context_ inputCount outputCount CAWrappedLayoutManager CAXPCObject CBATTRequest central characteristic ignoreResponse initWithCentral_characteristic_offset_value_transactionID_ setCentral_ setCharacteristic_ setIgnoreResponse_ setTransactionID_ transactionID CBCentral UUID initWithUUID_ maximumUpdateValueLength setMaximumUpdateValueLength_ CBCentralManager cancelPeripheralConnection_ cancelPeripheralConnection_force_ connectPeripheral_options_ dataArrayToUUIDArray_ handleConnectedPeripheralsRetrieved_ handleConnectionParametersUpdated_ handleMtuChanged_ handlePeripheralConnectionCompleted_ handlePeripheralConnectionStateUpdated_ handlePeripheralDisconnectionCompleted_ handlePeripheralDiscovered_ handlePeripheralMsg_args_ handlePeripheralTrackingUpdated_ handlePeripheralsRetrieved_ handleRestoringState_ handleStateUpdated_ handleZoneLost_ initWithDelegate_queue_ initWithDelegate_queue_options_ orphanPeripherals peripheralForUUID_args_ peripheralWillBeReleased_ retrieveConnectedPeripherals retrieveConnectedPeripheralsWithServices_ retrieveConnectedPeripheralsWithServices_allowAll_ retrievePairedPeripherals retrievePeripheralsWithIdentifiers_ retrievePeripherals_ scanForPeripheralsWithServices_options_ sendMsg_args_ sendSyncMsg_args_ setDesiredConnectionLatency_forPeripheral_ startTrackingPeripheral_options_ stopScan stopTrackingPeripheral_options_ xpcConnectionDidFinalize xpcConnectionDidReset_ xpcConnectionIsInvalid_ xpcConnection_didReceiveMsg_args_ CBCharacteristic descriptors handle handleDescriptorsDiscovered_ handleValueBroadcasted_ handleValueNotifying_ handleValueUpdated_ handleValueWritten_ initWithService_dictionary_ isBroadcasted isNotifying peripheral properties service setDescriptors_ setIsNotifying_ setService_ valueHandle CBDescriptor initWithCharacteristic_dictionary_ CBMutableCharacteristic ID handleCentralSubscribed_ handleCentralUnsubscribed_ initWithType_properties_value_permissions_ permissions setID_ setPermissions_ setProperties_ setUUID_ subscribedCentrals CBMutableDescriptor initWithType_value_ CBMutableService characteristics endHandle handleCharacteristicsDiscovered_ handleIncludedServicesDiscovered_ includedServices initWithDictionary_ initWithPeripheral_dictionary_ initWithType_primary_ isPrimary setCharacteristics_ setIncludedServices_ setIsPrimary_ startHandle CBPeripheral RSSI acceptPairing_ofType_withPasskey_ attributeForHandle_ discoverCharacteristics_forService_ discoverDescriptorsForCharacteristic_ discoverIncludedServices_forService_ discoverServices_ handleAttributeEvent_args_attributeSelector_delegateSelector_ handleCharacteristicDescriptorsDiscovered_ handleCharacteristicEvent_characteristicSelector_delegateSelector_ handleCharacteristicValueNotifying_ handleCharacteristicValueUpdated_ handleCharacteristicValueWritten_ handleConnectionStateUpdated_ handleConnection_ handleDescriptorEvent_descriptorSelector_delegateSelector_ handleDescriptorValueUpdated_ handleDescriptorValueWritten_ handleDisconnection handleMsg_args_ handleNameUpdated_ handlePairingCompleted_ handlePairingRequested_ handleRSSIUpdated_ handleServiceCharacteristicsDiscovered_ handleServiceEvent_serviceSelector_delegateSelector_ handleServiceIncludedServicesDiscovered_ handleServicesChanged_ handleServicesDiscovered_ handleUnpaired_ handleWritesExecuted_ hasTag_ initWithCentralManager_dictionary_ invalidateAllAttributes isConnected isConnectedToSystem isPaired maximumWriteValueLengthForType_ mtuLength pair readRSSI readValueForCharacteristic_ readValueForDescriptor_ reliablyWriteValues_forCharacteristics_ removeAttributeForHandle_ role sendMsg_requiresConnected_args_ services setAttribute_forHandle_ setBroadcastValue_forCharacteristic_ setMtuLength_ setNotifyValue_forCharacteristic_ setOrphan setRSSI_ setRole_ setServices_ tag_ unpair untag_ writeValue_forCharacteristic_type_ writeValue_forDescriptor_ CBPeripheralManager addService_ centralFromArgs_ handleAdvertisingStarted_ handleAdvertisingStopped_ handleGetAttributeValue_ handleMTUChanged_ handleNotificationAdded_ handleNotificationRemoved_ handleReadyForUpdates_ handleServiceAdded_ handleSetAttributeValues_ isAdvertising removeAllServices removeService_ respondToRequest_withResult_ setDesiredConnectionLatency_forCentral_ startAdvertising_ stopAdvertising updateValue_forCharacteristic_onSubscribedCentrals_ CBService CBUUID UUIDString initWithCFUUID_ initWithNSUUID_ initWithString_ CBXpcConnection allocXpcArrayWithNSArray_ allocXpcDictionaryWithNSDictionary_ allocXpcMsg_args_ allocXpcObjectWithNSObject_ bluetoothExists checkIn checkOut handleConnectionEvent_ handleFinalized handleInvalid handleReset initWithDelegate_queue_options_sessionType_ isMainQueue nsArrayWithXpcArray_ nsDictionaryFromXpcDictionary_ nsObjectWithXpcObject_ sendAsyncMsg_args_ CDImageComponent deleteSlotForCAContext_ dictionaryRepresentationInCAContext_ hasCASlotProxy initWithImage_frame_key_ setSlotID_ slotID CDImageData componentAtIndex_ createDictionaryRepresentationInCAContext_ deleteSlotsForCAContext_ getExistingSlotIDForCAProxyIfPresent_ hasCalledInComponents imageComponents imageComponentsAsBlock imageComponentsBlock initWithDict_ pasteboardIndex recoverSlotIDsForReusedSlotProxiesFrom_usingKey_ screenFrame setImageComponentsBlock_ setImageComponents_ setPasteboardIndex_ setScreenFrame_ CFAbsoluteTimeAddGregorianUnits CFAbsoluteTimeGetCurrent CFAbsoluteTimeGetDayOfWeek CFAbsoluteTimeGetDayOfYear CFAbsoluteTimeGetDifferenceAsGregorianUnits CFAbsoluteTimeGetGregorianDate CFAbsoluteTimeGetWeekOfYear CFAllocatorGetDefault CFAllocatorGetPreferredSizeForSize CFAllocatorGetTypeID CFAllocatorRef __pyobjc_protocols__ bundleForClass CFAllocatorSetDefault CFArrayAppendArray CFArrayAppendValue CFArrayApplyFunction CFArrayBSearchValues CFArrayContainsValue CFArrayCreate CFArrayCreateCopy CFArrayCreateMutable CFArrayCreateMutableCopy CFArrayExchangeValuesAtIndices CFArrayGetCount CFArrayGetCountOfValue CFArrayGetFirstIndexOfValue CFArrayGetLastIndexOfValue CFArrayGetTypeID CFArrayGetValueAtIndex CFArrayGetValues CFArrayInsertValueAtIndex CFArrayRef __add__ __contains__ __copy__ __getitem__ __iter__ __len__ __mul__ __new__ __radd__ __rmul__ pop remove CFArrayRemoveAllValues CFArrayRemoveValueAtIndex CFArrayReplaceValues CFArraySetValueAtIndex CFArraySortValues CFAttributedStringBeginEditing CFAttributedStringCreate CFAttributedStringCreateCopy CFAttributedStringCreateMutable CFAttributedStringCreateMutableCopy CFAttributedStringCreateWithSubstring CFAttributedStringEndEditing CFAttributedStringGetAttribute CFAttributedStringGetAttributeAndLongestEffectiveRange CFAttributedStringGetAttributes CFAttributedStringGetAttributesAndLongestEffectiveRange CFAttributedStringGetLength CFAttributedStringGetMutableString CFAttributedStringGetString CFAttributedStringGetTypeID CFAttributedStringRef RTFDFileWrapperFromRange_documentAttributes_ RTFDFromRange_documentAttributes_ RTFFromRange_documentAttributes_ URLAtIndex_effectiveRange_ _atEndOfTextTableRow_atIndex_ _atEndOfTextTable_atIndex_ _atStartOfTextTableRow_atIndex_ _atStartOfTextTable_atIndex_ _attachmentFileWrapperDescription_ _attributeFixingInProgress _attributesAreEqualToAttributesInAttributedString_ _changeIntAttribute_by_range_ _createAttributedSubstringWithRange_ _documentFromRange_document_documentAttributes_subresources_ _drawCenteredVerticallyInRect_ _drawCenteredVerticallyInRect_options_scrollable_styledTextOptions_referenceView_ _drawCenteredVerticallyInRect_scrollable_styledTextOptions_ _fixGlyphInfo_inRange_ _initWithDOMRange_ _initWithRTFSelector_argument_documentAttributes_ _initWithURLFunnel_options_documentAttributes_ _isStringDrawingTextStorage _lineBreakBeforeIndex_withinRange_usesAlternativeBreaker_ _rangeOfTextTableRow_atIndex_ _rangeOfTextTableRow_atIndex_completeRow_ _readDocumentFragment_fromRange_documentAttributes_subresources_ _setAttributeFixingInProgress_ _shouldSetOriginalFontAttribute _sizeWithSize_ _ui_attributedSubstringFromRange_scaledByScaleFactor_ _ui_attributedSubstringFromRange_withTrackingAdjustment_ addAttribute_value_range_ addAttributesWeakly_range_ addAttributes_range_ appendAttributedString_ applyFontTraits_range_ attachments attribute_atIndex_effectiveRange_ attribute_atIndex_longestEffectiveRange_inRange_ attributedStringByWeaklyAddingAttributes_ attributedSubstringFromRange_ attributedSubstringFromRange_replacingCharactersInRanges_numberOfRanges_withString_ attributesAtIndex_effectiveRange_ attributesAtIndex_longestEffectiveRange_inRange_ beginEditing boundingRectWithSize_options_ boundingRectWithSize_options_context_ containsAttachments containsAttachmentsInRange_ convertBidiControlCharactersToWritingDirection convertBidiControlCharactersToWritingDirectionForParagraphAtIndex_ convertWritingDirectionToBidiControlCharacters convertWritingDirectionToBidiControlCharactersForParagraphAtIndex_ dataFromRange_documentAttributes_error_ dd_appendAttributedString_ dd_attributedStringByAppendingAttributedString_ dd_attributedSubstringFromRange_ dd_chopResults dd_offsetResultsBy_ defaultLanguage deleteCharactersInRange_ docFormatFromRange_documentAttributes_ doubleClickAtIndex_ doubleClickAtIndex_inRange_ drawAtPoint_ drawInRect_ drawWithRect_options_ drawWithRect_options_context_ endEditing enumerateAttribute_inRange_options_usingBlock_ enumerateAttributesInRange_options_usingBlock_ fileWrapperFromRange_documentAttributes_error_ fixAttachmentAttributeInRange_ fixAttributesInRange_ fixFontAttributeInRange_ fixGlyphInfoAttributeInRange_ fixParagraphStyleAttributeInRange_ fontAttributesInRange_ hasColorGlyphsInRange_ initWithData_options_documentAttributes_error_ initWithDocFormat_documentAttributes_ initWithFileURL_options_documentAttributes_error_ initWithHTML_baseURL_documentAttributes_ initWithHTML_documentAttributes_ initWithHTML_options_documentAttributes_ initWithPasteboardPropertyList_ofType_ initWithPath_documentAttributes_ initWithRTFDFileWrapper_documentAttributes_ initWithRTFD_documentAttributes_ initWithRTF_documentAttributes_ initWithURL_documentAttributes_ initWithURL_options_documentAttributes_error_ insertAttributedString_atIndex_ isEqualToAttributedString_ itemNumberInTextList_atIndex_ length lineBreakBeforeIndex_withinRange_ lineBreakByHyphenatingBeforeIndex_withinRange_ mutableString nextWordFromIndex_forward_ pasteboardPropertyListForType_ rangeOfTextBlock_atIndex_ rangeOfTextList_atIndex_ rangeOfTextTable_atIndex_ readFromData_options_documentAttributes_ readFromData_options_documentAttributes_error_ readFromFileURL_options_documentAttributes_error_ readFromURL_options_documentAttributes_ readFromURL_options_documentAttributes_error_ removeAttribute_range_ replaceCharactersInRange_withAttributedString_ replaceCharactersInRange_withString_ rulerAttributesInRange_ scriptingBeginsWith_ scriptingContains_ scriptingEndsWith_ scriptingIsEqualTo_ scriptingIsGreaterThanOrEqualTo_ scriptingIsGreaterThan_ scriptingIsLessThanOrEqualTo_ scriptingIsLessThan_ setAlignment_range_ setAttributedString_ setAttributes_range_ setBaseWritingDirection_range_ stringByStrippingAttachmentCharactersAndConvertingWritingDirectionToBidiControlCharactersFromRange_ subscriptRange_ superscriptRange_ unscriptRange_ updateAttachmentsFromPath_ writableTypesForPasteboard_ writingOptionsForType_pasteboard_ CFAttributedStringRemoveAttribute CFAttributedStringReplaceAttributedString CFAttributedStringReplaceString CFAttributedStringSetAttribute CFAttributedStringSetAttributes CFAutorelease CFBagAddValue CFBagApplyFunction CFBagContainsValue CFBagCreate CFBagCreateCopy CFBagCreateMutable CFBagCreateMutableCopy CFBagGetCount CFBagGetCountOfValue CFBagGetTypeID CFBagGetValue CFBagGetValueIfPresent CFBagGetValues CFBagRef CFBagRemoveAllValues CFBagRemoveValue CFBagReplaceValue CFBagSetValue CFBinaryHeapAddValue CFBinaryHeapApplyFunction CFBinaryHeapContainsValue CFBinaryHeapCreate CFBinaryHeapCreateCopy CFBinaryHeapGetCount CFBinaryHeapGetCountOfValue CFBinaryHeapGetMinimum CFBinaryHeapGetMinimumIfPresent CFBinaryHeapGetTypeID CFBinaryHeapGetValues CFBinaryHeapRef CFBinaryHeapRemoveAllValues CFBinaryHeapRemoveMinimumValue CFBitVectorContainsBit CFBitVectorCreate CFBitVectorCreateCopy CFBitVectorCreateMutable CFBitVectorCreateMutableCopy CFBitVectorFlipBitAtIndex CFBitVectorFlipBits CFBitVectorGetBitAtIndex CFBitVectorGetBits CFBitVectorGetCount CFBitVectorGetCountOfBit CFBitVectorGetFirstIndexOfBit CFBitVectorGetLastIndexOfBit CFBitVectorGetTypeID CFBitVectorRef CFBitVectorSetAllBits CFBitVectorSetBitAtIndex CFBitVectorSetBits CFBitVectorSetCount CFBooleanGetTypeID CFBooleanGetValue CFBooleanRef CAColorMatrixValue CAPoint3DValue CATransform3DValue _cfNumberType _getCString_length_multiplier_ _getValue_forType_ _matchType_size_ _reverseCompare_ _scriptingBooleanDescriptor _scriptingIntegerDescriptor _scriptingNumberDescriptor _scriptingRealDescriptor _scriptingTypeDescriptor boolValue charValue decimalValue edgeInsetsValue getValue_ initWithBool_ initWithBytes_objCType_ initWithChar_ initWithDouble_ initWithFloat_ initWithInt_ initWithInteger_ initWithLongLong_ initWithLong_ initWithShort_ initWithUnsignedChar_ initWithUnsignedInt_ initWithUnsignedInteger_ initWithUnsignedLongLong_ initWithUnsignedLong_ initWithUnsignedShort_ isEqualToNumber_ isEqualToValue_ longLongValue longValue nonretainedObjectValue objCType pointValue pointerValue rangeValue rectValue shortValue sizeValue unsignedCharValue unsignedIntValue unsignedIntegerValue unsignedLongLongValue unsignedLongValue unsignedShortValue weakObjectValue CFBridgingRelease CFBridgingRetain CFBundleCloseBundleResourceMap CFBundleCopyAuxiliaryExecutableURL CFBundleCopyBuiltInPlugInsURL CFBundleCopyBundleLocalizations CFBundleCopyBundleURL CFBundleCopyExecutableArchitectures CFBundleCopyExecutableArchitecturesForURL CFBundleCopyExecutableURL CFBundleCopyInfoDictionaryForURL CFBundleCopyInfoDictionaryInDirectory CFBundleCopyLocalizationsForPreferences CFBundleCopyLocalizationsForURL CFBundleCopyLocalizedString CFBundleCopyPreferredLocalizationsFromArray CFBundleCopyPrivateFrameworksURL CFBundleCopyResourceURL CFBundleCopyResourceURLForLocalization CFBundleCopyResourceURLInDirectory CFBundleCopyResourceURLsOfType CFBundleCopyResourceURLsOfTypeForLocalization CFBundleCopyResourceURLsOfTypeInDirectory CFBundleCopyResourcesDirectoryURL CFBundleCopySharedFrameworksURL CFBundleCopySharedSupportURL CFBundleCopySupportFilesDirectoryURL CFBundleCreate CFBundleCreateBundlesFromDirectory CFBundleGetAllBundles CFBundleGetBundleWithIdentifier CFBundleGetDevelopmentRegion CFBundleGetIdentifier CFBundleGetInfoDictionary CFBundleGetLocalInfoDictionary CFBundleGetMainBundle CFBundleGetPackageInfo CFBundleGetPackageInfoInDirectory CFBundleGetPlugIn CFBundleGetTypeID CFBundleGetValueForInfoDictionaryKey CFBundleGetVersionNumber CFBundleIsExecutableLoaded CFBundleLoadExecutable CFBundleLoadExecutableAndReturnError CFBundleOpenBundleResourceFiles CFBundleOpenBundleResourceMap CFBundlePreflightExecutable CFBundleRef CFBundleUnloadExecutable CFByteOrderBigEndian CFByteOrderGetCurrent CFByteOrderLittleEndian CFByteOrderUnknown CFCalendarAddComponents CFCalendarComposeAbsoluteTime CFCalendarCopyCurrent CFCalendarCopyLocale CFCalendarCopyTimeZone CFCalendarCreateWithIdentifier CFCalendarDecomposeAbsoluteTime CFCalendarGetComponentDifference CFCalendarGetFirstWeekday CFCalendarGetIdentifier CFCalendarGetMaximumRangeOfUnit CFCalendarGetMinimumDaysInFirstWeek CFCalendarGetMinimumRangeOfUnit CFCalendarGetOrdinalityOfUnit CFCalendarGetRangeOfUnit CFCalendarGetTimeRangeOfUnit CFCalendarGetTypeID CFCalendarRef _addComponents____ _composeAbsoluteTime___ _copyLocale _copyTimeZone _decomposeAbsoluteTime___ _diffComponents_____ _gregorianStartDate _maximumRangeOfUnit_ _minimumRangeOfUnit_ _ordinalityOfUnit_inUnit_forAT_ _rangeOfUnit_inUnit_forAT_ _rangeOfUnit_startTime_interval_forAT_ _setGregorianStartDate_ calendarIdentifier compareDate_toDate_toUnitGranularity_ component_fromDate_ componentsInTimeZone_fromDate_ components_fromDateComponents_toDateComponents_options_ components_fromDate_ components_fromDate_toDate_options_ dateByAddingComponents_toDate_options_ dateByAddingUnit_value_toDate_options_ dateBySettingHour_minute_second_ofDate_options_ dateBySettingHour_minute_second_toDate_options_ dateBySettingUnit_value_ofDate_options_ dateBySettingUnit_value_toDate_options_ dateFromComponents_ dateWithEra_yearForWeekOfYear_weekOfYear_weekday_hour_minute_second_nanosecond_ dateWithEra_year_month_day_hour_minute_second_nanosecond_ date_matchesComponents_ enumerateDatesStartingAfterDate_matchingComponents_options_usingBlock_ firstWeekday getEra_yearForWeekOfYear_weekOfYear_weekday_fromDate_ getEra_year_month_day_fromDate_ getHour_minute_second_nanosecond_fromDate_ initWithCalendarIdentifier_ isDateInToday_ isDateInTomorrow_ isDateInWeekend_ isDateInYesterday_ isDate_equalToDate_toUnitGranularity_ isDate_inSameDayAsDate_ maximumRangeOfUnit_ minimumDaysInFirstWeek minimumRangeOfUnit_ nextDateAfterDate_matchingComponents_options_ nextDateAfterDate_matchingHour_minute_second_options_ nextDateAfterDate_matchingUnit_value_options_ nextWeekendStartDate_interval_options_afterDate_ ordinalityOfUnit_inUnit_forDate_ rangeOfUnit_inUnit_forDate_ rangeOfUnit_startDate_interval_forDate_ rangeOfWeekendStartDate_interval_containingDate_ setFirstWeekday_ setMinimumDaysInFirstWeek_ startOfDayForDate_ CFCalendarSetFirstWeekday CFCalendarSetLocale CFCalendarSetMinimumDaysInFirstWeek CFCalendarSetTimeZone CFCharacterSetAddCharactersInRange CFCharacterSetAddCharactersInString CFCharacterSetCreateBitmapRepresentation CFCharacterSetCreateCopy CFCharacterSetCreateInvertedSet CFCharacterSetCreateMutable CFCharacterSetCreateMutableCopy CFCharacterSetCreateWithBitmapRepresentation CFCharacterSetCreateWithCharactersInRange CFCharacterSetCreateWithCharactersInString CFCharacterSetGetPredefined CFCharacterSetGetTypeID CFCharacterSetHasMemberInPlane CFCharacterSetIntersect CFCharacterSetInvert CFCharacterSetIsCharacterMember CFCharacterSetIsLongCharacterMember CFCharacterSetIsSupersetOfSet CFCharacterSetRef _expandedCFCharacterSet _retainedBitmapRepresentation addCharactersInRange_ addCharactersInString_ bitmapRepresentation characterIsMember_ formIntersectionWithCharacterSet_ formUnionWithCharacterSet_ hasMemberInPlane_ invert invertedSet isEmpty isMutable isSupersetOfSet_ longCharacterIsMember_ makeCharacterSetCompact makeCharacterSetFast makeImmutable removeCharactersInRange_ removeCharactersInString_ CFCharacterSetRemoveCharactersInRange CFCharacterSetRemoveCharactersInString CFCharacterSetUnion CFConvertDoubleHostToSwapped CFConvertDoubleSwappedToHost CFConvertFloat32HostToSwapped CFConvertFloat32SwappedToHost CFConvertFloat64HostToSwapped CFConvertFloat64SwappedToHost CFConvertFloatHostToSwapped CFConvertFloatSwappedToHost CFCopyDescription CFCopyHomeDirectoryURL CFCopyLocalizedString CFCopyLocalizedStringFromTable CFCopyLocalizedStringFromTableInBundle CFCopyLocalizedStringWithDefaultValue CFCopyTypeIDDescription CFDataAppendBytes CFDataCreate CFDataCreateCopy CFDataCreateMutable CFDataCreateMutableCopy CFDataCreateWithBytesNoCopy CFDataDeleteBytes CFDataFind CFDataGetBytePtr CFDataGetBytes CFDataGetLength CFDataGetMutableBytePtr CFDataGetTypeID CFDataIncreaseLength CFDataRef _ISMutableStoreIndex_addValue_forKey_ _ISMutableStoreIndex_makeBackedByFileAtURL_ _ISStoreIndex_enumerateValuesForKey_bock_ _ISStoreIndex_enumerateValuesWithBock_ _ISStoreIndex_hashTable _ISStoreIndex_header _ISStoreIndex_isValid _ISStoreIndex_nodeAtIndex_ _ISStoreIndex_nodeIndexForKey_ _ISStoreIndex_nodes _ISStoreIndex_setNodeIndex_forKey_ _asciiDescription _base64EncodingAsString_withOptions_ _canReplaceWithDispatchDataForXPCCoder _copyWillRetain _createDispatchData _decodeBase64EncodedCharacterBuffer_length_options_buffer_bufferLength_state_ _initWithBase64EncodedObject_options_ _isCompact _isDispatchData _isSafeResumeDataForBackgroundDownload _replaceCString_withCString_ _scriptingPointDescriptor _scriptingRectangleDescriptor _web_guessedMIMEType _web_guessedMIMETypeForExtension_ _web_guessedMIMETypeForXML _web_parseRFC822HeaderFields appendBytes_length_ appendData_ base64EncodedDataWithOptions_ base64EncodedStringWithOptions_ base64Encoding bytes deserializeAlignedBytesLengthAtCursor_ deserializeBytes_length_atCursor_ deserializeDataAt_ofObjCType_atCursor_context_ deserializeIntAtCursor_ deserializeIntAtIndex_ deserializeInts_count_atCursor_ deserializeInts_count_atIndex_ enumerateByteRangesUsingBlock_ getBytes_ getBytes_length_ getBytes_range_ increaseLengthBy_ initWithBase64EncodedData_options_ initWithBase64EncodedString_options_ initWithBase64Encoding_ initWithBytesNoCopy_length_ initWithBytesNoCopy_length_deallocator_ initWithBytesNoCopy_length_freeWhenDone_ initWithBytes_length_ initWithBytes_length_copy_deallocator_ initWithBytes_length_copy_freeWhenDone_bytesAreVM_ initWithCapacity_ initWithContentsOfFile_error_ initWithContentsOfFile_options_error_ initWithContentsOfMappedFile_ initWithContentsOfMappedFile_error_ initWithContentsOfURL_options_error_ initWithLength_ isEqualToData_ mutableBytes rangeOfData_options_range_ replaceBytesInRange_withBytes_ replaceBytesInRange_withBytes_length_ resetBytesInRange_ serializeAlignedBytesLength_ serializeAlignedBytes_length_ serializeDataAt_ofObjCType_context_ serializeInt_ serializeInt_atIndex_ serializeInts_count_ serializeInts_count_atIndex_ setData_ setLength_ subdataWithRange_ writeToFile_atomically_error_ writeToFile_options_error_ writeToURL_options_error_ CFDataReplaceBytes CFDataSetLength CFDateCompare CFDateCreate CFDateFormatterCopyProperty CFDateFormatterCreate CFDateFormatterCreateDateFormatFromTemplate CFDateFormatterCreateDateFromString CFDateFormatterCreateISO8601Formatter CFDateFormatterCreateStringWithAbsoluteTime CFDateFormatterCreateStringWithDate CFDateFormatterGetAbsoluteTimeFromString CFDateFormatterGetDateStyle CFDateFormatterGetFormat CFDateFormatterGetLocale CFDateFormatterGetTimeStyle CFDateFormatterGetTypeID CFDateFormatterRef CFDateFormatterSetFormat CFDateFormatterSetProperty CFDateGetAbsoluteTime CFDateGetTimeIntervalSinceDate CFDateGetTypeID CFDateRef _scriptingDateDescriptor _web_RFC1123DateString _web_compareDay_ _web_isToday addTimeInterval_ compare_toUnitGranularity_ dateByAddingTimeInterval_ dateWithCalendarFormat_timeZone_ descriptionWithCalendarFormat_timeZone_locale_ earlierDate_ initWithDate_ initWithTimeIntervalSince1970_ initWithTimeIntervalSinceNow_ initWithTimeIntervalSinceReferenceDate_ initWithTimeInterval_sinceDate_ isEqualToDate_ isEqual_toUnitGranularity_ isInSameDayAsDate_ isInToday isInTomorrow isInYesterday laterDate_ timeIntervalSince1970 timeIntervalSinceDate_ timeIntervalSinceNow timeIntervalSinceReferenceDate CFDictionaryAddValue CFDictionaryApplyFunction CFDictionaryContainsKey CFDictionaryContainsValue CFDictionaryCreate CFDictionaryCreateCopy CFDictionaryCreateMutable CFDictionaryCreateMutableCopy CFDictionaryGetCount CFDictionaryGetCountOfKey CFDictionaryGetCountOfValue CFDictionaryGetKeysAndValues CFDictionaryGetTypeID CFDictionaryGetValue CFDictionaryGetValueIfPresent CFDictionaryRef CA_copyRenderKeyValueArray _LS_BoolForKey_ _LS_safeObjectForKey_ofType_ __apply_context_ __eq__ __ge__ __getValue_forKey_ __gt__ __le__ __lt__ __ne__ _boolForKey_ _hashQuery _parseQueryForIdentifiers_ _scriptClassTerminologyForName_ _scriptCommandTerminologyForName_ _scriptFlagsForKey_containFlag_ _scriptIsYesForKey_default_ _scriptTerminologyDescription _scriptTerminologyName _scriptTerminologyNameOrNames _scriptTerminologyPluralName _scriptingDescriptorOfRecordType_orReasonWhyNot_ _web_intForKey_ _web_numberForKey_ _web_objectForMIMEType_ _web_stringForKey_ allKeys allKeysForObject_ allValues containsKey_ countForKey_ descriptionInStringsFileFormat enumerateKeysAndObjectsUsingBlock_ enumerateKeysAndObjectsWithOptions_usingBlock_ fileCreationDate fileExtensionHidden fileGroupOwnerAccountID fileGroupOwnerAccountName fileGroupOwnerAccountNumber fileHFSCreatorCode fileHFSTypeCode fileIsAppendOnly fileIsImmutable fileModificationDate fileOwnerAccountID fileOwnerAccountName fileOwnerAccountNumber filePosixPermissions fileSize fileSystemFileNumber fileSystemNumber fileType fromkeys get getKeys_ getObjects_andKeys_ getObjects_andKeys_count_ initWithDictionary_copyItems_ initWithObject_forKey_ initWithObjectsAndKeys_ initWithObjects_forKeys_ initWithObjects_forKeys_count_ insertExtensionPointVersion_ invertedDictionary isEqualToDictionary_ isEqualToDictionary_forKeys_ items keyEnumerator keyOfEntryPassingTest_ keyOfEntryWithOptions_passingTest_ keys keysOfEntriesPassingTest_ keysOfEntriesWithOptions_passingTest_ keysSortedByValueUsingComparator_ keysSortedByValueUsingSelector_ keysSortedByValueWithOptions_usingComparator_ ls_resolvePlugInKitInfoPlistWithDictionary_ objectForKeyedSubscript_ objectsForKeys_notFoundMarker_ updatePlistKeys CFDictionaryRemoveAllValues CFDictionaryRemoveValue CFDictionaryReplaceValue CFDictionarySetValue CFEqual CFErrorCopyDescription CFErrorCopyFailureReason CFErrorCopyRecoverySuggestion CFErrorCopyUserInfo CFErrorCreate CFErrorCreateWithUserInfoKeysAndValues CFErrorGetCode CFErrorGetDomain CFErrorGetTypeID CFErrorRef _cocoaErrorStringWithKind_ _cocoaErrorStringWithKind_variant_ _cocoaErrorString_ _cocoaErrorString_fromBundle_tableName_ _collectApplicableUserInfoFormatters_max_ _formatCocoaErrorString_parameters_applicableFormatters_count_ _retainedUserInfoCallBackForKey_ _web_errorIsInDomain_ _web_failingURL _web_initWithDomain_code_failingURL_ _web_initWithDomain_nowarn_code_URL_ _web_localizedDescription code domain helpAnchor initWithDomain_code_userInfo_ initWithIOAccelError_ localizedDescription localizedFailureReason localizedRecoveryOptions localizedRecoverySuggestion recoveryAttempter userInfo CFFileDescriptorCreate CFFileDescriptorCreateRunLoopSource CFFileDescriptorDisableCallBacks CFFileDescriptorEnableCallBacks CFFileDescriptorGetContext CFFileDescriptorGetNativeDescriptor CFFileDescriptorGetTypeID CFFileDescriptorInvalidate CFFileDescriptorIsValid CFFileDescriptorRef CFFileSecurityClearProperties CFFileSecurityCopyGroupUUID CFFileSecurityCopyOwnerUUID CFFileSecurityCreate CFFileSecurityCreateCopy CFFileSecurityGetGroup CFFileSecurityGetMode CFFileSecurityGetOwner CFFileSecurityGetTypeID CFFileSecurityRef _filesec clearProperties_ copyAccessControlList_ getGroupUUID_ getGroup_ getMode_ getOwnerUUID_ getOwner_ setAccessControlList_ setGroupUUID_ setGroup_ setMode_ setOwnerUUID_ setOwner_ CFFileSecuritySetGroup CFFileSecuritySetGroupUUID CFFileSecuritySetMode CFFileSecuritySetOwner CFFileSecuritySetOwnerUUID CFGetAllocator CFGetRetainCount CFGetTypeID CFGregorianDate __class__ __delattr__ __delitem__ __dir__ __format__ __getattribute__ __hash__ __init__ __init_subclass__ __pyobjc_copy__ __reduce__ __reduce_ex__ __repr__ __setattr__ __setitem__ __sizeof__ __str__ __subclasshook__ __typestr__ _asdict _fields _replace day hour minute month second year CFGregorianDateGetAbsoluteTime CFGregorianDateIsValid CFGregorianUnits days hours minutes months seconds years CFHash CFLocaleCopyAvailableLocaleIdentifiers CFLocaleCopyCommonISOCurrencyCodes CFLocaleCopyCurrent CFLocaleCopyDisplayNameForPropertyValue CFLocaleCopyISOCountryCodes CFLocaleCopyISOCurrencyCodes CFLocaleCopyISOLanguageCodes CFLocaleCopyPreferredLanguages CFLocaleCreate CFLocaleCreateCanonicalLanguageIdentifierFromString CFLocaleCreateCanonicalLocaleIdentifierFromScriptManagerCodes CFLocaleCreateCanonicalLocaleIdentifierFromString CFLocaleCreateComponentsFromLocaleIdentifier CFLocaleCreateCopy CFLocaleCreateLocaleIdentifierFromComponents CFLocaleCreateLocaleIdentifierFromWindowsLocaleCode CFLocaleGetIdentifier CFLocaleGetLanguageCharacterDirection CFLocaleGetLanguageLineDirection CFLocaleGetSystem CFLocaleGetTypeID CFLocaleGetValue CFLocaleGetWindowsLocaleCodeFromLocaleIdentifier CFLocaleRef _calendarDirection _copyDisplayNameForKey_value_ _nullLocale _prefs _setNullLocale alternateQuotationBeginDelimiter alternateQuotationEndDelimiter collationIdentifier collatorIdentifier countryCode currencyCode currencySymbol decimalSeparator displayNameForKey_value_ exemplarCharacterSet groupingSeparator initWithLocaleIdentifier_ languageCode localeIdentifier localizedStringForAlternateQuotationBeginDelimiter_ localizedStringForAlternateQuotationEndDelimiter_ localizedStringForCalendarIdentifier_ localizedStringForCollationIdentifier_ localizedStringForCollatorIdentifier_ localizedStringForCountryCode_ localizedStringForCurrencyCode_ localizedStringForCurrencySymbol_ localizedStringForDecimalSeparator_ localizedStringForGroupingSeparator_ localizedStringForLanguageCode_ localizedStringForLocaleIdentifier_ localizedStringForQuotationBeginDelimiter_ localizedStringForQuotationEndDelimiter_ localizedStringForScriptCode_ localizedStringForVariantCode_ quotationBeginDelimiter quotationEndDelimiter scriptCode usesMetricSystem variantCode CFMachPortCreate CFMachPortCreateRunLoopSource CFMachPortCreateWithPort CFMachPortGetContext CFMachPortGetInvalidationCallBack CFMachPortGetPort CFMachPortGetTypeID CFMachPortInvalidate CFMachPortIsValid CFMachPortRef addConnection_toRunLoop_forMode_ handlePortMessage_ initWithMachPort_ initWithMachPort_options_ isValid machPort removeConnection_fromRunLoop_forMode_ removeFromRunLoop_forMode_ reservedSpaceLength scheduleInRunLoop_forMode_ sendBeforeDate_components_from_reserved_ sendBeforeDate_msgid_components_from_reserved_ sendBeforeTime_streamData_components_from_msgid_ CFMachPortSetInvalidationCallBack CFMakeCollectable CFMessagePortCreateLocal CFMessagePortCreateRemote CFMessagePortCreateRunLoopSource CFMessagePortGetContext CFMessagePortGetInvalidationCallBack CFMessagePortGetName CFMessagePortGetTypeID CFMessagePortInvalidate CFMessagePortIsRemote CFMessagePortIsValid CFMessagePortRef CFMessagePortSendRequest CFMessagePortSetDispatchQueue CFMessagePortSetInvalidationCallBack CFMessagePortSetName CFMutableArrayRef _addObjectsFromArray_range_ _mutate addObject_ addObjectsFromArray_ addObjectsFromArray_range_ addObjectsFromOrderedSet_ addObjectsFromOrderedSet_range_ addObjectsFromSet_ addObjects_count_ addRange_ append clear comboBoxCell_indexOfItemWithStringValue_ comboBoxCell_objectValueForItemAtIndex_ dequeue enqueue_ exchangeObjectAtIndex_withObjectAtIndex_ extend filterUsingPredicate_ insert insertObject_atIndex_ insertObjectsFromArray_atIndex_ insertObjectsFromArray_range_atIndex_ insertObjectsFromOrderedSet_atIndex_ insertObjectsFromOrderedSet_range_atIndex_ insertObjectsFromSet_atIndex_ insertObjects_atIndexes_ insertObjects_count_atIndex_ insertRange_atIndex_ moveObjectsAtIndexes_toIndex_ numberOfItemsInComboBoxCell_ removeAllObjects removeFirstObject removeLastObject removeLastRange removeObjectAtIndex_ removeObjectIdenticalTo_ removeObjectIdenticalTo_inRange_ removeObject_ removeObject_inRange_ removeObjectsAtIndexes_ removeObjectsAtIndexes_options_passingTest_ removeObjectsFromIndices_numIndices_ removeObjectsInArray_ removeObjectsInArray_range_ removeObjectsInOrderedSet_ removeObjectsInOrderedSet_range_ removeObjectsInRange_ removeObjectsInRange_inArray_ removeObjectsInRange_inArray_range_ removeObjectsInRange_inOrderedSet_ removeObjectsInRange_inOrderedSet_range_ removeObjectsInRange_inSet_ removeObjectsInSet_ removeObjectsPassingTest_ removeObjectsWithOptions_passingTest_ removeRangeAtIndex_ replaceObjectAtIndex_withObject_ replaceObject_ replaceObject_inRange_ replaceObjectsAtIndexes_withObjects_ replaceObjectsInRange_withObjectsFromArray_ replaceObjectsInRange_withObjectsFromArray_range_ replaceObjectsInRange_withObjectsFromOrderedSet_ replaceObjectsInRange_withObjectsFromOrderedSet_range_ replaceObjectsInRange_withObjectsFromSet_ replaceObjectsInRange_withObjects_count_ replaceRangeAtIndex_withRange_ reverse setArray_ setObject_atIndex_ setObject_atIndexedSubscript_ setOrderedSet_ setSet_ sort sortRange_options_usingComparator_ sortUsingComparator_ sortUsingDescriptors_ sortUsingFunction_context_ sortUsingFunction_context_range_ sortUsingSelector_ sortWithOptions_usingComparator_ CFMutableAttributedStringRef CFMutableBagRef CFMutableBitVectorRef CFMutableCharacterSetRef CFMutableDataRef CFMutableDictionaryRef _SFL_setObjectOrNil_forKey_ _SFL_setTimeInterval_forKey_ __addObject_forKey_ __setObject_forKey_ _web_setBool_forKey_ _web_setInt_forKey_ _web_setObject_forUncopiedKey_ addApplicationParameterHeader_length_ addAuthorizationChallengeHeader_length_ addAuthorizationResponseHeader_length_ addBodyHeader_length_endOfBody_ addByteSequenceHeader_length_ addConnectionIDHeader_length_ addCountHeader_ addDescriptionHeader_ addEntriesFromDictionary_ addHTTPHeader_length_ addImageDescriptorHeader_length_ addImageHandleHeader_ addLengthHeader_ addNameHeader_ addObjectClassHeader_length_ addObject_forKey_ addObjects_forKeys_ addObjects_forKeys_count_ addTargetHeader_length_ addTime4ByteHeader_ addTimeISOHeader_length_ addTypeHeader_ addUserDefinedHeader_length_ addWhoHeader_length_ getHeaderBytes popitem removeEntriesInDictionary_ removeEntriesPassingTest_ removeEntriesWithOptions_passingTest_ removeKeysForObject_ removeObjectsForKeys_ replaceObject_forKey_ replaceObjects_forKeys_ replaceObjects_forKeys_count_ setDictionary_ setEntriesFromDictionary_ setObject_forKeyedSubscript_ setObjects_forKeys_ setObjects_forKeys_count_ setdefault CFMutableSetRef __applyValues_context_ __getValue_forObj_ add anyObject channelsWithChannelProperties_ difference_update discard enumerateIndexPathsWithOptions_usingBlock_ filteredSetUsingPredicate_ getObjects_count_ ibssNetworks infrastructureNetworks intersectOrderedSet_ intersectSet_ intersection_update intersectsOrderedSet_ intersectsSet_ isEqualToSet_ isSubsetOfOrderedSet_ isSubsetOfSet_ member_ members_notFoundMarker_ mergedNetworks minusOrderedSet_ minusSet_ networksWithChannels_ networksWithNoiseMinimum_maximum_ networksWithPHYMode_ networksWithRSSIMinimum_maximum_ networksWithSSID_ networksWithSecurityType_ setByAddingObject_ setByAddingObjectsFromArray_ setByAddingObjectsFromSet_ symmetric_difference_update unionOrderedSet_ unionSet_ CFMutableStringRef CFNotificationCenterAddObserver CFNotificationCenterGetDarwinNotifyCenter CFNotificationCenterGetDistributedCenter CFNotificationCenterGetLocalCenter CFNotificationCenterGetTypeID CFNotificationCenterPostNotification CFNotificationCenterPostNotificationWithOptions CFNotificationCenterRef CFNotificationCenterRemoveEveryObserver CFNotificationCenterRemoveObserver CFNotificationSuspensionBehaviorCoalesce CFNotificationSuspensionBehaviorDeliverImmediately CFNotificationSuspensionBehaviorDrop CFNotificationSuspensionBehaviorHold CFNullGetTypeID CFNullRef __bool__ _scriptingNullDescriptor accessibilityDidEndScrolling CFNumberCompare CFNumberCreate CFNumberFormatterCopyProperty CFNumberFormatterCreate CFNumberFormatterCreateNumberFromString CFNumberFormatterCreateStringWithNumber CFNumberFormatterCreateStringWithValue CFNumberFormatterGetDecimalInfoForCurrencyCode CFNumberFormatterGetFormat CFNumberFormatterGetLocale CFNumberFormatterGetStyle CFNumberFormatterGetTypeID CFNumberFormatterGetValueFromString CFNumberFormatterRef CFNumberFormatterSetFormat CFNumberFormatterSetProperty CFNumberGetByteSize CFNumberGetType CFNumberGetTypeID CFNumberGetValue CFNumberIsFloatType CFNumberRef CFPDCFDataBuffer beginAccessing copyCFData copyPropertyListWithMutability_ copyXPCData endAccessing initWithCFData_ purgable validatePlist CFPDCloudSource _writeToDisk_ acceptMessage_ addOwner_ asyncNotifyObserversOfChanges asyncWriteToDisk attachSizeWarningsToReply_forByteCount_ beginHandlingRequest byHost cacheActualAndTemporaryPathsWithEUID_egid_ cacheActualPath cacheActualPathCreatingIfNecessary_euid_egid_ clearCache cloudConfigurationPath container copyCachedObservationConnectionForMessage_ copyConfigurationFromPath_ copyPropertyList copyPropertyListWithoutDrainingPendingChanges copyUncanonicalizedPath debugDump drainPendingChanges endHandlingRequest enqueueNewKey_value_size_encoding_ getUncanonicalizedPath_ handleAvoidCache handleEUIDorEGIDMismatch handleNeverCache handleNoPlistFound handleOpenForWritingFailureWithErrno_ handleRootWrite handleSynchronous hasEverHadMultipleOwners hasObservers initWithDomain_userName_byHost_managed_shmemIndex_daemon_ initWithDomain_userName_container_byHost_managed_shmemIndex_daemon_ initWithDomain_userName_storeName_configurationPath_containerPath_shmemIndex_daemon_ lockedAsync_ lockedSync_ managed markNeedsToReloadFromDiskDueToFailedWrite owner registerForChangeNotifications removeOwner respondToFileWrittenToBehindOurBack setDirty_ setObserved_bySenderOfMessage_ setPlist_ shmemIndex shouldBePurgable stopNotifyingObserver_ syncWriteToDisk syncWriteToDiskAndFlushCache synchronizeWithCloud_replyHandler_ transitionToMultiOwner updateShmemEntry user validateAccessToken_accessType_ validateMessage_withNewKey_newValue_currentPlistData_containerPath_diagnosticMessage_ validatePOSIXPermissionsForMessage_accessType_fullyValidated_ validateSandboxForRead_containerPath_ validateSandboxForWrite_containerPath_ validateSandboxPermissionsForMessage_containerPath_accessType_ CFPDContainerSource CFPDDataBuffer CFPDPurgeableBuffer initWithFileDescriptor_size_ initWithPropertyList_ CFPDSource CFPDSourceLookUpKey CFPlugInInstanceRef CFPreferencesAddSuitePreferencesToApp CFPreferencesAppSynchronize CFPreferencesAppValueIsForced CFPreferencesCopyAppValue CFPreferencesCopyApplicationList CFPreferencesCopyKeyList CFPreferencesCopyMultiple CFPreferencesCopyValue CFPreferencesGetAppBooleanValue CFPreferencesGetAppIntegerValue CFPreferencesRemoveSuitePreferencesFromApp CFPreferencesSetAppValue CFPreferencesSetMultiple CFPreferencesSetValue CFPreferencesSynchronize CFPrefsCloudSource _goReadOnlyOrVolatileAfterTryingToWriteKey_value_ _sharedCleanup addPIDImpersonationIfNecessary_ addPreferencesObserver_ alreadylocked_addPreferencesObserver_ alreadylocked_clearCache alreadylocked_copyDictionary alreadylocked_copyKeyList alreadylocked_copyValueForKey_ alreadylocked_generationCount alreadylocked_removePreferencesObserver_ alreadylocked_requestNewData alreadylocked_setValues_forKeys_count_ alreadylocked_updateObservingRemoteChanges attachAccessTokenToMessage_accessType_ copyDictionary copyKeyList copyOSLogDescription copyValueForKey_ createRequestNewContentMessageForDaemon_ createSynchronizeMessage didChangeValues_forKeys_count_ domainIdentifier fullCloudSynchronizeWithCompletionHandler_ generationCount goReadOnlyAfterTryingToWriteKey_value_ goVolatileAfterTryingToWriteKey_value_ handleErrorReply_fromMessageSettingKey_toValue_retryCount_retryContinuation_ handleErrorReply_retryCount_retryContinuation_ handleReply_toRequestNewDataMessage_onConnection_retryCount_error_ initWithContainingPreferences_ initWithDomain_user_byHost_containerPath_containingPreferences_ isByHost isVolatile lock lockObservers mergeIntoDictionary_ removeAllValues removePreferencesObserver_ replaceAllValuesWithValues_forKeys_count_ sendFullyPreparedMessage_toConnection_settingValue_forKey_retryCount_ sendMessageSettingValue_forKey_ sendRequestNewDataMessage_toConnection_retryCount_error_ setAccessRestricted_ setConfigurationPath_ setContainer_ setDaemonCacheEnabled_ setDomainIdentifier_ setStoreName_ setUserIdentifier_ setValues_forKeys_count_ setValues_forKeys_count_removeValuesForKeys_count_ unlock unlockObservers userIdentifier volatilizeIfInvalidHomeDir willChangeValuesForKeys_count_ CFPrefsCompatibilitySource CFPrefsConfigurationFileSource initWithConfigurationPropertyList_containingPreferences_ CFPrefsDaemon _initializeShmemPage_ flushDomainInAgents_ getShmemName_bufLen_ handleAgentCheckInMessage_replyHandler_ handleError_ handleFlushManagedMessage_replyHandler_ handleFlushSourceForDomainMessage_replyHandler_ handleMessage_fromPeer_replyHandler_ handleMultiMessage_replyHandler_ handleSourceMessage_replyHandler_ handleUserDeletedMessage_replyHandler_ initWithRole_testMode_ isInTestMode listener logDomainInconsistencyForProcess_message_source_ removeAgentConnectionsWithUserName_ sendEachAgent_ shmem synchronousWithSourceCache_ userID withAgentDictionaryIfApplicable_ withSourceForDomain_inContainer_user_byHost_managed_cloudStoreEntitlement_cloudConfigurationPath_perform_ withSources_ CFPrefsManagedSource initWithDomain_user_byHost_containingPreferences_ CFPrefsPlistSource CFPrefsSearchListSource addCloudSourceForIdentifier_configurationPath_storeName_container_ addCompatibilitySource addManagedSourceForIdentifier_user_ addNamedVolatileSourceForIdentifier_ addSourceForIdentifier_user_byHost_container_ addSource_ addSuiteSourceForIdentifier_user_ alreadylocked_generationCountFromListOfSources_count_ alreadylocked_hasCloudValueForKey_ alreadylocked_hasNonRegisteredValueForKey_ alreadylocked_setObservingContents_ alreadylocked_useCloudForKey_ asynchronouslyNotifyOfChangesFromDictionary_toDictionary_ copyCloudConfigurationWithURL_outConfigFileSource_outStoreName_ freeze handleRemoteChangeNotificationForDomainIdentifier_ initWithIdentifier_containingPreferences_ removeSource_ replaceSource_withSource_ setCloudEnabled_forKeyPrefix_ setCloudEnabled_forKey_ CFPrefsSource CFPropertyListCreateData CFPropertyListCreateDeepCopy CFPropertyListCreateFromStream CFPropertyListCreateFromXMLData CFPropertyListCreateWithData CFPropertyListCreateWithStream CFPropertyListCreateXMLData CFPropertyListIsValid CFPropertyListWrite CFPropertyListWriteToStream CFRange location CFRangeMake CFReadStreamClose CFReadStreamCopyDispatchQueue CFReadStreamCopyError CFReadStreamCopyProperty CFReadStreamCreateWithBytesNoCopy CFReadStreamCreateWithFile CFReadStreamGetBuffer CFReadStreamGetError CFReadStreamGetStatus CFReadStreamGetTypeID CFReadStreamHasBytesAvailable CFReadStreamOpen CFReadStreamRead CFReadStreamRef _cfStreamError _scheduleInCFRunLoop_forMode_ _setCFClientFlags_callback_context_ _unscheduleFromCFRunLoop_forMode_ getBuffer_length_ hasBytesAvailable initWithFileAtPath_ initWithURL_ open propertyForKey_ read_maxLength_ streamError streamStatus CFReadStreamScheduleWithRunLoop CFReadStreamSetClient CFReadStreamSetDispatchQueue CFReadStreamSetProperty CFReadStreamUnscheduleFromRunLoop CFRelease CFRetain CFRunLoopAddCommonMode CFRunLoopAddObserver CFRunLoopAddSource CFRunLoopAddTimer CFRunLoopContainsObserver CFRunLoopContainsSource CFRunLoopContainsTimer CFRunLoopCopyAllModes CFRunLoopCopyCurrentMode CFRunLoopGetCurrent CFRunLoopGetMain CFRunLoopGetNextTimerFireDate CFRunLoopGetTypeID CFRunLoopIsWaiting CFRunLoopObserverCreate CFRunLoopObserverCreateWithHandler CFRunLoopObserverDoesRepeat CFRunLoopObserverGetActivities CFRunLoopObserverGetContext CFRunLoopObserverGetOrder CFRunLoopObserverGetTypeID CFRunLoopObserverInvalidate CFRunLoopObserverIsValid CFRunLoopObserverRef CFRunLoopPerformBlock CFRunLoopRef CFRunLoopRemoveObserver CFRunLoopRemoveSource CFRunLoopRemoveTimer CFRunLoopRun CFRunLoopRunInMode CFRunLoopSourceCreate CFRunLoopSourceGetContext CFRunLoopSourceGetOrder CFRunLoopSourceGetTypeID CFRunLoopSourceInvalidate CFRunLoopSourceIsValid CFRunLoopSourceRef CFRunLoopSourceSignal CFRunLoopStop CFRunLoopTimerCreate CFRunLoopTimerCreateWithHandler CFRunLoopTimerDoesRepeat CFRunLoopTimerGetContext CFRunLoopTimerGetInterval CFRunLoopTimerGetNextFireDate CFRunLoopTimerGetOrder CFRunLoopTimerGetTolerance CFRunLoopTimerGetTypeID CFRunLoopTimerInvalidate CFRunLoopTimerIsValid CFRunLoopTimerRef _cffireTime copyDebugDescription fire fireDate fireTime initWithFireDate_interval_repeats_block_ initWithFireDate_interval_target_selector_userInfo_repeats_ interval order setFireDate_ setFireTime_ setTolerance_ timeInterval tolerance CFRunLoopTimerSetNextFireDate CFRunLoopTimerSetTolerance CFRunLoopWakeUp CFSTR CFSetAddValue CFSetApplyFunction CFSetContainsValue CFSetCreate CFSetCreateCopy CFSetCreateMutable CFSetCreateMutableCopy CFSetGetCount CFSetGetCountOfValue CFSetGetTypeID CFSetGetValue CFSetGetValueIfPresent CFSetGetValues CFSetRef __and__ __or__ __rand__ __ror__ __rsub__ __rxor__ __sub__ __xor__ difference intersection isdisjoint issubset issuperset symmetric_difference union CFSetRemoveAllValues CFSetRemoveValue CFSetReplaceValue CFSetSetValue CFShow CFShowStr CFSocketConnectToAddress CFSocketCopyAddress CFSocketCopyPeerAddress CFSocketCreate CFSocketCreateConnectedToSocketSignature CFSocketCreateRunLoopSource CFSocketCreateWithNative CFSocketCreateWithSocketSignature CFSocketDisableCallBacks CFSocketEnableCallBacks CFSocketGetContext CFSocketGetDefaultNameRegistryPortNumber CFSocketGetNative CFSocketGetSocketFlags CFSocketGetTypeID CFSocketInvalidate CFSocketIsValid CFSocketRef CFSocketSendData CFSocketSetAddress CFSocketSetDefaultNameRegistryPortNumber CFSocketSetSocketFlags CFSocketSignature protocol protocolFamily socketType CFStreamCreateBoundPair CFStreamCreatePairWithPeerSocketSignature CFStreamCreatePairWithSocket CFStreamCreatePairWithSocketToHost CFStreamError CFStringAppend CFStringAppendCString CFStringAppendCharacters CFStringAppendFormat CFStringCapitalize CFStringCompare CFStringCompareWithOptions CFStringCompareWithOptionsAndLocale CFStringConvertEncodingToIANACharSetName CFStringConvertEncodingToNSStringEncoding CFStringConvertEncodingToWindowsCodepage CFStringConvertIANACharSetNameToEncoding CFStringConvertNSStringEncodingToEncoding CFStringConvertWindowsCodepageToEncoding CFStringCreateArrayBySeparatingStrings CFStringCreateArrayWithFindResults CFStringCreateByCombiningStrings CFStringCreateCopy CFStringCreateExternalRepresentation CFStringCreateFromExternalRepresentation CFStringCreateMutable CFStringCreateMutableCopy CFStringCreateMutableWithExternalCharactersNoCopy CFStringCreateWithBytes CFStringCreateWithBytesNoCopy CFStringCreateWithCString CFStringCreateWithCStringNoCopy CFStringCreateWithCharacters CFStringCreateWithCharactersNoCopy CFStringCreateWithFileSystemRepresentation CFStringCreateWithFormat CFStringCreateWithSubstring CFStringDelete CFStringFind CFStringFindAndReplace CFStringFindCharacterFromSet CFStringFindWithOptions CFStringFindWithOptionsAndLocale CFStringFold CFStringGetBytes CFStringGetCString CFStringGetCStringPtr CFStringGetCharacterAtIndex CFStringGetCharacters CFStringGetCharactersPtr CFStringGetDoubleValue CFStringGetFastestEncoding CFStringGetFileSystemRepresentation CFStringGetHyphenationLocationBeforeIndex CFStringGetIntValue CFStringGetLength CFStringGetLineBounds CFStringGetListOfAvailableEncodings CFStringGetLongCharacterForSurrogatePair CFStringGetMaximumSizeForEncoding CFStringGetMaximumSizeOfFileSystemRepresentation CFStringGetMostCompatibleMacStringEncoding CFStringGetNameOfEncoding CFStringGetParagraphBounds CFStringGetRangeOfComposedCharactersAtIndex CFStringGetSmallestEncoding CFStringGetSurrogatePairForLongCharacter CFStringGetSystemEncoding CFStringGetTypeID CFStringHasPrefix CFStringHasSuffix CFStringInsert CFStringIsEncodingAvailable CFStringIsHyphenationAvailableForLocale CFStringIsSurrogateHighCharacter CFStringIsSurrogateLowCharacter CFStringLowercase CFStringNormalize CFStringPad CFStringRef UTF8String _NSNavDisplayNameCompare_caseSensitive_ _NSNavFilePropertyCompareCaseInsenstive_ _NSNavFilePropertyCompare_ _NSNavShortVersionCompare_ __escapeString5991 __graphemeCount __oldnf_componentsSeparatedBySet_ __oldnf_containsCharFromSet_ __oldnf_containsChar_ __oldnf_containsString_ __oldnf_copyToUnicharBuffer_saveLength_ __oldnf_stringWithSeparator_atFrequency_ _caseInsensitiveNumericCompare_ _copyFormatStringWithConfiguration_ _createSubstringWithRange_ _encodingCantBeStoredInEightBitCFString _endOfParagraphAtIndex_ _fastCStringContents_ _fastCharacterContents _fastestEncodingInCFStringEncoding _flushRegularExpressionCaches _getBlockStart_end_contentsEnd_forRange_stopAtLineSeparators_ _getBracketedStringFromBuffer_string_ _getBytesAsData_maxLength_usedLength_encoding_options_range_remainingRange_ _getCString_maxLength_encoding_ _getCharactersAsStringInRange_ _initWithBytesOfUnknownEncoding_length_copy_usedEncoding_ _initWithDataOfUnknownEncoding_ _isCString _matchesCharacter_ _newSubstringWithRange_zone_ _pb_fixCase_ _rangeOfRegularExpressionPattern_options_range_locale_ _scriptingTextDescriptor _sizeWithSize_attributes_ _smallestEncodingInCFStringEncoding _stringByReplacingOccurrencesOfRegularExpressionPattern_withTemplate_options_range_ _stringByResolvingSymlinksInPathUsingCache_ _stringByStandardizingPathUsingCache_ _stringRepresentation _textfinder_firstMatchForRegularExpression_inRange_ _web_HTTPStyleLanguageCode _web_HTTPStyleLanguageCodeWithoutRegion _web_URLFragment _web_characterSetFromContentTypeHeader_nowarn _web_countOfString_ _web_domainFromHost _web_domainMatches_ _web_extractFourCharCode _web_fileNameFromContentDispositionHeader_nowarn _web_filenameByFixingIllegalCharacters _web_fixedCarbonPOSIXPath _web_hasCaseInsensitivePrefix_ _web_hasCountryCodeTLD _web_isCaseInsensitiveEqualToString_ _web_isFileURL _web_isJavaScriptURL _web_looksLikeAbsoluteURL _web_looksLikeIPAddress _web_mimeTypeFromContentTypeHeader_nowarn _web_parseAsKeyValuePairHandleQuotes_nowarn_ _web_parseAsKeyValuePair_nowarn _web_rangeOfURLHost _web_rangeOfURLResourceSpecifier_nowarn _web_rangeOfURLScheme_nowarn _web_rangeOfURLUserPasswordHostPort _web_splitAtNonDateCommas_nowarn _web_stringByCollapsingNonPrintingCharacters _web_stringByExpandingTildeInPath _web_stringByReplacingValidPercentEscapes_nowarn _web_stringByTrimmingWhitespace boundingRectWithSize_options_attributes_ boundingRectWithSize_options_attributes_context_ cString cStringLength cStringUsingEncoding_ camelCase canBeConvertedToEncoding_ capitalizedString capitalizedStringWithLocale_ caseInsensitiveCompare_ characterAtIndex_ chmod_ clean commonPrefixWithString_options_ compare_options_ compare_options_range_ compare_options_range_locale_ completePathIntoString_caseSensitive_matchesIntoArray_filterTypes_ componentsByLanguage_ componentsSeparatedByCharactersInSet_ componentsSeparatedByString_ containsString_ convertParamStringToArray_ convertParamStringToArray_error_ convertParamStringToNumberArray_ convertToBool_ convertToDataFromHex_ convertToInteger_ convertToMacAddress_ dataUsingEncoding_ dataUsingEncoding_allowLossyConversion_ decomposedStringWithCanonicalMapping decomposedStringWithCompatibilityMapping displayableString drawAtPoint_withAttributes_ drawInRect_withAttributes_ drawWithRect_options_attributes_ drawWithRect_options_attributes_context_ endswith enumerateLinesUsingBlock_ enumerateLinguisticTagsInRange_scheme_options_orthography_usingBlock_ enumerateSubstringsInRange_options_usingBlock_ fastestEncoding fileSystemRepresentation firstCharacter formatConfiguration getBytes_maxLength_filledLength_encoding_allowLossyConversion_range_remainingRange_ getBytes_maxLength_usedLength_encoding_options_range_remainingRange_ getCString_ getCString_maxLength_ getCString_maxLength_encoding_ getCString_maxLength_range_remainingRange_ getCharacters_ getCharacters_range_ getExternalRepresentation_extendedAttributes_forWritingToURLOrPath_usingEncoding_error_ getFileSystemRepresentation_maxLength_ getLineStart_end_contentsEnd_forRange_ getParagraphStart_end_contentsEnd_forRange_ gs_issueExtension_error_ gs_issueReadExtensionIfNeededForPid_ gs_stringByUpdatingPathExtensionWithPathOrURL_ hasColorGlyphsInRange_attributes_ hasPrefix_ hasSuffix_ initWithBytesNoCopy_length_encoding_freeWhenDone_ initWithCStringNoCopy_length_freeWhenDone_ initWithCString_ initWithCString_encoding_ initWithCString_length_ initWithCharactersNoCopy_length_freeWhenDone_ initWithCharacters_length_ initWithContentsOfFile_encoding_error_ initWithContentsOfFile_usedEncoding_error_ initWithContentsOfURL_encoding_error_ initWithContentsOfURL_usedEncoding_error_ initWithData_encoding_ initWithData_usedEncoding_ initWithFormat_ initWithFormat_arguments_ initWithFormat_locale_ initWithFormat_locale_arguments_ initWithUTF8String_ intern isAbsolutePath isEqualToString_ isObjcReservedWord isRecursiveKey lastPathComponent lengthOfBytesUsingEncoding_ lineRangeForRange_ linguisticTagsInRange_scheme_options_orthography_tokenRanges_ localizedCapitalizedString localizedCaseInsensitiveCompare_ localizedCaseInsensitiveContainsString_ localizedCompare_ localizedHasPrefix_ localizedHasSuffix_ localizedLowercaseString localizedStandardCompare_ localizedStandardContainsString_ localizedStandardRangeOfString_ localizedUppercaseString lossyCString lowercaseString lowercaseStringWithLocale_ matchesPattern_ matchesPattern_caseInsensitive_ matchesString_ maximumLengthOfBytesUsingEncoding_ paragraphRangeForRange_ pascalCase pathComponents pathExtension pinyinStringFromPinyinWithToneNumber plural precomposedStringWithCanonicalMapping precomposedStringWithCompatibilityMapping propertyList propertyListFromStringsFileFormat quotedStringRepresentation rangeOfCharacterFromSet_ rangeOfCharacterFromSet_options_ rangeOfCharacterFromSet_options_range_ rangeOfComposedCharacterSequenceAtIndex_ rangeOfComposedCharacterSequencesForRange_ rangeOfGraphicalSegmentAtIndex_ rangeOfString_ rangeOfString_options_ rangeOfString_options_range_ rangeOfString_options_range_locale_ significantText simplifiedChineseCompare_ sizeWithAttributes_ smallestEncoding standardizedURLPath startswith stringByAbbreviatingWithTildeInPath stringByAddingPercentEncodingWithAllowedCharacters_ stringByAddingPercentEscapes stringByAddingPercentEscapesUsingEncoding_ stringByAppendingFormat_ stringByAppendingPathComponent_ stringByAppendingPathExtension_ stringByAppendingString_ stringByApplyingPinyinToneMarkToFirstSyllableWithToneNumber_ stringByApplyingTransform_reverse_ stringByConvertingPathToURL stringByConvertingURLToPath stringByDeletingLastPathComponent stringByDeletingPathExtension stringByExpandingTildeInPath stringByFoldingWithOptions_locale_ stringByPaddingToLength_withString_startingAtIndex_ stringByRemovingPercentEncoding stringByRemovingPercentEscapes stringByReplacingCharactersInRange_withString_ stringByReplacingOccurrencesOfString_withString_ stringByReplacingOccurrencesOfString_withString_options_range_ stringByReplacingPercentEscapesUsingEncoding_ stringByResolvingSymlinksInPath stringByStandardizingPath stringByStrippingDiacritics stringByTrimmingCharactersInSet_ stringMarkingUpcaseTransitionsWithDelimiter2_ stringWithoutAmpersand stringsByAppendingPaths_ stripQuotes strokeStringFromNumberString substringFromIndex_ substringToIndex_ substringWithRange_ toneFromPinyinSyllableWithNumber traditionalChinesePinyinCompare_ traditionalChineseZhuyinCompare_ updatedKey uppercaseString uppercaseStringWithLocale_ validateGSNameAllowingDot_error_ validateGSName_ variantFittingPresentationWidth_ writeToFile_atomically_encoding_error_ writeToURL_atomically_encoding_error_ zhuyinSyllableFromPinyinSyllable CFStringReplace CFStringReplaceAll CFStringSetExternalCharactersNoCopy CFStringTokenizerAdvanceToNextToken CFStringTokenizerCopyBestStringLanguage CFStringTokenizerCopyCurrentTokenAttribute CFStringTokenizerCreate CFStringTokenizerGetCurrentSubTokens CFStringTokenizerGetCurrentTokenRange CFStringTokenizerGetTypeID CFStringTokenizerGoToTokenAtIndex CFStringTokenizerRef CFStringTokenizerSetString CFStringTransform CFStringTrim CFStringTrimWhitespace CFStringUppercase CFSwapInt16 CFSwapInt16BigToHost CFSwapInt16HostToBig CFSwapInt16HostToLittle CFSwapInt16LittleToHost CFSwapInt32 CFSwapInt32BigToHost CFSwapInt32HostToBig CFSwapInt32HostToLittle CFSwapInt32LittleToHost CFSwapInt64 CFSwapInt64BigToHost CFSwapInt64HostToBig CFSwapInt64HostToLittle CFSwapInt64LittleToHost CFSwappedFloat32 v CFSwappedFloat64 CFTimeZoneCopyAbbreviation CFTimeZoneCopyAbbreviationDictionary CFTimeZoneCopyDefault CFTimeZoneCopyKnownNames CFTimeZoneCopyLocalizedName CFTimeZoneCopySystem CFTimeZoneCreate CFTimeZoneCreateWithName CFTimeZoneCreateWithTimeIntervalFromGMT CFTimeZoneGetData CFTimeZoneGetDaylightSavingTimeOffset CFTimeZoneGetName CFTimeZoneGetNextDaylightSavingTimeTransition CFTimeZoneGetSecondsFromGMT CFTimeZoneGetTypeID CFTimeZoneIsDaylightSavingTime CFTimeZoneRef abbreviation abbreviationForDate_ daylightSavingTimeOffset daylightSavingTimeOffsetForDate_ initWithName_data_ isDaylightSavingTime isDaylightSavingTimeForDate_ isEqualToTimeZone_ localizedName_locale_ nextDaylightSavingTimeTransition nextDaylightSavingTimeTransitionAfterDate_ secondsFromGMT secondsFromGMTForDate_ CFTimeZoneResetSystem CFTimeZoneSetAbbreviationDictionary CFTimeZoneSetDefault CFTreeAppendChild CFTreeApplyFunctionToChildren CFTreeCreate CFTreeFindRoot CFTreeGetChildAtIndex CFTreeGetChildCount CFTreeGetChildren CFTreeGetContext CFTreeGetFirstChild CFTreeGetNextSibling CFTreeGetParent CFTreeGetTypeID CFTreeInsertSibling CFTreePrependChild CFTreeRef CFTreeRemove CFTreeRemoveAllChildren CFTreeSetContext CFTreeSortChildren CFURLCanBeDecomposed CFURLClearResourcePropertyCache CFURLClearResourcePropertyCacheForKey CFURLCopyAbsoluteURL CFURLCopyFileSystemPath CFURLCopyFragment CFURLCopyHostName CFURLCopyLastPathComponent CFURLCopyNetLocation CFURLCopyParameterString CFURLCopyPassword CFURLCopyPath CFURLCopyPathExtension CFURLCopyQueryString CFURLCopyResourcePropertiesForKeys CFURLCopyResourcePropertyForKey CFURLCopyResourceSpecifier CFURLCopyScheme CFURLCopyStrictPath CFURLCopyUserName CFURLCreateAbsoluteURLWithBytes CFURLCreateBookmarkData CFURLCreateBookmarkDataFromAliasRecord CFURLCreateBookmarkDataFromFile CFURLCreateByResolvingBookmarkData CFURLCreateCopyAppendingPathComponent CFURLCreateCopyAppendingPathExtension CFURLCreateCopyDeletingLastPathComponent CFURLCreateCopyDeletingPathExtension CFURLCreateData CFURLCreateDataAndPropertiesFromResource CFURLCreateFilePathURL CFURLCreateFileReferenceURL CFURLCreateFromFSRef CFURLCreateFromFileSystemRepresentation CFURLCreateFromFileSystemRepresentationRelativeToBase CFURLCreatePropertyFromResource CFURLCreateResourcePropertiesForKeysFromBookmarkData CFURLCreateResourcePropertyForKeyFromBookmarkData CFURLCreateStringByAddingPercentEscapes CFURLCreateStringByReplacingPercentEscapes CFURLCreateStringByReplacingPercentEscapesUsingEncoding CFURLCreateWithBytes CFURLCreateWithFileSystemPath CFURLCreateWithFileSystemPathRelativeToBase CFURLCreateWithString CFURLDestroyResource CFURLEnumeratorCreateForDirectoryURL CFURLEnumeratorCreateForMountedVolumes CFURLEnumeratorGetDescendentLevel CFURLEnumeratorGetNextURL CFURLEnumeratorGetSourceDidChange CFURLEnumeratorGetTypeID CFURLEnumeratorRef CFURLEnumeratorSkipDescendents CFURLGetBaseURL CFURLGetByteRangeForComponent CFURLGetBytes CFURLGetFSRef CFURLGetFileSystemRepresentation CFURLGetPortNumber CFURLGetString CFURLGetTypeID CFURLHasDirectoryPath CFURLIsFileReferenceURL CFURLRef LS_nooverride_ LS_pathHasCaseInsensitivePrefix_ URLByAppendingPathComponent_ URLByAppendingPathComponent_isDirectory_ URLByAppendingPathExtension_ URLByDeletingLastPathComponent URLByDeletingPathExtension URLByResolvingSymlinksInPath URLByStandardizingPath URLHandleResourceDidBeginLoading_ URLHandleResourceDidCancelLoading_ URLHandleResourceDidFinishLoading_ URLHandleUsingCache_ URLHandle_resourceDataDidBecomeAvailable_ URLHandle_resourceDidFailLoadingWithReason_ _NSDocument_createSecurityScope _NSDocument_debugDescription _NSDocument_setHasKnownSecurityScope_ _NSDocument_startAccessingKnownSecurityScopedResource _URLByEscapingSpacesAndControlChars __isAbsolute _absoluteStringConvertingFileReferenceURLIfRequired _cfurl _clientsCreatingIfNecessary_ _fixedUpSideFaultError_ _freeClients _hostString _isAbsolute _isSafeDirectoryForDownloads_ _isSafeFileForBackgroundUpload_ _performWithPhysicalURL_ _promiseExtensionConsume _promiseExtensionRelease_ _scriptingFileDescriptor _urlForNSOpenSavePanelIsMobileDocumentsURL _valueFromFaultDictionary_forKey_ _web_URLByRemovingLastPathComponent_nowarn _web_URLByRemovingUserAndPath_nowarn _web_URLByRemovingUserAndQueryAndFragment_nowarn _web_URLComponents _web_scriptIfJavaScriptURL _web_suggestedFilenameWithMIMEType_ absoluteString absoluteURL bookmarkDataWithAliasRecord_ bookmarkDataWithOptions_includingResourceValuesForKeys_relativeToURL_error_ checkPromisedItemIsReachableAndReturnError_ checkResourceIsReachableAndReturnError_ conformsToOverridePatternWithKey_ connectionDidFinishLoading_ connection_didFailWithError_ connection_didReceiveData_ dataRepresentation filePathURL fileReferenceURL fmfURL fmipURL fragment getPromisedItemResourceValue_forKey_error_ getResourceValue_forKey_error_ gs_URLByUpdatingPathExtensionWithPathOrURL_ hasDirectoryPath host iCloudEmailPrefsURL iCloudSharingURL iCloudSharingURL_noFragment iTunesStoreURL iWorkApplicationName iWorkDocumentName initAbsoluteURLWithDataRepresentation_relativeToURL_ initByResolvingAliasFileAtURL_options_error_ initByResolvingBookmarkData_options_relativeToURL_bookmarkDataIsStale_error_ initFileURLWithFileSystemRepresentation_isDirectory_relativeToURL_ initFileURLWithPath_ initFileURLWithPath_isDirectory_ initFileURLWithPath_isDirectory_relativeToURL_ initFileURLWithPath_relativeToURL_ initWithDataRepresentation_relativeToURL_ initWithScheme_host_path_ initWithString_relativeToURL_ isFileReferenceURL isFileURL isiWorkURL keynoteLiveURL keynoteLiveURL_noFragment loadResourceDataNotifyingClient_usingCache_ ls_preferredLocalizations ls_setPreferredLocalizations_ mapsURL parameterString password photosURL port promisedItemResourceValuesForKeys_error_ query relativePath relativeString removeAllCachedResourceValues removeCachedResourceValueForKey_ resourceDataUsingCache_ resourceSpecifier resourceValuesForKeys_error_ scheme setResourceData_ setResourceValue_forKey_error_ setResourceValues_error_ setTemporaryResourceValue_forKey_ standardizedURL startAccessingSecurityScopedResource stopAccessingSecurityScopedResource writeToPasteboard_ CFURLResourceIsReachable CFURLSetResourcePropertiesForKeys CFURLSetResourcePropertyForKey CFURLSetTemporaryResourcePropertyForKey CFURLStartAccessingSecurityScopedResource CFURLStopAccessingSecurityScopedResource CFURLWriteBookmarkDataToFile CFURLWriteDataAndPropertiesToResource CFUUIDBytes byte0 byte1 byte10 byte11 byte12 byte13 byte14 byte15 byte2 byte3 byte4 byte5 byte6 byte7 byte8 byte9 CFUUIDCreate CFUUIDCreateFromString CFUUIDCreateFromUUIDBytes CFUUIDCreateString CFUUIDCreateWithBytes CFUUIDGetConstantUUIDWithBytes CFUUIDGetTypeID CFUUIDGetUUIDBytes CFUUIDRef CFUserNotificationCancel CFUserNotificationCheckBoxChecked CFUserNotificationCreate CFUserNotificationCreateRunLoopSource CFUserNotificationDisplayAlert CFUserNotificationDisplayNotice CFUserNotificationGetResponseDictionary CFUserNotificationGetResponseValue CFUserNotificationGetTypeID CFUserNotificationPopUpSelection CFUserNotificationReceiveResponse CFUserNotificationRef CFUserNotificationSecureTextField CFUserNotificationUpdate CFWriteStreamCanAcceptBytes CFWriteStreamClose CFWriteStreamCopyDispatchQueue CFWriteStreamCopyError CFWriteStreamCopyProperty CFWriteStreamCreateWithAllocatedBuffers CFWriteStreamCreateWithBuffer CFWriteStreamCreateWithFile CFWriteStreamGetError CFWriteStreamGetStatus CFWriteStreamGetTypeID CFWriteStreamOpen CFWriteStreamRef hasSpaceAvailable initToBuffer_capacity_ initToFileAtPath_append_ initToMemory initWithURL_append_ write_maxLength_ CFWriteStreamScheduleWithRunLoop CFWriteStreamSetClient CFWriteStreamSetDispatchQueue CFWriteStreamSetProperty CFWriteStreamUnscheduleFromRunLoop CFWriteStreamWrite CFXMLAttributeDeclarationInfo attributeName defaultString typeString CFXMLAttributeListDeclarationInfo attributes numberOfAttributes CFXMLCreateStringByEscapingEntities CFXMLCreateStringByUnescapingEntities CFXMLDocumentInfo encoding sourceURL CFXMLDocumentTypeInfo externalID CFXMLElementInfo _reserved attributeOrder CFXMLElementTypeDeclarationInfo contentDescription CFXMLEntityInfo entityID entityType notationName replacementText CFXMLEntityReferenceInfo CFXMLExternalID publicID systemID CFXMLNodeCreate CFXMLNodeCreateCopy CFXMLNodeGetInfoPtr CFXMLNodeGetString CFXMLNodeGetTypeCode CFXMLNodeGetTypeID CFXMLNodeGetVersion CFXMLNodeRef CFXMLNotationInfo CFXMLParserAbort CFXMLParserCopyErrorDescription CFXMLParserCreate CFXMLParserCreateWithDataFromURL CFXMLParserGetCallBacks CFXMLParserGetContext CFXMLParserGetDocument CFXMLParserGetLineNumber CFXMLParserGetLocation CFXMLParserGetSourceURL CFXMLParserGetStatusCode CFXMLParserGetTypeID CFXMLParserParse CFXMLParserRef CFXMLProcessingInstructionInfo dataString CFXMLTreeCreateFromData CFXMLTreeCreateFromDataWithError CFXMLTreeCreateWithDataFromURL CFXMLTreeCreateWithNode CFXMLTreeCreateXMLData CFXMLTreeGetNode CFXMLTreeRef CF_USE_OSBYTEORDER_H CIAccordionFoldTransition CA_attributesForKeyPath_ _copyFilterWithZone_ _crashed_when_dealloc_called_setValue_nil_forKey_probably_because_the_subclass_already_released_it_ _filterClassInCategory_ _isIdentity _kernel _kernelMix _kernelWarpS _kernelWarpT _serializedXMPString apply_arguments_options_ apply_image_arguments_inSpace_ apply_image_arguments_inoutSpace_ compatibilityVersion customAttributes inputBottomHeight inputFoldShadowAmount inputImage inputNumberOfFolds inputTargetImage inputTime outputImage setIdentity setInputBottomHeight_ setInputFoldShadowAmount_ setInputImage_ setInputNumberOfFolds_ setInputTargetImage_ setInputTime_ setOption_forKey_ setUserInfo_ CIAdditionCompositing _extentForInputExtent_backgroundExtent_ inputBackgroundImage setInputBackgroundImage_ CIAffineClamp inputTransform setInputTransform_ CIAffineTile CIAffineTransform _initFromProperties_ _outputProperties CIAreaAverage inputExtent offsetAndCrop setInputExtent_ CIAreaHistogram _inputsAreOK _netExtent _outputData_ inputScale outputData setInputCount_ setInputScale_ CIAreaMaximum _reduce1X4 _reduce2X2 _reduce4X1 _reduceCrop CIAreaMaximumAlpha CIAreaMinimum CIAreaMinimumAlpha CIAutoEnhanceFace I Q centerX centerY faceRect initWithBounds_andImage_usingContext_ CIAztecCodeGenerator inputCompactStyle inputCorrectionLevel inputLayers inputMessage outputCGImage setInputCompactStyle_ setInputCorrectionLevel_ setInputLayers_ setInputMessage_ CIBarcodeDetector featuresInImage_ featuresInImage_options_ initWithContext_options_ CIBarsSwipeTransition inputAngle inputBarOffset inputWidth setInputAngle_ setInputBarOffset_ setInputWidth_ CIBitmapContext CTM JPEGRepresentationOfImage_colorSpace_options_ TIFFRepresentationOfImage_format_colorSpace_options_ _createCGImage_fromRect_format_colorSpace_deferred_textureLimit_ _gpuContextCheck _initWithInternalRepresentation_ _insertEventMarker_ _internalContext _isCGBackedContext _isEAGLBackedContext _outputColorSpace abort clearCaches createCGImage_fromRect_ createCGImage_fromRect_format_ createCGImage_fromRect_format_colorSpace_ createCGImage_fromRect_format_colorSpace_deferred_ createCGLayerWithSize_info_ createColorCubeDataForFilters_dimension_ drawImage_atPoint_fromRect_ drawImage_inRect_fromRect_ flatten_fromRect_format_colorSpace_ initWithBitmap_rowBytes_bounds_format_ initWithBitmap_rowBytes_bounds_format_options_ initWithCGContext_options_ initWithCGLContext_pixelFormat_ initWithCGLContext_pixelFormat_colorSpace_options_ initWithCGLContext_pixelFormat_options_ initWithMTLDevice_options_ initWithOptions_ inputImageMaximumSize maximumInputImageSize maximumOutputImageSize measureRequirementsOf_query__results_ outputImageMaximumSize reclaimResources render_ render_toBitmap_rowBytes_bounds_format_colorSpace_ render_toCVPixelBuffer_ render_toCVPixelBuffer_bounds_colorSpace_ render_toIOSurface_bounds_colorSpace_ render_toMTLTexture_commandBuffer_bounds_colorSpace_ render_toTexture_bounds_colorSpace_ render_toTexture_target_bounds_colorSpace_ setBitmap_rowBytes_bounds_format_ setCTM_ workingColorSpace workingFormat writeJPEGRepresentationOfImage_toURL_colorSpace_options_error_ writeTIFFRepresentationOfImage_toURL_format_colorSpace_options_error_ CIBlendModeFilter _extent _needUnpremuls CIBlendWithAlphaMask _kernelNoB _kernelNoF inputMaskImage setInputMaskImage_ CIBlendWithMask CIBloom inputIntensity inputRadius setInputIntensity_ setInputRadius_ CIBoxBlur CIBumpDistortion inputCenter setInputCenter_ CIBumpDistortionLinear CICGContext initWithCGContext_ CICGSFilter addToWindow_flags_ initWithFilter_connectionID_ removeFromWindow_ CICMYKHalftone _CICMYK_black _CICMYK_convert _CICMYK_cyan _CICMYK_magenta _CICMYK_yellow _CIWhite CICheapBlur _CICheapBlur _CILerp CICheapMorphology regionOf_destRect_Offset_ CICheatBlur _CIBox4 _CIBox6 _CICross4 CICheckerboardGenerator inputColor0 inputColor1 inputSharpness setInputColor0_ setInputColor1_ setInputSharpness_ CICircleGenerator _CICircle CICircleSplashDistortion CICircularScreen CICircularWrap CIClamp CICode128BarcodeGenerator inputBarcodeHeight inputQuietSpace setInputBarcodeHeight_ setInputQuietSpace_ CICodeGenerator CIColor alpha blue cgColor components green initWithCGColor_ initWithColor_ initWithRed_green_blue_ initWithRed_green_blue_alpha_ initWithRed_green_blue_alpha_colorSpace_ initWithRed_green_blue_colorSpace_ numberOfComponents red stringRepresentation CIColorBalance inputColor inputDamping inputStrength inputWarmth setInputColor_ setInputDamping_ setInputStrength_ setInputWarmth_ CIColorBlendMode CIColorBurnBlendMode CIColorClamp inputMaxComponents inputMinComponents setInputMaxComponents_ setInputMinComponents_ CIColorControls inputBrightness inputContrast inputSaturation setInputBrightness_ setInputContrast_ setInputSaturation_ CIColorCrossPolynomial inputBlueCoefficients inputGreenCoefficients inputRedCoefficients setInputBlueCoefficients_ setInputGreenCoefficients_ setInputRedCoefficients_ CIColorCube _checkInputs _kernelOpaque cubeImage inputCubeData inputCubeDimension setInputCubeData_ setInputCubeDimension_ CIColorCubeWithColorSpace inputColorSpace setInputColorSpace_ CIColorDodgeBlendMode CIColorInvert CIColorKernel ROISelector _initWithDict_ _initWithFirstKernelFromString_withCruftCompatibility_ _internalRepresentation _isValidOutputPixelFormat_ _outputFormatUsingDictionary_andKernel_ _outputPixelFormatFromExplicitAttributes_ applyWithExtent_andArguments_ applyWithExtent_arguments_ applyWithExtent_arguments_options_ applyWithExtent_roiCallback_arguments_ applyWithExtent_roiCallback_arguments_options_ parameters perservesAlpha setPerservesAlpha_ setROISelector_ CIColorMap inputGradientImage setInputGradientImage_ CIColorMatrix inputAVector inputBVector inputBiasVector inputGVector inputRVector setInputAVector_ setInputBVector_ setInputBiasVector_ setInputGVector_ setInputRVector_ CIColorMonochrome CIColorPolynomial inputAlphaCoefficients setInputAlphaCoefficients_ CIColorPosterize inputLevels setInputLevels_ CIColumnAverage CIComicEffect CIConstantColorGenerator CIContext CIConvolution _CIConvolutionAdd_1 _CIConvolutionAdd_2 _CIConvolutionAdd_3 _CIConvolutionAdd_4 _CIConvolutionAdd_5 _CIConvolutionAdd_6 _CIConvolutionAdd_7 _CIConvolutionAdd_8 _CIConvolutionAdd_9 _CIConvolutionInit_1 _CIConvolutionInit_2 _CIConvolutionInit_3 _CIConvolutionInit_4 _CIConvolutionInit_5 _CIConvolutionInit_6 _CIConvolutionInit_7 _CIConvolutionInit_8 _CIConvolutionInit_9 doConvolutionPass_weights_sums_ samplesPerPass CIConvolution3X3 inputBias inputWeights setInputBias_ setInputWeights_ CIConvolution5X5 CIConvolution7X7 CIConvolution9Horizontal CIConvolution9Vertical CICopyMachineTransition inputOpacity setInputOpacity_ CICrop inputRectangle setInputRectangle_ CICrystallize _CICrystallize CIDarkenBlendMode CIDepthOfField _CIAlphaNormalize _CITiltShift _DistanceColored CIDetector CIDifferenceBlendMode CIDiscBlur _CICombine_results outputImageEnhanced outputImageOriginal CIDisintegrateWithMaskTransition _kernelG inputShadowDensity inputShadowOffset inputShadowRadius setInputShadowDensity_ setInputShadowOffset_ setInputShadowRadius_ CIDisplacementDistortion _CIDisplaceFromImage CIDissolveTransition _fadeKernel CIDivideBlendMode CIDotScreen CIDroste _CIDroste CIEdgePreserveUpsampleFilter _kernelGuideCombine _kernelGuideCombine4 _kernelGuideMono _kernelJointUpsamp _kernelJointUpsampRG inputLumaSigma inputSmallImage inputSpatialSigma setInputLumaSigma_ setInputSmallImage_ setInputSpatialSigma_ CIEdgePreserveUpsampleRGFilter CIEdgeWork _CIEdgeWork _CIEdgeWorkContrast CIEdges _CIEdges CIEightfoldReflectedTile _croppedCenterPixelImage _kernel_name _kernel_source CIEnhancementCalculation borderHist curveCount curvePointAtIndex_ downSampleHistogram_to_storeIn_ faceBalanceStrength faceBalanceWarmth lumHist originalFaceColor printAnalysis printHistogram_downsampledTo_ printHistogramsDownsampledTo_ putShadowsAnalysisInto_ rawShadow rgbSumHist satHist setBorderHistogram_ setCurvePercent_ setExposureValue_ setFaceColorFromChromaI_andChromaQ_ setLuminanceHistogram_ setRGBSumHistogram_ setSaturationHistogram_ setShadowsMin_max_zeroExposure_ setupFaceColor_redIndex_greenIndex_blueIndex_ vibrance CIEnhancementCalculator analyzeFeatures_usingContext_baseImage_ curvesEnabled faceBalanceEnabled histogramFromRows_componentOffset_ setCurvesEnabled_ setFaceBalanceEnabled_ setShadowsEnabled_ setVibranceEnabled_ setupFaceColorFromImage_usingContext_detectorOpts_ setupFaceColorFromImage_usingContext_features_ setupHistogramsUsing_redIndex_greenIndex_blueIndex_ shadowsEnabled vibranceEnabled CIEnhancementHistogram CIExclusionBlendMode CIExposureAdjust inputEV setInputEV_ CIFaceBalance inputOrigI inputOrigQ setInputOrigI_ setInputOrigQ_ CIFaceCoreDetector adjustedImageFromImage_orientation_inverseCTM_ createFaceCoreDataFromCIImage_width_height_ ctmForImageWithBounds_orientation_ faceCoreDetector setFaceCoreDetector_ CIFaceFeature faceAngle hasFaceAngle hasLeftEyePosition hasMouthPosition hasRightEyePosition hasSmile hasTrackingFrameCount hasTrackingID initWithBounds_hasLeftEyePosition_leftEyePosition_hasRightEyePosition_rightEyePosition_hasMouthPosition_mouthPosition_hasFaceAngle_faceAngle_hasTrackingID_trackingID_hasTrackingFrameCount_trackingFrameCount_hasSmile_leftEyeClosed_rightEyeClosed_ leftEyeClosed leftEyePosition mouthPosition rightEyeClosed rightEyePosition trackingFrameCount trackingID CIFalseColor CIFeature CIFilter CIFilterClassAttributes CIFilterClassCategories CIFilterClassDefaults CIFilterClassInfo initWithClass_ inputClasses CIFilterGenerator _addConnectionsFromObject_toArray_ _dictionaryForArchiving _initializeWithContentsOfDictionary_ classAttributes connectObject_withKey_toObject_withKey_ connectObject_withKey_toObject_withKey_userInfo_ connections connectionsForObject_ copyCustomAttributes_ decodedValueForKey_ofClass_fromDictionary_ disconnectObject_withKey_toObject_withKey_ encodeValue_forKey_intoDictionary_ exportKey_fromObject_withName_ exportedKeys filterWithName_ immutableCopyWithZone_ registerFilterName_ removeConnection_ removeExportedKey_ setAttributes_forExportedKey_ setClassAttributes_ sortConnections CIFilterGeneratorCIFilter _provideFilterCopyWithZone_ initWithGenerator_ propagateConnections CIFilterGeneratorConnection initWithSourceObject_sourceKey_targetObject_targetKey_userInfo_ sourceKey sourceObject targetKey targetObject CIFilterPlugIn descriptionDictionary filterWithName_compatibilityVersion_ filterWithName_compatibilityVersion_keysAndValues_ filterWithName_keysAndValues_ filtersDictionary initWithURL_flags_ loadPlugIn loadStatus plugInBundle pluginLoader registerFilters setDescriptionDictionary_ setFlags_ setLoadStatus_ setPlugInBundle_ setPluginLoader_ CIFilterShape CGSRegion extent initWithRect_ initWithStruct_ insetByX_Y_ intersectWithRect_ intersectWith_ transformBy_interior_ unionWithRect_ unionWith_ CIFlashTransition _colorKernel _geomKernel inputFadeThreshold inputMaxStriationRadius inputStriationContrast inputStriationStrength setInputFadeThreshold_ setInputMaxStriationRadius_ setInputStriationContrast_ setInputStriationStrength_ CIFourfoldReflectedTile _roiArea _roiCenter _roiRect _singlePixelImage inputAcuteAngle setInputAcuteAngle_ CIFourfoldRotatedTile CIFourfoldTranslatedTile CIGammaAdjust inputPower setInputPower_ CIGaussianBlur CIGaussianBlurXY inputSigmaX inputSigmaY setInputSigmaX_ setInputSigmaY_ CIGaussianGradient CIGlassDistortion inputTexture setInputTexture_ CIGlassLozenge _CILozengeRefraction CIGlideReflectedTile CIGloom CIHardLightBlendMode CIHardMixBlendMode CIHatchedScreen CIHeightFieldFromMask _CIResetalpha CIHexagonalPixellate _CIHexagonalPixellate CIHighlightShadowAdjust _defaultVersion _kernelSH_v0 _kernelSH_v1 _kernelSH_v2 _kernelSHnoB_v0 _kernelSHnoB_v1 _kernelSHnoB_v2 _kernelSnoB_v0 _maxVersion inputHighlightAmount inputShadowAmount setInputHighlightAmount_ setInputShadowAmount_ CIHistogramDisplayFilter inputHeight inputHighLimit inputLowLimit setInputHeight_ setInputHighLimit_ setInputLowLimit_ CIHoleDistortion computeDOD CIHueAdjust CIHueBlendMode CIHueSaturationValueGradient _kernelD inputDither inputSoftness inputValue setInputDither_ setInputSoftness_ setInputValue_ CIImage CGImage TIFFRepresentation _autoRedEyeFilterWithFeatures_imageProperties_context_options_ _dictForFeature_scale_imageHeight_ _imageByApplyingBlur_ _imageByApplyingGamma_ _imageByMatchingColorSpaceToWorkingSpace_ _imageByMatchingWorkingSpaceToColorSpace_ _imageByPremultiplying _imageByRenderingToIntermediate _imageBySamplingLinear _imageBySamplingNearest _imageByUnpremultiplying _initNaiveWithCGImage_options_ _initWithBitmapData_bytesPerRow_size_format_options_ _initWithCVImageBuffer_options_ _initWithIOSurface_options_owner_ _initWithImageProvider_width_height_format_colorSpace_surfaceCache_options_ _originalCGImage _originalCVPixelBuffer _scaleImageToMaxDimension_ _setOriginalCGImage_ _setOriginalCVPixelBuffer_ autoAdjustmentFilters autoAdjustmentFiltersWithImageProperties_options_ autoAdjustmentFiltersWithOptions_ autoRedEyeFilterWithFeatures_imageProperties_options_ autoRedEyeFilterWithFeatures_options_ autoRotateFilterFFT_image_inputRect_ cacheHint calcIntersection_slope1_pt2_slope2_ definition drawAtPoint_fromRect_operation_fraction_ drawInRect_fromRect_operation_fraction_ filteredImage_keysAndValues_ getAutoRotateFilter_ciImage_rgbRows_inputRect_rotateCropRect_ getAutocropRect_rotateXfrm_inputImageRect_clipRect_ imageByApplyingFilter_withInputParameters_ imageByApplyingGaussianBlurWithSigma_ imageByApplyingOrientation_ imageByApplyingTransform_ imageByApplyingTransform_highQualityDownsample_ imageByClampingToExtent imageByClampingToRect_ imageByColorMatchingColorSpaceToWorkingSpace_ imageByColorMatchingWorkingSpaceToColorSpace_ imageByCompositingOverImage_ imageByCroppingToRect_ imageByPremultiplyingAlpha imageBySettingAlphaOneInExtent_ imageBySettingProperties_ imageByTaggingWithColorSpace_ imageByUnpremultiplyingAlpha imageTransformForOrientation_ imageWithExtent_processorDescription_argumentDigest_inputFormat_outputFormat_options_roiCallback_processor_ initWithArrayOfImages_selector_ initWithBitmapData_bytesPerRow_size_format_colorSpace_ initWithBitmapData_bytesPerRow_size_format_options_ initWithBitmapImageRep_ initWithCGImageSource_index_options_ initWithCGImage_ initWithCGImage_options_ initWithCGLayer_ initWithCGLayer_options_ initWithCVImageBuffer_ initWithCVImageBuffer_options_ initWithCVPixelBuffer_ initWithCVPixelBuffer_options_ initWithColorR_G_B_A_ initWithContentsOfFile_options_ initWithContentsOfURL_options_ initWithData_options_ initWithIOSurface_ initWithIOSurface_options_ initWithIOSurface_plane_format_options_ initWithImageProvider_size__format_colorSpace_options_ initWithImageProvider_userInfo_size_format_flipped_colorSpace_ initWithImageProvider_width_height_format_colorSpace_options_ initWithMTLTexture_options_ initWithTexture_size_flipped_colorSpace_ initWithTexture_size_flipped_options_ initWithTexture_size_options_ localLightStatistics localLightStatisticsNoProxy localLightStatisticsWithProxy_ pixelBuffer printTree regionOfInterestForImage_inRect_ setCacheHint_ smartBlackAndWhiteAdjustmentsForValue_andStatistics_ smartBlackAndWhiteStatistics smartColorAdjustmentsForValue_andStatistics_ smartColorStatistics smartToneAdjustmentsForValue_andStatistics_ smartToneAdjustmentsForValue_localLightAutoValue_andStatistics_ smartToneStatistics url writeToTIFF_ CIImageAccumulator commitUpdates_ initWithExtent_format_ initWithExtent_format_colorSpace_ initWithExtent_format_options_ setImage_dirtyRect_ CIImageProcessorInOut bytesPerRow initWithSurface_texture_bounds_context_ region surface CIImageProcessorInput baseAddress initWithSurface_texture_bounds_context_forCPU_ metalTexture CIImageProcessorKernel CIImageProcessorOutput metalCommandBuffer metalCommandBufferRequested CIImageRowReader _dumpImage_colorspace_ bytesPerPixel dumpImageAsDeviceRGB_ dumpImageAsDict_ dumpImage_ height rowAtIndex_ width CIIntegralImage CIIntegralImageKernelProcessor CIKaleidoscope _outputExtent CIKernel CILanczosScaleTransform _CILanczosDownBy2 _CILanczosHorizontalUpsample _CILanczosVerticalUpsample inputAspectRatio setInputAspectRatio_ CILenticularHaloGenerator _CILenticularHalo CILightTunnel inputRotation setInputRotation_ CILightenBlendMode CILineOverlay _CIColorControls _CIComicNoiseReduction _CISobelEdges CILineScreen CILinearBlur _blur_pass_weightsFactor_ CILinearBurnBlendMode CILinearDodgeBlendMode CILinearGradient inputPoint0 inputPoint1 setInputPoint0_ setInputPoint1_ CILinearLightBlendMode CILinearToSRGBToneCurve CILocalLightFilter _polyKernel CILumaMap lumaTable CILuminosityBlendMode CIMaskToAlpha CIMaskedVariableBlur _kernelCombine _kernelD2 downTwo_ inputMask setInputMask_ upCubic_scale_ CIMaximumComponent CIMaximumCompositing CIMedianFilter CIMinimumComponent CIMinimumCompositing CIMirror computeDOD_tst_off_mtx_ inputPoint setInputPoint_ CIModTransition inputCompression setInputCompression_ CIMorphologyGradient CIMorphologyLaplacian CIMotionBlur CIMultiplyBlendMode CIMultiplyCompositing CINinePartStretched inputBreakpoint0 inputBreakpoint1 inputGrowAmount setInputBreakpoint0_ setInputBreakpoint1_ setInputGrowAmount_ CINinePartTiled _kernelAlt inputFlipYTiles setInputFlipYTiles_ CINoiseReduction _CINoiseReduction CIOpTile _CIOpTile CIOpacity CIOpenGLContext initWithCGLSContext_pixelFormat_ initWithCGLSContext_pixelFormat_options_ CIOverlayBlendMode CIPDF417BarcodeGenerator inputAlwaysSpecifyCompaction inputCompactionMode inputDataColumns inputMaxHeight inputMaxWidth inputMinHeight inputMinWidth inputPreferredAspectRatio inputRows setInputAlwaysSpecifyCompaction_ setInputCompactionMode_ setInputDataColumns_ setInputMaxHeight_ setInputMaxWidth_ setInputMinHeight_ setInputMinWidth_ setInputPreferredAspectRatio_ setInputRows_ CIPageCurlTransition _CIPageCurlTransNoEmap _CIPageCurlTransition CIPageCurlWithShadowTransition _CIPageCurlNoShadowTransition _CIPageCurlWithShadowTransition CIPaperWash CIParallelogramTile _CIParallelogramTile CIPassThroughColorFilter CIPassThroughFilter CIPassThroughGeneralAltFilter CIPassThroughGeneralFilter CIPassThroughIntermediateFilter CIPassThroughWarpFilter CIPerspectiveCorrection inputBottomLeft inputBottomRight inputTopLeft inputTopRight setInputBottomLeft_ setInputBottomRight_ setInputTopLeft_ setInputTopRight_ CIPerspectiveTile CIPerspectiveTransform CIPerspectiveTransformWithExtent CIPhotoEffect CIPhotoEffectChrome CIPhotoEffectFade CIPhotoEffectInstant CIPhotoEffectMono CIPhotoEffectNoir CIPhotoEffectProcess CIPhotoEffectTonal CIPhotoEffectTransfer CIPhotoGrain _grainBlendAndMixKernel _interpolateGrainKernel _paddedTileKernel inputAmount inputISO inputSeed setInputAmount_ setInputISO_ setInputSeed_ CIPinLightBlendMode CIPinchDistortion _pinchDistortionScaleGE1 _pinchDistortionScaleLT1 computeDOD_scale_ CIPixellate CIPlugIn CIPlugInStandardFilter bundle initWithDescription_kernelFile_filterBundle_ kernelFileURL kernelFilename loadKernel setBundle_ setupInputs setupWatchingForKernelChanges CIPlusDarkerCompositing CIPlusLighterCompositing CIPointillize _CIPointillize CIPremultiply CIProSharpenEdges _CIBlur1 _CIBlur2 _CIBlur4 _CIConvertRGBtoY _CIEdgesPrep _CIFindEdges _CISharpenCombineEdges CIPseudoMedian CIQRCodeFeature bottomLeft bottomRight initWithBounds_topLeft_topRight_bottomLeft_bottomRight_messageString_ messageString topLeft topRight CIQRCodeGenerator CIRAWFilterImpl RAWFiltersValueForKeyPath_ activeKeys defaultBoostShadowAmount defaultDecoderVersion defaultImageOrientation defaultInputBaselineExposureAmount defaultInputBiasAmount defaultInputColorNoiseReductionAmount defaultInputEnableVendorLensCorrection defaultInputHueMagBMAmount defaultInputHueMagCBAmount defaultInputHueMagGCAmount defaultInputHueMagMRAmount defaultInputHueMagRYAmount defaultInputHueMagYGAmount defaultInputLuminanceNoiseReductionAmount defaultInputNoiseReductionContrastAmount defaultInputNoiseReductionDetailAmount defaultInputNoiseReductionSharpnessAmount defaultNeutralChromaticityX defaultNeutralChromaticityY defaultNeutralTemperature defaultNeutralTint getOrientationTransform_ getScaleTransform_ getWhitePointVectorsR_g_b_ initWithCVPixelBuffer_properties_options_ initWithImageSource_options_ inputBaselineExposure inputDisableGamutMap inputHueMagBM inputHueMagCB inputHueMagGC inputHueMagMR inputHueMagRY inputHueMagYG inputLinearSpaceFilter inputNeutralChromaticityX inputNeutralChromaticityY inputNeutralLocation inputNeutralTemperature inputNeutralTint invalidateFilters invalidateInputImage nativeSize outputNativeSize rawDictionary rawMajorVersion rawOptions rawOptionsWithSubsampling_ rawReconstructionDefaultsDictionary setInputBaselineExposure_ setInputBoostShadowAmount_ setInputBoost_ setInputColorNoiseReductionAmount_ setInputDecoderVersion_ setInputDisableGamutMap_ setInputDraftMode_ setInputEnableNoiseTracking_ setInputEnableSharpening_ setInputEnableVendorLensCorrection_ setInputHueMagBM_ setInputHueMagCB_ setInputHueMagGC_ setInputHueMagMR_ setInputHueMagRY_ setInputHueMagYG_ setInputIgnoreOrientation_ setInputImageOrientation_ setInputLinearSpaceFilter_ setInputLuminanceNoiseReductionAmount_ setInputNeutralChromaticityX_ setInputNeutralChromaticityY_ setInputNeutralLocation_ setInputNeutralTemperature_ setInputNeutralTint_ setInputNoiseReductionAmount_ setInputNoiseReductionContrastAmount_ setInputNoiseReductionDetailAmount_ setInputNoiseReductionSharpnessAmount_ setInputRequestedSushiMode_ setInputScaleFactor_ setTempTintAtPoint_ subsampling supportedDecoderVersions supportedSushiModes sushiMode transformedImageIgnoringOrientation_ updateChomaticityXAndY updateTemperatureAndTint whitePoint whitePointArray CIRAWGamutMapping CIRAWTemperatureAdjust CIRadialGradient inputRadius0 inputRadius1 setInputRadius0_ setInputRadius1_ CIRandomGenerator CIRectangleDetector featuresInImageFallback_options_ featuresInImageVisionKit_options_ initWithFallbackImplementation initWithVisionKitImplementation releaseResources releaseResourcesFallBack releaseResourcesVisionKit CIRectangleFeature initWithBounds_topLeft_topRight_bottomLeft_bottomRight_ CIRectangleGenerator _CIRectangle CIRedEyeCorrection inputCameraModel inputCorrectionInfo setInputCameraModel_ setInputCorrectionInfo_ CIRedEyeCorrections CIRedEyeRepair autoPupilTonality autoRepairExtractAndSearchLeft_right_data_repairSize_autoPupilTonality_faceIndex_ autoRepairWithFaceArray_ averageValueFromY_withinSkinMask_butOutsideAlpha_ computeTrimmedBitmaps_newY_newCbCr_IR_newTrimY_newTrimCbCr_returningYR_andCbCrR_ confidenceWithIOD_repair_andProminenceDifference_ createRepairedImage debug distanceMaskFromPolyToCb_Cr_ executeRepairArray_ executeRepair_ extractAverageFaceY_contrast_faceIndex_ extractReusableAlignedBitmapsAroundPoint_YR_subYBitmap_subCbCrBitmap_ faces forceLoValue gatherProminencesWithC_MC_altC_altMC_maxwindowsize_repairsize_IR_fr_intoHopper_faceIndex_left_ getBlockSetWithImage_into_width_height_ getBool_d_s_ getDataProviderBytePtrWithImage_into_width_height_ getDataProviderCopyWithImage_into_ getFloat_d_s_ getInt_d_s_ infillBackground initWithCGImage_cameraModel_ initWithDeskView_andFrame_ initWithExternalBuffer_size_rowBytes_ initWithExternalBuffer_subRectangle_fullSize_rowBytes_cameraModel_ initWithFrameExternalBuffer_ initializeNonDebugVariables insertIntoProminenceVettingHopper_max_outside_confidence_distance_row_column_IOD_ lastRepairTag loValue logRepairs lowerRepairSizeFraction_ lowerRepairSize_ nRepairs prepareLineFunctions pupilShadeAlignment redEyeRemovalWithData_ redEyeRemovalWithPoint_alignPupilShades_matching_force_IOD_tap_ redEyeThresholdKind redoLastRepair redoRepairWithTag_IOD_ renderAlpha renderSpecularShine repairArray repairExternalBuffer repairWithTag_ repairs setAutoPupilTonality_ setDebug_ setFaceIndex_ setForceLoValue_ setInfillBackground_ setLeft_ setLoValue_ setLogRepairs_ setPupilShadeAlignment_ setRedEyeThresholdKind_ setRenderAlpha_ setRenderSpecularShine_ setSpecularSize_ setSpecularSoftness_ skinInit specularSize specularSoftness standardTemplate undoRepair_ upperRepairSizeFraction_ upperRepairSize_ CIReductionFilter CIReedSolomon Degree_ Exp_ addOrSubtractPoly_with_ addOrSubtract_with_ buildGenerator_ clearPoly_ coefficients_ copyPoly_ createMonomial_coefficient_ divide_by_ encode_length_bytes_ fillPoly_coefficients_length_ initReedSolomon inverse_ isZero_ multiplyByMonomial_degree_coefficient_ multiplyPoly_with_ multiply_with_ polyCoefficient_degree_ CIRippleTransition _CIRippleTransition CIRowAverage CISRGBToneCurveToLinear CISampler _initWithImage_key0_vargs_ initWithImage_ initWithImage_keysAndValues_ initWithImage_options_ opaqueShape wrapMode CISaturationBlendMode CIScreenBlendMode CISepiaTone CIShadedMaterial _CIShadedmaterial _CIShadedmaterial_0 CISharpenLuminance CISimpleTile CISixfoldReflectedTile CISixfoldRotatedTile CISkyAndGrassAdjust inputGrassAmount inputSkyAmount setInputGrassAmount_ setInputSkyAmount_ CISmartBlackAndWhite createHueArray getNonNormalizedSettings_ hueArrayImage_ inputGrain inputHue inputNeutralGamma inputScaleFactor inputTone setInputGrain_ setInputHue_ setInputNeutralGamma_ setInputTone_ CISmartColorFilter _kernelCNeg _kernelCPos _kernelCast _kernelV_gt1 _kernelV_lt1 inputCast inputUseCube inputUseCubeColorSpace inputVibrancy setInputCast_ setInputUseCubeColorSpace_ setInputUseCube_ setInputVibrancy_ CISmartToneFilter _kernelBneg _kernelBpos _kernelC _kernelH _kernelRH inputBlack inputExposure inputHighlights inputLightMap inputLocalLight inputRawHighlights inputShadows setInputBlack_ setInputExposure_ setInputHighlights_ setInputLightMap_ setInputLocalLight_ setInputRawHighlights_ setInputShadows_ CISmoothLinearGradient CISoftCubicUpsample _scale CISoftLightBlendMode CISourceAtopCompositing CISourceInCompositing CISourceOutCompositing CISourceOverCompositing CISpotColor _CISpotColor CISpotLight _CISpotLight CIStarShineGenerator inputCrossAngle inputCrossOpacity inputCrossScale inputCrossWidth inputEpsilon setInputCrossAngle_ setInputCrossOpacity_ setInputCrossScale_ setInputCrossWidth_ setInputEpsilon_ CIStraightenFilter CIStretch computeDOD_ inputSize setInputSize_ CIStretchCrop CIStripesGenerator CISubtractBlendMode CISunbeamsGenerator _CISunbeams CISwipeTransition CITemperatureAndTint inputNeutral inputTargetNeutral setInputNeutral_ setInputTargetNeutral_ CITextDetector CITextFeature initWithBounds_topLeft_topRight_bottomLeft_bottomRight_subFeatures_messageString_ subFeatures CIThermal CITile2Filter CITileFilter CIToneCurve _kernel16 inputPoint2 inputPoint3 inputPoint4 setInputPoint2_ setInputPoint3_ setInputPoint4_ CITorusLensDistortion _CITorusRefraction CITriangleKaleidoscope inputDecay setInputDecay_ CITriangleTile _CITriangleTile CITwelvefoldReflectedTile CITwirlDistortion CIUnpremultiply CIUnsharpMask CIVariableBoxBlur inputRadiusImage setInputRadiusImage_ CIVector CGAffineTransformValue CGPointValue CGRectValue W X Y Z _values initWithCGAffineTransform_ initWithCGPoint_ initWithCGRect_ initWithValues_count_ initWithX_ initWithX_Y_ initWithX_Y_Z_ initWithX_Y_Z_W_ valueAtIndex_ CIVibrance _kernelNeg _kernelPos CIVignette CIVignetteEffect _negkernel _poskernel inputFalloff setInputFalloff_ CIVividLightBlendMode CIVortexDistortion CIWarpKernel applyWithExtent_roiCallback_inputImage_arguments_ applyWithExtent_roiCallback_inputImage_arguments_options_ autogenerateROI_args_arguments_extent_ generateGeneralKernelFromWarpKernel_args_ generateMainFromWarpKernel_args_ makeGridImage_nx_ny_ CIWhitePointAdjust CIWrapMirror CIXRay CIZoomBlur CONNECTION_SessionTask _DuetActivityProperties _TCPConnectionMetadata _allowedProtocolTypes _allowsCellular _backgroundTaskTimingData _boundInterfaceIdentifier _bytesPerSecondLimit _cacheOnly _cachePolicy _cfCache _cfCookies _cfCreds _cfHSTS _connectionPropertyDuet _contentDispositionFallbackArray _cookieAcceptPolicy _currentCFURLRequest _dependencyInfo _disallowCellular _expectedWorkload _getAuthenticationHeadersForResponse_completionHandler_ _getAuthenticatorStatusCodes _networkServiceType _performanceTiming _preventsIdleSystemSleep _preventsSystemHTTPProxyAuthentication _priorityValue _processConnectionProperties _prohibitAuthUI _protocolForTask _proxySettings _releasePreventIdleSleepAssertionIfAppropriate _requestPriority _setConnectionIsCellular_ _shouldHandleCookies _shouldPipelineHTTP _shouldSkipPipelineProbe _shouldSkipPreferredClientCertificateLookup _shouldUsePipelineHeuristics _sslSettings _storagePartitionIdentifier _strictContentLength _suspensionThreshhold _takePreventIdleSleepAssertionIfAppropriate _timeWindowDelay _timeWindowDuration _timeoutInterval _trailers countOfBytesExpectedToReceive countOfBytesExpectedToSend countOfBytesReceived countOfBytesSent currentRequest currentRequest_URL currentRequest_mainDocumentURL initWithRequest_mutableCurrent_connProps_sockProps_session_ originalRequest session set_TCPConnectionMetadata_ set_protocolForTask_ set_trailers_ startTime taskIdentifier workQueue COREFOUNDATION_CFPLUGINCOM_SEPARATE CSIASTCHelper CSIBitmapWrapper allowsMultiPassEncoding allowsOptimalPacking bitmapContext colorSpaceID compressedData_usedEncoding_andRowChunkSize_ compressionQuality compressionType exifOrientation flipped initWithCGImage_width_height_texturePixelFormat_ initWithPixelWidth_pixelHeight_ pixelData rowbytes setAllowsMultiPassEncoding_ setAllowsOptimalPacking_ setColorSpaceID_ setCompressionQuality_ setCompressionType_ setExifOrientation_ setPixelData_ setSourceAlphaInfo_ setTextureInterpretation_ sourceAlphaInfo textureInterpretation CSIGenerator CSIRepresentationWithCompression_ _addNodes_toNodeList_ _updateCompressionInfoFor_ addBitmap_ addLayerReference_ addMetrics_ addMipReference_ addSliceRect_ alphaCroppedFrame blendMode cubemap effectPreset formatCSIHeader_ gradient initWithCanvasSize_sliceCount_layout_ initWithExplicitlyPackedList_ initWithExternalReference_tags_ initWithInternalReferenceRect_layout_ initWithLayerStackData_withCanvasSize_ initWithRawData_pixelFormat_layout_ initWithShapeEffectPreset_forScaleFactor_ initWithTextureForPixelFormat_ initWithTextureImageWithSize_forPixelFormat_cubeMap_ isExcludedFromContrastFilter isFlippable isRenditionFPO isTintable isVectorBased layerReferences mipReferences modtime optOutOfThinning originalUncroppedSize scaleFactor setAlphaCroppedFrame_ setBlendMode_ setCubemap_ setEffectPreset_ setExcludedFromContrastFilter_ setGradient_ setIsFlippable_ setIsRenditionFPO_ setIsTintable_ setIsVectorBased_ setModtime_ setOptOutOfThinning_ setOriginalUncroppedSize_ setScaleFactor_ setSize_ setTemplateRenderingMode_ setTextureFormat_ setTextureOpaque_ setUtiType_ templateRenderingMode textureFormat textureOpaque utiType writeBitmap_toData_compress_ writeExternalLinkToData_ writeGradientToData_ writeHeader_toData_ writeRawDataToData_ writeResourcesToData_ writeTextureToData_ CSIHelper CSITextureHelper expandIntoBuffer_error_ CSRBlueICEHostController CSRHostController CTFeatureSetting initWithNormalizedDictionary_ initWithType_selector_tag_value_ isEqualToFeatureSetting_ selector CTGlyphStorageInterface createCopy_ disposeGlyphStack getCustomAdvance_forIndex_ initGlyphStack_ insertGlyphs_ moveGlyphsTo_from_ popGlyph_ pushGlyph_ setAbsorbedCount_forIndex_ setAdvance_forIndex_ setGlyphID_forIndex_ setProps_forIndex_ setStringIndex_forIndex_ swapGlyph_withIndex_ CUBitCoder _readValue_bitCount_bitIndex_err_ _writeValue_bitCount_bitVector_ decodeBytes_length_error_ decodeBytes_length_info_error_ decodeData_error_ decodeData_info_error_ decryptHandler encodeFields_variantIdentifier_error_ encodeFields_variantIdentifier_info_error_ encryptHandler schema setDecryptHandler_ setEncryptHandler_ setSchema_ CUBitCoderDecryptRequest aad authTagLength nonce setAad_ setAuthTagLength_ setNonce_ CUBitCoderDecryptResponse CUBitCoderEncryptRequest CUCoalescer _cancel _invalidate _timerFired _trigger actionHandler dispatchQueue invalidationHandler leeway maxDelay minDelay setActionHandler_ setDispatchQueue_ setInvalidationHandler_ setLeeway_ setMaxDelay_ setMinDelay_ trigger CUDashboardClient _activate _logCStr_length_ _setupSocket activate logJSON_ logf_ logv_args_ server setServer_ CUDashboardServer _readHandler_ logFilePath setLogFilePath_ CUIBackgroundStyleEffectConfiguration backgroundType brightnessMultiplier colorTemperature effectScale effectShowsValue foregroundColorShouldTintEffects presentationState setBackgroundType_ setBrightnessMultiplier_ setColorTemperature_ setEffectScale_ setEffectShowsValue_ setForegroundColorShouldTintEffects_ setPresentationState_ setUseSimplifiedEffect_ shouldIgnoreForegroundColor shouldRespectOutputBlending useSimplifiedEffect CUICatalog _baseAtlasContentsKeyForName_ _baseAtlasKeyForName_ _baseKeyForName_ _baseTextureKeyForName_ _defaultAssetRenditionKey_ _doStyledQuartzDrawingInContext_inBounds_stylePresetName_styleConfiguration_drawingHandler_ _resolvedRenditionKeyForName_scaleFactor_deviceIdiom_deviceSubtype_displayGamut_layoutDirection_sizeClassHorizontal_sizeClassVertical_memoryClass_graphicsClass_graphicsFallBackOrder_withBaseKeySelector_ _resolvedRenditionKeyFromThemeRef_withBaseKey_scaleFactor_deviceIdiom_deviceSubtype_displayGamut_layoutDirection_sizeClassHorizontal_sizeClassVertical_memoryClass_graphicsClass_graphicsFallBackOrder_ _storageRefForRendition_representsODRContent_ _themeRef _themeStore allImageNames artVariantIDOrZero blendModeForStylePresetWithName_styleConfiguration_ canGetShapeEffectRenditionWithKey_ clearCachedImageResources customizedBackgroundTypeForWidget_ dataWithName_ dataWithName_deviceIdiom_deviceSubtype_memoryClass_graphicsClass_graphicsFallBackOrder_ defaultLayerStackWithScaleFactor_deviceIdiom_deviceSubtype_sizeClassHorizontal_sizeClassVertical_ defaultNamedAssetWithScaleFactor_deviceIdiom_deviceSubtype_sizeClassHorizontal_sizeClassVertical_ drawGlyphs_atPositions_inContext_withFont_count_stylePresetName_styleConfiguration_foregroundColor_ enumerateNamedLookupsUsingBlock_ equivalentForegroundColorForStylePresetWithName_styleConfiguration_ fillStyledPath_inContext_stylePresetName_styleConfiguration_ fillStyledRect_inContext_stylePresetName_styleConfiguration_ hasCustomizedAppearanceForWidget_ hasStylePresetWithName_ hasStylePresetWithName_styleConfiguration_ imageByStylingImage_stylePresetName_styleConfiguration_foregroundColor_scale_ imageExistsWithName_ imageExistsWithName_scaleFactor_ imageWithName_scaleFactor_ imageWithName_scaleFactor_deviceIdiom_ imageWithName_scaleFactor_deviceIdiom_deviceSubtype_ imageWithName_scaleFactor_deviceIdiom_deviceSubtype_displayGamut_layoutDirection_sizeClassHorizontal_sizeClassVertical_ imageWithName_scaleFactor_deviceIdiom_deviceSubtype_displayGamut_layoutDirection_sizeClassHorizontal_sizeClassVertical_memoryClass_graphicsClass_ imageWithName_scaleFactor_deviceIdiom_deviceSubtype_displayGamut_layoutDirection_sizeClassHorizontal_sizeClassVertical_memoryClass_graphicsClass_graphicsFallBackOrder_ imageWithName_scaleFactor_deviceIdiom_deviceSubtype_sizeClassHorizontal_sizeClassVertical_ imageWithName_scaleFactor_displayGamut_layoutDirection_ imagesWithName_ initWithBytes_length_error_ initWithName_fromBundle_ initWithName_fromBundle_error_ initWithURL_error_ layerStackWithName_ layerStackWithName_scaleFactor_ layerStackWithName_scaleFactor_deviceIdiom_ layerStackWithName_scaleFactor_deviceIdiom_deviceSubtype_sizeClassHorizontal_sizeClassVertical_ layoutInformationForDrawingInRect_context_options_ namedImageAtlasWithName_scaleFactor_ namedImageAtlasWithName_scaleFactor_deviceIdiom_ namedImageAtlasWithName_scaleFactor_deviceIdiom_displayGamut_deviceSubtype_memoryClass_graphicsClass_graphicsFallBackOrder_ namedImageAtlasWithName_scaleFactor_displayGamut_ namedLookupWithName_scaleFactor_ namedLookupWithName_scaleFactor_deviceIdiom_deviceSubtype_displayGamut_layoutDirection_sizeClassHorizontal_sizeClassVertical_ namedLookupWithName_scaleFactor_deviceIdiom_deviceSubtype_sizeClassHorizontal_sizeClassVertical_ namedTextureWithName_scaleFactor_ namedTextureWithName_scaleFactor_displayGamut_ newShapeEffectPresetForStylePresetName_styleConfiguration_ newShapeEffectPresetWithRenditionKey_ newShapeEffectStackForStylePresetName_styleConfiguration_foregroundColor_ newTextEffectStackForStylePresetName_styleConfiguration_foregroundColor_ parentNamedImageAtlasForImageNamed_scaleFactor_displayGamut_ parentNamedImageAtlastForImageNamed_scaleFactor_ pdfDocumentWithName_ preloadNamedAtlasWithScaleFactor_andNames_completionHandler_ renditionKeyForShapeEffectPresetForStylePresetName_styleConfiguration_ renditionKeyForShapeEffectPresetWithStyleID_state_presentationState_value_resolution_ renditionKeyForShapeEffectPresetWithStylePresetName_state_presentationState_value_resolution_ requiredDrawOfUnstyledGlyphs_atPositions_inContext_withFont_count_ strokeStyledPath_inContext_stylePresetName_styleConfiguration_ styledInsetsForStylePresetName_styleConfiguration_foregroundColor_scale_ CUICatalogCSIGenerator addLayerReference_withImage_ baseKey flattenedBitmap initWithLayerStackData_withCanvasSize_isOpaque_ setBaseKey_ setFlattenedBitmap_ CUIColor CGColor colorUsingCGColorSpace_ initWithCIColor_ CUICommonAssetStorage _addBitmapIndexForNameIdentifier_attribute_withValue_toDictionary_ _bomStorage _bringHeaderInfoUpToDate _buildBitmapInfoIntoDictionary_ _commonInitWithStorage_forWritting_ _fontValueForFontType_ _initDefaultHeaderVersion_versionString_ _storagefileTimestamp _swapHeader _swapKeyFormat _swapRenditionKeyArray_ _swapRenditionKeyToken_ _swapZeroCodeInformation_ _zeroCodeListFromTree_ allAssetKeys allRenditionNames assetExistsForKeyData_length_ assetExistsForKey_ assetForKey_ assetKeysMatchingBlock_ associatedChecksum authoringTool catalogGlobalData coreuiVersion deploymentPlatform deploymentPlatformVersion enumerateBitmapIndexUsingBlock_ externalTags fontSizeForFontSizeType_ getBaselineOffset_forFontType_ getColor_forName_ getFontName_baselineOffset_forFontType_ hasColorForName_ initWithPath_ initWithPath_forWriting_ keyFormat keyFormatData keySemantics mainVersionString maximumRenditionKeyTokenCount renditionCount renditionInfoForIdentifier_ renditionKeyForName_hotSpot_ renditionNameForKeyList_ schemaVersion storageTimestamp storageVersion swapped thinningArguments usesCUISystemThemeRenditionKey uuid validateBitmapInfo versionString zeroCodeBezelList zeroCodeGlyphList CUICustomFontCacheKey pointSize setPointSize_ CUIDSReadRequest completion setCompletion_ CUIDSSession _activateWithCompletion_ _completeReadRequest_error_ _handleError_ _processReadRequests _processWriteRequests activateWithCompletion_ idsDestination idsEncryption idsInviteToken idsServiceName interruptionHandler label readMinLength_maxLength_completion_ service_account_inviteReceivedForSession_fromID_withOptions_ sessionEnded_withReason_error_ sessionStarted_ session_receivedInvitationAcceptFromID_ session_receivedInvitationCancelFromID_ session_receivedInvitationDeclineFromID_ setIdsDestination_ setIdsEncryption_ setIdsInviteToken_ setIdsServiceName_ setInterruptionHandler_ setLabel_ writeData_completion_ CUIDSWriteRequest CUIHueSaturationFilterLocal inputAngleWidth inputCenterAngle inputTintColor setInputAngleWidth_ setInputCenterAngle_ setInputTintColor_ CUIImage cgImage CUIInnerBevelEmbossFilter _kernelInvertMask _kernelMultiplyByMask inputHighlightColor inputShadowColor inputSoften setInputHighlightColor_ setInputShadowColor_ setInputSoften_ CUIInnerBevelEmbossFilterLocal _kernelColorize _kernelColorizeWithImageMask CUIInnerGlowFilterLocal CUIInnerGlowOrShadowFilter inputOffset inputRange setInputOffset_ setInputRange_ CUIInnerGlowOrShadowFilterLocal CUIInnerShadowFilterLocal CUILayoutInformation alignmentRectForContentRect_ canStretchHorizontally canStretchVertically contentRectForAlignmentRect_ contentRectInsets setAlignmentRectInsets_ setBaselineOffsetFromBottom_ setCanStretchHorizontally_ setCanStretchVertically_ setContentRectInsets_ CUIMaskedFacetLayer drawingLayer facet maskPath setDrawingLayer_ setFacet_ setMaskPath_ updateRenditionKey_getFocus_userInfo_ CUIMutableCatalog insertCGImage_name_scale_idiom_subtype_ insertCGImage_withName_andDescription_ removeImageNamed_scale_idiom_subtype_ removeImageNamed_withDescription_ CUIMutableCommonAssetStorage _allocateExtendedMetadata _saveBitmapInfo _setZeroCodeInfo_forKey_withLength_inTree_ _writeOutKeyFormatWithWorkaround removeAssetForKey_ removeAssetForKey_withLength_ setAsset_forKey_ setAsset_forKey_withLength_ setAssociatedChecksum_ setAuthoringTool_ setCatalogGlobalData_ setColor_forName_excludeFromFilter_ setDeploymentPlatformVersion_ setDeploymentPlatform_ setEnableLargeCarKeyWorkaround_ setExternalTags_ setFontName_baselineOffset_forFontSelector_ setFontSize_forFontSizeSelector_ setKeyFormatData_ setKeySemantics_ setRenditionCount_ setRenditionKey_hotSpot_forName_ setSchemaVersion_ setStorageVersion_ setThinningArguments_ setUseBitmapIndex_ setUuid_ setVersionString_ setZeroCodeBezelInformation_forKey_withLength_ setZeroCodeGlyphInformation_forKey_withLength_ updateBitmapInfo useBitmapIndex writeToDisk writeToDiskAndCompact_ CUIMutablePSDImageRef _absoluteIndexOfRootLayer_ _bevelEmbossFromLayerEffectsInfo_ _blendModeAtAbsluteIndex_ _boundsAtAbsoluteIndex_ _colorOverlayFromLayerEffectsInfo_ _copyCGImageAtAbsoluteIndex_ _copySublayerInfoAtAbsoluteIndex_atRoot_ _createMaskFromSlice_atAbsoluteIndex_ _dropShadowFromLayerEffectsInfo_ _fillOpacityAtAbsoluteIndex_ _fillSampleAtAbsoluteIndex_ _gradientAtAbsoluteIndex_ _gradientOverlayFromLayerEffectsAtAbsoluteIndex_ _imageAtAbsoluteIndex_isZeroSizeImage_ _imageFromSlice_atAbsoluteIndex_isEmptyImage_ _innerGlowFromLayerEffectsInfo_ _innerShadowFromLayerEffectsInfo_ _layerEffectsAtAbsoluteIndex_ _layerIndexFromLayerNames_indexRangeBegin_indexRangeEnd_isTopLevel_ _layerInfo _layerRefAtAbsoluteIndex_ _logInvalidAbsoluteIndex_psd_ _nameAtAbsoluteIndex_ _namesOfSublayers_ _opacityAtAbsoluteIndex_ _outerGlowFromLayerEffectsInfo_ _patternFromSlice_atAbsoluteIndex_isZeroSizeImage_ _psdFileWithLayers_ _psdLayerRecordAtAbsoluteIndex_ _treatDividerAsLayer _visibilityAtAbsoluteIndex_ absoluteLayerIndexFromLayerNames_ addLayer_ addLayoutMetricsChannel_ addOrUpdateSlicesWithSliceRects_ addOrUpdateSlicesWithXCutPositions_yCutPositions_ boundsAtLayer_ boundsForSlice_ cgBlendModeForPSDLayerOrLayerEffectBlendMode_ colorFromDocumentColor_ compositeImage copyColorSpace copyDefaultICCProfileData createCGImageAtLayer_ createCompositeCGImage deleteLayerAtIndex_ deleteLayoutMetricsChannelAtIndex_ enumerateLayersUsingBlock_ fillSampleAtLayer_ gradientAtLayer_ imageAtLayer_ imageAtLayer_isZeroSizeImage_ imageFromRef_ imageFromSlice_atAbsoluteLayer_ imageFromSlice_atLayer_ imageFromSlice_atLayer_isEmptyImage_ imageInfo insertLayer_atIndex_ insertLayoutMetricsChannel_atIndex_ layerEnumerator layerNames layerRefAtIndex_ loadPSDFileWithLayers_ maskFromCompositeAlphaChannel_ maskFromSlice_atLayer_ metadataString metricsInAlphaChannel_forRect_ metricsInMask_forRect_ newPSDGradientFromCUIPSDGradient_ newSliceRectsArray_withSliceRects_ newSliceRectsArray_withXCutPositions_yCutPositions_ newUInt32CArray_withNSArray_prependNumber_appendNumber_ numberOfChannels numberOfLayers numberOfSlices openImageFile patternFromSlice_atLayer_ patternFromSlice_atLayer_isZeroSizeImage_ psdFile psdFileForComposite psdLayerBlendModeForCGBlendMode_ saveToURL_completionHandler_ saveWithCompletionHandler_ setFileURL_ updateSliceName_atIndex_ visibilityAtLayer_ CUIMutableStructuredThemeStore _canGetRenditionWithKey_isFPO_lookForSubstitutions_ _commonInit _formatStorageKeyArrayBytes_length_fromKey_ _getKeyForAssetClosestToKey_foundAsset_ _getKeyForAssetInOtherLookGroupClosestToKey_foundAsset_ _newRenditionKeyDataFromKey_ _updateKeyWithCompatibilityMapping_ authoredWithSchemaVersion baseGradationKeySignatureForKey_ canGetRenditionWithKey_ canGetRenditionWithKey_isFPO_ catalogGlobals clearRenditionCache convertRenditionKeyToKeyData_ copyKeySignatureForKey_withBytesNoCopy_length_ copyLookupKeySignatureForKey_ debugDescriptionForKeyList_ distilledInCoreUIVersion documentFormatVersion getPhysicalColor_withName_ hasPhysicalColorWithName_ initWithIdentifier_ keySignatureForKey_ lookupAssetForKey_ prefilteredAssetDataForKey_ renditionKeyForName_ renditionKeyForName_cursorHotSpot_ renditionKeyFormat renditionWithKey_ renditionWithKey_usingKeySignature_ setThemeIndex_ themeIndex themeStore CUIMutableThemeRendition _initWithCSIData_forKey_artworkStatus_ _initWithCSIHeader_ _initalizeMetadataFromCSIData_ _initializeCompositingOptionsFromCSIData_ _initializeRenditionKey_ _initializeTypeIdentifiersWithLayout_ _setStructuredThemeStore_ alphaCroppedRect artworkStatus assetPackIdentifier bitmapEncoding createImageFromPDFRenditionWithScale_ edgesOnly gradientDrawingAngle gradientStyle imageForSliceIndex_ initWithCGImage_withDescription_forKey_ initWithCSIData_forKey_ initWithCSIData_forKey_artworkStatus_ isHeaderFlaggedFPO isInternalLink isScaled isTiled isValidForLookGradation_ linkingToRendition maskForSliceIndex_ metrics mipLevels packedContents pdfDocument provideTextureInfo sliceInformation textureImages uncroppedImage unslicedImage unslicedSize valueForTokenIdentifier_ CUINamedData _cacheRenditionProperties _distilledInVersion _rendition _renditionForSpecificKey_ _renditionName initWithName_usingRenditionKey_fromTheme_ renditionKey renditionName representsOnDemandContent setRepresentsOnDemandContent_ CUINamedExternalLink CUINamedImage NS_alignmentRect alignmentEdgeInsets croppedImage displayGamut edgeInsets graphicsClass hasAlignmentInformation hasSliceInformation idiom imageType isAlphaCropped isStructured isTemplate layoutDirection memoryClass positionOfSliceBoundary_ resizingMode resizingModeWithSubtype_ sizeClassHorizontal sizeClassVertical CUINamedImageAtlas _dimension1ExistsInKeyFormatForThemeRef_ _renditionForKey_inThemeRef_ completeTextureExtrusion imageNames imageWithName_ images initWithName_usingRenditionKey_withContents_contentsFromCatalog_fromTheme_withSourceThemeRef_ CUINamedImageDescription setAlignmentEdgeInsets_ setDisplayGamut_ setEdgeInsets_ setIdiom_ setImageType_ setIsTemplate_ setLayoutDirection_ setResizingMode_ setSizeClassHorizontal_ setSizeClassVertical_ CUINamedLayerImage fixedFrame setFixedFrame_ CUINamedLayerStack flattenedImage initWithName_usingRenditionKey_fromTheme_resolvingWithBlock_ layerImageAtIndex_ layers radiosityImage setLayers_ CUINamedLookup CUINamedRenditionInfo _initWithKeyFormat_andBitmap_ archivedData attributePresent_withValue_ bitwiseAndWith_ clearAttributePresent_withValue_ initWithData_andKeyFormat_ initWithKeyFormat_ isEqualToNamedRenditionInfo_ numberOfBitsSet setAttributePresent_withValue_ CUINamedTexture textureWithBufferAllocator_ CUIOuterBevelEmbossFilter CUIOuterBevelEmbossFilterLocal CUIOuterGlowFilterLocal CUIOuterGlowOrShadowFilter inputSpread setInputSpread_ CUIOuterGlowOrShadowFilterLocal _kernelWithImageMask CUIOuterShadowFilterLocal CUIPSDGradient drawingAngle evaluator initWithEvaluator_drawingAngle_gradientStyle_ setDrawingAngle_ setEvaluator_ setGradientStyle_ CUIPSDGradientColorStop colorLocation gradientColor initWithLocation_ initWithLocation_gradientColor_ isColorStop isDoubleStop isOpacityStop setLocation_ CUIPSDGradientDoubleColorStop initWithLocation_leadInColor_leadOutColor_ leadInColor leadOutColor CUIPSDGradientDoubleOpacityStop initWithLocation_leadInOpacity_leadOutOpacity_ initWithLocation_opacity_ leadInOpacity leadOutOpacity opacityLocation CUIPSDGradientEvaluator _cleanedUpMidpointLocationsFromLocations_ _createOrderedStops_midpoints_fromStops_midpoints_edgePixel_ _smoothedGradientColorAtLocation_ _smoothedInterpolationOfLocation_betweenLower_upper_scaledMidpoint_ colorMidpointLocations colorStops customizeForDistance_ fillCoefficient hasEdgePixel initWithColorStops_colorMidpoints_opacityStops_opacityMidpoints_smoothingCoefficient_fillCoefficient_ initWithColorStops_colorMidpoints_opacityStops_opacityMidpoints_smoothingCoefficient_fillColor_dither_ isDithered opacityMidpointLocations opacityStops setColorStops_midpoints_ setFillCoefficient_ setOpacityStops_midpoints_ setSmoothingCoefficient_ smoothingCoefficient CUIPSDGradientLayer initWithGradient_ CUIPSDGradientOpacityStop CUIPSDGradientStop CUIPSDImageLayer cgImageRef initWithCGImageRef_ CUIPSDImageRef CUIPSDLayer CUIPSDLayerBaseRef _createMaskFromAlphaChannel_ _psdImageRef _psdLayerRecord fillOpacity hasLayerMask hasVectorMask isLayerGroup layerMaskRef vectorMaskRef visibility CUIPSDLayerEffectBevelEmboss _colorFromShapeEffectValue_ altitude angle blurSize direction effectType highlightBlendMode highlightColor highlightOpacity initWithEffectFromPreset_atIndex_ setAltitude_ setAngle_ setBlurSize_ setDirection_ setHighlightBlendMode_ setHighlightColor_ setHighlightOpacity_ setShadowBlendMode_ setSoftenSize_ setVisible_ shadowBlendMode softenSize updateLayerEffectPreset_error_ visible CUIPSDLayerEffectColorOverlay CUIPSDLayerEffectComponent CUIPSDLayerEffectDropShadow distance setDistance_ setSpread_ spread CUIPSDLayerEffectGradientOverlay CUIPSDLayerEffectInnerGlow CUIPSDLayerEffectInnerShadow CUIPSDLayerEffectOuterGlow CUIPSDLayerEffects addLayerEffectComponent_ dropShadow effectList setEffectList_ CUIPSDLayerEnumerator initWithPSDImage_ initWithPSDLayerGroup_ CUIPSDLayerGroupEnd CUIPSDLayerGroupRef _isGroupType_ initWithImageRef_layerIndex_ isGroupEnd isGroupStart isOpen CUIPSDLayerGroupStart CUIPSDLayerMaskRef createCGImageMask initLayerMaskWithLayerRef_ initVectorMaskWithLayerRef_ isInvertedWhenBlending isLinked layerRef newBezierPath newBezierPathAtScale_ CUIPSDLayerRef colorFill createCGImage fillSample imageFromSlice_ imageFromSlice_isEmptyImage_ imageIsZeroSizeImage_ layerEffects maskFromSlice_ patternFromSlice_ patternFromSlice_isZeroSizeImage_ CUIPSDLayoutMetricsChannel initWithEdgeInsets_ sanitizeEdgeInsets CUIPSLayerEffectsPreset CUIEffectDataRepresentation _insertEffectTuple_atEffectIndex_ _parameterCount addBevelEmbossWithHighlightColorRed_green_blue_opacity_shadowColorRed_green_blue_opacity_blur_soften_bevelStyle_ addColorFillWithRed_green_blue_opacity_blendMode_tintable_ addColorValueRed_green_blue_forParameter_withNewEffectType_ addDropShadowWithColorRed_green_blue_opacity_blur_spread_offset_angle_ addEffectsFromPreset_ addEnumValue_forParameter_withNewEffectType_ addExtraShadowWithColorRed_green_blue_opacity_blur_spread_offset_angle_ addFloatValue_forParameter_withNewEffectType_ addGradientFillWithTopColorRed_green_blue_bottomColorRed_green_blue_opacity_blendMode_ addHueSaturationWithColorRed_green_blue_angle_width_tintable_ addInnerGlowWithColorRed_green_blue_opacity_blur_blendMode_ addInnerShadowWithColorRed_green_blue_opacity_blur_offset_angle_blendMode_ addIntValue_forParameter_withNewEffectType_ addOuterGlowWithColorRed_green_blue_opacity_blur_spread_ addOutputOpacityWithOpacity_ addShapeOpacityWithOpacity_ addValue_forParameter_withEffectType_atEffectIndex_ addValue_forParameter_withNewEffectType_ appendAngleValue_forParameter_withEffectType_ appendColorValueRed_green_blue_forParameter_withEffectType_ appendEnumValue_forParameter_withEffectType_ appendFloatValue_forParameter_withEffectType_ appendIntValue_forParameter_withEffectType_ appendValue_forParameter_withEffectType_ effectCount effectTypeAtIndex_ getEffectTuples_count_atEffectIndex_ initWithConstantPreset_ initWithEffectScale_ initWithLayerEffects_forScaleFactor_ layerEffectsRepresentation valueForParameter_inEffectAtIndex_ CUIPattern _newPattern initWithImageRef_ pattern patternImageRef setAlpha_ setPatternInContext_ CUIPerformanceLogManager logMeasurements_forInstrument_ CUIPerformanceMeasurement XMLElement initWithName_comment_value_ measurementComment measurementName measurementValue CUIRenditionKey _expandKeyIfNecessaryForCount_ _systemTokenCount copyValuesFromKeyList_ descriptionBasedOnKeyFormat_ initWithKeyList_ initWithThemeElement_themePart_themeSize_themeDirection_themeValue_themeDimension1_themeDimension2_themeState_themePresentationState_themeLayer_themeScale_themeIdentifier_ keyList nameOfAttributeName_ removeValueForKeyTokenIdentifier_ setThemeDeploymentTarget_ setThemeDimension1_ setThemeDimension2_ setThemeDirection_ setThemeDisplayGamut_ setThemeElement_ setThemeGraphicsClass_ setThemeIdentifier_ setThemeIdiom_ setThemeLayer_ setThemeMemoryClass_ setThemePart_ setThemePresentationState_ setThemePreviousState_ setThemePreviousValue_ setThemeScale_ setThemeSizeClassHorizontal_ setThemeSizeClassVertical_ setThemeSize_ setThemeState_ setThemeSubtype_ setThemeValue_ setValuesFromKeyList_ themeDeploymentTarget themeDimension1 themeDimension2 themeDirection themeDisplayGamut themeElement themeGraphicsClass themeIdentifier themeIdiom themeLayer themeMemoryClass themePart themePresentationState themePreviousState themePreviousValue themeScale themeSize themeSizeClassHorizontal themeSizeClassVertical themeState themeSubtype themeValue CUIRenditionLayerReference layerName makeOpaqueIfPossible referenceKey setLayerName_ setMakeOpaqueIfPossible_ setReferenceKey_ CUIRenditionMetrics auxiliary1BottomLeftMargin auxiliary1TopRightMargin auxiliary2BottomLeftMargin auxiliary2TopRightMargin baseline contentBottomLeftMargin contentRect contentTopRightMargin edgeBottomLeftMargin edgeRect edgeTopRightMargin hasAlignmentEdgeMargins hasOpaqueContentBounds imageSize initWithImageSize_edgeBottomLeft_edgeTopRight_contentBottomLeft_contentTopRight_baseline_auxiliary1BottomLeft_auxiliary1TopRight_auxiliary2BottomLeft_auxiliary2TopRight_scalesVertically_scalesHorizontally_scale_ initwithImageSize_scale_ insetContentRectWithMetrics_ insetRectWithMetrics_ scalesHorizontally scalesVertically CUIRenditionSliceInformation _bottomRightCapSize _topLeftCapSize destinationRect initWithRenditionType_destinationRect_topLeftInset_bottomRightInset_ initWithSliceInformation_destinationRect_ renditionType CUIRuntimeStatistics _logStatistics_ addStatisticAllocatedImageSize_roundedSize_ incrementStatisticDidShortCircuitImageLookup incrementStatisticLookup CUIScaleClampFilter CUIScaleClampFilterLocal CUIShapeEffectBlur1 inputFill inputGlowColorInner inputGlowColorOuter inputShadowBlurInner inputShadowBlurOuter inputShadowColorInner inputShadowColorOuter setInputFill_ setInputGlowColorInner_ setInputGlowColorOuter_ setInputShadowBlurInner_ setInputShadowBlurOuter_ setInputShadowColorInner_ setInputShadowColorOuter_ CUIShapeEffectBlur1Local regionOf_destRect_userInfo_ CUIShapeEffectPreset CUIShapeEffectStack _cleanupEffectSettings _normalizeEffectParameters _precompositeColorOverlayInnerGradient _setBevelEmbossAtIndex_fromPreset_index_ _setColorFillAtIndex_FromPreset_index_ _setEngraveShadowAtIndex_fromPreset_index_ _setExtraShadowAtIndex_fromPreset_index_ _setHueSaturationAtIndex_fromPreset_index_ _setInnerGlowAtIndex_fromPreset_index_ _setInnerShadowAtIndex_fromPreset_index_ _setInteriorGradientAtIndex_fromPreset_index_ _setOuterGlowAtIndex_fromPreset_index_ _setOutputOpacityFromPreset_atIndex_ _setShapeOpacityFromPreset_atIndex_ _updateRenderStrategyFromEffect_ adjustEffectColorsToTemperature_onlyTintableColors_ applyCustomForegroundColor_ applyCustomForegroundColor_tintEffectColors_ cacheKey cgBlendModeForOutputBlending colorOverlayOpacity compositeEffectStackWithShapeImage_withScale_ effectInsetsWithScale_ effectPaddingWithScale_ hasBevelEmboss hasColorOverlay hasEngraveShadow hasExtraShadow hasHueSaturation hasInnerGlow hasInnerGradient hasInnerShadow hasOuterGlow imageWithAdjustedOutputOpacityOfImage_opacity_ imageWithAdjustedShapeOpacityOfImage_opacity_ imageWithBevelEmbossOfImage_effect_ imageWithColorOverlayOfImage_effect_ imageWithEngraveShadowOfImage_effect_ imageWithExtraShadowOfImage_effect_ imageWithHueSaturationOfImage_effect_ imageWithInnerGlowOfImage_effect_ imageWithInnerShadowOfImage_effect_ imageWithInteriorGradientFillOfImage_effect_ imageWithOuterGlowOfImage_effect_ imageWithSingleBlurShapeEffectOfImage_withInteriorFill_ initWithEffectPreset_ innerGradientOpacity newFlattenedImageFromShapeCGImage_ newFlattenedImageFromShapeCGImage_withScale_ newFlattenedImageFromShapeCGImage_withScale_cache_ newFlattenedImageFromShapeCGImage_withScale_ciContext_ optimizedSingleBlurEffectCompositeWithShapeImage_ outputBlendMode processedImageFromShapeImage_ processedImageFromShapeImage_withScale_ processedImageFromShapePath_inRect_ scaleBrightnessOfEffectColorsByAmount_onlyTintableColors_ scaleEffectParametersBy_ standardEffectCompositeWithShapeImage_ substituteTintableEffectsWithColor_ updateOutputBlendingWithInteriorFillHeuristic CUISharedArtCatalog _sharedArtNameFromImageID_ imageWithID_scaleFactor_ CUISingleNamedAssetCreator _addImageAsJPEG_withBaseKey_withName_ _addImage_withBaseKey_name_ _configureDefaultStorageParameters _defaultBaseKey _distillNameEntries_ _distillRenditions_ _extractFlattenedImages_ _finalizeNameIdentifiers _flattenedImageBaseKey _generatorForName_ _keyDataFromKey_ _keyFormat _radiosityImageBaseKey addFlattenedImage_forLayerStackWithName_ addImageAsJPEG_withName_ addImage_withName_ addLayerReference_forImage_toLayerStackWithName_ addLayerStackWithSize_stackData_name_ distillAndSave_ flattenedLossyCompressionQuality generators initWithOutputURL_versionString_ layersLossyCompressionQuality names primaryIndex primaryName radiosityLossyCompressionQuality setFlattenedLossyCompressionQuality_ setGenerators_ setLayersLossyCompressionQuality_ setNames_ setPrimaryIndex_ setPrimaryName_ setRadiosityLossyCompressionQuality_ setStore_ store CUISingleNamedAssetMutableStorage CUISmallBlurLocal CUISmoothEmbossFilterLocal inputAltitude setInputAltitude_ CUIStructuredThemeStore CUIStyleEffectConfiguration CUISystemCacheTracker _descriptionForKeySignature_ _getStoredCacheSize_andKeySignatures_ flushLog trackAddedByteCount_forKeySignature_ CUISystemCatalog CUISystemCatalogVariant artVariantID initWithArtVariantID_ CUISystemStore _systemCarPath assetDataFromCacheWithKeySignature_ cacheAssetData_forKey_withSignature_ invalidateCache lookupAssetForKey_withSignature_ CUITextEffectStack _drawShadow_forGlyphs_inContext_usingFont_atPositions_count_ _drawShadow_forGlyphs_inContext_usingFont_withAdvances_count_ _drawShadow_usingQuartz_inContext_ drawGlyphs_inContext_usingFont_atPositions_count_lineHeight_inBounds_atScale_ drawGlyphs_inContext_usingFont_withAdvances_count_lineHeight_inBounds_atScale_ drawProcessedMask_atBounds_inContext_withScale_ drawUsingQuartz_inContext_inBounds_atScale_ effectiveInteriorFillOpacity newBackgroundPatternColorWithSize_contentScale_forContext_ newGlyphMaskContextForBounds_fromContext_withScale_ useCoreImageRendering CUITexturedWindowFrameLayer addAndSetupSublayer_ backgroundHighlightLayer borderLayer bottomDividerLayer bottomDividerLayer2 bottomGradientLayer bottomLeftCornerLayer bottomRightCornerLayer layerNamed_makeIfNecessary_ makeAndAddSublayer overlayLayer setBackgroundHighlightLayer_ setBorderLayer_ setBottomDividerLayer2_ setBottomDividerLayer_ setBottomGradientLayer_ setBottomLeftCornerLayer_ setBottomRightCornerLayer_ setOverlayLayer_ setTitlebarBackgroundLayer_ setTitlebarGradientLayer_ setTitlebarSeparatorLayer_ setTopBevelLayer_ setTopDividerLayer2_ setTopDividerLayer_ setTopGradientLayer_ setTopLeftCornerLayer_ setTopRightCornerLayer_ titlebarBackgroundLayer titlebarGradientLayer titlebarSeparatorLayer topBevelLayer topDividerLayer topDividerLayer2 topGradientLayer topLeftCornerLayer topRightCornerLayer CUIThemeDataEffectPreset initWithEffectData_forScaleFactor_ CUIThemeFacet _applyFixedAttributesToKey_ _approximateRenditionForRenditionKey_ _canGetRenditionForKey_withDrawingLayer_ _drawAsMaskSpecificRenditionKey_inFrame_context_alpha_operation_isFocused_ _drawMaskFromSpecificRenditionKey_inFrame_alpha_operation_isFocused_context_ _drawSlice_inFrame_withKeyAdjustment_context_ _drawSpecificRenditionKey_inFrame_context_alpha_operation_isFocused_isFlipped_effects_ _drawSpecificRenditionKey_inFrame_context_isFocused_isFlipped_effects_ _drawSpecificRenditionKey_rendition_inFrame_context_alpha_operation_isFocused_isFlipped_effects_ _hotSpot _imageForRenditionFromKey_withSize_isMask_ _initWithRenditionKey_ _initWithSystemRenditionKeyList_ _isButtonGlyph _makeLayerFromCAPackageData _setHasCheckedButtonGlyph_ _setIsButtonGlyph_ _setThemeIndex_ _sliceIndexForSlice_ofRendition_ _thumbnailSizeForRendition_ _updateSpecificRenditionKey_isFocused_owner_userInfo_ alphaWithKeyAdjustment_ blendModeAsCAFilterString blendModeAsCAFilterStringWithKeyAjustment_ blendModeWithKeyAdjustment_ copyLayerImageContentsAndCenter_ copyLayerImageContentsAndCenter_renditionKey_ drawAbsoluteAnimationFrame_destinationFrame_isFocused_context_ drawAnimationFrameMappedFrom0_1RangedValue_destinationFrame_isFocused_context_ drawAsOnePartWithSlice_inFrame_isFocused_context_effects_ drawGradientInFrame_angle_alpha_operation_isFocused_keyAdjustment_context_ drawHighlightInFrame_alpha_keyAdjustment_context_ drawHighlightInFrame_alpha_operation_keyAdjustment_context_ drawHighlightInFrame_alpha_operation_owner_userInfo_context_ drawHighlightInFrame_alpha_owner_userInfo_context_ drawHighlightInFrame_owner_userInfo_context_ drawInFrame_alpha_isFocused_context_ drawInFrame_alpha_isFocused_context_effects_ drawInFrame_alpha_isFocused_keyAdjustment_context_ drawInFrame_alpha_operation_isFocused_context_effects_ drawInFrame_alpha_operation_isFocused_keyAdjustment_context_ drawInFrame_alpha_operation_owner_userInfo_context_ drawInFrame_alpha_owner_userInfo_context_ drawInFrame_isFocused_context_ drawInFrame_isFocused_context_effects_ drawInFrame_owner_userInfo_context_ drawMaskInFrame_alpha_isFocused_keyAdjustment_context_ drawMaskInFrame_alpha_operation_isFocused_keyAdjustment_context_ drawMaskInFrame_alpha_owner_userInfo_context_ drawMaskInFrame_owner_userInfo_context_ drawPulseInFrame_pulseValue_isFocused_keyAdjustment_context_ drawPulseInFrame_pulseValue_owner_userInfo_context_ drawSegmentInFrame_isFocused_segmentType_context_effects_ gradientWithKeyAdjustment_angle_style_ hasValueSlices highlightWithSize_keyAdjustment_ hitTestAtPoint_inFrame_owner_userInfo_ imageForSlice_withKeyAdjustment_ imageForState_ imageForState_value_ imageForState_value_size_ imageForState_withValue_ imageWithKeyAdjustment_ imageWithSize_keyAdjustment_ initWithRenditionKey_fromTheme_ isValidButtonImageSource isValidButtonImageSourceForSize_ makeLayer maskForSlice_withKeyAdjustment_ maskWithSize_keyAdjustment_ renditionForSpecificKeyWrapper_ renditionMetricsWithKeyAdjustment_ renditionSliceInformationForRect_keyAdjustment_ themeRendition thumbnail thumbnailSize topLeftCapSize updateLayer_ updateLayer_effects_ CUIThemeGradient _colorFromPSDGradientColor_ _createRadialGradientImageWithWidth_height_ _initWithGradientEvaluator_colorSpace_ _newColorShaderForDistance_ _psdGradientColorStopsWithColors_locations_colorSpace_ _psdGradientColorWithColor_colorSpace_ _psdGradientOpacityStopsWithOpacities_locations_ colorLocations colorShader drawAngleGradientInRect_relativeCenterPosition_withContext_ drawFromPoint_toPoint_options_ drawFromPoint_toPoint_options_withContext_ drawInRect_angle_ drawInRect_angle_withContext_ drawRadialGradientInRect_relativeCenterPosition_withContext_ initWithColors_colorlocations_colorMidpoints_opacities_opacityLocations_opacityMidpoints_smoothingCoefficient_fillColor_colorSpace_ initWithColors_colorlocations_colorMidpoints_opacities_opacityLocations_opacityMidpoints_smoothingCoefficient_fillColor_colorSpace_dither_ interpolatedColorAtLocation_ opacityLocations CUIThemeRendition CUIThemeSchema categoryForElementDefinition_ dimensionDefinitionCountForPartDefinition_ effectDefinitionAtIndex_ effectDefinitionCount effectDefinitionWithName_ elementCategoryAtIndex_ elementCategoryCount elementDefinitionAtIndex_ elementDefinitionCount elementDefinitionWithName_ enumerateAvailableThemeAttributesInPartDefinition_usingBlock_ enumerateAvailableValuesForThemeAttribute_inPartDefinition_usingBlock_ materialDefinitionAtIndex_ materialDefinitionCount materialDefinitionWithName_ partDefinitionCountForEffectDefinition_ partDefinitionCountForElementDefinition_ partDefinitionCountForMaterialDefinition_ partDefinitionForWidgetName_ partDefinitionWithName_forElementDefinition_ schemaEffectRenditionsForPartDefinition_ schemaMaterialRenditionsForPartDefinition_ schemaRenditionsForPartDefinition_ sortedEffectDefinitionAtIndex_ sortedElementDefinitionAtIndex_ sortedMaterialDefinitionAtIndex_ widgetNameForPartDefinition_ CUIThemeSchemaEffectRendition _generateReferenceImage _initializeCoreUIOptions_ _rendererInitializationDictionary coreUIOptions initWithCoreUIOptions_forKey_ initWithCoreUIOptions_forKey_artworkStatus_ referenceImage CUIThemeSchemaLayer calculateColumLefts_rowTops_totalSize_forPartFeatures_ initWithRenditions_name_index_ renditions setRenditions_ translateFromWidthsOrHeightsToLeftsOrTops_leftsOrTops_ CUIThemeSchemaPSDLayer CUIThemeSchemaPSDLayerGroup isStart setIsStart_ CUIThemeSchemaPSDRenditionLayer rendition setRendition_ CUIThemeSchemaRendition _EstablishSizeAndLayoutRectsForManyPart_ _GetWidthOverridesForHorizontal6Part_ _copyImage_intoCanvasOfSize_anchorRight_anchorTop_ _initWithRowCount_columnCount_rowHeight_columnWidth_drawScale_drawBlock_ _initWithRowHeights_columnWidths_drawScale_drawBlock_ _initWithSolidColor_rowCount_columnCount_rowHeight_columnWidth_ _initializeDockBadge_ _initializeFromHorizontal6PartControl_ _initializeFromOnePartImage_withInfo_ _initializeFromSystemAppearance_withWidget_ _initializeFromTableViewHeaderParts_ _initializeProgressBarIndeterminate_ _initializeProgressSpinnerDeterminate_ _initializeSearchFieldCancel_ _initializeSearchFieldFind_ _initializeToEmptyImage _initializeWithGradientColors_locations_midpointLocations_angle_ _newEmptyImageWithSize_fill_ _referenceArtworkRendition _subtypeFromRenditionInfo alignBarBoundsHack_originalBarBounds_ alignmentRectangle columnSlices contentInsets defaultTemplateName dimension1 dimension1LocalizedString dimension2 dimension2LocalizedString directionLocalizedString drawingLayerLocalizedString edgeInsets_ initializeCustomWidget_ keyScale look lookLocalizedString presentationStateLocalizedString previousState previousStateLocalizedString previousValue previousValueLocalizedString renditionCoordinatesForPartFeatures_ rowSlices scaleLocalizedString sizeLocalizedString sliceRects slices stateLocalizedString stringForState_ stringForValue_ typeLocalizedString valueLocalizedString CUIThemeSchemaRenditionGroup _layerNameForDrawingLayer_ _layerNameForState_ _renditionsSortedIntoLayers addLayoutMetricsToPSDImageRef_withRendition_ addStatesAndDrawingLayersToPSDLayers_forPresentationState_ addValueOrDim1LayersToPSDLayers_forPresentationState_state_drawingLayer_ initWithRenditions_part_ mutablePSDImageRef mutablePSDImageRefColumnStyle partFeatures schemaLayersAndLayerGroups themeSchemaLayers CUIWindowFrameLayer CUMFiDeviceDiscovery deviceFoundHandler deviceLostHandler setDeviceFoundHandler_ setDeviceLostHandler_ CUMFiReadRequest CUMFiSession protocolString setProtocolString_ CUMFiWriteRequest CUMessageSession _cleanup activateHandler internalDispatchQueue invalidateHandler registerRequestHandler registerRequestID_options_handler_ sendRequestHandler sendRequestID_options_request_responseHandler_ setActivateHandler_ setInternalDispatchQueue_ setInvalidateHandler_ setRegisterRequestHandler_ setSendRequestHandler_ CUPairedPeer acl altIRK detailedDescription publicKey setAcl_ setAltIRK_ setPublicKey_ CUPairingDaemon _connectionInvalidated_ _copyIdentityWithOptions_error_ _saveIdentity_options_ _stateDump copyIdentityWithOptions_error_ copyPairedPeersWithOptions_error_ deleteIdentityWithOptions_ findPairedPeer_options_error_ removePairedPeer_options_ savePairedPeer_options_ setTestMode_ testListenerEndpoint testMode CUPairingIdentity secretKey setSecretKey_ CUPairingManager _deletePairingIdentityWithOptions_completion_ _ensureXPCStarted _findPairedPeer_options_completion_ _getPairedPeersWithOptions_completion_ _getPairingIdentityWithOptions_completion_ _interrupted _invalidated _removePairedPeer_options_completion_ _savePairedPeer_options_completion_ _showWithCompletion_ _startMonitoringWithOptions_ deletePairingIdentityWithOptions_completion_ findPairedPeer_options_completion_ getPairedPeersWithOptions_completion_ getPairingIdentityWithOptions_completion_ identityCreatedHandler identityDeletedHandler pairedPeerAddedHandler pairedPeerAdded_options_ pairedPeerChangedHandler pairedPeerChanged_options_ pairedPeerRemovedHandler pairedPeerRemoved_options_ pairingIdentityCreated_options_ pairingIdentityDeletedWithOptions_ removePairedPeer_options_completion_ savePairedPeer_options_completion_ setIdentityCreatedHandler_ setIdentityDeletedHandler_ setPairedPeerAddedHandler_ setPairedPeerChangedHandler_ setPairedPeerRemovedHandler_ setTargetUserSession_ setTestListenerEndpoint_ showWithCompletion_ startMonitoringWithOptions_ targetUserSession CUPairingSession _completed_ _receivedData_flags_ _tryPIN_ completionHandler deriveKeyWithSaltPtr_saltLen_infoPtr_infoLen_keyLen_outputKeyPtr_ fixedPIN hidePINHandler pinType promptForPINHandler receivedData_ sendDataHandler sessionType setCompletionHandler_ setFixedPIN_ setHidePINHandler_ setPinType_ setPromptForPINHandler_ setSendDataHandler_ setSessionType_ setShowPINHandler_ showPINHandler tryPIN_ CUPairingXPCConnection _entitled_state_label_ connectionInvalidated CUPersistentTimer _pcTimerFired_ _start _startPCPersistentTimer _startXPCActivity _xpcTimerFired_ date repeating setInterval_ setRepeating_ setTimerHandler_ setUseXPC_ setWakeSystem_ start timerHandler useXPC wakeSystem CUPowerSource accessoryID chargeLevel charging groupID ioKitDescription partID publish setAccessoryID_ setChargeLevel_ setCharging_ setGroupID_ setIoKitDescription_ setPartID_ setPresent_ setProductID_ setSourceID_ setTransportType_ setVendorID_ sourceID transportType updateWithPowerSourceDescription_ CUPowerSourceMonitor _handlePowerSourceFound_desc_ _handlePowerSourceLost_sourceID_ _handlePowerSourceUpdate_desc_ _updatePowerSources changeFlags powerSourceChangedHandler powerSourceFoundHandler powerSourceLostHandler setChangeFlags_ setPowerSourceChangedHandler_ setPowerSourceFoundHandler_ setPowerSourceLostHandler_ CURetrier failed failedDirect invalidateDirect startDirect succeeded succeededDirect CUState eventHandler initWithName_parent_ setEventHandler_ CUStateEvent initWithName_userInfo_ CUStateMachine _firstTimeInit dispatchEvent_ initialState setInitialState_ setStates_ states transitionToState_ CUWACSession _progress_info_ _run _runEasyConfigPostConfig _runEasyConfigPreConfig _runEasyConfigPreConfigStart _runEasyConfigProgress_info_ _runFinish _runFinishRestored_ _runJoinSoftAP _runJoinSoftAPFinished_ _runJoinSoftAPStart _runRestoreOriginalWiFi _runRestoreOriginalWiFiFinished_ _runRestoreOriginalWiFiStart _runSaveOriginalWiFi progressHandler setConfiguration_ setProgressHandler_ setWacDevice_ wacDevice CUWiFiDevice bssid deviceIEDeviceID deviceIEFlags deviceIEName ieData platformObject rawScanResult setBssid_ setDeviceIEDeviceID_ setDeviceIEFlags_ setDeviceIEName_ setIeData_ setPlatformObject_ setRawScanResult_ setSsid_ ssid CUWiFiScanner _scanWiFiFinished_status_ _scanWiFiProcessResult_ _scanWiFiStart deviceChangedHandler errorHandler scanFlags setDeviceChangedHandler_ setErrorHandler_ setScanFlags_ CUXMLRPCClient _handleResponse_data_error_identifier_responseHandler_ _requestURL_methodName_params_httpHeaders_identifier_responseHandler_ requestURL_methodName_params_httpHeaders_identifier_responseHandler_ CW8021XProfile alwaysPromptForPassword isEqualToProfile_ setAlwaysPromptForPassword_ setPassword_ setUserDefinedName_ setUsername_ userDefinedName username CWANQP3GPPCellular anqpResult cellularInfoList initWithNetwork_timestamp_anqpResult_ initWithNetwork_timestamp_type_anqpResult_ isEqualtoANQPElement_ network setAnqpResult_ setCellularInfoList_ setNetwork_ CWANQPCapabilityList setSupportsDomainName_ setSupportsNAIRealm_ setSupportsNetworkAuthenticationType_ setSupportsRoamingConsortium_ setSupportsVenueName_ supportsDomainName supportsNAIRealm supportsNetworkAuthenticationType supportsRoamingConsortium supportsVenueName CWANQPConnectionCapability protoPortList setProtoPortList_ CWANQPDomainName domainNameList setDomainNameList_ CWANQPElement CWANQPHS20CapabilityList setSupportsConnectionCapability_ setSupportsHSCapabilityList_ setSupportsHSQueryList_ setSupportsNAIHomeRealmQuery_ setSupportsOperatingClassIndication_ setSupportsOperatorFriendlyName_ setSupportsWANMetrics_ supportsConnectionCapability supportsHSCapabilityList supportsHSQueryList supportsNAIHomeRealmQuery supportsOperatingClassIndication supportsOperatorFriendlyName supportsWANMetrics CWANQPNAIRealm realmList setRealmList_ CWANQPNAIRealmEntry encodingType initWithEncodingType_realmName_ realmName setEncodingType_ setRealmName_ CWANQPNetworkAuthenticationType networkAuthTypeList setNetworkAuthTypeList_ CWANQPNetworkAuthenticationTypeEntry initWithTypeIndicator_redirectURL_ localizedTypeIndicator redirectURL setLocalizedTypeIndicator_ setRedirectURL_ setTypeIndicator_ typeIndicator CWANQPOperatorFriendlyName operatorFriendlyNameList setOperatorFriendlyNameList_ CWANQPOperatorFriendlyNameEntry initWithOperatorFriendlyName_languageCode_ setLanguageCode_ CWANQPProtoPortTuple initWithIPProtocol_portNumber_status_ ipProtocol portNumber setIpProtocol_ setPortNumber_ setStatus_ status CWANQPRoamingConsortium roamingConsortiumList setRoamingConsortiumList_ CWANQPVenueName localizedVenueGroup localizedVenueType setLocalizedVenueGroup_ setLocalizedVenueType_ setVenueGroup_ setVenueNameList_ setVenueType_ venueGroup venueNameList venueType CWANQPVenueNameEntry initWithVenueName_languageCode_ CWANQPWANMetrics downlinkLoad downlinkSpeed hasSymmetricLink isAtCapacity linkStatus loadMeasurementDuration setDownlinkLoad_ setDownlinkSpeed_ setHasSymmetricLink_ setIsAtCapacity_ setLinkStatus_ setLoadMeasurementDuration_ setUplinkLoad_ setUplinkSpeed_ uplinkLoad uplinkSpeed CWBaseStationPPPController connect dialin hangup poll pollPPPStatus pppStatus setDialin_ setPollInterval_ setPppStatus_ startPollingPPP stopPollingPPP CWChannel channelBand channelNumber channelProperties channelWidth initWithChannel_ initWithInfo_ isEqualToChannel_ CWChannelHistoryItem channel externalForm isEqualToChannelHistoryItem_ setChannel_ CWConfiguration commitForInterfaceWithName_authorization_error_ initForInterfaceWithName_ initWithConfiguration_ isEqualToConfiguration_ networkProfileWithSSID_securityType_ networkProfiles preferredNetworks rememberJoinedNetworks requireAdministratorForAssociation requireAdministratorForIBSSMode requireAdministratorForPower setNetworkProfiles_ setRememberJoinedNetworks_ setRequireAdministratorForAssociation_ setRequireAdministratorForIBSSMode_ setRequireAdministratorForPower_ CWEAPOLClient eapolClientControlMode eapolClientControlState eapolClientDomainSpecificError eapolClientStatus eapolClientSupplicantState eapolClientUUID interfaceName setInterfaceName_ startEAPOLForSSID_authenticationInfo_error_ startEAPOLForSSID_username_password_identity_remember_error_ startEAPOLWithClientItemID_authenticationInfo_error_ startEAPOLWithClientItemID_username_password_identity_remember_error_ startSystemModeEAPOLForSSID_error_ stopEAPOL userCancelledAuthentication CWIPMonitor internetReachable ipv4Addresses ipv4Available ipv4GlobalSetupConfig ipv4GlobalSetupKey ipv4GlobalStateConfig ipv4GlobalStateKey ipv4PrimaryInterface ipv4PrimaryServiceID ipv4Routable ipv4Router ipv4SetupConfig ipv4StateConfig ipv4WiFiGlobalSetupConfig ipv4WiFiGlobalStateConfig ipv4WiFiSetupConfig ipv4WiFiSetupKey ipv4WiFiStateConfig ipv4WiFiStateKey ipv6Addresses ipv6Available ipv6GlobalSetupConfig ipv6GlobalSetupKey ipv6GlobalStateConfig ipv6GlobalStateKey ipv6PrimaryInterface ipv6PrimaryServiceID ipv6Routable ipv6Router ipv6SetupConfig ipv6StateConfig ipv6WiFiGlobalSetupConfig ipv6WiFiGlobalStateConfig ipv6WiFiSetupConfig ipv6WiFiSetupKey ipv6WiFiStateConfig ipv6WiFiStateKey monitorNetworkServiceID_ queryGlobalIPv4SetupConfig queryGlobalIPv4StateConfig queryGlobalIPv6SetupConfig queryGlobalIPv6StateConfig queryNetworkReachabilityFlags queryWiFiIPv4SetupConfig queryWiFiIPv4StateConfig queryWiFiIPv6SetupConfig queryWiFiIPv6StateConfig queryWiFiNetworkServiceID reachabilityFlags setIpv4GlobalSetupKey_ setIpv4GlobalStateKey_ setIpv4WiFiGlobalSetupConfig_ setIpv4WiFiGlobalStateConfig_ setIpv4WiFiSetupConfig_ setIpv4WiFiSetupKey_ setIpv4WiFiStateConfig_ setIpv4WiFiStateKey_ setIpv6GlobalSetupKey_ setIpv6GlobalStateKey_ setIpv6WiFiGlobalSetupConfig_ setIpv6WiFiGlobalStateConfig_ setIpv6WiFiSetupConfig_ setIpv6WiFiSetupKey_ setIpv6WiFiStateConfig_ setIpv6WiFiStateKey_ setReachabilityFlags_ setWifiServiceID_ wifiServiceID CWInterface __familyScanCacheResults __mcsIndex __scanForLoginWindowModeEnterpriseNetworkWithEAPProfile_error_ __startEventMonitoring __supportedWLANChannelForChannelNumber_ __vhtMCSIndex __vhtMCSInfo acquireBluetoothPagingLockAndReply_ activePHYMode aggregateNoise aggregateRSSI associateTo8021XNetwork_error_ associateTo8021XNetwork_remember_error_ associateToEnterpriseNetwork_clientItemID_username_password_identity_error_ associateToEnterpriseNetwork_clientItemID_username_password_identity_forceBSSID_remember_error_ associateToEnterpriseNetwork_identity_username_password_error_ associateToEnterpriseNetwork_identity_username_password_forceBSSID_remember_error_ associateToLoginWindowModeEnterpriseNetworkWithEAPProfile_username_password_error_ associateToNetwork_parameters_error_ associateToNetwork_password_error_ associateToNetwork_password_forceBSSID_remember_error_ associateToPasspointNetwork_usingDomainName_error_ associateToSystemModeEnterpriseNetwork_error_ availableWLANChannels awdlOperatingMode bssidData busy busyUI cachedScanResults capabilities causedLastWake clearANQPCacheForNetwork_ clearScanCache commitConfiguration_authorization_error_ connectToTetherDevice_remember_error_ deviceAttached disableHostAPMode disassociate eapolClient enableHostAPMode enableIBSSWithParameters_error_ hardwareAddress hwSupportedWLANChannels initWithInterfaceName_ initWithInterfaceName_xpcConnection_legacyEventMonitoring_ interfaceCapabilities interfaceControlState interfaceMode interfaceState ipMonitor isAWDLRealTimeModeInProgress isAirPlayInProgress joinNetwork_reply_ lastNetworkJoined lastPowerState lastPreferredNetworkJoined lastTetherDeviceJoined maximumLinkSpeed mcsIndex monitorMode networkInterfaceAvailable networkServiceIDs noise noiseMeasurement opMode parentInterfaceName phyMode physicalLayerMode power powerOn powerSaveModeEnabled queryANQPCacheWithElements_network_maxAge_ queryANQPElements_network_maxAge_waitForWiFi_waitForBluetooth_priority_error_ queryScanCacheWithChannels_ssidList_maxAge_maxMissCount_maxWakeCount_maxAutoJoinCount_error_ relinquishBluetoothPagingLockAndReply_ restoreJoinConfigurationWithUUID_reply_ rssiValue saveJoinConfigurationAndReply_ scanForNetworksWithChannels_ssidList_legacyScanSSID_includeHiddenNetworks_mergedScanResults_maxAge_maxMissCount_maxWakeCount_maxAutoJoinCount_waitForWiFi_waitForBluetooth_priority_error_ scanForNetworksWithChannels_ssid_bssid_error_ scanForNetworksWithChannels_ssid_bssid_restTime_dwellTime_ssidList_error_ scanForNetworksWithName_error_ scanForNetworksWithParameters_error_ scanForNetworksWithSSID_error_ security securityMode securityType serviceActive setCachedLocaleTimeout_error_ setCapabilities_ setDeviceAttached_ setLastPowerState_ setPairwiseMasterKey_error_ setPower_error_ setRangeable_peers_error_ setWEPKey_flags_index_error_ setWLANChannel_error_ setWakeOnWirelessEnabled_error_ ssidData startAWDL_error_ startHostAPModeWithSSID_securityType_channel_password_error_ startHostAPMode_ startIBSSModeWithSSID_security_channel_password_error_ startRanging_timeout_error_ startWPSForNetwork_pin_remember_error_ stateInfo stopAWDL stopHostAPMode stopIBSSMode supportedISMChannels supportedPhysicalLayerModes supportedWLANChannels supportsShortGI40MHz transmitPower transmitRate txRate virtualInterfaceRole wakeOnWirelessEnabled wlanChannel CWInterfaceManager interfaceWithName_ interfaces managedInterfaces setManagedInterfaces_ CWLocationChannel scanResultsCount setScanResultsCount_ CWLocationClient __acquireCurrentLocationWithScanResults_ __performScan __restartScanning __startScanning __stopScanning __supportedLocationWiFiChannelList __updateChannelList autoJoinDidCompleteForWiFiInterfaceWithName_ autoJoinDidStartForWiFiInterfaceWithName_ countryCodeDidChangeForWiFiInterfaceWithName_ powerStateDidChangeForWiFiInterfaceWithName_ scanCacheUpdatedForWiFiInterfaceWithName_ setChannelInterval_ setScanResultsHandler_ startScanning stopScanning CWMessageTracerCache __addMTLogWithAttributes_ addAssociationMTLogWithAttributes_sampleUsingSSID_ addInternalAssociationMTLogWithAttributes_sampleUsingSSID_ addInternalMTLogWithAttributes_ addMTLogWithAttributes_ CWMutableConfiguration CWMutableNetworkProfile autoLogin bssidList captiveNetwork channelHistory collocatedGroup domainName hiddenNetwork initWithExternalForm_ initWithNetworkProfile_ isEqualToNetworkProfile_ isPasspoint isPersonalHotspot isServiceProviderRoamingEnabled lastConnected naiRealmList possiblyHiddenNetwork roamingProfileType setAutoLogin_ setBssidList_ setCaptiveNetwork_ setChannelHistory_ setCollocatedGroup_ setDisplayName_ setDomainName_ setHiddenNetwork_ setIsPasspoint_ setIsPersonalHotspot_ setIsServiceProviderRoamingEnabled_ setLastConnected_ setNaiRealmList_ setPossiblyHiddenNetwork_ setRoamingProfileType_ setSecurityType_ setSecurity_ setSsidData_ setSystemMode_ setTemporarilyDisabled_ systemMode temporarilyDisabled CWNetwork accessNetworkType accessoryFriendlyName anqpDomainID beaconInterval hasInternet hasInterworkingIE hessid ibss informationElementData initWithScanRecord_ isAdditionalStepRequiredForAccess isAppleSWAP isCarPlayNetwork isEmergencyServicesReachable isEqualToNetwork_ isIBSS isUnauthenticatedEmergencyServiceAccessible isUnconfiguredAccessory isUnconfiguredAirPlayAccessory isUnconfiguredAirPrintAccessory isUnconfiguredBaseStation_ isWiFiNetworkChargeablePublicNetwork isWiFiNetworkMetered scanRecord setScanRecord_ supportsEasyConnect supportsPHYMode_ supportsSecurity_ supportsWPS unconfiguredBaseStationName_ wirelessProfile CWNetworkProfile CWTetherDevice batteryLife deviceIdentifier deviceName initWithHotspotDevice_ isEqualToTetherDevice_ networkType setBatteryLife_ setDeviceIdentifier_ setNetworkType_ setSignalStrength_ signalStrength CWWiFiClient __interfaceWithName_ __startMonitoringEventWithType_reply_ airPlayDidCompleteForWiFiInterfaceWithName_ bssidDidChangeForWiFiInterfaceWithName_ foundTetherDevices_ interface interfaceAddedWithName_ interfaceRemovedWithName_ internal_enableTetherDevice_reply_ internal_foundTetherDevices_ internal_joinWiFiNetworkWithUserAgent_interfaceName_dialogToken_reply_ internal_setWiFiPasswordForUserKeychain_ssid_reply_ internal_showAvailableWiFiNetworks_interfaceName_ internal_showDHCPMessage_networkName_ internal_showMICErrorWithNetworkName_ internal_startBrowsingForTetherDevicesAndReply_ internal_startLoginWindowMode8021XWithProfile_username_password_interfaceWithName_reply_ internal_startUserMode8021XUsingKeychainWithSSID_interfaceWithName_reply_ internal_startUserMode8021XWithPasspointDomainName_interfaceWithName_reply_ internal_startUserMode8021XWithSSID_username_password_identity_remember_interfaceWithName_reply_ internal_stopBrowsingForTetherDevicesAndReply_ internal_userAgentWillShowJoinUIForWiFiNetwork_interfaceName_dialogToken_error_ linkDidChangeForWiFiInterfaceWithName_ linkQualityDidChangeForWiFiInterfaceWithName_rssi_transmitRate_ modeDidChangeForWiFiInterfaceWithName_ rangingReportEventForWiFiInterfaceWithName_data_error_ realTimeModeDidEndForWiFiInterfaceWithName_ realTimeModeDidStartForWiFiInterfaceWithName_ rsnHandshakeDidCompleteForWiFiInterfaceWithName_ ssidDidChangeForWiFiInterfaceWithName_ startBrowsingForTetherDevicesAndReturnError_ startMonitoringEventWithType_error_ stopBrowsingForTetherDevicesAndReturnError_ stopMonitoringAllEventsAndReturnError_ stopMonitoringEventWithType_error_ submitAWDMetric_metricID_reply_ virtualInterfaceStateChangedForWiFiInterfaceWithName_ willShowJoinUIForWiFiNetwork_interfaceName_reply_ CWWirelessProfile passphrase setPassphrase_ setSecurityMode_ setUser8021XProfile_ user8021XProfile ConnectionCompleteCallbackDispatcher connectionComplete_status_ initWithCallback_refCon_ CoreDragComponentLayer isGoingAway setGoingAway_ CoreDragDraggingLayer animationDuration animationEndTime animationFromOffset animationToOffset compositeBounds dictionaryRepresentationForIPC dragItemRef hasDraggingImage initWithDragImageDataRef_cursorLocation_ initWithIPCDictionaryRepresentation_dragInfoPtr_ originalOffset originalPosition setAnimationDuration_ setAnimationEndTime_ setAnimationFromOffset_ setAnimationToOffset_ setDragItemRef_ setOriginalOffset_ setOriginalPosition_ showAllSubLayers synchronizeDragRefWithDragInfoPtr_ CoreUI CoreUtilsNSSubrangeData initWithData_range_ CoreWiFiAppleDeviceIE bluetoothMac deviceOUI driverFriendlyIE forAssocRequest forAssocResponse forBeacon forProbeRequest forProbeResponse friendlyName generateIE_ hasInterferenceRobustness hasRemotePppoeServer initWithIE_ initWithSkeleton_ isDwdsClosedNetwork isDwdsMaster isDwdsRelay isDwdsRemote isEquivalentToIE_ isUnconfigured isWpsActive parseIE_ rawIE representedIE setBluetoothMac_ setDeviceID_ setDeviceOUI_ setForAssocRequest_ setForAssocResponse_ setForBeacon_ setForProbeRequest_ setForProbeResponse_ setFriendlyName_ setHasInterferenceRobustness_ setHasRemotePppoeServer_ setIsDwdsClosedNetwork_ setIsDwdsMaster_ setIsDwdsRelay_ setIsDwdsRemote_ setIsUnconfigured_ setIsWpsActive_ setManagementFramesWithOptionString_error_ setManufacturerName_ setRawIE_ setRawInformationElementFromHexString_error_ setSignatureLength_ setSupports24GHzWiFiNetworks_ setSupports5GHzWiFiNetworks_ setSupportsACP_ setSupportsAirPlay_ setSupportsAirPrint_ setSupportsDwdsAmpduFullSupport_ setSupportsDwdsAmpduNotSupported_ setSupportsDwdsAmpduWorkaround_ setSupportsMFiConfigurationV1_ setSupportsWow_ setSupportsWps_ signatureIE signatureLength skeleton supports24GHzWiFiNetworks supports5GHzWiFiNetworks supportsACP supportsAirPlay supportsAirPrint supportsDwdsAmpduFullSupport supportsDwdsAmpduNotSupported supportsDwdsAmpduWorkaround supportsMFiConfigurationV1 supportsWow supportsWps CoreWiFiAppleGeneralIE AppleProductID AppleProductName hasFoundRemotePPPoEServer hasLegacyWDS hasRestoreProfiles isGuestNetwork isSAWCapable isWPSActive isWPSCapable isWoWCapable setAppleProductID_ setAppleProductName_ setHasFoundRemotePPPoEServer_ setHasLegacyWDS_ setHasRestoreProfiles_ setIsGuestNetwork_ setIsSAWCapable_ setIsWPSActive_ setIsWPSCapable_ setIsWoWCapable_ setVersion_ CoreWiFiAppleP2PIE generateIE CoreWiFiAppleSWAPIE internetConnectionSharingEnabled macModelIdentifier setInternetConnectionSharingEnabled_ setMacModelIdentifier_ CoreWiFiAppleiOSIE CoreWiFiBSSCoexistenceIE CoreWiFiBSSConfig addToInterface_error_ allowAuthenticationLEAP allowAuthenticationOpen allowAuthenticationSharedKey allowKeyManagement8021X allowKeyManagementPSK allowMulticastCipherCCMP allowMulticastCipherTKIP allowMulticastCipherWEP104 allowMulticastCipherWEP40 allowPIN allowPhy80211a allowPhy80211ac allowPhy80211b allowPhy80211g allowPhy80211n allowPushbutton allowSecurityOpen allowSecurityWEP allowSecurityWPA allowSecurityWPA2 allowSecurityWPS allowUnicastCipherCCMP allowUnicastCipherTKIP allowUnicastCipherUseGroup country defaults eapolGTKRotation eapolRetryCount eapolRetryInterval removeFromInterface_error_ setAllowAuthenticationLEAP_ setAllowAuthenticationOpen_ setAllowAuthenticationSharedKey_ setAllowKeyManagement8021X_ setAllowKeyManagementPSK_ setAllowMulticastCipherCCMP_ setAllowMulticastCipherTKIP_ setAllowMulticastCipherWEP104_ setAllowMulticastCipherWEP40_ setAllowPIN_ setAllowPhy80211a_ setAllowPhy80211ac_ setAllowPhy80211b_ setAllowPhy80211g_ setAllowPhy80211n_ setAllowPushbutton_ setAllowSecurityOpen_ setAllowSecurityWEP_ setAllowSecurityWPA2_ setAllowSecurityWPA_ setAllowSecurityWPS_ setAllowUnicastCipherCCMP_ setAllowUnicastCipherTKIP_ setAllowUnicastCipherUseGroup_ setAuthenticationWithOptionString_error_ setChannelWidth_ setCountry_error_ setEapolGTKRotation_ setEapolRetryCount_ setEapolRetryInterval_ setKeyManagementWithOptionString_error_ setMulticastCipherWithOptionString_error_ setPhyModeWithOptionString_error_ setSSIDFromHexString_error_ setSSID_error_ setSecurityWithOptionString_error_ setUnicastCipherWithOptionString_error_ setUseAppleSWAPIE_ setWPSConfigurationMethodsString_error_ setWirelessPassphraseFromHexString_error_ setWirelessPassphrase_error_ setWpsDeviceName_ setWpsManufacturerName_ setWpsModelName_ setWpsModelNumber_ setWpsPIN_ setWpsSerialNumber_ updateConfig_ useAppleSWAPIE wifiSecurity wpsDeviceName wpsManufacturerName wpsModelName wpsModelNumber wpsPIN wpsSerialNumber CoreWiFiBSSIntolerantIE CoreWiFiChannel centerFrequency centerFrequency20MHz centerFrequencyHT40Above centerFrequencyHT40Below channelFlags channelFrequency channelMode completeChannelPersonality ht40ExtensionChannelAbove ht40ExtensionChannelBelow is2Dot4GHz is5GHz isAllowedACS isDisabled isRadarProne mergeChannel_ setChannelFlags_ setChannelMode_ setIsAllowedACS_ setIsDisabled_ setIsRadarProne_ setShortGI_ setSupports40MHz_ setSupports80MHz_ shortGI supports40MHz supports80MHz CoreWiFiChannelTuple firstChannel initWithTuple_withLength_ maxTxPower numChannels CoreWiFiClient IEs SSID appleDeviceIE appleGeneralIE channelInfo cleanupIEs countryIE createTime deauthReason determineMaxPhyRate determineMaximumClientRate_ doesSupportSecurityOpen doesSupportSecurityWEP doesSupportSecurityWPAEnterprise doesSupportSecurityWPAPersonal doesSupportSecurityWPS dwdsIE firstAdded htCapsIE htOperationIE iOSIE ieBuffer ifName initWithMAC_interfaceName_channel_channelFlags_rssi_noise_beaconInterval_capabilites_ies_ initWithMAC_interfaceName_channel_ies_ invalidIEs isAPSD isAssociated isCFPollRequest isCFPollable isChannelAgility isDSSSOFDM isDelayedBlockAck isESS isImmediateBlockAck isPBCC isPrivacy isQoS isShortPreamble isShortSlotTime isSpectrumManagement isWOWSleep joinTime lastUpdated leftTime linkQualityHistory mac maxClientRate maxPHYRate mergeEntries_ parseCapabilityField parseInformationElementSSID_ parseInformationElementSupportedRates_withMaximumLength_ parseInformationElementVendorSpecific_ parseInformationElement_ parseInformationElements rsnIE securityFriendlyName separateIEs setCreateTime_ setDeauthReason_ setIsAssociated_ setIsWOWSleep_ setJoinTime_ setLeftTime_ supportedRates updateLinkQuality_withTxRate_ vhtCapsIE vhtOperationIE wpaIE wpsIE CoreWiFiCountry channels compareByFrequency_channel2_ createDefaultChannelList createDefaultChannelList2Dot4GHz createDefaultChannelList5GHzHCEPTBand createDefaultChannelList5GHzISMBand createDefaultChannelList5GHzLowBand createDefaultChannelList5GHzMiddleBand createDefaultChannelList5GHzUpperBand initWithFriendlyName_withISOName_withISOCode_ isoCode isoName setChannels_ setIsoCode_ setIsoName_ sortChannelsByFrequency CoreWiFiCountryIE channelTuples regulatoryTuples CoreWiFiDWDSIE isAMPDUFullSupportOverDWDS isAMPDUNotSupportedOverDWDS isAMPDUWorkaroundOverDWDS isClosedNetworkOverDWDS setIsAMPDUFullSupportOverDWDS_ setIsAMPDUNotSupportedOverDWDS_ setIsAMPDUWorkaroundOverDWDS_ setIsClosedNetworkOverDWDS_ CoreWiFiHTCapabilitiesIE aselCapability dynamicSMPowerSaveMode extendedCapabilities fortyMHzIntolerant maximumAMSDULength mcsRates numSupportedRxSTBC paramsAMPDU parseCapabilities parseSupportedMCSSet staticSMPowerSaveMode supportedMCSSet supports20MHzShortGI supports40MHzOperation supports40MHzShortGI supportsDSSSCCK40MHz supportsGreenfield supportsHTDelayedBlockAck supportsLDPCCoding supportsLSIGTXOPProtectionSupport supportsTxSTBC transmitBeamformingCapabilities CoreWiFiHTOperationIE allowRIFS basicMCSSet dualBeacon dualCtsProtection htProtectionMode information nonHtStasPresent nongreenfieldStasPresent parseInformation pcoActive pcoPhase primaryChannel secondaryChannelOffset staChannelWidth stbcBeacon txopProtectionFullSupport CoreWiFiIE CoreWiFiInterface addInformationElement_error_ aggregateControlNoise aggregateControlRssi aggregateExtensionNoise aggregateExtensionRssi availableChannels bssStart_ bssStop_ changeInterfaceRole_error_ createInterfaceAP_error_ createInterfaceP2pClient_ createInterfaceP2pDevice_ createInterfaceP2pGO_ createInterfaceWDS_error_ currentActivePhyMode currentBSSID currentChannel currentCountryCode currentSSID currentSupportedPhyModes deleteVirtualInterface_ disableInterface_ enableInterface_ ifMAC ifParent ifRole initWithMAC_withBSDName_ isPhysical isVirtual joinBSS_error_ joinBSS_passphrase_bssid_error_ leaveBSS_ numSpatialStreams queryChannelList_ queryClientList_ queryInformationElementList_ queryVirtualInterfaceList_ removeInformationElement_error_ setPMK_error_ setPMK_forBSSID_error_ setWEPKey_keyIndex_isTX_isRX_isUnicast_isMulticast_error_ spatialStreams supports80211a supports80211ac supports80211b supports80211g supports80211n supportsAES supportsAESCCM supportsAccessPoint supportsActionFrames supportsApMode supportsAppleP2P supportsAqm supportsAwdl supportsBluetoothCoexistence supportsCKIP supportsDualBand supportsEnhancedBgScan supportsFrameBursting supportsFtVe supportsIBSS supportsMonitorMode supportsMultiSSIDScan supportsOffloadArpNdp supportsOffloadBeaconProcessing supportsOffloadChannelSwitch supportsOffloadGtk supportsOffloadKeepaliveL2 supportsOffloadRsn supportsOffloadScanning supportsOffloadTcpChecksum supportsOpportunisticRoam supportsPerChainAck supportsPowerManagement supportsRxPolling supportsShortGI160MHz supportsShortGI20MHz supportsShortGI80MHz supportsShortPreamble supportsShortSlotTime supportsTKIP supportsTKIPMIC supportsTSN supportsTxPowerManagement supportsWEP supportsWME supportsWPA supportsWPA1 supportsWPA2 supportsWakeOnWireless unitOfNoise unitOfRssi wow CoreWiFiLinkQuality initWithRSSI_withTxRate_ CoreWiFiLogging CoreWiFiMAC CoreWiFiMCS longGuardInterval20MHz longGuardInterval40MHz rateForMCSSet_channelWidth_shortGI_ setupLongGuardInterval20MHz setupLongGuardInterval40MHz setupShortGuardInterval20MHz setupShortGuardInterval40MHz shortGuardInterval20MHz shortGuardInterval40MHz CoreWiFiMCSVHT rateForMCS_channelWidth_nss_shortGI_ setup160MHz setup20MHz setup40MHz setup80MHz CoreWiFiOverlappingBSSIE CoreWiFiPMKID aa initWithPMK_withAA_withSPA_withLifetime_ pmk pmkid setAa_ setPmk_ setPmkid_ setSpa_ setTimeCreated_ setTimeLifetime_ setTimeToExpire_ spa timeCreated timeLifetime timeToExpire CoreWiFiRSNIE appendSuite_cipher_ countAKMs countUnicastCiphers generateMatchingConfig_ hasNoPairwise initWithIE_withOUI_ isPeerKeyEnabled oui parseAKM_withLength_ parseCapabilities_withLength_ parseGroupCipher_withLength_ parsePMKIDs_withLength_ parsePairwiseCipher_withLength_ parseVersion_withLength_ pmkids replayCounterGTKSA replayCounterPTKSA setAKM_ setHasNoPairwise_ setIsPeerKeyEnabled_ setMulticastCipher_ setOui_ setPmkids_ setReplayCounterGTKSA_ setReplayCounterPTKSA_ setSupportsPreAuthentication_ setUnicastCipher_ supportsPreAuthentication CoreWiFiRadiusServer CoreWiFiRegulatoryTuple coverageClass extensionIdentifier regulatoryClass CoreWiFiSKU addCountry_ addDefaultCountry_withISOName_withISOCode_ countries findCountryByFriendlyName_ findCountryByISOName_ initWithFriendlyName_withShortName_ removeCountryByFriendlyName_ setCountries_ setShortName_ shortName sortCountriesByFriendlyName CoreWiFiScanCache bssids initWithScanResults_ queryScanCacheByChannel_pruneMatches_ queryScanCacheByInterfaceName_pruneMatches_ queryScanCacheBySSID_pruneMatches_ queryScanCacheBySecurity_pruneMatches_ queryScanCacheForBSSID_ queryScanCacheForDWDS_ queryScanCacheForHiddenNetworks_ queryScanCacheForIBSS_ queryScanCacheForInfrastructure_ queryScanCacheForNamedNetworks_ queryScanCacheForUnconfiguredBaseStations_ queryScanCacheForUnconfiguredMFiDevices_ queryScanCacheForiOSHotspots_ queryScanCacheMergeSSIDs shouldAddMergedSsidScanResult_withResults_ CoreWiFiScanManager activeDwellTime activeRestMultiplier activeRestTime idleRestMultiplier idleRestTime maximumRestTime maximumScanCycles numProbeRequestsPerBundle passiveDwellTime scanCycleActiveRestMultiplier scanCycleActiveRestTime scanCycleIdleRestMultiplier scanCycleIdleRestTime setActiveDwellTime_ setActiveRestMultiplier_ setActiveRestTime_ setIdleRestMultiplier_ setIdleRestTime_ setMaximumRestTime_ setMaximumScanCycles_ setNumProbeRequestsPerBundle_ setPassiveDwellTime_ setSSIDsWithOptionString_error_ setScanCycleActiveRestMultiplier_ setScanCycleActiveRestTime_ setScanCycleIdleRestMultiplier_ setScanCycleIdleRestTime_ setSsidsOfInterest_ ssidsOfInterest startOnInterface_error_ CoreWiFiScanner channelsOfInterest initWithConfig_ setChannelsOfInterest_ CoreWiFiSecondaryChannelOffsetIE CoreWiFiSpatialStream allowAck allowThermalThrottle noiseControl noiseExtension rssiControl rssiExtension rxEnabled setAllowAck_ setAllowThermalThrottle_ setNoiseControl_ setNoiseExtension_ setRssiControl_ setRssiExtension_ setRxEnabled_ setTxEnabled_ setTxPowerOffset_ txEnabled txPowerOffset CoreWiFiVHTCapabilitiesIE csBeamformerAntennasSupported maxAMPDULengthExponent maxMCSforMaxNSS maxMPDULength maxNSS muBeamformeeCapable muBeamformerCapable plusHTCVHTCapable rxAntennaPatternConsistency rxLDPC rxSTBC shortGI80MHz shortGIFor160And80_80MHz soundingDimensions suBeamformeeCapable suBeamformerCapable supportedChannelWidthSet txAntennaPatternConsistency txSTBC vhtLinkAdaptationCapable vhtTXOPPS CoreWiFiVHTOperationIE channelCenterFrequencySegment0 channelCenterFrequencySegment1 CoreWiFiWPSCredential EAPIdentity EAPType MACAddress authenticationType enabled8021X encryptionType keyProvidedAutomatically networkIndex networkKey networkKeyIndex networks parseRawData rawTLVs setAuthenticationType_ setEAPIdentity_ setEAPType_ setEnabled8021X_ setEncryptionType_ setKeyProvidedAutomatically_ setMACAddress_ setNetworkIndex_ setNetworkKeyIndex_ setNetworkKey_ setNetworks_ CoreWiFiWPSDeviceType SMI category categoryID companyName composeForTLV initWithDeviceType_ parseDeviceType parseDeviceTypeApple parseDeviceTypeWFA rawDeviceType setCategoryID_ setCategory_ setCompanyName_ setIsValid_ setRawDeviceType_ setSMI_ setSubCategoryID_ setSubCategory_ subCategory subCategoryID CoreWiFiWPSIE tlvs CoreWiFiWPSNetwork CoreWiFiWPSTLVs EAPIdentityTLV EAPTypeTLV MACAddressTLV apChannel apChannelTLV apSetupLocked apSetupLockedTLV appSessionKey appSessionKeyTLV applicationExtension applicationExtensionTLV associationState associationStateTLV authenticationTypeFlags authenticationTypeFlagsTLV authenticationTypeTLV authenticator authenticatorTLV configMethods configMethodsTLV configurationError configurationErrorTLV confirmationURL4 confirmationURL4TLV confirmationURL6 confirmationURL6TLV connectionType connectionTypeFlags connectionTypeFlagsTLV connectionTypeTLV credentialTLV credentials decryptedSettings deviceNameTLV devicePasswordID devicePasswordIDTLV enabled8021XTLV encryptedSettings encryptedSettingsTLV encryptionTypeFlags encryptionTypeFlagsTLV encryptionTypeTLV enrolleeHash1 enrolleeHash1TLV enrolleeHash2 enrolleeHash2TLV enrolleeNonce enrolleeNonceTLV enrolleeSNonce1 enrolleeSNonce1TLV enrolleeSNonce2 enrolleeSNonce2TLV enrolleeUUID enrolleeUUIDTLV featureID featureIDTLV identity identityProof identityProofTLV identityTLV initializationVector initializationVectorTLV keyIdentifier keyIdentifierTLV keyLifetime keyLifetimeTLV keyProvidedAutomaticallyTLV keyWrapAuthenticator keyWrapAuthenticatorTLV manufacturerTLV messageCounter messageCounterTLV messageType messageTypeTLV modelNameTLV modelNumber modelNumberTLV networkIndexTLV networkKeyIndexTLV networkKeyTLV oobDevicePassword oobDevicePasswordTLV osVersion osVersionTLV parseBuffer_ parseDataElementAPChannel_withLength_ parseDataElementAPSetupLocked_withLength_ parseDataElementAppSessionKey_withLength_ parseDataElementApplicationExtension_withLength_ parseDataElementAssociationState_withLength_ parseDataElementAuthenticationTypeFlags_withLength_ parseDataElementAuthenticator_withLength_ parseDataElementConfigMethods_withLength_ parseDataElementConfigurationError_withLength_ parseDataElementConfirmationURL4_withLength_ parseDataElementConfirmationURL6_withLength_ parseDataElementConnectionTypeFlags_withLength_ parseDataElementConnectionType_withLength_ parseDataElementCredential_withLength_ parseDataElementDeviceName_withLength_ parseDataElementDevicePasswordID_withLength_ parseDataElementEHash1_withLength_ parseDataElementEHash2_withLength_ parseDataElementESNonce1_withLength_ parseDataElementESNonce2_withLength_ parseDataElementEncryptedSettings_withLength_ parseDataElementEncryptionTypeFlags_withLength_ parseDataElementEnrolleeNonce_withLength_ parseDataElementFeatureID_withLength_ parseDataElementIdentityProof_withLength_ parseDataElementIdentity_withLength_ parseDataElementInitializationVector_withLength_ parseDataElementKeyIdentifier_withLength_ parseDataElementKeyLifetime_withLength_ parseDataElementKeyWrapAuthenticator_withLength_ parseDataElementManufacturer_withLength_ parseDataElementMessageCounter_withLength_ parseDataElementMessageType_withLength_ parseDataElementModelName_withLength_ parseDataElementModelNumber_withLength_ parseDataElementNewDeviceName_withLength_ parseDataElementNewPassword_withLength_ parseDataElementOOBDevicePassword_withLength_ parseDataElementOSVersion_withLength_ parseDataElementPSKCurrent_withLength_ parseDataElementPSKMax_withLength_ parseDataElementPermittedConfigMethods_withLength_ parseDataElementPortableDevice_withLength_ parseDataElementPowerLevel_withLength_ parseDataElementPrimaryDeviceType_withLength_ parseDataElementPublicKeyHash_withLength_ parseDataElementPublicKey_withLength_ parseDataElementRFBands_withLength_ parseDataElementRHash1_withLength_ parseDataElementRHash2_withLength_ parseDataElementRSNonce1_withLength_ parseDataElementRSNonce2_withLength_ parseDataElementRadioEnabled_withLength_ parseDataElementReboot_withLength_ parseDataElementRegistrarCurrent_withLength_ parseDataElementRegistrarEstablished_withLength_ parseDataElementRegistrarList_withLength_ parseDataElementRegistrarMax_withLength_ parseDataElementRegistrarNonce_withLength_ parseDataElementRekeyKey_withLength_ parseDataElementRequestType_withLength_ parseDataElementResponseType_withLength_ parseDataElementSecondaryDeviceTypeList_withLength_ parseDataElementSelectedRegistrarConfigMethods_withLength_ parseDataElementSelectedRegistrar_withLength_ parseDataElementSerialNumber_withLength_ parseDataElementTotalNetworks_withLength_ parseDataElementUUIDE_withLength_ parseDataElementUUIDR_withLength_ parseDataElementVendorExtension_withLength_ parseDataElementVersion_withLength_ parseDataElementWEPTransmitKey_withLength_ parseDataElementWiFiProtectedSetupState_withLength_ parseDataElementX509CertificateRequest_withLength_ parseDataElementX509Certificate_withLength_ parseDecryptedSettings permittedConfigMethods permittedConfigMethodsTLV portableDevice portableDeviceTLV powerLevel powerLevelTLV primaryDeviceTypes primaryDeviceTypesTLV pskCurrent pskCurrentTLV pskMax pskMaxTLV publicKeyHash publicKeyHashTLV publicKeyTLV radioEnabled radioEnabledTLV rebootRequest rebootRequestTLV registrarCurrent registrarCurrentTLV registrarEstablished registrarEstablishedTLV registrarHash1 registrarHash1TLV registrarHash2 registrarHash2TLV registrarList registrarListTLV registrarMax registrarMaxTLV registrarNonce registrarNonceTLV registrarSNonce1 registrarSNonce1TLV registrarSNonce2 registrarSNonce2TLV registrarUUID registrarUUIDTLV rekeyKey rekeyKeyTLV requestType requestTypeTLV responseType responseTypeTLV rfBands rfBandsTLV secondaryDeviceTypes secondaryDeviceTypesTLV selectedRegistrar selectedRegistrarConfigMethods selectedRegistrarConfigMethodsTLV selectedRegistrarTLV serialNumber serialNumberTLV setApChannel_ setApSetupLocked_ setAppSessionKey_ setApplicationExtension_ setAssociationState_ setAuthenticationTypeFlags_ setAuthenticator_ setConfigMethods_ setConfigurationError_ setConfirmationURL4_ setConfirmationURL6_ setConnectionTypeFlags_ setConnectionType_ setCredentials_ setDecryptedSettings_ setDevicePasswordID_ setEncryptedSettings_ setEncryptionTypeFlags_ setEnrolleeHash1_ setEnrolleeHash2_ setEnrolleeNonce_ setEnrolleeSNonce1_ setEnrolleeSNonce2_ setEnrolleeUUID_ setFeatureID_ setIdentityProof_ setIdentity_ setInitializationVector_ setKeyIdentifier_ setKeyLifetime_ setKeyWrapAuthenticator_ setManufacturer_ setMessageCounter_ setMessageType_ setModelNumber_ setOobDevicePassword_ setOsVersion_ setPermittedConfigMethods_ setPortableDevice_ setPowerLevel_ setPrimaryDeviceTypes_ setPskCurrent_ setPskMax_ setPublicKeyHash_ setRadioEnabled_ setRebootRequest_ setRegistrarCurrent_ setRegistrarEstablished_ setRegistrarHash1_ setRegistrarHash2_ setRegistrarList_ setRegistrarMax_ setRegistrarNonce_ setRegistrarSNonce1_ setRegistrarSNonce2_ setRegistrarUUID_ setRekeyKey_ setRequestType_ setResponseType_ setRfBands_ setSecondaryDeviceTypes_ setSelectedRegistrarConfigMethods_ setSelectedRegistrar_ setSerialNumber_ setTotalNetworks_ setUpdatedDeviceName_ setUpdatedPassword_ setVendorExtensions_ setWepTransmitKey_ setWpsSetupState_ setX509CertificateRequest_ setX509Certificate_ ssidTLV totalNetworks totalNetworksTLV updatedDeviceName updatedDeviceNameTLV updatedPassword updatedPasswordTLV vendorExtensions vendorExtensionsTLV versionTLV wepTransmitKey wepTransmitKeyTLV wpsSetupState wpsSetupStateTLV x509Certificate x509CertificateRequest x509CertificateRequestTLV x509CertificateTLV CoreWiFiWakeOnWireless beaconLossTime setBeaconLossTime_ setIsEnabled_ setWakePatterns_ setWillWakeOnBeaconLoss_ setWillWakeOnDeauthenticated_ setWillWakeOnDisassociated_ setWillWakeOnMagicPattern_ setWillWakeOnNetPattern_ setWillWakeOnRetrogradeTsf_ wakePatterns willWakeOnBeaconLoss willWakeOnDeauthenticated willWakeOnDisassociated willWakeOnMagicPattern willWakeOnNetPattern willWakeOnRetrogradeTsf CoreWiFiXPCClient genericXPCQueryResponse_withKeyName_error_ genericXPCResponse_error_ handleNewXPCDictionary_ handleNotificationAssociation_onQueue_ handleNotificationAuthentication_onQueue_ handleNotificationBSSID_onQueue_ handleNotificationClientAuthorized_onQueue_ handleNotificationClientJoined_onQueue_ handleNotificationClientKicked_onQueue_ handleNotificationClientLeft_onQueue_ handleNotificationCountry_onQueue_ handleNotificationJoinState_onQueue_ handleNotificationPortEnabled_onQueue_ handleNotificationPower_onQueue_ handleNotificationRSSI_onQueue_ handleNotificationSSID_onQueue_ handleNotificationScanCache_onQueue_ handleNotificationScanCycleCompleted_onQueue_ handleNotificationScanCycleMaximum_onQueue_ handleNotificationTxRate_onQueue_ handleNotificationWPSCredentials_onQueue_ sendArrayQuery_withKeyName_error_ sendDictionaryQuery_withKeyName_error_ sendMessage_error_ sendStringQuery_withKeyName_error_ setXpcNotificationQueue_ startConnection stopConnection xpcNotificationQueue xpcStringResponse_withKeyName_error_ CoreWiFiXPCSubscription initWithPID_withProcessName_ pid processName setSubscribeAssociation_ setSubscribeAuthentication_ setSubscribeBSSID_ setSubscribeClientAuthorized_ setSubscribeClientJoined_ setSubscribeClientKicked_ setSubscribeClientLeft_ setSubscribeCountry_ setSubscribeJoinState_ setSubscribePortEnabled_ setSubscribePower_ setSubscribeRSSI_ setSubscribeSSID_ setSubscribeScanCacheAdd_ setSubscribeScanCacheRemove_ setSubscribeScanCacheUpdate_ setSubscribeScanCycleComplete_ setSubscribeScanCycleMaximum_ setSubscribeTxRate_ setSubscribeWPSCredentials_ setSubscriptions_ subscribeAssociation subscribeAuthentication subscribeBSSID subscribeClientAuthorized subscribeClientJoined subscribeClientKicked subscribeClientLeft subscribeCountry subscribeJoinState subscribePortEnabled subscribePower subscribeRSSI subscribeSSID subscribeScanCacheAdd subscribeScanCacheRemove subscribeScanCacheUpdate subscribeScanCycleComplete subscribeScanCycleMaximum subscribeTxRate subscribeWPSCredentials updateSubscriptions_ DDAbstractType _appendComponents_ appendDescription_ argument arguments computeInhabitant_ initWithConjunctionArg1_arg2_ initWithDisjunctionArg1_arg2_ initWithNameType_ initWithName_components_kind_location_ initWithOptional_ isAny isFlatName kind verboseDescription DDAtomicRegexp acceptEmptyWordWithManager_ appendDescriptionToString_depth_ appendToDescription_priority_withManager_ caseInsensitive computeTypeFromParent_withManager_ effectiveArgument humanReadableName initWithAnyChar initWithCharacter_ initWithEmptyString initWithICUPattern_ initWithRange_ initWithSimplePattern_caseInsensitive_ monElement prettyPrintWithPriority_ range setCaseInsensitive_ setHumanReadableName_ splitRegexpWithDelegate_owner_ stringPattern symbolsInGrammar_container_withManager_ DDBasicRegexp DDBindableRegexp binderInfo binderName computeTypeWithManager_ coreRegexp icuEquivalentWithManager_ initWithRegexp_binderInfo_ initWithRegexp_binder_ isSimpleExpression locationFilename locationPosition longDescription nonSkippable prettyPrint setBinderInfo_ setCoreRegexp_ setLocationFilename_position_ setNonSkippable_ splitRegexpWithDelegate_ symbolsInGrammar_withManager_ DDBinderInfo NLPToken isDummy monxmlAttributes score setNLPToken_ setScore_ setTopLevel_ setValueType_ topLevel valueType DDCompilationNote fileName firstColumn firstLine initWithFileName_firstLine_firstColumn_lastLine_lastColumn_ initWithFileName_position_ initWithFileName_position_message_level_ initWithLocation_message_level_ lastColumn lastLine message DDCompilerState _copyDescriptionOfInternalToken_ _resolveInternalNonTerminalID_ _resolveInternalTerminalID_ copyItemSetDescriptionForStateWithIndex_ copyItemSetForStateIndex_ grammar initWithGrammar_states_dotedProduction_numberOfDotedProduction_ setNonTerminalPermutation_ setPlCollection_ setTerminalPermutation_ DDConcatenationRegexp appendDescriptionToString_depth_operator_ computeTypeFromParent_withManager_kind_ initWithFirst_varArgs_ initWithSubMatchersList_ initWithSubMatchers_ initWithVarArgs_ prettyPrintWithPriority_operatorPriority_operator_ DDDictionaryError DDDisjunctionRegexp buildEffectiveArguments flattenDisjunctionInArray_ DDEmptyPatternError DDErrorRegexp DDGrammar allProductions buildNonTerminalSymbol buildNonTerminalSymbolWithName_ feedWithTopLevelExpressions_plCollection_manager_ freshNameWithBase_ grammarAsString locationString nextNonTerminalIdentifier nonTerminalSymbolForVariable_ plCollection setNonTerminalSymbol_forVariable_ terminalSymbolWithLookupTokenId_name_ terminalSymbolWithTokenId_name_ DDInvalidRangeError DDLRItem dotedProductionIndex initWithDotedProduction_ pos production productionIndex setDotedProductionIndex_ setPos_ setProduction_ setWeight_ weight DDLocation DDLookupRegexp initWithTokenId_ token DDNonTerminal _reallyAddProductionWithSymbols_location_ addProductionWithSymbols_location_ appendDescription_withIndexRef_ appendLocationDescription_withIndexRef_ asSymbols forceNonSkippable initWithName_inGrammar_ matchesEpsilon productions setForceNonSkippable_ setMatchesEpsilon_ setProductions_ setSkippable_ skippable DDOneOrMoreExp initWithPattern_ DDOperatorRegexp DDOptionalExp initWithPattern_repeatAtMost_ DDParserState addChild_ addSampleFrom_ initWithStateIndex_ isRootState numberOfSamples ratioOfTotalSamples setIsRootState_ setNumberOfSamples_ setTotalNumberOfSamples_ DDProduction checkDottedProductionIndex_ descriptionWithMarkerPos_ dottedProductions initWithSymbols_nonTerminal_ locationDescription nonTerminal numberOfDottedProduction numberOfWeakNTBeforeIndex_ recalculateWeakNTGraphAndDottedProdNumber setDottedProductions_ setSymbols_ symbols DDRegexpManager ICULexemRanges ICURulesWithMaxIdentifierRef_ _addToSearchPath_ _loadAllPatternsInLoadPaths_ _loadFromSearchPathFileWithName_error_ _loadKernelFallbackPath_ _pathsForBundle_forLanguages_ _popFileName _pushFileName_ _reallyLoadFileAtPath_error_ _setLoadPaths_ _setPathsForBundle_forLanguages_ _setPathsForBundle_locale_ _setSearchPaths_ _signatureFromXMLDocument_ _signatureWithProvider_andLanguage_andKind_ _split _tryLoadFileWithName_atPath_error_ addElementaryPattern_ addPattern_ addTypingError_ allPatterns allowsRedefinition copyLexerTableData copyLookupTableData copyRulesForIdentifier createCacheWithSignature_ createScanner createScannerWithSignature_ defaultSentinelsEnabled defineICUVariableWithName_icuExpression_ definePatternWithName_value_info_ defineTypeWithName_value_location_ dumpAll errors expressionWithName_ hasPatternWithName_ importFileWithName_error_ includedFileURLForName_ isICUVariableDefined_ loadAllFilesInDirectory_error_ loadAllPatternsForLanguages_error_ loadAllPatternsInBundle_forLanguage_error_ loadAllPatternsInBundle_forLanguages_error_ loadEverything_ loadFileWithName_fromBundle_forLocale_error_ loadString_filename_forLocale_error_ loadString_withSignature_filename_forLocale_error_ loadedXMLFiles lookupTable newDictionaryPatternWithFileName_position_ newNERRequest_ newPatternWithOptionalSourceTable_ newPatternWithString_stringType_ patternWithName_ regExpesByName ruleAcceptancePredicates setAllowsRedefinition_ setDefaultSentinelsEnabled_ setRegExpesByName_ setTypeCheckingMode_ DDRepeatCount initWithPattern_count_ DDRepeatMax DDRepeatMinMax initWithPattern_repeatAtLeast_repeatAtMost_ DDScanServer scanString_ scanString_resultsBlock_ setTimeout_ timeout DDScanServerDispatcher recycleScanner_fromList_ scannerListForType_ scannerType_sync_runTask_ DDScannerList activateScanner_ dequeueJob enqueueJob_ full getCachedScanner pushBackScanner_ scanner DDScannerObject ddResultsWithOptions_ resultsWithOptions_ DDScannerResult XMLDescription _addText_currentPos_newPos_offset_query_ cfRange contextualData coreResult dateFromReferenceDate_referenceTimezone_timezoneRef_allDayRef_ element elementWithQuery_include_ extractStartDate_startTimezone_endDate_endTimezone_allDayRef_referenceDate_referenceTimezone_ getDuration getIMScreenNameValue_type_ getMailValue_label_ getPhoneValue_label_ getStreet_city_state_zip_country_ initWithCoreResult_ matchedString offsetRangeBy_ rawValue setRange_ setSubResults_ subResults verboseElement DDStarExp DDStatsBuilder allStates flush handleState_withStack_ parserStateWithStateIndex_ rootStates DDSymbol initWithNonTerminal_ symbolType DDTokenRegexp DDTypeChecker _deepValidateSubComponentRec_ _validateCurrent_ _validateRec_ initWithTypeCollection_ validateNamedType_ validate_ DDTypeInhabitant initWithNames_ typeInhabitantByJoining_ DDUnaryOperator DDVariable initWithVariableName_ DDVariableNotFoundError DFRElement _initWithAttrs_ DFRSystemButton DFRSystemEvent initWithXPCMessage_ DSFileProgress DSFileUbiquityObserver DataDetectorsSourceAccess auditToken clientCanWriteSource_ fileForSourceRead_withReply_ fileHandleForSourceRead_ filesForSourceRead_withReply_ privacySystemWriteEntitled privacyUserReadEntitled privacyUserWriteEntitled processIdentifier pushSourcesContent_forSource_signature_ setAuditToken_ setProcessIdentifier_ writeSourceFromJSONFile_source_withReply_ writeSourceFromRawData_source_signature_withReply_ FALSE FCRExceptionUtils FCRFace additionalInfo expressionFeatures face faceLandmarkPoints faceSize faceType faceprint hasLeftEyeBounds hasMouthBounds hasRightEyeBounds leftEye mouth rightEye setAdditionalInfo_ setExpressionFeatures_ setFaceAngle_ setFaceLandmarkPoints_ setFaceSize_ setFaceType_ setFace_ setFaceprint_ setLeftEye_ setMouth_ setRightEye_ setTrackDuration_ setTrackID_ trackDuration trackID FCRFaceDetector addLandmarkOfType_fromMesh_indexes_to_image_ compareFace_toFace_error_ convertRectsToString_ createFCRFace_image_ createFCRImage_ createFaceCoreLightApiWithProfile_parameters_ createFace_image_ createImage_ detectFacesInCGImage_options_error_ detectFacesInData_width_height_bytesPerRow_options_error_ detectFacesInImage_options_error_ extractDetailsForFaces_inCGImage_options_error_ extractDetailsForFaces_inData_width_height_bytesPerRow_options_error_ extractDetailsForFaces_inImage_options_error_ initWithProfile_parameters_ interpretAsFloat_withDefault_ makeYFlippedCoordFromPoint_image_ makeYFlippedPointFromCoord_image_ makeYFlippedRectFromRect_image_ parseNumericOrBoolValue_ parseOption_value_ parseRegionOfInterestParam_ setParam_toValue_withDefaultValue_usingApi_ transformROIs_image_usingBlock_ updateDetectionParamsValues_image_ updateExtractionParamsValues_ updateFCRFace_from_image_ FCRImage getAlignedImageData initWithWidth_height_bytesPerRow_buffer_freeBufferWhenDone_ setBytesPerRow_ setHeight_ setWidth_ FCRImageConversionUtils FCRLandmark initWithType_pointCount_points_ pointCount points FINode asTNode nodeRef original FIReplicaNode init_ FITNode asTNodeObject deleteTNode releaseUnderMonitor FileReference allDataIsReceived canCreateFile_ doArchivingWithOptions_ doUnArchivingWithOptions_ fileManager_shouldProceedAfterError_ getFlag1 getFlag2 getFlag3 isArchived isFolder isPostProcessed isPreProcessed moveToFinalPathAndName moveToPathAndName_ pathAndName preArchiveName preArchivePathAndName reOpenHandle saveHandle setAllDataReceived setDeleteFileOnRelease_ setExpectedSize_ setFinalOutputPathAndName_ setFlag1_ setFlag2_ setFlag3_ setIsPostProcessed setIsPreProcessed setNeedsUnarchiving setOutputPathAndName_ setTargetIsAMac_ sizeAsString sizeReceived writeDataToHandle_ FontAssetDownloadManager assetStalled_ callProgressCallback_ doFinalMatching downloadAllowed downloadFontAssets executeDownloadingFontAssets_forDescriptors_andFontFilePaths_ getUnmatchedDescriptors initWithDescriptors_andMandatoryAttributes_withBlock_ mobileAssetsForUnmatched_andFontFilePaths_ preciousFontLanguages setDownloadOptionsForMobileAsset setGarbageCollectionBehaviorForAsset_ setProgressParam_forKey_ Foundation GSAddition _initWithStorage_andDictionary_ _refreshWithDictionary_ copyAdditionContentToURL_error_ displayNameWithError_ internalStat_ isSavedConflict mergeUserInfo_error_ nameSpace originalPOSIXName originalPOSIXNameWithError_ persistentIdentifier refreshWithError_ replaceItemAtURL_error_ sandboxExtension setDisplayName_error_ setNameSpace_error_ setOptions_error_ storage userInfoWithError_ GSClientManagedLibrary generationsRemove_error_ GSDaemonProxySync CFError handleBoolResult_error_ handleObjResult_error_ initWithXPCObject_ setError_ setResult_ GSDocumentIdentifier initWithDocumentIdentifier_ initWithFileDescriptor_forItemAtURL_allocateIfNone_error_ GSPermanentAdditionEnumerator _fetchNextBatch initWithStorage_nameSpace_withOptions_withoutOptions_ordering_ GSPermanentStorage URLforReplacingItemWithError_ _connectionWithDaemonWasLost _refreshRemoteIDWithFileDescriptor_error_ additionWithName_inNameSpace_error_ additionsWithNames_inNameSpace_error_ cleanupStagingURL_ createAdditionStagedAtURL_creationInfo_completionHandler_ documentID documentURL enumeratorForAdditionsInNameSpace_withOptions_withoutOptions_ordering_ getAdditionDictionary_error_ initWithFileDescriptor_documentID_forItemAtURL_error_ mergeAdditionUserInfo_value_error_ prepareAdditionCreationWithItemAtURL_byMoving_creationInfo_error_ privExtension pubExtension remoteID removeAdditions_completionHandler_ removeAllAdditionsForNamespaces_completionHandler_ replaceDocumentWithContentsOfAddition_preservingCurrentVersionWithCreationInfo_createdAddition_error_ replaceDocumentWithContentsOfItemAtURL_preservingCurrentVersionWithCreationInfo_createdAddition_error_ setAdditionDisplayName_value_error_ setAdditionNameSpace_value_error_ setAdditionOptions_value_error_ setDocumentURL_ setPrivExtension_ setPubExtension_ setStagingPrefix_ stagingPrefix stagingURLforCreatingAdditionWithError_ storageID transferToItemAtURL_error_ GSStagingPrefix _invalidate_ _refreshWithError_ cleanupStagingPath_ initWithDocumentID_ isStagedPath_ stagingPathforCreatingAdditionWithError_ GSStorageManager additionForItemAtURL_forPersistentIdentifier_error_ deallocateDocumentIDOfItemAtURL_error_ isItemAtURLInsidePermanentStorage_error_ isItemAtURLValidInsidePermanentStorage_error_ isPermanentStorageSupportedAtURL_error_ permanentStorageForItemAtURL_allocateIfNone_error_ persistentIdentifierInStorage_forAdditionNamed_inNameSpace_ removeTemporaryStorage_error_ stagingPrefixForDocumentID_ temporaryStorageForItemAtURL_locatedAtURL_error_ GSSystemManagedLibrary initWithURL_clientID_error_ GSTemporaryAddtionEnumerator _nextURL GSTemporaryStorage _URLForNameSpace_createIfNeeded_allowMissing_error_ __lockWithFlags_error_ _enumerateItemsAtURL_ _protectPath_ _readLock_ _unlock _unprotectPath_ _writeLock_ initWithLibraryURL_forItemAtURL_error_ libraryURL HICocoaWindowAdapter _carbonRendering _childKeyWindow _drawingHIView _enableFlushWindowWithoutPerformingFlush _focusing _requiresFlush _setCarbonRendering_ _setDrawingContext_ _setDrawingHIView_ _setFocusing_ cwFlags handleCocoaWindowEvent_callRef_ handleControlEvent_callRef_ handleEvent_callRef_ handleHICocoaViewEvent_callRef_ handleKeyboardEvent_callRef_ handleMouseEvent_callRef_ handleWindowEvent_callRef_ initWithCarbonWindowRef_ makeFirstResponderFromCarbonFocus_ postFocusChangeEventToQueue_ reconcileToCarbonWindowBounds relinquishFocus sendSuperEvent_ setCwFlags_ setSyncToViews syncToViews HICocoaWindowContentView _receivedEvent _resetEventReceivedFlag getContentHIView invalidateHICocoaViewSubViewsOf_withInvalidRect_ofView_ HIFilePresenter initForWindow_withURL_ presentedItemDidMoveToURL_ presentedItemOperationQueue presentedItemURL savePresentedItemChangesWithCompletionHandler_ HINSMenuItemProxy initWithAction_ HardcopyCableReplacement buildPDU_transaction_paramterLength_parameters_ closeConnection closeTransportConnection connectionMaximumTransferUnit decrementLocalCreditCount_ delayedRequestForCredits_ dequeueBytes_length_deQueuedBytes_ dequeuePDU enqueueBytes_length_ enqueuePDU_ flushDataQueue flushPDUQueue get1284ID_ getNewValidTransactionID handleCatastrophicError_ handleCreditOutOfSync hardReset initWithTransport_ mustEnqueuePDU nBytesInQueue numberOfRemoteCreditsGrantedSoFar openConnection openConnectionWith_ openTransportConnection pduSent_ peek_length_numberOfReadBytes_ printerStatus_ processIncomingCredits_ processNewData_length_ processPDU_transaction_paramterLength_status_parameters_ readBufferSize read_length_numberOfReadBytes_ receivePDU_ removeAllPDUsOfType_ requestCredits returnsUnusedCredits sendPDU_ setEventCallBack_refCon_ setReadBufferSize_ setTransport_ setupAndValidateTransportConnection_ softReset timerAction_ transportConnectionMaximumTransferUnit transportSendPDU_ vendCreditsToClient_ writeDataCompleted_ writeOnTransport_length_blocking_numberOfWrittenBytes_ write_length_numberOfWrittenBytes_ IMKClient _addActionFrom_toDictionary_forCarbonMenu_base_ _buildSelectorDictionaryFromMenuDict_settingCommandID_ _bumpTimeout _cancelGetServerRetry _checkSetTISCompletionBlock _createAndInstallMenuSetSelectorDictFromMenuDict_ _defaultTimeout _eventHandlerRef _getServerDOProxy _getServerRetry _getServerXPCProxyForSession_ _haveSafeServerProxy_ _inputMethodInfoDictionary _invalidateXPCConnectionEndpoint _isNonLaunchOption _isPalette _isServerRetryPending _launch_fromBundle_throughPort_usingSBExtension_ _mapKeyCodeToInputSource_modifiers_ _mapKeyCodeToInputSource_modifiers_completionHandler_ _modeMenuKeys _modeMenuKeysWithCompletionHandler_ _receiveXPCConnectionEndpoint_ _requestGetServerRetryNotifyingTarget_withSelector_ _safeServerDOProxy _selectorDictionary _senderIsInvalid_ _serverConnection _setBundleIdentifier_ _setEventHandlerRef_ _setSelectorDictionary_ _setTargetForServerRetry_ _startServer_AllowingSandboxExtension_ _targetForServerRetry _timeout _untargetFromServerRetry_ _waitingForMenu bundleIdentifier cleanTermination completionBlock currentSession fulfillServerDependentWork haveTISSelectCompletionBlock imageFileForName_ initWithBundleIdentifier_isIMKExtension_ inputMethodXPCEndpoint invalidateIMKXPCEndpointForBundleIdentifier_ invalidateServerConnection isClientServerTracing isClientServerXPCTracing isConnectionTracing isDataTracingOn isGeneralDebuggingOn isIMKExtension localizedStringForKey_ menuWithCompletionBlock_ menuWithCompletionHandler_ modes modesWithCompletionHandler_ remoteXPCProxyForSession_fromCaller_ serverDOProxy serverDiedBadly serverWillTerminate setCleanTermination_ setCompletionBlock_ setCurrentSession_ setIMKXPCEndpoint_forBundleIdentifier_ setServerDiedBadly_ setTISSelectCompletionBlock_ set_waitingForMenu_ shouldUseXPC startServerSetupForEndpoint switchedInputMode_ switchedInputMode_completionHandler_ tisSelectCompletionBlock IMKClientInvocationSentinel isMarkedDone markDone IMKClientXPCInvocation initWithTimeout_selector_ invocationAwaitXPCReply invocationInterruptXPCReply sentinel timedOut IMKEvent _eventDataDictionary _getCharacters_length_fromKeyTranslation_ _getUnmodifiedCharacters_length_fromEvent_ _unpackEventRef_ _unpackKeyboardEventRef_ _unpackMouseEventRef_ _unpackTabletEventRef_ _unpackTextInputEventRef_ addData_withName_paramType_size_ addNSData_withName_paramType_ addObject_withName_paramType_ bytesForName_size_ convertHIPointDataToNSPoint copyEventRef dataAndNames eventClass eventKind eventSeqNum eventTime objectForName_ setEventClass_ setEventKind_ setEventSeqNum_ setEventTime_ IMKInputSession _addLineInformationFromCarbonEvent_toDictionary_ _addString_toEventRef_ _adjustAttachmentAttributes_forInsertText_ _adjustChromaticIMKAttributes_forSetMarkedText_ _adjustIronwoodAttributes_forInsertText_ _adjustIronwoodAttributes_forSetMarkedText_ _adjustServerStringAttributes_forInsertText_ _adjustServerStringAttributes_forSetMarkedText_ _allowRetryOnInvalidPortException _attributesFromRangeViaGetSelectedText_completionHandler_ _attributesToHighlightStyle_fallback_isChromaticMarkedText_ _blankEvent_kind_ _closeInputPalette_withCompletionHandler_ _commitOnMouseDown_completionHandler_ _copyPaletteInputSource _copyUniCharsForRange_intoBuffer_ofLength_completionHandler_ _coreAttributesFromRange_whichAttributes_completionHandler_ _createAndSendOffsetToPointEvent_completionHandler_ _eventIsOn_completionHandler_ _glyphAttributesFromEventRef_forString_ _glyphInfoData_ _heightFromFontData_ _postEvent_completionHandler_ _showHideInputWindow_completionHandler_ _supportsDocumentAccess _unicodeTextEventFromString_ _unmarkEventFromString_ _unmarkIMKMarkedRange _updateEventFromAttributedString_pinRange_replacementRange_resultShouldUnmark_resultLength_ _updateIMKMarkedRange_markedLength_completionHandler_ activateAfterServerConnection addPendingEvent_withUniqueSeqNum_ attributedSubstringFromRange_completionHandler_ attributesForCharacterIndex_ attributesForCharacterIndex_andLineRect_completionHandler_ attributesForCharacterIndex_completionHandler_ attributesForCharacterIndex_lineHeightRectangle_ characterIndexForPoint_tracking_completionHandler_ characterIndexForPoint_tracking_inMarkedRange_ client commitComposition commitPendingInlineSession currentInputSourceBundleID deactivate deadKeyState deferredActivateHaveEventsQueued deferredActivateHaveInputSessionActionsQueued deferredActivateInputMode deferredActivatePending didActivate didCommandBySelector_ didCommandBySelector_completionHandler_ dismissFunctionRowItemTextInputView doCommandBySelector_commandDictionary_ do_coreAttributesFromRange_postEventLoopWithContext_initBlockEach_postEventCompletionEach_whileConditionBlock_finalCompletion_ enqueueDeferredActivateInputSessionAction_timestamp_withInfo_ enqueueEventForDeferredActivate_ finishSession firstRectForCharacterRange_actualRange_ firstRectForCharacterRange_completionHandler_ handleEvent_completionHandler_ hidePalettes hidePalettesAtInsertionPoint imkxpc_attributedSubstringFromRange_reply_ imkxpc_attributesForCharacterIndex_reply_ imkxpc_bundleIdentifierWithReply_ imkxpc_characterIndexForPoint_tracking_reply_ imkxpc_commitPendingInlineSessionWithReply_ imkxpc_currentInputSourceBundleIDWithReply_ imkxpc_deadKeyStateWithReply_ imkxpc_dismissFunctionRowItemTextInputViewWithReply_ imkxpc_firstRectForCharacterRange_reply_ imkxpc_hidePalettesAtInsertionPointWithReply_ imkxpc_incrementalSearchClientGeometryWithReply_ imkxpc_inputSessionDoneSleepWithReply_ imkxpc_insertText_replacementRange_validFlags_reply_ imkxpc_insertText_reply_ imkxpc_isBottomLineInputContextWithReply_ imkxpc_isDictationHiliteCapableInputContextWithReply_ imkxpc_isIncrementalSearchInputContextWithReply_ imkxpc_isPaletteTerminated_reply_ imkxpc_isTextPlaceholderAwareInputContextWithReply_ imkxpc_lengthWithReply_ imkxpc_markedRangeValueWithReply_ imkxpc_overrideKeyboardWithKeyboardNamed_reply_ imkxpc_passSanityCheckAsyncClient_ imkxpc_presentFunctionRowItemTextInputViewWithEndpoint_reply_ imkxpc_selectInputMode_reply_ imkxpc_selectedRangeWithReply_ imkxpc_setMarkedText_selectionRange_replacementRange_validFlags_reply_ imkxpc_stringFromRange_reply_ imkxpc_supportsChromaticMarkedTextWithReply_ imkxpc_supportsProperty_reply_ imkxpc_supportsTextAttachmentInsertionWithReply_ imkxpc_supportsUnicodeWithReply_ imkxpc_terminatePalette_reply_ imkxpc_uniqueClientIdentifierStringWithReply_ imkxpc_updateMenusDictionary_ imkxpc_validAttributesForMarkedTextWithReply_ imkxpc_windowLevelWithReply_ imkxpc_wouldHandleEvent_reply_ incrementalSearchClientGeometry initWithClient_document_ inputMethodXPCConnection inputSessionDoneSleep insertPlaceholderCachedWeakRef_forKey_ insertText_completionHandler_ insertText_replacementRange_ insertText_replacementRange_completionHandler_ insertText_replacementRange_validFlags_ insertText_replacementRange_validFlags_completionHandler_ invalidateAllPendingEvents invalidateClientGeometry ironwoodInputSessionPlaceholderWasInvalidated_ ironwoodInputSessionTextWasCorrected_ isBottomLineInputContext isDictationHiliteCapableInputContext isFixTSMIsFromDiscardMarkedText isIncrementalSearchInputContext isPaletteTerminated_ isTextPlaceholderAwareInputContext length_withCompletionHandler_ lookupPlaceholderCachedWeakRef_ markedRange markedRangeValue overrideKeyboardWithKeyboardNamed_ presentFunctionRowItemTextInputView presentFunctionRowItemTextInputViewWithEndpoint_completionHandler_ queuedDeferredEvents queuedInputSessionActions removePlaceholderCachedWeakRef_ replyWaitCount_decrementWithLocking replyWaitCount_incrementWithLocking replyWaitCount_lockDecrement replyWaitCount_lockIncrement replyWaitCount_testWithLocking replyWaitCount_unlock resetDeferredActivateInputSessionQueuedActions resetDeferredActivateQueuedEvents selectInputMode_ selectedRange selectedRange_withCompletionHandler_ sendInputSessionSessAction_timestamp_withInfo_ sessionConnectionIsInvalid_ setDeferredActivateHaveEventsQueued_ setDeferredActivateHaveInputSessionActionsQueued_ setDeferredActivateInputMode_ setDeferredActivatePending_ setDidActivate_ setInputMethodXPCConnection_ setMarkedText_selectionRange_replacementRange_ setMarkedText_selectionRange_replacementRange_completionHandler_ setMarkedText_selectionRange_replacementRange_validFlags_ setMarkedText_selectionRange_replacementRange_validFlags_completionHandler_ setQueuedDeferredEvents_ setQueuedInputSessionActions_ setTouchBarViewController_ setValue_forTag_ set_allowRetryOnInvalidPortException_ stringFromRange_actualRange_ stringFromRange_completionHandler_ supportsChromaticMarkedText supportsProperty_ supportsTextAttachmentInsertion supportsUnicode terminatePalette_ textInputContext touchBarViewController tryCoreAttributesFromRange_CheckForSurrogateCharacter_CopyUniCharsForRangeAdjusted_wTest_context_initialBlock_continuationBlock_ tryCoreAttributesFromRange_CheckForSurrogateCharacter_GetDocLength_CopyUniCharsForRangeAdjusted_wTest_context_nextDispatchTest_initialBlock_continuationBlock_ tryHandleEventSwitchedInputMode_eventWasHandled_continuationHandler_ tryHandleEvent_GetOffsetAndLocationForMouseEvent__withDispatchCondition_initialization_dispatchWork_postEventCompletion_continuationHandler_ tryHandleEvent_commitOnMouseDown_withDispatchCondition_dispatchWork_continuation_ tryUpdateIMKMarkedRange_withDispatchCondition_dispatchWork_continuation_ uniqueClientIdentifierString unmarkTextInClient validAttributesForMarkedText valueForTag_ valueForTag_completionHandler_ windowLevel wouldHandleEvent_completionHandler_ IMKInputSessionInvocationSentinel IMKInputSessionXPCInvocation initWithSession_selector_ IMKQueuedEventRef eventRef initWithEventRef_ IMKSecureAttributedString initWithAttributedString_ initWithCleanAttributedString_ initWithString_attributes_ IOBluetoothAudioManager WiFiClient audioDeviceConnecting audioDevicesToConnect cancelConnectToAudioDevice connectToAudioDevice connectToAudioDevice_ setAudioDeviceConnecting_ setAudioDevicesToConnect_ setWiFiClient_ IOBluetoothAutomaticDeviceSetup bluetoothDone_ bluetoothHCIControllerTerminated clearCurrentDevice currentPairingDevice deviceAppearanceTimeoutTimerFired deviceInquiryComplete_error_aborted_ deviceInquiryDeviceFound_device_ deviceInquiryDeviceNameUpdated_device_devicesRemaining_ deviceInquiryStarted_ deviceInquiryUpdatingDeviceNamesStarted_devicesRemaining_ devicePairingConnecting_ devicePairingFinished_error_ devicePairingKeypressNotification_type_ devicePairingPINCodeRequest_ devicePairingStarted_ devicePairingUserPasskeyNotification_passkey_ keyboardConnectNotification_ mouseConnectNotification_ newBluetoothHIDDeviceDisconnected_ newBluetoothHIDDevice_ pairWithNextDevice performUSBPairing registerForKeyboardNotifications registerForMouseNotifications registerForSystemSleepNotifications registerForUSBPairingNotifications setAfterPairUserAcknowledgementTimeLimit_ setInquiryLength_ setNonNULLPIN_ setNotifyOnKeyboard_ setNotifyOnMouse_ setNumberOfPairingAttemptsPerDevice_ setPreventSleepFor_ setSearchCriteria_majorDeviceClass_minorDeviceClass_ skipCurrentDevice startDeviceAppearanceTimeoutTimer startInquiry startUpdateSystemActivityTimer startUserAckTimer stopAllBluetooth_clearInquiry_clearCurrentDevice_ stopAndAcceptCurrentDevice stopAndUnPairCurrentDevice_ stopDeviceAppearanceTimeoutTimer stopInquiry stopUpdateSystemActivityTimer stopUserAckTimer systemPowerNotification_ unregisterForKeyboardNotifications unregisterForMouseNotifications unregisterForSystemSleepNotifications updateSystemActivityTimerFired_ usbHIDDeviceConnected_result_sender_device_ userAckTimerFired IOBluetoothCloudServerClient IOBluetoothConcreteUserNotification L2CAPPSM RFCOMMChannelID callback l2capNotificationRoutine_ notificationRoutine_ notificationType objcL2CAPNotificationRoutine_ objcNotificationRoutine_ objcRFCOMMNotificationRoutine_ refCon registeredObject rfcommNotificationRoutine_ setCallback_ setL2CAPPSM_ setNotificationType_ setRFCOMMChannelID_ setRefCon_ setRegisteredObject_ setSelector_ setSelfRegistered setWatchedObject_ unregister watchedObject IOBluetoothDevice AVDTPVersion AVRCPControllerVersion AVRCPTargetVersion AVRCPVersion_ BluetoothHCIAuthenticationComplete_inStatus_inAuthenticationResults_ BluetoothHCIConnectionComplete_inStatus_inConnectionResults_ BluetoothHCIRemoteNameRequestComplete_inStatus_inRemoteNameRequestResults_ HIDBootDevice HIDCountryCode HIDDeviceDictionary HIDDeviceSubclass HIDNormallyConnectable HIDProfileSupported HIDQoSLatency HIDReconnectInitiate HIDSSRHostMaxLatency HIDSSRHostMinTimeout HIDServiceRecord HIDSupervisionTimeout HIDSupportsRemoteWake HIDSupportsVirtualCable PnPClientExecutableURL PnPDocumentationURL PnPProductID PnPSDPRecord PnPServiceDescription PnPSpecificationID PnPSupported PnPVendorID PnPVendorIDSource PnPVersion SCOConnectionHandle _performSDPQuery_uuids_ addBluetoothDUNPort_ addBluetoothSerialPort_ addSerialPortForDevice_ addToFavorites addressType appleAccessoryServerServiceRecord appleAccessoryServiceRecord appleSupportFeatures appleSupportFeaturesVersion attributeObjectForKey_ audioCodecString_ audioDeviceID_ autoconfigureServices batteryLevel_ batteryPercentCase batteryPercentCombined batteryPercentLeft batteryPercentRight batteryPercentSingle buttonMode callConnectionCompleteCallback_ callConnectionCompleteCallback_status_ capabilityMask channelReadyToReceiveData_ checkRetainCount closeConnectionWhenIdle closeKernelConnection codecType compareNamesAndAddresses_ compareNoNamesFirst_ comparePreferredFirstThenNamed_ configuredServices connectionComplete connectionHandle connectionMode connectionModeInterval destroyConnection destroyRFCOMMChannel_ destroyServerConnection deviceClassMajor deviceClassMinor deviceWasUpdated_ establishKernelConnection forceRemove getAddress getAddressNSData getAddressString getClassOfDevice getClockOffset getConnectionHandle getDeviceClassMajor getDeviceClassMinor getDeviceRef getDisplayName getEncryptionMode getIOService getKey getL2CAPObjectsWithPSM_ getLastInquiryUpdate getLastNameUpdate getLastServicesUpdate getLinkType getMacAttributesDictionary getName getNameOrAddress getPageScanMode getPageScanPeriodMode getPageScanRepetitionMode getRemoteVersionInfo_lmpVersion_lmpSubversion_ getServiceClassMajor getServiceRecordForUUID_ getServices handsFreeAudioGatewayDriverID handsFreeAudioGatewayServiceRecord handsFreeDeviceDriverID handsFreeDeviceServiceRecord headsetAudioGatewayServiceRecord headsetBattery headsetDeviceServiceRecord highPriority inEar inEarDetect initWithAddress_ initWithIOService_ initWithIOService_address_ inputAudioDeviceID inquiryRSSI instantiateChannelContinue_findExisting_newChannel_ instantiateChannel_findExisting_newChannel_ ioServiceAdded_ ioServiceTerminated_ isA2DPSink isA2DPSource isAddressRandomResolvable isAppleAccessoryServer isAppleDevice isAudioSink isBRPaired isConfigured isConfiguredHIDDevice isConnecting isConnnectionLLREnabled isFavorite isHandsFreeAudioGateway isHandsFreeDevice isHeadsetAudioGateway isHeadsetDevice isInEarDetectionSupported isIncoming isInitiator isL2CAPPSMInUse_isIncoming_ isLEPaired isLowEnergyConnection isLowEnergyDevice isLowEnergyDeviceHID2 isMCPaired isMac isMagicCloudPairingCapable isPluggedOverUSB isPointingDevice isRFCOMMChannelInUse_isIncoming_ isRecent isSpecialMicrosoftMouse isTBFCCapable isTBFCPageCapable isTBFCSuspended isiCloudPaired isiPad isiPhone l2capChannels lastBytesReceivedTimestamp lastBytesSentTimestamp lastNameUpdate linkLevelEncryption magicCloudPairedPaired matchesSearchAttributes_ignoreDeviceNameIfNil_ maxACLPacketSize micMode midPriority nameOrAddress newMatchingDictionary openConnection_ openConnection_withPageTimeout_authenticationRequired_ openConnection_withPageTimeout_authenticationRequired_allowRoleSwitch_ openConnection_withPageTimeout_authenticationRequired_allowRoleSwitch_forPairing_ openL2CAPChannelAsync_withPSM_delegate_ openL2CAPChannelAsync_withPSM_withConfiguration_delegate_ openL2CAPChannelSync_withPSM_delegate_ openL2CAPChannelSync_withPSM_withConfiguration_delegate_ openL2CAPChannel_findExisting_newChannel_ openRFCOMMChannelAsync_withChannelID_delegate_ openRFCOMMChannelSync_withChannelID_delegate_ openRFCOMMChannel_channel_ outputAudioDeviceID performSDPQuery_ performSDPQuery_uuids_ primaryBud primaryInEar rawRSSI recentAccessDate registerForDisconnectNotification_selector_ registerForServiceRemovalNotification remoteNameRequest_ remoteNameRequest_withPageTimeout_ removeAttributeObjectForKey_ removeFromFavorites removeLinkKey rename_ requestAuthentication requiresAuthenticationEncryption_ sdpQueryComplete_status_ secondaryInEar sendL2CAPEchoRequest_length_ sendL2CAPEchoRequest_length_withFlags_ serviceClassMajor serviceForDevice serviceMask setAddressType_ setAllowedPacketTypes_ setAttributeObject_forKey_ setBatteryPercentCase_ setBatteryPercentCombined_ setBatteryPercentLeft_ setBatteryPercentRight_ setBatteryPercentSingle_ setButtonMode_ setCapabilityMask_ setClassOfDevice_ setClockOffset_ setCodecType_ setConnecting_ setConnectionHandle_ setConnectionInfo_linkType_encryptionMode_ setHeadsetBatteryPercent_ setHighPriority_ setIOService_ setInEarDetect_ setInEar_ setInquiryRSSI_ setLastNameUpdate_ setLowEnergyDeviceHID2_ setLowEnergyDevice_ setMagicCloudPairedPaired_ setMaxACLPacketSize_ setMicMode_ setMidPriority_ setPageScanMode_ setPageScanPeriodMode_ setPageScanRepetitionMode_ setPrimaryBud_ setPrimaryInEar_ setRemoteVersionInfo_lmpVersion_lmpSubversion_ setSecondaryInEar_ setServiceMask_ setSupervisionTimeout_ setTraceLoggingEnabled_ shortDescription shouldHideDevice totalBytesReceived totalBytesSent traceLoggingEnabled triggerTraceLog unregisterForServiceRemovalNotification updateFromAttributeDict_ updateFromNewIOService_ updateFromServer updateInquiryInfo_lastUpdate_ updateName_lastUpdate_ updateName_lastUpdate_postNotification_ updateServiceMask updateServicesArchive_lastUpdate_ updateServices_lastUpdate_ IOBluetoothDeviceExpansion authenticationRequired authenticationRetried channelBeingOpened connecting connectionRetried findExisting headsetBatteryPercent lmpSubversion lmpVersion lowEnergyDevice lowEnergyDeviceHID2 nameComplete openConnectionTarget psm remoteNameRequestTarget setAuthenticationRequired_ setAuthenticationRetried_ setChannelBeingOpened_ setConnectionRetried_ setFindExisting_ setLmpSubversion_ setLmpVersion_ setNameComplete_ setOpenConnectionTarget_ setPsm_ setRemoteNameRequestTarget_ IOBluetoothDeviceInfoGatherer ATCommandTimerFired clearAllData deviceInfoGatheringComplete getIMSI getManufacturer getModelNumber getPhoneGMI getPhoneGMM getRevision initWithDevice_progressSelector_andTarget_ postProgressToTarget_ processNextPhoneQuery rfcommChannelClosed_ rfcommChannelData_data_length_ rfcommChannelOpenComplete_status_ setGetATCommandInfo_ setGetSDPInfo_ setOnlyGetSDPInfo_ setProgressSelector_andTarget_ startATCommandTimeout startDeviceInfoGathering startDeviceInfoGatheringDelayed_ startSDPQuery stopATCommandTimeout IOBluetoothDeviceInquiry addInquiryResult_ addInquiryToDaemon clearFoundDevices deviceFound_classOfDevice_rssi_eirDictionary_ deviceInquiryNameRequestUpdateStarted_devicesRemaining_ deviceInquiryStarted deviceInquiryUpdatingDeviceNamesStarted_ deviceNameUpdated_devicesRemaining_ foundDevices initWithDelegate_ inquiryComplete_ inquiryLength inquiryMaxResults removeInquiryFromDaemon returnDuplicates rssiThreshold searchAttributes searchType searchUUIDs searchesUntilCancelled setCurrentActivity_ setInquiryMaxResults_ setNameRequestPriorityHintType_ setReturnDuplicates_ setRssiThreshold_ setSearchAttributes_ setSearchType_ setSearchUUIDs_ setSearchesUntilCancelled_ setUpdateNewDeviceNames_ startInquiryInDaemon stop stopInquiryInDaemon updateDaemonInquiryAttributes updateNewDeviceNames IOBluetoothDeviceInquiryCSupportObject initWithRefCon_ IOBluetoothDeviceInquiryExpansion joinedToDaemon setJoinedToDaemon_ IOBluetoothDeviceManager connectionDied_ IOBluetoothDevicePair BluetoothHCIEventNotificationMessage_inNotificationMessage_ connectionCompleteContinue_ connectionCompleteContinue_status_ connectionPageTimeout l2capChannelClosed_ l2capChannelData_data_length_ linkKeyRequest_ openPairingConnection pinCodeRequest_ replyPINCode_PINCode_ replyUserConfirmation_ setAppleDeviceName_ setConnectionPageTimeout_ simplePairingComplete_status_ userConfirmationRequest_numericValue_ userPasskeyNotification_passkey_ IOBluetoothDevicePairExpansion Q6BDAddrRange bluetoothHIDDeviceController hostController isNeuroSwitch isNonSSPKeypressNotificationCapable isPolyVision isWiiRemote isWiiUProController pageTimeout setBluetoothHIDDeviceController_ setHostController_ setIsNeuroSwitch_ setIsNonSSPKeypressNotificationCapable_ setIsPolyVision_ setIsWiiRemote_ setIsWiiUProController_ setPageTimeout_ setQ6BDAddrRange_ setSupportsAuthentication_ supportsAuthentication IOBluetoothHandsFree SMSMode addAudioListeners codecID connectSCO connectSCOAfterSLCConnected createIndicator_min_max_currentValue_ decodeNumber_isSCA_type_ decodePDU_ decodeUserData_userData_length_ deviceCallHoldModes deviceRFCOMMChannelID deviceServiceRecord deviceSupportedFeatures deviceSupportedSMSServices disconnectAfterDisconnectingSCO disconnectSCO driverID encodeNumber_ encodePDU_message_ encodeUserData_ handleDeviceDisconnectedNotification_ handleIncomingRFCOMMChannelOpened_channel_ handsFreeState hasData_ indicatorDictionary_ indicator_ initWithDevice_delegate_ inputDeviceID inputVolume isInputMuted isOutputMuted isSCOConnected isSMSEnabled lastUpdatedInputVolume lastUpdatedOutputVolume openRFCOMMChannel outputDeviceID outputVolume parseList_ previousInputVolume previousOutputMuted previousOutputVolume processIncomingData_length_ readOctet_ removeAudioListeners rfcommChannel rfcommChannelNotification sendInputVolume sendOutputVolume setCodecID_ setConnectSCOAfterSLCConnected_ setDeviceCallHoldModes_ setDeviceRFCOMMChannelID_ setDeviceSupportedFeatures_ setDeviceSupportedSMSServices_ setDisconnectAfterDisconnectingSCO_ setHandsFreeState_ setIndicator_value_ setInputMuted_ setInputVolume_ setLastUpdatedInputVolume_ setLastUpdatedOutputVolume_ setOutputMuted_ setOutputVolume_ setPreviousInputVolume_ setPreviousOutputMuted_ setPreviousOutputVolume_ setRfcommChannelNotification_ setRfcommChannel_ setSCOConnectionHandle_ setSMSEnabled_ setSMSMode_ setStatusIndicators_ setSupportedFeatures_ setXaplSent_ statusIndicators stripParenthesis_ xaplSent IOBluetoothHandsFreeAudioGateway batteryLevel dockState expansion handleSiriAppear handleSiriDisappear indicatorEventReporting indicatorMode processATCommand_ processAppleCommand_ processAppleEvent_ processEventReporting_ processMicVolumeChange_ processSpeakerVolumeChange_ sendCurrentStatusValues sendOKResponse sendResponse_ sendResponse_withOK_ sendStatusMapping sendSupportedFeatures_ setBatteryLevel_ setDockState_ setExpansion_ setIndicatorEventReporting_ setIndicatorMode_ IOBluetoothHandsFreeAudioGatewayExpansion IOBluetoothHandsFreeDevice SCOInputBuffer SCOOutputBuffer SMSMode_ VPIOUnit acceptCall acceptCallOnPhone addHeldCall callTransfer commandComplete_ configureVPAU currentCallList dialNumber_ driverConnect endCall fill_timeStamp_busNumber_numberFrames_outputBuffer_ holdCall memoryDial_ outputBufferList outstandingCommand outstandingCommandTimer placeAllOthersOnHold_ prevInputSampleTime prevOutputSampleTime processCallHoldModes_ processCurrentCall_ processIndicatorEvent_ processIndicatorMapping_ processIndicatorStatus_ processLineIdentificationNotification_ processMessageModes_ processMessageNotificationCMTI_ processMessageNotificationCMT_ processMessageService_ processReadMessageCMGR_ processResultCode_ processSubscriberNumber_ receiveVoiceProcessedData_timeStamp_busNumber_numberFrames_outputBuffer_ redial rejectSCOConnection releaseActiveCalls releaseCall_ releaseHeldCalls ringAttempt saveToFile_bufferSize_ sendATCommand_ sendATCommand_timeout_selector_target_ sendDTMF_ sendPendingATCommand sendSMS_message_ setDriverConnect_ setOutputBufferList_ setOutstandingCommandTimer_ setOutstandingCommand_ setPrevInputSampleTime_ setPrevOutputSampleTime_ setRejectSCOConnection_ setRingAttempt_ setSCOInputBuffer_ setSCOOutputBuffer_ setVPIOUnit_ slcConnected_ startConfiguration subscriberNumber teardownVPAU timeout_ transferAudioToComputer transferAudioToPhone IOBluetoothHandsFreeDeviceExpansion IOBluetoothHandsFreeExpansion IOBluetoothHardcopyCableReplacement deviceHCRPServiceRecord l2capChannelOpenComplete_status_ l2capChannelWriteComplete_refcon_status_ printer printer1284ID printerDisconnected_forDevice_ reallocBufferForOutgoingDataForMore_length_ setPrinter1284ID_ setPrinter_ startOpenForL2CAPTransports_ writeOnTransportBlocking_length_numberOfWrittenBytes_ writeOnTransportNonBlocking_length_numberOfWrittenBytes_ IOBluetoothHeadsetAudioGateway IOBluetoothHostController IOBluetoothHostControllerExpansion delegateClassString outstandingRequests setDelegateClassString_ setOutstandingRequests_ IOBluetoothL2CAPChannel PSM channelStateIsClosed channelStateIsOpen closeChannel configureChannel_ configureMTU_maxIncomingMTU_ createQueue destroyQueue getDevice getIncomingMTU getL2CAPChannelRef getLocalChannelID getObjectID getOutgoingMTU getPSM getRemoteChannelID handleMachMessage_ incomingMTU instantiateOnDevice_ localChannelID logDescription_ outgoingMTU processIncomingData_ registerForChannelCloseNotification_selector_ registerIncomingDataListener_refCon_ registerIncomingEventListener_refCon_ remoteChannelID requestRemoteMTU_ setDelegate_withConfiguration_ setObjectID_ setPSM_ startStopFlow_ waitforChanneOpen writeAsync_length_refcon_ writeSync_length_ write_length_ IOBluetoothL2CAPChannelExpansion configDictionary setConfigDictionary_ IOBluetoothLocalSDPServiceRecord getAttributeDataElement_ getAttributes getL2CAPPSM_ getLocalAttributeDictionary getLocalAttribute_ getNameOfService getRFCOMMChannelID_ getSDPServiceRecordRef getServerAttributeDictionary getServiceName getServiceRecordHandle_ handsFreeSupportedFeatures hasServiceFromArray_ incomingL2CAPChannel_channel_ incomingRFCOMMChannel_channel_ initWithServerAttributeDictionary_localAttributeDictionary_ initWithServiceDictionary_device_ isPersistent launchApp_objectID_ matchesSearchArray_ matchesUUID16_ matchesUUIDArray_ registerForIncomingChannelNotifications removeServiceRecord serviceUUID setAttributes_ setSortedAttributes_ shouldVendServiceForUser_ sortedAttributes uniqueClientPerDevice uniqueClientPerService unregisterForIncomingChannelNotifications usesL2CAPPSM_ usesRFCOMMChannelID_ IOBluetoothNSCUserNotification deliverNotification_ initWithCallback_refCon_name_object_ initWithName_object_ IOBluetoothNSObjCUserNotification initWithObserver_selector_name_object_ IOBluetoothNSUserNotification IOBluetoothNotification invokeCallbackWithData_dataSize_class_subClass_ setClass_subClass_callback_userRefCon_ IOBluetoothOBEXSession OBEXAbortResponse_optionalHeaders_optionalHeadersLength_eventSelector_selectorTarget_refCon_ OBEXAbort_optionalHeadersLength_eventSelector_selectorTarget_refCon_ OBEXConnectResponse_flags_maxPacketLength_optionalHeaders_optionalHeadersLength_eventSelector_selectorTarget_refCon_ OBEXConnect_maxPacketLength_optionalHeaders_optionalHeadersLength_eventSelector_selectorTarget_refCon_ OBEXDisconnectResponse_optionalHeaders_optionalHeadersLength_eventSelector_selectorTarget_refCon_ OBEXDisconnect_optionalHeadersLength_eventSelector_selectorTarget_refCon_ OBEXGetResponse_optionalHeaders_optionalHeadersLength_eventSelector_selectorTarget_refCon_ OBEXGet_headers_headersLength_eventSelector_selectorTarget_refCon_ OBEXPutResponse_optionalHeaders_optionalHeadersLength_eventSelector_selectorTarget_refCon_ OBEXPut_headersData_headersDataLength_bodyData_bodyDataLength_eventSelector_selectorTarget_refCon_ OBEXSetPathResponse_optionalHeaders_optionalHeadersLength_eventSelector_selectorTarget_refCon_ OBEXSetPath_constants_optionalHeaders_optionalHeadersLength_eventSelector_selectorTarget_refCon_ addIncompletePacketData_length_ channelID clientHandleIncomingData_ getAvailableCommandPayloadLength_ getAvailableCommandResponsePayloadLength_ getBufferedPacketData_ getCurrentOBEXCommandData_ getMaxPacketLength getPathOfFileAsPeerToApp_ getRFCOMMChannel getRFCOMMChannelID handleDesegmentation_dataLength_completePacket_ hasDataFromPreviousPacket hasOpenOBEXConnection hasOpenTransportConnection initWithDevice_channelID_ initWithIncomingRFCOMMChannel_eventSelector_selectorTarget_refCon_ initWithSDPServiceRecord_ isSessionTargetAMac logDataToAFile_data_dataLength_ myOpenTransportCallback_status_ openTransportConnection_selectorTarget_refCon_ resetCurrentOBEXCommandData resetIncompletePacketBuffer restartTransmission rfcommChannelQueueSpaceAvailable_ rfcommChannelWriteComplete_refcon_status_ sendBufferTroughChannel sendCommandFormatted_format_ sendDataToTransport_dataLength_ serverHandleIncomingData_ setChannelID_ setEventCallback_ setEventRefCon_ setEventSelector_target_refCon_ setHasOpenOBEXConnection_ setIncompletePacketInfo_responseCode_ setOBEXSessionOpenConnectionCallback_refCon_ setOpenTransportConnectionAsyncSelector_target_refCon_ IOBluetoothObject IOBluetoothPreferences BRPairedDevices LEPairedDevices MagicCloudPairedDevices OBEXBrowseConnectionHandling OBEXBrowseRootDirectory OBEXFTPRequiresPairing OBEXFileHandling OBEXFileTransferAllowsDelete OBEXObjectPushRequiresPairing OBEXOtherDataDisposition OBEXPushDestinationDirectory _setPoweredOn_ addFavoriteDevice_ addLaunchableApplication_ attributesForDevice_ autoSeekKeyboard autoSeekPointingDevice configuredDevices deviceAccessTimes deviceCache disableUIServerLegacyPairingConfirmation disableUIServerSSPConfirmation disallowRoleSwitchDevices discoverable favoriteDevices fileTransferServicesEnabled hidDevices idsPairedDevices idsPairedDevicesForUser isServer launchableApplications loggingEnabled pairedDevices panDevices postPreferencesChangedNotification poweredOn remoteWakeEnabled removeFavoriteDevice_ removeLaunchableApplication_ safeToPowerOff_ serialDevices setAutoSeekKeyboard_ setAutoSeekPointingDevice_ setDefaultInquiryTime_ setDiscoverable_ setFileTransferServicesEnabled_ setInquiryThreshold_ setIsLocked_ setLoggingEnabled_ setOBEXBrowseConnectionHandling_ setOBEXBrowseRootDirectory_ setOBEXFTPRequiresPairing_ setOBEXFileHandling_ setOBEXFileTransferAllowsDelete_ setOBEXObjectPushRequiresPairing_ setOBEXOtherDataDisposition_ setOBEXPushDestinationDirectory_ setPoweredOn_ setPreference_forKey_ setRemoteWakeEnabled_ setWasUpdated_ systemPreferenceForKey_ updateDeviceAccessTime_ updatePreferencesInBlued usbBluetoothDevices userReallyWantsBTOff wasUpdated IOBluetoothRFCOMMChannel channelState channelStateIsClosing channelStateIsOpening getChannelID getL2CAPChannel getMTU getRFCOMMChannelRef isInitiatorLocal isTransmissionPaused openChannel pauseTransmission_ sendCommand_ sendMSCOnBadChannel_ sendRemoteLineStatus_ sendTestByte_ setL2CAPChannel_ setSerialParameters_dataBits_parity_stopBits_ updateReleationships_ writeSimple_length_sleep_bytesSent_ write_length_sleep_ IOBluetoothRFCOMMConnection actOnNewConnection_ createNewChannel_channel_ destroyChannel_ IOBluetoothSDPDataElement containsDataElement_ containsValue_ encodeDataElement_ getArrayValue getDataValue getEncodedSize getHeaderSize getNumberValue getSDPDataElementRef getSize getSizeDescriptor getStringValue getTypeDescriptor getUUIDValue getValue initWithBytes_maxLength_ initWithElementValue_ initWithType_sizeDescriptor_size_value_ promoteUUID_length_ readHeaderData_maxLength_ replaceValue_ updateFixedSizeDescriptor updateFromArrayValue_ updateVariableSizeDescriptor IOBluetoothSDPServiceAttribute compareAttributeID_ encodeAttribute_ getAttributeID getDataElement getIDDataElement initWithID_attributeElementValue_ initWithID_attributeElement_ IOBluetoothSDPServiceRecord IOBluetoothSDPUUID getSDPUUIDRef getUUIDWithLength_ initWithUUID16_ initWithUUID32_ isEqualToUUID_ IOBluetoothSerialPort RFCOMMChannel bsdPortType deviceAddress deviceAddressString deviceServiceName encryptionRequired inUse originalName serialEntryName serviceDictionary setAttributesFromServiceRecord_ setBSDPortType_ setDeviceAddress_ setDeviceServiceName_ setEncryptionRequired_ setOriginalName_ setPropertiesFromDictionary_ setRFCOMMChannel_ setServiceDictionary_ setServiceRecordWithDefaultSerialPortSDPPlist setServiceRecordWithSDPPlist_ setShowsInNetworkPreferences_ setTTYName_ showsInNetworkPreferences ttyName IOBluetoothSerialPortManager IOBluetoothTransferProgress getByteTransferRate getBytesTotal getBytesTransferred getEstimatedTimeRemaining getEstimatedTimeRemainingDate getRemainingBytes getStartTime getTimeElapsed getTransferPercentage initWithTotalBytes_ moreBytesTransferred_ setBytesRemaining_ setBytesTransferred_ setDeterminateThreshold_ setPercentDone_ setSecondsRemaining_ setTotalBytes_ setTransferRate_ setTransferState_ transferState updateUI IOBluetoothUserNotification IORegistryObjectNotifier initForObjectsOfClass_ initForObjectsOfClass_observer_selector_ objectConnected_ objectDisconnected_ releaseAllPorts removeAllObservers setConnectObserver_selector_ setDisconnectObserver_selector_ setupNotificationPort IOSurface allAttachments allocationSize allowsPixelSizeCasting attachmentForKey_ baseAddressOfPlaneAtIndex_ bytesPerElement bytesPerElementOfPlaneAtIndex_ bytesPerRowOfPlaneAtIndex_ decrementUseCount elementHeight elementHeightOfPlaneAtIndex_ elementWidth elementWidthOfPlaneAtIndex_ heightOfPlaneAtIndex_ incrementUseCount initWithClientBuffer_ initWithProperties_ initWithSurfaceID_ isInUse localUseCount lockWithOptions_seed_ planeCount removeAllAttachments removeAttachmentForKey_ setAllAttachments_ setAttachment_forKey_ unlockWithOptions_seed_ widthOfPlaneAtIndex_ IPMDEventParameter addObjectToArray_ dataObject dataPtr eventSize initWithData_type_size_ initWithNSData_type_size_ initWithNSValue_type_size_ initWithObject_type_size_ IPMDFontRange ISBindingImageDescriptor binding checkValidationToken_ enumerateIconResourceInfoWithOptions_block_ initWithBinding_size_scale_options_ initWithSize_scale_options_ isAsyncRequest isImageNullable resourceUUID setAsyncRequest_ validationToken ISCompositor addFilter_ addResource_ bitmapData bitmapScale bitmapSize bitmapSizeRange composite initWithSize_scale_ ISCompositorImage initWithImage_sizeRange_ sizeRange ISGenerateImageOp __ _activity _copyCompletionBlock _effQoS addDependency_ dependencies findInStore generateImageWithCompletion_ generatedScale generatedSize iconCache imageData imageDataUUID imageDescriptor initWithIconCache_imageDescriptor_ isCancelled isConcurrent isExecuting isFinished main optimumSizeRange qualityOfService queuePriority removeDependency_ resourceWithResourceInfo_ setQualityOfService_ setQueuePriority_ setThreadPriority_ threadPriority waitUntilFinished waitUntilFinishedOrTimeout_ ISICNSCompositorResource imageForDrawingAtSize_scale_variantFlags_ initWithData_variantFlags_ initWithURL_variantFlags_ variantFlags ISIconCache _copyCachedCGImageForImageDescriptor_ _createCGImageWithData_UUID_addToCache_ _fetchImageForImageDescriptor_completionBlock_ cacheName cachePath connection copyImageForBinding_size_scale_options_ imageCache imageForBinding_size_scale_options_completion_ imageWithDescriptor_completion_ initWithCacheName_ serviceName storeIndex waitForInitializationToComplete ISIconCacheService clearCacheWithCompletion_ enqueueGeneratorOperation_ fetchCachePathWithCompletion_ fetchImageDataDescriptor_completion_ initWithServiceName_configuration_ operationQueue ISImage _getImageBuffer_size_ _header copyCGImageBlockSetWithProvider_ hasData ISImageDescriptor ISMutableStoreIndex _extend addValue_forKey_ enumerateValuesForKey_bock_ enumerateValuesWithBock_ indexFileURL initWithStoreFileURL_ initWithStoreFileURL_capacity_ initialCapacity performBlock_ queryStoreIndexWithUUID_size_scale_match_ removeAll removeValueForKey_passingTest_ removeValuePassingTest_ serialQueue ISOperationBase ISPrefsCache _handleDefaultChangeNotification_ focusRingTint ISResourceProxyCompositorResource initWithResourceProxy_ ISResourceProxyImageDescriptor initWithResourceProxy_size_scale_options_ initWithResourceProxy_variant_ resourceProxy useVariant variant ISStore addUnitWithData_ addUnitWithLength_dataProvider_ initWithDomain_ removeUnitForUUID_ storeURL unitForUUID_ ISStoreIndex ISStoreService addData_withUUID_domain_completion_ fetchCachePathForDomain_completion_ initWithServiceName_storeURL_ initializeStoreDirectory removeAllData removeAllDataThrottled ISStoreUnit initWithData_UUID_ remapWithStoreURL_ InkClientSideEvent HasCGEventFlag_ HasValidInkButtonDown LogEventDetails buttonNumber carbonEventKind cgEventType cgRecIsFake cgsEventPtr cgsEventTime connectionIDMatches_ determineEarlyDisposition determineEventTargetWithCurrentTarget_withContextPSN_ dispatchCommand eventIsInProcessName_ eventLocationIsOnMenuClassWindow eventLocationIsOverWindowWithConnectionID_ eventManagerResult eventTypeOverride explicitlySentFromInkServer fixPressureForEventType globalHIMouseLocation globalNSMouseLocation hasEventParameterKey_ hasKeyFocus initWithCarbonEvent_andInkContext_ initWithInkClientSideEvent_andInkContext_ initWithNSEvent_andInkContext_ isCarbonMouseEventType_useModifiedEventType_ isEnteringProximity isSimulatingValidInkEvent isTabletEventSubType_ modifiedEventType modifierFlags mousePointCached nsEvent nsEventSource overridePressure overrideTabletData pressure repostCGEventToCGConnection_markAsReposted_ resetCarbonEvent_ resetNSEvent_ setCgRecIsFake_ setDispatchCommand_ setEventManagerResult_ setEventParameterKey_ setEventTypeOverride_ setExplicitlySentFromInkServer_ setGlobalHIMouseLocation_ setGlobalNSMouseLocation_ setHasKeyFocus_ setMousePointCached_ setNsEventSource_ setNsEvent_ setOverridePressure_ setOverrideTabletData_ setPressure_ setShouldOverRideEventType_ setTabletEventTypeCached_ setTabletEventType_ shouldOverRideEventType simulateInvalidMouseEventForInkOnDemand_ simulateNonTabletPointEventForInkInAirRequireMouseUp_ simulateTabletPointEventForInkInAir_ simulateTabletPointForMouseUsingModifiedType_ tabletButtonMask tabletEventType tabletEventTypeCached tabletPointRecPtr uint16_pressure wasDispatchedByInkServer willRepostInkPadIntersectingEventForInInkPadBounds_ InkContext IsCGInstantMousing_ addEventToQueue_withUpdatedPen_ allowInkWithMouse canInkAtThisEventLocation_ cgConnectionID cgsInkingStateAppInkingEnabled clearEventQueue clientDidChangeInkDisposition_withDisposition_ clientEventIsInkPointEvent_ clientEventLocationIsInCarbonInstantMouser_ clientEvent_HasValidInkOnDemandModeButtonForMode_ closePortForMessagesFromInkServer coalescingIsDisabled configForInkServerContext configureForCGInstantMousing_ convertPointListToNewStroke_withStrokePtr_ determineEventDispositionForClientEventMousing_ determineEventDispositionForClientEventTapEvent_ determineEventDispositionForClientEventWithNoInkPointsYetAccumlated_ determineEventDispositionForClientEvent_ disableMouseCoalescingForProximity_ dispatchQueuedEvent_withDisposition_andRepostType_isFinalDispatch_ enableLocalRecognition eventLocationIsWithinInkBarOrInkWindowBounds_ eventTarget extendResumeCGInkingTimer finishPhraseRecognition_ gatheringDataForAPhrase gatheringDataForAStroke getSharedErasingState getSharedInkEnabledState getSharedUserInkOnDemandMode getSystemInkOnDemandButtonMask hasEventsQueued hasQueuedPointsOrStrokes initPrivateGlobals initTerminationTimer initWithBundleID_andProcessPSN_ inkIMKPointDispositionForClientSideEvent_ inkOnDemandIsMode_ inspectEvent_ isCGInstantMousing lastEventWasOverWindowInOurProcess lastEventWasRepostedAsEraserEvent launchServer messagesFromServerPort metaDispatchForClientEventStartingToInk_ metaDispatchRepostEventsForMousing_ metaDispatchRepostEventsForTap_ metaDispatch_triggerEventDisposition_ mousingTestMode openPortForMessagesFromInkServer peekNextEventFromQueue_ postTextFromServerCallbackMessage_ privateGlobals processInkStroke_ processNameMatches_ processPhraseList processTabletPointEvent_ processTabletProximityEventRef_ processTabletProximityEvent_ processTerminatedPhrase_ pullNextEventFromQueue_ pullPrevEventFromQueue_ recognitionEnabledStateChanged_ recognizeAsSystemGesture_ removeNotificationObservers restoreMouseCoalescingState resumeCGInking resumeCGInkingOnTimer resumeCGInkingTimerActive rewindEventQueue_ setAllowInkWithMouse_ setCGSInkingState_cgsBoolValueTo_ setCgConnectionID_ setCoalescingIsDisabled_ setEventTarget_ setGatheringDataForAPhrase_ setGatheringDataForAStroke_ setInkOnDemandModeViaSPI_buttonMask_ setIsCGInstantMousing_ setLastEventWasOverWindowInOurProcess_ setLastEventWasRepostedAsEraserEvent_ setMessagesFromServerPort_ setMousingTestMode_ setResumeCGInkingTimerActive_ setShouldDisableCoalescingDuringInking_ setStylusInProximity_ setThisProcessPSN_ setTrackingMouse_ setUpClientEvent_ setUserInkOnDemandButtonMask_ setUserInkOnDemandModeOverrideValue_ setWaitingForEndOfPhrase_startTimer_ shouldDisableCoalescingDuringInking showCursorForProximityIfNecessary softReInitialize softTerminate startPhraseTerminationTimer stylusInProximity terminatePhrase_ terminateStroke_ thisProcessPSN trackingMouse updateInkStateForMouseUp_andTabletPointEventSubtype_ userInkOnDemandButtonMask userInkOnDemandModeOverrideValue willRepostToInkPadInInkPadMode InkRecognizerBase hasActiveTSM initWithInkRecognizerBase_ initWithMajorVers_minorVers_modifers_flags_baseTerm_andBounds_ isKeyboardShortcut modifiers setActiveTSM_ termType InkRecognizerCharInfo copyInkCharInfoTo_ initWithInkCharInfo_ numStrokes InkRecognizerGesture createInkGesture initWithInkGesturePtr_ initWithInkRecognizerGesture_ InkRecognizerMessageBase finishPostingCarbonEvent_withEventType_ initWithInkRecognizerData_andKey_ postCarbonEvent postCarbonEventAgainAsPhraseEventWithPhraseRef_ InkRecognizerPhrase createInkPhraseRef createInkPhraseTextRef gestureKind initWithInkPhrasePtr_ initWithInkPhraseRef_andGestureKind_ initWithInkPhraseTextRef_andGestureKind_ isGesturePhrase isPhraseText setAppGestureKind_ InkRecognizerPhraseWord createInkPhraseWordRefWithWordGroup_ initWithInkPhraseWord_ InkRecognizerPoint initWithInkPoint_ inkPoint InkRecognizerStroke createInkStrokeRef initWithInkRecognizerStroke_ initWithInkStrokePtr_ initWithInkStrokeRef_ InkRecognizerText createInkTextRef initWithInkTextPtr_ initWithInkTextRef_ initWithPhrase_andPhraseWord_andIsFirstWordOfAGroup_ leadingSpacesCountAtIndex_ remainingWords setRemainingWords_ stringAtIndex_ InkRecognizerWordGroup createInkPhraseWordGroupWithParent_ initWithInkPhraseWordGroup_ phraseWordGroupCount InputSourcesMagicTrackpadObserver _magicTrackpadAction_deviceConnected_ LKCGColorCodingProxy LKCGImageCodingProxy LKNSArrayCodingProxy LKNSDictionaryCodingProxy LKNSValueCodingProxy LMAssetQuery _runInForeground_ hasCompleted initWithLanguage_ runInBackground runInForeground waitForCompletion LSAppLink URL openInWebBrowser_setAppropriateOpenStrategyAndWebBrowserState_completionHandler_ openInWebBrowser_setOpenStrategy_webBrowserState_completionHandler_ openStrategy openWithCompletionHandler_ setOpenStrategy_ setTargetApplicationProxy_ setURL_ targetApplicationProxy LSApplicationProxy ODRDiskUsage UIBackgroundModes UPPValidated VPNPlugins _boundIconsDictionary _dataContainerURLFromContainerManager _entitlements _environmentVariables _environmentVariablesFromContainerManager _groupContainerURLsFromContainerManager _groupContainers _infoDictionary _initWithBundleUnit_applicationIdentifier_ _initWithBundleUnit_bundleType_bundleID_localizedName_bundleContainerURL_dataContainerURL_resourcesDirectoryURL_iconsDictionary_iconFileNames_version_ _initWithLocalizedName_ _initWithLocalizedName_boundApplicationIdentifier_boundContainerURL_dataContainerURL_boundResourcesDirectoryURL_boundIconsDictionary_boundIconCacheKey_boundIconFileNames_typeOwner_boundIconIsPrerendered_boundIconIsBadge_ _setBoundIconsDictionary_ _setEntitlements_ _setEnvironmentVariables_ _setGroupContainers_ _setInfoDictionary_ _valueForEqualityTesting activityTypes appState appStoreReceiptURL appTags applicationDSID applicationIdentifier applicationType applicationVariant audioComponents betaExternalVersionIdentifier boundApplicationIdentifier boundContainerURL boundDataContainerURL boundIconCacheKey boundIconFileNames boundIconIsBadge boundIconIsPrerendered boundIconsDictionary boundResourcesDirectoryURL bundleContainerURL bundleExecutable bundleModTime bundleType bundleURL bundleVersion cacheGUID canonicalExecutablePath clearAdvertisingIdentifier companionApplicationIdentifier complicationPrincipalClass containerURL dataContainerURL deviceFamily deviceIdentifierForAdvertising deviceIdentifierForVendor directionsModes diskUsage downloaderDSID dynamicDiskUsage entitlementValueForKey_ofClass_ entitlementValueForKey_ofClass_valuesOfClass_ entitlementValuesForKeys_ entitlements environmentVariables externalAccessoryProtocols externalVersionIdentifier familyID fileSharingEnabled foundBackingBundle groupContainerURLs hasComplication hasCustomNotification hasGlance hasMIDBasedSINF hasSettingsBundle iconDataForStyle_width_height_options_ iconDataForVariant_ iconIsPrerendered iconStyleDomain iconsDictionary installProgress installProgressSync installType isAdHocCodeSigned isAppUpdate isBetaApp isContainerized isInstalled isLaunchProhibited isNewsstandApp isPlaceholder isPurchasedReDownload isRemoveableSystemApp isRemovedSystemApp isRestricted isStickerProvider isSystemOrInternalApp isWatchKitApp isWhitelisted itemID itemName localizedName localizedNameForContext_ localizedShortName localizedValuesForKeys_fromTable_ machOUUIDs minimumSystemVersion missingRequiredSINF objectForInfoDictionaryKey_ofClass_ objectForInfoDictionaryKey_ofClass_valuesOfClass_ objectsForInfoDictionaryKeys_ originalInstallType plugInKitPlugins preferredArchitecture privateDocumentIconAllowOverride privateDocumentIconNames privateDocumentTypeOwner profileValidated propertyListCachingStrategy purchaserDSID ratingLabel ratingRank registeredDate requiredDeviceCapabilities resourcesDirectoryURL sdkVersion sequenceNumber setAppStoreReceiptURL_ setBoundApplicationIdentifier_ setBoundContainerURL_ setBoundDataContainerURL_ setBoundIconCacheKey_ setBoundIconFileNames_ setBoundIconIsBadge_ setBoundIconIsPrerendered_ setBoundResourcesDirectoryURL_ setLocalizedName_ setLocalizedShortName_ setMachOUUIDs_ setPrivateDocumentIconAllowOverride_ setPrivateDocumentIconNames_ setPrivateDocumentTypeOwner_ setPropertyListCachingStrategy_ setTypeOwner_ setUserInitiatedUninstall_ shortVersionString shouldSkipWatchAppInstall signerIdentity sourceAppIdentifier staticDiskUsage storeCohortMetadata storeFront supportedComplicationFamilies supportsAudiobooks supportsExternallyPlayableContent supportsODR supportsOpenInPlace supportsPurgeableLocalStorage teamID typeOwner userInitiatedUninstall vendorName watchKitVersion LSApplicationRestrictionsManager allowedOpenInAppBundleIDsAfterApplyingFilterToAppBundleIDs_originatingAppBundleID_originatingAccountIsManaged_ beginListeningForChanges blacklistedBundleIDs effectiveSettingsChanged isAdTrackingEnabled isAppExtensionRestricted_ isApplicationRemoved_ isApplicationRestricted_ isApplicationRestricted_checkFeatureRestrictions_ isOpenInRestrictionInEffect isRatingAllowed_ isWhitelistEnabled maximumRating removedSystemApplications removedSystemAppsChanged restrictedBundleIDs setApplication_removed_ whitelistedBundleIDs LSApplicationWorkspace URLOverrideForURL_ _LSClearSchemaCaches _LSFailedToOpenURL_withBundle_ _LSPrivateDatabaseNeedsRebuild _LSPrivateRebuildApplicationDatabasesForSystemApps_internal_user_ _LSPrivateSyncWithMobileInstallation allApplications allInstalledApplications applicationForOpeningResource_ applicationForUserActivityDomainName_ applicationForUserActivityType_ applicationIsInstalled_ applicationProxiesWithPlistFlags_bundleFlags_ applicationsAvailableForHandlingURLScheme_ applicationsAvailableForOpeningDocument_ applicationsAvailableForOpeningURL_ applicationsAvailableForOpeningURL_legacySPI_ applicationsForUserActivityType_ applicationsForUserActivityType_limit_ applicationsOfType_ applicationsWithAudioComponents applicationsWithUIBackgroundModes applicationsWithVPNPlugins bundleIdentifiersForMachOUUIDs_error_ clearCreatedProgressForBundleID_ createdInstallProgresses delegateProxy directionsApplications downgradeApplicationToPlaceholder_withOptions_error_ enumerateApplicationsForSiriWithBlock_ enumerateApplicationsOfType_block_ enumerateApplicationsOfType_legacySPI_block_ enumerateBundlesOfType_block_ enumerateBundlesOfType_legacySPI_block_ enumerateBundlesOfType_usingBlock_ enumeratePluginsMatchingQuery_withBlock_ establishConnection getClaimedActivityTypes_domains_ getInstallTypeForOptions_andApp_ getKnowledgeUUID_andSequenceNumber_ installApplication_withOptions_ installApplication_withOptions_error_ installApplication_withOptions_error_usingBlock_ installBundle_withOptions_usingBlock_forApp_withError_outInstallProgress_ installPhaseFinishedForProgress_ installProgressForApplication_withPhase_ installProgressForBundleID_makeSynchronous_ installedPlugins invalidateIconCache_ isApplicationAvailableToOpenURLCommon_includePrivateURLSchemes_error_ isApplicationAvailableToOpenURL_error_ isApplicationAvailableToOpenURL_includePrivateURLSchemes_error_ legacyApplicationProxiesListWithType_ machOUUIDsForBundleIdentifiers_error_ observedInstallProgresses openApplicationWithBundleID_ openSensitiveURL_withOptions_ openSensitiveURL_withOptions_error_ openURL_ openURL_withOptions_ openURL_withOptions_error_ openUserActivity_withApplicationProxy_completionHandler_ openUserActivity_withApplicationProxy_options_completionHandler_ operationToOpenResource_usingApplication_uniqueDocumentIdentifier_sourceIsManaged_userInfo_delegate_ operationToOpenResource_usingApplication_uniqueDocumentIdentifier_userInfo_ operationToOpenResource_usingApplication_uniqueDocumentIdentifier_userInfo_delegate_ operationToOpenResource_usingApplication_userInfo_ placeholderApplications pluginsMatchingQuery_applyFilter_ pluginsWithIdentifiers_protocols_version_ pluginsWithIdentifiers_protocols_version_applyFilter_ pluginsWithIdentifiers_protocols_version_withFilter_ registerApplicationDictionary_ registerApplicationDictionary_withObserverNotification_ registerApplication_ registerBundleWithInfo_options_type_progress_ registerPlugin_ remoteObserver removeInstallProgressForBundleID_ removeObserver_ restoreSystemApplication_ sendInstallNotificationForApp_withPlugins_ sendUninstallNotificationForApp_withPlugins_ uninstallApplication_withOptions_ uninstallApplication_withOptions_error_usingBlock_ uninstallApplication_withOptions_usingBlock_ uninstallSystemApplication_withOptions_usingBlock_ unregisterApplication_ unregisterPlugin_ unrestrictedApplications updateSINFWithData_forApplication_options_error_ LSApplicationWorkspaceObserver applicationInstallsArePrioritized_arePaused_ applicationInstallsDidCancel_ applicationInstallsDidChange_ applicationInstallsDidPause_ applicationInstallsDidPrioritize_ applicationInstallsDidResume_ applicationInstallsDidStart_ applicationInstallsDidUpdateIcon_ applicationStateDidChange_ applicationsDidFailToInstall_ applicationsDidFailToUninstall_ applicationsDidInstall_ applicationsDidUninstall_ applicationsWillInstall_ applicationsWillUninstall_ networkUsageChanged_ LSApplicationWorkspaceRemoteObserver addLocalObserver_ currentObserverCount isObservinglsd localObservers pluginsDidInstall_ pluginsDidUninstall_ pluginsWillUninstall_ removeLocalObserver_ setObservinglsd_ LSBestAppSuggestion activityType confidence dynamicIdentifier initWithBundleIdentifier_uuid_activityType_dynamicIdentifier_lastUpdateTime_type_deviceName_deviceIdentifier_deviceType_options_ lastUpdateTime originatingDeviceIdentifier originatingDeviceName originatingDeviceType setActivityType_ setUniqueIdentifier_ userActivityTypeIdentifier when LSBestAppSuggestionManager setConnection_ LSBundleInfoCachedValues _initWithKeys_forDictionary_ numberForKey_ objectForKey_ofType_ rawValues LSBundleProxy LSDPluginManager endpointForServiceIdentifier_reply_ loadPluginsAtURL_ pluginsByBundleIentifier setListener_ setPluginsByBundleIentifier_ startPlugins LSDatabaseBuilder createAndSeedLocalDatabase_ findAndRegisterApplicationBundles gatherExtensionPointDictionaries_ gatherFrameworkBundles gatherFrameworkBundlesAtURL_ gatherPluginURLs_ initWithIOQueue_ registerExtensionPoints_ registerLibraries registerPluginURLs_ scanAndRegisterNetworkVolumes setSeedingComplete_ LSDocumentProxy MIMEType applicationsAvailableForOpeningWithHandlerRanks_error_ applicationsAvailableForOpeningWithTypeOwner_airDropStyle_ boundDocumentProxy containerOwnerApplicationIdentifier initWithURL_name_type_MIMEType_sourceIsManaged_ isImageOrVideo sourceIsManaged typeIdentifier LSInstallProgressDelegate addObserver_withUUID_ beginObservingConnection createInstallProgressForApplication_withPhase_andPublishingString_ endObservingConnection handleCancelInstallationForApp_ installationEndedForApplication_ installationFailedForApplication_reply_ parentProgressForApplication_andPhase_isActive_ placeholderInstalledForApp_ rebuildInstallIndexes removeObserverWithUUID_ restoreInactiveInstalls sendAppControlsNotificationForApp_withName_ sendChangeNotificationForApp_ sendFailedNotificationForApp_isUninstall_ sendIconUpdatedNotificationForApp_ sendInstalledNotificationForApp_reply_ sendInstalledNotificationForApps_Plugins_ sendNetworkUsageChangedNotification sendUninstalledNotificationForApp_reply_ sendUninstalledNotificationForApps_Plugins_ sendWillUninstallNotificationForApps_Plugins_isUpdate_ LSInstallProgressList addSubscriber_forPublishingKey_andBundleID_ progressForBundleID_ removeProgressForBundleID_ removeSubscriberForPublishingKey_andBundleID_ setProgress_forBundleID_ subscriberForBundleID_andPublishingKey_ LSObserverTimer addApplication_ appObserverSelector applications initWithAppSelector_queue_ lastFiredDate minInterval notifyObservers_withApplication_ plugins removeApplication_ sendMessage_ setAppObserverSelector_ setApplications_ setLastFiredDate_ setPlugins_ setTimer_ stopTimer timer LSPingResults addDevice_ addKeysForDevice_ averagePingTime dateDeviceLastSeen_ errorsMap incrementResultForStatus_andDevice_ pingAvg resultCountsForDevice_ resultsMap seenDevices setErrorsMap_ setPingAvg_ setResultsMap_ statusForDevice_ updateDevice_withError_ updateDevice_withStatus_ updatePingAverageWithInterval_ LSPlugInKitProxy _initWithPlugin_ _initWithPlugin_andContext_ _initWithUUID_bundleIdentifier_pluginIdentifier_effectiveIdentifier_version_bundleURL_ containingBundle infoPlist isOnSystemPartition objectForInfoDictionaryKey_ofClass_inScope_ originalIdentifier pluginCanProvideIcon pluginIdentifier pluginKitDictionary pluginUUID registrationDate LSPlugInQuery _canResolveLocallyWithoutMappingDatabase _enumerateWithXPCConnection_block_ _shouldCacheResolvedResults LSPlugInQueryWithIdentifier _initWithIdentifier_inMap_ LSPlugInQueryWithQueryDictionary _initWithQueryDictionary_applyFilter_ _queryDictionary matchesPlugin_withDatabase_ LSPlugInQueryWithURL _bundleURL _initWithURL_ LSRegistrationInfo LSResourceProxy LSResumableActivitiesControlManager advertisedItemUUID allUUIDsOfType_ broadcastPing_ callDidSaveDelegate_ callWillSaveDelegate_ callWillSaveDelegate_completionHandler_ currentAdvertisedItemUUID debuggingInfo dynamicUserActivities enabledUUIDs getCurrentPeersAndClear_completionHandler_ injectBTLEItem_type_identifier_title_activityPayload_frameworkPayload_payloadDelay_ matchingUUIDForString_ restartServer setDebugOption_value_ startAdvertisingPingWithTimeInterval_ stopAdvertisingPing terminateServer LSUserActivity canCreateStreams createsNewUUIDIfSaved decodeUserInfoError dirty encodedContainsUnsynchronizedCloudDocument encodedContainsUnsynchronizedCloudDocumentBackoffInterval encodedFileProviderURL forceImmediateSendToServer initDynamicActivityWithTypeIdentifier_dynamicIdentifier_suggestedActionType_options_ initWithManager_userActivityInfo_ initWithSuggestedActionType_options_ initWithTypeIdentifier_ initWithTypeIdentifier_dynamicIdentifier_options_ initWithTypeIdentifier_options_ initWithTypeIdentifier_suggestedActionType_options_ initWithUserActivityData_options_ initWithUserActivityStrings_optionalString_tertiaryData_options_ lastActivityDate manager needsSave sendGURLAppleEvent sendToServerPending setCanCreateStreams_ setCreatesNewUUIDIfSaved_ setDecodeUserInfoError_ setDynamicIdentifier_ setEncodedContainsUnsynchronizedCloudDocumentBackoffInterval_ setEncodedContainsUnsynchronizedCloudDocument_ setEncodedFileProviderURL_ setForceImmediateSendToServer_ setLastActivityDate_ setNeedsSave_ setSendToServerPending_ setStreamsData_ setSupportsContinuationStreams_ setTeamIdentifier_ setTypeIdentifier_ setWebPageURL_ setWebpageURL_ streamsData suggestedActionType supportsContinuationStreams teamIdentifier webPageURL webpageURL LSUserActivityDebuggingManager additionalLogFile deleteExtraLogFiles doRotateLogFiles lastLogRotationTime logCommon_format_args_ logFileDirectoryPath logFileEnabled logRotationMaximumFiles logRotationTimeInSeconds logRotationTimerSource log_common_format_args_file_line_ log_file_line_format_ log_format_ log_format_args_ log_format_args_file_line_ rotateLogFiles setAdditionalLogFile_ setClient_ setLastLogRotationTime_ setLogFileDirectoryPath_ setLogRotationTimerSource_ setLoggingLevel_ setUserDefaults_ shouldLogCommon_ shouldLog_ userDefaults LSUserActivityInfo _createUserActivityStrings_secondaryString_optionalData_ activityDate activityPayload activityPayloadOld changeCount eligibleForHandoff eligibleForPublicIndex eligibleForSearch logString optionalUserActivityData parentUserActivityUUID requiredUserActivityKeys secondaryUserActivityString setActivityDate_ setActivityPayloadOld_ setActivityPayload_ setChangeCount_ setEligibleForHandoff_ setEligibleForPublicIndex_ setEligibleForSearch_ setParentUserActivityUUID_ setRequiredUserActivityKeys_ setSubtitle_ statusString subtitle userActivityString LSUserActivityManager _findUserActivityForUUID_ activeUserActivityUUID activityContinuationIsEnabled addDynamicUserActivity_matching_ addUserActivity_ askClientUserActivityToSave_ askClientUserActivityToSave_completionHandler_ createByDecodingUserActivity_ didReceiveInputStreamWithUUID_inputStream_outputStream_ encodeUserActivity_ fetchUUID_withCompletionHandler_ initWithConnection_ makeActive_ makeInactive_ markUserActivityAsDirty_forceImmediate_ pinUserActivity_withCompletionHandler_ removeDynamicUserActivity_matching_ removeUserActivity_ sendInitialMessage sendUserActivityInfoToLSUserActivityd_makeCurrent_ serverQ setActiveUserActivityUUID_ setUserActivitiesByUUID_ supportsActivityContinuation tellClientUserActivityItWasResumed_ tellDaemonAboutNewLSUserActivity_ userActivitiesByUUID userActivityIsActive_ LSVPNPluginProxy _initWithBundleIdentifier_ MAX MDSPathFilter filterFullPathTestBundle_ filterFullPath_ filterPartialPath_ filterSubAuxValues_count_ filter_allowBundleCheck_ initWithMDPlist_ plist trimBundlePath_path_buffer_length_ MIN MPSBinaryImageKernel clipRect copyWithZone_device_ encodeToCommandBuffer_inPlacePrimaryTexture_secondaryTexture_fallbackCopyAllocator_ encodeToCommandBuffer_primaryTexture_inPlaceSecondaryTexture_fallbackCopyAllocator_ encodeToCommandBuffer_primaryTexture_secondaryTexture_destinationTexture_ initWithDevice_ kernelTuningParams maxKernelTuningParams primaryEdgeMode primaryOffset primarySourceRegionForDestinationSize_ secondaryEdgeMode secondaryOffset secondarySourceRegionForDestinationSize_ setClipRect_ setKernelTuningParams_ setPrimaryEdgeMode_ setPrimaryOffset_ setSecondaryEdgeMode_ setSecondaryOffset_ MPSCNNConvolution destinationFeatureChannelOffset edgeMode encodeToCommandBuffer_sourceImage_destinationImage_ featureChannelsLayout groups initWithDevice_convolutionDescriptor_kernelWeights_biasTerms_flags_ inputFeatureChannels kernelHeight kernelWidth neuron outputFeatureChannels setDestinationFeatureChannelOffset_ setEdgeMode_ sourceRegionForDestinationSize_ strideInPixelsX strideInPixelsY MPSCNNConvolutionDescriptor intWithKernelWidth_kernelHeight_inputFeatureChannels_outputFeatureChannels_neuronFilter_ setFeatureChannelsLayout_ setGroups_ setInputFeatureChannels_ setKernelHeight_ setKernelWidth_ setNeuron_ setOutputFeatureChannels_ setStrideInPixelsX_ setStrideInPixelsY_ MPSCNNCrossChannelNormalization beta delta initWithDevice_kernelSize_ kernelSize setBeta_ setDelta_ MPSCNNFullyConnected MPSCNNKernel MPSCNNLocalContrastNormalization initWithDevice_kernelWidth_kernelHeight_ p0 pm ps setP0_ setPm_ setPs_ MPSCNNLogSoftMax MPSCNNNeuron initWithDevice_a_b_type_ MPSCNNNeuronAbsolute MPSCNNNeuronLinear a b initWithDevice_a_b_ MPSCNNNeuronReLU initWithDevice_a_ MPSCNNNeuronSigmoid MPSCNNNeuronTanH MPSCNNPooling initWithDevice_kernelWidth_kernelHeight_strideInPixelsX_strideInPixelsY_ MPSCNNPoolingAverage MPSCNNPoolingMax MPSCNNSoftMax MPSCNNSpatialNormalization MPSCommandBufferImageCache commandBuffer flushDeviceOnlyBufferCache initWithCommandBuffer_ newHeapBlock_ releaseHeapBlock_ MPSImage featureChannels initWithDescriptor_featureChannels_featureChannelsLayout_onDevice_ initWithDevice_imageDescriptor_ initWithTexture_featureChannels_ initWithTexture_featureChannels_featureChannelsLayout_ numberOfImages pixelSize precision setPurgeableState_ textureType usage MPSImageAreaMax encodeToCommandBuffer_inPlaceTexture_fallbackCopyAllocator_ encodeToCommandBuffer_sourceTexture_destinationTexture_ MPSImageAreaMin MPSImageBox initFilterInfo MPSImageCompression destinationAlpha destinationPixelFormat initWithDevice_srcFormat_srcAlpha_backgroundColor_destFormat_destAlpha_ sourceAlpha sourcePixelFormat MPSImageConversion encodeToCommandBuffer_sourceTexture_sourceDecode_destinationTexture_destinationDecode_ initWithDevice_srcAlpha_destAlpha_backgroundColor_conversionInfo_ initWithDevice_transform_ MPSImageConvolution bias initWithDevice_kernelWidth_kernelHeight_weights_ initWithDevice_private_ setBias_ MPSImageDescriptor channelFormat cpuCacheMode newTextureDescriptor setChannelFormat_ setCpuCacheMode_ setFeatureChannels_ setNumberOfImages_ setStorageMode_ setUsage_ storageMode MPSImageDilate initWithDevice_kernelWidth_kernelHeight_values_ maxClass MPSImageErode MPSImageGaussianBlur initWithDevice_sigma_ sigma toggleCheesyBlur MPSImageGaussianPyramid initWithDevice_centerWeight_ MPSImageHistogram clipRectSource encodeToCommandBuffer_sourceTexture_histogram_histogramOffset_ histogramInfo histogramSizeForSourceFormat_ initWithDevice_histogramInfo_ setClipRectSource_ setZeroHistogram_ zeroHistogram MPSImageHistogramEqualization encodeTransformToCommandBuffer_sourceTexture_histogram_histogramOffset_ MPSImageHistogramSpecification encodeTransformToCommandBuffer_sourceTexture_sourceHistogram_sourceHistogramOffset_desiredHistogram_desiredHistogramOffset_ MPSImageIntegral MPSImageIntegralOfSquares MPSImageLanczosScale scaleTransform setScaleTransform_ MPSImageLaplacian MPSImageMatrixTransform channelsAreIndependent initWithNodeList_ inputChannels outputChannels MPSImageMedian initWithDevice_kernelDiameter_ kernelDiameter MPSImagePyramid MPSImageSobel colorTransform initWithDevice_linearGrayColorTransform_ MPSImageTent MPSImageThresholdBinary initWithDevice_thresholdValue_maximumValue_linearGrayColorTransform_ maximumValue thresholdValue MPSImageThresholdBinaryInverse MPSImageThresholdToZero initWithDevice_thresholdValue_linearGrayColorTransform_ MPSImageThresholdToZeroInverse MPSImageThresholdTruncate MPSImageTransform MPSImageTransformSequence initWithConversionNodeList_device_ initWithDevice_transformArray_ initWithDevice_transforms_count_ MPSImageTranspose MPSKernel MPSMatrix columns dataType initWithBuffer_descriptor_ rowBytes rows MPSMatrixDescriptor setColumns_ setDataType_ setRowBytes_ setRows_ MPSMatrixMultiplication K M N encodeToCommandBuffer_leftMatrix_rightMatrix_resultMatrix_ initWithDevice_transposeLeft_transposeRight_resultRows_resultColumns_interiorColumns_alpha_beta_ leftMatrixOrigin resultMatrixOrigin rightMatrixOrigin setLeftMatrixOrigin_ setResultMatrixOrigin_ setRightMatrixOrigin_ transA transB MPSTemporaryImage readCount setReadCount_ MPSUnaryImageKernel MTLArgument MTLArgumentInternal access bufferAlignment bufferDataSize bufferDataType bufferStructType formattedDescription_ initWithName_type_access_index_active_ isActive textureDataType threadgroupMemoryAlignment threadgroupMemoryDataSize MTLArrayType elementArrayType elementStructType MTLArrayTypeInternal arrayLength elementType initWithArrayLength_elementType_stride_details_ stride MTLAttribute MTLAttributeDescriptor MTLAttributeDescriptorArray MTLAttributeDescriptorArrayInternal MTLAttributeDescriptorInternal bufferIndex setBufferIndex_ setFormat_ MTLAttributeInternal attributeIndex attributeType initWithName_attributeIndex_attributeType_flags_ isPatchControlPointData isPatchData setAttributeType_ MTLBufferArgument initWithName_type_access_isActive_locationIndex_arraySize_dataType_dataSize_alignment_ isVertexDescriptorBuffer setStructType_ setVertexDescriptorBuffer_ MTLBufferLayoutDescriptor MTLBufferLayoutDescriptorArray MTLBufferLayoutDescriptorArrayInternal MTLBufferLayoutDescriptorInternal setStepFunction_ setStepRate_ setStride_ stepFunction stepRate MTLBuiltInArgument builtInDataType builtInType initWithName_type_access_active_index_dataType_builtInType_ MTLCommandQueueDescriptor MTLCommandQueueDescriptorInternal maxCommandBufferCount qosClass qosRelativePriority setMaxCommandBufferCount_ setQosClass_ setQosRelativePriority_ MTLCompileOptions MTLCompileOptionsInternal cubemapArrayEnabled debuggingEnabled denormsEnabled fastMathEnabled framebufferReadEnabled languageVersion nativeDoubleEnabled preprocessorMacros setCubemapArrayEnabled_ setDebuggingEnabled_ setDenormsEnabled_ setFastMathEnabled_ setFramebufferReadEnabled_ setLanguageVersion_ setNativeDoubleEnabled_ setPreprocessorMacros_ MTLCompiler cacheUUID compileFragmentFunction_serializedPixelFormat_stateData_options_completionHandler_ compileFunction_serializedData_stateData_options_completionHandler_ compileFunction_serializedPipelineData_stateData_linkDataSize_frameworkLinking_options_completionHandler_ compileFunction_stateData_options_completionHandler_ compileRequest_completionHandler_ compileVertexFunction_serializedPipelineDescriptorData_stateData_options_completionHandler_ compilerConnectionManager compilerFlags compilerId compilerQueue functionCache initWithTargetData_cacheUUID_pluginPath_device_compilerFlags_ libraryCacheStats newComputePipelineStateWithDescriptor_options_reflection_error_completionHandler_ newRenderPipelineStateWithDescriptor_options_reflection_error_completionHandler_ pipelineCacheStats pluginPath reflectionWithFunction_options_completionHandler_ setCompilerConnectionManager_ setCompilerId_ unloadShaderCaches MTLComputePipelineDescriptor MTLComputePipelineDescriptorInternal _descriptorPrivate computeFunction newSerializedComputeData setComputeFunction_ setStageInputDescriptor_ setThreadGroupSizeIsMultipleOfThreadExecutionWidth_ stageInputDescriptor threadGroupSizeIsMultipleOfThreadExecutionWidth validateWithDevice_ MTLComputePipelineReflection MTLComputePipelineReflectionInternal builtInArguments initWithSerializedData_device_options_flags_ initWithSerializedData_serializedStageInputDescriptor_device_options_flags_ performanceStatistics setPerformanceStatistics_ usageFlags MTLDepthStencilDescriptor MTLDepthStencilDescriptorInternal backFaceStencil depthCompareFunction depthStencilPrivate frontFaceStencil isDepthWriteEnabled setBackFaceStencil_ setDepthCompareFunction_ setDepthWriteEnabled_ setFrontFaceStencil_ MTLFunctionConstant MTLFunctionConstantInternal initWithName_type_index_required_ required MTLFunctionConstantValues setConstantValue_type_atIndex_ setConstantValue_type_withName_ setConstantValues_type_withRange_ MTLFunctionConstantValuesInternal constantValueWithFunctionConstant_ newIndexedConstantArray newNamedConstantArray serializedConstantDataForFunction_dataSize_errorMessage_ MTLFunctionVariant initWithCompilerOutput_ inputInfoAndSize_ outputInfoAndSize_ setInputInfo_size_ setOutputInfo_size_ MTLIOAccelBlitCommandEncoder endEncoding getType globalTraceObjectID incNumCommands insertDebugSignpost_ newSample numThisEncoder popDebugGroup pushDebugGroup_ setGlobalTraceObjectID_ setNumThisEncoder_ MTLIOAccelBuffer addDebugMarker_range_ annotateResource_ cachedAllocationInfo copyAnnotationDictionary_obj_key_name_obj_dict_ copyAnnotations didModifyRange_ gpuAddress initWithDevice_options_args_argsSize_ initWithDevice_pointer_length_options_sysMemSize_vidMemSize_args_argsSize_deallocator_ initWithMasterBuffer_heapIndex_bufferIndex_bufferOffset_length_args_argsSize_ initWithResource_ isComplete isPurgeable newLinearTextureWithDescriptor_offset_bytesPerRow_bytesPerImage_ removeAllDebugMarkers resourceID resourceRef resourceSize responsibleProcess setAllocationInfoShared_andCached_ setResponsibleProcess_ sharedAllocationInfo virtualAddress waitUntilComplete MTLIOAccelCommandBuffer GPUEndTime GPUStartTime addCompletedHandler_ addScheduledHandler_ akPrivateResourceList akResourceList allocCommandBufferResourceAtIndex_ beginSegment_ commandBufferResourceInfo commandBufferStorage commandQueue commit commitAndHold commitAndReset didCompletePreDealloc_error_ didCompleteWithStartTime_endTime_error_ didScheduleWithStartTime_endTime_error_ didSchedule_error_ endCurrentSegment enqueue getAndIncrementNumEncoders getCurrentKernelCommandBufferPointer_end_ getCurrentKernelCommandBufferStart_current_end_ getListIndex getSegmentListHeader getSegmentListPointerStart_current_end_ getStatLocations getStatOptions growKernelCommandBuffer_ growSegmentList initWithQueue_retainedReferences_ initWithQueue_retainedReferences_synchronousDebugMode_ ioAccelResourceList isCommitted isProfilingEnabled isStatEnabled kernelCommandCollectTimeStamp kernelEndTime kernelStartTime kernelSubmitTime numEncoders numThisCommandBuffer postProcessCommandbuffer postProcessSamples_toUserDst_numSamples_ presentDrawable_ presentDrawable_atTime_ profilingResults retainedReferences setCommitted_ setCurrentCommandEncoder_ setCurrentKernelCommandBufferPointer_ setCurrentSegmentListPointer_ setListIndex_ setNumEncoders_ setNumThisCommandBuffer_ setProfilingEnabled_ setStatCommandBuffer_ setStatEnabled_ setStatLocations_ setStatOptions_ skipRender statCommandBuffer synchronousDebugMode userDictionary waitUntilCompleted waitUntilScheduled MTLIOAccelCommandEncoder MTLIOAccelCommandQueue StatLocations StatOptions _submitAvailableCommandBuffers addPerfSampleHandler_ availableCounters backgroundTrackingPID commandBufferDidComplete_startTime_completionTime_error_ commitCommandBuffer_wake_ completeCommandBuffers_count_ counterInfo enqueueCommandBuffer_ executionEnabled finish getAndIncrementNumCommandBuffers initWithDevice_descriptor_ initWithDevice_maxCommandBufferCount_ insertDebugCaptureBoundary numCommandBuffers numInternalSampleCounters numRequestedCounters requestCounters_ requestCounters_withIndex_ setBackgroundGPUPriority_ setBackgroundGPUPriority_offset_ setBackgroundTrackingPID_ setCompletionQueue_ setCounterInfo_ setExecutionEnabled_ setGPUPriority_ setGPUPriority_offset_ setNumCommandBuffers_ setNumInternalSampleCounters_ setNumRequestedCounters_ setSkipRender_ setSubmissionQueue_ subdivideCounterList_ submitCommandBuffers_count_ MTLIOAccelComputeCommandEncoder MTLIOAccelDebugCommandEncoder IOLogBytes_length_ IOLogResource_length_ IOLog_ addAPIResource_ addDebugResourceListInfo_flag_ debugBytes_length_output_type_ debugResourceBytes_length_output_type_ kprintfBytes_length_ kprintfResource_length_ kprintf_ reserveKernelCommandBufferSpace_ restartDebugPass MTLIOAccelDevice _decrementCommandQueueCount _incrementCommandQueueCount _purgeDevice acceleratorPort akPrivateResourceListPool akResourceListPool allocBufferSubDataWithLength_options_alignment_heapIndex_bufferIndex_bufferOffset_ compiler compilerPropagatesThreadPriority_ computeFunctionKeyWithComputePipelineDescriptor_keySize_ computeFunctionKeyWithComputePipelineDescriptor_options_keySize_ computeVariantWithCompilerOutput_ deallocBufferSubData_heapIndex_bufferIndex_bufferOffset_length_ dedicatedMemorySize deviceLinearReadOnlyTextureAlignmentBytes deviceLinearTextureAlignmentBytes deviceOrFeatureProfileSupportsFeatureSet_ deviceRef deviceSupportsFeatureSet_ familyName fragmentFunctionKeyWithRenderPipelineDescriptor_fragmentKeySize_previousStateVariant_ fragmentFunctionKeyWithRenderPipelineDescriptor_options_previousStateVariant_fragmentKeySize_ fragmentVariantWithCompilerOutput_ freeComputeFunctionKey_keySize_ freeFragmentFunctionKey_fragmentKeySize_ freeVertexFunctionKey_vertexKeySize_ heapIndexWithOptions_ hwResourcePoolCount hwResourcePools initLimits initWithAcceleratorPort_ initialKernelCommandShmemSize initialSegmentListShmemSize iosurfaceReadOnlyTextureAlignmentBytes iosurfaceTextureAlignmentBytes isASTCPixelFormatsSupported isFramebufferReadSupported isHeadless isLowPower limits linearTextureAlignmentBytes maxBufferLength maxColorAttachments maxComputeBuffers maxComputeInlineDataSize maxComputeLocalMemorySizes maxComputeSamplers maxComputeTextures maxComputeThreadgroupMemory maxComputeThreadgroupMemoryAlignmentBytes maxFragmentBuffers maxFragmentInlineDataSize maxFragmentSamplers maxFragmentTextures maxFunctionConstantIndices maxInterpolants maxInterpolatedComponents maxLineWidth maxPointSize maxTextureDepth3D maxTextureDimensionCube maxTextureHeight2D maxTextureHeight3D maxTextureLayers maxTextureWidth1D maxTextureWidth2D maxTextureWidth3D maxTotalComputeThreadsPerThreadgroup maxVertexAttributes maxVertexBuffers maxVertexInlineDataSize maxVertexSamplers maxVertexTextures maxVisibilityQueryOffset minBufferNoCopyAlignmentBytes minConstantBufferAlignmentBytes newCommandQueue newCommandQueueWithDescriptor_ newCommandQueueWithMaxCommandBufferCount_ newComputePipelineStateWithDescriptor_completionHandler_ newComputePipelineStateWithDescriptor_error_ newComputePipelineStateWithDescriptor_options_completionHandler_ newComputePipelineStateWithDescriptor_options_reflection_error_ newComputePipelineStateWithFunction_completionHandler_ newComputePipelineStateWithFunction_error_ newComputePipelineStateWithFunction_options_completionHandler_ newComputePipelineStateWithFunction_options_reflection_error_ newComputePipelineStateWithImageFilterFunctionsSPI_imageFilterFunctionInfo_error_ newComputePipelineWithDescriptor_variant_ newDefaultLibrary newDefaultLibraryWithBundle_error_ newLibraryWithCIFilters_imageFilterFunctionInfo_error_ newLibraryWithData_error_ newLibraryWithFile_error_ newLibraryWithSource_options_completionHandler_ newLibraryWithSource_options_error_ newRenderPipelineStateWithDescriptor_completionHandler_ newRenderPipelineStateWithDescriptor_error_ newRenderPipelineStateWithDescriptor_options_completionHandler_ newRenderPipelineStateWithDescriptor_options_reflection_error_ newRenderPipelineWithDescriptor_vertexVariant_fragmentVariant_ newTextureWithSurface_buffer_ pipelineFlagsWithComputeVariant_ pipelineFlagsWithVertexVariant_fragmentVariant_ pipelinePerformanceStatisticsWithComputeVariant_ pipelinePerformanceStatisticsWithVertexVariant_fragmentVariant_ productName recommendedMaxWorkingSetSize releaseCacheEntry_ setComputePipelineStateCommandShmemSize_ setHwResourcePool_count_ setSegmentListShmemSize_ sharedMemorySize sharedRef supportsFeatureSet_ supportsTextureSampleCount_ vertexFunctionKeyWithRenderPipelineDescriptor_options_nextStageVariant_vertexKeySize_ vertexFunctionKeyWithRenderPipelineDescriptor_vertexKeySize_nextStageVariant_ vertexVariantWithCompilerOutput_ MTLIOAccelDeviceShmem initWithDevice_shmemSize_ shmemID shmemSize MTLIOAccelDeviceShmemPool availableCount initWithDevice_resourceClass_shmemSize_options_ prune purge setShmemSize_ MTLIOAccelParallelRenderCommandEncoder _renderCommandEncoderCommon initWithCommandBuffer_renderPassDescriptor_ renderCommandEncoder sampledRenderCommandEncoderWithProgramInfoBuffer_capacity_ setColorStoreAction_atIndex_ setDepthStoreAction_ setStencilStoreAction_ MTLIOAccelPooledResource MTLIOAccelRenderCommandEncoder initWithCommandBuffer_descriptor_ setDepthClipModeSPI_ textureBarrier MTLIOAccelResource MTLIOAccelResourceAllocation dirtySize initWithPool_virtualSize_residentSize_dirtySize_purgeable_uniqueID_ memoryPool purgeable residentSize virtualSize MTLIOAccelResourcePool initWithDevice_resourceClass_resourceArgs_resourceArgsSize_options_ purgeWithLock resourceArgs resourceArgsSize setResourceArgs_resourceArgsSize_ MTLIOAccelTexture buffer bufferBytesPerRow bufferOffset copyFromPixels_rowBytes_imageBytes_toSlice_mipmapLevel_origin_size_ copyFromSlice_mipmapLevel_origin_size_toPixels_rowBytes_imageBytes_ didModifyData getBytes_bytesPerRow_fromRegion_mipmapLevel_ initWithBuffer_descriptor_offset_bytesPerRow_ initWithBuffer_descriptor_sysMemOffset_sysMemRowBytes_vidMemSize_vidMemRowBytes_args_argsSize_ initWithBuffer_descriptor_sysMemOffset_sysMemRowBytes_vidMemSize_vidMemRowBytes_args_argsSize_isStrideTexture_ initWithDevice_descriptor_iosurface_plane_field_args_argsSize_ initWithDevice_descriptor_sysMemSize_sysMemRowBytes_vidMemSize_vidMemRowBytes_args_argsSize_ initWithDevice_surface_buffer_args_argsSize_returnData_returnDataSize_ initWithMasterBuffer_heapIndex_bufferIndex_bufferOffset_length_descriptor_sysMemRowBytes_vidMemSize_vidMemRowBytes_args_argsSize_ initWithTextureInternal_pixelFormat_textureType_levels_slices_compressedView_ initWithTexture_pixelFormat_ initWithTexture_pixelFormat_textureType_levels_slices_ iosurface iosurfacePlane isDrawable isFramebufferOnly mipmapLevelCount numFaces parentRelativeLevel parentRelativeSlice parentTexture replaceRegion_mipmapLevel_withBytes_bytesPerRow_ rootResource rootResourceIsSuballocatedBuffer sampleCount MTLIOMemoryInfo addDataSource_ addResourceToList_ annotationList removeDataSource_ removeResourceFromList_ shutdown MTLIndexedConstantValue describe initWithValue_type_index_ MTLNamedConstantValue initWithValue_type_name_ MTLPixelFormatQuery initWithFeatureSet_ isDepth24Stencil8PixelFormatSupported MTLRenderPassAttachmentDescriptor MTLRenderPassColorAttachmentDescriptor MTLRenderPassColorAttachmentDescriptorArray _descriptorAtIndex_ MTLRenderPassColorAttachmentDescriptorArrayInternal MTLRenderPassColorAttachmentDescriptorInternal clearColor depthPlane loadAction resolveDepthPlane resolveLevel resolveSlice resolveTexture setClearColor_ setDepthPlane_ setLoadAction_ setResolveDepthPlane_ setResolveLevel_ setResolveSlice_ setResolveTexture_ setSlice_ setStoreAction_ setTexture_ slice storeAction MTLRenderPassDepthAttachmentDescriptor depthResolveFilter setDepthResolveFilter_ MTLRenderPassDepthAttachmentDescriptorInternal clearDepth setClearDepth_ MTLRenderPassDescriptor MTLRenderPassDescriptorInternal colorAttachments depthAttachment framebufferHeight framebufferWidth renderTargetArrayLength setDepthAttachment_ setFramebufferHeight_ setFramebufferWidth_ setRenderTargetArrayLength_ setStencilAttachment_ setVisibilityResultBuffer_ stencilAttachment validate_width_height_ visibilityResultBuffer MTLRenderPassStencilAttachmentDescriptor MTLRenderPassStencilAttachmentDescriptorInternal clearStencil setClearStencil_ MTLRenderPipelineColorAttachmentDescriptor MTLRenderPipelineColorAttachmentDescriptorArray MTLRenderPipelineColorAttachmentDescriptorArrayInternal MTLRenderPipelineColorAttachmentDescriptorInternal alphaBlendOperation destinationAlphaBlendFactor destinationRGBBlendFactor isBlendingEnabled rgbBlendOperation setAlphaBlendOperation_ setBlendingEnabled_ setDestinationAlphaBlendFactor_ setDestinationRGBBlendFactor_ setRgbBlendOperation_ setSourceAlphaBlendFactor_ setSourceRGBBlendFactor_ setWriteMask_ sourceAlphaBlendFactor sourceRGBBlendFactor writeMask MTLRenderPipelineDescriptor MTLRenderPipelineDescriptorInternal attachVertexDescriptor_ depthAttachmentPixelFormat fastBlendDescriptorAtIndex_ fragmentFunction inputPrimitiveTopology isAlphaToCoverageEnabled isAlphaToOneEnabled isRasterizationEnabled isTessellationFactorScaleEnabled maxTessellationFactor newSerializedVertexDataWithFlags_error_ sampleCoverage sampleMask serializeFragmentData setAlphaToCoverageEnabled_ setAlphaToOneEnabled_ setDepthAttachmentPixelFormat_ setFragmentFunction_ setInputPrimitiveTopology_ setMaxTessellationFactor_ setRasterizationEnabled_ setSampleCount_ setSampleCoverage_ setSampleMask_ setStencilAttachmentPixelFormat_ setTessellationControlPointIndexType_ setTessellationFactorFormat_ setTessellationFactorScaleEnabled_ setTessellationFactorStepFunction_ setTessellationOutputWindingOrder_ setTessellationPartitionMode_ setVertexDescriptor_ setVertexFunction_ stencilAttachmentPixelFormat tessellationControlPointIndexType tessellationFactorFormat tessellationFactorStepFunction tessellationOutputWindingOrder tessellationPartitionMode vertexDescriptor vertexFunction MTLRenderPipelineReflection MTLRenderPipelineReflectionInternal fragmentArguments initWithVertexData_fragmentData_serializedVertexDescriptor_device_options_flags_ vertexArguments vertexBuiltInArguments MTLResourceAllocationInfo MTLResourceList releaseAllObjectsAndReset MTLResourceListPool initWithResourceListCapacity_ MTLSamplerDescriptor lodAverage setLodAverage_ MTLSamplerDescriptorInternal compareFunction descriptorPrivate lodBias lodMaxClamp lodMinClamp magFilter maxAnisotropy minFilter mipFilter normalizedCoordinates rAddressMode sAddressMode setCompareFunction_ setLodBias_ setLodMaxClamp_ setLodMinClamp_ setMagFilter_ setMaxAnisotropy_ setMinFilter_ setMipFilter_ setNormalizedCoordinates_ setRAddressMode_ setSAddressMode_ setTAddressMode_ tAddressMode MTLStageInputOutputDescriptor MTLStageInputOutputDescriptorInternal indexBufferIndex indexType layouts newSerializedDescriptor setIndexBufferIndex_ setIndexType_ validateWithVertexFunction_error_ MTLStencilDescriptor MTLStencilDescriptorInternal depthFailureOperation depthStencilPassOperation readMask setDepthFailureOperation_ setDepthStencilPassOperation_ setReadMask_ setStencilCompareFunction_ setStencilFailureOperation_ stencilCompareFunction stencilFailureOperation stencilPrivate MTLStructMember arrayType structType MTLStructMemberInternal initWithName_offset_dataType_details_ MTLStructType memberByName_ MTLStructTypeInternal initWithMembers_count_ members MTLTextureArgument initWithName_access_isActive_locationIndex_arraySize_dataType_textureType_isDepthTexture_ isDepthTexture MTLTextureDescriptor MTLTextureDescriptorInternal resourceOptions setArrayLength_ setIsDrawable_ setMipmapLevelCount_ setResourceOptions_ setTextureType_ setTextureUsage_ textureUsage MTLThreadgroupMemoryArgument initWithName_type_access_isActive_locationIndex_arraySize_dataSize_alignment_ MTLVertexAttribute MTLVertexAttributeDescriptor MTLVertexAttributeDescriptorArray MTLVertexAttributeDescriptorArrayInternal MTLVertexAttributeDescriptorInternal MTLVertexAttributeInternal MTLVertexBufferLayoutDescriptor MTLVertexBufferLayoutDescriptorArray MTLVertexBufferLayoutDescriptorArrayInternal MTLVertexBufferLayoutDescriptorInternal MTLVertexDescriptor MTLVertexDescriptorInternal MallocDataCategorySummary MallocDataCategorySummaryDiff MallocTotal initWithMallocData_ printTotals_ purgeTypeTotals setPurgeTypeTotals_ setTotalBytesNonReclaimable_ setTotalBytesReclaimable_ setTotalNodesNonReclaimable_ setTotalNodesReclaimable_ totalBytesNonReclaimable totalBytesReclaimable totalForPurgeType_ totalNodesNonReclaimable totalNodesReclaimable MallocTotalDiff initWithMallocTotalBefore_After_ purgeTypeTotalDiffs setPurgeTypeTotalDiffs_ setTotalBytesNonReclaimableDiff_ setTotalBytesReclaimableDiff_ setTotalNodesNonReclaimableDiff_ setTotalNodesReclaimableDiff_ totalBytesNonReclaimableDiff totalBytesReclaimableDiff totalNodesNonReclaimableDiff totalNodesReclaimableDiff MecabraAnalysisContextImpl addCandidate_ adjustCandidateContext candidateContext candidateContextForAnalysis candidateContextString clearContextForAddition positionInContextWithPartialDocumentStringLength_ rebuildCandidateContextString revertLastCommittedCandidate setCandidateContextString_ setCandidateContext_ setRebuildCandidateContextString_ setStringBeforeCaret_ setStringContext_ stringBeforeCaret stringContext stringContextForAnalysis MecabraCandidate analysisString convertedAnalysisString convertedAnalysisStringForFirstSyllable copySyllableLengthArrayForWordAtIndex_ copySyllableLengthArrayInAnalysisString copySyllableLengthArrayInConvertedAnalysisString copySyllableLengthArrayInDictionaryReading dictionaryReading initWithCandidate_ isAutocorrectedCandidate isConversionCandidate isEmojiCandidate isExtensionCandidate isFuzzyMatchCandidate isLearningDictionaryCandidate isOTAWordlistCandidate isPersonName isPredictionCandidate isSyntheticCandidate isUserWordCandidate lastPrefixValue lcAttrAtIndex_ matchType matchedLengthType phraseBoundaryAfterWordAtIndex_ rawCandidate rawConversionCandidate rcAttrAtIndex_ setDisplayString_ syllabifiedAnalysisString syllabifiedConvertedAnalysisString syllabifiedDictionaryReading syllablesInAnalysisString syllablesInConvertedAnalysisString syllablesInDictionaryReading syllablesInString_syllableLengths_ trieValueAtIndex_ wordCount wordDictionaryReadingLengthAtIndex_ wordIDs wordIsFromSystemDictionaryAtIndex_ wordLengthAtIndex_ wordRangeAtIndex_ wordReadingLengthAtIndex_ wordReadings words MecabraCoreDataController addEntry_ clearStoredMergeEntries coreDataUbiquityFolderURLforStore_ databaseName databasePropertyForKey_ deleteAllElements deleteAllMatchingEntries_ deleteEntry_ dictionaryEntryHasAllRequiredKeys_ dictionaryValueFromManagedObject_ dictionaryValuesFromManagedObjects_ entityDescription entityDescriptionForContext_ entriesFromStrippedStoreURL_ entriesToMerge initWithType_URL_ isLogging localInfoPlistURL localStoreURL localURL locallyPresentUbiquitousFiles logEntry_operationType_extraInformation_ logMessage_ managedObjectContext managedObjectModel newPersistentStoreWithURL_ubiquityContainerIdentifier_managedObjectModel_ persistentStoreCoordinator prepareURLForDatabaseFile_ removeDuplicatesForEntry_uniquingKeys_sortDescriptors_restrictToNumberOfElements_identifierKey_ searchResultsWithValueDictionary_ searchResultsWithValueDictionary_managedObjectContext_sortDescriptors_ searchResultsWithValueDictionary_sortDescriptors_ sendRemoteNotification setDatabaseProperty_forKey_ setLocalURL_ setManagedObjectContext_ setManagedObjectModel_ setPersistentStoreCoordinator_ setStoreURL_ setStoredElementsForMerge_ setValue_forKey_entry_ setValuesForEntry_uniquingKeys_ shouldSyncDatabase storedElementsForMerge stripUbiquitousInformationFromStore_ MecabraCoreDataProperties databaseSyncs entityDescriptionURL entityModelName forceNoSync requiredKeys sortDescriptors ubiquitousStoreDirectoryURLForIdentifier_ ubiquitousTransactionURLForIdentifier_ ubiquitousURLWithSuffix_ ubiquityContainerIdentifier uniqueKeys MecabraFacemarkCandidate initWithString_category_ MecabraWordProperties bihuaCodes cangjieCodes characterInformation codeLookupInformation initWithString_language_ initialsForStrings_ isEmoji isIncludedInCurrentLanguage language pinyinInformationForString_ radicalInformationForString_ separatedInputCodesForString_ setAnalysisString_ setCharacterInformation_ setCodeLookupInformation_ setEmoji_ setLanguage_ strokeInformationForString_ tonesForString_ wubixingCodes zhuyinInformationForString_ MsgList add_ findMatch_ NO NS16BitBigEndianBitmapFormat NS16BitLittleEndianBitmapFormat NS32BitBigEndianBitmapFormat NS32BitLittleEndianBitmapFormat NSAEDescriptorTranslator _setUpAppKitTranslations _setUpFoundationTranslations descriptorByTranslatingObject_ofType_inSuite_ objectByTranslatingDescriptor_toType_inSuite_ registerTranslator_selector_toTranslateFromClass_ registerTranslator_selector_toTranslateFromDescriptorType_ NSAKDeserializer deserializeData_ deserializeListItemIn_at_length_ deserializeList_ deserializeNewData deserializeNewKeyString deserializeNewList deserializeNewObject deserializeNewPList deserializeNewString deserializePListKeyIn_ deserializePListValueIn_key_length_ deserializePList_ deserializeString_ deserializerStream initForDeserializerStream_ NSAKDeserializerStream initFromMemoryNoCopy_length_freeWhenDone_ initFromPath_ readAlignedDataSize readData_length_ readInt NSAKSerializer initForSerializerStream_ serializeData_ serializeListItemIn_at_ serializeList_ serializeObject_ serializePListKeyIn_key_value_ serializePListValueIn_key_value_ serializePropertyList_ serializeString_ serializerStream NSAKSerializerStream copySerializationInto_ writeAlignedDataSize_ writeData_length_ writeDelayedInt_for_ writeInt_ writeRoomForInt_ writeToPath_safely_ NSAMPMDesignation NSASCIIEncodingDetector bytesRatio cfEncoding confidenceWith2Chars initWithNSStringEncoding_CFStringEncoding_ maxSkipBytes multiBytesRatio nsEncoding recognizeString_withDataLength_intoBuffer_ NSASCIIStringEncoding NSATSGlyphStorage _attributeRunForCharacterAtIndex_ _collectElasticRangeSurroundingCharacterAtIndex_minimumCharacterIndex_ _createEllipsisRunWithStringRange_attributes_ _flushCachedObjects _resolvePositionalStakeGlyphsForLineFragment_lineFragmentRect_minPosition_maxPosition_maxLineFragmentWidth_breakHint_ _widthForStringRange_ childGlyphStorageWithCharacterRange_ createCTTypesetter initWithTypesetter_ setGlyphRange_characterRange_ typesetter NSATSLineFragment _charIndexToBreakLineByWordWrappingAtIndex_lineFragmentWidth_hyphenate_ _copyRenderingContextWithGlyphOrigin_ characterRange getTypographicLineHeight_baselineOffset_leading_ glyphRange hasElasticRange justifyWithFactor_ layoutForStartingGlyphAtIndex_characterIndex_minPosition_maxPosition_lineFragmentRect_ lineWidthForType_ resolveOpticalAlignmentUpdatingMinPosition_maxPosition_ resolvedLineBreakMode_ saveMorphedGlyphs_ saveWithGlyphOrigin_ NSATSTypesetter _allocateAuxData _allowsEllipsisGlyphSubstitution _baseWritingDirection _baselineRenderingMode _bidiLevels _ctTypesetter _doBidiProcessing _ellipsisFontForFont_ _forceOriginalFontBaseline _forceWordWrapping _getATSTypesetterGuts _getAuxData _getRemainingNominalParagraphRange_andParagraphSeparatorRange_charactarIndex_layoutManager_string_ _isBusy _isLineBreakModeOverridden _layoutGlyphsInLayoutManager_startingAtGlyphIndex_maxNumberOfLineFragments_maxCharacterIndex_nextGlyphIndex_nextCharacterIndex_ _layoutLineFragmentStartingWithGlyphAtIndex_characterIndex_atPoint_renderingContext_ _lineFragmentRectForProposedRectArgs _mirrorsTextAlignment _setBaselineRenderingMode_ _setBusy_ _setForceOriginalFontBaseline_ _setForceWordWrapping_ _setLineBreakModeOverridden_ _sweepDirectionForGlyphAtIndex_ _updateParagraphStyleCache_ _usesScreenFonts actionForControlCharacterAtIndex_ attributedString attributesForExtraLineFragment baselineOffsetInLayoutManager_glyphIndex_ beginLineWithGlyphAtIndex_ beginParagraph bidiProcessingEnabled boundingBoxForControlGlyphAtIndex_forTextContainer_proposedLineFragment_glyphPosition_characterIndex_ characterRangeForGlyphRange_actualGlyphRange_ currentParagraphStyle currentTextContainer defaultTighteningFactor deleteGlyphsInRange_ endLineWithGlyphRange_ endParagraph finalizeLineFragmentRect_lineFragmentUsedRect_baselineOffset_forGlyphRange_ getGlyphsInRange_glyphs_characterIndexes_glyphInscriptions_elasticBits_bidiLevels_ getGlyphsInRange_glyphs_properties_characterIndexes_bidiLevels_ getLineFragmentRect_usedRect_forParagraphSeparatorGlyphRange_atProposedOrigin_ getLineFragmentRect_usedRect_remainingRect_forStartingGlyphAtIndex_proposedRect_lineSpacing_paragraphSpacingBefore_paragraphSpacingAfter_ glyphRangeForCharacterRange_actualCharacterRange_ hyphenCharacterForGlyphAtIndex_ hyphenationFactor hyphenationFactorForGlyphAtIndex_ insertGlyph_atGlyphIndex_characterIndex_ layoutCharactersInRange_forLayoutManager_maximumNumberOfLineFragments_ layoutGlyphsInLayoutManager_startingAtGlyphIndex_maxNumberOfLineFragments_nextGlyphIndex_ layoutParagraphAtPoint_ lineBreakStrategy lineFragmentPadding lineFragmentRectForProposedRect_remainingRect_ lineSpacingAfterGlyphAtIndex_withProposedLineFragmentRect_ paragraphArbitrator paragraphCharacterRange paragraphGlyphRange paragraphSeparatorCharacterRange paragraphSeparatorGlyphRange paragraphSpacingAfterGlyphAtIndex_withProposedLineFragmentRect_ paragraphSpacingBeforeGlyphAtIndex_withProposedLineFragmentRect_ setAttachmentSize_forGlyphRange_ setBidiLevels_forGlyphRange_ setBidiProcessingEnabled_ setDefaultTighteningFactor_ setDrawsOutsideLineFragment_forGlyphRange_ setHardInvalidation_forGlyphRange_ setHyphenationFactor_ setLineBreakStrategy_ setLineFragmentPadding_ setLineFragmentRect_forGlyphRange_usedRect_baselineOffset_ setLocation_withAdvancements_forStartOfGlyphRange_ setNotShownAttribute_forGlyphRange_ setParagraphGlyphRange_separatorGlyphRange_ setTightenThresholdForTruncation_ setTypesetterBehavior_ setUsesFontLeading_ shouldBreakLineByHyphenatingBeforeCharacterAtIndex_ shouldBreakLineByWordBeforeCharacterAtIndex_ substituteFontForFont_ substituteGlyphsInRange_withGlyphs_ synchronizesAlignmentToDirection textContainers textTabForGlyphLocation_writingDirection_maxLocation_ tightenThresholdForTruncation typesetterBehavior usesFontLeading NSATSUStyleObject addFeatureDescriptions_ addVariationDescriptions_ convertToDictionary exclusives initWithStyle_ isTypeNotExclusive_ mergeAttributesInto_ mergeFontFeaturesInto_ mergeFontVariationsInto_ mergeInVariations_ mergeStyleInto_ merge_ setAttributes_Values_ValueSizes_Count_ setFeatures_selectors_count_ setVariations_Values_Count_ typeIsNotExclusive_ NSAWTEventType NSAbortModalException NSAbortPrintingException NSAboutURLProtocol cachedResponse initWithRequest_cachedResponse_client_ initWithTask_cachedResponse_client_ request startLoading stopLoading NSAboveBottom NSAboveTop NSAbstractLayoutGuide _isDescendantOf_ _snipReferencingConstraints heightVariable initWithConcreteLayoutGuide_ layoutFrame minXVariable minYVariable nsli_marginOffsetForAttribute_ owningView setOwningView_ widthVariable NSAcceleratorButton NSAcceleratorGestureRecognizer _acceptedEventMask _acceptsFailureRequirements _activePressureConfiguration _addDynamicFailureDependent_ _addDynamicFailureRequirement_ _addFailureDependent_ _addFriendGesture_ _affectedByGesture_ _appendDescriptionToString_atLevel_includingDependencies_ _appendDescription_forDependencies_toString_atLevel_ _appendSubclassDescription_ _auxiliaryStorage _cancelRecognition _clearDelayedEvents _clearReferencesToRelatedGesture_ _clearUpdateTimer _deallocAuxiliaryStorage _delayEvent_ _delayedEvents _delayedUpdateGesture _delegateCanPreventGestureRecognizer_ _delegateShouldAttemptToRecognizeWithEvent_ _delegateShouldReceiveTouch_ _delegateShouldSendActionWhenPossibleConcurrentlyWithRecognizer_ _depthFirstViewCompare_ _desiredPressureBehavior _didSendActions _dynamicFailureDependents _dynamicFailureRequirements _enqueueDelayedEventsToSend _eventWasCancelled_ _exclude _failureDependents _failureMap _failureRequirementCompleted_withEvent_ _failureRequirements _hasDelayedEvents _hasTargets _isDirty _isExcludedByGesture_ _isFriendWithGesture_ _isRecognized _noteDesiredPressureBehaviorChanged _queueForResetIfFinished _removeActiveGestureRecognizerFromTouchDevice _removeFailureDependent_ _requiresGestureRecognizerToFail_ _requiresSystemGesturesToFail _resetGestureRecognizer _resetIfFinished _setAcceptsFailureRequiments_ _setDirty _setFailureMap_ _setRequiresSystemGesturesToFail_ _setTouchContextId_ _setTouchDevice_ _setWantsFunctionRowTouches_ _shouldBeRequiredToFailByGestureRecognizer_ _shouldBegin _shouldRequireFailureOfGestureRecognizer_ _shouldSendActionWhenPossibleConcurrentlyWithRecognizer_ _touchContextId _touchDevice _updateGestureStateWithEvent_afterDelay_ _updateGestureWithEvent_ _wantsFunctionRowTouches _willBeginAfterSatisfyingFailureRequirements addTarget_action_ canBePreventedByGestureRecognizer_ canPreventGestureRecognizer_ delaysKeyEvents delaysMagnificationEvents delaysOtherMouseButtonEvents delaysPrimaryMouseButtonEvents delaysRotationEvents delaysSecondaryMouseButtonEvents initWithTarget_action_ locationInView_ removeFailureRequirement_ removeTarget_action_ requireOtherGestureToFail_ sendsActionWhenPossible setDelaysKeyEvents_ setDelaysMagnificationEvents_ setDelaysOtherMouseButtonEvents_ setDelaysPrimaryMouseButtonEvents_ setDelaysRotationEvents_ setDelaysSecondaryMouseButtonEvents_ setSendsActionWhenPossible_ shouldBeRequiredToFailByGestureRecognizer_ shouldRequireFailureOfGestureRecognizer_ stage wantsForceGestureEvents NSAccessibilityAXUIElementWrapper AXUIElement initWithAXUIElement_ NSAccessibilityActionDescription NSAccessibilityActionEntry accessibilityDescription handler initWithName_description_handler_ NSAccessibilityActivationPointAttribute NSAccessibilityAllowedValuesAttribute NSAccessibilityAlternateUIVisibleAttribute NSAccessibilityAnnotationPositionEnd NSAccessibilityAnnotationPositionFullRange NSAccessibilityAnnotationPositionStart NSAccessibilityAnnouncementKey NSAccessibilityAnnouncementRequestedNotification NSAccessibilityApplicationActivatedNotification NSAccessibilityApplicationDeactivatedNotification NSAccessibilityApplicationHiddenNotification NSAccessibilityApplicationRole NSAccessibilityApplicationShownNotification NSAccessibilityAscendingSortDirectionValue NSAccessibilityAttachmentTextAttribute NSAccessibilityAttributeAccessorInfo _getAttributeValueForObject_ _getParameterizedAttributeForObject_withParameter_ _isSelector_supportedByObject_ _setAttributeValueForObject_withValue_ debuggingDictionary getAttributeValue_forObject_ getParameterizedAttributeValue_forObject_withParameter_ getter isParameterized objectSupportsGetter_ objectSupportsSetter_ paramType returnType setAttributeValueForObject_withValue_ setAttribute_ setGetter_ setParamType_ setParameterized_ setReturnType_ setSetter_ setter NSAccessibilityAttributedStringForRangeParameterizedAttribute NSAccessibilityAutocorrectedTextAttribute NSAccessibilityBackgroundColorTextAttribute NSAccessibilityBoundsForRangeParameterizedAttribute NSAccessibilityBrowserRole NSAccessibilityBusyIndicatorRole NSAccessibilityButtonRole NSAccessibilityCancelAction NSAccessibilityCancelButtonAttribute NSAccessibilityCellForColumnAndRowParameterizedAttribute NSAccessibilityCellRole NSAccessibilityCenterTabStopMarkerTypeValue NSAccessibilityCentimetersUnitValue NSAccessibilityCheckBoxRole NSAccessibilityChildPanel _doSetAccessoryView_topView_bottomView_oldView_ _doSetAccessoryView_topView_bottomView_previousKeyView_oldView_ _initContent_styleMask_backing_defer_counterpart_ _replaceAccessoryView_with_topView_bottomView_previousKeyView_ _resizeKeepingPanelOnScreen_expand_animate_ cancel_ setBecomesKeyOnlyIfNeeded_ setFloatingPanel_ setWorksWhenModal_ NSAccessibilityChildrenAttribute NSAccessibilityClearButtonAttribute NSAccessibilityCloseButtonAttribute NSAccessibilityCloseButtonSubrole NSAccessibilityColorButtonMockUIElement accessibilityAddChildElement_ associatedAccessibilityLabel initWithRole_index_parent_ initWithRole_parent_ initWithRole_subrole_index_parent_ initWithRole_subrole_parent_ setAssociatedAccessibilityLabel_ NSAccessibilityColorUtilities NSAccessibilityColorWellRole NSAccessibilityColumnCountAttribute NSAccessibilityColumnHeaderUIElementsAttribute NSAccessibilityColumnIndexRangeAttribute NSAccessibilityColumnRole NSAccessibilityColumnTitlesAttribute NSAccessibilityColumnsAttribute NSAccessibilityComboBoxRole NSAccessibilityConfirmAction NSAccessibilityContainsProtectedContentAttribute NSAccessibilityContentListSubrole NSAccessibilityContentsAttribute NSAccessibilityCreatedNotification NSAccessibilityCriticalValueAttribute NSAccessibilityCustomChooser initWithName_itemSearchBlock_ itemSearchBlock setItemSearchBlock_ NSAccessibilityCustomChooserItemResult initWithTargetElement_targetRange_ setTargetElement_ setTargetRange_ targetElement targetRange NSAccessibilityCustomChooserSearchPredicate currentItem filterText searchDirection setCurrentItem_ setFilterText_ setSearchDirection_ NSAccessibilityCustomRotorSearchDirectionNext NSAccessibilityCustomRotorSearchDirectionPrevious NSAccessibilityCustomRotorTypeAnnotation NSAccessibilityCustomRotorTypeAny NSAccessibilityCustomRotorTypeBoldText NSAccessibilityCustomRotorTypeCustom NSAccessibilityCustomRotorTypeHeading NSAccessibilityCustomRotorTypeHeadingLevel1 NSAccessibilityCustomRotorTypeHeadingLevel2 NSAccessibilityCustomRotorTypeHeadingLevel3 NSAccessibilityCustomRotorTypeHeadingLevel4 NSAccessibilityCustomRotorTypeHeadingLevel5 NSAccessibilityCustomRotorTypeHeadingLevel6 NSAccessibilityCustomRotorTypeImage NSAccessibilityCustomRotorTypeItalicText NSAccessibilityCustomRotorTypeLandmark NSAccessibilityCustomRotorTypeLink NSAccessibilityCustomRotorTypeList NSAccessibilityCustomRotorTypeMisspelledWord NSAccessibilityCustomRotorTypeTable NSAccessibilityCustomRotorTypeTextField NSAccessibilityCustomRotorTypeUnderlinedText NSAccessibilityCustomRotorTypeVisitedLink NSAccessibilityDecimalTabStopMarkerTypeValue NSAccessibilityDecrementAction NSAccessibilityDecrementArrowSubrole NSAccessibilityDecrementButtonAttribute NSAccessibilityDecrementPageSubrole NSAccessibilityDefaultButtonAttribute NSAccessibilityDefinitionListSubrole NSAccessibilityDeleteAction NSAccessibilityDescendingSortDirectionValue NSAccessibilityDescriptionAttribute NSAccessibilityDescriptionListSubrole NSAccessibilityDialogSubrole NSAccessibilityDisclosedByRowAttribute NSAccessibilityDisclosedRowsAttribute NSAccessibilityDisclosingAttribute NSAccessibilityDisclosureLevelAttribute NSAccessibilityDisclosureTriangleRole NSAccessibilityDocumentAttribute NSAccessibilityDrawerCreatedNotification NSAccessibilityDrawerRole NSAccessibilityEditedAttribute NSAccessibilityElement NSAccessibilityEnabledAttribute NSAccessibilityErrorCodeExceptionInfo NSAccessibilityException NSAccessibilityExpandedAttribute NSAccessibilityExtrasMenuBarAttribute NSAccessibilityFilenameAttribute NSAccessibilityFirstLineIndentMarkerTypeValue NSAccessibilityFloatingWindowSubrole NSAccessibilityFocusedAttribute NSAccessibilityFocusedUIElementAttribute NSAccessibilityFocusedUIElementChangedNotification NSAccessibilityFocusedWindowAttribute NSAccessibilityFocusedWindowChangedNotification NSAccessibilityFontFamilyKey NSAccessibilityFontNameKey NSAccessibilityFontSizeKey NSAccessibilityFontTextAttribute NSAccessibilityForegroundColorTextAttribute NSAccessibilityFrameInView NSAccessibilityFrontmostAttribute NSAccessibilityFullScreenButtonAttribute NSAccessibilityFullScreenButtonSubrole NSAccessibilityGridRole NSAccessibilityGroupRole NSAccessibilityGrowAreaAttribute NSAccessibilityGrowAreaRole NSAccessibilityHandleRole NSAccessibilityHandlesAttribute NSAccessibilityHeadIndentMarkerTypeValue NSAccessibilityHeaderAttribute NSAccessibilityHelpAttribute NSAccessibilityHelpTagCreatedNotification NSAccessibilityHelpTagRole NSAccessibilityHiddenAttribute NSAccessibilityHorizontalOrientationValue NSAccessibilityHorizontalScrollBarAttribute NSAccessibilityHorizontalUnitDescriptionAttribute NSAccessibilityHorizontalUnitsAttribute NSAccessibilityHorizontialUnitDescriptionAttribute NSAccessibilityHorizontialUnitsAttribute NSAccessibilityIdentifierAttribute NSAccessibilityImageMockUIElement accessibilityDescriptionAttribute accessibilityIsDescriptionAttributeSettable initWithParent_index_bounds_description_help_ NSAccessibilityImageRole NSAccessibilityInchesUnitValue NSAccessibilityIncrementAction NSAccessibilityIncrementArrowSubrole NSAccessibilityIncrementButtonAttribute NSAccessibilityIncrementPageSubrole NSAccessibilityIncrementorRole NSAccessibilityIndexAttribute NSAccessibilityIndexedMockUIElement NSAccessibilityInsertionPointLineNumberAttribute NSAccessibilityLabelUIElementsAttribute NSAccessibilityLabelValueAttribute NSAccessibilityLanguageTextAttribute NSAccessibilityLayoutAreaRole NSAccessibilityLayoutChangedNotification NSAccessibilityLayoutItemRole NSAccessibilityLayoutPointForScreenPointParameterizedAttribute NSAccessibilityLayoutSizeForScreenSizeParameterizedAttribute NSAccessibilityLeftTabStopMarkerTypeValue NSAccessibilityLevelIndicatorRole NSAccessibilityLineForIndexParameterizedAttribute NSAccessibilityLinkRole NSAccessibilityLinkTextAttribute NSAccessibilityLinkedUIElementsAttribute NSAccessibilityListItemIndexTextAttribute NSAccessibilityListItemLevelTextAttribute NSAccessibilityListItemPrefixTextAttribute NSAccessibilityListRole NSAccessibilityMainAttribute NSAccessibilityMainWindowAttribute NSAccessibilityMainWindowChangedNotification NSAccessibilityMarkedMisspelledTextAttribute NSAccessibilityMarkerGroupUIElementAttribute NSAccessibilityMarkerTypeAttribute NSAccessibilityMarkerTypeDescriptionAttribute NSAccessibilityMarkerUIElementsAttribute NSAccessibilityMarkerValuesAttribute NSAccessibilityMatteContentUIElementAttribute NSAccessibilityMatteHoleAttribute NSAccessibilityMatteRole NSAccessibilityMaxValueAttribute NSAccessibilityMenuBarAttribute NSAccessibilityMenuBarItemRole NSAccessibilityMenuBarRole NSAccessibilityMenuButtonRole NSAccessibilityMenuExtrasMenuBar _accessibilityChildren NSAccessibilityMenuItemRole NSAccessibilityMenuRole NSAccessibilityMinValueAttribute NSAccessibilityMinimizeButtonAttribute NSAccessibilityMinimizeButtonSubrole NSAccessibilityMinimizedAttribute NSAccessibilityMisspelledTextAttribute NSAccessibilityMockStatusBarItem _accessibilitySourceCell _accessibilitySourceView setStatusItem_ statusItem NSAccessibilityMockUIElement NSAccessibilityModalAttribute NSAccessibilityMovedNotification NSAccessibilityNextContentsAttribute NSAccessibilityNotifier NSAccessibilityNumberOfCharactersAttribute NSAccessibilityOrderedByRowAttribute NSAccessibilityOrientationAttribute NSAccessibilityOrientationHorizontal NSAccessibilityOrientationUnknown NSAccessibilityOrientationVertical NSAccessibilityOutlineRole NSAccessibilityOutlineRowSubrole NSAccessibilityOverflowButtonAttribute NSAccessibilityParentAttribute NSAccessibilityPathComponent accessibilityIsURLAttributeSettable accessibilityIsValueAttributeSettable accessibilityURLAttribute accessibilityValueAttribute initWithPathComponentCell_index_parent_ pathComponentCell NSAccessibilityPicasUnitValue NSAccessibilityPickAction NSAccessibilityPlaceholderValueAttribute NSAccessibilityPointInView NSAccessibilityPointsUnitValue NSAccessibilityPopUpButtonRole NSAccessibilityPopoverRole NSAccessibilityPositionAttribute NSAccessibilityPostNotification NSAccessibilityPostNotificationWithUserInfo NSAccessibilityPressAction NSAccessibilityPreviousContentsAttribute NSAccessibilityPriorityHigh NSAccessibilityPriorityKey NSAccessibilityPriorityLow NSAccessibilityPriorityMedium NSAccessibilityProgressIndicatorRole NSAccessibilityProxy _proxyForUIElement_ _proxyParentedChild_ accessibilityFocusRingBoundsForBounds_ realElement NSAccessibilityProxyAttribute NSAccessibilityRTFForRangeParameterizedAttribute NSAccessibilityRadioButtonRole NSAccessibilityRadioGroupRole NSAccessibilityRaiseAction NSAccessibilityRaiseBadArgumentException NSAccessibilityRangeForIndexParameterizedAttribute NSAccessibilityRangeForLineParameterizedAttribute NSAccessibilityRangeForPositionParameterizedAttribute NSAccessibilityRatingIndicatorSubrole NSAccessibilityRelevanceIndicatorRole NSAccessibilityRemoteUIElement initWithRemoteToken_ presenterView setPresenterView_ setTopLevelUIElement_ setWindowUIElement_ topLevelUIElement windowUIElement NSAccessibilityReparentingCellProxy accessibilityBoundsForRangeAttributeForParameter_ accessibilityLineForIndexAttributeForParameter_ accessibilityRangeForLineAttributeForParameter_ accessibilityRangeForPositionAttributeForParameter_ accessibilityVisibleCharacterRangeAttribute hasEditor initWithElement_fauxParent_ NSAccessibilityReparentingProxy NSAccessibilityRequiredAttribute NSAccessibilityResizedNotification NSAccessibilityRightTabStopMarkerTypeValue NSAccessibilityRoleAttribute NSAccessibilityRoleDescription NSAccessibilityRoleDescriptionAttribute NSAccessibilityRoleDescriptionForUIElement NSAccessibilityRowCollapsedNotification NSAccessibilityRowCountAttribute NSAccessibilityRowCountChangedNotification NSAccessibilityRowExpandedNotification NSAccessibilityRowHeaderUIElementsAttribute NSAccessibilityRowIndexRangeAttribute NSAccessibilityRowRole NSAccessibilityRowsAttribute NSAccessibilityRulerMarker accessibilityIsMarkerTypeAttributeSettable accessibilityIsMarkerTypeDescriptionAttributeSettable accessibilityMarkerTypeAttribute accessibilityMarkerTypeDescriptionAttribute accessibilitySetValueAttribute_ initWithRulerMarker_parent_ marker NSAccessibilityRulerMarkerRole NSAccessibilityRulerMarkerTypeIndentFirstLine NSAccessibilityRulerMarkerTypeIndentHead NSAccessibilityRulerMarkerTypeIndentTail NSAccessibilityRulerMarkerTypeTabStopCenter NSAccessibilityRulerMarkerTypeTabStopDecimal NSAccessibilityRulerMarkerTypeTabStopLeft NSAccessibilityRulerMarkerTypeTabStopRight NSAccessibilityRulerMarkerTypeUnknown NSAccessibilityRulerRole NSAccessibilityScreenPointForLayoutPointParameterizedAttribute NSAccessibilityScreenSizeForLayoutSizeParameterizedAttribute NSAccessibilityScrollAreaRole NSAccessibilityScrollBarRole NSAccessibilityScrollerPart initWithPartCode_parent_ partCode NSAccessibilitySearchButtonAttribute NSAccessibilitySearchFieldSubrole NSAccessibilitySearchMenuAttribute NSAccessibilitySectionSearchElement initWithElement_ searchKeys setSearchKeys_ NSAccessibilitySecureTextFieldSubrole NSAccessibilitySegment _accessibilityPerformClickAction_ initWithIndex_parent_ segmentedCell NSAccessibilitySelectedAttribute NSAccessibilitySelectedCellsAttribute NSAccessibilitySelectedCellsChangedNotification NSAccessibilitySelectedChildrenAttribute NSAccessibilitySelectedChildrenChangedNotification NSAccessibilitySelectedChildrenMovedNotification NSAccessibilitySelectedColumnsAttribute NSAccessibilitySelectedColumnsChangedNotification NSAccessibilitySelectedRowsAttribute NSAccessibilitySelectedRowsChangedNotification NSAccessibilitySelectedTextAttribute NSAccessibilitySelectedTextChangedNotification NSAccessibilitySelectedTextRangeAttribute NSAccessibilitySelectedTextRangesAttribute NSAccessibilityServesAsTitleForUIElementsAttribute NSAccessibilitySetMayContainProtectedContent NSAccessibilityShadowTextAttribute NSAccessibilitySharedCharacterRangeAttribute NSAccessibilitySharedFocusElementsAttribute NSAccessibilitySharedTextUIElementsAttribute NSAccessibilitySheetCreatedNotification NSAccessibilitySheetRole NSAccessibilityShowAlternateUIAction NSAccessibilityShowDefaultUIAction NSAccessibilityShowMenuAction NSAccessibilityShownMenuAttribute NSAccessibilitySizeAttribute NSAccessibilitySliderRole NSAccessibilitySliderValueIndicator NSAccessibilitySortButtonRole NSAccessibilitySortButtonSubrole NSAccessibilitySortDirectionAscending NSAccessibilitySortDirectionAttribute NSAccessibilitySortDirectionDescending NSAccessibilitySortDirectionUnknown NSAccessibilitySplitGroupRole NSAccessibilitySplitterRole NSAccessibilitySplittersAttribute NSAccessibilityStandardWindowSubrole NSAccessibilityStaticTextRole NSAccessibilityStepperArrowButton increments initWithIncrements_parent_ NSAccessibilityStrikethroughColorTextAttribute NSAccessibilityStrikethroughTextAttribute NSAccessibilityStringForRangeParameterizedAttribute NSAccessibilityStyleRangeForIndexParameterizedAttribute NSAccessibilitySubroleAttribute NSAccessibilitySuperscriptTextAttribute NSAccessibilitySwitchSubrole NSAccessibilitySystemDialogSubrole NSAccessibilitySystemFloatingWindowSubrole NSAccessibilitySystemWideRole NSAccessibilityTabGroupRole NSAccessibilityTableHeaderCellProxy NSAccessibilityTableRole NSAccessibilityTableRowSubrole NSAccessibilityTabsAttribute NSAccessibilityTailIndentMarkerTypeValue NSAccessibilityTextAlignmentAttribute NSAccessibilityTextAreaRole NSAccessibilityTextAttachmentSubrole NSAccessibilityTextFieldRole NSAccessibilityTextLink initWithCharacterRange_parent_ NSAccessibilityTextLinkSubrole NSAccessibilityTimelineSubrole NSAccessibilityTitleAttribute NSAccessibilityTitleChangedNotification NSAccessibilityTitleUIElementAttribute NSAccessibilityToggleSubrole NSAccessibilityToolbarButtonAttribute NSAccessibilityToolbarButtonSubrole NSAccessibilityToolbarRole NSAccessibilityTopLevelUIElementAttribute NSAccessibilityUIElementDestroyedNotification NSAccessibilityUIElementsKey NSAccessibilityURLAttribute NSAccessibilityUnderlineColorTextAttribute NSAccessibilityUnderlineTextAttribute NSAccessibilityUnignoredAncestor NSAccessibilityUnignoredChildren NSAccessibilityUnignoredChildrenForOnlyChild NSAccessibilityUnignoredDescendant NSAccessibilityUnitDescriptionAttribute NSAccessibilityUnitsAttribute NSAccessibilityUnitsCentimeters NSAccessibilityUnitsChangedNotification NSAccessibilityUnitsInches NSAccessibilityUnitsPicas NSAccessibilityUnitsPoints NSAccessibilityUnitsUnknown NSAccessibilityUnknownMarkerTypeValue NSAccessibilityUnknownOrientationValue NSAccessibilityUnknownRole NSAccessibilityUnknownSortDirectionValue NSAccessibilityUnknownSubrole NSAccessibilityUnknownUnitValue NSAccessibilityValueAttribute NSAccessibilityValueChangedNotification NSAccessibilityValueDescriptionAttribute NSAccessibilityValueIndicatorRole NSAccessibilityVerticalOrientationValue NSAccessibilityVerticalScrollBarAttribute NSAccessibilityVerticalUnitDescriptionAttribute NSAccessibilityVerticalUnitsAttribute NSAccessibilityVisibleCellsAttribute NSAccessibilityVisibleCharacterRangeAttribute NSAccessibilityVisibleChildrenAttribute NSAccessibilityVisibleColumnsAttribute NSAccessibilityVisibleNameKey NSAccessibilityVisibleRowsAttribute NSAccessibilityWarningValueAttribute NSAccessibilityWeakReferenceContainer autoreleasedReference strongReference NSAccessibilityWindowAttribute NSAccessibilityWindowCreatedNotification NSAccessibilityWindowDeminiaturizedNotification NSAccessibilityWindowGrowBox NSAccessibilityWindowMiniaturizedNotification NSAccessibilityWindowMovedNotification NSAccessibilityWindowResizedNotification NSAccessibilityWindowRole NSAccessibilityWindowsAttribute NSAccessibilityZoomButtonAttribute NSAccessibilityZoomButtonSubrole NSActionBinder _addBinding_toController_withKeyPath_valueTransformerName_options_ _adjustStatesOfObject_mode_state_triggerRedisplay_ _applyValueTransformerToValue_forBindingInfo_reverse_ _argumentBindingCount _bindingAdaptorMethodsNeededMask _bindingInfoForBinding_ _bindingInfoIndexForBinding_ _bindingInfos _cleanUpConnectionWithSynchronizePeerBinders_ _clearDependenciesWithAllPeerBinders _conditionallySetsStates _connectionWasBroken _connectionWasEstablished _copyDetailsFromBinder_ _executePerformAction _handleObservingRefresh _initWithObjectNoExceptions_ _invokeSelector_withArguments_forBinding_ _invokeSelector_withArguments_onKeyPath_ofObject_mode_raisesForNotApplicableKeys_ _isAnyBindingInMaskBound_ _isAutoCreated _isBindingEstablished_ _isBooleanBinding_ _isExplicitlyNonEditable _isKeyPathBound_ _isReferenceBinding_ _logError_fallbackMessage_relatedToBinding_ _markAutoCreated_ _mutableArrayValueForKeyPath_ofObject_atIndex_raisesForNotApplicableKeys_ _mutableSetValueForKeyPath_ofObject_atIndex_raisesForNotApplicableKeys_ _noticeEditablePeerBinder_ _noticeTextColorPeerBinder_ _observationProcessingEnabled _observeKeyPathForBindingInfo_registerOrUnregister_ _observeKeyPathForRelatedBinder_registerOrUnregister_ _observeValueForKeyPath_ofObject_context_ _optionsForBinding_specifyOnlyIfDifferentFromDefault_ _performActionWithCommitEditing _performActionWithCommitEditing_didCommit_contextInfo_ _performConnectionEstablishedRefresh _plugin _prepareIndirectKeyValueCodingCallWithPartialControllerKey_controller_ _presentModalAlertWithError_responder_relatedToBinding_ _referenceBinderController _referenceBinding _removeBinding_ _removeBinding_byReplacingWithRemainingBindingsInArray_ _resolveMarkerToPlaceholder_forBindingInfo_allowPluginOverride_ _resumeObservationNotificationProcessing _setController_forBinding_ _setObject_ _setOptions_forBinding_ _setOptions_withBindingInfo_ _setParameter_forOption_withBindingInfo_ _setValue_forKeyPath_ofObject_mode_validateImmediately_raisesForNotApplicableKeys_error_ _suspendObservationNotificationProcessing _synchronizeWithPeerBindersInArray_ _targetAndArgumentsAcceptableForMode_ _targetBindingBound _testBinderConfiguration_repairBindings_ _updateDependenciesWithPeerBinders_ _updateObservingRegistration_ _updatePlaceholdersForBindingInfo_ _valueForKeyPath_ofObject_mode_raisesForNotApplicableKeys_ _valueTransformerNameForBinding_ addBinding_toController_withKeyPath_valueTransformer_options_ allowsNullArgumentWithBinding_ alwaysPresentsApplicationModalAlertsWithBinding_ applyValueTransformerToValue_forBinding_reverse_ availableBindings bindingRunsAlerts_ breakConnection canAddBinding_toController_ canApplyValueTransformer_toBinding_ conditionallySetsEditable conditionallySetsEnabled conditionallySetsHidden controllerForBinding_ copyToObject_ deprecatedBindings invokeSelector_withArguments_forBinding_atIndexPath_error_ invokeSelector_withArguments_forBinding_atIndex_error_ invokeSelector_withArguments_forBinding_error_ invokesSeparatelyWithArrayObjectsWithBinding_ isBindingKeyOptional_ isBindingKeyless_ isBindingReadOnly_ isEditing keyPathForBinding_ mutableArrayValueForBinding_atIndex_resolveMarkersToPlaceholders_ mutableArrayValueForBinding_resolveMarkersToPlaceholders_ mutableSetValueForBinding_atIndex_resolveMarkersToPlaceholders_ mutableSetValueForBinding_resolveMarkersToPlaceholders_ performAction_ placeholderForMarker_withBinding_ raisesForNotApplicableKeysWithBinding_ releaseConnectionWithSynchronizePeerBinders_ removeBinding_ resolveMarkerToPlaceholder_binding_ selectionSupportsEnabledState setAllowsNullArgument_withBinding_ setAlwaysPresentsApplicationModalAlerts_withBinding_ setConditionallySetsEditable_ setConditionallySetsEnabled_ setConditionallySetsHidden_ setInvokesSeparatelyWithArrayObjects_withBinding_ setPlaceholder_forMarker_withBinding_ setRaisesForNotApplicableKeys_withBinding_ setValidatesImmediately_withBinding_ setValue_forBinding_atIndexPath_error_ setValue_forBinding_atIndex_error_ setValue_forBinding_error_ shouldProcessObservations supportsTableEditing targetAndArgumentsAcceptable targetAndArgumentsAcceptableAtIndexPath_ targetAndArgumentsAcceptableAtIndex_ updateOutlineColumnDataCell_forDisplayAtIndexPath_ updateOutlineColumnOutlineCell_forDisplayAtIndexPath_ updateTableColumnDataCell_forDisplayAtIndex_ validatesImmediatelyWithBinding_ valueForBinding_atIndexPath_resolveMarkersToPlaceholders_ valueForBinding_atIndex_resolveMarkersToPlaceholders_ valueForBinding_resolveMarkersToPlaceholders_ valueTransformerForBinding_ NSActionCell _MSMessengerTrackMouse_inRect_ofView_untilMouseUp_ _accessibilityShowMenu_withProxy_ _accessibilityWindowPointForShowMenuWithProxy_ _addTypeSelectAttributesForString_ _allowsTextTighteningInView_ _allowsVibrancyForControlView_ _attributedStringForEditing _attributedStringValue_invalid_ _backingScaleFactorForDrawingInView_ _beginVibrantBlendGroupIfNeccessaryForControlView_ _cachedAttributedStringValue _cachedLineRef _canCacheAttributedStringValue _cell_isEditable _cell_setRefusesFirstResponder_ _centerInnerBounds_ _characterRangeForPoint_inRect_ofView_ _clearAttributedStringCache _clearEditingTextView_ _clearMouseTracking _contents _controlViewDidChangeAppearance_ _convertToText_ _coreUIWidgetName _currentEventStage _customForegroundColorInTitle_ _defaultFont _defaultImageHints _defaultPlaceholderString _delegateValidation_object_uiHandled_ _displaySomeWindowsIfNeeded_ _drawCellForDragWithFrame_inView_ _drawFocusRingWithFrame_ _drawHighlightWithFrame_inView_ _drawLiveResizeHighlightWithFrame_inView_ _drawingInRevealover _effectiveBackgroundStyleInView_ _effectiveBackgroundStyleInView_forSpecifiedStyle_ _effectiveFont _endVibrantBlendGroup _externalContextSeemsLikelyToBeRaised _failsafeAllocAuxiliaryStorage _finalizeStyleTextOptions_ _focusRingFrameForFrame_cellFrame_ _formatObjectValue_invalid_ _funkyOptOutLogicThatShouldGoAwayForView_semanticContext_ _hasAppearanceTextEffectsWithAttributedString_ _hasAttributedStringValue _hasTrackingGestureOverride _hitTestForTouch_event_inRect_ofView_ _hitTestForTrackMouseEvent_inRect_ofView_ _imageComponentIfNonEmptyImagePortion_rect_key_ _initialBackgroundStyleCompatibilityGuess _initialBackgroundStyleCompatibilityGuessIgnoringExternalContext _integerValue _interiorContentAppearanceInView_ _interiorContentValueStateInView_ _invalidateFont _invalidateObjectValue _isAnimatingDefaultCell _isButtonTitleCell _isEditingTextView_ _isGuarded _isWhite _layerDrawingSupportsLinearMaskOverlayForLayerBackedView_ _lineBreakMode _maybeSwapSystemFontForFont_ _minimumPressDuration _mouseTrackingInfo _needRedrawOnWindowChangedKeyState _needsHighlightedTextHint _objectValue_forString_ _objectValue_forString_errorDescription_ _placeholderAttributedString _placeholderString _preferInactiveBezelArtInView_ _prefersTrackingWhenDisabled _pressureConfigurationIfNeeded _realControlTint _restartEditingWithTextView_ _selectOrEdit_inView_target_editor_event_start_end_ _sendActionFrom_ _setAcceptsFirstResponder_ _setAnimationsAllowed_ _setCachedLineRef_ _setContents_ _setControlView_ _setCurrentlyEditing_ _setDrawingInRevealover_ _setEditingTextView_ _setHorizontallyCentered_ _setIntegerValue_ _setIsWhite_ _setLineBreakMode_ _setMouseDownFlags_ _setMouseTrackingInRect_ofView_ _setMouseTrackingInRect_ofView_withConfiguration_ _setMouseTrackingInfo_ _setNeedsHighlightedTextHint_ _setNeedsStateUpdate_ _setPlaceholderAttributedString_ _setPlaceholderString_ _setTextAttributeParaStyleNeedsRecalc _setTouchContinuousTimer_ _setTrackingTouch_ _setVerticallyCentered_ _shouldHighlightCellWhenSelected _shouldRedrawOnIdenticalObjectValueChanges _shouldSetHighlightToFlag_ _shouldUseStyledTextInView_ _skipsSynchronizationForEditingTextView_ _stringDrawingContext _stringForEditing _suppressMouseUpAction _synchronizeTextView_ _textAttributes _textDimsWhenDisabled _textHitTest_withFrame_inView_ _touchContinuousTimer _trackingTouch _typeSelectAttributes _typesetterBehavior _unformattedAttributedStringValue_ _updateCoreUIOptions_withContentAppearanceInView_ _updateInvalidatedObjectValue_ _updateStyledTextOptions_withContentAppearanceInView_ _useHitTestInTrackMouse _useUserKeyEquivalent _usesDefaultContinuousBehavior _usesUserKeyEquivalent _usingAlternateHighlightColorWithFrame_inView_ _validateEntryString_uiHandled_ _vetoMouseDragActionDispatch _vibrancyBlendModeForControlView_ _vibrancyFilterForControlView_ _wantsDefaultLineFragmentPaddingInView_ _windowChangedKeyStateInView_ accessibilityAttributedStringForRangeAttributeForParameter_ accessibilityCurrentEditor accessibilityElementWithParent_ accessibilityInsertionPointLineNumberAttribute accessibilityIsInsertionPointLineNumberAttributeSettable accessibilityIsNumberOfCharactersAttributeSettable accessibilityIsSelectedTextAttributeSettable accessibilityIsSelectedTextRangeAttributeSettable accessibilityIsVisibleCharacterRangeAttributeSettable accessibilityNumberOfCharactersAttribute accessibilityRTFForRangeAttributeForParameter_ accessibilityRangeForIndexAttributeForParameter_ accessibilitySelectedTextAttribute accessibilitySelectedTextRangeAttribute accessibilitySetSelectedTextAttribute_ accessibilitySetSelectedTextRangeAttribute_ accessibilitySetVisibleCharacterRangeAttribute_ accessibilityStringForRangeAttributeForParameter_ accessibilityStyleRangeForIndexAttributeForParameter_ allowsAppearanceTextEffects allowsEditingTokens allowsUndo backgroundStyle cachesLineRef calcDrawInfo_ canSmoothFontsInFrame_forLayerBackedView_ cancelTrackingAt_inView_ cellAttribute_ cellSize cellSizeForBounds_ continueTrackingGesture_inView_ continueTrackingPeriodicEvent_inView_ continueTracking_at_inView_ controlTint controlView customizedBackgroundTypeForControlView_ draggingImageComponentsWithFrame_inView_ drawFocusRingMaskWithFrame_inView_ drawInteriorWithFrame_inView_ drawWithFrame_inView_ drawingRectForBounds_ editWithFrame_inView_editor_delegate_event_ entryType expansionFrameWithFrame_inView_ fieldEditorForView_ fieldEditorTextContainer focusRingMaskBoundsForFrame_inView_ fontDilationStyle hasValidObjectValue highlightColorWithFrame_inView_ highlight_withFrame_inView_ hitTestForEvent_inRect_ofView_ imageInterpolation imageRectForBounds_ initImageCell_ initTextCell_ interiorBackgroundStyle isEntryAcceptable_ isScrollable keyDown_inRect_ofView_ keyUp_inRect_ofView_ layoutLayerWithFrame_inView_ menuForEvent_inRect_ofView_ mnemonic mnemonicLocation nextState opaqueRectForTitleBounds_ resetCursorRect_inView_ selectWithFrame_inView_editor_delegate_start_length_ sendsActionOnEndEditing setAllowsAppearanceTextEffects_ setAllowsUndo_ setBackgroundStyle_ setCellAttribute_to_ setControlTint_ setControlView_ setEntryType_ setFieldEditorTextContainer_ setImageInterpolation_ setMnemonicLocation_ setScrollable_ setSendsActionOnEndEditing_ setShowsFirstResponder_ setTitleTextContainer_ setTruncatesLastVisibleLine_ setUpFieldEditorAttributes_ setWraps_ showsFirstResponder startTrackingAt_inView_ stopTracking_at_inView_mouseIsUp_ titleRectForBounds_ titleTextContainer touchBeganAt_inView_ touchCancelledAt_inView_ touchEndedAt_inView_ touchMovedFrom_to_inView_ trackMouse_inRect_ofView_untilMouseUp_ truncatesLastVisibleLine updateLayerWithFrame_inView_ updateTrackingAreaWithFrame_inView_ wantsNotificationForMarkedText wantsUpdateLayerInView_ wraps NSActivityAutomaticTerminationDisabled NSActivityBackground NSActivityIdleDisplaySleepDisabled NSActivityIdleSystemSleepDisabled NSActivityLatencyCritical NSActivitySuddenTerminationDisabled NSActivityUserInitiated NSActivityUserInitiatedAllowingIdleSystemSleep NSAddTraitFontAction NSAddressCheckingResult _adjustRangesWithOffset_ addressComponents alternativeStrings decodeRangeWithCoder_ encodeRangeWithCoder_ grammarDetails initWithRange_components_ initWithRange_components_underlyingResult_ leadingText numberOfRanges orthography phoneNumber referenceDate regularExpression replacementString resultByAdjustingRangesWithOffset_ resultType timeIsApproximate timeIsPast timeIsSignificant trailingText underlyingResult NSAdminApplicationDirectory NSAdobeCNS1CharacterCollection NSAdobeGB1CharacterCollection NSAdobeJapan1CharacterCollection NSAdobeJapan2CharacterCollection NSAdobeKorea1CharacterCollection NSAffineTransform appendTransform_ concat initWithTransform_ prependTransform_ rotateByDegrees_ rotateByRadians_ scaleBy_ scaleXBy_yBy_ set setTransformStruct_ transformBezierPath_ transformPoint_ transformSize_ transformStruct translateXBy_yBy_ NSAffineTransformStruct m11 m12 m21 m22 tX tY NSAggregateExpression _allowsEvaluation _expressionWithSubstitutionVariables_ _shouldUseParensWithDescription acceptVisitor_flags_ allowEvaluation collection constantValue expressionBlock expressionType expressionValueWithObject_context_ falseExpression initWithCollection_ initWithExpressionType_ leftExpression minimalFormInContext_ operand predicate predicateFormat rightExpression subexpression trueExpression variable NSAggregateExpressionType NSAlert _alertTouchBar _clearTargetAndReleaseButton_ _constraintForExplicitFrameHeight_forView_strength_ _constraintsForExplicitFrameSize_forView_ _constraintsForExplicitFrameSize_forView_strength_ _dontSaveButton _dontWarnAgain _first _firstButtonExists _helpButton _imageView _informationField _interceptKeyEquivalent_ _messageField _removeTouchBar _screenForMaxHeight _second _secondButtonExists _setDidDismissSelector_ _setDidEndSelector_ _setDontSaveButton_ _setDontWarnMessage_ _setModalDelegate_ _setSuppressionButton_ _showsDontWarnAgain _suppressionButton _third _thirdButtonExists accessoryView addButtonWithTitle_ alertStyle attributedInformativeText attributedMessageText beginSheetModalForWindow_completionHandler_ beginSheetModalForWindow_modalDelegate_didEndSelector_contextInfo_ buildAlertStyle_title_formattedMessage_first_second_third_oldStyle_ buildAlertStyle_title_message_first_second_third_oldStyle_args_ buttonPressed_ buttons didEndAlert_returnCode_contextInfo_ didEndSheet_returnCode_contextInfo_ icon informativeText messageText messageWidthForMessage_ placeButtons_firstWidth_secondWidth_thirdWidth_ prepare runModal setAccessoryView_ setAlertStyle_ setAttributedInformativeText_ setAttributedMessageText_ setHelpAnchor_ setIcon_ setInformativeText_ setMessageText_ setShowsHelp_ setShowsSuppressionButton_ setTitle_andMessage_ showsHelp showsSuppressionButton startTimerForSpeaking stopTimerForSpeaking suppressionButton windowClosing_ windowDidBecomeKey_ NSAlertAlternateReturn NSAlertDefaultReturn NSAlertErrorReturn NSAlertFirstButtonReturn NSAlertOtherReturn NSAlertSecondButtonReturn NSAlertStyleCritical NSAlertStyleInformational NSAlertStyleWarning NSAlertThirdButtonReturn NSAlignAllEdgesInward NSAlignAllEdgesNearest NSAlignAllEdgesOutward NSAlignHeightInward NSAlignHeightNearest NSAlignHeightOutward NSAlignMaxXInward NSAlignMaxXNearest NSAlignMaxXOutward NSAlignMaxYInward NSAlignMaxYNearest NSAlignMaxYOutward NSAlignMinXInward NSAlignMinXNearest NSAlignMinXOutward NSAlignMinYInward NSAlignMinYNearest NSAlignMinYOutward NSAlignRectFlipped NSAlignWidthInward NSAlignWidthNearest NSAlignWidthOutward NSAlignmentBinding NSAlignmentFeedbackFilter _actuationBlock _alignmentFeedbackFilterImpl _setActuationBlock_coalesce_ _setSnapDistance_ _updateDragOnLocation_timestamp_modifierFlags_recognizer_ alignmentFeedbackTokenForHorizontalMovementInView_previousX_alignedX_defaultX_ alignmentFeedbackTokenForMovementInView_previousPoint_alignedPoint_defaultPoint_ alignmentFeedbackTokenForVerticalMovementInView_previousY_alignedY_defaultY_ performFeedback_performanceTime_ updateWithEvent_ updateWithPanRecognizer_ NSAlignmentLayoutRelationship alignedAnchors initWithAlignedAnchors_ makeChildrenRelationships NSAllApplicationsDirectory NSAllDescendantPathsEnumerator _under currentSubdirectoryAttributes directoryAttributes fileAttributes skipDescendants skipDescendents NSAllDomainsMask NSAllHashTableObjects NSAllLibrariesDirectory NSAllMapTableKeys NSAllMapTableValues NSAllPredicateModifier NSAllRomanInputSourcesLocaleIdentifier NSAllScrollerParts NSAllocateObject NSAllowsEditingMultipleValuesSelectionBindingOption NSAllowsNullArgumentBindingOption NSAlphaFirstBitmapFormat NSAlphaNonpremultipliedBitmapFormat NSAlphaShiftKeyMask NSAlternateImageBinding NSAlternateKeyMask NSAlternateTitleBinding NSAlwaysPresentsApplicationModalAlertsBindingOption NSAnchoredSearch NSAndPredicateType NSAnimateBinding NSAnimation _addTargetAnimation_start_atProgress_ _advanceTimeWithDisplayLink_ _animationThread _callHandlerWithProgress_didStop_didFinish_ _clearAllTargetAnimations _createDisplayLink_ _instantProgress _progressForAnimation_start_ _progressHandler _removeTargetAnimation_start_ _runBlocking _runInNewThread _screen _setProgressHandler_ _setSendProgressAllTheTime_ _startAnimation _startRunningNonBlocking _stopAnimation_ _stopAnimation_withDisplayLink_ addProgressMark_ animationBlockingMode animationCurve clearStartAnimation clearStopAnimation currentProgress currentValue frameRate initWithDuration_animationCurve_ progressMarks removeProgressMark_ runLoopModesForAnimating setAnimationBlockingMode_ setAnimationCurve_ setCurrentProgress_ setFrameRate_ setProgressMarks_ startAnimation startWhenAnimation_reachesProgress_ stopAnimation stopWhenAnimation_reachesProgress_ NSAnimationBlocking NSAnimationContext allowsAsynchronousAnimation allowsImplicitAnimation beginPerformanceMeasurementForIdentifier_ endPerformanceMeasurementForIdentifier_ isExplicit isImplicit setAllowsAsynchronousAnimation_ setAllowsImplicitAnimation_ NSAnimationDelayBinding NSAnimationEaseIn NSAnimationEaseInOut NSAnimationEaseOut NSAnimationEffectDisappearingItemDefault NSAnimationEffectPoof NSAnimationHelper _continueRunWithStartTime_duration_ _createTimer _destroyTimer _doAnimationStep _doAnimationStepWithProgress_ _doFinalAnimationStep _doRunLoop _isAnimating _progress _resetTimer _runBlockingWithDuration_firingInterval_ _startRunWithDuration_firingInterval_ _stopRun _timeRemaining NSAnimationInfo NSAnimationLinear NSAnimationManager animationForObject_keyPath_ hasAnimationForObject_keyPath_ removeAllAnimationsForObject_ removeAnimationsForObject_keyPath_ setTargetValue_forObject_keyPath_animation_ targetValueForObject_keyPath_ NSAnimationNonblocking NSAnimationNonblockingThreaded NSAnimationProgressMark NSAnimationProgressMarkNotification NSAnimationTriggerOrderIn NSAnimationTriggerOrderOut NSAntialiasThresholdChangedNotification NSAnyEventMask NSAnyKeyExpression _initPrivate NSAnyKeyExpressionType NSAnyPredicateModifier NSAnyType NSApp NSAppKitDefined NSAppKitDefinedMask NSAppKitIgnoredException NSAppKitVersionNumber NSAppKitVersionNumber10_0 NSAppKitVersionNumber10_1 NSAppKitVersionNumber10_10 NSAppKitVersionNumber10_10_2 NSAppKitVersionNumber10_10_3 NSAppKitVersionNumber10_10_4 NSAppKitVersionNumber10_10_5 NSAppKitVersionNumber10_10_Max NSAppKitVersionNumber10_11 NSAppKitVersionNumber10_11_1 NSAppKitVersionNumber10_11_2 NSAppKitVersionNumber10_11_3 NSAppKitVersionNumber10_12 NSAppKitVersionNumber10_12_1 NSAppKitVersionNumber10_12_2 NSAppKitVersionNumber10_2 NSAppKitVersionNumber10_2_3 NSAppKitVersionNumber10_3 NSAppKitVersionNumber10_3_2 NSAppKitVersionNumber10_3_3 NSAppKitVersionNumber10_3_5 NSAppKitVersionNumber10_3_7 NSAppKitVersionNumber10_3_9 NSAppKitVersionNumber10_4 NSAppKitVersionNumber10_4_1 NSAppKitVersionNumber10_4_3 NSAppKitVersionNumber10_4_4 NSAppKitVersionNumber10_4_7 NSAppKitVersionNumber10_5 NSAppKitVersionNumber10_5_2 NSAppKitVersionNumber10_5_3 NSAppKitVersionNumber10_6 NSAppKitVersionNumber10_7 NSAppKitVersionNumber10_7_2 NSAppKitVersionNumber10_7_3 NSAppKitVersionNumber10_7_4 NSAppKitVersionNumber10_8 NSAppKitVersionNumber10_9 NSAppKitVersionNumberWithColumnResizingBrowser NSAppKitVersionNumberWithContinuousScrollingBrowser NSAppKitVersionNumberWithCursorSizeSupport NSAppKitVersionNumberWithCustomSheetPosition NSAppKitVersionNumberWithDeferredWindowDisplaySupport NSAppKitVersionNumberWithDirectionalTabs NSAppKitVersionNumberWithDockTilePlugInSupport NSAppKitVersionNumberWithPatternColorLeakFix NSAppKitVirtualMemoryException NSAppearance NSAppearanceAuxiliary bezelBrightness defaultBlendMode glyphBrightness preventArchiving setBezelBrightness_ setDefaultBlendMode_ setGlyphBrightness_ setPreventArchiving_ setSupportsBrightnessAdjustments_ setSupportsWhitePointAdjustments_ setTintColor_ supportsBrightnessAdjustments supportsWhitePointAdjustments NSAppearanceNameAqua NSAppearanceNameLightContent NSAppearanceNameVibrantDark NSAppearanceNameVibrantLight NSAppleEventDescriptor _AEDesc _copyValueOfDescriptorType_toBuffer_ofLength_ _dataForDescriptorType_ _dateValue _filePathValue _fileURLValue _flushAEDesc _fsRefValue _initWithDescriptorType_bytes_byteCount_ _initWithoutAEDesc _isAutoWhitelistedEvent _numberValue _printSettingsValue _scriptingAnyDescriptor _senderAccessGroups _senderHasGenericSendRights _senderHasSpecificSendRights _setAEDesc_ _singleFilePathValue _valueOfType_ _valueOfType_withDeferredSpecifierEvaluation_ aeDesc attributeDescriptorForKeyword_ booleanValue coerceToDescriptorType_ dateValue descriptorAtIndex_ descriptorForKeyword_ descriptorType enumCodeValue eventID fileURLValue initListDescriptor initRecordDescriptor initWithAEDescNoCopy_ initWithDescriptorType_bytes_length_ initWithDescriptorType_data_ initWithEventClass_eventID_targetDescriptor_returnID_transactionID_ insertDescriptor_atIndex_ int32Value isRecordDescriptor keywordForDescriptorAtIndex_ numberOfItems paramDescriptorForKeyword_ removeDecriptorAtIndex_ removeDescriptorAtIndex_ removeDescriptorWithKeyword_ removeParamDescriptorWithKeyword_ returnID sendEventWithOptions_timeout_error_ setAttributeDescriptor_forKeyword_ setDescriptor_forKeyword_ setParamDescriptor_forKeyword_ typeCodeValue NSAppleEventHandling event initWithEvent_replyEvent_ replyEvent resumeWithScriptCommandResult_ scriptCommand setScriptCommand_ NSAppleEventManager _perThreadHandlingStack_ _popIfTopHandling_ _poppedTopHandling _prepareForDispatch _pushHandling_ _resumeIfNotTopHandling_withScriptCommandResult_ _setEventSecurityHandler_andSelector_forEventClass_andEventID_ _suspendIfTopHandling_ _topHandling appleEventForSuspensionID_ currentAppleEvent currentReplyAppleEvent dispatchRawAppleEvent_withRawReply_handlerRefCon_ removeEventHandlerForEventClass_andEventID_ replyAppleEventForSuspensionID_ resumeWithSuspensionID_ setCurrentAppleEventAndReplyEventWithSuspensionID_ setEventHandler_andSelector_forEventClass_andEventID_ suspendCurrentAppleEvent NSAppleEventManagerSuspensionID __c_void_p__ __cobject__ __pointer__ NSAppleEventManagerWillProcessFirstEventNotification NSAppleEventSendAlwaysInteract NSAppleEventSendCanInteract NSAppleEventSendCanSwitchLayer NSAppleEventSendDefaultOptions NSAppleEventSendDontAnnotate NSAppleEventSendDontExecute NSAppleEventSendDontRecord NSAppleEventSendNeverInteract NSAppleEventSendNoReply NSAppleEventSendQueueReply NSAppleEventSendWaitForReply NSAppleEventTimeOutDefault NSAppleEventTimeOutNone NSAppleScript _compiledScriptID _executeAppleEvent_withMode_error_ _executeWithMode_andReturnError_ _initWithContentsOfFile_error_ _initWithData_error_ _initWithScriptIDNoCopy_ compileAndReturnError_ executeAndReturnError_ executeAppleEvent_error_ initWithContentsOfURL_error_ initWithSource_ isCompiled richTextSource NSAppleScriptErrorAppName NSAppleScriptErrorBriefMessage NSAppleScriptErrorMessage NSAppleScriptErrorNumber NSAppleScriptErrorRange NSApplication _accessibilityCompatibilityHitTest_ _accessibilityEventProcessed_ _accessibilityEventReceived_ _accessibilityPopovers _accessibilityViewBridgeHitTest_ _activateWindows _activeDisplayChanged_ _addDebugMenuIfNeeded _addFeedbackMenuItemIfNeeded _addFullScreenInstance_ _addFullScreenMenuItemIfNeeded _addHiddenWindow_ _addKeyOverrideWindow_ _addUpdaterForDocumentMenuItem_ _addWindow_ _addWindowsMenu_enabled_ _adjustKeyWindowFromOriginatingDisplayHint_ _afterBatchOrderingFinishesDo_ _allowAutomaticTerminationInsteadOfTermination _ambientOriginatingDisplayHint _anyOfMyFullScreenSpacesAreVisible _anyOfMyWindowsAreOnAVisibleNonFullScreenSpace _appCentricOpenPanel _appHasNonMiniaturizedWindow _appHasOpenNSWindow _appHasOpenNSWindowOrPanel _appHasVisibleWindowOrPanel _appIcon _appleEventActivationInProgress _applicationLaunchIsPastSplashScreens _aquaColorVariantChanged _areAllPanelsNonactivating _asynchronouslyPrefetchUbiqityContainerURL _awakenIfSleepingInAutoQuitAndContinueTermination_ _axContrastChanged_ _batchOrdering _bestKeyWindowCandidateOnScreen_ _bestMainWindowCandidateOnScreen_ _cachedTileRectForSpace_ _callMemoryPressureHandlers _canShowExceptions _cancelAllUserAttentionRequests _cancelGestureRecognizers_ _cancelRequest_ _checkForAutomaticTerminationSupportPossiblyEnablingIt _checkForTerminateAfterLastWindowClosed_saveWindows_ _cleanUpForCarbonAppTermination _clearModalWindowLevels _commonBeginModalSessionForWindow_relativeToWindow_modalDelegate_didEndSelector_contextInfo_ _continueReopening _copyBatchWindowOrderingPerformerForToken_release_ _copyFullScreenInstances _copyVisibleFullScreenInstances _copyWindows _crashOnException_ _createDockMenu_ _currentActivation _cursorRectCursor _cycleUtilityWindowsReversed_ _cycleWindowsReversed_ _deactivateWindows _deallocHardCore_ _debugCanQuietSafeQuit _debugMenu _declineSpaceChangedNotification _delayReopening _delegate_handlesKey_ _didNSOpenOrPrint _disableRelaunchOnLoginIfNotLaunchedByLaunchServicesOrBlacklisted _disableRestorableStateWriting _disableSuddenTermination _displayProgressNotification_isIndeterminate_ _displayStatusNotification_title_options_ _doCopyMemoryPressureArrayOnWriteIfNecessary _doFakeUnhide _doHide _doHideMaybeFakingIt_ _doModalLoopForCarbonWindow_peek_ _doModalLoop_peek_ _doOpenFile_ok_tryTemp_ _doOpenUntitled _doUnhideWithoutActivation _doUnhideWithoutActivationMaybeFakingIt_ _docController_shouldTerminate_ _dockBehaviorChanged_ _dockDied _dockRestarted _enableAutomaticTerminationIfWhitelisted _enableRestorableStateWriting _enableSuddenTermination _endRunMethod _enumerateOnScreenWindowsUsingBlock_ _eventBlockingTransitionDidEnd _eventBlockingTransitionWillBegin _eventDelegate _exceptionListeners _exitFullScreenModeOnSpace_ _expectingAppDeath _extractOriginatingDisplayHintFromAppleEvent_ _fakeMemoryPressureHandler_ _feedbackMenuAppName _feedbackMenuTitle _feedbackURL _fillSpellCheckerPopupButton_ _findKeyWindowConsideringSpacesWithOriginatingDisplayHint_isAppleEventPending_makeKey_ _findWindowUsingCache_ _findWindowUsingContextID_ _findWindowUsingRealWindowNumber_ _findWindowWithOptions_passingTest_ _finishHandlingDisplayReconfig _flattenMenuItem_ _flattenMenuItem_flatList_ _flattenMenu_ _flattenMenu_flatList_ _flushPersistentState _forAEOpenDocumentsEvent_populateReplyEvent_withURLs_documents_ _forceAutoQuit_ _freezeAutomaticTerminationState _fullScreenInstanceEnteringFullScreen _fullScreenSpaces _gestureEventMask _getLockedWindowListForCycle _getWindowData_add_ _globalCanQuietAndSafeQuit _handleAECloudKitShareInvitationEvent_ _handleAEContinueUserActivityEvent_ _handleAEOpenContentsEvent_withReplyEvent_ _handleAEOpenDocumentsForURLs_ _handleAEOpenEvent_ _handleAEPrintDocumentsForURLs_withSettings_showPrintPanels_ _handleAEQuit _handleAEReopen_ _handleActivateDeferredEvent_ _handleActivatedEvent_ _handleAppKitDefinedEvent_ _handleCoreEvent_withReplyEvent_ _handleCursorRectEvent_ _handleDeactivateEvent_ _handleHotKeyPressed_ _handleHotKeyRelease_ _handleKeyEquivalent_ _handleKeyFocusNotification_withEvent_ _handleReactivateEvent_ _handleSelfTestEvent_ _handleSymbolicHotKey_ _handleTestEvent_withReplyEvent_ _handlingAmbientDisplayHintDockMenuCommand _hasActiveRequest _hasKeyFocus _hasOpenMenuItem _hiddenOnLaunch _hiddenWindows _iconImage _inSafariInstallEnvironment _indexOfWindow_ _initializeAutomaticTermination _installAutoreleasePoolsOnCurrentThreadIfNecessary _installMemoryPressureDispatchSources _installMemoryStatusDispatchSources _invalidateWindowListForCycleIfNeededForWindow_ _isActiveApp _isAlternateQuitMenuItem_ _isDeactPending _isDoingHide _isDoingOpenFile _isDoingUnhide _isDying _isFakeHidden _isFinishLaunchingFromEventHandlersSuppressed _isHandlingDisplayReconfigThatWillRepositionWindows _isModalUsingCache_ _isNSDocumentBased _isRunningAppModal _isRunningDocModal _isRunningModal _isSuppressGestureSubMaskChangesEnabled _isVisibleUsingCache_ _keyWindow _keyWindowForHeartBeat _kitBundle _lastEventRecordTime _launchSpellChecker_ _launchSpellChecker_error_ _launchTaskMask _lockOrUnlockWindowCycleList_ _lowestWindowOfAtLeastNormalWindowLevelAfterScheduledBatchOrdering _mainWindow _makeHODWindowsPerform_ _makeModalWindowsPerform_ _makeSureAutomaticTerminationIsNotInterferingWithLanguagePrefs_ _makeWindowsPerform_forEvent_inWindow_standardWindowButton_ _modalSession_sendEvent_ _mouseActivationInProgress _nextEventMatchingEventMask_untilDate_inMode_dequeue_ _obtainKeyFocus _openDocumentURLs_withCompletionHandler_ _openFeedbackAssistant_ _openFileWithoutUI_ _orderFrontModalWindow_relativeToWindow_ _orderWindowsAndSwitchToSpaceIfNeeded _orderedWindowsWithPanels_ _pendingActCount _pendingActivationOriginatingDisplayHint _performBatchWindowOrdering_release_ _persistenceOrderedWindowNumbers _popPersistentStateTerminationGeneration _postDidFinishNotification _postEventHandling _preEventHandling _prepareForPossibleScreenInvalidation_ _previousKeyWindow _processSwitchesEnabled _pushPersistentStateTerminationGeneration _quitMenuItemShouldKeepWindows_ _reactToAcceleratorChangedNotification _reactToChangeInQuitAlwaysKeepsWindows_ _reactToDisplayChangedEvent _reactToDisplayChangedNotification _reactToDockChanged _reactToExtendedDynamicRangeChangeNotification _reactToPresentationChanged _reactToScreenInvalidationImmediately_ _reactToScreenInvalidation_ _rebuildOrUpdateServicesMenu_ _registerExceptionListener_ _registerForDisplayChangedNotification _registerRequiredAEHandlers _registerWithDock _releaseKeyFocus _removeFullScreenInstance_ _removeHiddenWindow_ _removeKeyOverrideWindow_ _removeSystemUIModeHandler _removeWindowFromCache_ _removeWindow_ _reopenPersistentState _reopenWindowsAsNecessaryIncludingRestorableState_completionHandler_ _reopenWindowsIfNecessaryWithAppleEvent_completionHandler_ _replyToLaunch _replyToOpen_ _requestSpaceChangedNotification _requiresOpeningUntitledWindowAtLaunch _resetCursorStack _responsibleDelegateForSelector_ _restoreCursor _restoreGlobalStateWithRestoration_ _restoreMiniaturizedWindow _restoreWindowWithRestoration_completionHandler_ _resumeAppleEventWithSuspensionIDValue_ _scheduleCheckForTerminateAfterLastWindowClosed _scheduleWindow_forBatchOrdering_relativeTo_ _sendDockMenuCommand_withTag_modifierFlags_ _sendDockMenuCommand_withTag_modifierFlags_originatingDisplay_ _sendFinishLaunchingNotification _sendScreenNotificationWhenDockSizeChanges _setAllPanelsNonactivating_ _setAllowAutomaticTerminationInsteadOfTermination_ _setAmbientOriginatingDisplayHint_ _setAppCentricOpenPanel_ _setAppleEventActivationInProgress_ _setApplicationIconImage_setDockImage_ _setAutomaticCustomizeTouchBarMenuItemEnabled_ _setCacheWindowNum_forWindow_ _setCurrentActivation_ _setCurrentEvent_ _setCursorForCurrentMouseLocation _setDockMenuForPersistentState_ _setDoubleClickBehavior _setEventDelegate_ _setFakeHidden_ _setGestureEventMask_ _setHasKeyFocus_ _setHidesOnDeactivateInCache_forWindow_ _setIsHidden_ _setKeyWindow_ _setLaunchTaskMaskBits_ _setMainMenu_ _setMainWindow_ _setModalInCache_forWindow_ _setMouseActivationInProgress_ _setNeedsUpdateToReflectAutomaticTerminationState _setPendingActivationOriginatingDisplayHint_ _setPresentationOptions_flags_ _setPresentationOptions_instance_flags_ _setPreviousKeyWindow_ _setShouldRestoreStateOnNextLaunch_ _setSpacesSwitchOnActivation _setSupressGestureSubMaskChangesEnabled_ _setVisibleInCache_forWindow_ _setWaitingForTerminationReply_ _setWantsToActivate_ _shouldClearModalWindowLevelWhenInactive _shouldDelayDocumentReopeningUntilAfterFinishLaunching _shouldLoadMainNibNamed_ _shouldRestoreWithFullFidelity _shouldShowFeedbackMenuItem _shouldTerminate _showException_ _sleepInAutomaticTermination _someFullScreenInstanceHasSuppressedImplicitFullScreen _something_wasPresentedWithResult_soContinue_ _spacesSwitchOnActivation _spacesSwitchOnActivationChanged_ _startBatchWindowAccumulation_ _startHandlingDisplayReconfig_ _startPrefetchingUbiquityContainerURL _startRunMethod _stateRestorationExtensionCounter _stealKeyFocusWithOptions_ _suppressFinishLaunchingFromEventHandlersWhilePerformingBlock_ _switchToSpaceIfNeeded _terminateFromSender_askIfShouldTerminate_saveWindows_ _terminateOnMemoryPressure_ _tryRestorationHeuristicsForWindowWithIdentifier_state_ _tryTransformingToBackgroundTypeForAutoQuit _ubiquityIdentityDidChange_ _unfreezeAutomaticTerminationState _unlockWindowListForCycle _unregisterExceptionListener_ _unscheduleWindowForBatchOrdering_ _unsetShouldRestoreStateOnNextLaunch _updateActiveWindowForSpaceChange _updateButtonsForSystemUIModeChanged _updateCanQuitQuietlyAndSafely _updateDisplaysIfNeeded _updateFullScreenPresentationOptions _updateFullScreenPresentationOptionsForInstance_ _updateWindowsUsingCache _userNotificationCenter_didActivateWithToken_ _userNotificationCenter_willActivateForNotification_additionalUserInfo_ _validateError_forPresentationMethod_ _validateTouchBarCustomizationPaletteItem_ _visibleFullScreenInstanceOnScreen_ _visibleFullScreenInstanceOnSpace_ _waitingForTerminationReply _wantsDeviceDependentEventModifierFlags _wantsToActivate _whenReopeningIsAllowedDo_ _windowNumber_changedTo_ _windowWithContextID_ _windowWithRealWindowNumber_ _withAmbientOriginatingDisplayHint_perform_ abortAllToolTips abortModal accessibilityEnhancedUserInterfaceAttribute accessibilityExtrasMenuBarAttribute accessibilityFocusedUIElementAttribute accessibilityFocusedWindowAttribute accessibilityFrontmostAttribute accessibilityFunctionRowTopLevelElementsAttribute accessibilityHiddenAttribute accessibilityHitTest accessibilityIsEnhancedUserInterfaceAttributeSettable accessibilityIsFocusedUIElementAttributeSettable accessibilityIsFocusedWindowAttributeSettable accessibilityIsFrontmostAttributeSettable accessibilityIsHiddenAttributeSettable accessibilityIsMainWindowAttributeSettable accessibilityIsMenuBarAttributeSettable accessibilityIsWindowsAttributeSettable accessibilityMainWindowAttribute accessibilityMayContainProtectedContent accessibilityMenuBarAttribute accessibilitySetEnhancedUserInterfaceAttribute_ accessibilitySetFrontmostAttribute_ accessibilitySetHiddenAttribute_ accessibilitySetMayContainProtectedContent_ accessibilityWindowsAttribute accessibilityWorkaroundAddExtraWindow_ accessibilityWorkaroundRemoveExtraWindow_ activateContextHelpMode_ activateIgnoringOtherApps_ activationPolicy activeSpaceChanged_ addIdleMonitorUsingHandler_ addMemoryPressureMonitorUsingHandler_ addWindowsItem_title_filename_ alternateArrangeInFront_ applicationIconImage arrangeInFront_ beginModalSessionForWindow_ beginModalSessionForWindow_relativeToWindow_ beginSheet_modalForWindow_modalDelegate_didEndSelector_contextInfo_ cancelUserAttentionRequest_ changeWindowsItem_title_filename_ closeAll_ completeStateRestoration contextID currentSystemPresentationOptions delayWindowOrdering disableAutomaticTermination disableRelaunchOnLogin enableAutomaticTermination enableRelaunchOnLogin enabledRemoteNotificationTypes endModalSession_ enumerateWindowsWithOptions_usingBlock_ event_wouldActivateWindow_ extendStateRestoration finishLaunching frontWindow handleOpenScriptCommand_ handleQuitScriptCommand_ helpMenu hideOtherApplications_ hide_ isAccessibilityEventProcessedNotificationEnabled isAccessibilityEventProcessedNotificationSupported isAccessibilityMainThreadIdleNotificationEnabled isAccessibilityMainThreadIdleNotificationSupported isAutomaticCustomizeTouchBarMenuItemEnabled isDefaultHelpBookSearchEnabled isFullKeyboardAccessEnabled isRunning isSpeaking keyWindow mainMenu mainStoryboard mainWindow makeWindowsPerform_inOrder_ memoryStatus miniaturizeAll_ modalWindow onFirstEvent openFile_ok_ openTempFile_ok_ orderFrontCharacterPalette_ orderFrontColorPanel_ orderFrontFontPanel_ orderFrontStandardAboutPanelWithOptions_ orderFrontStandardAboutPanel_ orderedDocuments orderedWindows presentationOptions preventWindowOrdering registerForRemoteNotificationTypes_ registerServiceProvider_withName_ registerServicesMenuSendTypes_returnTypes_ registerUserInterfaceItemSearchHandler_ removeIdleMonitor_ removeMemoryPressureMonitor_ removeWindowsItem_ replyToApplicationShouldTerminate_ replyToOpenOrPrint_ reportException_ requestUserAttention_ resetAutomaticCustomizeTouchBarMenuItemEnabled restoreWindowWithIdentifier_state_completionHandler_ run runModalForCarbonWindow_ runModalForWindow_ runModalForWindow_relativeToWindow_ runModalSession_ runPageLayout_ searchString_inUserInterfaceItemString_searchRange_foundRange_ sendAction_to_from_ servicesMenu servicesProvider setAccessibilityEventProcessedNotificationEnabled_ setAccessibilityMainThreadIdleNotificationEnabled_ setActivationPolicy_ setAppleMenu_ setApplicationIconImage_ setAutomaticCustomizeTouchBarMenuItemEnabled_ setDefaultHelpBookSearchEnabled_ setDockMenu_ setHelpMenu_ setIsActive_ setMainMenu_ setPresentationOptions_ setServicesMenu_ setServicesProvider_ setWindowsMenu_ setWindowsNeedUpdate_ shouldRestoreStateOnNextLaunch showGuessPanel_ showHelp_ speakString_ speechSynthesizer_didFinishSpeaking_ startDictation_ stopDictation_ stopModal stopModalWithCode_ stop_ targetForAction_ targetForAction_to_from_ terminate_ toggleTouchBarControlStripCustomizationPalette_ toggleTouchBarCustomizationPalette_ unhide unhideAllApplications_ unhideWithoutActivation unhide_ unregisterForRemoteNotifications unregisterServiceProviderNamed_ unregisterUserInterfaceItemSearchHandler_ updateWindows updateWindowsItem_ userNotificationCenter_didDeliverNotification_ userNotificationCenter_didFailToRegisterForRemoteNotificationsWithError_ userNotificationCenter_didRegisterForRemoteNotificationsWithDeviceToken_ valueInOrderedWindowsWithUniqueID_ windowWithWindowNumber_ windows windowsMenu zoomAll_ NSApplicationActivateAllWindows NSApplicationActivateIgnoringOtherApps NSApplicationActivatedEventType NSApplicationActivationPolicyAccessory NSApplicationActivationPolicyProhibited NSApplicationActivationPolicyRegular NSApplicationBundlePresenter relinquishPresentedItemToWriter_ NSApplicationDeactivatedEventType NSApplicationDefined NSApplicationDefinedMask NSApplicationDelegateReplyCancel NSApplicationDelegateReplyFailure NSApplicationDelegateReplySuccess NSApplicationDidBecomeActiveNotification NSApplicationDidChangeOcclusionStateNotification NSApplicationDidChangeScreenParametersNotification NSApplicationDidFinishLaunchingNotification NSApplicationDidFinishRestoringWindowsNotification NSApplicationDidHideNotification NSApplicationDidResignActiveNotification NSApplicationDidUnhideNotification NSApplicationDidUpdateNotification NSApplicationDirectory NSApplicationExtensionItem contentText links photoAssets setAttachments_ setContentText_ setLinks_ setPhotoAssets_ setTitleText_ setVideoAssets_ titleText videoAssets NSApplicationExtensionSession completeSessionReturningItems_error_ extensionType progress setProgress_ NSApplicationFileType NSApplicationFunctionRowController _customizationController _noteBarsChanged _refreshFunctionBarView_ _setup _startObservingBar_ _stopObservingBar_ _sync _teardown _updateEscapeKeyItem applicationFunctionRow NSApplicationLaunchIsDefaultLaunchKey NSApplicationLaunchRemoteNotificationKey NSApplicationLaunchUserNotificationKey NSApplicationLoad NSApplicationMain NSApplicationOcclusionStateVisible NSApplicationPresentationAutoHideDock NSApplicationPresentationAutoHideMenuBar NSApplicationPresentationAutoHideToolbar NSApplicationPresentationDefault NSApplicationPresentationDisableAppleMenu NSApplicationPresentationDisableCursorLocationAssistance NSApplicationPresentationDisableForceQuit NSApplicationPresentationDisableHideApplication NSApplicationPresentationDisableMenuBarTransparency NSApplicationPresentationDisableProcessSwitching NSApplicationPresentationDisableSessionTermination NSApplicationPresentationFullScreen NSApplicationPresentationHideDock NSApplicationPresentationHideMenuBar NSApplicationScriptsDirectory NSApplicationSupportDirectory NSApplicationWillBecomeActiveNotification NSApplicationWillFinishLaunchingNotification NSApplicationWillHideNotification NSApplicationWillResignActiveNotification NSApplicationWillTerminateNotification NSApplicationWillUnhideNotification NSApplicationWillUpdateNotification NSAquaAppearance initWithBundleResourceName_ NSAquaUserInterfaceTheme _ruleForView_comparedToContainer_withEdge_ _ruleForView_comparedToView_withEdge_ initWithFallbackTheme_ resolvedValue_forSymbolicConstant_inConstraint_containerView_ NSArchiver CA_decodeCGFloatArray_count_forKey_ CA_decodeObjectForKey_ CA_encodeCGFloatArray_count_forKey_ CA_encodeObject_forKey_conditional_ __failWithExceptionName_errorCode_format_ __failWithException_ __failWithExternalError_ __setError_ __tryDecodeObjectForKey_error_decodeBlock_ _allowsValueCoding _decodeByte _decodeDepth _encodeByte_ _encodeDepth_ _validateAllowedClass_forKey_allowingInvocations_ allowedClasses allowsKeyedCoding archiverData classNameEncodedForTrueClassName_ containsValueForKey_ decodeArrayOfObjCType_count_at_ decodeBoolForKey_ decodeBytesForKey_returnedLength_ decodeBytesWithReturnedLength_ decodeDataObject decodeDoubleForKey_ decodeFloatForKey_ decodeInt32ForKey_ decodeInt64ForKey_ decodeIntForKey_ decodeIntegerForKey_ decodeLongForKey_ decodeNXColor decodeNXObject decodeObject decodeObjectForKey_ decodeObjectForKey_error_ decodeObjectOfClass_forKey_ decodeObjectOfClass_forKey_error_ decodeObjectOfClasses_forKey_ decodeObjectOfClasses_forKey_error_ decodePoint decodePointForKey_ decodePropertyList decodePropertyListForKey_ decodeRect decodeRectForKey_ decodeSize decodeSizeForKey_ decodeTheme decodeThemeForKey_ decodeTopLevelObjectAndReturnError_ decodeTopLevelObjectForKey_error_ decodeTopLevelObjectOfClass_forKey_error_ decodeTopLevelObjectOfClasses_forKey_error_ decodeValueOfObjCType_at_ decodeValuesOfObjCTypes_ decodingFailurePolicy encodeArrayOfObjCType_count_at_ encodeBool_forKey_ encodeBycopyObject_ encodeByrefObject_ encodeBytes_length_ encodeBytes_length_forKey_ encodeClassName_intoClassName_ encodeConditionalObject_ encodeConditionalObject_forKey_ encodeDataObject_ encodeDouble_forKey_ encodeFloat_forKey_ encodeInt32_forKey_ encodeInt64_forKey_ encodeInt_forKey_ encodeInteger_forKey_ encodeLong_forKey_ encodeNXObject_ encodeObject_forKey_ encodePoint_ encodePoint_forKey_ encodePropertyList_ encodeRect_ encodeRect_forKey_ encodeRootObject_ encodeSize_ encodeSize_forKey_ encodeTheme_ encodeTheme_forKey_ encodeValueOfObjCType_at_ encodeValuesOfObjCTypes_ failWithError_ initForWritingWithMutableData_ ls_decodeArrayWithValuesOfClass_forKey_ ls_decodeDictionaryWithKeysOfClass_valuesOfClass_forKey_ ls_decodeDictionaryWithKeysOfClass_valuesOfClasses_forKey_ objectZone replaceObject_withObject_ requiresSecureCoding setAllowedClasses_ setObjectZone_ systemVersion validateAllowedClass_forKey_ validateClassSupportsSecureCoding_ versionForClassName_ NSArgumentBinding NSArgumentDomain NSArgumentEvaluationScriptError NSArgumentsWrongScriptError NSArray NSArrayChange changeType destinationIndex initWithType_sourceIndex_destinationIndex_value_ sourceIndex NSArrayChanges _toManyPropertyType addChange_ addChanges_ applyChangesToArray_ enumerateChangesUsingBlock_ enumerateChanges_usingBlock_ moveObjectAtIndex_toIndex_ updateObject_atIndex_ NSArrayController _addDeclaredKey_ _addKeyPathsFromPredicate_toSet_ _addNumberOfIndexes_toSelectionIndexesAtIndex_sendObserverNotifications_ _arrangeObjectsWithSelectedObjects_avoidsEmptySelection_operationsMask_useBasis_ _arrayContent _assertFilterRestrictsInsertionOfObjects_atArrangedObjectIndexes_ _cacheSelectedObjectsIfNecessary _canModifyManagedContent _changeEditable_ _commonRemoveObserver_forKeyPath_ _controllerEditor_didCommit_contextInfo_ _controllerKeys _declaredKeys _didChangeArrangementCriteriaWithOperationsMask_useBasis_ _ensureObjectsAreMutable _ensureSelectionAfterRemoveWithPreferredIndex_sendObserverNotifications_ _executeAdd_didCommitSuccessfully_actionSender_ _executeFetch_didCommitSuccessfully_actionSender_ _executeInsert_didCommitSuccessfully_actionSender_ _executeSelectNext_didCommitSuccessfully_actionSender_ _executeSelectPrevious_didCommitSuccessfully_actionSender_ _explicitlyCannotAdd _explicitlyCannotInsert _explicitlyCannotRemove _fetchRequestForPerformingFetch _filterObjects_ _filterRestrictsInsertion _finishEditingState _insertObject_atArrangedObjectIndex_objectHandler_ _insertObjects_atArrangedObjectIndexes_objectHandler_ _invokeMultipleSelector_withArguments_onKeyPath_atIndex_ _invokeSingleSelector_withArguments_onKeyPath_ _isManagedController _isUsingManagedProxy _lazyFetchResultProxyForObjects_ _managedProxy _markHasLoadedData_ _modelAndProxyKeysObserved _modelKeysTriggeringChangeNotificationsForDependentKey_ _modifySelectedObjects_useExistingIndexesAsStartingPoint_avoidsEmptySelection_addOrRemove_sendObserverNotifications_forceUpdate_ _modifySelectionIndexes_atIndex_addOrRemove_sendObserverNotifications_ _multipleMutableArrayValueForKeyPath_atIndex_ _multipleMutableArrayValueForKey_atIndex_ _multipleValueForKeyPath_atIndex_ _multipleValueForKey_atIndex_ _multipleValuesObjectAtIndex_ _multipleValuesObjectCount _multipleValuesObjectsAtIndexes_ _needsLiveUpdates _notifyEditorStateChanged_ _notifyManagedContextEditorStateChanged_ _notifyOfAnyContentChange _objectClassName _objectIDsFromManagedObjects_ _observesModelObjects _performFetchWithRequest_merge_error_ _prepareContentWithNewObject_ _reactToMatchingInsertions_deletions_refreshed_ _rearrangementExtensions_ _refreshesAllModelKeys _refreshesAllModelObjects _registerObservingForAllModelObjects _relationshipKeyPathsForPrefetching _removeDeclaredKey_ _removeNumberOfIndexes_fromSelectionIndexesAtIndex_sendObserverNotifications_ _removeObjectAtArrangedObjectIndex_objectHandler_ _removeObjectsAtArrangedObjectIndexes_contentIndexes_objectHandler_ _removeObjects_objectHandler_ _selectObjectsAtIndexesNoCopy_avoidsEmptySelection_sendObserverNotifications_forceUpdate_ _selectObjectsAtIndexes_avoidsEmptySelection_sendObserverNotifications_forceUpdate_ _selectionIndexesCount _sendsContentChangeNotifications _setContentInBackground_ _setDeclaredKeys_ _setExplicitlyCannotAdd_insert_remove_ _setExplicitlyCannotAdd_remove_ _setFilterRestrictsInsertion_ _setModelKeys_triggerChangeNotificationsForDependentKey_ _setMultipleValue_forKeyPath_atIndex_ _setMultipleValue_forKey_atIndex_ _setObjectClassName_ _setObjectHandler_ _setObjects_ _setRefreshesAllModelKeys_ _setRefreshesAllModelObjects_ _setSingleValue_forKeyPath_ _setSingleValue_forKey_ _setSpecialPurposeType_ _setUpAutomaticRearrangingOfObjects _setUsingManagedProxy_ _shouldAddObservationForwardersForKey_ _shouldSendObserverNotificationForModelOrProxyKey_keyPath_ofObject_ _shouldSuppressObserverNotificationFromObject_keyPath_ _singleMutableArrayValueForKeyPath_ _singleMutableArrayValueForKey_ _singleValueForKeyPath_ _singleValueForKeyPath_operationType_ _singleValueForKey_ _sortObjects_ _specialPurposeType _startObservingSelectionIfNecessary _stopObservingSelectionIfNecessary _updateAutomaticRearrangementKeysPaths _updateObservingForAutomaticallyRearrangingObjects _validateMultipleValue_forKeyPath_atIndex_error_ _validateSingleValue_forKeyPath_error_ _validateSingleValue_forKey_error_ addObjects_ addRangeOfInterest_ addSelectedObjects_ addSelectionIndexes_ alwaysPresentsApplicationModalAlerts alwaysUsesMultipleValuesMarker arrangeObjects_ arrangedObjects automaticRearrangementKeyPaths automaticallyPreparesContent automaticallyRearrangesObjects avoidsEmptySelection canAdd canInsert canRemove canSelectNext canSelectPrevious clearsFilterPredicateOnInsertion content defaultFetchRequest didChangeArrangementCriteria didChangeValuesForArrangedKeys_objectKeys_indexKeys_ fetchPredicate fetchWithRequest_merge_error_ fetch_ filterPredicate initWithContent_ insertObject_atArrangedObjectIndex_ insertObjects_atArrangedObjectIndexes_ insert_ newObject objectClass prepareContent preservesSelection rearrangeObjects removeObjectAtArrangedObjectIndex_ removeObjectsAtArrangedObjectIndexes_ removeObjects_ removeSelectedObjects_ removeSelectionIndexes_ remove_ selectNext_ selectPrevious_ selectedObjects selection selectionIndex selectionIndexes selectsInsertedObjects setAlwaysPresentsApplicationModalAlerts_ setAlwaysUsesMultipleValuesMarker_ setAutomaticallyPreparesContent_ setAutomaticallyRearrangesObjects_ setAvoidsEmptySelection_ setClearsFilterPredicateOnInsertion_ setContent_ setEntityName_ setFetchPredicate_ setFilterPredicate_ setObjectClass_ setPreservesSelection_ setSelectedObjects_ setSelectionIndex_ setSelectionIndexes_ setSelectsInsertedObjects_ setSortDescriptors_ setUsesLazyFetching_ usesLazyFetching willChangeValuesForArrangedKeys_objectKeys_indexKeys_ NSArrayDetailBinder _canGuaranteeOrderOfContentObjects _handlesSelectAll _performArrayBinderOperation_singleObject_multipleObjects_singleIndex_multipleIndexes_selectionMode_ _refreshDetailContentInBackground_ _selectAllContent_inDetailController_ _useErrorPresenter_ addObjectToMasterArrayRelationship_selectionMode_ addObjectsToMasterArrayRelationship_selectionMode_ deletesObjectsOnRemove handlesContentAsCompoundValue insertObjectIntoMasterArrayRelationship_atIndex_selectionMode_ insertObjectsIntoMasterArrayRelationship_atIndexes_selectionMode_ noteContentValueHasChanged refreshDetailContent removeObjectFromMasterArrayRelationshipAtIndex_selectionMode_ removeObjectsFromMasterArrayRelationshipAtIndexes_selectionMode_ selectsAllWhenSettingContent setDeletesObjectsOnRemove_ setHandlesContentAsCompoundValue_ setMasterObjectRelationship_ setMasterObjectRelationship_refreshDetailContent_ setSelectsAllWhenSettingContent_ NSArrayDiff initWithPreviousObjects_currentObjects_ insertedObjectIndexes movedObjectIndexes removedObjectIndexes NSAscendingPageOrder NSAsciiWithDoubleByteEUCGlyphPacking NSAssertionHandler handleFailureInFunction_file_lineNumber_description_ handleFailureInMethod_object_file_lineNumber_description_ NSAssertionHandlerKey NSAsynchronousFetchRequest _secureOperation _setSecureOperation_ affectedStores estimatedResultCount fetchRequest initWithFetchRequest_completionBlock_ setAffectedStores_ setEstimatedResultCount_ NSAsynchronousFetchResult _cancelProgress _isCancelled finalResult initForFetchRequest_withContext_andProgress_completetionBlock_ initWithContext_andProgress_completetionBlock_ intermediateResultCallback operationError requestCompletionBlock setFinalResult_ setIntermediateResultCallback_ setOperationError_ setRequestCompletionBlock_ NSAtBottom NSAtTop NSAtomicStore _addObject_ _allOrderKeysForDestination_inRelationship_error_ _defaultMetadata _deleteNodeFromEntityCache_ _deleteNodeFromMainCache_ _didLoadMetadata _getNewIDForObject_ _insertNodeIntoEntityCache_ _insertNodeIntoMainCache_ _isMetadataDirty _newOrderedRelationshipInformationForRelationship_forObjectWithID_withContext_error_ _objectIDClass _preflightCrossCheck _prepareForExecuteRequest_withContext_error_ _rawMetadata__ _registerCacheNode_ _removeObject_ _resetObjectIDFactoriesForStoreUUIDChange _retainedObjectIDForEntity_referenceObject_ _retrieveNodeForObjectID_ _retrieveNodeForObject_ _retrieveNodesSatisfyingRequest_ _setMetadataDirty_ _storeInfoForEntityDescription_ _storeNextReferenceInMetadata _unload_ _updateMetadata _updateObject_ _updatedMetadataWithSeed_includeVersioning_ addCacheNodes_ cacheNodeForObjectID_ cacheNodes configurationName currentQueryGeneration decrementInUseCounter didAddToPersistentStoreCoordinator_ doFilesystemCleanupOnRemove_ executeCountRequest_withContext_ executeFetchRequest_withContext_ executeRefreshRequest_withContext_ executeRequest_withContext_error_ executeSaveChangesRequest_withContext_ externalRecordsPath faultHandler faultHandlerClass freeQueryGenerationWithIdentifier_ incrementInUseCounter initWithPersistentStoreCoordinator_configurationName_URL_options_ isReadOnly loadMetadata_ load_ managedObjectContextDidRegisterObjectsWithIDs_ managedObjectContextDidRegisterObjectsWithIDs_generation_ managedObjectContextDidUnregisterObjectsWithIDs_ managedObjectContextDidUnregisterObjectsWithIDs_generation_ metadata newCacheNodeForManagedObject_ newReferenceObjectForManagedObject_ newValueForRelationship_forObjectWithID_withContext_error_ newValuesForObjectWithID_withContext_error_ objectIDClassForEntity_ objectIDFactoryForEntity_ objectIDForEntity_referenceObject_ obtainPermanentIDsForObjects_error_ referenceObjectForObjectID_ save_ setMetadata_ setReadOnly_ supportsConcurrentRequestHandling supportsGenerationalQuerying updateCacheNode_fromManagedObject_ willRemoveCacheNodes_ willRemoveFromPersistentStoreCoordinator_ NSAtomicStoreCacheNode _setVersionNumber_ _snapshot_ _versionNumber initWithObjectID_ knownKeyValuesPointer propertyCache setPropertyCache_ NSAtomicWrite NSAttachmentAttributeName NSAttachmentCharacter NSAttachmentTextStorage _forceFixAttributes _isEditing _lockForReading _lockForWriting _lockForWritingWithExceptionHandler_ _notifyEdited_range_changeInLength_invalidatedRange_ _rangeByEstimatingAttributeFixingForRange_ _setForceFixAttributes_ _setUsesSimpleTextEffects_ _subtextStorageFromRange_ _undoRedoAttributedSubstringFromRange_ _undoRedoTextOperation_ _usesSimpleTextEffects addLayoutManager_ attributeRuns changeInLength characters coordinateAccess_ coordinateEditing_ coordinateReading_ cuiCatalog cuiStyleEffects editedMask editedRange edited_range_changeInLength_ ensureAttributesAreFixedInRange_ filename fixesAttributesLazily fontName fontSetChanged insertInAttachments_ invalidateAttributesInRange_ layoutManagers paragraphs processEditing removeLayoutManager_ scriptingTextDescriptor setAttributeRuns_ setCharacters_ setEditedMask_ setFilename_ setFontName_ setParagraphs_ setUrl_ setWords_ NSAttributeDescription _appendPropertyFieldsToData_propertiesDict_uniquedPropertyNames_uniquedStrings_uniquedData_entitiesSlots_ _attributeValueClass _canConvertPredicate_andWarning_ _comparePredicatesAndWarningsWithUnoptimizedAttributeDescription_ _comparePredicatesAndWarnings_ _createCachesAndOptimizeState _entitysReferenceID _epsilonEquals_rhs_withFlags_ _extraIVars _hasMaxValueInExtraIvars _hasMinValueInExtraIvars _initWithName_type_ _initWithName_type_withClassName_ _initWithType_ _initializeExtraIVars _isEditable _isOrdered _isRelationship _isToManyRelationship _isTriggerBacked _nonPredicateValidateValue_forKey_inObject_error_ _propertyType _rawValidationPredicates _rawValidationWarnings _replaceValidationPredicates_andWarnings_ _restoreValidation _setEntity_ _setEntitysReferenceID_ _setOrdered_ _skipValidation _sortOutDefaultNumericValuesBecauseDoublesAndFloatsDontCompareEqualAndThatBreaksTests _storeBinaryDataExternally _stripForMigration _throwIfNotEditable _underlyingProperty _versionHash_inStyle_ _writeIntoData_propertiesDict_uniquedPropertyNames_uniquedStrings_uniquedData_entitiesSlots_fetchRequests_ allowsExternalBinaryDataStorage attributeValueClassName defaultValue elementID entity isIndexed isIndexedBySpotlight isOptional isSpotlightIndexed isStoredInExternalRecord isStoredInTruth isStoredInTruthFile isTransient renamingIdentifier setAllowsExternalBinaryDataStorage_ setAttributeValueClassName_ setDefaultValue_ setElementID_ setIndexedBySpotlight_ setIndexed_ setOptional_ setRenamingIdentifier_ setSpotlightIndexed_ setStoredInExternalRecord_ setStoredInTruthFile_ setStoredInTruth_ setStoresBinaryDataExternally_ setTransient_ setValidationPredicates_withValidationWarnings_ setValueTransformerName_ setVersionHashModifier_ storesBinaryDataExternally validationPredicates validationWarnings valueTransformerName versionHash versionHashModifier NSAttributeDictionary newWithKey_object_ NSAttributeDictionaryEnumerator initWithAttributeDictionary_ NSAttributeStoreMapping columnDefinition copyValuesForReadOnlyFetch_ externalName externalPrecision externalScale externalType initWithExternalName_ initWithProperty_ property setExternalName_ setExternalPrecision_ setExternalScale_ setExternalType_ setProperty_ sqlType NSAttributedString NSAttributedStringBinding NSAttributedStringEnumerationLongestEffectiveRangeNotRequired NSAttributedStringEnumerationReverse NSAuthorDocumentAttribute NSAutoContentAccessingProxy NSAutoLocale _update_ NSAutoPagination NSAutoreleasePool drain NSAutoresizingMaskLayoutConstraint _addLoweredExpression_toEngine_integralizationAdjustment_lastLoweredConstantWasRounded_mutuallyExclusiveConstraints_ _addToEngine_ _addToEngine_integralizationAdjustment_mutuallyExclusiveConstraints_ _allocationDescription _allowedMagnitudeForIntegralizationAdjustment _allowedMagnitudeForIntegralizationAdjustmentOfConstraintWithMarkerScaling_ _ancestorRelationshipNodes _associatedRelationshipNode _clearWeakContainerReference _constantDescriptionForDTrace _constraintByReplacingItem_withItem_ _constraintByReplacingView_withView_ _constraintType _constraintValueCopy _constraintValueHashIncludingConstant_includeOtherMutableProperties_ _containerDeclaredConstraint _containerGeometryDidChange _deallocSafeDescription _deferDTraceLogging _describesSameRestrictionAsConstraint_ _descriptionforSymbolicConstant _effectiveConstant_error_ _engineToContainerScalingCoefficients _ensureValueMaintainsArbitraryLimit_ _existsInEngine_ _explainUnsatisfaction _forceSatisfactionMeasuringUnsatisfactionChanges_andMutuallyExclusiveConstraints_ _fudgeIncrement _geometricCompare_ _isEqualToConstraintValue_includingConstant_includeOtherMutableProperties_ _isFudgeable _isIBPrototypingLayoutConstraint _isPrototypingConstraint _lowerIntoExpression_reportingConstantIsRounded_ _loweredConstantIsRounded _loweredConstantNeedsUpdate _loweredExpression _makeExtraVars _markerAndPositiveExtraVar _negativeExtraVar _nsib_isRedundant _nsib_isRedundantInEngine_ _orientation _primitiveConstraintType _priorityDescription _referencedLayoutItems _referencesLayoutItem_ _removeFromEngine_ _setActive_mutuallyExclusiveConstraints_ _setAssociatedRelationshipNode_ _setConstant_animated_ _setContainerDeclaredConstraint_ _setDeferDTraceLogging_ _setFirstAnchor_ _setFirstItem_attribute_ _setLoweredConstantNeedsUpdate_ _setMarkerAndPositiveErrorVar_ _setMultiplier_ _setMutablePropertiesFromConstraint_ _setNegativeExtraVar_ _setPrimitiveConstraintType_ _setRelation_ _setSecondAnchor_ _setSecondItem_attribute_ _setSymbolicConstant_ _setSymbolicConstant_constant_ _symbolicConstant _tryToActivateMeasuringUnsatisfactionChanges_andMutuallyExclusiveConstraints_ _tryToChangeContainerGeometryWithUndoHandler_ _usingConsistentIntegralization _viewForAutoresizingMask _visualCenterInWindowSpace asciiArtDescription constant defaultResolvedValue_forSymbolicConstant_error_ descriptionAccessory dissatisfaction equationDescription firstAnchor firstAttribute firstItem hasBeenLowered multiplier nsis_allowedMagnitudeForIntegralizationAdjustmentOfConstraintWithMarker_ priorityForVariable_ relation secondAnchor secondAttribute secondItem setActive_ setConstant_ setHasBeenLowered_ setSymbolicConstant_ sourceRelationshipHierarchy symbolicConstant unsatisfaction NSAutosaveAsOperation NSAutosaveElsewhereOperation NSAutosaveInPlaceOperation NSAutosaveOperation NSAutosavedInformationDirectory NSAutounbinder addBinding_fromObject_ addBinding_fromObject_isWeak_ bindingTarget initWithBindingTarget_ removeBinding_fromObject_ retainBindingTargetAndUnbind NSAutounbinderBinding initWithName_boundObject_ NSAutounbinderObservance initWithObserver_keyPath_context_ NSAvailableWindowDepths NSAverageKeyValueOperator NSBMPFileType NSBackTabCharacter NSBackgroundActivityResultDeferred NSBackgroundActivityResultFinished NSBackgroundActivityScheduler _isAppRefresh _setAdditionalXPCActivityProperties_ _updateCriteriaForCompletedActivity_ _updateCriteria_ checkInHandler delay isPreregistered repeats scheduleWithBlock_ setCheckInHandler_ setDelay_ setPreregistered_ setRepeats_ set_appRefresh_ shouldDefer NSBackgroundColorAttributeName NSBackgroundColorDocumentAttribute NSBackgroundColorView NSBackgroundStyleDark NSBackgroundStyleLight NSBackgroundStyleLowered NSBackgroundStyleRaised NSBackgroundTab NSBackingPropertyOldColorSpaceKey NSBackingPropertyOldScaleFactorKey NSBackingStoreBuffered NSBackingStoreNonretained NSBackingStoreRetained NSBackspaceCharacter NSBacktabTextMovement NSBackwardsSearch NSBadBitmapParametersException NSBadComparisonException NSBadRTFColorTableException NSBadRTFDirectiveException NSBadRTFFontTableException NSBadRTFStyleSheetException NSBaseURLDocumentOption NSBaselineNotSet NSBaselineOffsetAttributeName NSBasicObjectID URIRepresentation _isPersistentStoreAlive _referenceData _referenceData64 _retainedURIString _storeIdentifier _storeInfo1 isTemporaryID persistentStore NSBatchDeleteRequest initWithFetchRequest_ initWithObjectIDs_ setResultType_ setShouldPerformSecureOperation_ shouldPerformSecureOperation NSBatchDeleteResult initWithResultType_andObject_ initWithSubresults_ NSBatchUpdateRequest _newValidatedPropertiesToUpdate_error_ _resolveEntityWithContext_ _setValidatedPropertiesToUpdate_ includesSubentities initWithEntityName_ initWithEntity_ propertiesToUpdate setIncludesSubentities_ setPredicate_ setPropertiesToUpdate_ NSBatchUpdateResult initWithResult_type_ NSBeep NSBeginAlertSheet NSBeginCriticalAlertSheet NSBeginFunctionKey NSBeginInformationalAlertSheet NSBeginsWithComparison NSBeginsWithPredicateOperatorType NSBelowBottom NSBelowTop NSBestDepth NSBetterbox _backgroundView _backgroundViewFrame _borderRectForOldStyleLineBox _effectiveTitlePosition _grooveFrameRect _invalidateLayerContentsForStateChange _isBoxSeparator _isOldStyleBordered _justDrawsAGrooveOnOneSide _lineColor _needsBackgroundView _needsTitleTextField _removeBackgroundView _removeTitleTextField _resetLayerContentsFromCustomBox _resetLayerContentsToEmpty _separatorBoxIsHorizontal _setBackgroundView_ _setLayerContentsForCustomBox _setLineColor_ _setTitleTextField_ _setupAuxiliaryStorage _tile_ _titleTextField _titleTextFieldFrame _updateBackgroundView _updateGrooveBackgroundView _updateSeparatorBackgroundView accessibilityContentsAttribute accessibilityIsContentsAttributeSettable borderRect borderType boxType contentViewMargins setBorderType_ setBoxType_ setContentViewMargins_ setFrameFromContentFrame_ setTitleFont_ setTitlePosition_ titleCell titleFont titlePosition titleRect viewDidLiveResizeFromRect_ NSBetweenPredicateOperator _setModifier_ _setOptions_ initWithOperatorType_ initWithOperatorType_modifier_ initWithOperatorType_modifier_options_ modifier operatorType performOperationUsingObject_andObject_ performPrimitiveOperationUsingObject_andObject_ symbol NSBetweenPredicateOperatorType NSBevelLineJoinStyle NSBezelBorder NSBezelStyleCircular NSBezelStyleDisclosure NSBezelStyleHelpButton NSBezelStyleInline NSBezelStyleRecessed NSBezelStyleRegularSquare NSBezelStyleRoundRect NSBezelStyleRounded NSBezelStyleRoundedDisclosure NSBezelStyleShadowlessSquare NSBezelStyleSmallSquare NSBezelStyleTexturedRounded NSBezelStyleTexturedSquare NSBezierPath CGPath _addPathSegment_point_ _appendArcSegmentWithCenter_radius_angle1_angle2_ _appendBezierPathWithBottomRoundRect_cornerRadius_ _appendBezierPathWithRoundRect_cornerRadius_ _appendBezierPathWithTopRoundRect_cornerRadius_ _appendToPath_ _copyFlattenedPath _deviceClosePath _deviceCurveToPoint_controlPoint1_controlPoint2_ _deviceLineToPoint_ _deviceMoveToPoint_ _doPath addClip appendBezierPathWithArcFromPoint_toPoint_radius_ appendBezierPathWithArcWithCenter_radius_startAngle_endAngle_ appendBezierPathWithArcWithCenter_radius_startAngle_endAngle_clockwise_ appendBezierPathWithGlyph_inFont_ appendBezierPathWithGlyphs_count_inFont_ appendBezierPathWithNativeGlyphs_advances_count_inFont_ appendBezierPathWithOvalInRect_ appendBezierPathWithPackedGlyphs_ appendBezierPathWithPoints_count_ appendBezierPathWithRect_ appendBezierPathWithRoundedRect_xRadius_yRadius_ appendBezierPathWithRoundedRect_xRadius_yRadius_roundedTopLeftCorner_roundedTopRightCorner_roundedBottomLeftCorner_roundedBottomRightCorner_ appendBezierPath_ bezierPathByFlatteningPath bezierPathByReversingPath cachesBezierPath closePath controlPointBounds currentPoint curveToPoint_controlPoint1_controlPoint2_ elementAtIndex_ elementAtIndex_associatedPoints_ elementCount fill flatness flattenIntoPath_ getLineDash_count_phase_ lineCapStyle lineJoinStyle lineToPoint_ moveToPoint_ relativeCurveToPoint_controlPoint1_controlPoint2_ relativeLineToPoint_ relativeMoveToPoint_ removeAllPoints setAssociatedPoints_atIndex_ setCachesBezierPath_ setClip setFlatness_ setLineCapStyle_ setLineDash_count_phase_ setLineJoinStyle_ setWindingRule_ stroke subdivideBezierWithFlatness_startPoint_controlPoint1_controlPoint2_endPoint_ transformUsingAffineTransform_ windingRule NSBig5EncodingDetector NSBig5HKSCSEncodingDetector NSBigEEncodingDetector NSBigMutableString __oldnf_deleteAllCharactersFromSet_ __oldnf_replaceAllAppearancesOfString_withString_ __oldnf_replaceFirstAppearanceOfString_withString_ __oldnf_replaceLastAppearanceOfString_withString_ _cfAppendCString_length_ _cfCapitalize_ _cfLowercase_ _cfNormalize_ _cfPad_length_padIndex_ _cfTrimWS _cfTrim_ _cfUppercase_ _checkForInvalidMutationWithSelector_ _copyStorage_encoding_ _getData_encoding_ _isMarkedAsImmutable _markAsImmutable _newBigSubstringWithRange_wantsMutable_zone_ _newSmallImmutableSubstringWithRange_zone_ _replaceOccurrencesOfRegularExpressionPattern_withTemplate_options_range_ _setData_encoding_ _setStorage_encoding_ _trimWithCharacterSet_ appendCharacters_length_ appendFormat_ appendString_ applyTransform_reverse_range_updatedRange_ dd_appendSpaces_ initWithStorage_length_isUnicode_ insertString_atIndex_ replaceCharactersInRange_withCString_length_ replaceCharactersInRange_withCharacters_length_ replaceOccurrencesOfString_withString_options_range_ NSBinaryObjectStore _addObject_objectIDMap_ _pathFromURI_ _removeObject_objectIDMap_ _setMap_ _theMap _updateObject_objectIDMap_ getNewIDForObject_ saveDocumentToPath_ NSBinaryObjectStoreFile _writeMetadataData_andMapDataData_toFile_error_ clearCurrentValues databaseVersion fullMetadata mapData primaryKeyGeneration readBinaryStoreFromData_originalPath_error_ readFromFile_error_ readMetadataFromFile_error_ setDatabaseVersion_ setFullMetadata_ setMapData_ setPrimaryKeyGeneration_ writeMetadataToFile_error_ writeToFile_error_ NSBinarySearchingFirstEqual NSBinarySearchingInsertionIndex NSBinarySearchingLastEqual NSBinder NSBitmapFormatAlphaFirst NSBitmapFormatAlphaNonpremultiplied NSBitmapFormatFloatingPointSamples NSBitmapFormatSixteenBitBigEndian NSBitmapFormatSixteenBitLittleEndian NSBitmapFormatThirtyTwoBitBigEndian NSBitmapFormatThirtyTwoBitLittleEndian NSBitmapGraphicsContext CGContext _alignPoint_force_ _alignRect_force_ _alignSize_force_ _initWithBitmapImageRep_ _initWithGraphicsPort_flipped_ _initWithGraphicsPort_flipped_drawingToScreen_ _initWithWindowNumber_ _initWithWindowNumber_useCoreAnimation_ _releaseCIContext _setShouldEnforcePixelAlignment_ _shouldEnforcePixelAlignment _swapContextForCarbonDrawing_ colorRenderingIntent flushGraphics focusStack initWithWindow_ isDrawingToScreen patternPhase restoreGraphicsState saveGraphicsState setColorRenderingIntent_ setFocusStack_ setPatternPhase_ setShouldAntialias_ shouldAntialias windowID NSBitmapImageFileTypeBMP NSBitmapImageFileTypeGIF NSBitmapImageFileTypeJPEG NSBitmapImageFileTypeJPEG2000 NSBitmapImageFileTypePNG NSBitmapImageFileTypeTIFF NSBitmapImageRep CGImageForProposedRect_context_hints_ CGImageForProposedRect_context_hints_flipped_ TIFFRepresentationUsingCompression_factor_ _CGImageRef _acquireRetainedCGImageRef _backing _becomeBackedByCGImage_ _bitmapFormat _bitmapImageRep_setColorSpaceName_ _bitmapImageReps _bitmapImageRepsForTIFFRepresentation _captureDrawing_ _colorSpaceModel _createPatternForRect_context_ _defaultImageHintsIncludeOnlyIfAvailable_ _drawFromRect_toRect_operation_alpha_compositing_flipped_ignoreContext_ _drawOnlyUsesOneDrawingOperation _freeData _freeImage _fromCGImage_performBlockUsingMutableData_ _getCGImageRefCreateIfNecessary _imageNumber _imageRep_colorSpaceName _imageRep_setColorSpaceName_ _imageRepsForEncodingWithCoder_ _initWithImageSource_imageNumber_properties_ _initWithSharedBitmap_rect_ _internalLayoutDirection _isValid _loadData _loadDataIfNotYetLoaded _loadTierOneInfoWithCGImage_ _loadTierOneInfoWithImageSource_imageNumber_properties_ _loadTierTwoInfoIfNotYetLoaded _loadTierTwoInfoWithCGImage_ _newCGImageForProposedRect_context_hints_flipped_ _numberOfColorComponentsNotIncludingAlpha _performBlockUsingBackingCGImage_ _performBlockUsingBackingMutableData_ _performBlockUsingBacking_ _pixelsHighOrResolutionIndependent _pixelsWideOrResolutionIndependent _processedHintsForHints_includeOnlyIfAvailable_ _retagBackingWithColorSpace_ _setBacking_ _setCGImageRef_ _setImageNumber_ _setInternalLayoutDirectionFromCUILayoutDirection_ _setSharedIdentifier_ _uncachedSize _wantsToBeCached _withoutChangingBackingPerformBlockUsingBackingCGImage_ _withoutChangingBackingPerformBlockUsingBackingMutableData_ bitmapFormat bitmapImageRepByConvertingToColorSpace_renderingIntent_ bitmapImageRepByRetaggingWithColorSpace_ bitsPerPixel bitsPerSample bytesPerPlane canBeCompressedUsing_ colorAtX_y_ colorSpaceName colorizeByMappingGray_toColor_blackMapping_whiteMapping_ draw drawInRect_fromRect_operation_fraction_respectFlipped_hints_ getBitmapDataPlanes_ getCompression_factor_ getPixel_atX_y_ hasAlpha incrementalLoadFromData_complete_ initForIncrementalLoad initWithBitmapDataPlanes_pixelsWide_pixelsHigh_bitsPerSample_samplesPerPixel_hasAlpha_isPlanar_colorSpaceName_bitmapFormat_bytesPerRow_bitsPerPixel_ initWithBitmapDataPlanes_pixelsWide_pixelsHigh_bitsPerSample_samplesPerPixel_hasAlpha_isPlanar_colorSpaceName_bytesPerRow_bitsPerPixel_ initWithCIImage_ initWithFocusedViewRect_ isPlanar numberOfPlanes pixelsHigh pixelsWide representationUsingType_properties_ respectOrientation samplesPerPixel setBitsPerSample_ setColorSpaceName_ setColor_atX_y_ setCompression_factor_ setPixel_atX_y_ setPixelsHigh_ setPixelsWide_ setProperty_withValue_ setRespectOrientation_ valueForProperty_ NSBitsPerPixelFromDepth NSBitsPerSampleFromDepth NSBlack NSBlock invoke performAfterDelay_ NSBlockExpression initWithType_block_arguments_ NSBlockExpressionType NSBlockInvocation _addAttachedObject_ _hasBlockArgument argumentsRetained getArgument_atIndex_ getReturnValue_ invokeSuper invokeUsingIMP_ invokeWithTarget_ methodSignature retainArguments setArgument_atIndex_ setReturnValue_ NSBlockObservationSink initWithBlock_tag_ NSBlockOperation addExecutionBlock_ executionBlocks initWithBlock_ NSBlockPredicate _predicateBlock _validateForMetadataQueryScopes_ evaluateWithObject_ evaluateWithObject_substitutionVariables_ generateMetadataDescription predicateWithSubstitutionVariables_ supportsSecureCoding NSBlockedOn15995015Layer NSBlueControlTint NSBoldFontMask NSBorderlessWindowMask NSBottomMarginDocumentAttribute NSBottomTabsBezelBorder NSBoundKeyPath mutableArrayValue mutableOrderedSetValue mutableSetValue rootObject setRootObject_ validateValue_error_ NSBoundedByPredicateOperator NSBox NSBoxAuxiliary NSBoxCustom NSBoxOldStyle NSBoxPrimary NSBoxSecondary NSBoxSeparator NSBreakFunctionKey NSBrowser _actOnKeyDown_ _addAnimatedColumn _addColumnSubviewAndAnimateIfNecessary_ _addColumnWithoutChangingVisibleColumn _addingOrAnimatingNewColumn _alignColumnForStretchedWindowWithInfo_ _alignFirstVisibleColumnToDocumentViewEdge_ _allowsDelegateSizingForUserResize _animateLastAddedColumnToVisible _autoExpandItemUnderCursor _autosaveColumnsIfNecessary _beforeDrawCell_atRow_col_clipRect_ _beginColumnDragging _borderType _browserIBMetrics _bumpSelectedItem_ _calcNumVisibleColumnsAndColumnSize _calcVisibleColumnAreaAvailable _calculateSizeToFitWidthOfColumn_testLoadedOnly_ _canDragRowsWithIndexes_inColumn_withEvent_ _cancelAutoExpandItemUnderCursor _child_ofItem_ _clearLeafControllers _clearVisitedColumnContentWidths _collapseAutoExpandedItems _columnControllerInColumn_ _columnOfView_ _columnResizeChangeFrameOfColumn_toFrame_constrainWidth_resizeInfo_ _commitAutoExpandedItems _computeAndAlignFirstClosestVisibleColumn _computeFirstCompletelyVisibleColumn _computeFirstMostlyVisibleColumn _computeFirstVisibleColumnRequireCompletelyVisible_ _concludeDragRows_inColumn_ _containerRelativeFrameOfColumn_ _containerRelativeFrameOfInsideOfColumn_ _containerRelativeTitleFrameOfColumn_ _containerViewOfColumns _containerViewOfTitles _continuousResizeNotifications _controlSizeForScrollers _createColumn_empty_ _delegateDoesNotCreateRowsInMatrix _delegateRepondsToValidateDrop _delegateRespondsToNamesOfPromisedFilesDroppedAtDestination _delegateRespondsToSelectCellsByRow _delegateRespondsToWillDisplayCell _delegateRespondsToWriteRows _determineIsSameTargetForDragInfo_ _didChangeLastColumn_toColumn_ _disableAutosavingAndColumnResizingNotificationsAndMark_ _disableColumnAnimation _doClickAndQueueSendingOfAction_ _doClickAndQueueSendingOfAction_removeAndAddColumnsIfNecessary_movingBack_ _doMoveBackward _doMoveForward _doPostColumnConfigurationDidChangeNotification_ _doTiming _dragRowIndexes_inColumn_withEvent_pasteboard_source_slideBack_ _dragShouldBeginFromMouseDown_ _draggingImageForRowsWithIndexes_inColumn_withEvent_offset_ _drawDropHighlight _drawDropHighlightAboveRect_ _drawDropHighlightAroundColumnWithRect_ _drawDropHighlightAroundRect_isSelected_rounded_ _drawDropHighlightBackgroundAroundRect_ _drawEmptyColumnsForView_inRect_ _drawTitlesForView_inRect_ _dropHighlightBackgroundColor _dropHighlightColor _dropHighlightColorForEntireTableView _enableAutosavingAndColumnResizingNotifications _enableColumnAnimation _endColumnDragging _ensureValidSelection _equalyResizeColumnsByDelta_resizeInfo_ _fastPathDrawEmptyColumnsForView_inRect_ _findRow_column_forItem_ _firstSelectableRowInMatrix_inColumn_ _fixKeyViewForView_ _focusRingRect _forceSynchronizedScrollingAnimation _gdbColumnControllers _gdbLeafItemViewControllerByItem _getMatchingRow_forString_inMatrix_startingAtRow_prefixMatch_caseSensitive_ _hasKeyboardFocus _hasLeafViewControllerForItem_ _horizontalScroller _hoverAreaIsSameAsLast_ _imageForEmptyColumnOfSize_ _imageForEmptyVerticalScroller _indexOfItem_inColumn_ _indexOfItem_inParent_ _internalNextTypeSelectMatchFromRow_toRow_inColumn_forString_ _internalTypeSelectStringForColumn_row_ _isExpandableItem_ _isExpandableRow_withParentItem_ _isLeafRow_withParentItem_ _isTypeSelectRow_column_ _itemAtRow_parentItem_ _itemBasedReloadColumn_ _keyRowOrSelectedRowOfMatrix_inColumn_ _lastDraggedEventFollowing_ _lastDraggedOrUpEventFollowing_ _lastNonLeafColumnController _loadCell_atRow_col_inMatrix_ _loadedCellAtRow_column_inMatrix_ _markAutoExpandedItemWithDragInfo_ _matrixBasedReloadColumn_ _matrixShouldAddColumnForColumn_matrix_ _newSelectionIndexesFromOldSelectedItems_parentItem_ _nextTypeSelectMatchFromRow_toRow_inColumn_forString_ _numberOfChildrenOfItem_ _old_encodeWithCoder_NSBrowser_ _old_initWithCoder_NSBrowser_ _performDragFromMouseDown_inColumn_ _performTypeSelect_ _postColumnConfigurationDidChangeNotification _postDidScrollNotification _postWillScrollNotification _preferedColumnWidth _prepareToDragRows_inColumn_ _readPersistentBrowserColumns _reattachColumnSubviews_ _releaseAutoExpandingItemsCache _reloadRow_column_ _resizeColumnByDelta_resizeInfo_ _resizeColumn_withEvent_ _restoreLastSelectedItemsBeforeAutoExpand _restoreTypeSelectCellValue _rootItem _scheduleCollapsingAutoExpandedItems _scrollColumnToLastVisible_ _scrollColumnToVisible_private_ _scrollColumnToVisible_requireCompletelyVisible_ _scrollColumnsForScrollerIncrementOrDecrementUsingPart_ _scrollColumnsRightBy_ _scrollFirstVisibleColumnIntoView _scrollLastColumnTrailingEdgeToVisible _scrollOptimizingLastColumnPlacement _scrollRectToVisible_ _scrollViewForColumns _scrollViewForColumnsDidTrackHorizontalScroller_ _scrollViewForColumnsDocumentViewFrameDidChange_ _scrollViewForColumnsDocumentViewVisibilityChange_ _scrollViewForColumnsWillTrackHorizontalScroller_ _selectCell_inColumn_ _selectItemBestMatching_ _selectRowIndexes_inColumn_ _selectedCellsInColumn_ _selectedOrFirstValidRowInColumn_ _sendDelegateAcceptDropForDragInfo_ _sendDelegateCreateRowsForColumn_inMatrix_ _sendDelegateSelectRow_inColumn_ _sendDelegateValidateDropForDragInfo_ _sendDelegateWillDisplayCell_atRow_column_ _sendDelegateWriteRowsWithIndexes_inColumn_toPasteboard_ _sendQueuedAction _setAcceptsFirstMouse_ _setAllowsDelegateSizingForUserResize_ _setBorderType_ _setClickedColumn_clickedRow_ _setContinuousResizeNotifications_ _setDropHighilightColorIfSelected_ _setDropTargetColumn_targetRow_targetDropOperation_dragOperation_ _setFirstColumnTitle_ _setFocusRingNeedsDisplay _setHasHorizontalScroller_ _setInitialColumnContentSizeOfColumn_ _setLineBorderColor_ _setNeedsDisplayBeginingAtColumn_ _setNeedsDisplayForTargetRow_column_operation_ _setNeedsDisplayInColumn_ _setNewPreferedColumnWidth_ _setNumVisibleColumns_ _setScrollViewForColumns_ _setScrollerSize_ _setShouldAnimateColumnScrolling_ _setShouldForwardTypeSelectionToNextColumn_ _setTitle_ofColumn_ _setUsesSmallTitleFont_ _setVisibleRectOfColumns_ _setWidth_ofColumn_stretchWindow_ _shouldAnimateColumnScrolling _shouldAutoExpandItemAtRow_inColumn_ _shouldAutoScrollForPoint_ _shouldClipViewForTitlesCopyOnScroll _shouldDrawFocus _shouldForwardTypeSelectionToNextColumn _shouldMaintainFirstResponder _shouldScrollStartOfColumnToVisible _shouldShowCellExpansionForRow_column_ _shouldStretchWindowIfNecessaryForUserColumnResize _shouldTypeSelectForEvent_ _sizeDocumentViewToColumns _sizeDocumentViewToColumnsAndAlign _sizeDocumentViewToColumnsAndAlignIfNecessary_ _sizeMatrixOfColumnToFit_ _sizeToFitColumnMenuAction_ _sizeToFitColumn_withEvent_ _sizeToFitColumn_withSizeToFitType_ _slowPathDrawEmptyColumnsForView_inRect_ _startObservingScrollerOfScrollViewForColumns _stopObservingScrollerOfScrollViewForColumns _stretchWindowIfNecessaryToFitResizedColumnWithInfo_resizeColumnDelta_ _syncScrollerSizeOfColumn_ _synchronizeTitlesAndColumnsViewFrame _synchronizeTitlesAndColumnsViewVisibleRect _tileContinuousScrollingBrowser _titleCellOfColumn_ _typeSelectEndCurrentSearch _typeSelectInterpretKeyEvent_ _typeSelectScheduleEndOfSearch _typeSelectString _typeSelectStringForColumn_row_ _typeSelectUndoLastSearch _uncachedLastSelectedIndexSetForItem_ _unhookColumnSubviews _updateNonAutomaticContentInsetsOfAllColumns _updateNumberOfTitleCellsIfNecessary _updateNumberOfTitleCellsIfNecessary_ _useSnowLeopardBehavior _userClickOrKeyInColumnShouldMaintainColumnPosition _validateDropForDragInfo_ _validateNewWidthOfColumn_width_ _viewInColumn_ _viewThatShouldBecomeFirstResponder _viewWillResignFirstResponder_ _visibleRectOfColumns _visitedColumnContentWidths _willStartTrackingMouseInMatrix_withEvent_ _writePersistentBrowserColumns _zeroPinnedResizeColumnsBySharingDelta_lastSharingColumn_resizeInfo_ acceptsArrowKeys accessibilityColumnTitlesAttribute accessibilityColumnsAttribute accessibilityHorizontalScrollBarAttribute accessibilityIsColumnTitlesAttributeSettable accessibilityIsColumnsAttributeSettable accessibilityIsHorizontalScrollBarAttributeSettable accessibilityIsVisibleColumnsAttributeSettable accessibilityVisibleColumnsAttribute addColumn addColumnForItem_ allowsBranchSelection allowsEmptySelection allowsIncrementalSearching allowsMultipleSelection allowsTypeSelect autohidesScroller automaticallyAdjustsContentInsets beforeDraw canDragRowsWithIndexes_inColumn_withEvent_ cellPrototype clickedColumn clickedRow columnContentWidthForColumnWidth_ columnOfMatrix_ columnResizingType columnWidthForColumnContentWidth_ columnsAutosaveName currentTypeSelectSearchString defaultColumnWidth didFinishColumnScrollWithHelper_ displayAllColumns displayColumn_ doClick_ doDoubleClick_ doubleAction draggedImage_beganAt_ draggedImage_endedAt_operation_ draggingImageForRowsWithIndexes_inColumn_withEvent_offset_ draggingSourceOperationMaskForLocal_ drawTitleOfColumn_inRect_ editItemAtIndexPath_withEvent_select_ firstVisibleColumn frameOfColumn_ frameOfInsideOfColumn_ frameOfRow_inColumn_ getRow_column_forPoint_ hasHorizontalScroller ignoreModifierKeysWhileDragging indexPathForColumn_ indexPathForItem_ isLeafItem_ isLoaded isTitled itemAtIndexPath_ itemAtRow_column_ itemAtRow_inColumn_ lastVisibleColumn loadColumnZero loadedCellAtRow_column_ matrixClass matrixInColumn_ maxVisibleColumns minColumnWidth moveLeft_ moveRight_ namesOfPromisedFilesDroppedAtDestination_ noteHeightOfRowsWithIndexesChanged_inColumn_ numberOfVisibleColumns parentForItem_ parentForItemsInColumn_ pathSeparator pathToColumn_ prefersAllColumnUserResizing reloadColumn_ reloadDataForRowIndexes_inColumn_ reloadItem_reloadChildren_ reusesColumns rowHeight scrollColumnToVisible_ scrollColumnsLeftBy_ scrollColumnsRightBy_ scrollRowToVisible_inColumn_ scrollViaScroller_ selectAll_ selectRowIndexes_inColumn_ selectRow_inColumn_ selectedCellInColumn_ selectedCells selectedColumn selectedRowInColumn_ selectedRowIndexesInColumn_ selectionIndexPath selectionIndexPaths sendAction sendsActionOnArrowKeys separatesColumns setAcceptsArrowKeys_ setAllowsBranchSelection_ setAllowsEmptySelection_ setAllowsIncrementalSearching_ setAllowsMultipleSelection_ setAllowsTypeSelect_ setAutohidesScroller_ setAutomaticallyAdjustsContentInsets_ setCellClass_ setCellPrototype_ setColumnResizingType_ setColumnsAutosaveName_ setContentInsets_ setDefaultColumnWidth_ setDoubleAction_ setDraggingSourceOperationMask_forLocal_ setHasHorizontalScroller_ setLastColumn_ setMatrixClass_ setMaxVisibleColumns_ setMinColumnWidth_ setPathSeparator_ setPrefersAllColumnUserResizing_ setReusesColumns_ setRowHeight_ setSelectionIndexPath_ setSelectionIndexPaths_ setSendsActionOnArrowKeys_ setSeparatesColumns_ setTakesTitleFromPreviousColumn_ setTitle_ofColumn_ setTitled_ setUserColumnResizingAutoresizesWindow_ setWidth_ofColumn_ takesTitleFromPreviousColumn tile titleFrameOfColumn_ titleHeight titleOfColumn_ updateScroller userColumnResizingAutoresizesWindow validateVisibleColumns widthOfColumn_ NSBrowserAutoColumnResizing NSBrowserBinder _redisplayCellForNode_ _selectionIndexPathsInBrowser_ _updateSelectionIndexPaths_ adjustMatrix_numberOfRows_ browser_createRowsForColumn_inMatrix_ browser_willDisplayCell_atRow_column_ indexPathFromSelectionInBrowser_upToColumn_ selectedIndexPaths setSelectedIndexPaths_ NSBrowserCell _branchImageEnabled _branchImageRectForBounds_inView_ _branchImageReservedRectForBounds_inView_ _branchImageReservedSize _browserBackgroundColorWithView_ _browserCell_imageRectForBounds_ _browserFillStyle _checkLoaded_rect_highlight_ _currentBranchImageWithView_ _currentImage _currentImageWithView_ _drawFillWithFrame_inView_ _enclosingBrowserForControlView_ _fillSurfaceBackgroundStyleWithView_ _imageReservedRectForBounds_ _imageReservedSize _isLoaded _setBranchImageEnabled_ _titleReservedRectForBounds_ highlightColorInView_ isLeaf labelSizeForBounds_ setLeaf_ setLoaded_ NSBrowserColumnConfigurationDidChangeNotification NSBrowserColumnViewController browser childItemAtIndex_ columnIndex columnView didChangeColumnSize didEndResizingColumn_ dragImageForRowsWithIndexes_withEvent_offset_ editRow_withEvent_select_ firstValidRowIndex frameOfRow_ headerViewController isExpandableRow_ isLeafRow_ nextValidRowIndexAfterIndex_ noteHeightOfRowsWithIndexesChanged_ numberOfChildItems numberOfRows objectValueForItem_ preparedCellAtRow_ reloadDataForRowIndexes_ rowAtPoint_ scrollRowToCenter_ selectedItems selectedRow setBrowser_ setColumnIndex_ setColumnView_ setColumnView_forcingFlippedBehavior_ setHeaderViewController_ setNeedsDisplayInRow_ sizeToFitWidth_ titleOfSelectedRow widthThatFits willBeginResizingColumn_ NSBrowserDropAbove NSBrowserDropOn NSBrowserIllegalDelegateException NSBrowserNoColumnResizing NSBrowserTableView __clearPreLiveColumnWidths __computePreLiveColumnResizeWidthsByColumn __doImageDragUsingRowsWithIndexes_event_pasteboard_source_slideBack_startRow_ __dropCandidateRow __ivar_getTrackingCell __ivar_setClickedRow_clickedColumn_ __ivar_setTrackingCell_ __preLiveResizeWidthOfColumn_ __setDropCandidateRow_ _accessibilityCellElementClass _accessibilityChildrenInRange_ _accessibilityIsList _accessibilityListCellElementClass _accessibilityListChildrenInRange_ _accessibilityListTableColumn _accessibilityNumberOfChildren _accessibilityRowIndexResolverCreateIfNeeded_ _accessibilityRowsInRange_ _accessibilitySelectRowsFromAccessibilityRows_ _accessibilityShiftAtIndex_count_isDeleteForMove_ _accessibilityTableRow_ _accessibilityTracksRowAndCellIndexes _accessibilityUnhiddenTableColumns _accessibilityUnregisterAllRowsAndCells _accessibilityUnregisterCellsOfRowIndexes_columnIndexes_ _accessibilityUnregisterCellsOfTableColumn_ _accessibilityUnregisterCellsOfTableColumns_ _accessibilityVisibleRowsRangeIncludeFullyVisibleOnly_ _accessibilityWantsToBeList _addDraggingDestinationViewForRowIndexes_draggingStyle_ _addExternalObjectsTable_forNibIdentifier_ _addGroupRowAttributesToCell_withData_highlighted_ _addSourceListCellAttributesToCell_withData_selected_emphasized_ _addTrackingAreasForRow_column_ _adjustDrawingTestFrame_atRow_column_ _adjustFieldEditorAnimated_ _adjustFrameSizeToFitSuperview_ _adjustRectForFocusRing_atRow_ _adjustRowHeight_forIntergroupSpacingRow_ _adjustRowRect_forIntergroupSpacingRow_ _adjustRowRect_forSourceListGroupRow_ _adjustRowRect_forSourceListRow_ _allowSwipeToDeleteForEvent_ _allowTabbingIntoCells _alternatingRowBackgroundColors _alwaysSwitchToViewBasedIfNeeded _animatingCompleted _attemptToEditFocusedColumn _attemptToEditWithEvent_ _attemptToPerformClickOnFocusedColumn _automaticVerticalScrollElasticityForScrollView_ _autoresizeToFit _autoresizeToFitForHidingATableColumn_ _autoresizingStyleForColumnResize _backgroundFillerView _backgroundImageForRow_withFrame_ _backgroundImageWithFrame_ _backgroundOffsetForGroupRow_ _backgroundStyleForDropHighlightOnRow_ _backgroundViewFillerFrame _becomeASourceList _beginDraggingColumn_ _beginDrawView_ _beginGapFeedbackDragIfNeededForRows_startRow_ _beginUpdate _bindingsObjectValueForRow_ _blurSelectionBackgroundViews _cachingView _callDrawBackgroundInClipRect_ _callDrawHighlight _callHighlightSelectionInClipRect_ _canDragRowForClickOnCell_column_row_atPoint_ _canFocusCellAtRow_column_ _canInheritContainingBackdropView _canPerformClickAtColumn_row_isCheckBox_ _canShowDropGap _canSwitchToViewBasedForAnimations _canUseReorderResizeImageCacheForColumn_ _cancelDelayedStartEditing _candidateDragRowIndexForClickInRow_ _captureReorderResizeColumnImageCaches _cellAtPoint_row_column_ _cellBasedAttemptToEditFocusedColumn _cellBasedEditColumn_row_withEvent_select_inView_ _cellBasedFieldEditorFocusRingFrame _cellBasedImageComponentsWithFrame_forDisplayObject_ _cellBasedIsTypeSelectMatchAtRow_forString_compareRange_ _cellCanDragRowsWithIndexes_atPoint_ _cellIsEditableAtColumn_row_ _changeSortDescriptorsForClickOnColumn_ _checkDataSource _cleanupDropFeedback _cleanupDropFeedbackIfNeeded _clearLiveResizeColumnLayoutInfo _clearReusueQueue _clipView _clipViewBoundsChanged_ _clipViewWillDisplayOverHang _colorIndexToStartAlternatingRowsAtFromRow_ _columnAtLocation_ _columnAutoSaveNameSupportsV2 _columnAutoSaveNameV2 _columnClosestToColumn_whenMoved_ _columnPositionsTheSame _columnWidthAutoSaveNameWithPrefix _columnsForDragImage _commonCleanupAfterMenuClosed _commonTableViewInit _compareWidthWithSuperview _containedInBlurBackgroundView _controlShadowColor _copiedCellForColumn_row_ _copiedCellForTableColumn_row_ _currentScrollbarSpacing _currentlyEditing _dataCellForTableColumn_row_ _dataSourceNamesOfPromisedFilesAtDestination_ _dataSourceRespondsToDragWriteMethods _dataSourceRespondsToNamesOfPromisedFilesDroppedAtDestination _dataSourceRespondsToPasteboardWriterForRow _dataSourceRespondsToSortDescriptorsDidChange _dataSourceRespondsToValidateDrop _dataSourceRespondsToWriteDragData _dataSourceSetValue_forColumn_row_ _dataSourceValueForColumn_row_ _defaultRowSizeStyleChanged_ _defaultValueForAllowsTypeSelect _delayStartEditing_ _delayedSelectRow _delegateAndDatasourceCanBeWeak _delegateAndDatasourceIvarCanBeOpaque _delegateDidAddRowView_forRow_ _delegateDidRemoveRowView_forRow_ _delegateRepondsTo_viewForTableColumnRow _delegateRespondsToCanSelectRow _delegateRespondsToGetToolTip _delegateRespondsToShouldShowCellExpansion _delegateRespondsToShouldTrackCell _delegateRespondsTo_didAddRowView _delegateRespondsTo_didRemoveRowView _delegateRespondsTo_nextTypeSelectMatchFromRow _delegateRespondsTo_rowViewForRow _delegateRespondsTo_shouldTypeSelectForEvent _delegateRespondsTo_typeSelectStringForTableColumn _delegateRespondsTo_wantsTrackingAreasForRowColumn _delegateRowViewForRow_ _delegateShouldReorderColumn_toColumn_ _delegateSupportsRowActions _delegateTypeSelectStringForTableColumn_row_ _delegateUpdateDraggingItemsForDrag_ _delegateWantsTrackingAreasForRow_column_ _delegateWillDisplayCell_forColumn_row_ _delegate_dataCellForTableColumn_row_ _delegate_isGroupRow_ _delegate_nextTypeSelectMatchFromRow_toRow_forString_ _delegate_shouldTypeSelectForEvent_withCurrentSearchString_ _delegate_sizeToFitWidthOfColumn_ _delegate_viewForTableColumn_row_ _deprecatedCanFocusCell_atTableColumn_row_ _deselectAll _deselectAllAndEndEditingIfNecessary_ _deselectColumn_ _deselectsWhenMouseLeavesDuringDrag _determineDropCandidateForDragInfo_ _didMoveNotificationName _didSetFocusForCell_withKeyboardFocusClipView_ _dirtyVisibleCellsForKeyStateChange _disableMovedPosting _disableSelectionPosting _doImageDragUsingRowsWithIndexes_event_pasteboard_source_slideBack_startRow_ _doImageDragUsingRows_event_pasteboard_source_slideBack_ _doSelectIndexes_byExtendingSelection_indexType_funnelThroughSingleIndexVersion_ _doSynchronizationOfEditedFieldForColumnWidthChange _doUpdatedWorkWithHandler_ _dragImageForRowsWithIndexes_tableColumns_event_offset_ _dragOperation _dragSourceRowOverlayColorForRow_ _draggedColumnImageInset _draggingSource _drawAlternatingRowBackgroundColors_inRect_ _drawAlternatingRowBackgroundColors_inRect_useGetRectsBeingDrawn_ _drawBackgroundColor_inClipRect_ _drawBackgroundForGroupRow_clipRect_isButtedUpRow_ _drawCachedColumnsInRect_ _drawClearForSelectionArea _drawContentsAtRow_column_clipRect_ _drawContentsAtRow_column_withCellFrame_ _drawContextMenuHighlightForIndexes_clipRect_ _drawContextualMenuHighlightInClipRect_ _drawDragCell_inFrame_ _drawDragImageCellAtColumn_row_withCellFrameUnion_ _drawDraggedColumn_ _drawDropHighlightBackgroundForRow_ _drawDropHighlightBetweenUpperRow_andLowerRow_atOffset_ _drawDropHighlightBetweenUpperRow_andLowerRow_onRow_atOffset_ _drawDropHighlightOffScreenIndicatorPointingLeftAtOffset_ _drawDropHighlightOffScreenIndicatorPointingUp_atOffset_ _drawDropHighlightOnEntireTableView _drawDropHighlightOnRow_ _drawDropHighlightOutlineForRow_ _drawEditingRectWhileCurrentlyEditing_ _drawFocusRingAroundRect_ _drawRegularContextMenuHighlightForRow_ _drawRowBackgroundForRow_clipRect_ _drawRowHeaderBackgroundInRect_ _drawRowHeaderSeparatorAsSurface _drawRowHeaderSeparatorInClipRect_ _drawSourceListBackgroundInClipRect_ _drawSourceListBackgroundInnerEdgeInRect_ _drawSourceListContextMenuHighlightForRow_ _drawSourceListHighlightInRect_ _drawSourceListHighlightInRect_isButtedUpRow_ _drawStuff_withClipRect_ _drawTableExteriorFocusRingIfNecessaryInClipRect_ _drawVerticalGridInClipRect_ _drawView_withCellFrameUnion_inContext_ _drawsHorizontalGrid _drawsVerticalGrid _dropCandidateRow _dropCandidateRowToHighlight _dropDestinationIndicatorFrameForDraggingDestinationStyle_rowIndexes_ _dropHighlightBackgroundRectForRow_ _dropHighlightColorForRow_ _dropHighlightOutlineRectForRow_ _dropTrackingAreaData _editActionsForRow_actionEdge_ _editOnDeepClick _editOnSingleClick _editingIsPossibleForColumn_row_ignoringSelection_ _effectiveRowHeight _enableMovedPosting _enableSelectionPostingAndPost _endDraggingColumn_ _endDrawView_ _endEditingIfNecessaryWhenDeselectingColumnRange_ _endEditingIfNecessaryWhenDeselectingRowRange_ _endEditingIfNecessaryWhenSelectingColumnRange_ _endEditingIfNecessaryWhenSelectingRowRange_ _endMyEditing _endMyEditingAndRemainFirstResponder _endOfLastNonHiddenColumn _endUpdate _endUpdateWithTile_ _ensureDragInfo _eventIsForFloatingHeaderView_ _externalObjectEntriesForNibIdentifer_ _externalObjectTables _fillerRectHeight _fillsClipViewHeight _fillsClipViewWidth _finalFrameSize _finalTableBounds _finishedTableViewInitWithCoder _firstAutoresizingColumn _firstNonHiddenColumn _fitsInSuperview _fitsWidthInAutohideScrollersScrollView_ _fixupSortDescriptorPlaceholdersIfNecessary _flashingDropFeedbackRow _floatingGroupRowView _floatingHeaderViewFrame _focusRingFrameForFocusedCell _focusedColumnToBeginEditingInRow_ _focusedColumnToPerformClickOnRow_ _forceViewsIn _forgetBeingASourceList _funnelRowBackgroundDrawingThroughDrawRect _gdbCompareWidthWithSuperview _getDataSourceIvar _getDelegateIvar _getRowHeaderFixedContentRect_rowHeaderScrollableContentVisibleRect_ _getRow_column_forEvent_ _getRow_column_forPoint_ _getSourceListColorFor_startColor_endColor_bottomColor_ _groupCellAttributedStringForString_withDefaultAttributes_highlighted_ _groupCellAttributesWithDefaults_highlighted_ _groupViewSeparatorColor _gutterSpacingChanged _handleScrollWheelSwipeWithEvent_ _hasActiveFieldEditor _hasBlurBackgroundView _hasCurrentlyActiveViews _hasDelegateSupportOrArchivedViews _hasDropCandidateRow _hasDropTargetOperation _hasGroupRows _hasHorizontalScrollBar _hasItergroupSpacing _hasMovedFarEnoughHorizontallyFromEvent_ _hasRowHeaderColumn _hasSelectedColumn _hasSelectedRow _hasSourceListBackground _hasSourceListBackgroundColor _hasTextFieldFromView_matchingBlock_ _headerViewDraggedDistance _hiddenTableColumnsAutoSaveName _hideFloatingHeaderView _highlightColorDependsOnWindowState _highlightColumn_clipRect_ _highlightRectForRow_ _highlightRegularSelectionInRange_clipRect_ _highlightRow_clipRect_ _highlightSourceListSelectionInRange_ _highlightTypeForRow_ _hitRowForDropTargetRow_point_ _hitTestForEvent_atColumn_row_ _imageForColumn_row_frame_ _indentSourceLists _initializeDragItem_atRow_event_ _intercellSpacingHeightForSidebar _intergroupBottomSpacing _intergroupTopSpacing _internalNextTypeSelectMatchFromRow_toRow_forString_ _internalShouldEditColumn_row_withEvent_ _invalidateForKeyChange _invalidateGroupRowsIfNeeded _invalidateNumberOfRowsCache _invalidateVerticalGrid _isDrawingMultiClippedContentColumn_ _isDropFeedbackRow_ _isEnabledTableView _isFullWidthCellAtRow_ _isGapRow_ _isGroupRow_ _isInDesignMode _isOutlineView _isPoint_inDragZoneOfRow_ _isPropertyListTable _isRowHeaderColumn_ _isRubberBandAreaExposed _isSourceListGroupRow_ _isTrackingDataCellAtColumn_row_ _isUpdating _keyboardFocusNeedsDisplayForColumn_row_ _lastAutoresizingColumn _lastGroupRowChildFromRow_ _lastNonHiddenColumn _layoutIsSameAsCachedLayoutWithFrame_ _legacyReadPersistentData _legacyWritePersistentData _locationOfColumn_ _locationOfRow_ _ltrColumnsInRect_ _makeBlurBackgroundViewWithFrame_ _makeCachedCellWrapperForTableColumnn_row_ _makeRowWrapperForRow_ _makeRubberBandViewWithFrame_inView_ _makeSelectionBlurBackdropViewWithFrame_ _makeSortDescriptorWhileReadingForColumn_ascending_ _makeViewWrapperForTableColumn_row_ _manualDrawBackgroundForGroupRow_inRect_ _manuallyDrawSourceListHighlight _manuallyDrawSourceListHighlightInRect_isButtedUpRow_ _markColumnWidthsNotYetCompared _markLiveResizeColumnLayoutInfo _markSelectionIsChanging _menuDidEndTracking_ _minTableWidth _mouseDownShouldMakeFirstResponder _moveAndResizeEditedCellWithOldFrame_ _mutableSelectedRows _myScrollView _needsBackgroundFillerView _needsBackgroundImageForAnimation _needsBackgroundToAnimate _needsBlurSelectionViews _needsCachedTableRowView _needsHighlightSelectionForBackgroundAnimations _needsRedrawOnKeyChange _needsRubberBandViews _needsSourceListBackgroundView _needsTableViewBlurBackgroundView _needsUnderlyingBlurView _needsVerticalGridOverlayDraw _nextFloatableRowFromRow_inVisibleRange_ _nextGroupRowGreaterThanOrEqualToRow_ _nextNonHiddenColumnFromColumn_ _nextTypeSelectMatchFromRow_toRow_forString_ _nonKeyEditingFrameColor _nonSelectedSourceListCellAttributesWithDefaults2_ _nsnib_setInDesignMode_ _numberOfRowsIsValid _okToStartTextEndEditing _oldUserCanSelectColumn_ _oldUserCanSelectRow_ _old_encodeWithCoder_NSTableView_ _old_initWithCoder_NSTableView_ _onlyAcceptRowDropOnContent _onlyDragOnContent _pasteboardWriterForRow_ _performClassicDragOfIndexes_hitRow_event_ _performDragFromMouseDown_ _performFlockedDragOfIndexes_hitRow_event_ _postColumnDidMoveNotificationFromColumn_toColumn_ _postSelectionDidChangeNotification _postSelectionIsChangingAndMark_ _preferredDragColumnForEvent_ _prepareSynchronizationOfEditedFieldForColumnWidthChange _printDatasourceWarning _priorRowIsSelectedFromRow_inSelection_ _readPersistentTableColumns _reallySwitchToNonViewBasedIfNeeded _rectOfColumnRange_ _rectOfColumn_ignoringTile_ _rectOfDraggedColumn _rectOfRowAssumingRowExists_ _rectOfRowRange_ _registerForClipBoundsDidChangeNotificationIfNecessaryForSuperview_ _releaseDragInfo _releaseDragInfoIfNotLocal _removeAllBlurBackgroundViews _removeBackgroundFillerView _removeFloatingHeaderView _removeLegacyPersistentTableColumnData _removeOldAutosaveDefaults _removeRubberBandAreas _removeSelectedIndexesFromIndexSet_goingDown_fromRow_ _removeSortDescriptorForTableColumn_ _removeVerticalSeparators _resetClickedRowAndColumn _resizeTableViewBasedOnSuperview _restrictColumnResizingToWidth _revertToOldRowSelection_fromRow_toRow_ _rightmostAutoresizingColumn _rowForView_ _rowHeaderColumn _rowHeaderFixedContentRect _rowHeaderScrollableContentVisibleRect _rowHeaderSeparatorLineColor _rowHeaderShadowSurface _rowHeaderShadowSurfaceBounds _rowHeaderShadowSurfaceIsShowing _rowHeaderTableColumn _rowViewContentsCanHostAutolayoutEngine _rowViewDrawsHorizontalGrid _rowsInRectAssumingRowsCoverVisible_ _rtlColumnsInRect_ _rubberBandViews _scrollViewDidChangeBounds_ _scrollbarSpacing _secureReadPersistentData _secureReadSortDescriptorData _secureReadTableColumnPersistentData _secureWritePersistentData _secureWritePersistentSortDescriptors _secureWritePersistentTableColumns _selectColumn_byExtendingSelection_ _selectNextFocusedCellGoingForward_andEdit_ _selectRow_byExtendingSelection_ _selectRowsFromArrowKey_withEvent_ _selectableColumnIndexes_ _selectedRowsToDraw _selectedSourceListCellAttributesWithDefaults2_ _selectionDidChangeNotificationName _selectionIsChangingNotificationName _sendAction_to_row_column_ _sendBindingAdapterWillDisplayCell_forColumn_row_ _sendDataSourceSortDescriptorsDidChange_ _sendDataSourceWriteDragDataWithIndexes_toPasteboard_ _sendDelegateCanSelectColumn_ _sendDelegateCanSelectRow_ _sendDelegateDidClickColumn_ _sendDelegateDidDragColumn_ _sendDelegateDidMouseDownInHeader_ _sendDelegateHeightOfRow_ _sendDelegateSelectionIndexesForProposedSelection_ _sendDelegateShouldShowCellExpansionForColumn_row_ _sendDelegateToolTipForCell_tableColumn_rect_row_mouseLocation_ _sendDelegateWillDisplayCell_forColumn_row_ _sendDraggingSession_endedAtPoint_operation_ _sendSelectionChangedNotificationForRows_columns_ _sendShouldTrackCell_forTableColumn_row_ _sendWillBeginDraggingSession_willBeginAtPoint_forDraggedRowIndexes_ _sendingTableViewRowAction _setAllNonDropTargetRowsToEmphasized_ _setBackgroundFillerView_ _setBlurBackgroundViews_ _setContextMenuHighlightColorForRow_ _setDataSourceIvar_ _setDelegateIvar_ _setDeselectsWhenMouseLeavesDuringDrag_ _setDrawingEverything_ _setEditOnSingleClick_ _setEditingRow_ _setEnabledAttributesOnCell_ _setFlashingDropFeedbackRow_ _setFocusRingNeedsDisplayIfNecessary _setFontSmoothingBackgroundColorForCapturingImage _setKeyboardFocusRingNeedsDisplayForCellInRect_ _setLiveResizeImageCachingEnabled_ _setMinColumnLayoutMinRequiredVisibleWidth_ _setNeedsDisplayForColumn_draggedDelta_ _setNeedsDisplayForDropCandidateRow_operation_mask_ _setNeedsDisplayForFirstResponderChange _setNeedsDisplayForSortingChangeInColumn_ _setNeedsDisplayInColumn_includeHeader_ _setNeedsDisplayInColumn_row_ _setNeedsDisplayInPrimarySortColumns _setNeedsDisplayInPrimarySortColumnsIfNecessary _setNeedsDisplayInRow_ _setNewObjectValueFromCell_ifNotEqualTo_forTableColumn_row_ _setRowHeaderTableColumn_ _setRowHeaderTableColumn_repositionTableColumnIfNecessary_ _setRowView_row_targetForDropOperation_resetOtherRows_ _setRow_targetForDropOperation_ _setRubberBandViews_ _setSelectedFontReferenceColorForRow_ _setSortDescriptorsWhileReading_ _setStaticTableRows_ _setTileNeeded _setUsePrimaryColorForSelection_ _setUseUncachedRectOfRow_ _setVerticalSeparators_ _setupBottomFillerView_forRow_ _setupContextMenuHighlightingForRow_column_ _shouldAbortMouseDownAfterDragAttempt_ _shouldAdjustPatternPhase _shouldAllowClickThroughForEvent_ _shouldBlurSelectionWhenCellBased _shouldDoSelectionStyleDropHighlight _shouldDrawFocusAroundACell _shouldDrawFocusAroundEditedCell _shouldDrawSourceListDraggingDestinationStyle _shouldEditColumn_row_withEvent_ _shouldEditColumn_row_withEvent_ignoringSelection_ _shouldEncodeUILayoutDirection _shouldFlipTableColumnsForRTL _shouldFloatRow_inVisibleRange_ _shouldFloatTableHeaderView _shouldHeaderShowSeparatorForColumn_ _shouldHighlightRows _shouldLeavingScrollbarSpacing _shouldReuseViews _shouldSetObjectValueOnCellsForAnimations _shouldShowDropGapForDragInfo_ _shouldSlideBackAfterDragFailed _shouldSwitchToNonViewBased _shouldUseFocusRingMask _shouldUseLayout _shouldUseSecondaryColorForRow_highlightColor_ _shouldUseSecondaryHighlightColor _shouldUseSecureCoding _shouldUseSyrahSourceListAttributes _showFloatingHeaderView _showGradientBackgroundBehindGroups _sizeModeChangeForRowView_row_ _sizeRowHeaderToFitIfNecessary _sizeTableColumnsToFitForAutoresizingWithStyle_ _sizeTableColumnsToFitForColumnResizeWithStyle_ _sizeTableColumnsToFitWithStyle_ _sizeTableColumnsToFitWithStyle_forceExactFitIfPossible_originalWidths_ _sizeToFitForUserColumnResizeWithOriginalWidths_ _sizeToFitWidthOfColumn_ _sizeToFitWidthOfColumn_row_ _sortOrderAutoSaveNameWithPrefix _sortOrderAutoSaveNameWithPrefixV2 _sourceListCellAttributesWithDefaultsForBlur_selected_emphasized_ _sourceListFrameOfCellAtColumn_row_frame_ _sourceListGroupCellAttributedStringForString_withDefaultAttributes_highlighted_ _sourceListWithBlurGroupCellAttributedStringForString_withDefaultAttributes_highlighted_ _startEditingColumn_row_event_ _startObservingContentInsetsOfViewIfClipView_ _startObservingFirstResponder _startObservingViewDidScroll _startOfLastNonHiddenColumn _startWatchingWindowWillOrderOnScreen _staticRowViewForRow_ _staticTableRows _staticTableViewDecodeRowsWithCoder_ _staticTableViewDecodeStateWithCoder_ _staticTableViewEncodeRowsWithCoder_ _staticTableViewEncodeStateWithCoder_ _stopObservingContentInsetsOfViewIfClipView_ _stopObservingFirstResponder _stopObservingViewDidScroll _stopWatchingWindowWillOrderOnScreen _subclassOverridesDrawBackgroundInRect _subclassOverridesDrawGridInClipRect _supportsRTL _supportsTrackingAreasForCells _supportsVariableHeightRows _switchToNonViewBasedIfNeeded _switchToViewBasedIfNeeded _tableColumn_changedWidthFrom_toWidth_ _tableColumn_willChangeWidthTo_ _tableHeaderViewWantsTranslucency _tableViewColumnDidResizeNotificationName _tableViewDropOperation _tableViewWindowWillOrderOnScreen_ _textBackgroundColor _tileAndRedisplayAll _tileAnimatedIfAnimating _tileAnimated_ _tileIfNeeded _totalHeightOfTableView _trailingXForColumn_ _tryCellBasedMouseDown_atRow_column_withView_ _tryDrop_dropRow_dropOperation_ _tryViewBasedMouseDown_atRow_column_ _typeSelectEndCurrentSearchWithRedisplay_ _unarchiving _uncachedNumberOfRows _uncachedRectHeightOfRow_ _unobstructedVisibleRectOfColumn_ _unregisterForClipBoundsDidChangeNotificationIfNecessaryForSuperview_force_ _updateAlternatingRowColorsForBottomFillerView_forRow_ _updateBackgroundViews _updateBlurBackgroundViewKeyState _updateBlurSelectionViewsIfNeeded _updateCellInView_atRow_column_ _updateColumnWidthsComparedToSuperview _updateDropFeedbackFromPriorRow_operation_mask_ _updateFirstResponderView _updateFloatingHeaderViewOption _updateFocusRingsForOldLastSelectedRow_ _updateForSizeModeChange _updateHeaderViewTrackingArea _updateHeaderViewTranslucency _updateLastEditingAndFocusRingFrame _updateRowData _updateRubberBandAreas _updateRubberBandViewsIfNeeded _updateSelectionBlendingMode _updateSeparatorPositions _updateSourceListBackgroundForKeyChange _updateSourceListBackgroundView _updateSourceListImageForCell_isSourceListDropFeedbackRow_ _updateVerticalSeparator _userCanChangeSelection _userCanEditTableColumn_row_ _userCanMoveColumn_toColumn_ _userCanSelectAndEditColumn_row_ _userCanSelectAndEditTableColumn_row_ _userCanSelectRow_withNewSelectedIndexes_ _userCanSelectSingleRow_ _userDeselectColumn_ _userDeselectRow_ _userDeselectToRow_ _userExtendSelectionWithRow_ _userSelectColumnIndexes_withNewAnchorColumn_ _userSelectRowIndexes_withNewSelectedRow_ _userSelectSingleColumn_ _userSelectSingleRow_ _userSelectTextOfNextCell _userSelectTextOfNextCellInSameColumn _userSelectTextOfPreviousCell _userSelectableRowIndexesForProposedSelection_ _userSelectableRowIndexesForProposedSelection_userCanAlreadyChangeSelection_ _usesSourceListColors _validIndexes_indexType_ _validateHitTest_ _verifySelectionIsOK _verticalSeparators _viewBasedAttemptToEditFocusedColumn _viewBasedAttemptToPerformClickOnFocusedColumn _viewBasedAttemptToPerformClickOnViewOfClass_ _viewBasedDrawAlternatingBackgroundInClipRect_ _viewBasedDrawRect_ _viewBasedEditColumn_row_withEvent_select_ _viewBasedImageComponentsWithFrame_forDisplayObject_ _viewBasedIsTypeSelectMatchAtRow_forString_compareRange_ _viewBasedSelectNextFocusedCellGoingForward_andEdit_ _viewCanDragRowsWithIndexes_atPoint_ _viewDidEndLiveResize_handleRowHeaderSurfaces _viewWillStartLiveResize_handleRowHeaderSurfaces _visibleOrPreparedRect _visibleRectPastLastRow _visibleTableColumnIndexes _wantsClipViewToDoOverhangViews _wantsHeaderView _widthBasedOnClipView _widthOfColumn_ _writePersistentTableColumns accessibilityCellForColumnAndRowAttributeForParameter_ accessibilityCurrentEditorForCell_ accessibilityHeaderAttribute accessibilityIsHeaderAttributeSettable accessibilityIsOrientationAttributeSettable accessibilityIsRowsAttributeSettable accessibilityIsSelectedCellsAttributeSettable accessibilityIsSelectedChildrenAttributeSettable accessibilityIsSelectedColumnsAttributeSettable accessibilityIsSelectedRowsAttributeSettable accessibilityIsVisibleChildrenAttributeSettable accessibilityIsVisibleRowsAttributeSettable accessibilityOrientationAttribute accessibilityRowsAttribute accessibilitySelectedCellsAttribute accessibilitySelectedChildrenAttribute accessibilitySelectedColumnsAttribute accessibilitySelectedRowsAttribute accessibilitySetSelectedChildrenAttribute_ accessibilitySetSelectedColumnsAttribute_ accessibilitySetSelectedRowsAttribute_ accessibilityVisibleChildrenAttribute accessibilityVisibleRowsAttribute addDropBetweenFeedbackViewsForRow_ addDropFeedbackViews addDropOnFeedbackViewsForRow_ addTableColumn_ allowsColumnReordering allowsColumnResizing allowsColumnSelection animationCompletionHandler applyPermutationsFromArray_toArray_insertAnimation_removeAnimation_ applyPermutationsFromArray_toArray_insertionAnimation_removalAnimation_ archivedReusableViews associateView_withColumn_ autoresizesAllColumnsToFit autosaveName autosaveTableColumns beginUpdates cacheReusableView_ canDragRowsWithIndexes_atPoint_ canFocusCell_atTableColumn_row_ columnAtPoint_ columnAutoresizingStyle columnController columnForView_ columnIndexesInRect_ columnWithIdentifier_ columnsInRect_ controlTextDidEndEditing_ cornerView dataSource defaultOwner delayStartEditingCalled deselectAll_ deselectColumn_ deselectRow_ didAddRowView_forRow_ didRemoveRowView_forRow_ dragImageForRowsWithIndexes_tableColumns_event_offset_ dragImageForRows_event_dragImageOffset_ draggedColumnView draggedImage_movedTo_ draggingDestinationFeedbackStyle draggingImageComponentsWithFrame_forDisplayObject_ draggingSession_endedAtPoint_operation_ draggingSession_namesOfPromisedFilesDroppedAtDestination_ draggingSession_sourceOperationMaskForDraggingContext_ draggingSession_willBeginAtPoint_ drawBackgroundInClipRect_ drawBackgroundOverhangInRect_ drawContextMenuHighlightForRow_ drawGridInClipRect_ drawLabelForRow_withLabelColorIndex_clipRect_enabled_ drawRowIndexes_clipRect_ drawRow_clipRect_ drawRowsInRange_clipRect_ drawsGrid editColumn_row_withEvent_select_ editedColumn editedRow effectiveRowSizeStyle endUpdates enumerateAvailableRowViewsUsingBlock_ floatsGroupRows floatsHeaderView focusedColumn frameOfCellAtColumn_row_ gridColor gridStyleMask groupRowStyle headerView hiddenRowIndexes hideRowsAtIndexes_withAnimation_ highlightSelectionInClipRect_ highlightedTableColumn ignoreModifierKeysForDraggingSession_ indicatorImageInTableColumn_ insertRowsAtIndexes_withAnimation_ instantiateWithObjectInstantiator_ intercellSpacing isColumnSelected_ isDropTargetRow_ isRowSelected_ isViewBased labelRectOfRow_ lastSelectedRow makeRowViewForRow_ makeViewForTableColumn_row_ makeViewWithIdentifier_owner_ moveColumn_toColumn_ moveRowAtIndex_toIndex_ moveRowsInRange_toIndex_ navBrowserLabelRectForRow_ navNeedsPanelToBecomeKey noteNumberOfRowsChanged numberOfColumns numberOfSelectedColumns numberOfSelectedRows performClickOnCellAtColumn_row_ prepareDraggingDestinationView_forRowIndexes_draggingStyle_ preparedCellAtColumn_row_ rectOfColumn_ rectOfRow_ registerNib_forIdentifier_ registeredNibsByIdentifier reloadDataForRowIndexes_columnIndexes_ removeDropFeedbackViewsFromOldRow_ removeReuseableViewNibNameForIdentifier_ removeRowsAtIndexes_withAnimation_ removeTableColumn_ renameReuseableViewIdentifierFrom_to_ reuseableViewIdentifiers reuseableViewNibNameForIdentifier_ rowActionsVisible rowData rowForView_ rowHeightStorage rowSizeStyle rowViewAtRow_makeIfNecessary_ rowsInRect_ scrollRowToVisible_ scrollToBeginningOfDocument_ scrollToEndOfDocument_ selectColumnIndexes_byExtendingSelection_ selectColumn_byExtendingSelection_ selectRowIndexes_byExtendingSelection_ selectRow_byExtendingSelection_ selectedColumnEnumerator selectedColumnIndexes selectedRowEnumerator selectedRowIndexes selectionBlendingMode selectionHighlightStyle selectionShouldUsePrimaryColor sendMouseUpActionForDisabledCell_atRow_column_ setAllowsColumnReordering_ setAllowsColumnResizing_ setAllowsColumnSelection_ setAnimationCompletionHandler_ setAutoresizesAllColumnsToFit_ setAutosaveName_ setAutosaveTableColumns_ setColumnAutoresizingStyle_ setColumnController_ setCornerView_ setDataSource_ setDraggedColumnView_ setDraggingDestinationFeedbackStyle_ setDrawsGrid_ setDropRow_dropOperation_ setEditing_ setFauxHighlightedCell_atRow_column_ setFloatsGroupRows_ setFloatsHeaderView_ setFocusedColumn_ setGridColor_ setGridStyleMask_ setGroupRowStyle_ setHeaderView_ setHighlightedTableColumn_ setIndicatorImage_inTableColumn_ setIntercellSpacing_ setLastSelectedRow_ setReuseableViewNibName_forIdentifier_ setReuseableViewNib_forIdentifier_ setRowActionsVisible_ setRowSizeStyle_ setSelectionBlendingMode_ setSelectionHighlightStyle_ setShouldSuppressDropHighlight_ setUsesAlternatingRowBackgroundColors_ setUsesStaticContents_ setVerticalMotionCanBeginDrag_ setWantsFirstResponderOnMouseEvents_ shouldFocusCell_atColumn_row_ shouldSuppressDropHighlight shouldUseViews sizeLastColumnToFit superviewFrameChanged_ tableColumnWithIdentifier_ tableColumns tryNavMouseDown_ unassociateView_withColumn_ unhideRowsAtIndexes_withAnimation_ usesAlternatingRowBackgroundColors usesStaticContents verticalMotionCanBeginDrag viewAtColumn_row_makeIfNecessary_ wantsFirstResponderOnMouseEvents NSBrowserUserColumnResizing NSBuddhistCalendar NSBuiltinAppearance NSBuiltinCharacterSet NSBulkPointerArray _cArray _capacity _pointersAreEqual__ addPointer_ clearRangeWithoutRelease_ clearRange_ insertPointer_atIndex_ insertPointers_numberOfItems_atIndexes_ moveItemFromIndex_toIndex_ pointerAtIndex_ pointersAreReleased pointersAreRetained releasePointer_ releasePointersInRange_ removePointerAtIndex_ removePointersAtIndexes_ replacePointerAtIndex_withPointer_ retainPointer_ setCapacity_ NSBundle URLForAuxiliaryExecutable_ URLForImageResource_ URLForResource_withExtension_ URLForResource_withExtension_subdirectory_ URLForResource_withExtension_subdirectory_localization_ URLsForImageResource_ URLsForResourcesWithExtension_subdirectory_ URLsForResourcesWithExtension_subdirectory_localization_ __static _cfBundle _newImageForResourceWithProspectiveName_imageClass_ _pathForResource_ofType_inDirectory_forRegion_ _pathsForResourcesOfType_inDirectory_forRegion_ _regionsArray _safeLoadNibNamed_owner_topLevelObjects_ builtInPlugInsPath builtInPlugInsURL bundleLanguages bundlePath classNamed_ contextHelpForKey_ developmentLocalization executableArchitectures executablePath executableURL findBundleResourceURLsCallingMethod_passingTest_ imageForResource_ infoDictionary invalidateResourceCache load loadAndReturnError_ loadNibFile_externalNameTable_options_withZone_ loadNibFile_externalNameTable_withZone_ loadNibNamed_owner_topLevelObjects_ localizations localizedInfoDictionary localizedStringForKey_value_table_ objectForInfoDictionaryKey_ pathForAuxiliaryExecutable_ pathForImageResource_ pathForResource_ofType_ pathForResource_ofType_inDirectory_ pathForResource_ofType_inDirectory_forLanguage_ pathForResource_ofType_inDirectory_forLocalization_ pathForSoundResource_ pathsForResourcesOfType_inDirectory_ pathsForResourcesOfType_inDirectory_forLanguage_ pathsForResourcesOfType_inDirectory_forLocalization_ preferredLocalizations preflightAndReturnError_ principalClass privateFrameworksPath privateFrameworksURL resourcePath resourceURL sharedFrameworksPath sharedFrameworksURL sharedSupportPath sharedSupportURL unload versionNumber NSBundleDidLoadNotification NSBundleErrorMaximum NSBundleErrorMinimum NSBundleExecutableArchitectureI386 NSBundleExecutableArchitecturePPC NSBundleExecutableArchitecturePPC64 NSBundleExecutableArchitectureX86_64 NSButtLineCapStyle NSButton NSButtonCell _acceleratorTimerFired _acceptsFirstMouseForEvent_inView_ _accessibilityIncludeDescriptionAttribute _alignedTitleRectWithRect_ _allowsVibrancyForImageInView_ _allowsVibrancyForTitleInView_ _altContents _alternateImageSynthesizedForCheckOrRadio_ _alwaysEnablesRadioButtonExclusivity _alwaysShowBezelForCurrentBezelStyleAndState _appRequiresOldHeartbeatBehavior _attributedStringForDrawing _autolayout_cellSize _backgroundColor _backgroundIsSetOnLayer _beginAcceleratorPeriodicActionsUsingLegacyHW_ _bezelContentsByDrawingWithFrame_inView_ _bezelContentsFromCoreUIWithFrame_inView_ _bezelStyleOnlyCenteredVertically _bezelStyleWantsUpdateLayerInView_ _bezelTintColor _buttonCellAccessibilityRoleAttribute _buttonCellAux _buttonCellAuxAllocatingIfNeeded_ _buttonImageSource _buttonType _canBecomeDefaultButtonCell _canUseFocusRingMaskForText _centerTitle_inRect_ _classForOverrideCheck _clearButtonCellAux _commonBaseRectWithFrame_inView_ _configureAndDrawImageWithRect_cellFrame_controlView_ _configureAndDrawTitleWithRect_cellFrame_controlView_ _controlViewDidMoveToWindow_ _coreUIAlignmentRectInsetsForRect_inView_ _coreUIBezelDrawOptionsWithFrame_inView_ _coreUIContentRectInsetsForRect_inView_ _coreUIIntrinsticContentSizeForRect_inView_ _coreUISelectionBorderContentsWithFrame_inView_ _coreUISelectionBorderDrawOptionsWithFrame_inView_ _currentBezelContentsWithFrame_inView_ _currentTitle _currentTitleTextFieldAttributedString _destinationDisclosureState _disabledForDrawing _disposeAnimator _doUserDisclosureExpandOrCollapseInRect_ _drawCustomFocusMaskWithFrame_inView_ _drawSelectionBorderWithFrame_inView_ _endAcceleratorPeriodicActions _fillBackground_withAlternateColor_ _focusRingBoundsWithFrame_inView_ _hasButtonCellAux _hasCenteredBezelBackground _hasCustomFocusMask _hasCustomForegroundColor _hasDefaultButtonIndicator _hasImage _hasRolloverContentArt _hasTitle _imageRectWithRect_ _imageRect_titleRect_forBounds_ _imageSynthesizedForCheckOrRadio_ _imageVerticalAdjustmentForBezel _imageViewFrameWithFrame_inView_ _insetRect_ _isAnyAcceleratorButton _isBorderedButton _isDefaultButton _isDrawingDisclosure _isInlineBezelStyle _isMultiLevelAcceleratorButton _layerKeysForCachingWithFrame_inView_drawingRect_ _leading _legacyDrawFocusRingInCellFrame_inView_ _logImageState_andBGStyle_forLabel_ _maybeBeginStateChangeAnimationWithFrame_inView_ _minCellSize _minCellSizeIncrement _needsOutline _needsToDoBezelDrawingForLayerInView_ _nextDisclosureState _obtainButtonAnimator _overrideImageRecolorColor _preeffectBaseImage_state_backgroundStyle_inView_ _preferAlternateContent _preferAlternateContentForImage _preferInactiveContentInView_ _preferOnArtForBezel _preferSlightlyDarkerImageForOnBezel _preferredFocusLocationMask _removeImageView _removeSelectionBorderView _renderCurrentAnimationFrameInContext_atLocation_ _roundCoordinate_upToDevicePixelForView_ _selectionBorderRectForBounds_ _selectionBorderView _setAltContents_ _setAlwaysEnablesRadioButtonExclusivity_ _setBackgroundColor_ _setBezelTintColor_ _setButtonImageSource_ _setButtonType_adjustingImage_ _setDefaultButtonIndicatorNeedsDisplay _setDestinationDisclosureState_ _setGuarded_ _setHighlighted_animated_ _setImageView_ _setIsDrawingDisclosure_ _setLayerNeedsLayout _setMinimumPressDuration_ _setNextDisclosureState_ _setSelectionBorderView_ _setShouldNotHighlightOnPerformClick_ _setShowsDisclosureChevron_ _setState_animated_ _shouldDrawBezel _shouldDrawDragged _shouldDrawSelectionBorder _shouldDrawTextWithDisabledAppearance _shouldShowFocus _shouldTweakRoundingBehaviorWithFrame_inView_ _shouldUpdateLayersInControlView_ _shouldUseStyledTextInView_forAttributedTitle_ _showsDisclosureChevron _startSound _stateAnimationDone _stateAnimationRunning _stateForDrawing _stringDrawingContextForStyledTextOptions_replacementColor_ _subclassOverridesAnyDrawMethods _subclassOverridesDrawImage _templateImageShouldPunchHoleInBezel _textDimColor _textHighlightColor _titlePadding _titleRectForProposedTitleRect_ _titleSizeWithSize_ _titleSpacing _titleTextIsScrollable _trackingBoundsWithFrame_inView_ _unconstrainedImageSize _updateAllOtherButtonsInGroupToNotBeChecked _updateBackgroundViewWithFrame_inView_ _updateImageViewImageInView_ _updateImageViewWithFrame_inView_ _updateMouseInside_ _updateMouseTracking _updateSelectionBorderViewWithFrame_inView_ _updateSubviewsWhenLayerBackedInView_includeTitleTextField_ _updateTitleTextFieldValue _updateTitleTextFieldWithFrame_inView_ _wantsSeparatedContentSubviewsInView_ _wantsToUseFocusRingMask _wasNoticedBySenpai alternateMnemonic alternateMnemonicLocation drawBezelWithFrame_inView_ drawImage_withFrame_inView_ drawTitle_withFrame_inView_ gradientType highlightsBy imageDimsWhenDisabled isSpringLoadingEmphasized keyEquivalentFont setAlternateMnemonicLocation_ setAlternateTitleWithMnemonic_ setGradientType_ setHighlightsBy_ setImageDimsWhenDisabled_ setKeyEquivalentFont_ setKeyEquivalentFont_size_ setShowsStateBy_ setSpringLoadingEmphasized_ showsStateBy NSButtonGroupTouchBarItem _contentClippingSize _itemViewMinSize_maxSize_ _itemViewMinSize_maxSize_preferredSize_ _type addPopoverItem_ addView_ buttonSpacing compressionOption customizationLabel defaultButtonImagePosition fallbackItemSizeForCustomization insertPopoverItem_atIndex_ insertView_atIndex_ itemPosition makePressAndHoldTransposerWithSourceFrame_destinationContentView_frame_ makeViewForCustomization makeViewForCustomizationPalette makeViewForCustomizationPreview preferredButtonWidth preferredPopoverTransposerClass preferredPopoverTransposerPriority preferredSizeForCustomizationPalette removeView_ resetLayout setButtonSpacing_ setCompressionOption_ setCustomizationLabel_ setDefaultButtonImagePosition_ setPreferredButtonWidth_ setPreferredPopoverTransposerClass_ setPreferredPopoverTransposerPriority_ setPreferredSizeForCustomizationPalette_ setViewController_ setViewForCustomizationPalette_ setViewForCustomizationPreview_ setVisibilityPriority_ touchBars viewController viewCount viewForCustomizationPalette viewForCustomizationPreview visibilityPriority NSButtonImageSource _archiveToFile_ _findButtonImageForState_ _initWithName_propertyList_ _initWithWidget_ _scanImages bezelStyleForState_ focusRingImageForState_ focusRingImageSize hasImageWithAlpha isBorderedForState_ isOpaqueForState_ useDisabledEffectForState_ useHighlightEffectForState_ NSButtonTextField NSButtonTextFieldCell _acceptsFirstResponderWhenSelectableWithFullKeyboardAccess _accessibilityBoundsOfChild_ _backgroundColorFillingTextLayer _canCacheTextBoundingRect _coreUIDrawOptionsWithFrame_inView_includeFocus_ _coreUIEnabledStateKeyValue _coreUIHeightForRoundedBezel _coreUISizeKeyValueForCellFrame_ _coreUIVariantKeyValue _drawBezeledBackgroundWithFrame_inView_includeFocus_ _drawHandlerDelegate _drawKeyboardFocusRingWithFrame_inView_ _drawThemeBezelWithFrame_inView_ _getTextColor_backgroundColor_ _hasOpaqueContentBoundsForFrame_coreUIOptions_ _hasOpaqueContentBoundsForFrame_inView_includeFocus_ _invalidateTextColor _invalidateTextLayerIfNeeded _isEditingInView_ _isToolbarMode _maybeCheckTitleClippingForFrame_inView_ _okayToHitTest _opaqueBackgroundColorForTextLayerInControlView_ _permitDarkenedTextForDisabled _reallyDrawsBackground _setButtonTitleCell_ _setDrawHandlerDelegate_ _setShouldNotClipToBounds_ _setTextBoundingRect_ _setTextLayer_ _setToolbarMode_ _shouldDrawHighlightRect _shouldStyleUneditableTextInView_ _stringDrawingContextWithBaselineOffsetsInRect_ _textAlignmentForCanCacheTextBoundingRect _textBoundingRect _textLayer _textLayerFrameForCellFrame_ _updateTextLayerWithFrame_inView_ _wantsTextLayerForView_ accessibilityAttachmentAtIndex_ accessibilityElementForAttachment_ accessibilityIsPlaceholderValueAttributeSettable accessibilityPlaceholderValueAttribute allowedInputSourceLocales allowsLinearMaskOverlayForLayer_ drawLayer_inGraphicsContext_ layer_shouldInheritContentsScale_fromWindow_ setAllowedInputSourceLocales_ setWantsNotificationForMarkedText_ textLayerNeedsLinearMaskOverlayForFontSmoothing_ titleRectForLayerBounds_ NSButtonTypeAccelerator NSButtonTypeMomentaryChange NSButtonTypeMomentaryLight NSButtonTypeMomentaryPushIn NSButtonTypeMultiLevelAccelerator NSButtonTypeOnOff NSButtonTypePushOnPushOff NSButtonTypeRadio NSButtonTypeSwitch NSButtonTypeToggle NSByteCountFormatter _options allowedUnits allowsNonnumericFormatting countStyle includesActualByteCount includesCount includesUnit isAdaptive setAdaptive_ setAllowedUnits_ setAllowsNonnumericFormatting_ setCountStyle_ setIncludesActualByteCount_ setIncludesCount_ setIncludesUnit_ setZeroPadsFractionDigits_ stringFromByteCount_ zeroPadsFractionDigits NSByteCountFormatterCountStyleBinary NSByteCountFormatterCountStyleDecimal NSByteCountFormatterCountStyleFile NSByteCountFormatterCountStyleMemory NSByteCountFormatterUseAll NSByteCountFormatterUseBytes NSByteCountFormatterUseDefault NSByteCountFormatterUseEB NSByteCountFormatterUseGB NSByteCountFormatterUseKB NSByteCountFormatterUseMB NSByteCountFormatterUsePB NSByteCountFormatterUseTB NSByteCountFormatterUseYBOrHigher NSByteCountFormatterUseZB NSCAAnimationDelegate initWithDidEndHandler_ initWithDidStartHandler_ initWithDidStartHandler_didEndHandler_ NSCALayerGraphicsContext _initWithGraphicsPort_CALayer_flipped_ NSCFArray NSCFAttributedString NSCFCharacterSet NSCFData _compact NSCFDictionary NSCFError NSCFInputStream NSCFOutputStream NSCFSet _trueCount NSCFTimer NSCFType NSCGImageRep initWithCGImage_size_ NSCGImageSnapshotRep _snapshotRep_CGImageForProposedRect_context_hints_ _snapshotRep_commonSetupWithWithCGImage_snapshotContextSignature_ fullDescription initWithCGImage_drawingRect_applicableForRect_context_hints_ initWithCGImage_snapshotContextSignature_ isApplicableForRect_context_hints_ NSCGLSurface attachToCGLContext_ bitDepth flushRect_ initWithSize_colorSpace_atomic_ isAttachedToCGLContext_ isFloatingPoint isStereo layerContents leftImage rightImage NSCGSContext NSCGSFence initWithPort_ NSCGSMutableWindowCornerMask windowCornerMaskWithScale_ NSCGSSpace finishedResizeForRect_ackImmediately_ NSCGSWindow _orderGroupWithOperation_relativeToWindow_ backdropBleedFraction backdropsAreFrozen backingStore bestSpaceContainingWindow bestUserSpaceContainingWindow bestUserSpaceForWindow bestVisibleSpaceContainingWindow disassociateFromSpacesIfOrderedOut freezeWithOptions_ hasBackingStore isExpectedToBeOnSpace_ makeBackdrop makeLayerSurface makeLocallyRenderedLayerSurface moveByX_Y_ moveGroupByX_Y_ movementGroup orderAboveWindow_ orderBack orderBelowWindow_ orderFront orderGroupAboveWindow_ orderGroupBack orderGroupBelowWindow_ orderGroupFront orderGroupFrontConditionally_ orderGroupOut orderOut orderingGroup reassociateWithSpacesByGeometry setBackdropBleedFraction_ setBackdropsAreFrozen_ setHasBackingStore_ thaw NSCGSWindowBackdrop NSCGSWindowBackingStore invalidateAlphaShape invalidateRect_ makeDrawingContext revalidateWithDrawingHandler_ NSCGSWindowBuffer NSCGSWindowCornerMask NSCGSWindowLayerSurface isLocallyRendered orderAboveSurface_ orderAboveWindow orderBelowSurface_ orderBelowWindow orderIn NSCGSWindowOpenGLSurface attachCGLContext_ detachCGLContext_ NSCGSWindowSurface NSCIDGlyphInfo _baseString _glyphForFont_baseString_ characterCollection characterIdentifier glyphName initWithBaseString_ initWithCharacterIdentifier_collection_baseString_ NSCIImageRep NSCMYKColorSpaceModel NSCMYKModeColorPanel NSCMYKSliders _adjustControls_andSetColor_ activeColorSpace adjustControls_ fieldEditableControl finishProvideNewSubviewSetup provideNewSubview_ regularColorIfPossible_ requiredMinSize setActiveColorSpace_ setMatchedColor_ takeColorSpaceFrom_ viewSizeChanged_ NSCTFont __isSystemFont _ascenderDeltaForBehavior_ _atsFontID _backingCGSFont _baseLineHeightForFont_ _baselineOffsetForUILayout _canDrawOutsideLineHeight _coveredCharSet _defaultGlyphForChar_ _defaultLineHeightForUILayout _defaultLineHightForUILayout _descenderDeltaForBehavior_ _getLatin1GlyphMapping_andAdvanceMapping_ _glyphDrawsOutsideLineHeight_ _hasColorGlyphs _hasNonNominalDescriptor _isDefaultFace _isFakeFixedPitch _isHiraginoFont _isIdealMetricsOnly _kernOverride _latin1MappingTable_ _metaType _numberOfGlyphs _safeFontDescriptor _sharedFontInstanceInfo _similarFontWithName_ _spaceGlyphAdvance _textMatrixTransformForContext_ _totalAdvancementForNativeGlyphs_count_ _trackingNecessaryToScaleToFontOfSize_ _usesAppearanceFontSize _widthOfPackedGlyphs_count_ advancementForGlyph_ afmDictionary ascender baseFontForSingleLineModeCell_ bestMatchingFontForCharacters_length_attributes_actualCoveredLength_ boundingRectForFont boundingRectForGlyph_ capHeight coveredCharacterSet coversAllCharactersInString_ coversCharacter_ ctFontRef defaultLineHeightForFont descender encodingScheme fontDescriptor fontForAppearance_ fontWithSize_ getAdvancements_forCGGlyphs_count_ getAdvancements_forGlyphs_count_ getAdvancements_forPackedGlyphs_length_ getBoundingRects_forCGGlyphs_count_ getBoundingRects_forGlyphs_count_ getCaretPositions_forGlyph_maximumLength_ getVerticalOriginTranslations_forCGGlyphs_count_ glyphIsEncoded_ glyphPacking glyphWithName_ hyphenGlyphForLanguage_ hyphenGlyphForLocale_ initWithBaseFont_ initWithFontRef_size_ initWithInstanceInfo_renderingMode_ isBaseFont isFixedPitch isScreenFont isVertical italicAngle lastResortFont leading matrix maximumAdvancement mostCompatibleStringEncoding nameOfGlyph_ numberOfGlyphs positionOfGlyph_forCharacter_struckOverRect_ positionOfGlyph_precededByGlyph_isNominal_ positionOfGlyph_struckOverGlyph_metricsExist_ positionOfGlyph_struckOverRect_metricsExist_ positionsForCompositeSequence_numberOfGlyphs_pointArray_ preferredFallbackFontForLanguage_ printerFont renderingMode screenFont screenFontWithRenderingMode_ setInContext_ textTransform traits underlinePosition underlineThickness verticalFont widthOfString_ xHeight NSCTFontCollection _dictionaryForArchivingWithAttributes_ _editQueryForDescriptor_newIncludes_newExcludes_ _hasDesignatedName_visibility_ _replaceDescriptorsFromCollection_ _saveToURL_error_ addQueryForDescriptors_ collectionAttributes exclusionDescriptors initWithAllAvailableDescriptors initWithDescriptors_ initWithLocale_ matchingDescriptors matchingDescriptorsForFamily_ matchingDescriptorsForFamily_options_ matchingDescriptorsWithOptions_ queryDescriptors registeredFontsChangedNotification_ removeQueryForDescriptors_ setCollectionAttributes_ setExclusionDescriptors_ setQueryDescriptors_ NSCTFontDescriptor _attributes _initWithFontAttributes_options_ _visibleName fontAttributes fontDescriptorByAddingAttributes_ fontDescriptorWithFace_ fontDescriptorWithFamily_ fontDescriptorWithMatrix_ fontDescriptorWithSize_ fontDescriptorWithSymbolicTraits_ initWithFontAttributes_ matchingFontDescriptorWithMandatoryKeys_ matchingFontDescriptorsWithMandatoryKeys_ postscriptName symbolicTraits NSCTGlyphInfo NSCTRubyAnnotation NSCache countLimit evictsObjectsWithDiscardedContent minimumObjectCount setCountLimit_ setEvictsObjectsWithDiscardedContent_ setMinimumObjectCount_ setObject_forKey_cost_ setTotalCostLimit_ totalCostLimit NSCachedColorSpaceColor _accessibilityValue _addColor_ _colorWithValue_forComponent_backupHue_backupSaturation_ _createCGColorWithAlpha_ _hsbColor _release _resolvedColor _setAsSystemColor _subtractColor_ alphaComponent blackComponent blendedColorWithFraction_ofColor_ blueComponent brightnessComponent catalogNameComponent colorNameComponent colorUsingColorSpaceName_ colorUsingColorSpaceName_device_ colorUsingColorSpace_ colorWithAlphaComponent_ cyanComponent drawSwatchInRect_ getComponents_ getCyan_magenta_yellow_black_alpha_ getHue_saturation_brightness_alpha_ getRed_green_blue_alpha_ getWhite_alpha_ greenComponent highlightWithLevel_ hueComponent initWithColorSpace_components_count_ isEqualToColor_ isUniform localizedCatalogNameComponent localizedColorNameComponent magentaComponent patternImage redComponent saturationComponent scriptingColorDescriptor setFill setStroke shadeColorWithDistance_towardsColor_ shadowWithLevel_ whiteComponent yellowComponent NSCachedDeviceRGBColor encodeWithCoder_colorSpaceCode_ initWithHue_saturation_brightness_alpha_ NSCachedDeviceWhiteColor initWithWhite_alpha_ NSCachedFetchRequestInfo setSubstitutionBindIntarrayOrder_ setSubstitutionBindVariableOrder_ substitutionBindIntarrayOrder substitutionBindVariableOrder NSCachedFetchRequestThunk initForConnection_ limitedStatement setLimitedStatement_ setUnlimitedStatement_ unlimitedStatement NSCachedImageRep _cache _cachedImageRepByResizingToSize_rescalingContent_ _canDrawOutsideOfItsBounds _computeParams _copyNSCGImageRep _initWithSharedKitWindow_rect_ _initWithSize_depth_separate_alpha_allowDeep_ _isCachedSeparately _keepCacheWindow _logicalWindowSpaceRect _resizeCache_cachedSeparately_bps_numColors_hasAlpha_ _setKeepCacheWindow_ _transferCache_ initWithSize_depth_separate_alpha_ initWithWindow_rect_ lockFocusFlipped_ rect NSCachedRGBColor NSCachedTableCellView cachedImage setCachedImage_ NSCachedTableRowView _alwaysNeedsSelectedBackgroundView _appearsSelected _associatedViews _backgroundColorForFloatingGroupFromColor_ _backgroundRect _backgroundRectForDirtyRect_ _cacheRowImageFromTableView _commonTRVInit _contentsFacetForSelectedBackground _currentLayerBackgroundColor _decodeStaticContentWithCoder_ _drawRowNumberBadge _drawRowNumber_ _drawSeparatorInRect_withColor_ _dropAboveFeedbackLayer _dropFeedbackLayer _dropTargetRect _enclosingTableView _encodeStaticContentWithCoder_ _ensureColumnViews _finderStyleGroupRowTopSeparatorColor _flashingKeyForLayerContentsProvider _floatingBackgroundColor _forDeletion _hasManagedAttributes _hasSourceListBackgroundColorOrNil _invalidateLayoutOrRedisplay _isFadingSelection _isSourceListBackgroundColor_ _isUsingUpdateLayer _locationNeedsUpdating _makeBlurBackgroundView _makeLayerForDropFeedbackThatIsAbove_ _makeSelectedBackgroundView _needsBlurBackgroundView _needsOverlayDrawing _needsSelectionBackgroundView _nonFirstResponderTextColor _realSelectionHighlightStyle _removeBackgroundDropAboveFeedbackLayer _removeBackgroundDropFeedbackLayer _removeSelectedBackgroundView _removeSeparatorBackgroundLayer _row _selectedBackgroundColorForFontSmoothing _selectedBackgroundView _selectionNeedsRedrawingOnFrameChange _separatorLayer _separatorRect _separatorRectAtTop _setAssociatedViews_ _setBackgroundStyle_forView_ _setDropAboveFeedbackLayer_ _setDropFeedbackLayer_ _setForDeletion_ _setLocationNeedsUpdating_ _setSelectedBackgroundView_ _setSeparatorLayer_ _setUsingCachedImageOnly_ _setupBackgroundLayer_ _shouldDrawSelection _shouldHaveDropFeedback _shouldRemoveSelectedBackgroundViewWhenNotSelected _shouldShowRowNumbers _shouldUseBackgroundColor _springLoadedBlendColor _textFieldFromView_ _udpateBackgroundDropAboveFeedbackLayer _updateBackgroundDropFeedbackLayer _updateBackgroundStyles _updateBackgroundStylesForReals _updateLightHighlightAttributesForView_ _updateLightHighlightColorForSelectedTextField_ _updateManagedAttributesForSubviews _updateSelectedBackgroundView _updateSelectedBackgroundViewForStateChange _updateSelectionStateForVisualEffectView_ _updateSeparatorBackgroundLayer _updateSourceListGroupRowAttributesForView_ _usingCachedImageOnly associatedViewWithReuseIdentifier_ associatedViewsForColumn_ columnCount consumingRowActionButton drawBackgroundInRect_ drawDraggingDestinationFeedbackInRect_ drawGroupRowStyleFinderInRect_ drawGroupRowStyleGrayInRect_ drawGroupRowStyleGrayInverseInRect_ drawSelectionInRect_ drawSeparatorInRect_ drawsSeparator dropHighlightBackgroundColor dropHighlightColor editActionButtons emphasizedForDropOperation extractAssociatedViewWithReuseIdentifier_ floatingStyle grayView groupRowStyle2 indentationForDropOperation insertColumnAtIndex_ isEmphasized isGroupRowStyle isNextRowSelected isPreviousRowSelected isPriorRowSelected isSelected isStatic isTargetForDropOperation moveViewsFromColumn_toColumn_ performHandler_onAssociatedViewsWithColumn_ primarySelectionColor removeAssociatedView_ removeColumnAtIndex_ removeViewAtUnknownColumn_ secondarySelectedControlColor selectedTextColor selectionAlpha separatorColor setConsumingRowActionButton_ setEditActionButtons_ setEmphasizedForDropOperation_ setEmphasized_ setGrayView_ setGroupRowStyle2_ setIndentationForDropOperation_ setIsStatic_ setNextRowSelected_ setNumberOfColumns_ setPreviousRowSelected_ setPriorRowSelected_ setSelected_ setSelectionAlpha_ setSeparatorColor_ setTargetForDropOperation_ setView_atColumn_ updateKeyViewLoop viewAtColumn_ NSCachedURLResponse _CFCachedURLResponse _deallocInternalCFCachedURLResponse _initWithCFCachedURLResponse_ _reestablishInternalCFCachedURLResponse_ dataArray initWithResponse_dataArray_userInfo_storagePolicy_ initWithResponse_data_ initWithResponse_data_userInfo_storagePolicy_ response storagePolicy NSCachedURLResponseInternal NSCachedWhiteColor NSCachesDirectory NSCachingFetchRequest _XPCEncodedFlags _asyncResultHandle _cacheInfo_forRequestor_ _cachedInfoForRequestor_ _copyForDirtyContext _disablePersistentStoreResultCaching _incrementInUseCounter _isCachingFetchRequest__ _newNormalizedFetchProperties_ _newValidatedProperties_groupBy_error_ _sanityCheckVariables_ _setAsyncResultHandle_ _setDisablePersistentStoreResultCaching_ _setFlagsFromXPCEncoding_ _writeIntoData_propertiesDict_uniquedPropertyNames_uniquedStrings_uniquedData_uniquedMappings_entities_ encodeForXPC excludesPendingChanges execute_ fetchBatchSize fetchLimit fetchOffset groupByProperties hasChanges havingPredicate includeRowData includesPendingChanges includesPropertyValues prefetchRelationshipKeys prepopulateObjects propertiesToFetch propertiesToGroupBy relationshipKeyPathsForPrefetching resultsAsObjectIDs returnsDistinctResults returnsObjectsAsFaults setEntity_ setExcludesPendingChanges_ setFetchBatchSize_ setFetchLimit_ setFetchOffset_ setGroupByProperties_ setHavingPredicate_ setIncludeRowData_ setIncludesPendingChanges_ setIncludesPropertyValues_ setPrefetchRelationshipKeys_ setPrepopulateObjects_ setPropertiesToFetch_ setPropertiesToGroupBy_ setRelationshipKeyPathsForPrefetching_ setResultsAsObjectIDs_ setReturnsDistinctResults_ setReturnsObjectsAsFaults_ setShallowInheritance_ setShouldRefreshRefetchedObjects_ setSubstitutionVariables_ shallowInheritance shouldRefreshRefetchedObjects stores substitutionVariables NSCalculationDivideByZero NSCalculationLossOfPrecision NSCalculationNoError NSCalculationOverflow NSCalculationUnderflow NSCalendar NSCalendarCalendarUnit NSCalendarDate calendarFormat dateByAddingYears_months_days_hours_minutes_seconds_ dayOfCommonEra dayOfMonth dayOfWeek dayOfYear descriptionWithCalendarFormat_ descriptionWithCalendarFormat_locale_ hourOfDay initWithString_calendarFormat_ initWithString_calendarFormat_locale_ initWithYear_month_day_hour_minute_second_timeZone_ microsecondOfSecond minuteOfHour monthOfYear secondOfMinute setCalendarFormat_ timeZoneDetail yearOfCommonEra years_months_days_hours_minutes_seconds_sinceDate_ NSCalendarDayChangedNotification NSCalendarIdentifierBuddhist NSCalendarIdentifierChinese NSCalendarIdentifierCoptic NSCalendarIdentifierEthiopicAmeteAlem NSCalendarIdentifierEthiopicAmeteMihret NSCalendarIdentifierGregorian NSCalendarIdentifierHebrew NSCalendarIdentifierISO8601 NSCalendarIdentifierIndian NSCalendarIdentifierIslamic NSCalendarIdentifierIslamicCivil NSCalendarIdentifierIslamicTabular NSCalendarIdentifierIslamicUmmAlQura NSCalendarIdentifierJapanese NSCalendarIdentifierPersian NSCalendarIdentifierRepublicOfChina NSCalendarMatchFirst NSCalendarMatchLast NSCalendarMatchNextTime NSCalendarMatchNextTimePreservingSmallerUnits NSCalendarMatchPreviousTimePreservingSmallerUnits NSCalendarMatchStrictly NSCalendarSearchBackwards NSCalendarUnitCalendar NSCalendarUnitDay NSCalendarUnitEra NSCalendarUnitHour NSCalendarUnitMinute NSCalendarUnitMonth NSCalendarUnitNanosecond NSCalendarUnitQuarter NSCalendarUnitSecond NSCalendarUnitTimeZone NSCalendarUnitWeekOfMonth NSCalendarUnitWeekOfYear NSCalendarUnitWeekday NSCalendarUnitWeekdayOrdinal NSCalendarUnitYear NSCalendarUnitYearForWeekOfYear NSCalendarWrapComponents NSCalibratedBlackColorSpace NSCalibratedRGBColor NSCalibratedRGBColorSpace NSCalibratedWhiteColor NSCalibratedWhiteColorSpace NSCancelButton NSCancelTextMovement NSCandidateBarCompositeCandidate hasContent initWithImage_attributedString_ initWithImage_attributedString_spacing_ initWithImage_attributedString_spacing_isSimpleCandidate_ isSimpleCandidate spacing NSCandidateBarFunctionRowViewController NSCandidateListFunctionBarItem _automaticTextCompletionChanged_ _didChangeCandidateListVisibility _setTextInputContextViewController_ _textInputContextViewController allowsCollapsing allowsTextInputContextCandidates attributedStringForCandidate candidateListViewController candidates formattingBlock isCandidateListVisible isCollapsed runPositionAnimation setAllowsCollapsing_ setAllowsTextInputContextCandidates_ setAttributedStringForCandidate_ setCandidates_forSelectedRange_inString_ setCandidates_forSelectedRange_inString_rect_view_completionHandler_ setCollapsed_ setFormattingBlock_ shouldAnimateNextLayoutPass updateWithInsertionPointVisibility_ NSCandidateListTouchBarItem NSCandidateListViewController _compositeCandidateForCandidate_atIndex_addQuotes_isCorrection_ _delayedSetCollapsed _prepareDelayedSetCollapsed _replacementStringForRange_inString_firstCandidateString_ _setCollapsed_ _setNonTextCheckingResultCandidates_ _setTextCheckingResultCandidates_forSelectedRange_inString_replacedString_ _stringForCandidate_atIndex_ _updateCollapsingStateConstraint accessoryViewController candidateForTrackingIndex_candidateIndex_ continueTrackingInSegmentType_index_ leftCandidate middleCandidate processingUserExpand rightCandidate setAccessoryViewController_ setCandidates_forSelectedRange_inString_replacedString_rect_view_completionHandler_ setLeftCandidate_ setMiddleCandidate_ setRightCandidate_ setTouchBarItem_ showCandidates_forString_inRect_view_completionHandler_ showPanel spellCheckerDidChangeCompletionCollapsed_ startTrackingInSegmentType_index_ stopTrackingInSegmentType_index_ touchBarItem updateState updateStateAndTitles_allowDelay_ updateTimerFired_ updateTitles userSetCollapsed_ NSCandidateTextCell NSCandidateTextField setAttributedCorrection_ NSCannotCreateScriptCommandError NSCarbonMenuImpl _applyAccessibilityOverrides_toCarbonIndex_ _backgroundStyle _beginHandlingEvents_count_ _beginOrEndHandling_events_count_ _boundsIfOpen _cancelTrackingWithAnimation_ _carbonApplyImage_forItem_forCarbonIndex_withApplicationMask_ _carbonCloseEvent_handlerCallRef_ _carbonCommandProcessEvent_handlerCallRef_ _carbonDrawAttributedTitleForMenuItem_withEvent_ _carbonDrawItemContentEvent_handlerCallRef_ _carbonDrawItemTextEvent_handlerCallRef_ _carbonDrawLimitedViewForMenuItem_withEvent_ _carbonDrawStateImageForMenuItem_withEvent_ _carbonGetAccessibleAttributeEvent_handlerCallRef_axElement_ _carbonGetAccessibleAttributeNamesEvent_handlerCallRef_axElement_ _carbonIsAccessibleAttributeSettableEvent_handlerCallRef_axElement_ _carbonMatchKeyEvent_handlerCallRef_ _carbonMeasureItemContentEvent_handlerCallRef_measuringHeight_ _carbonMeasureItemTextEvent_handlerCallRef_measuringHeight_ _carbonMenuHasBeenInstantiatedAndPopulated _carbonMenuInsertItem_atCarbonIndex_ _carbonMenuItemSelectedEvent_handlerCallRef_ _carbonOpenEvent_handlerCallRef_ _carbonPopulateEvent_handlerCallRef_ _carbonSetToolTip_forCarbonIndex_ _carbonTargetItemEvent_handlerCallRef_ _carbonUpdateMenuItemKeyEquivalentForItem_atCarbonIndex_withVirtualKeyCode_keyEquivalent_ _carbonUpdateStatusEvent_handlerCallRef_ _changeCustomTextDrawingCountBy_contentCountBy_ _changeCustomViewClientCountBy_ _changeFlags_forItemAtCocoaIndex_isAddingFlags_ _checkoutMenuRefWithToken_creating_populating_ _createExtraVars _createMenuRef _currentMenuUpdateFlags _destroyMenuRef _destroyMenuRefIfNotCheckedOut _dismissMenuBecauseWindowBecameMain_ _endHandlingEvents_count_ _handleCarbonEvents_count_handler_ _image_frame_forPopUpMenuPositioningItem_atCocoaIndex_atLocation_inView_appearance_ _informOwnerViewOfMenuState_withEvent_ _initialMenuRef _initialMenuRefCreateIfNecessary _installCarbonMenuEventHandlers _instantiateCarbonMenu _isLinkedToShortcut _isMainMenu _itemAcquiredMagicAppleMenuStatus_ _itemAdded_ _itemChanged_ _itemLostMagicAppleMenuStatus_ _itemRemoved_ _limitedViewMenuItemWantsRedisplay_inRect_ _linkShortcut _maximumSizeForScreen_ _menuAcquiredMainMenuStatus _menuDidChangeAccessibilityOverriddenAttribute_from_to_ _menuDidChangeAutoenablesFrom_to_ _menuDidChangeCondensesSeparatorsFrom_to_ _menuDidChangeDelegateTo_ _menuDidChangeFontFrom_to_ _menuDidChangeHasBottomPaddingFrom_to_ _menuDidChangeHasSidebandUpdaterWithRoles_from_to_ _menuDidChangeHasTopPaddingFrom_to_ _menuDidChangeIndentationWidthFrom_to_ _menuDidChangeNCStyleFrom_to_ _menuDidChangePluginInsertionModeFrom_to_ _menuDidChangeShowsStateColumnFrom_to_ _menuDidChangeTitleFrom_to_ _menuDidChangeUserInterfaceLayoutDirectionFrom_to_ _menuDidChangeWidthFrom_to_ _menuDidRemoveAllItems_ _menuItemCommandID _menuItemFromCarbonEventViaParamMenuItemIndexRequiringNonNull_ _menuItemFromCarbonEventViaParamMenuItemIndex_ _menuItem_atIndex_didChangeAccessibilityOverriddenAttribute_from_to_ _menuItem_atIndex_didChangeAccessibilityOverriddenAttributesFrom_to_ _menuItem_atIndex_didChangeActionFrom_to_ _menuItem_atIndex_didChangeAlternateFrom_to_ _menuItem_atIndex_didChangeAttributedTitleFrom_to_ _menuItem_atIndex_didChangeCustomViewFrom_to_ _menuItem_atIndex_didChangeCustomViewHandlesEventsFrom_to_ _menuItem_atIndex_didChangeDestructiveFrom_to_ _menuItem_atIndex_didChangeEnabledStateFrom_to_ _menuItem_atIndex_didChangeFontFrom_to_ _menuItem_atIndex_didChangeHiddenFrom_to_ _menuItem_atIndex_didChangeImageFrom_to_ _menuItem_atIndex_didChangeIndentFrom_to_ _menuItem_atIndex_didChangeKeyEquivalentFrom_to_ _menuItem_atIndex_didChangeKeyEquivalentModifierMaskFrom_to_ _menuItem_atIndex_didChangeKeyEquivalentVirtualKeyCodeFrom_to_ _menuItem_atIndex_didChangeNewItemsCountFrom_to_ _menuItem_atIndex_didChangeNextItemIsAlternateFrom_to_ _menuItem_atIndex_didChangeRespectsKeyEquivalentWhileHiddenFrom_to_ _menuItem_atIndex_didChangeSeparatorStatusFrom_to_ _menuItem_atIndex_didChangeStateImageFrom_to_ _menuItem_atIndex_didChangeSubmenuContentsWithSubmenu_ _menuItem_atIndex_didChangeSubmenuFrom_to_ _menuItem_atIndex_didChangeTitleFrom_to_ _menuItem_atIndex_didChangeTooltipFrom_to_ _menuItem_wasAddedToNewIndex_ _menuItem_wasRemovedFromPreviousIndex_ _menuLostMainMenuStatus _menuRefAttributes _menuRefIsCheckedOut _menuRefIsCheckedOutWithToken_ _menuRefStatus _popUpContext _popUpContextMenu_withEvent_forView_ _popUpContextMenu_withEvent_forView_withFont_ _popUpMenuPositioningItem_atCocoaIndex_atLocation_inView_withPrivateFlags_appearance_ _populatePrivatelyIfNecessary _presentingView _principalMenuRef _principalMenuRefCreateIfNecessary _privateFlagsForMenuDirectionInView_ _privatePopulateCarbonMenu _registeredForCloseEvents _registeredForOpenEvents _removeCarbonEventHandlerForToken_ _returnMenuRefWithToken_ _setCurrentMenuUpdateFlags_ _setPopUpContext_ _setSupermenuHasMenuRef_ _showPopover_forMenuItem_ _trackingInfo _unlinkShortcut _updateEventHandlerClientCounts clearAsMainCarbonMenuBar customHandlerList highlightItemAtIndex_ nsElementFromAXUIElement_ performActionWithHighlightingForItemAtIndex_ performMenuAction_withTarget_ popUpContext popUpMenu_atLocation_width_forView_withSelectedItem_withFont_ popUpMenu_atLocation_width_forView_withSelectedItem_withFont_withFlags_withOptions_ setAsMainCarbonMenuBar setCustomHandlerList_ setIndentationWidth_ setNCStyle_ setPopUpContext_ setupCarbonMenuBar targetedItem NSCarbonMenuImplExtraVars NSCarbonMenuWindow _carbonWindowRefChangedVisibilityTo_ _carbonWindowRefDidDraw _carbonWindowRefWillDraw _clearPreviousKeyWindowProperties _findKeyWindowToRestoreFromSavedProperties _focusAcquired _focusRelinquished _handleEventsTheCarbonWay _handleKeyEvent_ _postCarbonWindowActivateEvent_makeKeyWindow_ _propagateCocoaDirtyRectsForView_toCarbonView_ _recordPreviousKeyWindowProperties _recursivelyPropagateCocoaDirtyRectsForView_toCarbonView_ _recursivelyPropagateCocoaDirtyRectsToCarbonForHIView_ _removeReferencesToCarbonWindowRef _restorePreviousKeyWindowFromSavedProperties _sendManufacturedCursorUpdateEventForTrackingRectEvent_ _sendManufacturedTrackingAreaEventsForMouseDraggedEvent_forceExit_ _setForceNotKeyWindowForInputContext_ _setLastHitView_ _substituteKeyWindowForAction_ _trackingAreaInfoForTrackingRectTag_ carbonHICommandIDFromActionSelector_ carbonPlatformWindowBounds clear_ copy_ cut_ handleCarbonBoundsChange handleMouseDownEvent_at_inPart_withMods_ initWithCarbonWindowRef_takingOwnership_ initWithCarbonWindowRef_takingOwnership_disableOrdering_ paste_ sendCarbonProcessHICommandEvent_ sendCarbonUpdateHICommandStatusEvent_withMenuRef_andMenuItemIndex_ NSCarbonWindow NSCarbonWindowContentView NSCarbonWindowFrame _canHaveToolbar _clearDragMargins _distanceFromToolbarBaseToTitlebar _hideToolbarWithAnimation_ _resetDragMargins _sheetHeightAdjustment _showToolbarWithAnimation_ _toolbarIsHidden _toolbarIsInTransition _toolbarIsManagedByExternalWindow _updateButtonState closeButton contentAlpha contentFill initWithFrame_styleMask_owner_ minimizeButton titlebarRect zoomButton NSCarriageReturnCharacter NSCaseInsensitivePredicateOption NSCaseInsensitiveSearch NSCatalogColor drawSwatchOfColor_inRect_ initWithCatalogName_colorName_genericColor_ NSCategoryDocumentAttribute NSCell NSCellAllowsMixedState NSCellAuxiliary NSCellChangesContents NSCellDisabled NSCellEditable NSCellHasImageHorizontal NSCellHasImageOnLeftOrBottom NSCellHasOverlappingImage NSCellHighlighted NSCellHighlightingSupport applyState_toView_ cacheState_forView_ highlightView_ initWithCell_ NSCellHitContentArea NSCellHitEditableTextArea NSCellHitNone NSCellHitTrackableArea NSCellIsBordered NSCellIsInsetButton NSCellLightsByBackground NSCellLightsByContents NSCellLightsByGray NSCellMouseTrackingInfo NSCellState NSCellUndoManager _cancelAutomaticTopLevelGroupEnding _commitUndoGrouping _delayAutomaticTermination_ _endUndoGroupRemovingIfEmpty_ _forwardTargetInvocation_ _methodSignatureForTargetSelector_ _postCheckpointNotification _prepareEventGrouping _processEndOfEventNotification_ _registerUndoObject_ _rollbackUndoGrouping _scheduleAutomaticTopLevelGroupEnding _setGroupIdentifier_ _shouldCoalesceTypingForText__ _undoStack beginUndoGrouping canRedo canUndo disableUndoRegistration enableUndoRegistration endUndoGrouping groupingLevel groupsByEvent isRedoing isUndoRegistrationEnabled isUndoing levelsOfUndo prepareWithInvocationTarget_ redo redoActionIsDiscardable redoActionName redoMenuItemTitle redoMenuTitleForUndoActionName_ registerUndoWithTarget_handler_ registerUndoWithTarget_selector_arguments_argumentCount_ registerUndoWithTarget_selector_object_ removeAllActions removeAllActionsWithTarget_ setActionIsDiscardable_ setActionName_ setGroupsByEvent_ setLevelsOfUndo_ setNextUndoManager_ setRunLoopModes_ undo undoActionIsDiscardable undoActionName undoMenuItemTitle undoMenuTitleForUndoActionName_ undoNestedGroup NSCellView NSCenterTabStopType NSCenterTextAlignment NSChangeAutosaved NSChangeBackgroundCell NSChangeBackgroundCellMask NSChangeCleared NSChangeDiscardable NSChangeDone NSChangeGrayCell NSChangeGrayCellMask NSChangeReadOtherContents NSChangeRedone NSChangeUndone NSCharacterConversionException NSCharacterEncodingDocumentAttribute NSCharacterEncodingDocumentOption NSCharacterPickerTouchBarItem _gestureRecognizer_shouldReceiveTouch_ _showPressHoldPopup_ collapsedRepresentation collapsedRepresentationChevronBehavior collapsedRepresentationImage collapsedRepresentationLabel collapsedRepresentationShowsChevron dismissPopover_ fingerBias isPresented makeStandardActivatePopoverGestureRecognizer popoverFunctionBar popoverTouchBar popoverViewController pressAndHoldTouchBar setCollapsedRepresentationChevronBehavior_ setCollapsedRepresentationImage_ setCollapsedRepresentationLabel_ setCollapsedRepresentationShowsChevron_ setCollapsedRepresentation_ setPopoverFunctionBar_ setPopoverTouchBar_ setPopoverViewController_ setPressAndHoldTouchBar_ setShowsCloseButton_ setShowsControlStripForOverlay_ setSupportsPressAndHold_ showsCloseButton showsControlStripForOverlay supportsPressAndHold NSCharacterSet NSCharacterShapeAttributeName NSCheapMutableString setContentsNoCopy_length_freeWhenDone_isUnicode_ NSChineseCalendar NSCircularBezelStyle NSCircularSlider NSClassDescription allAttributeKeys allToManyRelationshipKeys allToOneRelationshipKeys classDescriptionForKeyPath_ classPropertyKeys displayNameForKey_ NSClassDescriptionNeededForClassNotification NSClassFromString NSClassSwapper setClassName_ setTemplate_ template NSClassicHashTable getItem_ getKeys_count_ initWithOptions_capacity_ initWithPointerFunctions_capacity_ insertItem_ insertKnownAbsentItem_ intersectHashTable_ intersectsHashTable_ isEqualToHashTable_ isSubsetOfHashTable_ minusHashTable_ mutableSet pointerFunctions removeAllItems removeItem_ setRepresentation unionHashTable_ weakCount NSClassicMapTable __capacity _flushChildCache_ enumerator existingItemForSetItem_forAbsentKey_ getKeys_values_ initWithKeyOptions_valueOptions_capacity_ initWithKeyPointerFunctions_valuePointerFunctions_capacity_ keyPointerFunctions mapMember_originalKey_value_ mutableDictionary replaceItem_forExistingKey_ setItem_forAbsentKey_ setItem_forKey_ setItem_forKnownAbsentKey_ valuePointerFunctions NSClearControlTint NSClearDisplayFunctionKey NSClearLineFunctionKey NSClickGestureRecognizer _beginInteraction _failRecognition _hasCustomAllowableMovement _setHasCustomAllowableMovement_ allowableMovement behavior buttonMask clearClickTimer numberOfClicksRequired numberOfTouchesRequired setAllowableMovement_ setBehavior_ setButtonMask_ setNumberOfClicksRequired_ setNumberOfTouchesRequired_ stageTransition startClickTimer_ tooSlow_ NSClipPagination NSClipView _addOverhangSubviewsIfNeeded _alignCoords _alignOriginOfBoundsRectToBackingIfNeeded_ _animateCurrentScroll _animatedScrollToPoint_ _animatingScrollTargetOrigin _backgroundFillOperation _canAnimateScrolls _canCopyOnScrollForDeltaX_deltaY_ _canUseTiledBackingLayer _checkAlignmentOfOriginOfBoundsRectIfNeeded_ _constrainBoundsRectAndAlignIfNeeded_ _constrainBoundsRect_ _convertedContentInsetsToProposedBounds_ _cuiSourceListBackgroundOptions _currentDocViewFrame _dirtyRectUncoveredFromOldDocFrame_byNewDocFrame_ _documentViewAlignment _drawOverhangShadowsInRect_ _drawShadowAroundRect_clipRect_ _drawsOverhangRects _effectiveContentFrame _extendNextScrollRelativeToCurrentPosition _forcePixelAlignedClipViewFrame _getOverhangFrames_ _immediateScrollToPoint_ _insetBounds _invalidateFocusRingIfItBleedsIntoOurBounds _invalidateIntersectionsWithSiblingViews _isAnimatingScroll _isScrollDueToUserAction _isUsedByCell _magnificationAnchorPointForCursorPoint_ _markUsedByCell _needsClipViewAncestorDidScroll _newShadowOfSize_fromOffset_inImage_ _overhangSubviews _pinDocRect _pixelAlignProposedScrollPosition_ _proposedScrollPositionIsPixelAligned_ _reflectDocumentViewBoundsChange _reflectDocumentViewFrameChange _registerForDocViewFrameAndBoundsChangeNotifications _removeOverhangSubviewsIfNeeded _scrollAmountForLineScroll_percentageTowardsMax_limitingSize_multiplier_ _scrollInProgress _scrollRectToVisible_fromView_animateScroll_flashScrollerKnobs_ _scrollTo_ _scrollTo_animateScroll_flashScrollerKnobs_ _scrollTo_animate_ _selfBoundsChanged _setAnimateCurrentScroll_ _setAnimationCompletionHandler_ _setCanAnimateScrolls_ _setDocViewFromRead_ _setDocumentViewAlignment_ _setDontConstrainBoundsChange_ _setDontConstrainScroll_ _setHasOverlappingViews_ _setIsScrollDueToUserAction_ _setNeedsDisplayInOverhang_ _setOverhangSubviews_ _shouldDontConstrainScroll _shouldRedisplayOnChanges _shouldShowOverlayScrollersForScrollToPoint_ _unregisterForDocViewFrameAndBoundsChangeNotifications _updateOverhangSubviewsIfNeeded automaticallyCalculatesContentSize constrainBoundsRect_ constrainScrollPoint_ contentInset contentSize copiesOnScroll documentCursor documentRect documentView documentVisibleRect drawsContentShadow ibHasResolved14284306 ibShadowedSubviews scrollVelocity setAutomaticallyCalculatesContentSize_ setContentInset_ setCopiesOnScroll_ setDocumentCursor_ setDocumentView_ setDrawsContentShadow_ setScrollVelocity_ viewBoundsChanged_ viewFrameChanged_ NSClockAndCalendarDatePickerStyle NSCloneCommand _allowsAccessForEventParameters_givenSenderAccessGroups_ _allowsAccessForEvent_ _allowsAccessToSpecifier_writable_givenAccessGroups_ _populateReplyAppleEventWithResult_ _resumeExecutionWithResult_ _scriptErrorExpectedTypeDescriptor _scriptErrorOffendingObjectDescriptor _sendToRemainingReceivers _setAdditionalThingsFromEvent_ _setAppleEventHandling_ _setScriptErrorExpectedTypeDescriptor_ _setScriptErrorExpectedType_ _setScriptErrorFromKVCException_ _setScriptErrorOffendingObjectDescriptor_ appleEvent commandDescription directParameter evaluatedArguments evaluatedReceivers evaluatedValueForArgumentValue_ executeCommand initWithCommandDescription_ isWellFormed keySpecifier performDefaultImplementation receiversSpecifier resumeExecutionWithResult_ scriptErrorExpectedTypeDescriptor scriptErrorNumber scriptErrorOffendingObjectDescriptor scriptErrorString setArguments_ setDirectParameter_ setReceiversSpecifier_ setScriptErrorExpectedTypeDescriptor_ setScriptErrorNumber_ setScriptErrorOffendingObjectDescriptor_ setScriptErrorString_ suspendExecution NSClosableWindowMask NSCloseCommand saveOptions NSClosePathBezierPathElement NSCloudKitShareProvider _ckContainerID _ckContainerIdentifier _ckDictionary _ckShare _ckSourceAppBundleIdentifier _itemSourceInfo _loadHandlers _loadItemOfClass_forTypeIdentifier_options_coerceForCoding_completionHandler_ _loadItemOfClass_withLoadHandler_options_coerceForCoding_completionHandler_ _loadOperator _loadPreviewImageOfClass_options_coerceForCoding_completionHandler_ containerFrame hasItemConformingToTypeIdentifier_ initWithItem_typeIdentifier_ initWithPreparationHandler_ initWithShare_container_ loadItemForTypeIdentifier_options_completionHandler_ loadPreviewImageWithOptions_completionHandler_ preferredPresentationSize previewImageHandler registerCloudKitShareWithPreparationHandler_ registerCloudKitShare_container_ registerItemForTypeIdentifier_loadHandler_ registeredTypeIdentifiers setContainerFrame_ setPreferredPresentationSize_ setPreviewImageHandler_ setSourceFrame_ set_loadHandlers_ set_loadOperator_ sourceFrame NSCloudKitSharingServiceAllowPrivate NSCloudKitSharingServiceAllowPublic NSCloudKitSharingServiceAllowReadOnly NSCloudKitSharingServiceAllowReadWrite NSCloudKitSharingServiceStandard NSCloudSharingConflictError NSCloudSharingErrorMaximum NSCloudSharingErrorMinimum NSCloudSharingNetworkFailureError NSCloudSharingNoPermissionError NSCloudSharingOtherError NSCloudSharingPanel documentHasPassword primaryMessageTemplate primaryMessageTemplateForSharedDocument secondaryMessage secondaryMessageForSharedDocument servicesToCustomize setDocumentHasPassword_ setPrimaryMessageTemplateForSharedDocument_ setPrimaryMessageTemplate_ setSecondaryMessageForSharedDocument_ setSecondaryMessage_ setServicesToCustomize_ setShareButtonLabel_ setThumbnailImage_ setUbiquitousDocumentURL_ shareButtonLabel thumbnailImage ubiquitousDocumentURL NSCloudSharingQuotaExceededError NSCloudSharingTooManyParticipantsError NSCocoaErrorDomain NSCocoaVersionDocumentAttribute NSCoder NSCoderErrorMaximum NSCoderErrorMinimum NSCoderInvalidValueError NSCoderReadCorruptError NSCoderValueNotFoundError NSCoercionHandler _findCoercerFromClass_toClass_ _setUpAppKitCoercions _setUpFoundationCoercions coerceValue_toClass_ registerCoercer_selector_toConvertFromClass_toClass_ NSCollectionElementCategoryDecorationView NSCollectionElementCategoryInterItemGap NSCollectionElementCategoryItem NSCollectionElementCategorySupplementaryView NSCollectionElementKindInterItemGapIndicator NSCollectionElementKindSectionFooter NSCollectionElementKindSectionHeader NSCollectionUpdateActionDelete NSCollectionUpdateActionInsert NSCollectionUpdateActionMove NSCollectionUpdateActionNone NSCollectionUpdateActionReload NSCollectionView _accessibilityAttributeNames1010 _accessibilityAttributeNames1011 _accessibilityChildrenAtIndexes_ _addItemViewAsSubview_ _allocCoreWithLayout_duringInit_ _allowsDropOnBackground _animationDuration _animationFromStartRect_crossesVisibleRectToEndRect_ _applySelectionIndexes_toItems_ _autoConfigureScrollers _backgroundColorFillView _cachedNibWithName_bundle_ _canDragItemsAtIndexPaths_withEvent_ _canDragItemsAtIndexes_withEvent_ _canGetPasteboardWritersFromDelegate _clearItemDraggingState _clipViewFrameChanged_ _collectionViewSupports10_11Features _commonInitCore _computeGridConfiguration _computeGridConfigurationWithCount_ _computeGridConfigurationWithSize_ _computeGridConfigurationWithSize_count_ _computeRowToShiftWithDropSpaceIndex_draggingInfo_ _configurationIsColumnMajorOrder_ _contentSizeDidChange_ _contiguousRangeOfItemsForRect_ _createBackgroundLayerWithProperties_ _createDataSourceAdapterForDataSource_ _createGridBackgroundInRect_withSelector_ _currentGridConfiguration _dataSourceAdapter _debugModeEnabled _delegate _deselectItemsAtIndexPaths_notifyDelegate_ _deselectItemsAtIndexPaths_thenSelectItemsAtIndexPaths_scrollPosition_notifyDelegate_ _didChangeItemsAtIndexPaths_toHighlightState_ _discardCore _displayItems_withConfiguration_animate_ _doSuperSetFrameSize_ _draggingImageForItemsAtIndexPaths_withEvent_offset_ _draggingImageForItemsAtIndexes_withEvent_offset_ _draggingImageForVisibleItems_boundingRect_offsetPoint_ _drawBackgroundForRect_ _drawBackgroundGridWithProperties_ _dropIndexForDraggingInfo_proposedDropOperation_ _dropReceiver _dropTargetIndexPath _ensureVisibleItemsLoaded _filledViewShouldExtendVertically _firstIndexPathInSection_ _firstIndexPathOfNextSectionFromIndexPath_ _firstSelectionIndexPath _frameForItemAtIndex_withConfiguration_ignoreDropSpace_ _getItemsToDisplay _gridLayout _gridSettingsNeedUpdate _hasAnyItems _hitItemAtPoint_ _indexForDecrementMove_ _indexForIncrementMove_ _indexForMoveDown _indexForMoveLeft _indexForMoveRight _indexForMoveUp _indexOfSectionAtPoint_ _indexOfSectionAtPoint_usingPartialFramesBySectionIndex_ _indexOfSectionWithRepresentedObject_ _indexPathForRepresentedObject_ _indexPathOfItemWithRepresentedObject_ _indexPathsForAllItemsInAllSections _indexPathsForAllItemsInSection_ _indexPathsFromItemIndexes_inSectionObject_ _indexesToSelectForEvent_initialSelectionIndexes_startingPoint_commandKey_shiftKey_rubberband_ _insertSections_representedObjects_ _itemForRepresentedObjectAtIndexPath_ _itemForRepresentedObject_ _itemIndexAtPoint_ _itemIndexPathAbove_ _itemIndexPathBelow_ _itemIndexPathToLeftOf_ _itemIndexPathToRightOf_ _itemIsVisibleAtIndex_ _keyboardSelectItemAtIndexPath_extendingSelection_ _lastIndexPathInSection_ _lastIndexPathOfPreviousSectionFromIndexPath_ _lastSelectionIndexPath _makeDefaultGridLayout _mouseSession _needsLayerBackgrounds _opensDropInsertionGaps _partialFramesOfVisibleSectionsBySectionIndex _pasteboardWriterForItemAtIndexPath_ _pointWithinBounds_ _registerFirstResponderObservance _registerNeedsUpdateGrid _registeredCellClassesByReuseIdentifier _registeredCellNibsByReuseIdentifier _removeBackgroundLayers _representedObjectForCurrentDataSourceInvocation _representedObjectForIndexPath_ _representedObjectForItemAtIndexPath_ _representedObjectForSectionAtIndex_ _representedObjectForSection_ _resizeToFitContentAndClipView _reuseSupplementaryView_ _scheduleEndOfAnimationTimer_ _scrollSelectionToVisible _scrollToVisibleItemAtIndex_ _sectionAtIndexIsCollapsedToFirstItem_ _selectFromIndex_toIndex_scrollIndexToVisible_ _selectIndex_scrollToVisible_ _selectItemsAtIndexPaths_scrollPosition_notifyDelegate_ _selectObjectsAtIndexes_avoidsEmptySelection_ _selectionStateChanged_ _setAnimationDuration_ _setBackgroundColorFillView_ _setBackgroundNeedsDisplay _setBackgroundNeedsDisplayInRect_ _setCollectionViewLayout_animate_ _setDebugModeEnabled_ _setDropReceiver_ _setDropTargetIndexPath_ _setGridSettingsNeedUpdate_ _setMouseSession_ _setOpensDropInsertionGaps_ _shouldChangeItemsAtIndexPaths_toHighlightState_ _shouldCopyConnections _shouldResizeSubviewsImmediately _startDragWithItemsAtIndexPaths_event_pasteboard_ _startDragWithItemsAtIndexes_event_pasteboard_ _startObservingClipViewFrameChanged _stopObservingClipViewFrameChanged _storeCurrentFrameSize _toggleSectionCollapse_ _unregisterFirstResponderObservance _updateBackgroundLayers _updateDragAndDropStateWithDraggingInfo_newDragOperation_newDropIndex_newDropOperation_ _updateFrame_ _updateGridSettingsWithPrototype _updateGridWithCurrentItems _updateGridWithCurrentItemsIfNecessary _updateOpaqueFlag _validateDragWithInfo_dropIndex_dropOperation_ _writeItemsAtIndexes_toPasteboard_ _writeToPasteboardAndBeginDragForIndexPaths_event_ accessibilityColumnCountAttribute accessibilityIsColumnCountAttributeSettable accessibilityIsOrderedByRowAttributeSettable accessibilityIsRowCountAttributeSettable accessibilityItemAtIndexPath_ accessibilityOrderedByRowAttribute accessibilityRowCountAttribute accessibilitySelectItemsAtIndexPaths_ allowsSectionDrop backgroundColors backgroundView backgroundViewScrollsWithContent collectionViewAccessibility collectionViewAccessibilityIfLoaded collectionViewLayout collectionView_didDeselectItemsAtIndexPaths_ collectionView_didEndDisplayingItem_forRepresentedObjectAtIndexPath_ collectionView_didEndDisplayingSupplementaryView_forElementOfKind_atIndexPath_ collectionView_didHighlightItemAtIndexPath_ collectionView_didSelectItemsAtIndexPaths_ collectionView_didUnhighlightItemAtIndexPath_ collectionView_shouldDeselectItemsAtIndexPaths_ collectionView_shouldHighlightItemAtIndexPath_ collectionView_shouldSelectItemsAtIndexPaths_ collectionView_transitionLayoutForOldLayout_newLayout_ collectionView_willDisplayItem_forRepresentedObjectAtIndexPath_ collectionView_willDisplaySupplementaryView_forElementKind_atIndexPath_ deleteItemsAtIndexPaths_ deleteItemsAtIndexes_inSectionObject_ deleteSections_ dequeueReusableItemWithReuseIdentifier_forIndexPath_ dequeueReusableSupplementaryViewOfKind_withReuseIdentifier_forIndexPath_ deselectItemAtIndexPath_ deselectItemsAtIndexPaths_ draggingImageForItemsAtIndexPaths_withEvent_offset_ draggingImageForItemsAtIndexes_withEvent_offset_ draggingSession_movedToPoint_ frameForItemAtIndex_ frameForItemAtIndex_withNumberOfItems_ indexPathForItemAtPoint_ indexPathsForVisibleItems indexPathsForVisibleSupplementaryElementsOfKind_ insertBacktab_ insertItemsAtIndexPaths_ insertItemsAtIndexes_inSectionObject_ insertSections_ insertTab_ isFirstResponder itemAtIndex_ itemPrototype layoutAttributesForItemAtIndexPath_ layoutAttributesForSupplementaryElementOfKind_atIndexPath_ makeItemWithIdentifier_forIndexPath_ makeSupplementaryViewOfKind_withIdentifier_forIndexPath_ maxItemSize maxNumberOfColumns maxNumberOfRows minItemSize moveDownAndModifySelection_ moveDown_ moveItemAtIndexPath_toIndexPath_ moveLeftAndModifySelection_ moveRightAndModifySelection_ moveSection_toSection_ moveToBeginningOfParagraph_ moveToEndOfParagraph_ moveUpAndModifySelection_ moveUp_ moveWordLeftAndModifySelection_ moveWordLeft_ moveWordRightAndModifySelection_ moveWordRight_ newItemForRepresentedObject_ numberOfItemsInSection_ numberOfSections performBatchUpdates_completionHandler_ performBatchUpdates_completion_ registerClass_forItemWithIdentifier_ registerClass_forItemWithReuseIdentifier_ registerClass_forSupplementaryViewOfKind_withIdentifier_ registerClass_forSupplementaryViewOfKind_withReuseIdentifier_ registerNib_forItemWithIdentifier_ registerNib_forItemWithReuseIdentifier_ registerNib_forSupplementaryViewOfKind_withIdentifier_ registerNib_forSupplementaryViewOfKind_withReuseIdentifier_ reloadItemsAtIndexPaths_ reloadItemsAtIndexes_inSectionObject_ reloadSections_ resetCollectionViewAccessibility scrollToItemAtIndexPath_scrollPosition_ scrollToItemsAtIndexPaths_scrollPosition_ selectItemAtIndexPath_scrollPosition_ selectItemsAtIndexPaths_scrollPosition_ setAllowsSectionDrop_ setBackgroundColors_ setBackgroundViewScrollsWithContent_ setBackgroundView_ setCollectionViewLayout_ setItemPrototype_ setMaxItemSize_ setMaxNumberOfColumns_ setMaxNumberOfRows_ setMinItemSize_ supplementaryViewForElementKind_atIndexPath_ toggleSectionCollapse_ visibleItems visibleSupplementaryViews visibleSupplementaryViewsOfKind_ NSCollectionViewAccessibilityHelper _dequeueSectionWithIndex_ _dumpVisibleChildren _sectionCache _sectionCacheOffset _trimSectionCacheToVisibleSections_ _visibleSections accessibilityInvalidateLayout accessibilityParentForItem_ accessibilityParentForView_ accessibilityPrepareLayout accessibilitySelectedChildrenDidChange collectionView initWithLayout_ nextSectionForSection_ previousSectionForSection_ sectionAccessibilityClass setLayout_ setSectionAccessibilityClass_ set_sectionCacheOffset_ NSCollectionViewBinder _updateContent _updateSelectionIndexes_ collectionView_didChangeToSelectionIndexes_ NSCollectionViewChildProxy initWithIndex_collectionView_ item NSCollectionViewData _loadEverything _prepareToLoadData _screenPageForPoint_ _setLayoutAttributes_atGlobalItemIndex_ _setupMutableIndexPath_forGlobalItemIndex_ _updateItemCounts _validateContentSize _validateItemCounts clonedCellAttributes clonedDecorationAttributes clonedSupplementaryAttributes collectionViewContentRect existingSupplementaryLayoutAttributes existingSupplementaryLayoutAttributesInSection_ globalIndexForItemAtIndexPath_ indexPathForItemAtGlobalIndex_ initWithCollectionView_layout_ invalidateDecorationIndexPaths_ invalidateItemsAtIndexPaths_ invalidateSupplementaryIndexPaths_ isLayoutLocked knownDecorationElementKinds knownSupplementaryElementKinds layoutAttributesForDecorationViewOfKind_atIndexPath_ layoutAttributesForElementsInRect_ layoutAttributesForElementsInSection_ layoutAttributesForGlobalItemIndex_ layoutIsPrepared numberOfItemsBeforeSection_ rectForDecorationElementOfKind_atIndexPath_ rectForGlobalItemIndex_ rectForItemAtIndexPath_ rectForSupplementaryElementOfKind_atIndexPath_ setLayoutLocked_ shimMoveForItemAtIndexPath_toIndexPath_ validateDecorationViews validateLayoutInRect_ validateSupplementaryViews NSCollectionViewDropBefore NSCollectionViewDropOn NSCollectionViewDropTargetGapIndicator NSCollectionViewDropTargetSectionIndicator NSCollectionViewFlowLayout _animationForReusableView_toLayoutAttributes_ _animationForReusableView_toLayoutAttributes_type_ _autoscrollSectionWithEvent_ _bounds _cachedSizeForInsertionGap _collapseSectionAtIndex_ _collapsedSectionIndexes _collapsedSectionScrollOffsets _collapsesSectionsToFirstItem _collectionViewCore _decorationViewForLayoutAttributes_ _didFinishLayoutTransitionAnimations_ _elementKinds _estimatesSizes _expandSectionAtIndex_ _fetchItemsInfoForRect_ _finalizeCollectionViewItemAnimations _finalizeLayoutTransition _findCollapseButtonForSectionAtIndex_ _frame _frameForFooterInSection_usingData_ _frameForFooterInSection_usingData_floated_ _frameForHeaderInSection_usingData_ _frameForHeaderInSection_usingData_floated_ _frameForItem_inSection_usingData_ _frameForSectionAtIndex_ _getSizingInfos _invalidateButKeepAllInfo _invalidateButKeepDelegateInfo _invalidateLayoutUsingContext_ _invalidationContextForEndingReorderingItemToFinalIndexPaths_previousIndexPaths_reorderingCancelled_ _invalidationContextForReorderingTargetPosition_targetIndexPaths_withPreviousPosition_previousIndexPaths_ _isPrepared _isSingleColumnOrRow _items _layoutAttributesForItemsInRect_ _layoutAttributesForReorderedItemAtIndexPath_withTargetPosition_ _layoutOffset _layoutOffsetEdges _makeCollapsedSectionIndexes _makeCollapsedSectionScrollOffsets _prepareForTransitionFromLayout_ _prepareForTransitionToLayout_ _prepareToAnimateFromCollectionViewItems_atContentOffset_toItems_atContentOffset_ _reorderingTargetItemIndexPathForPosition_withPreviousIndexPath_ _roundsToScreenScale _rowAlignmentOptions _scrollCollapsedSection_atIndex_byDelta_ _scrollOffsetForCollapsedSectionAtIndex_ _scrollOffsetForCollapsedSection_atIndex_ _scrollSectionWithEvent_ _scrollToItemsAtIndexPaths_scrollPosition_ _sectionArrayIndexForIndexPath_ _sectionAtIndexIsCollapsed_ _sectionAtIndex_shouldShowCollapseButton_ _sections _setCachedSizeForInsertionGap_ _setCollapsesSectionsToFirstItem_ _setCollectionViewBoundsSize_ _setCollectionViewCore_ _setElementKinds_ _setExternalObjectTable_forNibLoadingOfDecorationViewOfKind_ _setItems_ _setLayoutOffsetEdges_ _setLayoutOffset_ _setNeedsLayoutComputationWithoutInvalidation _setPrepared_ _setRoundsToScreenScale_ _setRowAlignmentsOptions_ _setScrollOffset_forCollapsedSection_atIndex_ _setSections_ _setSiblingLayout_ _setSingleColumnOrRow_ _setSublayoutType_ _shouldRelayoutImmediatelyForNewCollectionViewSize _siblingLayout _sizeForInsertionGap _sublayoutType _supportsAdvancedTransitionAnimations _suppressGapOpening _updateContentSizeScrollingDimensionWithDelta_ _updateDelegateFlags _updateItemsLayoutForRect_ collapseSectionAtIndex_ collectionViewContentSize estimatedItemSize expandSectionAtIndex_ finalLayoutAttributesForDeletedItemAtIndexPath_ finalLayoutAttributesForDisappearingDecorationElementOfKind_atIndexPath_ finalLayoutAttributesForDisappearingItemAtIndexPath_ finalLayoutAttributesForDisappearingSupplementaryElementOfKind_atIndexPath_ finalLayoutAttributesForFooterInDeletedSection_ finalLayoutAttributesForHeaderInDeletedSection_ finalizeAnimatedBoundsChange finalizeCollectionViewUpdates finalizeLayoutTransition footerReferenceSize headerReferenceSize indexPathsToDeleteForDecorationViewOfKind_ indexPathsToDeleteForSupplementaryViewOfKind_ indexPathsToInsertForDecorationViewOfKind_ indexPathsToInsertForSupplementaryViewOfKind_ indexesForSectionFootersInRect_ indexesForSectionFootersInRect_usingData_ indexesForSectionHeadersInRect_ indexesForSectionHeadersInRect_usingData_ initialLayoutAttributesForAppearingDecorationElementOfKind_atIndexPath_ initialLayoutAttributesForAppearingItemAtIndexPath_ initialLayoutAttributesForAppearingSupplementaryElementOfKind_atIndexPath_ initialLayoutAttributesForFooterInInsertedSection_ initialLayoutAttributesForHeaderInInsertedSection_ initialLayoutAttributesForInsertedItemAtIndexPath_ invalidateLayout invalidateLayoutWithContext_ invalidationContextForBoundsChange_ invalidationContextForPreferredLayoutAttributes_withOriginalAttributes_ itemSize layoutAttributesForDropTargetAtPoint_ layoutAttributesForFooterInSection_ layoutAttributesForFooterInSection_usingData_ layoutAttributesForHeaderInSection_ layoutAttributesForHeaderInSection_usingData_ layoutAttributesForInterItemGapBeforeIndexPath_ layoutAttributesForItemAtIndexPath_usingData_ layoutAttributesForNextItemInDirection_fromIndexPath_constrainedToRect_ layoutAttributesForSupplementaryViewOfKind_atIndexPath_ minimumInteritemSpacing minimumLineSpacing prepareForAnimatedBoundsChange_ prepareForCollectionViewUpdates_ prepareForTransitionFromLayout_ prepareForTransitionToLayout_ prepareLayout registerClass_forDecorationViewOfKind_ registerNib_forDecorationViewOfKind_ scrollDirection sectionAtIndexIsCollapsed_ sectionFootersPinToVisibleBounds sectionHeadersPinToVisibleBounds sectionInset setEstimatedItemSize_ setFooterReferenceSize_ setHeaderReferenceSize_ setItemSize_ setMinimumInteritemSpacing_ setMinimumLineSpacing_ setScrollDirection_ setSectionFootersPinToVisibleBounds_ setSectionHeadersPinToVisibleBounds_ setSectionInset_ shouldInvalidateLayoutForBoundsChange_ shouldInvalidateLayoutForPreferredLayoutAttributes_withOriginalAttributes_ snapshottedLayoutAttributeForItemAtIndexPath_ synchronizeLayout targetContentOffsetForProposedContentOffset_ targetContentOffsetForProposedContentOffset_withScrollingVelocity_ transitionContentOffsetForProposedContentOffset_keyItemIndexPath_ updatesContentOffsetForProposedContentOffset_ NSCollectionViewFlowLayoutInvalidationContext _invalidatedSupplementaryViews _setInvalidateDataSourceCounts_ _setInvalidateEverything_ _setInvalidatedSupplementaryViews_ _setUpdateItems_ _updateItems contentOffsetAdjustment contentSizeAdjustment invalidateDataSourceCounts invalidateDecorationElementsOfKind_atIndexPaths_ invalidateEverything invalidateFlowLayoutAttributes invalidateFlowLayoutDelegateMetrics invalidateSupplementaryElementsOfKind_atIndexPaths_ invalidatedDecorationIndexPaths invalidatedItemIndexPaths invalidatedSupplementaryIndexPaths setContentOffsetAdjustment_ setContentSizeAdjustment_ setInvalidateFlowLayoutAttributes_ setInvalidateFlowLayoutDelegateMetrics_ NSCollectionViewFlowLayoutSectionAccessibility __accessibilityLabel __hasSupplementaryViewForSelector_sizeDelegateBlock_sizeNoDelegateBlock_ _hasSupplementaryViewForElementKind_ _makeSupplementaryFooterView _makeSupplementaryHeaderView _makeSupplementaryViewForElementKind_atIndexPath_ _supplementaryView_elementKind_indexPath_ accessibilityPerformScrollToVisible firstElementInSection_ hasSupplementaryFooterView hasSupplementaryHeaderView initWithCollectionViewAccessibility_ lastElementInSection_ offsetForSupplementaryHeaderView supplementaryFooterElement supplementaryFooterView_ supplementaryHeaderElement supplementaryHeaderView_ visibleItemsInSection_ visibleSupplementaryViewsInSection_ NSCollectionViewFooterAccessibility initWithSectionAccessibility_ sectionAccessibility supplementaryView NSCollectionViewGridLayout _hitTestPoint_usingBlock_ margins maximumItemSize maximumNumberOfColumns maximumNumberOfRows minimumItemSize setMargins_ setMaximumItemSize_ setMaximumNumberOfColumns_ setMaximumNumberOfRows_ setMinimumItemSize_ NSCollectionViewHeaderAccessibility NSCollectionViewItem _accessibilityIndexPath _accessibilityIndexPathForTransientElement _addUpdateAnimation _clearUpdateAnimation _contentSiblingWithSelector_ _copyConnectionsOfObject_prototypeItem_toObject_item_ _copyConnectionsToItem_ _dragging _draggingImageForView_ _draggingItemView _hasOpaquePartsInRect_ _isAccessibilityTransientElement _isInUpdateAnimation _layoutAttributes _needsToCopyConnections _section _setAccessibilityIndexPathForTransientElement_ _setAccessibilityTransientElement_ _setBaseLayoutAttributes_ _setCollectionView_ _setDragging_ _setLayoutAttributes_ _setSelectedWithoutNotification_ _setSelected_animated_ _shouldLoadFromNib _titleViews accessibilityContentSiblingAboveAttribute accessibilityContentSiblingBelowAttribute accessibilityIdentifierAttribute accessibilityIndexAttribute accessibilityNextContentSiblingAttribute accessibilityPreviousContentSiblingAttribute applyLayoutAttributes_ draggingImageComponents highlightState imageView setHighlightState_ setImageView_ setTextField_ textField NSCollectionViewItemHighlightAsDropTarget NSCollectionViewItemHighlightForDeselection NSCollectionViewItemHighlightForSelection NSCollectionViewItemHighlightNone NSCollectionViewLayout NSCollectionViewLayoutAttributes _elementKind _isCell _isClone _isDecorationView _isEquivalentTo_ _isSupplementaryView _isTransitionVisibleTo_ _reuseIdentifier _setElementKind_ _setIsClone_ fractionIntoEndZone indexPath initialLayoutAttributesForInsertedDecorationElementOfKind_atIndexPath_ representedElementCategory representedElementKind setCenter_ setFractionIntoEndZone_ setIndexPath_ setTransform3D_ setZIndex_ transform3D zIndex NSCollectionViewLayoutInvalidationContext NSCollectionViewMouseSession addIndexPathToDeselect_ addIndexPathToSelect_ addIndexPathsToDeselect_ addIndexPathsToSelect_ autoscrollAndDragSelectWithLastNonPeriodicEvent autoscrollTimerFired_ clearAutoscrollTimer clearHighlightingBeforeCompletingDrag commitSelectionAndClearHighlighting deselectAllNow detachFromCollectionView extendRangeSelectionToEntireSection_ extendRangeSelectionToIndexPath_ handleEvent_ highlightStateForIndexPath_ indexPathsBeingDragged indexPathsInclusiveFrom_to_ initWithCollectionView_ nextIndexPathAfter_ previousIndexPathBefore_ replaceSelectedIndexPathsWith_ setHighlightState_forItemsAtIndexPaths_ trackWithEvent_ updateDragSelectionForEvent_ NSCollectionViewScrollDirectionHorizontal NSCollectionViewScrollDirectionVertical NSCollectionViewScrollPositionBottom NSCollectionViewScrollPositionCenteredHorizontally NSCollectionViewScrollPositionCenteredVertically NSCollectionViewScrollPositionLeadingEdge NSCollectionViewScrollPositionLeft NSCollectionViewScrollPositionNearestHorizontalEdge NSCollectionViewScrollPositionNearestVerticalEdge NSCollectionViewScrollPositionNone NSCollectionViewScrollPositionRight NSCollectionViewScrollPositionTop NSCollectionViewScrollPositionTrailingEdge NSCollectionViewSectionAccessibility NSCollectionViewSupplementaryViewAccessibility NSCollectionViewTransitionLayout _newVisibleBounds _oldVisibleBounds currentLayout initWithCurrentLayout_nextLayout_ interpolatedLayoutAttributesFromLayoutAttributes_toLayoutAttributes_progress_ nextLayout setTransitionProgress_ transitionProgress updateValue_forAnimatedKey_ valueForAnimatedKey_ NSCollectionViewUpdate _computeGaps _computeItemUpdates _computeSectionUpdates _computeSupplementaryUpdates initWithCollectionView_updateItems_oldModel_newModel_oldVisibleBounds_newVisibleBounds_ newIndexPathForSupplementaryElementOfKind_oldIndexPath_ oldIndexPathForSupplementaryElementOfKind_newIndexPath_ NSCollectionViewUpdateGap addUpdateItem_ beginningRect deleteItems endingRect firstUpdateItem hasInserts insertItems isDeleteBasedGap isSectionBasedGap lastUpdateItem setBeginningRect_ setEndingRect_ setFirstUpdateItem_ setLastUpdateItem_ updateItems NSCollectionViewUpdateItem _action _gap _indexPath _isSectionOperation _newIndexPath _setGap_ _setNewIndexPath_ compareIndexPaths_ indexPathAfterUpdate indexPathBeforeUpdate initWithAction_forIndexPath_ initWithInitialIndexPath_finalIndexPath_updateAction_ initWithOldIndexPath_newIndexPath_ inverseCompareIndexPaths_ updateAction NSCollectorDisabledOption NSColor NSColorDisplayView NSColorGamut containsCGColor_ containsGamut_ intersectionWithGamut_ intersectsGamut_ isEqualToGamut_ isInfinite unionWithGamut_ volume NSColorList _changed_ _colorAtIndex_ _count _decodeWithoutNameWithCoder_newStyle_ _encodeWithoutNameWithCoder_newStyle_ _indexOfKey_ _infoForPage_ _initWithName_fromColorSyncProfileRef_ _initWithName_fromPath_forDeviceType_lazy_ _invalidateKeyToIndexTable _isPaged _isProfileBased _isUpdated _loadColors _localizedColorListCopyrightString _localizedColorListName _localizedKeyFromBundleStringFileForKey_ _localizedNameForColorWithName_ _nameAtIndex_ _pageCount _pageForIndex_ _parseArchivedList_ _parseKeyedArchivedList_ _parsePantoneLikeList_fileName_ _parseReleaseTwoList_ _rawAddColor_key_ _rename_as_ _setUpdated_ _writeToURL_keyedArchive_error_ colorWithKey_ initWithName_fromFile_ insertColor_key_atIndex_ removeColorWithKey_ removeFile setColor_forKey_ writeToFile_ writeToURL_error_ NSColorListAuxiliary NSColorListDidChangeNotification NSColorListIOException NSColorListModeColorPanel NSColorListNotEditableException NSColorPanel __action __numberOfRowsToToggleVisibleInColorSwatch __numberOfVisibleRowsInColorSwatch __setNumberOfRowsToToggleVisibleInColorSwatch_ __swatchColors __target _appendColorPicker_ _arrayForPartialPinningFromArray_ _changeMinColorPanelSizeByDelta_compareWithOldMinSize_oldMinSize_setWindowFrame_ _changeMinColorPanelSizeByDelta_setWindowFrame_ _colorPanelDidLoad _colorPickerPaths _colorPickers _colorWellAcceptedColor_ _constructWithPickers_ _determinesMinSizeFromAccessoryView_ _dimpleDoubleClicked_event_ _dimpleDragStarted_event_ _forceSendAction_notification_firstResponder_ _forceSetColor_ _insertionOrderForPicker_ _keyViewFollowingAccessoryView _keyViewFollowingModalButtons _keyViewFollowingOpacityViews _keyViewFollowingPickerViews _keyViewPrecedingAccesoryView _keyViewPrecedingModalButtons _keyViewPrecedingPickerViews _loadAppKitColorPickers _loadPickerBundlesIn_ _magnify_ _middleViewFrameChanged_ _newLegalSizeFromSize_force_roundDirection_ _panelSizeExcludingToolbar _pinViews_ _pinViews_resizeFlagsToLeaveAlone_ _provideNewViewFor_initialViewRequest_ _resetOpacity_ _resetOpacity_andForceSetColor_ _saveMode _savedMode _sendActionAndNotification _setMinPickerContentSize_ _setNumVisibleSwatchRows_ _setShowAlpha_andForce_ _setTitleFixedPointWindowFrame_display_animate_ _setUseModalAppearance_ _set_ _setupButtonImageAndToolTips _shouldLoadColorPickerWithClassName_ _sizeWindowForPicker_ _stopModal_ _storeNewColorInColorWell_ _switchToAppropriateModeForColorIfNecessary_ _switchToPicker_ _switchViewForToolbarItem_ _syncSwatchSizeToSavedNumVisibleRows _timedAdjustTextControl_ _toolTipForColorPicker_ _unpinViews_ _unpinViews_resizeMasks_ _validateOpacitySlider applicationDidBecomeActive_ attachColorList_ changeWindowFrameSizeByDelta_display_animate_ colorMask colorSwathesChangedInAnotherApplicationNotification_ detachColorList_ isViewOfPickerLoaded_ magnifierDidFailToSelectColor_ magnifier_didSelectColor_ mode setColorMask_ setShowsAlpha_ setViewOfPickerIsLoaded_ showsAlpha NSColorPanelAllModesMask NSColorPanelCMYKModeMask NSColorPanelColorDidChangeNotification NSColorPanelColorListModeMask NSColorPanelColorWell _colorWellCommonAwake _coreUIBorderDrawOptions _drawBorderInRect_ _old_initWithCoder_NSColorWell_ _ownsColorPanelExclusively _performActivationClickWithShiftDown_ _shouldOrderFront _takeColorFromAndSendActionIfContinuous_ _takeColorFromDoAction_ _takeColorFrom_andSendAction_ acceptColor_atPoint_ activate_ drawColor drawWellInside_ setAcceptsColorDrops_ setActsLikeButton_ takeColorFrom_ windowWillClose_ NSColorPanelController _findWindowLocationsWithRepresentativeWindow_count_ _frameAutosaveName _setFrameAutosaveName_ _setRetainedSelf_ _setShowAutosaveButton_ _windowDidChangeContentViewController_ _windowDidClose _windowDidLoad _windowWillLoad colorPanel initWithWindowNibName_ initWithWindowNibName_owner_ initWithWindowNibPath_owner_ isWindowLoaded loadWindow setDocument_ setShouldCascadeWindows_ setShouldCloseDocument_ setWindowFrameAutosaveName_ setWindow_ shouldCascadeWindows shouldCloseDocument showWindow_ synchronizeWindowTitleWithDocumentName windowDidLoad windowFrameAutosaveName windowNibName windowNibPath windowTitleForDocumentDisplayName_ windowWillLoad NSColorPanelCrayonModeMask NSColorPanelCustomPaletteModeMask NSColorPanelGrayModeMask NSColorPanelHSBModeMask NSColorPanelModeCMYK NSColorPanelModeColorList NSColorPanelModeCrayon NSColorPanelModeCustomPalette NSColorPanelModeGray NSColorPanelModeHSB NSColorPanelModeNone NSColorPanelModeRGB NSColorPanelModeWheel NSColorPanelRGBModeMask NSColorPanelTextController _forceSetLastEditedStringValue_ acceptLastEnteredText controlTextDidBeginEditing_ control_didFailToFormatString_errorDescription_ control_isValidObject_ control_textView_doCommandBySelector_ fieldEditorTextDidChange_ initWithTextField_colorPanel_delegate_ setLastEditedStringValue_ startTextTimer stopTextTimer textTimerFired_ NSColorPanelWheelModeMask NSColorPboardType NSColorPicker _buttonImageToolTip _buttonToolTip _getTiffImage_ownedBy_ _insertionOrder _localizedNumberedNameWithString_integer_ _setButtonToolTip_ alphaControlAddedOrRemoved_ buttonToolTip initWithPickerMask_colorPanel_ insertNewButtonImage_in_ minContentSize provideNewButtonImage NSColorPickerColorSpacePopUp _colorSpaceForColorDisplaysAsGeneric_ _commonInitNSColorPickerColorSpacePopUp _fixTargetsForMenu_ _isShowingKeyboardFocus _selectColorProfile_ _selectEntryMode_ _setNeedsDisplayInRectWithFocus_ _updateMenuUniquing addItemWithTitle_ addItemsWithTitles_ autoenablesItems colorPanelColorDidChange_ doneSendingPopUpAction_ indexOfItemWithRepresentedObject_ indexOfItemWithTag_ indexOfItemWithTarget_andAction_ indexOfItemWithTitle_ indexOfItem_ indexOfSelectedItem initWithFrame_pullsDown_ insertItemWithTitle_atIndex_ itemArray itemTitleAtIndex_ itemTitles itemWithTitle_ lastItem preferredEdge pullsDown removeItemAtIndex_ removeItemWithTitle_ selectItemAtIndex_ selectItemWithTag_ selectItemWithTitle_ selectItem_ selectedColorSpace selectedEntryMode setAutoenablesItems_ setPreferredEdge_ setPullsDown_ setSelectedColorSpace_ setSelectedEntryMode_ synchronizeTitleAndSelectedItem titleOfSelectedItem willPopUpNotification_ NSColorPickerFunctionBarItem _overlay _pickPressAndHoldColor_ _pressAndHoldDidCancelTracking _pressAndHoldDidEndTracking _pressAndHoldWillBeginTracking _updateButtonImagePosition buttonImage buttonTitle colorList colorListSupportsPressAndHoldVariants colorPickerViewControllerDidCancel_ colorPickerViewControllerDidEnd_ colorPickerViewControllerWillBegin_ colorPickerViewController_didSelectColor_ colorPicker_didChangeCurrentModeFrom_to_ initWithIdentifier_buttonTitle_buttonImage_ setButtonImage_ setButtonTitle_ setColorListSupportsPressAndHoldVariants_ setColorList_ NSColorPickerGridView _accessibilityAttributeValue_forIndexedChild_ _accessibilityIndexForIndexPath_ _bezierPathForColorAtIndexPath_ _colorAtIndexPath_ _colorIndexPathAtPoint_ _indexPathForAccessibilityIndex_ _indexPathForColor_ _rectForColorAtIndexPath_ _rectForColorAtIndexPath_expanded_ _rectForColorAtRow_column_expanded_ _selectColor_withIndexPath_ _updateConfigs colorAtIndex_ isEmptyColorEnabled rectForColorAtIndex_ selectColorAtIndexPath_ selectColorAtIndex_ selectedColor setEmptyColorEnabled_ setNumberOfRows_ setSelectedColor_ setSwatchSize_ NSColorPickerGridViewController allowsAlpha colorGridView gridColorPicker_didSelectColor_ setAllowsAlpha_ setColorGridView_ NSColorPickerImagePopupButton NSColorPickerMatrixView _hasEmptyColorCell colorIndexAtPoint_ drawColorPickerHighlightForView_ hasGradientBackground setHasGradientBackground_ swatchSize NSColorPickerPageableNameList _changedPossibleKeys _colorForRow_ _colorIndexInTableView _colorListChanged_ _currentColorIndex _currentFilterString _currentSelectedColorListColorName _endColorListInlineEditing _errorDuplicateColor_ _matchQualityOfColorAtIndex_toColor_ifBetterThan_ _reloadColorListTableView _reloadColorListTableViewForFilterChange _removeCurrentColor _selectColorInTableView _updateSortedColorListNames activeColorList addColorAllowed addNewColor_andShowInWell_ attachColorList_makeSelected_ attachColorList_systemList_makeSelected_ attachedListDictionary controlTextDidChange_ control_textShouldEndEditing_ copyColorAtIndex_toIndex_saveList_ currentMode didPresentErrorWithRecovery_contextInfo_ endSheetReturningTag_ filterChanged_ findColorNamed_inList_usingLocalName_ insertNewColor_atIndex_andShowInWell_ insertPopItemWithTitle_andObject_ insertPopItemWithTitle_andObject_atIndex_ isCurrListEditable listDictionary loadColorLists moveColorAtIndex_toIndex_saveList_ newColorName_ newColor_ newListName_ newList_ numberOfRowsInTableView_ openListFromFile_ openList_ pageableTableView_handleKeyDownEvent_ pasteboardTypeForReordering provideNewView_ refreshUI removeColorAllowed removeColor_ removeListEnabled removeListSheetDidEnd_returnCode_context_ removeList_ renameList_ replaceColorList_withColorList_ restoreDefaults saveDefaults saveList_ setCurrListName_ setupLoadedNib supportsMode_ switchList_ switchToListNamed_ tableViewClicked_ tableViewSelectionDidChange_ tableView_acceptDrop_row_dropOperation_ tableView_objectValueForTableColumn_row_ tableView_setObjectValue_forTableColumn_row_ tableView_shouldEditTableColumn_row_ tableView_validateDrop_proposedRow_proposedDropOperation_ tableView_willDisplayCell_forTableColumn_row_ tableView_writeRowsWithIndexes_toPasteboard_ NSColorPickerPageableNameListScrollView _accessibilityAdditionalChildren _accessoryViewMightInterfereWithOverlayScrollers_ _addMemoryPressureMonitor _addUnderTitlebarNotifications _allocContentAreaLayout _allowsHorizontalStretching _allowsVerticalStretching _alwaysWantsContentInsetsLayout _applyContentAreaLayout_ _arrowPlacement _automateLiveScroll _automatedLiveScrollingDidEnd _automatedLiveScrollingWillBegin _beginMagnifyGesture _beginMagnifying _beginScrollGesture _boundsInsetForBorder _canAddUnderTitlebarView _canOptInToConcurrentScrolling _canUseInclusiveLayersAutomatically _clearUnderTitlebarView_ _commonNewScroll_ _conditionallyReflectScrolledClipView _contentFrameMinusScrollers _contentView _corneViewIsSmallSize _cornerView _cornerViewForLayer _cornerViewFrame _cornerViewHidesWithVerticalScroller _desiredLayerSizeMeritsTiledBackingLayer_ _destinationFloatValueForScroller_ _dirtyFocusRingOrMask _doMemoryPressureHandler _doScroller_ _doScroller_hitPart_multiplier_ _documentViewSubclassesLockFocus _documentViewWantsHeaderView _drawCornerViewInRect_ _drawOldSchoolFocusRingIfNecessaryInRect_ _dynamicColorsChanged_ _endMagnifyGesture _endMagnifying _endScrollGesture _ensureOveralyScrollerFlashForWindowOrderIn_ _fixGrowBox _fixHeaderAndCornerViews _floatingSubviewCountChanged _floatingSubviewsContainerForAxis_ _forcesContentInsetsLayout _gestureRecognizerFailed_ _gestureRecognizer_shouldAttemptToRecognizeWithEvent_ _hasNonLayeredOverlappingSiblingView _hasScrollOccurredOutsideOfGesture _headerClipView _hideOverlayScrollers _horizontalScrollerHeight _horizontalScrollerHeightWithBorder _informDelegateDidEndLiveScroll _informDelegateOfNewScrollGesture _informDelegateUserDidLiveScroll _informDelegateWillStartLiveScroll _invalidateOverlayScrollerDebrisForScrollCopyOfClipView_byDeltas_ _isConcurrentScrollingCompatible _isInScrollGesture _isStuntedForIB _layoutLayerPiecesIfNeeded _lineBorderColor _lockOverlayScrollerState_ _magnification _magnificationInflectionPoints _magnifyToFitRect_animate_ _makeAutomaticInclusiveLayer _makeAutomaticInclusiveLayerIfNecessary _makeUnderTitlebarView _messageTraceFutureResponsiveScrollingOptInOut _needsCornerViewDrawn _newScroll_ _overlayScrollerStateIsLocked _overlayScroller_didBecomeShown_ _overlayScrollersShown _ownsWindowGrowBox _pageAlignmentsForAxis_ _panWithGestureRecognizer_ _partMouseDown _pinnedInDirectionOfScroll_ _pinnedInDirectionX_y_ _pointInVisibleScroller_ _pulseOverlayScrollers _registerForWindowWillClose _removeAutomaticInclusiveLayer _removeCornerViewForLayer _removeMemoryPressureMonitor _removeUnderTitlebarNotifications _repeatMultiplier_ _resetOveralyScrollerFlashForWindowOrderOut_ _resetScrollingBehavior _rulerline__last_ _scrollPageInDirection_ _scrollerDidBeginTracking_ _scrollerDidEndTracking_ _scrollingModeForAxis_ _setContentViewFrame_ _setCornerViewForLayer_ _setForcesContentInsetsLayout_ _setHasScrollOccurredOutsideOfGesture_ _setHorizontalScrollerHidden_ _setIngoreSynchronizedSiblings_ _setMagnification_ _setMagnification_centeredAroundPoint_animate_ _setPageAlignments_forAxis_ _setScrollerNeedsDisplay_ _setScrollingMode_forAxis_ _setStuntedForIB_ _setSynchronizedSibling_forAxis_ _setUnderTitlebarView_ _setVerticalScrollerHidden_ _setWantsPageAlignedHorizontalAxis_ _setWantsPageAlignedVerticalAxis_ _shouldUseInclusiveLayersAutomatically _smartMagnifyToRect_centeredAt_animate_ _snapRubberBandDueToNotification_ _sortSubviews _stretchAmount _synchronizedSiblingForAxis_ _synchronizedSiblingsForAxis_ _tileWithoutRecursing _underTitlebarView _unlockOverlayScrollerState _unregisterForWindowWillClose _update _updateAutomaticContentInsets _updateAutomaticInclusiveLayerSupport _updateAutomaticInclusiveLayerSupportSlightlyLater _updateContentInsetsIfAutomatic _updateCornerViewForLayer _updateForLiveResizeWithOldSize_ _updateMoreContentIndicatorVisibility _updateRulerlineForRuler_oldPosition_newPosition_vertical_ _updateStateOfUnderTitlebarView _updateWithDisplay _usesOverlayScrollers _verticalScrollerWidth _verticalScrollerWidthWithBorder _wantsConcurrentScrolling _wantsPageAlignedHorizontalAxis _wantsPageAlignedVerticalAxis _willCoverBackingStore accessibilityIsVerticalScrollBarAttributeSettable accessibilityScrollToShowDescendantAttributeForParameter_ accessibilityVerticalScrollBarAttribute addFloatingHeaderView_forAxis_ addFloatingSubview_forAxis_ allowsMagnification appearanceChanged_ autoforwardsScrollWheelEvents autohidesScrollers automaticallyAdjustsContentViewInsets contentAreaRectForScrollerImpPair_ decelerationRate drawScroller_ findBarPosition findBarView findBarViewDidChangeHeight flashScrollers gestureRecognizer_shouldReceiveTouch_ hasHorizontalMoreContentIndicators hasHorizontalRuler hasVerticalRuler hasVerticalScroller horizontalLineScroll horizontalPageScroll horizontalRulerView horizontalScrollElasticity horizontalScroller inLiveResizeForScrollerImpPair_ isFindBarVisible isFirstAndKey isPaged lineScroll magnification magnifyToFitRect_ maxMagnification minMagnification mouseLocationInContentAreaForScrollerImpPair_ mouse_ pageCount pageDown_ pageScroll pageUp_ partHit_ rectForPart_ reflectScrolledClipView_ removeFloatingHeaderView_ rulerStateDescription rulersVisible scrollClipView_toPoint_ scrollerImpPair scrollerImpPair_convertContentPoint_toScrollerImp_ scrollerImpPair_isContentPointVisible_ scrollerImpPair_setContentAreaNeedsDisplayInRect_ scrollerImpPair_updateScrollerStyleForNewRecommendedScrollerStyle_ scrollerInsets scrollerKnobStyle scrollerRect scrollerStyle scrollsDynamically setAllowsMagnification_ setAutoforwardsScrollWheelEvents_ setAutohidesScrollers_ setAutomaticallyAdjustsContentViewInsets_ setDecelerationRate_ setFindBarPosition_ setFindBarView_ setFindBarVisible_ setHasHorizontalMoreContentIndicators_ setHasHorizontalRuler_ setHasVerticalRuler_ setHasVerticalScroller_ setHorizontalLineScroll_ setHorizontalPageScroll_ setHorizontalRulerView_ setHorizontalScrollElasticity_ setHorizontalScroller_ setLineScroll_ setMagnification_ setMagnification_centeredAtPoint_ setMaxMagnification_ setMinMagnification_ setPageScroll_ setRulersVisible_ setScrollerInsets_ setScrollerKnobStyle_ setScrollerStyle_ setScrollsDynamically_ setUsesPredominantAxisScrolling_ setVerticalLineScroll_ setVerticalPageScroll_ setVerticalRulerView_ setVerticalScrollElasticity_ setVerticalScroller_ timer_ updateWithFocusRingForWindowKeyChange usesPredominantAxisScrolling verticalLineScroll verticalPageScroll verticalRulerView verticalScrollElasticity verticalScroller NSColorPickerPencilView _addFocusToLayer_ _addFocusToLayer_animate_ _bottomMostPencil _calculateFrameForPencil_ _calculateFrameForPencil_atRow_column_ _colorList _enumeratePencilsWithBlock_ _focusedPencil _frameOfPencil_ _hasFocusRing _hoverAndSelectPencilWithEvent_ _hoverPencil_ _layerForPencil_ _leftMostPencil _namedPencil _pencilAbove_ _pencilAtEventLocation_ _pencilAtRow_column_ _pencilAtViewPoint_ _pencilBelow_ _pencilLeftOf_ _pencilRightOf_ _pencilViewCommonInit _pencilWithColor_ _pencils _removeAllPencilLayers _removeFocusFromLayer_ _rightMostPencil _row_column_ofPencil_ _selectPencil_updateSelection_animate_ _selectedPencil _setLayer_forPencil_ _shouldShowFocusRing _topMostPencil _unobscuredFrameOfPencil_ _updateFocusRing _updateFramesForPencils_duration_ _updatePencilsFromColorList NSColorPickerPencils changeColor_ changeDisplayedColorName_ colorNameTextField containerView pencilView setColorNameTextField_ setContainerView_ setPencilView_ NSColorPickerSelectingTextField NSColorPickerSliders _adjustToMode _redisplayColorProfileButtonIfNeeded _removePopUpWithTag_ _restoreMode _selectPopUpWithTag_ _setupProfileUI forceSetMode_ replaceSubviewWith_ showCMYKView_ showGreyScaleView_ showHSBView_ showRGBView_ NSColorPickerTouchBarItem NSColorPickerUser _addImage_named_ _imageFromItemTitle_ _newImageName_ _open_ _open_fromImage_withName_ _popUpButton _removeOrRename_ _remove_ _rename_ _setCurrImageName_ _shortNameFor_ _switchImage_andUpdateColor_ pasteItemUpdate_ saveImageNamed_andShowWarnings_ switchImage_ validateRename NSColorPickerUserView _clearImageForLockFocusUse _createImageForLockFocusUseIfNecessary _getColorFromImageAtPoint_ _pointInPicker_ _resizeImage colorFromPoint_ moveCurrentPointInDirection_ registerForFilenameDragTypes setKeyboardFocusRingNeedsDisplayIfNeededInRect_ storeColorPanel_ NSColorPickerWheel brightnessSlider_ NSColorPickerWheelView _brightColorFromPoint_fullBrightness_ _colorFromPoint_ _compositeImage _displayFallbackColorSpace _pointFromColor_ _resizeView _selectColorSpace_ brightColor effectiveDisplayColorSpace isTracking preferredDisplayColorSpace setBrightness_ setPreferredDisplayColorSpace_ NSColorPopoverController _loadViewIfNecessary _showColorPanel_ colorMatrixView colorPanelButton matrixColorPicker_highlightColorForColor_ matrixColorPicker_selectedColor_ popover setColorMatrixView_ setColorPanelButton_ setPopover_ setTopBarMatrixView_ topBarMatrixView NSColorProfile ICCProfileData MD5 _appropriateColorPanelSliderPane _colorSyncProfileClass _colorSyncProfileSpace _isGenericProfile colorSyncProfile initWithColorSyncInfo_ initWithColorSyncProfile_ initWithICCProfileData_ NSColorRenderingIntentAbsoluteColorimetric NSColorRenderingIntentDefault NSColorRenderingIntentPerceptual NSColorRenderingIntentRelativeColorimetric NSColorRenderingIntentSaturation NSColorScaleSlider _hasCustomTickMarkPositioning _hasStepBehaviorContext _moveInDirection_ _removeAnchorsInRange_ _setTickMarkLayoutPoints_ _tickMarkLayoutPoints _updateTickMarkConstraintPositionsIfNeeded allowsTickMarkValuesOnly altIncrementValue closestTickMarkValueToValue_ flippedHorizontally incrementValue indexOfTickMarkAtPoint_ knobThickness layoutPointForTickMarkAtIndex_ maxValueImage maximumValueAccessory minValueImage minimumValue minimumValueAccessory numberOfTickMarks rectOfTickMarkAtIndex_ setAllowsTickMarkValuesOnly_ setAltIncrementValue_ setDrawsTrackAsColorScaleType_ setFlippedHorizontally_ setIncrementValue_ setKnobThickness_ setMaxValueImage_ setMaxValue_ setMaximumValueAccessory_ setMaximumValue_ setMinValueImage_ setMinValue_ setMinimumValueAccessory_ setMinimumValue_ setNumberOfTickMarks_ setSliderType_ setTickMarkIsProminent_atIndex_ setTickMarkPosition_ setTitleCell_ setTitleColor_ setTitleNoCopy_ setTrackFillColor_ setVertical_ sliderCellDidChangeControlSize_ sliderCellDidChangeNumberOfTickMarks_oldNumberOfTickMarks_ sliderCellDidChangeSliderType_ sliderCellDidChangeTickMarkPosition_ sliderCellDidChangeVertical_ sliderType tickMarkIsProminentAtIndex_ tickMarkPosition tickMarkValueAtIndex_ titleColor trackFillColor NSColorScaleSliderCell _accessibilityIndicatorRect _alignmentRectInsetsInView_ _applicableShowsFocus _barIsTintedWithValue _calcTrackRect_andAdjustRect_ _collapsesOnResize _computeColorScaleIfNecessaryWithSize_ _currentCUICircularSliderDialOptions_ _currentCUICircularSliderKnobOptions_ _currentCUISliderBarOptions_ _currentCUISliderKnobOptions_ _currentCUITickMarkOptions_ _currentDrawingState _drawCustomTrackWithTrackRect_inView_ _drawMaxValueImage _drawMinValueImage _drawTickMarks _drawValueImage_inRect_ _drawsBackground _effectiveControlState _effectiveTickMarkPosition _effectiveUserInterfaceLayoutDirection _hasSnappingBehavior _isR2L _isVertical _metricsStrategy _normalizedDoubleValue _noteTracking_at_inView_startEvent_endEvent_ _orthogonalTickMarkInset _primaryTickMarkInset _rectOfMaxValueImageFlipped_ _rectOfMinValueImageFlipped_ _repeatTimerFired_ _resetTrackRectWithCellFrame_ _setCollapsesOnResize_ _setKnobThickness_usingInsetRect_ _tickMarksAreOnLeftOrTopEdge _trackRectForCellFrame_ _usesCustomTrackImage accessibilityActivationPointAttribute accessibilityAllowedValuesAttribute accessibilityIsActivationPointAttributeSettable accessibilityIsAllowedValuesAttributeSettable accessibilityIsMaxValueAttributeSettable accessibilityIsMinValueAttributeSettable accessibilityIsValueIndicatorAttributeSettable accessibilityMaxValueAttribute accessibilityMinValueAttribute accessibilityValueIndicatorAttribute barRectFlipped_ closestTickMarkIndexToValue_ drawBarInside_flipped_ drawKnob drawKnob_ drawTickMarks invalidateRect_forControlView_ knobRectFlipped_ knobValueRangeRect_ trackRect NSColorSpace CGColorSpace _createProfileFor_ _initWithCGColorSpaceNoCache_ _isDeviceColorSpace _newCGColorByConvertingCGColor_ allowsExtendedRange colorGamut colorProfile colorSpaceModel initWithCGColorSpace_ initWithColorProfile_ isWideGamut numberOfColorComponents NSColorSpaceColor NSColorSpaceFromDepth NSColorSpaceModelCMYK NSColorSpaceModelDeviceN NSColorSpaceModelGray NSColorSpaceModelIndexed NSColorSpaceModelLAB NSColorSpaceModelPatterned NSColorSpaceModelRGB NSColorSpaceModelUnknown NSColorSpaceSliders NSColorSwatch _constrainColorIndexToVisibleBounds_dirtyIfNeeded_ _currentHeightConstraintConstant _customSwatchRecordAtIndex_ _customSwatchRecordsCreateIfNeeded_ _delayedUpdateSwatch_ _delayedWriteColors _old_readColorsFromGlobalPreferences _old_writeColorsToGlobalPreferences _packedCustomSwatchRecords _readColorsFromLibrary _reallocColors_ _setAllowInteractiveHeightChanges_ _setCurrentHeightConstraintConstant_ _setCustomSwatchRecord_atIndex_ _unpackCustomSwatchRecords_ _writeColorsToLibrary drawColor_ focusedSwatchRect frameInBaseCoordinates getSavedNumVisibleRows_ heightForNumberOfVisibleRows_ highlightColor_ markNumRowsToToggleVisible moveInDirection_ newLegalColorSwatchHeightFromHeight_ numRowsToToggleVisible numberOfVisibleCols numberOfVisibleRows postColorSwatchesChangedDistributedNotification readColors rectOfSwatchInteriorAtIndex_ saveNumVisibleRows setFocusedColorChipIndex_ setNumRowsToToggleVisible_ swatchWidth updateSwatch writeColors NSColorSwatchCell _swatchRectForCellFrame_ setSwatchColor_ swatchColor NSColorSwatchScrubberItemView _accessibilityScrubber _arrangedViewCommonInit _clearMaskLayers _createMaskLayersIfNeeded _hasCustomSelectionViews _isLeftmost_isRightmost_ _layoutMaskLayers _setIsLeftmost_isRightmost_ _setSelected_highlighted_ _updateCornersWithPreferredRadius_ accessibilityRawIndex accessibilitySelectedAttribute forceOutline isLeftmostItem isRightmostItem leftMaskLayer rightMaskLayer selectionBackgroundView selectionOverlayView setAccessibilityRawIndex_ setForceOutline_ setIsLeftmostItem_ setIsRightmostItem_ setLeftMaskLayer_ setRightMaskLayer_ setSelectionBackgroundView_ setSelectionOverlayView_ NSColorTypeCatalog NSColorTypeComponentBased NSColorTypePattern NSColorWell NSColoredPencil initWithName_color_image_ owningPencilView setOwningPencilView_ NSComboBox addItemWithObjectValue_ addItemsWithObjectValues_ comboBoxCellSelectionDidChange_ comboBoxCellSelectionIsChanging_ comboBoxCellWillDismiss_ comboBoxCellWillPopUp_ comboBoxCell_completedString_ completes deselectItemAtIndex_ indexOfItemWithObjectValue_ insertItemWithObjectValue_atIndex_ isButtonBordered itemHeight itemObjectValueAtIndex_ noteNumberOfItemsChanged numberOfVisibleItems objectValueOfSelectedItem objectValues removeItemWithObjectValue_ scrollItemAtIndexToTop_ scrollItemAtIndexToVisible_ selectItemWithObjectValue_ setButtonBordered_ setCompletes_ setItemHeight_ setNumberOfVisibleItems_ setUsesDataSource_ usesDataSource NSComboBoxButtonCell NSComboBoxCell _accessibilityButtonRect _accessibilityButtonUIElement _appWillTerminate_ _buttonHeight _buttonWidth _cellFrame _combobox_windowDidBecomeKey_ _combobox_windowWillBeginSheet_ _completeNoRecursion_ _complete_ _computeBezelRectWithTextCellFrame_inView_topLeft_bottomLeft_left_right_top_bottom_ _controlView_textView_doCommandBySelector_ _coreUIDrawOptionsWithFrame_inView_ _drawThemeComboBoxButtonWithFrame_inView_ _initWithTypedStreamCoder_NSComboBoxCell_ _initializeButtonCell _isButtonBordered _isFilteringEvents _noteLengthAndSelectedRange_ _numberOfRowsDidChangeInComboBoxTableView_ _old_encodeWithCoder_NSComboBoxCell_ _registerForCompletion_ _setButtonBordered_ _setCellFrame_ _setDataSource_ _shouldRegisterForEditingNotifications _suppressNonTitleDrawing _textVerticalAdjust _textVerticalInset _unregisterForCompletion_ _updateLengthAndSelectedRange_ _updatePopUpWindowFrameFirstTimeInSession_ _windowWillOrderOut_ accessibilityExpandedAttribute accessibilityIsExpandedAttributeSettable accessibilitySetExpandedAttribute_ boundsForButtonCell_ boundsForTextCell_ comboBoxTextDidEndEditing_ completedString_ dismissPopUp_ filterEvents_ frameForPopUpWithOldFrame_cellFrame_controlView_ initPopUpWindow orderOutPopUpWindow_ popUp_ shouldEdit_inRect_ofView_ synchronizeTableViewSelectionWithStringValue_ synchronizeTableViewSelectionWithText_ tableViewAction_ tableViewSelectionIsChanging_ NSComboBoxSelectionDidChangeNotification NSComboBoxSelectionIsChangingNotification NSComboBoxWillDismissNotification NSComboBoxWillPopUpNotification NSComboBoxWindow _attachToParentWindow _detachFromParentWindow initWithContentRect_comboBoxCell_ setShownAboveComboBox_ NSComboTableView NSCommandKeyMask NSCommentDocumentAttribute NSCompanyDocumentAttribute NSCompareHashTables NSCompareMapTables NSComparisonPredicate _acceptExpressions_flags_ _acceptOperator_flags_ _isForeignObjectExpression_givenContext_ comparisonPredicateModifier customSelector initWithLeftExpression_rightExpression_customSelector_ initWithLeftExpression_rightExpression_modifier_type_options_ initWithPredicateOperator_leftExpression_rightExpression_ initWithPredicateOperator_leftKeyPath_rightKeyPath_ initWithPredicateOperator_leftKeyPath_rightValue_ keyPathExpressionForString_ predicateOperator predicateOperatorType setPredicateOperator_ NSComparisonPredicateOperator initWithOperatorType_modifier_variant_ initWithOperatorType_modifier_variant_options_ minimalFormInContext_ofPredicate_ NSCompletionCheckingResult initWithRange_replacementString_ NSComplexOrthography allLanguages allScripts dominantLanguage dominantLanguageForScript_ dominantScript initWithDominantScript_languageMap_ languageMap languagesForScript_ orthographyFlags NSComplexRegularExpressionCheckingResult initWithRangeArray_regularExpression_ initWithRanges_count_regularExpression_ rangeArray NSCompositeAppearance appearances initWithAppearances_ setAppearances_ NSCompositeClear NSCompositeColor NSCompositeColorBurn NSCompositeColorDodge NSCompositeCopy NSCompositeDarken NSCompositeDestinationAtop NSCompositeDestinationIn NSCompositeDestinationOut NSCompositeDestinationOver NSCompositeDifference NSCompositeExclusion NSCompositeHardLight NSCompositeHighlight NSCompositeHue NSCompositeImage NS_needsRecommitOnDefaultContentsScaleChange _accessibilityDescriptionBacking _accessibilityDescriptionBackingForArchiving _accessibilityDescriptionBackingForCopying _addRepresentationWithSharedKitWindow_rect_ _addRepresentations_ _alignmentRectInNormalizedCoordinates _allocAuxiliaryStorage _antialiased _cacheSnapshotRep_ _compositeFlipped_atPoint_fromRect_operation_fraction_ _compositeFlipped_inRect_fromRect_operation_fraction_ _compositeToPoint_fromRect_operation_fraction_ _compositeToPoint_operation_fraction_ _composite_delta_fromRect_toPoint_ _createPatternForContext_ _defaultAccessibilityDescription _defaultImageHintsAndOnlyIfAvailable_ _dispatchImageDidNotDraw_ _drawMappingAlignmentRectToRect_withState_backgroundStyle_operation_fraction_flip_hints_ _drawRepresentation_inRect_withScaling_ _dumpFullImageInfo _flatImageWithColor_ _hasCacheRep _hasMultipleStates _imageByApplyingShadowForDragging _imageByBadgingWithImage_rect_ _imageByScalingToSize_withImageInterpolation_ _imageByScalingToSize_withImageInterpolation_imageScaling_ _imageDidNotDrawHandlerRep _imageInterpolation _imageLevel_backgroundColor _imageLevel_setBackgroundColor_ _initWithData_fileType_hfsType_ _initWithIconRef_includeThumbnail_ _isCachedToRep_ _legacyAddRepresentationsForIconNamed_fromIconSectionInAppBinary_ _lockFocusOnRepresentation_rect_context_hints_flipped_ _newSnapshotRepForCGImage_drawingRect_applicableForRect_context_processedHints_ _newSnapshotRepForRep_rect_context_processedHints_ _prefersResolutionMatch _providedAccessibilityDescription _replaceRepsWithRep_ _reps _safari_imageWithBackgroundColor_compositingOperation_ _setAccessibilityDescriptionBacking_ _setAlignmentRectInNormalizedCoordinates_ _setAntialiased_ _setCacheRep_ _setDefaultAccessibilityDescription_ _setImageInterpolation_ _setPrefersResolutionMatch_ _setRepProviderWithIconRef_includeThumbnail_ _setRepProviderWithReferencingURL_ _setRepProviderWithReferencingURLs_ _setRepProviderWithRepresentationsArray_ _setRepProvider_ _setReps_ _shouldCacheWhenDrawingRep_rect_context_processedHints_ _snapshotRepForRep_rect_context_processedHints_ _usingBestRepresentationAmongRepresentations_forRect_context_hints_body_ _usingBestRepresentationForRect_context_hints_body_ _usingCacheRepPerformBlock_ _usingRepProviderPerformBlock_ _usingRepresentationsPerformBlock_ _whenDrawn_fills_ addRepresentation_ addRepresentations_ alignmentRect bestRepresentationAmongRepresentations_forRect_context_hints_ bestRepresentationForDevice_ bestRepresentationForRect_context_hints_ cacheDepthMatchesImageDepth cacheMode cancelIncrementalLoad capInsets compositeToPoint_fromRect_operation_ compositeToPoint_fromRect_operation_fraction_ compositeToPoint_operation_ compositeToPoint_operation_fraction_ dissolveToPoint_fraction_ dissolveToPoint_fromRect_fraction_ drawInRect_fromRect_operation_fraction_hints_ drawRepresentation_inRect_ hitTestPoint_withImageDestinationRect_context_hints_ hitTestRect_withImageDestinationRect_context_hints_ hitTestRect_withImageDestinationRect_context_hints_flipped_ initByReferencingFile_ initByReferencingURL_ initByReferencingURLs_ initFromImage_rect_ initWithDataIgnoringOrientation_ initWithIconRef_ initWithImageRep_ initWithPasteboard_ initWithSize_ isCachedSeparately isDataRetained layerContentsForContentsScale_ lockFocusOnRepresentation_ lockFocusWithRect_context_hints_flipped_ matchesOnMultipleResolution matchesOnlyOnBestFittingAxis prefersColorMatch recache recommendedLayerContentsScale_ removeRepresentation_ representations scalesWhenResized setAccessibilityDescription_ setAlignmentRect_ setCacheDepthMatchesImageDepth_ setCacheMode_ setCachedSeparately_ setCapInsets_ setDataRetained_ setMatchesOnMultipleResolution_ setMatchesOnlyOnBestFittingAxis_ setPrefersColorMatch_ setScalesWhenResized_ setUsesEPSOnResolutionMismatch_ tv_tintedImageWithTintColor_ usesEPSOnResolutionMismatch NSCompositeImageRep baseImage initWithBaseImage_overlayImage_overlayFrame_ overlayFrame overlayImage NSCompositeLighten NSCompositeLuminosity NSCompositeMultiply NSCompositeOverlay NSCompositePlusDarker NSCompositePlusLighter NSCompositeSaturation NSCompositeScreen NSCompositeSoftLight NSCompositeSourceAtop NSCompositeSourceIn NSCompositeSourceOut NSCompositeSourceOver NSCompositeXOR NSCompositingOperationClear NSCompositingOperationColor NSCompositingOperationColorBurn NSCompositingOperationColorDodge NSCompositingOperationCopy NSCompositingOperationDarken NSCompositingOperationDestinationAtop NSCompositingOperationDestinationIn NSCompositingOperationDestinationOut NSCompositingOperationDestinationOver NSCompositingOperationDifference NSCompositingOperationExclusion NSCompositingOperationHardLight NSCompositingOperationHighlight NSCompositingOperationHue NSCompositingOperationLighten NSCompositingOperationLuminosity NSCompositingOperationMultiply NSCompositingOperationOverlay NSCompositingOperationPlusDarker NSCompositingOperationPlusLighter NSCompositingOperationSaturation NSCompositingOperationScreen NSCompositingOperationSoftLight NSCompositingOperationSourceAtop NSCompositingOperationSourceIn NSCompositingOperationSourceOut NSCompositingOperationSourceOver NSCompositingOperationXOR NSCompoundPredicate _acceptSubpredicates_flags_ _predicateOperator _subpredicateDescription_ compoundPredicateType initWithType_subpredicates_ subpredicates NSCompoundPredicateOperator evaluatePredicates_withObject_ evaluatePredicates_withObject_substitutionVariables_ minimalFormInContext_ofPredicates_ NSCompressedFontMask NSConcreteArrayChange NSConcreteArrayChanges _enumerateChanges_stop_usingBlock_ NSConcreteAttributedString _runArrayHoldingAttributes NSConcreteData NSConcreteDistantObjectRequest conversation initWithInvocation_conversation_sequence_importedObjects_connection_ invocation replyWithException_ NSConcreteFileHandle _cancelDispatchSources _closeOnDealloc _locked_clearHandler_forSource_ _monitor_ acceptConnectionInBackgroundAndNotify acceptConnectionInBackgroundAndNotifyForModes_ availableData closeFile fileDescriptor initWithFileDescriptor_ initWithFileDescriptor_closeOnDealloc_ initWithPath_flags_createMode_ initWithPath_flags_createMode_error_ initWithURL_flags_createMode_error_ offsetInFile performActivity_modes_ readDataOfLength_ readDataOfLength_buffer_ readDataToEndOfFile readInBackgroundAndNotify readInBackgroundAndNotifyForModes_ readToEndOfFileInBackgroundAndNotify readToEndOfFileInBackgroundAndNotifyForModes_ readabilityHandler seekToEndOfFile seekToFileOffset_ setPort_ setReadabilityHandler_ setWriteabilityHandler_ synchronizeFile truncateFileAtOffset_ waitForDataInBackgroundAndNotify waitForDataInBackgroundAndNotifyForModes_ writeData_ writeabilityHandler NSConcreteFileHandleARCWeakRef loadWeak storeWeak_ NSConcreteGlyphGenerator generateGlyphsForGlyphStorage_desiredNumberOfCharacters_glyphIndex_characterIndex_ NSConcreteHashTable assign_key_ hashGrow raiseCountUnderflowException rehash rehashAround_ NSConcreteMapTable _setBackingStore assign_key_value_isNew_ checkCount_ containsKeys_values_count_ dump grow realCount NSConcreteMapTableValueEnumerator NSConcreteMutableAttributedString NSConcreteMutableData _freeBytes NSConcreteNotification initWithName_object_userInfo_ recycle NSConcreteNotifyingMutableAttributedString NSConcreteObservationBuffer _alreadyOnQueueEmitAllObjects _alreadyOnQueueEmitObject _mergeChanges automaticallyEmitsObjects bufferFullHandler emitAllObjects emitObject initWithMaximumObjectCount_fullPolicy_outputQueue_ isMemoryPressureSensitive setAutomaticallyEmitsObjects_ setBufferFullHandler_ setMemoryPressureSensitive_ NSConcreteOrderedSetChange NSConcreteOrderedSetChanges applyChangesToOrderedSet_ array filteredOrderedSetUsingPredicate_ isEqualToOrderedSet_ reversedOrderedSet NSConcretePipe fileHandleForReading fileHandleForWriting NSConcretePointerArray _markNeedsCompaction arrayGrow_ compact indexOfPointer_ initWithPointerFunctions_ mutableArray removePointer_ NSConcretePointerFunctions acquireFunction descriptionFunction hashFunction isEqualFunction relinquishFunction setAcquireFunction_ setDescriptionFunction_ setHashFunction_ setIsEqualFunction_ setRelinquishFunction_ setSizeFunction_ setUsesStrongWriteBarrier_ setUsesWeakReadAndWriteBarriers_ sizeFunction usesStrongWriteBarrier usesWeakReadAndWriteBarriers NSConcretePortCoder _classAllowed_ _connection _setWhitelist_ decodePortObject encodePortObject_ initWithReceivePort_sendPort_components_ isBycopy isByref NSConcretePrintOperation PDFPanel _beginPDFPanelModalForWindow_thenContinue_ _continueModalOperationPastPrintPanel _continueModalOperationToTheEnd_ _createAndShowProgressPanelIfAppropriate_ _currentPageBounds _effectiveJobTitle _finishModalOperation _firstJobPageNumber _firstPageNumber _firstRenderPageNumber _forceKnowsPageRangeMessage _initWithView_printInfo_ _initWithView_printInfo_epsNotPDF_bounds_data_orPath_ _invalidatePagination _isCancelledAfterHandlingUserEvents _isLockingFocus _isRenderingBorder _isResponsibleForFileCoordination _lastJobPageNumber _lastPageNumber _lastRenderPageNumber _messageTraceExportAsPDFIfNecessary _nUpPages _operationInfo _pageScaling _pageSet _preparedPrintPanel _printPanel_didEndAndReturn_contextInfo_ _progressPanelWasCancelled_contextInfo_ _progressPanel_didEndAndReturn_contextInfo_ _renderView _renderingBounds _setLockingFocus_ _setPageOrderFromPrintInfo _setPreferredRenderingQuality_ _setRenderingBorder_ _setShowPrintPanel_ _setShowProgressPanel_ _setThumbnailView_ _showsPreviewByDefault _thumbnailView _tryToSetCurrentPageNumber_ _validateJobPageNumbers _validatePagination _viewKnowsPages baseAffineTransform canSpawnSeparateThread cleanUpOperation createContext currentPage deliverResult destroyContext isCopyingOperation isEPSOperation jobStyleHint jobTitle pageOrder pageRange preferredRenderingQuality printInfo printPanel runOperation runOperationModalForWindow_delegate_didRunSelector_contextInfo_ setBaseAffineTransform_ setCanSpawnSeparateThread_ setJobStyleHint_ setJobTitle_ setPDFPanel_ setPageOrder_ setPrintInfo_ setPrintPanel_ setShowPanels_ setShowsPrintPanel_ setShowsProgressPanel_ showPanels showsPrintPanel showsProgressPanel NSConcreteProtocolChecker initWithTarget_protocol_ NSConcreteScanner _invertedSkipSet _remainingString _scanDecimal_into_ caseSensitive charactersToBeSkipped isAtEnd scanCharactersFromSet_intoString_ scanDecimal_ scanDouble_ scanFloat_ scanHexDouble_ scanHexFloat_ scanHexInt_ scanHexLongLong_ scanInt_ scanInteger_ scanLocation scanLongLong_ scanString_intoString_ scanUnsignedInteger_ scanUnsignedLongLong_ scanUpToCharactersFromSet_intoString_ scanUpToString_intoString_ setCaseSensitive_ setCharactersToBeSkipped_ setScanLocation_ NSConcreteSetChange initWithType_object_ NSConcreteSetChanges _fault _willChange applyChangesToSet_ filterObjectsWithTest_ transformObjectsWithBlock_ NSConcreteTask _platformExitInformation _procid _setTerminationHandler_ _withTaskDictionary_ currentDirectoryPath environment interrupt launch launchPath launchWithDictionary_ preferredArchitectures setCurrentDirectoryPath_ setEnvironment_ setLaunchPath_ setPreferredArchitectures_ setStandardError_ setStandardInput_ setStandardOutput_ setStartsNewProcessGroup_ setTaskDictionary_ setTerminationHandler_ standardError standardInput standardOutput suspendCount taskDictionary terminate terminateTask terminationHandler terminationReason terminationStatus waitUntilExit NSConcreteTextStorage _initLocks NSConcreteValue _value NSConcurrentEventMonitor isProcessing setIsProcessing_ NSCondensedFontMask NSCondition broadcast signal wait waitUntilDate_ NSConditionLock condition initWithCondition_ lockBeforeDate_ lockWhenCondition_ lockWhenCondition_beforeDate_ tryLock tryLockWhenCondition_ unlockWithCondition_ NSConditionalExpressionType NSConditionallySetsEditableBindingOption NSConditionallySetsEnabledBindingOption NSConditionallySetsHiddenBindingOption NSConnection _authenticateComponents_ _decrementLocalProxyCount _encodeProxyList_forCoder_ _incrementLocalProxyCount _portCoderClass _portCoderClassWithComponents_ _portInvalidated_ _sendBeforeTime_coder_doAuthenticationCheck_ _setUseKC_ _shouldDispatch_invocation_sequence_coder_ _verifyComponents_ addClassNamed_version_ addPortsToRunLoop_ addRequestMode_ addRunLoop_ decodeReleasedProxies_ dispatchInvocation_ dispatchWithComponents_ enableMultipleThreads encodeReleasedProxies_ handleKeyedReleasedProxies_ handlePortCoder_ handleRequest_sequence_ handleUnkeyedReleasedProxies_length_ hasRunLoop_ independentConversationQueueing initWithReceivePort_sendPort_ keyedRootObject localObjects multipleThreadsEnabled newConversation portCoderWithComponents_ receivePort registerName_ registerName_withNameServer_ releaseWireID_count_ remoteObjects removePortsFromRunLoop_ removeRequestMode_ removeRunLoop_ replyMode replyTimeout requestModes requestTimeout returnResult_exception_sequence_imports_ rootProxy runInNewThread sendInvocation_ sendInvocation_internal_ sendPort sendReleasedProxies sendWireCountForWireID_port_ setIndependentConversationQueueing_ setReplyMode_ setReplyTimeout_ setRequestTimeout_ statistics versionForClassNamed_ NSConnectionDidDieNotification NSConnectionDidInitializeNotification NSConnectionHelper setWhitelist_ NSConnectionReplyMode NSConstantString initWithCStringNoCopy_length_ initWithCharactersNoCopy_length_ NSConstantValueExpression expressionValueWithObject_ NSConstantValueExpressionType NSConstraintCache _addChild_ _alreadyHasChildForEntity_constraint_ _constraint_extends_ _intraStoreConflictsExistForValues_ constraint extendConstraint_onParentEntity_parentCache_ initForEntity_constraint_extension_ keyForValues_ registerObject_ registerObject_forValues_ validateForSave_ NSConstraintCacheKey initWithValues_ NSConstraintConflict _isDBConflict conflictingObjects conflictingSnapshots constraintValues databaseObject databaseSnapshot initWithConstraint_databaseObject_databaseSnapshot_conflictingObjects_conflictingSnapshots_ NSConstraintValidator _addConstraintRoot_forEntity_ initWithManagedObjectModel_ registerObjects_ validateCaches validateForSave NSContainerSpecifierError NSContainsComparison NSContainsPredicateOperatorType NSContainsRect NSContentAppearance NSContentArrayBinding NSContentArrayForMultipleSelectionBinding NSContentBinding NSContentDictionaryBinding NSContentHeightBinding NSContentObjectBinding NSContentObjectsBinding NSContentPlacementTagBindingOption NSContentSetBinding NSContentSizeLayoutConstraint compressionResistancePriority huggingPriority initWithLayoutItem_value_huggingPriority_compressionResistancePriority_orientation_ NSContentValuesBinding NSContentWidthBinding NSContentsCellMask NSContextHelpModeDidActivateNotification NSContextHelpModeDidDeactivateNotification NSContinuousCapacityLevelIndicatorStyle NSContinuouslyUpdatesValueBindingOption NSControl NSControlAuxiliary guardEnabled guardLocked setGuardEnabled_ setGuardLocked_ NSControlCharacterActionContainerBreak NSControlCharacterActionHorizontalTab NSControlCharacterActionLineBreak NSControlCharacterActionParagraphBreak NSControlCharacterActionWhitespace NSControlCharacterActionZeroAdvancement NSControlGlyph NSControlKeyMask NSControlSizeMini NSControlSizeRegular NSControlSizeSmall NSControlStateMixed NSControlStateOff NSControlStateOn NSControlStateValueMixed NSControlStateValueOff NSControlStateValueOn NSControlStripAppearance NSControlStripCustomizationPaletteAppearance NSControlStripTouchBar _customizableConfig _didItemsReallyChange _persistWithItemIdentifiers_toDomain_ _resetCustomization _updateCustomizationConfigurationWithIdentifier_defaultItemIdentifiers_allowedItemIdentifiers_requiredItemIdentifiers_ animationTimingFunction customizationAllowedItemIdentifiers customizationDefaultItemIdentifiers customizationIdentifier customizationPresets customizationRequiredItemIdentifiers defaultItemIdentifiers defaultItems escapeKeyReplacementItem escapeKeyReplacementItemIdentifier isSuppressedByLessFocusedTouchBars isSuppressedByMoreFocusedTouchBars itemForIdentifier_ itemIdentifiers minWidthGivenVisualCenterX_ principalItemIdentifier setCustomizationAllowedItemIdentifiers_ setCustomizationDefaultItemIdentifiers_ setCustomizationIdentifier_ setCustomizationPresets_ setCustomizationRequiredItemIdentifiers_ setDefaultItemIdentifiers_ setDefaultItems_ setEscapeKeyReplacementItemIdentifier_ setEscapeKeyReplacementItem_ setItemIdentifiers_ setPrincipalItemIdentifier_ setSuppressedByLessFocusedTouchBars_ setSuppressedByMoreFocusedTouchBars_ setSuppressesLessFocusedBars_ setSuppressesMoreFocusedBars_ setTemplateItems_ setTouchBarLayoutDirection_ suppressesLessFocusedBars suppressesMoreFocusedBars templateItems touchBarLayoutDirection NSControlTextDidBeginEditingNotification NSControlTextDidChangeNotification NSControlTextDidEndEditingNotification NSControlTintDidChangeNotification NSController NSControllerConfigurationBinder _updateFilterPredicate_ _updateSortDescriptors_ controller_didChangeToFilterPredicate_ controller_didChangeToSelectionIndexPaths_ controller_didChangeToSelectionIndexes_ controller_didChangeToSortDescriptors_ NSConvertGlyphsToPackedGlyphs NSConvertHostDoubleToSwapped NSConvertHostFloatToSwapped NSConvertSwappedDoubleToHost NSConvertSwappedFloatToHost NSConvertedDocumentAttribute NSCopyBits NSCopyHashTableWithZone NSCopyMapTableWithZone NSCopyObject NSCopyrightDocumentAttribute NSCoreDataXPCMessage messageBody messageCode setMessageBody_ setMessageCode_ setToken_ NSCoreDragManager _alternateDragSource _autoscrollDate _cancelAllFilePromiseDrags _dragLocalSource _dragUntilMouseUp_accepted_ _enumerateDraggingItemsForDrag_pasteboard_class_view_isSource_usingBlock_ _enumerateDraggingItemsForDrag_pasteboard_withOptions_view_classes_searchOptions_isSource_usingBlock_ _registerFilePromiseDraggingEndedTarget_ _resetAutoscrollTimeDelta _setAlternateDragSource_ _setAutoscrollDate_ beginDraggingSessionWithItems_fromWindow_event_source_ dragImage_fromWindow_at_offset_event_pasteboard_source_slideBack_ draggingSessionWithSequenceNumber_ registerDragTypes_forWindow_ registerForCompletionOfDrag_ slideImage_from_to_ switchWindow_dragRegistrationToRemoteContext_ unregisterDragTypesForWindow_ NSCoreServiceDirectory NSCoreUIImageRep addEffects_ boundingRectWithExtraEffectsForState_backgroundStyle_context_ boundingRectWithExtraEffects_ coreUIDrawOptions hasEffects initWithCocoaName_ initWithCoreUIDrawOptions_size_ preferredAppearance setPreferredAppearance_ setSuppressesCache_ suppressesCache NSCorrectionCheckingResult initWithRange_replacementString_alternativeStrings_ NSCorrectionIndicatorTypeDefault NSCorrectionIndicatorTypeGuesses NSCorrectionIndicatorTypeReversion NSCorrectionPanel _adjustLayoutForView_ _clearLastCorrectionPanel _dismissAndAccept_ _doDismissAndAccept_ _highlightRectForTypedText_ _interceptEvents _setLastCorrectionPanelExplicitlyAccepted_rejected_ _shouldCorrectionViewBeAtBottom_highlightRect_inScreenVisibleRect_ _updateCorrectionViewForPanelType_inView_ correction correctionPanelType dismiss dismissAndAccept_ dismissedExplicitly initWithContentRect_backing_defer_ removeFromWindow setCorrectionAttributes_ setDismissedExplicitly_ setSelectedCandidate_ setUseDefaultStringAttributes_ showPanelAtRect_inView_primaryString_alternativeStrings_forType_completionHandler_ showPanelAtRect_inView_withReplacement_completionHandler_ showPanelAtRect_inView_withReplacement_forType_completionHandler_ useDefaultStringAttributes NSCorrectionResponseAccepted NSCorrectionResponseEdited NSCorrectionResponseIgnored NSCorrectionResponseNone NSCorrectionResponseRejected NSCorrectionResponseReverted NSCorrectionShadowView dismissButtonLocation setDismissButtonLocation_ NSCorrectionSubPanel panelAccessibilityParent setPanelAccessibilityParent_ NSCorrectionTextFieldContainer hasSelection indexOfCandidateContainingPoint_ numberOfCandidates selectNextCandidate selectPreviousCandidate setCandidates_andCorrectionPanelType_ setTextAttributes_ textFieldAtIndex_ NSCorrectionTextView _dismissButtonIsPressed _extraWidthForViewHeight_ _setButtonImage_ _updateFrame accessibilityElements correctionPanel setCorrectionPanel_ NSCorrectionTypedTextHighlightView NSCountCommand NSCountFrames NSCountHashTable NSCountKeyValueOperator NSCountMapTable NSCountWindows NSCountWindowsForContext NSCountedSet NSCrayonModeColorPanel NSCreateCommand _newObjectForContainer_inValueForKey_withClassDescription_ createClassDescription resolvedKeyDictionary NSCreateCommandMoreIVars NSCreateFileContentsPboardType NSCreateFilenamePboardType NSCreateHashTable NSCreateHashTableWithZone NSCreateMapTable NSCreateMapTableWithZone NSCreateZone NSCreatesSortDescriptorBindingOption NSCreationTimeDocumentAttribute NSCriticalAlertStyle NSCriticalRequest NSCriticalValueBinding NSCrossfadeView crossFadeAnimation setCrossFadeAnimation_ NSCurrencySymbol NSCurrentLocaleDidChangeNotification NSCursor _coreCursorType _getImageAndHotSpotFromCoreCursor _initWithHotSpot_ _premultipliedARGBBitmaps _reallySet _setImage_ forceSet hotSpot initWithImage_foregroundColorHint_backgroundColorHint_hotSpot_ initWithImage_hotSpot_ isSetOnMouseEntered isSetOnMouseExited push setOnMouseEntered_ setOnMouseExited_ NSCursorAttributeName NSCursorPointingDevice NSCursorUpdate NSCursorUpdateMask NSCurveToBezierPathElement NSCustomColorSpace NSCustomFunctionBarItem NSCustomImageRep drawHandler drawSelector drawingHandler initWithDrawSelector_delegate_ initWithDrawSelector_delegate_flipped_ initWithSize_drawHandler_ initWithSize_flipped_drawHandler_ initWithSize_flipped_drawingHandler_ NSCustomObject nibInstantiate NSCustomPaletteModeColorPanel NSCustomPredicateOperator initWithCustomSelector_modifier_ NSCustomReleaseData initWithBytes_length_releaseBytesBlock_ NSCustomResource _loadImageWithName_ loadCIImageWithName_ loadImageWithName_ loadSoundWithName_ resourceName setResourceName_ NSCustomSelectorPredicateOperatorType NSCustomTouchBarItem NSCustomView _descendantIsConstrainedByConstraint_ _setAsClipViewDocumentViewIfNeeded nibInstantiateWithObjectInstantiator_ NSDOStreamData NSDarkGray NSDashCheckingResult NSData __bytes__ NSDataAsset initWithName_bundle_ NSDataBase64DecodingIgnoreUnknownCharacters NSDataBase64Encoding64CharacterLineLength NSDataBase64Encoding76CharacterLineLength NSDataBase64EncodingEndLineWithCarriageReturn NSDataBase64EncodingEndLineWithLineFeed NSDataBinding NSDataDetectionIndicatorMenu _addMenuItemWithTitle_handler_ _addSidebandMenuUpdaterForRoles_token_priority_handler_ _allowsDifferentInitialPopupSelection _associateStatusItem_ _cancelTrackingWithFade_ _condensesSeparators _confinementRectForScreen_ _contextMenuImpl _contextMenuPluginAEDesc _createExtraIvars _createMenuImpl _delegateWantsCloseCall _delegateWantsConfinementRectCall _delegateWantsDidFailToOpenCall _delegateWantsHighlightedCall _delegateWantsOpenCall _delegateWantsPopulateCall _delegateWantsPrepareCall _enableItem_ _enableItems _endHandlingCarbonEvents_ _fontOrNilIfDefault _getKeyEquivalentUniquerCreatingIfNecessary_ _hasNCStyle _hasPaddingOnEdge_ _hasPendingCancellationEvent _image_frame_forPopUpMenuPositioningItem_atLocation_inView_appearance_ _indentationWidth _indexOfItemWithPartialTitle_ _informDelegateOfHighlightedItem_ _insertItemInSortedOrderWithTitle_action_keyEquivalent_ _internalPerformActionForItemAtIndex_ _isContextualMenu _isInMainMenu _itemArray _layoutDirectionIfExists _limitedViewWantsRedisplayForItem_inRect_ _lockMenuPosition _menuChanged _menuImpl _menuImplIfExists _menuItem_didChangeAccessibilityOverriddenAttribute_from_to_ _menuItem_didChangeActionFrom_to_ _menuItem_didChangeAlternateFrom_to_ _menuItem_didChangeAttributedTitleFrom_to_ _menuItem_didChangeCustomViewFrom_to_ _menuItem_didChangeCustomViewHandlesEventsFrom_to_ _menuItem_didChangeDestructiveFrom_to_ _menuItem_didChangeEnabledStateFrom_to_ _menuItem_didChangeFontFrom_to_ _menuItem_didChangeHiddenFrom_to_ _menuItem_didChangeImageFrom_to_ _menuItem_didChangeIndentFrom_to_ _menuItem_didChangeKeyEquivalentFrom_to_ _menuItem_didChangeKeyEquivalentModifierMaskFrom_to_ _menuItem_didChangeKeyEquivalentVirtualKeyCodeFrom_to_ _menuItem_didChangeNewItemsCountFrom_to_ _menuItem_didChangeNextItemIsAlternateFrom_to_ _menuItem_didChangeRespectsKeyEquivalentWhileHiddenFrom_to_ _menuItem_didChangeSeparatorStatusFrom_to_ _menuItem_didChangeStateImageFrom_to_ _menuItem_didChangeSubmenuContentsWithSubmenu_ _menuItem_didChangeSubmenuFrom_to_ _menuItem_didChangeTitleFrom_to_ _menuItem_didChangeTooltipFrom_to_ _menuName _menuOwner _menuOwnerCanUseMenuWhenModal _menuPluginInsertionMode _menuPluginTypes _menuServicesStartingRequestor _notifySupermenuOfSubmenuChange _ownedByPopUp _owningPopUp _performActionWithHighlightingForItemAtIndex_ _performActionWithHighlightingForItemAtIndex_sendAccessibilityNotification_ _performKeyEquivalentWithDelegate_ _performSidebandUpdatersForRole_withEventRef_ _popUpMenuWithEvent_forView_ _populateFromDelegateWithEventRef_ _populateFromSidebandUpdatersOfSign_withEventRef_ _populateWithEventRef_ _populate_ _postItemChangedNotificationButIgnoringItOurselves_ _recursiveItemWithTarget_action_allowNilTarget_ _recursivelyChangeLayoutDirectionFrom_to_ _recursivelyNoteChangedIsInMainMenu_ _recursivelyUpdateKeyEquivalents _removeSidebandMenuUpdaterForToken_ _sendMenuClosedNotification_ _sendMenuOpeningNotification_ _servicesMenuItemsAreForContextMenu _setAllowsDifferentInitialPopupSelection_ _setAvoidUsingCache_ _setCondensesSeparators_ _setContextMenuPluginAEDesc_ _setEnabled_ _setHasNCStyle_ _setHasPadding_onEdge_ _setIndentationWidth_ _setIsContextualMenu_ _setMenuName_ _setMenuOwner_ _setMenuPluginInsertionMode_ _setMenuPluginTypes_ _setMenuServicesStartingRequestor_ _setOwnedByPopUp_ _setStoryboard_ _setSuppressAutoenabling_ _sidebandUpdaterRoles _unlockMenuPosition _updateEnabled _updateForTracking addItemWithTitle_action_keyEquivalent_ addItem_ allowsContextMenuPlugIns attachedMenu cancelTracking cancelTrackingWithoutAnimation contextMenuRepresentation highlightItem_ highlightedItem indexOfItemWithSubmenu_ initWithTitle_ insertItemWithTitle_action_keyEquivalent_atIndex_ insertItem_atIndex_ isAttached isTornOff itemChanged_ itemWithTag_ locationForSubmenu_ menuBarHeight menuChangedMessagesEnabled menuRepresentation minimumWidth performActionForItemAtIndex_ popUpMenuPositioningItem_atLocation_inView_ popUpMenuPositioningItem_atLocation_inView_appearance_ presentControllerAsModalWindow_ setAllowsContextMenuPlugIns_ setContextMenuRepresentation_ setMenuChangedMessagesEnabled_ setMenuRepresentation_ setMinimumWidth_ setShowsStateColumn_ setSubmenu_forItem_ setSupermenu_ setTearOffMenuRepresentation_ showsStateColumn supermenu tearOffMenuRepresentation NSDataDetectionIndicatorView _showMenu_ bindToTextView_forDataResult_inRange_ NSDataDetector checkingTypes enumerateMatchesInString_options_range_usingBlock_ firstMatchInString_options_range_ initWithPattern_options_error_ initWithTypes_error_ matchesInString_options_range_ numberOfCaptureGroups numberOfMatchesInString_options_range_ rangeOfFirstMatchInString_options_range_ replaceMatchesInString_options_range_withTemplate_ replacementStringForResult_inString_offset_template_ stringByReplacingMatchesInString_options_range_withTemplate_ NSDataReadingMapped NSDataReadingMappedAlways NSDataReadingMappedIfSafe NSDataReadingUncached NSDataSearchAnchored NSDataSearchBackwards NSDataWritingAtomic NSDataWritingFileProtectionComplete NSDataWritingFileProtectionCompleteUnlessOpen NSDataWritingFileProtectionCompleteUntilFirstUserAuthentication NSDataWritingFileProtectionMask NSDataWritingFileProtectionNone NSDataWritingWithoutOverwriting NSDate NSDateCheckingResult initWithRange_date_ initWithRange_date_timeZone_duration_ initWithRange_date_timeZone_duration_referenceDate_ initWithRange_date_timeZone_duration_referenceDate_underlyingResult_ initWithRange_date_timeZone_duration_referenceDate_underlyingResult_timeIsSignificant_timeIsApproximate_ initWithRange_date_timeZone_duration_referenceDate_underlyingResult_timeIsSignificant_timeIsApproximate_timeIsPast_ initWithRange_date_timeZone_duration_referenceDate_underlyingResult_timeIsSignificant_timeIsApproximate_timeIsPast_leadingText_trailingText_ NSDateComponentUndefined NSDateComponents era isLeapMonth isLeapMonthSet isValidDate isValidDateInCalendar_ nanosecond quarter setDay_ setEra_ setHour_ setLeapMonth_ setMinute_ setMonth_ setNanosecond_ setQuarter_ setSecond_ setValue_forComponent_ setWeekOfMonth_ setWeekOfYear_ setWeek_ setWeekdayOrdinal_ setWeekday_ setYearForWeekOfYear_ setYear_ valueForComponent_ week weekOfMonth weekOfYear weekday weekdayOrdinal yearForWeekOfYear NSDateComponentsFormatter _NSDateComponentsFormatter_commonInit _calendarFromDateComponents_ _calendarOrCanonicalCalendar _canonicalizedDateComponents_withCalendar_usedUnits_ _ensureUnitFormatterWithLocale_ _flushFormatterCache _stringFromDateComponents_ _stringFromTimeInterval_ allowsFractionalUnits collapsesLargestUnit includesApproximationPhrase includesTimeRemainingPhrase maximumUnitCount setAllowsFractionalUnits_ setCollapsesLargestUnit_ setIncludesApproximationPhrase_ setIncludesTimeRemainingPhrase_ setMaximumUnitCount_ setReferenceDate_ setUnitsStyle_ setZeroFormattingBehavior_ stringFromDateComponents_ stringFromDate_toDate_ stringFromTimeInterval_ unitsStyle zeroFormattingBehavior NSDateComponentsFormatterUnitsStyleAbbreviated NSDateComponentsFormatterUnitsStyleBrief NSDateComponentsFormatterUnitsStyleFull NSDateComponentsFormatterUnitsStylePositional NSDateComponentsFormatterUnitsStyleShort NSDateComponentsFormatterUnitsStyleSpellOut NSDateComponentsFormatterZeroFormattingBehaviorDefault NSDateComponentsFormatterZeroFormattingBehaviorDropAll NSDateComponentsFormatterZeroFormattingBehaviorDropLeading NSDateComponentsFormatterZeroFormattingBehaviorDropMiddle NSDateComponentsFormatterZeroFormattingBehaviorDropTrailing NSDateComponentsFormatterZeroFormattingBehaviorNone NSDateComponentsFormatterZeroFormattingBehaviorPad NSDateFormatString NSDateFormatter NSDateFormatterBehavior10_0 NSDateFormatterBehavior10_4 NSDateFormatterBehaviorDefault NSDateFormatterFullStyle NSDateFormatterLongStyle NSDateFormatterMediumStyle NSDateFormatterNoStyle NSDateFormatterShortStyle NSDateInterval containsDate_ endDate initWithStartDate_duration_ initWithStartDate_endDate_ intersectionWithDateInterval_ intersectsDateInterval_ isEqualToDateInterval_ startDate NSDateIntervalFormatter _stringFromDate_toDate_ boundaryStyle dateTemplate setBoundaryStyle_ setDateTemplate_ stringFromDateInterval_ NSDateIntervalFormatterFullStyle NSDateIntervalFormatterLongStyle NSDateIntervalFormatterMediumStyle NSDateIntervalFormatterNoStyle NSDateIntervalFormatterShortStyle NSDatePicker _disabledTextColor _forcesLeadingZeroes _setDisabledTextColor_ _setForcesLeadingZeroes_ _setWrapsDateComponentArithmetic_ _wrapsDateComponentArithmetic datePickerElements datePickerMode datePickerStyle maxDate minDate ns_hasCalendar ns_hasClock ns_hasClockAndCalendar ns_isGraphical setDatePickerElements_ setDatePickerMode_ setDatePickerStyle_ setDateValue_ setMaxDate_ setMinDate_ setTimeInterval_ NSDatePickerCell _addEditableSubfieldForElement_dateFormat_ _addStaticSubfieldWithString_ _addSubfieldForElement_withDateFormat_referenceStrings_ _adjustDatePickerElement_by_returnCalendarToHomeMonth_ _adjustDate_byEras_years_months_days_hours_minutes_seconds_ _allocateDatePickerCellExtraIvars _analogClockTrackMouse_inRect_ofView_untilMouseUp_ _autoAdvanceCalendar_ _calendarContentAttributedStringWithSelectedDayCells_ _calendarDateComponentsForPoint_inCalendarRect_ _calendarDateComponentsOfFirstDayOfDisplayedMonthOffset_ _calendarDayNamesStringForFirstWeekday_ _calendarDaysFrameForDatePickerCellFrame_ _calendarFirstDayOfDisplayedMonthDateComponents _calendarFirstWeekday _calendarIsRTL _calendarRangeOfAllDaysForDisplayedMonth _calendarRangeOfAllDaysForDisplayedMonthOffset_ _calendarRangeOfSelectedDaysForDisplayedMonthOffset_ _calenderHeaderTextColorBasedOnEnabledState _calenderWeekdayHeaderTextColorBasedOnEnabledState _cancelSubfieldFieldChanges _cancelUserEditTimer _clampDayToValidRangeInDateComponents_ _clockAndCalendarAdvanceMonth _clockAndCalendarAdvanceMonthCell _clockAndCalendarCellSize _clockAndCalendarContinueTracking_at_inView_ _clockAndCalendarFillDayCellRange_withColor_inFrame_inView_ _clockAndCalendarFillDayCell_withColor_inFrame_inView_ _clockAndCalendarGetClockFrame_calendarFrame_retreatMonthCellFrame_advanceMonthCellFrame_returnToHomeMonthButtonCellFrame_forDatePickerCellFrame_ _clockAndCalendarIsTargetMonthLeapMonth_offset_ _clockAndCalendarKeyDown_inRect_ofView_ _clockAndCalendarLeftArrowClicked_ _clockAndCalendarRetreatMonth _clockAndCalendarRetreatMonthCell _clockAndCalendarReturnToHomeMonthButtonCell _clockAndCalendarReturnToHomeMonth_ _clockAndCalendarRightArrowClicked_ _clockAndCalendarStartTrackingAt_inView_ _clockAndCalendarStopTracking_at_inView_mouseIsUp_ _clockAndCalendarTakeDisplayedMonthFromDateValue _clockAndCalendarTakeDisplayedMonthFromTodaysDate _clockAndCalendarTrackMouse_inRect_ofView_untilMouseUp_ _commitSubfieldFieldChanges _componentsOfInterestToDatePickerFromDate_ _concoctUnholyAbominationOfADateFormatThatMakesAMockeryOfLocalization _constrainAndSetDateValue_timeInterval_sendActionIfChanged_beepIfNoChange_returnCalendarToHomeMonth_preserveFractionalSeconds_ _constrainDateValue_timeInterval_ _createSubfields _dateFormatter _dateFromComponents_ _dateIsAM_ _datePreferencesDidChange_ _dayOfWeekForDate_ _decrementSelectedSubfield _deleteDigit _desiredTextAreaSize _digitForLocalizedDigitCharacter_ _drawAnalogClockWithFrame_inView_ _drawClockAndCalendarWithFrame_inView_ _drawTextFieldWithStepperWithFrame_inView_ _effectiveCalendar _effectiveLocale _finishPendingEdit _fixUpDatePickerElementFlags _formatGregorianYearWithDate_ _getTextAreaFrame_stepperCellFrame_forDatePickerCellFrame_ _hasFocusRingInView_ _hitTestClockAndCalendar_inRect_ofView_ _hitTestTextFieldWithStepper_inRect_ofView_ _incrementSelectedSubfield _indexOfSelectedSubfield _indexOfSubfieldAtPoint_inTextAreaFrame_ _insertDigit_ _invalidateDateFormatter _localeIsRTL _makeSubfieldsWithHandler_ _notifyDelegateIndexOfSelectedSubfieldDidChange _numberFormatter _rangeOfDaysForMonth_year_ _referenceDatesForElement_ _registerForDatePreferencesChanges _resetUserEditTimer _selectFirstSubfield _selectLastSubfield _selectNextSubfield _selectPreviousSubfield _setPM_ _setStepper_ _shouldShowFocusRingInView_ _stepper _stepperCell _stepperCellTopAndBottomTrim _stepperCellValueChanged_ _stepperIsRTL _stringForDatePickerElement_usingDateFormat_ _subfieldOffsetForTextAreaFrame_ _subfields _subfieldsFrame _textColorBasedOnEnabledState _textFieldAlignment _textFieldCellSize _textFieldWithStepperCellSize _textFieldWithStepperKeyDown_inRect_ofView_ _textFieldWithStepperTrackMouse_inRect_ofView_untilMouseUp_ _toggleAMPM _unregisterForDatePreferencesChanges _updateSubfieldStringsForDateChange _useChineseSetting _userEditExpired_ accessibilityDateTimeComponentsAttribute accessibilityIsDateTimeComponentsAttributeSettable NSDateTimeOrdering NSDayCalendarUnit NSDeallocateObject NSDeallocateZombies NSDebugEnabled NSDebugMenu debugMenu NSDebugMenuActionRecorderProvider _createActionRecordWindow _toggleActionRecorder_ _toggleFilter_ menuItem tableView_shouldSelectRow_ tableView_viewForTableColumn_row_ NSDebugMenuBundleInfoProvider NSDebugMenuDumpLayerProvider _dumpLayerForFunctionRow_ _dumpLayerForView_ _dumpLayerForWindow_ menu_updateItem_atIndex_shouldCancel_ numberOfItemsInMenu_ windowsMenuCreateIfNecessary NSDebugMenuUserDefaultController _toggleDefault_ createNewMenuItem currentBoolValue defaultName initWithName_defaultValue_dynamicGetter_dynamicSetter_ NSDebugMenuUserDefaultsProvider _defaultControllersDidChange_ defaultsMenuCreateIfNecessary menuHasKeyEquivalent_forEvent_target_action_ NSDebugString NSDecimal __abs__ __floordiv__ __neg__ __pos__ __pow__ __pyobjc_object__ __rfloordiv__ __round__ __rpow__ __rtruediv__ __truediv__ as_float as_int NSDecimalAdd NSDecimalCompact NSDecimalCompare NSDecimalCopy NSDecimalDigits NSDecimalDivide NSDecimalIsNotANumber NSDecimalMaxSize NSDecimalMultiply NSDecimalMultiplyByPowerOf10 NSDecimalNormalize NSDecimalNumber __mod__ __rmod__ decimalNumberByAdding_ decimalNumberByAdding_withBehavior_ decimalNumberByDividingBy_ decimalNumberByDividingBy_withBehavior_ decimalNumberByMultiplyingByPowerOf10_ decimalNumberByMultiplyingByPowerOf10_withBehavior_ decimalNumberByMultiplyingBy_ decimalNumberByMultiplyingBy_withBehavior_ decimalNumberByRaisingToPower_ decimalNumberByRaisingToPower_withBehavior_ decimalNumberByRoundingAccordingToBehavior_ decimalNumberBySubstracting_ decimalNumberBySubstracting_withBehavior_ decimalNumberBySubtracting_ decimalNumberBySubtracting_withBehavior_ initWithDecimal_ initWithMantissa_exponent_isNegative_ initWithString_locale_ NSDecimalNumberDivideByZeroException NSDecimalNumberExactnessException NSDecimalNumberHandler exceptionDuringOperation_error_leftOperand_rightOperand_ initWithRoundingMode_scale_raiseOnExactness_raiseOnOverflow_raiseOnUnderflow_raiseOnDivideByZero_ roundingMode NSDecimalNumberOverflowException NSDecimalNumberPlaceholder NSDecimalNumberUnderflowException NSDecimalPower NSDecimalRound NSDecimalSeparator NSDecimalString NSDecimalSubtract NSDecimalTabStopType NSDecodingFailurePolicyRaiseException NSDecodingFailurePolicySetErrorAndReturn NSDecrementExtraRefCountWasZero NSDefaultAttributesDocumentAttribute NSDefaultAttributesDocumentOption NSDefaultControlTint NSDefaultMallocZone NSDefaultRunLoopMode NSDefaultTabIntervalDocumentAttribute NSDefaultTokenStyle NSDefinitionPresentationTypeDictionaryApplication NSDefinitionPresentationTypeKey NSDefinitionPresentationTypeOverlay NSDeleteCharFunctionKey NSDeleteCharacter NSDeleteCommand NSDeleteFunctionKey NSDeleteLineFunctionKey NSDeletesObjectsOnRemoveBindingsOption NSDemoApplicationDirectory NSDemoTouchBar slider_ NSDescendingPageOrder NSDeserializer NSDesktopDirectory NSDesktopImageView _forceReloadDesktopPicture _setDesktopImageBaseOnWorkspace _startLoadingDesktopPicture _startObservingWindow _stopObservingWindow displayID NSDestinationInvalidException NSDetachedTabDraggingImageToWindowTransitionController _initWithMiniWindow_ofWidth_dropLocation_delegate_ _setUpWindow _setUpWindowAnimationEndFrame _setUpWindowAnimationStartFrameWithMiniWindowWidth_ _startFullScreenAnimation _startNonFullScreenAnimation _updateAnimationWithProgress_ _willDestinationWindowMoveToFullScreen NSDeveloperApplicationDirectory NSDeveloperDirectory NSDeviceBitsPerSample NSDeviceBlackColorSpace NSDeviceCMYKColor initWithCyan_magenta_yellow_black_alpha_ NSDeviceCMYKColorSpace NSDeviceColorSpaceName NSDeviceIndependentModifierFlagsMask NSDeviceIsPrinter NSDeviceIsScreen NSDeviceNColorSpaceModel NSDeviceRGBColor NSDeviceRGBColorSpace NSDeviceResolution NSDeviceSize NSDeviceWhiteColor NSDeviceWhiteColorSpace NSDiacriticInsensitivePredicateOption NSDiacriticInsensitiveSearch NSDictationManager _dictationIsAllowed _dictationIsEnabled _dictationKeyChanged _inputSourceRef _updateKeyEquivalentForMenuItem_ dictationItemSelected_ NSDictionary NSDictionaryController _buildAndAssignNewContentDictionary _dictionaryForKeyValuePairArray_pullExcludedKeysFromDictionary_ _insertionKeyForDictionary_minimumIndex_ _keyForLocalizedKeyDictionary _keyForLocalizedKey_ _keyValuePairArrayForDictionary_reuseKeyValuePairsFromArray_ _localizedKeyForKey_ _newObject _noteKeyValuePairChangedKey_ _noteKeyValuePairChangedValue_ _recomputeLocalizedKeys _setArrayContentInBackground_ _transformationForString_dictionary_ _updateLocalizedDictionaryForNewLocalizedKeyTable deepCopiesValues excludedKeys includedKeys initialKey localizedKeyDictionary localizedKeyTable setDeepCopiesValues_ setExcludedKeys_ setIncludedKeys_ setInitialKey_ setInitialValue_ setLocalizedKeyDictionary_ setLocalizedKeyTable_ NSDictionaryControllerKeyValuePair isExplicitlyIncluded localizedKey setLocalizedKey_ NSDictionaryDetailBinder NSDictionaryEntry NSDictionaryMapNode _doAttributeDecoding _relatedNodes attributeValues destinationsForRelationship_ initWithValues_objectID_ setDestinations_forRelationship_ NSDictionaryOfVariableBindings NSDictionaryStoreMap _archivedData _cheatAndLookAtCurrentValueOfnextPK64 _nodeFromObject_objectIDMap_ _setMetadata_ _storeMetadataForSaving _theDictionary addObject_objectIDMap_ databaseUUID externalMapping handleFetchRequest_ initWithStore_ initWithStore_fromArchivedData_ initWithStore_fromPath_ nextPK64 removeObject_objectIDMap_ retainedObjectIDsForRelationship_forObjectID_ saveToPath_ setDatabaseUUID_ updateObject_objectIDMap_ NSDidBecomeSingleThreadedNotification NSDimension converter dimension initWithSpecifier_symbol_converter_ initWithSymbol_ initWithSymbol_converter_ specifier NSDimingView NSDirInfo serializeToData writePath_docInfo_errorHandler_remapContents_hardLinkPath_ NSDirInfoDeserializer NSDirInfoSerializer NSDirectPredicateModifier NSDirectSelection NSDirectoryEnumerationSkipsHiddenFiles NSDirectoryEnumerationSkipsPackageDescendants NSDirectoryEnumerationSkipsSubdirectoryDescendants NSDirectoryEnumerator NSDirectoryFileType NSDirectorySubpathsOperation _handleFTSEntry_ _setError_ _shouldFilterEntry_ _validatePaths_ handlePathname_ shouldProceedAfterError_ subpaths NSDirectoryTraversalOperation NSDisableScreenUpdates NSDisabledAutomaticTermination __dict__ __enter__ __exit__ __weakref__ NSDisabledSuddenTermination NSDisclosureBezelStyle NSDisclosureButtonCell _navExpansionCommonInit NSDiscreteCapacityLevelIndicatorStyle NSDisplayCycle addDisplayObserver_ addLayoutObserver_ addUpdateConstraintsObserver_ addUpdateStructuralRegionsObserver_ observerNeedsDisplay_ observerNeedsLayout_ observerNeedsUpdateConstraints_ observerNeedsUpdateStructuralRegions_ NSDisplayCycleObserver displayHandler layoutHandler needsUpdateStructuralRegions setDisplayHandler_ setLayoutHandler_ setNeedsUpdateStructuralRegions_ setUpdateConstraintsHandler_ setUpdateStructuralRegionsHandler_ updateConstraintsHandler updateStructuralRegionsHandler NSDisplayFontBinder _adjustFontOfObject_mode_triggerRedisplay_compareDirectly_toFont_ _availableBindingsWithFontBindingsFiltered_ _fontFromBindingsWithMode_referenceFont_fallbackFont_ _isAnyFontBindingBoundToController_ _valueForBindingWithResolve_mode_ updateInvalidatedFont_forObject_ NSDisplayGamutP3 NSDisplayGamutSRGB NSDisplayLink addToRunLoop_forMode_ isPaused setPaused_ NSDisplayNameBindingOption NSDisplayPatternBinder _adjustObject_mode_triggerRedisplay_ _patternForBinding_ _setDisplayValue_object_triggerRedisplay_ displayPattern setDisplayPattern_ NSDisplayPatternBindingOption NSDisplayPatternTitleBinder NSDisplayPatternTitleBinding NSDisplayPatternValueBinding NSDisplayTiming displayTimeStampAfterTimeStamp_ displayTimeStampBeforeTimeStamp_ displayTimeStampForSubmissionTimeStamp_ submissionTimeStampAfterTimeStamp_ submissionTimeStampBeforeTimeStamp_ submissionTimeStampForDisplayTimeStamp_ NSDisplayWindowRunLoopOrdering NSDistantObject _releaseWireCount_ connectionForProxy initWithLocal_connection_ initWithTarget_connection_ protocolForProxy retainWireCount setProtocolForProxy_ NSDistantObjectRequest NSDistantObjectTableEntry NSDistinctUnionOfArraysKeyValueOperator NSDistinctUnionOfObjectsKeyValueOperator NSDistinctUnionOfSetsKeyValueOperator NSDistributedLock breakLock lockDate NSDistributedNotificationCenter _addObserver_notificationNamesAndSelectorNames_object_onlyIfSelectorIsImplemented_ _removeObserver_notificationNamesAndSelectorNames_object_ addObserverForName_object_queue_usingBlock_ addObserverForName_object_suspensionBehavior_queue_usingBlock_ addObserver_selector_name_object_ addObserver_selector_name_object_suspensionBehavior_ postNotificationName_object_ postNotificationName_object_userInfo_ postNotificationName_object_userInfo_deliverImmediately_ postNotificationName_object_userInfo_options_ postNotification_ removeObserver_name_object_ setSuspended_ suspended NSDistributedNotificationDeliverImmediately NSDistributedNotificationPostToAllSessions NSDistributedObjectsStatistics addStatistics_ NSDivideRect NSDocFormatReader _addContentsToDictionary_depth_ _appendSanitizedTextBytes_length_encoding_isSymbol_attributes_ _appendTextBytes_length_encoding_attributes_ _attributes1ForPageOffset_entryOffset_baseAttributes_ _attributes2ForPageOffset_entryOffset_blockType_baseAttributes_depth_ _colorComponentsForIndex_redComponent_greenComponent_blueComponent_ _endTableRow_ _fixParagraphStyles _fontWithNumber_size_bold_italic_ _parse _parseCharacterAttributes _parseCharacterAttributes1 _parseCharacterAttributes2 _parseContentsDictionary _parseDocumentAttributes _parseDocumentAttributes1 _parseDocumentAttributes2 _parseFonts _parseFonts1 _parseFonts2 _parseGlobals _parseParagraphAttributes _parseParagraphAttributes1 _parseParagraphAttributes2 _parsePredefinedAttributes _parsePredefinedAttributes1 _parsePredefinedAttributes2 _parseSummaryInfo_ _parseText _parseText1 _parseText1Fast _parseText1Full _parseText2 _predefinedAttributes2ForIndex_depth_ _removePrivateAttributes _underlineStyleForArgument_ attributesAtIndex_effectiveRange_inRange_ documentAttributes initWithPath_options_ paragraphAttributesAtIndex_effectiveRange_inRange_ predefinedAttributesForIndex_depth_ setMutableAttributedString_ NSDocFormatTextDocumentType NSDocFormatWriter _writeCharacterData _writeDocumentData _writeInfoStringForKey_number_headerData_contentsData_ _writeParagraphData _writeSummaryData_ docFormatData setDocumentAttributes_ NSDocInfo initFromInfo_ initWithFileAttributes_ NSDocModalWindowMask NSDockConnection _makeConnectionIfNeeded _makeConnectionIfNeededWithRetryInterval_onDemand_ _processEvent_ initWithServiceName_receiveHandler_ reactToDockAlive reactToDockDied sendMessage_synchronous_replyHandler_ NSDockFrameView NSDockMiniContentView NSDockMiniViewController _frameChanged _setShown_ initWithView_ miniViewIdentifier NSDockMiniViewWindow NSDockTile _backstopView _createFrameViewIfNeeded _dockIsAlive_ _dockTileScaleFactorChanged_ _getDockContext_andSize_ _getSizeFromDock _hasCustomContent _miniViewResized _needsTigerDockContextBehavior _reenableAppNap_ _registerForDockScaleChangeNotification _releaseContextIfEmpty _releaseDockContext _setMiniViewShown_ _setMiniViewWindowLevel_ _setMiniView_contextid_ _temporarilyDisableAppNap _tileImage _unregisterForDockScaleChangeNotification _updateDockWindowIDAndDisplayIfNeeded_ badgeLabel frameChanged_ initWithOwner_ invalidateOwner miniView setBadgeLabel_ setMiniView_ setShowsApplicationBadge_ showsApplicationBadge NSDockWindowLevel NSDocument PDFPrintOperation __setDisplayName_ _activityCompletionHandlerForActivity_ _addNonModalError_ _addRevertItemsToMenu_ _allUnautosavedChangesAreDiscardable _allowedTypesFromSavePanelType _asynchronousWritingDidBeginAfterUnblockingUserInteraction _asynchronousWritingDidEnd _attemptNonModalErrorRecovery_ _attemptToFreeDiskSpace _autoDuplicateOriginalDocumentURL _automaticallyDuplicateThenUpdateChangeCount_ _autosaveDocumentBecauseOfTimerWithCancellability_ _autosaveDocumentWithDelegate_didAutosaveSelector_implicitCancellability_contextInfo_ _autosaveElsewhereReason _autosavingDelay _autosavingError _autosavingPossibilityConcern _beginNextActivity _beginNextFileAccess _beginVersionsButtonUpdates _blockUserInteraction _bookmarkData _browseVersions _canAsynchronouslyPreserveVersionAfterWriting _canAsynchronouslyWriteToURL_ofType_forSaveOperation_ _canDisplayDocumentPopovers _canImplicitlySaveDocument _canNonModallyPresentAutosavingError_ _canRevertToDiscardRecentChanges _canRevertToSaved _canRevertToVersionForTag_ _canSave _canUseVersionBackupFileOptimization _cancelAllActivitiesAndFinishAsynchronously_ _changeWasDone_ _changeWasRedone_ _changeWasUndone_ _changeWillBeDone_ _checkAdvisoryAutosavingSafety _checkAutosavingAndReturnError_ _checkAutosavingAndUpdateLockedState _checkAutosavingIgnoringSafetyChecksThenContinue_ _checkAutosavingPossibilityAndReturnError_ _checkAutosavingThenContinue_ _checkAutosavingThenUpdateChangeCountShouldInterruptMainThreadBlocking _checkAutosavingThenUpdateChangeCount_ _checkFileModificationDateBeforeSavingToURL_saveOperation_ _checkForFileChangesThenSave_saveAs_orCancel_ _checkShouldRevertToChosenVersionThenContinue_ _cleanupBackupFileAtURL_ _cleanupOldVersions_keepingVersions_ _cleanupUbiquitousQuery _clearNonModalErrorForBucket_ _clearNonModalErrorsForSaveOperation_ _closeOtherDocumentWithURL_ _commitEditingThenContinue_ _commitEditingWithDelegate_didSomethingSelector_contextInfo_thenContinue_ _commonSetCurrentStateForTitlebarPopoverViewBridgeInfo_ _configureTitlebarPopoverViewBridgeInfo_ _continueActivityUsingBlock_ _continueCurrentFileAccessDuringBlock_ _coordinateReadingContentsAndReturnError_byAccessor_ _coordinateReadingContentsAndWritingItemAtURL_byAccessor_ _coordinateReadingContentsAndWritingItemAtURL_error_byAccessor_ _currentFileModificationDate _currentFileSize _defaultDirectoryURLForSaveOperation_ _defaultFromWritableTypeNames_ _deleteAllVersions _deleteAllVersions_ _deleteAutosavedContents _deleteThisVersion_ _didChangePersistentVersions _didUnblockUserInteraction _disablePeriodicAutosaving _discardEditing _discontinueFileAccessUsingBlock_ _displayNameForDuplicating _displayNameForURL_ _doCleanupOldVersions _documentShowsPanelOnCloseAndIsVisibleInWindow_ _documentUniquingNumber _document_didSucceed_forScriptCommand_ _document_shouldClose_forScriptCommand_ _draftHashForName_ _duplicateDocumentDestinationURL _duplicateHasAutomaticallyChosenName _editor_didCommit_soContinue_ _enablePeriodicAutosaving _endVersionsButtonUpdates _enqueueActivity_ _enqueueFileAccess_ _ensureDocumentIsUnlockedForMoveOrRenameThenContinue_ _errorDescriptionForTemporaryVersionStorageWarning _errorForAutosavingSafetyConcern_allowingDuplicate_userInfo_ _errorForExistingFileWhenChangingTypesWithURL_ _errorForOverwrittenFileWithSandboxExtension_andSaver_ _errorForUnlockFailureWithUnderlyingError_ _errorUserInfoForNonModalErrorCode_underlyingError_ _fileAccessCompletionHandlerForFileAccess_ _fileAccessStabilizedFileURL _fileAttributesToWriteToURL_ofType_forSaveOperation_originalContentsURL_error_ _fileContentsDeservesPreserving _fileCoordinator_asynchronouslyCoordinateReadingContentsAndWritingItemAtURL_byAccessor_ _fileCoordinator_coordinateReadingContentsAndWritingItemAtURL_byAccessor_ _fileNameExtensionAttributesIsOverridden _fileNameExtensionsForType_forUseInSavePanel_ _fileURLForNewDocumentWithFileSystemUniquing_customDirectoryURL_ _finishPreservingAfterSavingForSaveOperation_freshlyPreservedVersion_ _finishSavingToURL_ofType_forSaveOperation_changeCount_ _finishWritingToURL_byMovingItemAtURL_addingAttributes_error_ _finishWritingToURL_byTakingContentsFromItemAtURL_addingAttributes_usingTemporaryDirectoryAtURL_backupFileName_error_ _finishWritingToURL_byTakingContentsFromItemAtURL_replacingOriginalItemAtURL_addingAttributes_usingTemporaryDirectoryAtURL_backupFileName_error_ _handleConflicts _handleDocumentFileChanges_ _handleOtherFromDocumentTitlebarPopoverThenContinue_ _handlePurgedDocumentWithURL_completionHandler_ _handleRemoteDeletionValidationWithCompletionHandler_ _initForURL_withContentsOfURL_ofType_error_ _initWithContentsOfURL_ofType_error_ _initWithType_error_ _interruptingSynchronousFileAccess _invokeJavaOverrideForSelector_withErrorAndOtherArguments_ _isAutoDuplicate _isAutoDuplicateFromEmailAttachment _isBeingEdited _isDuplicate _isDuplicateDocumentDestinationWritable _isEmailAttachment _isExpendableAsUnsavedDocument _isFileAccessContinuing _isHandlingConflicts _isLocatedByURL_becauseOfAutosavedContentsFile_ _isOtherWellKnownAttachment _isPeriodicAutosavingEnabled _isSharingParticipant _isViewOnlyForSharing _javaLastError _lastOpenedVersion _lastSavedVersion _localizedSharingOwnerName _makeNewActivity _makeNonModalErrorOfType_underlyingError_ _moveDocumentToURL_andHideExtension_completionHandler_ _moveToURL_completionHandler_ _needsTemporaryVersionStorageWarning _nonModalError _nonModalErrors _oldVersion _openPanelForOtherInMovePanel_ _operationWithSandboxToken_didSucceed_ _originalDisplayName _originalDocument _originalDocumentURL _performActivity_ _performAsynchronousFileAccessUsingBlock_ _performFileAccess_ _performSynchronousFileAccessUsingBlock_ _populateRevertToMenu_ _prepareToMoveToURL_completionHandler_ _prepareToSaveToURL_forSaveOperation_completionHandler_ _preparedMovePanel _preparedSavePanelForOperation_ _presentAlertForFileOverwritten_moved_renamed_inTrash_orUnavailable_thenSave_saveAs_orCancel_ _presentAlertForRemoteDeletionValidationWithCompletionHandler_ _presentAlertWithPrimaryMessage_secondaryMessage_defaultButtonLabel_alternateButtonLabel_otherButtonLabel_ignoreAccidentalEvents_thenContinue_ _presentAlertWithPrimaryMessage_secondaryMessage_firstButtonLabel_isDefault_alternateButtonLabel_otherButtonLabel_ignoreAccidentalEvents_showSuppressionButton_thenContinue_ _presentAlertWithPrimaryMessage_secondaryMessage_firstButtonLabel_isDefault_alternateButtonLabel_otherButtonLabel_ignoreAccidentalEvents_thenContinue_ _presentError_ignoreAccidentalEvents_thenContinue_ _presentError_thenContinue_ _presentErrors_thenContinue_ _presentableFileNameForSaveOperation_url_ _presentedItemTemporaryVersionStorageIdentifier _presentsVersionsUserInterface _preservationActionAfterSaveOperation_ _preserveContentsIfNecessaryAfterWriting_toURL_forSaveOperation_version_error_ _preserveContentsOfURL_forURL_reason_comment_options_error_ _preserveCurrentVersionForReason_error_ _preserveFileContentsIfNecessaryAndReturnError_ _preserveVersionAfterWritingToURL_forSaveOperation_byMovingBackupFileAtURL_version_ _preventEditing _previousSavedVersion _printJobTitle _readFileIsDraft _reconcileDisplayNameAndTrackingInfoToFileURL _recordPreviousSaveDateForVersion_ _recoverableRenameFileError_proposedName_destinationURL_retryRenamer_renameCanceler_ _recoverableVariantOfOverwritingError_forOperation_url_type_temporaryDirectoryURL_newContentsURL_writer_ _releaseUndoManager _removeActivity_ _renameWithProposedName_grantHandler_destinationURL_hideExtensions_nameChecked_trashChecked_overwriteChecked_completionHandler_ _replacementTypeForSaveAsInsteadOfMoveToURL_modifiedURL_hideExtension_ _requestViewControllerForDocumentTitlebarPopover_thenDisplayPopoverUsingBlock_ _rescheduleAutosaving _resetMoveAndRenameSensing _resetTemporaryVersionStorageAlert _revertToAlternateContents_preservingFirst_error_ _revertToChosenVersion_orAlternateContents_thenContinue_ _revertToContentsOfURL_ofType_error_ _revertToDiscardRecentChangesOrBrowseVersions_thenContinue_ _revertToDiscardRecentChangesPreservingFirst_error_ _revertToSavedThenContinue_ _revertToVersionForTag_thenContinue_ _revertToVersion_preservingFirst_error_ _revertToVersion_thenContinue_ _runModalOpenPanel_thenContinue_ _runModalSavePanelForSaveOperation_delegate_didSaveSelector_contextInfo_ _saveDocumentWithDelegate_didSaveSelector_contextInfo_ _saveIfNecessaryWithDelegate_didSaveSelector_contextInfo_ _savePanelAccessoryViewForWritableTypes_defaultType_ _saveToURL_ofType_forSaveOperation_completionHandler_ _saveToURL_ofType_forSaveOperation_didSaveSelector_scriptCommand_ _saveToURL_ofType_forSaveOperation_error_ _scheduleAutosavingAfterDelay_reset_ _scheduleCleanupOldVersions _setAutoDuplicateFromEmailAttachment_ _setAutoDuplicateOriginalDocumentURL_ _setAutoDuplicate_ _setAutosavingCheckingIsDisabledForScripting_ _setAutosavingError_presented_ _setDisplayName_ _setDocumentUniquingNumber_ _setDuplicateDocumentDestinationURL_ _setDuplicate_ _setFileAtURL_isDraft_ _setFileContentsDeservesPreservingForReason_ _setFileIsDraft_ _setFileNameExtensionWasHiddenInLastRunSavePanel_ _setFileTagNames_ _setFileURLSandboxExtensionToken_ _setFileURL_ _setHandlingConflicts_ _setJavaLastError_ _setNonModalErrors_ _setOriginalDisplayName_ _setOriginalDocumentURL_ _setSaveType_ _setShouldSkipTemporaryVersionStorageAlert _setSuppressWindowTitleDisplayNameEmbellishment_ _setTagNamesFromLastRunSavePanel_ _setTagNames_ _setTemporaryVersionStorageIdentifier_ _shouldAutomaticallyDuplicate _shouldDeleteOnClose _shouldModallyPresentAutosavingError_ _shouldSaveDuplicateAtDestinationWithUserEnteredName_ _shouldSetDraftAttributeForSaveOperation_ _shouldSetTagsForSaveOperation_ _shouldShowAutosaveButtonForWindow_ _showAlertForPurgedDocumentWithAlternateContents_ _silentlyRecoverableVariantOfDiskFullError_resaver_ _silentlyRecoverableVariantOfSavingError_resaver_ _somethingDidSomething_soContinue_ _something_didSomethingSoContinue_ _something_didSomething_soContinue_ _suppressWindowTitleDisplayNameEmbellishment _synchronizeWindowTitles _synchronouslyCheckFileURLUsingBlock_ _tabbingIdentifier _tagNames _temporaryVersionStorageIdentifier _transferWindowOwnership _ubiquitousQueryUpdate_ _ubiquityIdentityChanged _unlockAndReturnError_ _unsetFileNameExtensionWasHiddenInLastRunSavePanel _updateAfterRevertingToContentsOfOwnFileURL_ofType_ _updateDocumentEditedAndAnimate_ _updateLockedStateWithAutosavingSafetyError_ _updatePersistentVersionsAfterRevertingToVersion_ _updateStateFromEdited_recentChanges_ _updateStateFromEdited_showsPanel_recentChanges_ _updateSuddenTermination _updateTemporaryVersionStorageState _updateTitleForMenuItem_originalTitle_ _updateTitlebarPopoverViewBridgeInfo_ _updateUbiquitousQuery _updateWindowControllersWithNonModalError_ _updateWindowControllersWithShowsPanelOnClose_ _versionForTag_ _versionModificationDateForTag_ _versionWasDeleted_ _waitForEditorCommittingThenPerformBlock_ _waitForUserInteractionUnblocking _warmupTitlebarPopover _willChangePersistentVersions _willPresentMovingError_ _willPresentPrintingError_ _willPresentRevertingError_ _willPresentSavingError_withURL_ofType_forOperation_recoveryContinuer_ _windowTitleDisplayName _windowsDidShow _windowsShouldDisplayDocumentShowsPanel _writableTypeForFileNameExtension_saveOperation_ _writableTypeForType_saveOperation_ _writeSafelyToURL_ofType_forSaveOperation_error_ _writeSafelyToURL_ofType_forSaveOperation_forceTemporaryDirectory_error_ accommodatePresentedItemDeletionWithCompletionHandler_ accommodatePresentedItemDisconnectionWithCompletionHandler_ addWindowController_ alternateContents alternateContentsDisassociationReason autosaveDocumentWithDelegate_didAutosaveSelector_contextInfo_ autosaveWithImplicitCancellability_completionHandler_ autosavedContentsFileURL autosavingDelay autosavingFileType autosavingIsImplicitlyCancellable backupFileURL browseDocumentVersions_ canAsynchronouslyWriteToURL_ofType_forSaveOperation_ canCloseDocument canCloseDocumentWithDelegate_shouldCloseSelector_contextInfo_ canEditTags canRestoreLocalVersions changeCountTokenForSaveOperation_ changeSaveType_ checkAutosavingPossibilityAndReturnError_ checkAutosavingSafetyAndReturnError_ continueActivityUsingBlock_ continueAsynchronousWorkOnMainThreadUsingBlock_ continueFileAccessUsingBlock_ dataOfType_error_ dataRepresentationOfType_ defaultDraftName disassociateAlternateContentsWithCompletionHandler_ duplicateAndReturnError_ duplicateDocumentWithDelegate_didDuplicateSelector_contextInfo_ duplicateDocument_ editingShouldAutomaticallyDuplicate fileAttributesToWriteToFile_ofType_saveOperation_ fileAttributesToWriteToURL_ofType_forSaveOperation_originalContentsURL_error_ fileNameExtensionForType_saveOperation_ fileNameExtensionWasHiddenInLastRunSavePanel fileNameFromRunningSavePanelForSaveOperation_ fileTypeFromLastRunSavePanel fileURL fileWrapperOfType_error_ fileWrapperRepresentationOfType_ hasExplicitChanges hasRecentChanges hasUnautosavedChanges hasUndoManager initForURL_withAlternateContents_ofType_error_ initForURL_withContentsOfURL_ofType_error_ initWithContentsOfFile_ofType_ initWithContentsOfURL_ofType_ initWithContentsOfURL_ofType_error_ initWithType_error_ isAlternateContentsMergeRequiredWhenMovingFromURL_toURL_ isAutosavingCritical isBrowsingVersions isClosed isConnectedToCollaborationServer isDraft isEntireFileLoaded isInViewingMode keepBackupFile lastComponentOfFileName loadDataRepresentation_ofType_ loadFileWrapperRepresentation_ofType_ lockDocumentWithCompletionHandler_ lockDocument_ lockWithCompletionHandler_ makeWindowControllers menuNeedsUpdate_ mergeAlternateContentsToURL_completionHandler_ moveDocumentToUbiquityContainer_ moveDocumentWithCompletionHandler_ moveDocument_ moveToURL_completionHandler_ needsAutosaveAsDraft performActivityWithSynchronousWaiting_usingBlock_ performActivityWithSynchronousWaiting_usingBlock_cancellationHandler_ performAsynchronousFileAccessUsingBlock_ performSynchronousFileAccessUsingBlock_ prepareCloudSharingPanel_ prepareMovePanel_ preparePageLayout_ prepareRenameSession_ prepareSavePanel_ prepareToDisassociateAlternateContentsWithCompletionHandler_ presentAlertForPurgedUbiquitousDocumentWithFormerAlternateContents_completionHandler_ presentedItemDidChange presentedItemDidDisconnect presentedItemDidGainVersion_ presentedItemDidLoseVersion_ presentedItemDidResolveConflictVersion_ presentedItemHasUnsavedChangesWithCompletionHandler_ preservesLocalVersions printDocumentWithSettings_showPrintPanel_delegate_didPrintSelector_contextInfo_ printDocument_ printOperationWithSettings_error_ printShowingPrintPanel_ readFromAlternateContents_ofType_error_ readFromData_ofType_error_ readFromFileWrapper_ofType_error_ readFromFile_ofType_ readFromURL_ofType_ readFromURL_ofType_error_ recentDocumentID relinquishPresentedItemToReader_ removeWindowController_ renameDocumentToURL_automaticallyChosen_extensionHidden_completionHandler_ renameDocument_ renameToDisplayName_grantHandler_completionHandler_ renameToURL_extensionHidden_completionHandler_ restoreDocumentWindowWithIdentifier_state_completionHandler_ revertDocumentToSaved_ revertToAlternateContents_ofType_error_ revertToContentsOfURL_ofType_error_ revertToSavedFromFile_ofType_ revertToSavedFromURL_ofType_ runModalMovePanelWithDelegate_didMoveSelector_contextInfo_ runModalPageLayoutWithPrintInfo_ runModalPageLayoutWithPrintInfo_delegate_didRunSelector_contextInfo_ runModalPrintOperation_delegate_didRunSelector_contextInfo_ runModalSavePanelForSaveOperation_delegate_didSaveSelector_contextInfo_ runModalSavePanel_withAccessoryView_ saveDocumentAs_ saveDocumentToPDF_ saveDocumentTo_ saveDocumentWithDelegate_didSaveSelector_contextInfo_ saveDocument_ saveToFile_saveOperation_delegate_didSaveSelector_contextInfo_ saveToURL_ofType_forSaveOperation_completionHandler_ saveToURL_ofType_forSaveOperation_delegate_didSaveSelector_contextInfo_ saveToURL_ofType_forSaveOperation_error_ scheduleAutosaving setAlternateContents_ setAutosavedContentsFileURL_ setDraft_ setFileModificationDate_ setFileName_ setFileType_ setHasUndoManager_ setLastComponentOfFileName_ setRecentDocumentID_ setUndoManager_ shareUbiquitousDocumentWithCompletionHandler_ shareUbiquitousDocument_ sharingState shouldChangePrintInfo_ shouldCloseWindowController_ shouldCloseWindowController_delegate_shouldCloseSelector_contextInfo_ shouldRunSavePanelWithAccessoryView showWindows stopBrowsingVersionsWithCompletionHandler_ tagNamesFromLastRunSavePanel tagsFromLastRunSavePanel unblockUserInteraction unlockDocumentWithCompletionHandler_ unlockDocument_ unlockWithCompletionHandler_ updateChangeCountWithToken_forSaveOperation_ updateChangeCount_ updateDocumentTitlebarButtonState validatePresentedItemRemoteDeletionWithCompletionHandler_ willHandleConflictsWithCompletionHandler_ willNotPresentError_ willRestoreVersion_completionHandler_ windowControllerDidLoadNib_ windowControllerWillLoadNib_ windowControllers windowForSheet writableTypesForSaveOperation_ writeSafelyToURL_ofType_forSaveOperation_error_ writeToFile_ofType_ writeToFile_ofType_originalFile_saveOperation_ writeToURL_ofType_ writeToURL_ofType_error_ writeToURL_ofType_forSaveOperation_originalContentsURL_error_ writeWithBackupToFile_ofType_saveOperation_ NSDocumentConflictPanelController _conflictsForURL_ _desiredHeightOfPanel _didClickOnImageView_forConflict_ _enumerateAllRowViewsUsingBlock_ _keepButtonTitleForNumberOfSelectedVersions_totalNumber_ _makeVersionView _panel _reloadConflictsRefreshingAll_ _selectedConflicts _selectedConflictsChanged _shouldShowTableView _startLoadingThumbnailForConflict_force_ _unselectedConflicts _updateButtons _updateConflictDisplay _updateNonTableView _windowBackingDidChange_ acceptsPreviewPanelControl_ beginConflictPanelForURL_modalForWindow_completionHandler_ beginPreviewPanelControl_ currentVersion endPreviewPanelControl_ keep_ numberOfPreviewItemsInPreviewPanel_ previewPanel_previewItemAtIndex_ previewPanel_shouldOpenURL_forPreviewItem_ previewPanel_shouldShowOpenButtonForItem_ previewPanel_shouldShowShareButtonForItem_ previewPanel_sourceFrameOnScreenForPreviewItem_ selectedVersions unselectedVersions NSDocumentController URLsFromRunningOpenPanel __closeAllDocumentsWithDelegate_shouldTerminateSelector_ __noteNewRecentDocumentURL_forKey_ _allDocumentClassesAutosaveInPlace _anyDocumentClassAutosavesInPlace _anyDocumentClassPreservesVersions _anyDocumentClassUsesUbiquitousStorage _appPersistenceIsJustOff _appProbablyNeedsWarmedUpSavePanel _appWillBecomeInactive_ _appearancePreferencesChanged_ _autoreopenDocumentsFromRecords_withCompletionHandler_ _autoreopenDocumentsIgnoringExpendable_withCompletionHandler_ _autosaveDirectoryURLCreateIfNecessary_ _autosaveRecordPathCreateIfNecessary_ _autosavingContentsURLIsReserved_ _beginBatchedOpeningWithURLs_ _canPerformBatchedDocumentOpening _closeAllDocumentsWithDelegate_shouldTerminateSelector_ _coordinateReadingAndGetAlternateContentsForOpeningDocumentAtURL_resolvingSymlinks_thenContinueOnMainThreadWithAccessor_ _coordinateReadingForOpeningDocumentAtURL_resolvingSymlinks_byAccessor_ _countOfOpeningDocuments _createAutoreopenRecordForDocument_withoutException_ _customizationOfError_withDescription_recoverySuggestion_recoveryOptions_recoveryAttempter_ _defaultType_ _depopulateOpenRecentMenu_ _didEndAsyncOpeningOrPrinting _documentBeingDuplicated _documentDidEndAsynchronouslyPreservingVersion_ _documentForAction_ _documentForURL_ _documentWillBeginAsynchronouslyPreservingVersion_ _editedDocumentCount _errorForMissingDocumentClassWithContentsURL_ofType_ _finishBatchedOpeningAndPresentErrors_ _finishOpeningDocument_andShowWindows_ _fixedFailureReasonFromError_ _getReadableNotWritable_types_forDocumentClass_ _indexOfOpeningDocument_ _installOpenRecentMenus _invalidateRecentDocumentInfosForVolumeURL_ _invalidateTypeDescriptionCache _invalidateUnresolvedRecentDocumentInfos _isAutoreopening _isInaccessibleUbiquitousItemAtURL_ _isMainThreadBlockedByWaiter _isNativeType_forDocumentClass_ _isPurgedItemAtURL_ _mountedVolumesDidChange_ _noteAutoreopenStateChangedForDocument_ _noteAutosavedContentsOfDocument_ _noteNewRecentDocumentURL_forKey_ _notePendingRecentDocumentURLsForKey_documentsSnapshot_ _notePendingRecentDocumentURLsIfNecessary _noteRecentDocumentInfoRemoved_forKey_ _oldMakeDuplicateDocumentWithContentsOfURL_copying_displayName_error_ _onMainThreadInvokeWorker_ _openDocumentFileAt_display_ _openDocumentWithContentsOfURL_usingProcedure_ _openDocumentsWithContentsOfURLs_display_presentErrors_ _openDocumentsWithContentsOfURLs_presentErrors_completionHandler_ _openFile_ _openRecentDocument_ _openUntitled _openUntitledDocumentOfType_andDisplay_error_ _openableFileExtensions _openableTypes _perAppRecentDocumentFileList _permitAutoreopeningOfDocuments _persistenceCanRecreateEmptyUntitledDocumentOfType_ _persistenceMustOpenDocumentsThroughApplicationDelegate _popMainThreadUnblockerThenContinue_ _populateOpenRecentMenu_includingIcons_ _presentableFileNameFromURL_ _printDocumentsWithContentsOfURLs_settings_showPrintPanels_completionHandler_ _pushMainThreadUnblocker_ _readRecentDocumentDefaultsForKey_ _recentDocumentInfoForKey_ _recentDocumentRecordsKeyForMenuTag_ _recentDocumentRecordsKeyForMenu_ _recentDocumentRecordsKeyForUserInterfaceItem_ _recentDocumentURLsForKey_ _refreshRecentDocumentURL_newURL_forDocument_ _replaceIDForRecentDocument_withID_ _reserveAutosavingContentsURL_ _resolveRecentDocumentsForKey_asynchronousUpdater_ _resolveTypeAlias_ _restorePersistentDocumentWithState_completionHandler_ _resumeMainThreadUnblocker_ _setDocumentBeingDuplicated_ _setInvokeVersionsForTimeMachine_ _setRevertToMenuHidden_ _setShouldInvertImplicitBehaviorToYesForCurrentRunLoop _setShouldInvertImplicitTabbingBehavior_ _setTabPlusButtonWasClicked_ _setupOpenPanel _shouldInvertImplicitTabbingBehavior _showOpenPanel _startResolvingRecentDocumentURLsForKey_includingResolved_preliminaryResultsHandler_completionHandler_ _suspendMainThreadUnblocker_thenContinueWhenComplete_ _tabPlusButtonWasClicked _typeDescriptionForName_ _typeDescriptions _types _typesForDocumentClass_includeEditors_includeViewers_includeExportable_ _ubiquityIdentityChanged_ _uniqueNumberForDocument_ _unreserveAutosavingContentsURL_ _updateMenu_withRecentDocumentInfos_includingIcons_ _updateOpenRecentDocumentsWithNewEntries_documentsSnapshot_ _utiUsage _waitForAsyncOpeningOrPrintingToFinishThenContinue_ _willBeginAsyncOpeningOrPrinting _willPresentCreationError_ _willPresentOpenForPrintingError_forURL_ _willPresentOpeningError_forDocumentWithDisplayName_ _willPresentOpeningError_forURL_ _willPresentReopeningError_forURL_contentsURL_ _windowAboveWindowOfOpeningDocumentAtIndex_orMakeKey_ _writeAutoreopenRecordsForOpenDocuments _writeAutoreopenRecords_ _writeRecentDocumentDefaultsForKey_ addDocument_ beginOpenPanelWithCompletionHandler_ beginOpenPanel_forTypes_completionHandler_ clearRecentDocuments_ closeAllDocuments closeAllDocumentsWithDelegate_didCloseAllSelector_contextInfo_ currentDirectory currentDocument defaultType displayNameForType_ documentClassForType_ documentClassNames documentForFileName_ documentForURL_ documentForWindow_ documents duplicateDocumentWithContentsOfURL_copying_displayName_error_ fileExtensionsFromType_ fileNamesFromRunningOpenPanel getAlternateContentsForDocumentAtURL_withFileCoordinationInterrupter_completionHandler_ hasEditedDocuments initJava1 initJava2 makeDocumentForURL_withAlternateContents_ofType_error_ makeDocumentForURL_withContentsOfURL_alternateContents_ofType_completionHandler_ makeDocumentForURL_withContentsOfURL_ofType_error_ makeDocumentWithContentsOfFile_ofType_ makeDocumentWithContentsOfURL_alternateContents_ofType_completionHandler_ makeDocumentWithContentsOfURL_ofType_ makeDocumentWithContentsOfURL_ofType_error_ makeUntitledDocumentOfType_ makeUntitledDocumentOfType_error_ maximumRecentDocumentCount newDocument_ newWindowForTab_ noteNewRecentDocumentURL_ noteNewRecentDocument_ openDocumentWithContentsOfFile_display_ openDocumentWithContentsOfURL_display_ openDocumentWithContentsOfURL_display_completionHandler_ openDocumentWithContentsOfURL_display_error_ openDocument_ openUntitledDocumentAndDisplay_error_ openUntitledDocumentOfType_display_ recentDocumentURLs removeDocument_ reopenDocumentForURL_withContentsOfURL_display_completionHandler_ reopenDocumentForURL_withContentsOfURL_error_ reviewUnsavedDocumentsWithAlertTitle_cancellable_ reviewUnsavedDocumentsWithAlertTitle_cancellable_delegate_didReviewAllSelector_contextInfo_ runModalOpenPanel_forTypes_ saveAllDocuments_ setAutosavingDelay_ setShouldCreateUI_ shouldCreateUI typeForContentsOfURL_error_ typeFromFileExtension_ NSDocumentControllerMainThreadUnblockerEntry _invokeInterrupter_ enqueueBlockingInterrupter_ transferBlockingInterruptersToUnblocker_ whenPendingInterruptersHaveCompletedInvokeBlock_ NSDocumentControllerMoreIVars NSDocumentControllerOpening documentWasAlreadyOpen recentDocumentRecordsKey seamlessOpener setDocumentWasAlreadyOpen_ setRecentDocumentRecordsKey_ setSeamlessOpener_ NSDocumentControllerPersistentRestoration loadedDocument_forAutoID_ waitForDocumentWithAutoID_thenDo_ windowsDidFinishRestoring NSDocumentControllerSubMenuDelegate initWithController_ updateMenu_withEvent_withFlags_ NSDocumentDeserializer fixupDirInfo_ NSDocumentDirectory NSDocumentDragButton _dragFile_fromRect_slideBack_event_ _showDragError_forFilename_ originalWindow NSDocumentEditedBinding NSDocumentErrorRecoveryAttempter attemptRecoveryFromError_optionIndex_ attemptRecoveryFromError_optionIndex_delegate_didRecoverSelector_contextInfo_ attemptSilentRecoveryFromError_error_ attemptSilentRecoveryFromError_thenContinue_ cancelRecovery initWithDocument_silentRecoveryOptionIndex_docModalRecoveryAttempter_appModalRecoveryAttempter_recoveryCanceler_ initWithDocument_wrappedRecoveryAttempter_continuer_ initWithDocument_wrappedRecoveryAttempter_customOptionIndexes_docModalRecoveryAttempter_appModalRecoveryAttempter_recoveryCanceler_ NSDocumentMoreIVars NSDocumentNonModalAlertViewController errorToDisplay setErrorToDisplay_ NSDocumentRevisionsAuxiliaryWindow customAccessibilityParent setCustomAccessibilityParent_ NSDocumentRevisionsButtonAppearance NSDocumentRevisionsController _acquireDocumentForRevision_ _addRevisionToCache_ _animateDisplayFadeOut_ _animateInspectorWindows _appDidDeactivate_ _asyncVersionLookupErrorCode _asyncVersionLookupInProgress _canDeleteCurrentVersion _canPreloadRevisions _canUnfocusWindow_ _cancelTransitoryAnimations _cleanupVisualizationState _closeAllRevisionDocuments _closeDrawers _cloudVersionPlaceholderView _currentDocument _currentStackItem _destinationFrameForFinishAnimation _destinationFrameForResizeAfterFinishAnimation _dictionaryForRevision_ _displayProgressPanelOnWindow_forDownloadingUbiquitousVersion_canceller_ _doDuplicateRevisionDocument_thenContinue_ _endVisualizationAfterDelay _evictRevision_ _finishedDownloadingNonLocalStackItem_ _focusAnimationForOriginalWindow_fromState_toState_ _focusAnimationFromState_toState_ _focusWindow_ _frameForAnimatingWindowFrame_toSize_ _handleIntrusion _hideRevisionWindow _insertVersions_ _inspectorWindows _installEventTap _isKeyWindowAllowed_ _isWindowFocused_ _loadDocumentForStackItem_wait_completionBlock_ _loadSnapshotForStackItem_forceNew_wait_thenContinue_ _nextRevisionIndexToPreload_ _outcome _performFinishAnimationThenContinue_thenContinueWhenExited_ _performStartAnimation _preferredSizeForRevision_ _preloadNextRevision_ _preloadRevisionAtIndex_thenContinue_ _prepareForFinishAnimationWithOutcome_ _prepareForStartAnimation _preventWindowCycling _relinquishRevision_ _requestUIForStackItem_wait_thenContinue_ _resizedOriginalDocumentWindowFrame _restoreLiveEnvironment _restoreWindowCycling _scheduleTransitoryAnimationOfWindow_startFrame_endFrame_startSize_endSize_hop_duration_ _setAsyncVersionLookupError_forDocument_ _setAsyncVersionLookupInProgress_forDocument_ _setDocument_forRevision_ _setPreferredSize_forRevision_ _sheetDidEnd_ _sheetWillBegin_ _shouldHideTimelineForWindowFocusState_ _showRevisionWindow_ _snapshotForDocument_ _snapshotOfPlaceholderView_ _startAsynchronouslyFetchingVersionsForURL_ _startDownloadingStackItem_completionHandler_ _startIntrusionDetection _startObservingRevisions _startObservingSheetsForWindow_ _startObservingWindowClosure _startObservingWindowFrameChanges _startPredownloadingNonLocalVersions _startPreloadingRevisions _startTransitoryAnimationsThenContinue_ _stopIntrusionDetection _stopObservingRevisions _stopObservingSheetsForWindow_ _stopObservingWindowClosure _stopObservingWindowFrameChanges _stopPreloadingRevisions _takeSnapshotOfWindow_ _takeStartAnimationTransitionSnapshotsExcludingWindows_ _unfocusWindowAfterSheetIfNecessary_ _unfocusWindow_ _uninstallEventTap _unshiftRevisionWindow _updateAsyncVersionLookupStatus _updateRevisionCacheCosts _versionLoadFailedPlaceholderView _versionsForDocument_ _willEvictRevision_ _windowDidBecomeKey_ _windowDidResize_ _windowForRevision_ _windowHasSheet cacheWillEvictRevision_ canGoToNextVersion canGoToPreviousVersion currentStackItemIndex discardAnyChangesToOldDocument duplicateCurrentRevision endVisualization endVisualizationOfDocument_thenContinue_ endVisualizationThenContinue_ endVisualizationWithOutcome_thenContinueAfterAnimation_ endVisualizationWithOutcome_thenContinueAfterAnimation_thenContinueWhenExited_ goToNextVersion_ goToPreviousVersion_ goToRevisionDidEnd goToRevisionWillBegin goToStackItemAtIndex_ isVisualizing isVisualizingDocument_ makeBackstopStackItems revertToCurrentRevision setCurrentStackItemIndex_ startDownloadingCurrentVersion_ startVisualizationWithDocument_options_thenContinue_ takeOverWindow_forRevision_ timelineAction_ NSDocumentRevisionsNonLocalVersionPlaceholderView _hasButtonOrProgress _layout _updateForProgress downloadProgress hasButton makeMessageTextField_ message1 message2 progressIndicatorAnimating progressIndicatorVisible setClickAction_target_ setDownloadProgress_ setElementsHidden_ setHasButton_ setMessage1_ setMessage2_ setProgressIndicatorAnimating_ setProgressIndicatorVisible_ NSDocumentRevisionsPlaceholderView NSDocumentRevisionsRevertProgressOverlayWindow NSDocumentRevisionsStackItem _setupLayerAsPlaceholder_ applyParameters_ documentFailedToLoad hasLocalData hasValidSnapshot hasWindowVisible placeholderView setDocumentFailedToLoad_ setHasLocalData_ setHasValidSnapshot_ setHasWindowVisible_ setPlaceholderView_ NSDocumentRevisionsStackLayer NSDocumentRevisionsView _alphaValueAtIndex_ _animateControlsForWindowFocusState_ _animateLayerAtIndex_fromPosition_toPosition_duration_completionHandler_ _animationDidEnd _animationParametersAtIndex_ _animationParametersFromIndex_toIndex_ _animationToIndexCompleted_ _animationWillStart _backgroundOpacityForLayerAtIndex_ _calculateLayerBoundsAtZ_withBaseBounds_ _calculateLayerBoundsWithBaseBounds_ _commitAnimation_toLayer_ _commitTransitoryAnimations _computeRevisionLayerFrames _controlsEnabled _createTimelineWindow _createUI _displayWindowForCurrentStackItem _goToRevisionWithIdentifier_ _goToStackItemAtIndex_continuingPreviousAnimation_thenContinue_ _handleInsertionOfStackItems_atIndexes_ _handleRemovalOfStackItemsAtIndexes_ _isTimelineHidden _layerBoundsAtPosition_ _layoutUI _makeLabelField _makeVibrantButton _perStepAnimationDurationForDistance_ _prepareRevisionLayers _replaceLiveWindowWithLayer _replaceTopLayerWithLiveWindow _resetTransitoryState _scheduleTimelineTransitionAnimationForEntering_ _setTimelineEventsEnabled_ _setTimelineHidden_ _setTimelineSelectedItemWithVersionID_ _setupFullScreenShot _shadingFilterColorForLayerAtIndex_ _stackOffsetAtZ_ _switchPlaceholderToSnapshotForItem_ _takeDownTimelineWindow _unfocusedFrameForOriginalDocumentWindow_state_ _updateLabelsForStackItem_ _updateReplaceButtonWithAlternate_ _updateTimeline _validSnapshotClosestToIndex_ _whenRevisionUpdatesAreAllowedDo_ cancelRevertAnimation ensureSnapshotForStackItem_forceNew_wait_ focusedOriginalFrame focusedRevisionFrame fullTwoUpLayout goToStackItemAtIndex_thenContinue_ hideTransitoryLayers layoutWithOriginalDocumentWindow_originalVisibleFrame_ originalFrame performTransitionAnimation prepareForFinishAnimationWithOutcome_ prepareForStartAnimation refreshSnapshotForStackItem_ revisionFrame setFullScreenShot_ setStackView_ shouldUnfocusWindowWithMouseDownAtWindowPoint_ showTransitoryLayers spreadSnapshotOfStackItem_ stackView transitionAnimationCompleted updateControls NSDocumentRevisionsWindow NSDocumentRevisionsWindowTransformAnimation _buildWindowTransformAnimations _createScaleFunctionForStartScale_endScale_peakScale_ _didStopAnimation_ _resizesWindow _setTimingFunctionsForAnimationCurve_ _willStartAnimation alphaValueForProgress_ frameForProgress_ initWithWindow_startFrame_targetFrame_ initWithWindow_startFrame_targetFrame_hop_ initWithWindow_startFrame_targetFrame_startSize_targetSize_hop_ keyFramesForAnimationWithSteps_evaluator_ scaleForProgress_ setPrefersWindowTransform_ setStartFadeOutAtProgress_ sizeForProgress_ translationForProgress_ valueForKey_animation_progress_ NSDocumentRevisionsWindowTransformAnimationGroup initWithAnimations_ NSDocumentSerializer NSDocumentTextAttachmentScrollView charIndex expandedView isExpanded setCharacterIndex_layoutManager_ setExpandedView_ setExpanded_ toggleExpanded_ NSDocumentTitlebarPopoverViewController _didFinishOperation _enqueueOperationWithBlock_ _setupBridge _whenDocumentOperationCompletesPerformBlock_ _willStartOperation initWithDocument_ operationWaiter prepareViewThenContinue_ setOperationWaiter_ viewDidAdvanceToRunPhase_ viewDidInvalidate_ NSDocumentTypeDescription _initWithDeclaration_cachedNamesByAlias_ appSpecificPresentableNameForName_ exactlyMatchesFileNameExtensionOrHFSFileType_ fileNameExtensionsAndHFSFileTypes firstName getReadableNotWritable_names_ isEditableByThisApp isIdentifiedByName_ isIdentifiedByUTIs isNativeName_ isViewableByThisApp matchesAnyFile persistentStoreType userActivityType NSDocumentTypeDocumentAttribute NSDocumentTypeDocumentOption NSDocumentationDirectory NSDottedFrameRect NSDoubleClickActionBinder NSDoubleClickArgumentBinding NSDoubleClickTargetBinding NSDoubleType NSDownArrowFunctionKey NSDownTextMovement NSDownloadController _createAlert _setMessageAndInformativeText alertDidEnd_returnCode_contextInfo_ downloadInformation runModalWindow NSDownloadsDirectory NSDragDestination _deviceID _doAutoscroll_ _dragCompletionTargets _dragID _draggingEntered _draggingExited _draggingFargo _draggingForce _draggingStage _draggingUpdate _enableSpringLoading_options_ _finalSlideLocation _flashSpringLoading _initWithWindow_ _invalidateUpdateDraggingItemTimer _isDragDeep _isOnDemandSpringLoadingActivated _isOnDemandSpringLoadingArmed _isOnDemandSpringLoadingHoverArmed _isSpringLoadingEnabled _lastDragDestinationOperation _lastDragLocation _lastDragTimestamp _lastSpringLoadingOptions _needUpdateTimer _receiveHandlerRef _resetOnDemandSpringLoading _resetUpdateDraggingItemTimer _setDragCompletionTargets_ _setDragDeepEnabled_ _setDragID_ _setDragRef_ _setFinalSlideLocation_ _setLastDragDestinationOperation_ _setLastDragLocation_ _setLastDragTimestamp_ _setNeedUpdateTimer_ _setOnDemandSpringLoadingActivated_ _setOnDemandSpringLoadingArmed_ _setOnDemandSpringLoadingEnabled_ _setOnDemandSpringLoadingHoverArmed_ _setReceiveHandlerRef_ _setTarget_ _setTrackingHandlerRef_ _springLoadingActivated_ _springLoadingHighlightChanged _startDraggingUpdates _startDraggingUpdatesIfNeeded _startSpringLoadingFlash _stopDraggingUpdates _stopSpringLoadingFlash _target _trackingHandlerRef _unsetFinalSlide _updateDraggingItemsForDrag _updateForSpringLoadingOptions_ _updateRespondsToSelectorFlags animatesToDestination draggedImage draggedImageLocation draggingDestinationWindow draggingFormation draggingLocation draggingPasteboard draggingSequenceNumber draggingSource draggingSourceOperationMask enumerateDraggingItemsForClass_view_usingBlock_ enumerateDraggingItemsWithOptions_forView_classes_searchOptions_usingBlock_ numberOfValidItemsForDrop resetSpringLoading setAnimatesToDestination_ setDraggingFormation_ setNumberOfValidItemsForDrop_ slideDraggedImageTo_ springLoadingHighlight NSDragEventTracker discardEventMask gestureAmount movementThreshold phase routesScrollWheelEventsToWindow setCurrentEvent_ setDiscardEventMask_ setGestureAmount_ setModifierFlags_ setMovementThreshold_ setPhase_ setRoutesScrollWheelEventsToWindow_ setStage_ setTimeoutThreshold_ setWantsEventCoalescing_ setWantsKeyboardEvents_ setWantsPeriodicCallbacks_ setWantsRightMouseEvents_ timeoutThreshold trackEvent_usingHandler_ wantsEventCoalescing wantsKeyboardEvents wantsPeriodicCallbacks wantsRightMouseEvents NSDragOperationAll NSDragOperationAll_Obsolete NSDragOperationCopy NSDragOperationDelete NSDragOperationEvery NSDragOperationGeneric NSDragOperationLink NSDragOperationMove NSDragOperationNone NSDragOperationPrivate NSDragPboard NSDraggingContextOutsideApplication NSDraggingContextWithinApplication NSDraggingDestinationView draggingDestinationStyle feedbackStyle flashing setDraggingDestinationStyle_ setFeedbackStyle_ setFlashing_ NSDraggingException NSDraggingFormationDefault NSDraggingFormationList NSDraggingFormationNone NSDraggingFormationPile NSDraggingFormationStack NSDraggingImageComponent _initWithCoreDragComponent_ animationKeyFrameBlock NSDraggingImageComponentIconKey NSDraggingImageComponentLabelKey NSDraggingItem draggingFrame imageComponentsProvider initWithPasteboardWriter_ initWithPasteboardWriter_frame_contents_ setDraggingFrame_ setDraggingFrame_contents_ setImageComponentsProvider_ setItem_ NSDraggingItemEnumerationClearNonenumeratedImages NSDraggingItemEnumerationConcurrent NSDraggingSession _commonInitWithPasteboard_source_ _initWithPasteboard_draggingItems_source_ _initWithPasteboard_image_offset_source_ alternateDragSource animatesToDraggingFormationOnBeginDrag animatesToStartingPositionsOnCancelOrFail dragRef draggingImageOffset draggingLeaderIndex filePromiseDragSource filePromiseProviders locationForSlideBack setAlternateDragSource_ setAnimatesToDraggingFormationOnBeginDrag_ setAnimatesToStartingPositionsOnCancelOrFail_ setDragRef_ setDraggingImageOffset_ setDraggingLeaderIndex_ setDraggingLocation setDraggingLocation_ setFilePromiseProviders_ setLocationForSlideBack_ NSDrawBitmap NSDrawButton NSDrawColorTiledRects NSDrawDarkBezel NSDrawGrayBezel NSDrawGroove NSDrawLightBezel NSDrawNinePartImage NSDrawThreePartImage NSDrawTiledRects NSDrawWhiteBezel NSDrawWindowBackground NSDrawer _destroyRealWindow _displayIfNeeded _doAttachDrawer _doAttachDrawerIgnoreHidden_ _doAutoselectEdge _doCloseDrawer _doDetachDrawer _doOpenDrawer _doPositionDrawer _doPositionDrawerAndSize_parentFrame_ _doPositionDrawerAndSize_parentFrame_stashSize_ _doRemoveDrawer _doResizeDrawerWithDelta_fromFrame_ _doSetParentWindow_ _doSlideDrawerWithDelta_ _doStartDrawer _doStopDrawer _drawerWindow _edge _hide _initWithContentSize_preferredEdge_ _minParentWindowContentSize _position _resizeWithDelta_fromFrame_beginOperation_endOperation_ _setDrawerEdge_ _setLevel _setVisibleWithoutLogin _size _sizeWithRect_ _slideWithDelta_beginOperation_endOperation_ _takeFocus _unhide edge initWithContentSize_preferredEdge_ leadingOffset maxContentSize openOnEdge_ removeImmediately_ setLeadingOffset_ setMaxContentSize_ setMinContentSize_ setTrailingOffset_ toggle_ trailingOffset NSDrawerBinder _setValue_forBinding_errorFallbackMessage_ _updateDrawer_withVisibilityState_ _updateObject_observedController_observedKeyPath_context_ drawer_didChangeToState_ NSDrawerClosedState NSDrawerClosingState NSDrawerDidCloseNotification NSDrawerDidOpenNotification NSDrawerFrame _addTrackingRects _drawFrameRects_ _drawFrameShadowAndFlushContext_ _edgeResizingTrackingAreas _isHUDWindow _isUtility _maxTitlebarTitleRect _removeTrackingRects _setShouldInvalidateShadow_ _shadowFlags _shouldInvalidateShadow adjustHalftonePhase customizedBackgroundTypeForTitleCell_ defaultTitleFont drawFrame_ drawThemeContentFill_inView_ drawWindowBackgroundRect_ drawWindowBackgroundRegion_ drawerDidClose_ drawerDidOpen_ frameColor frameNeedsDisplay initTitleCell_ minFrameSize miniaturizedSize registerForEdgeChanges_ resizeIndicatorRect resizeWithEvent_ setEdge_ setIsClosable_ setIsResizable_ setShadowState_ setTitle_andDefeatWrap_ shadowState shapeWindow shouldUseStyledTextInTitleCell_ systemColorsDidChange_ tabViewAdded tabViewRemoved tileAndSetWindowShape_ titleBarHiddenChanged usesCustomDrawing viewDidMoveToWindow_ NSDrawerOpenState NSDrawerOpeningState NSDrawerWillCloseNotification NSDrawerWillOpenNotification NSDrawerWindow _changeDrawerFirstResponder _changeDrawerKeyState _changeDrawerMainState _changeTexture _drawerBottomOffset _drawerCloseThreshold _drawerDefaultBottomTrailingOffset _drawerDefaultLeftLeadingOffset _drawerDefaultRightTrailingOffset _drawerDefaultTopLeadingOffset _drawerDepthInset _drawerDepthOffset _drawerHorizontalOpenOffset _drawerLeftOffset _drawerRightOffset _drawerTakeFocus _drawerTopOffset _drawerVerticalOpenOffset _parentWindow _potentialMaxSize _potentialMinSize _resetDrawerFirstResponder _setDrawerVisibleWithoutLogin _setParentWindow_ initWithContentRect_styleMask_backing_defer_drawer_ resizeWithDelta_fromFrame_beginOperation_endOperation_ NSDynamicSystemColor appearanceBasedColor_ initWithSelector_ recacheColor NSEDGEINSETS_DEFINED NSEPSImageRep EPSRepresentation boundingBox prepareGState NSEUCGB2312EncodingDetector NSEUCJPEncodingDetector NSEUCKREncodingDetector NSEUCTWEncodingDetector NSEagerTrackingCell NSEarlierTimeDesignations NSEdgeInsets bottom left right top NSEdgeInsetsEqual NSEdgeInsetsMake NSEdgeInsetsZero NSEditableBinder _countBindings _editableStateWithMode_ _enabledStateWithMode_ _hiddenStateWithMode_ _requestAnyEditableState _requestAnyEnabledState _requestAnyHiddenState _requestEditableState_ _requestEnabledState_ _requestHiddenState_ _setStatesImmediatelyInObject_mode_triggerRedisplay_ editableState editableStateAtIndexPath_ editableStateAtIndex_ enabledState enabledStateAtIndexPath_ enabledStateAtIndex_ hiddenState hiddenStateAtIndexPath_ hiddenStateAtIndex_ NSEditableBinding NSEditorBinder NSEditorDocumentAttribute NSEmojiCheckingResult NSEnableScreenUpdates NSEnabledBinding NSEncodingDetectionBuffer _growBufferIfNeededToAccomodateByteCount_ appendByte1_byte2_ appendByte1_byte2_byte3_ appendByte1_byte2_byte3_byte4_ appendByte_ appendBytes_count_ appendPlaceholder appendUTF16Char_ appendUTF32Char_ initWithNSStringEncoding_CFStringEncoding_stackBuffer_bufferLength_placeholder_ stringWithLossySubsitutionString_ NSEncodingDetectionPlaceholder bytesLength NSEncodingDetector NSEndFunctionKey NSEndHashTableEnumeration NSEndMapTableEnumeration NSEndsWithComparison NSEndsWithPredicateOperatorType NSEnergyFormatter isForFoodEnergyUse numberFormatter setForFoodEnergyUse_ setNumberFormatter_ setUnitStyle_ stringFromJoules_ stringFromValue_unit_ targetUnitFromJoules_ unitStringFromJoules_usedUnit_ unitStringFromValue_unit_ unitStyle NSEnergyFormatterUnitCalorie NSEnergyFormatterUnitJoule NSEnergyFormatterUnitKilocalorie NSEnergyFormatterUnitKilojoule NSEnterCharacter NSEntityDescription _addProperty_ _addSubentity_ _allPropertyNames _attributeNamed_ _checkForNonCascadeNoInverses _collectSubentities _commonCachesAndOptimizedState _compoundIndexes _constraintIsExtension_ _entityClass _extensionsOfParentConstraint_ _flattenProperties _flattenedSubentities _hasAttributesWithExternalDataReferences _hasCustomPrimitiveProperties _hasPotentialHashSkew _hasPropertiesIndexedBySpotlight _hasPropertiesStoredInTruthFile _hasUniqueProperties _hasUniquePropertiesDownInheritanceHiearchy _hasUniquePropertiesUncached _hasUniquedAttributeWithName_ _isFlattened _isInheritedPropertyNamed_ _isPathologicalForConstraintMerging_ _keypathsForDeletions _keypathsToPrefetchForDeletePropagation _keypathsToPrefetchForDeletePropagationPrefixedWith_toDepth_processedEntities_ _leopardStyleAttributesByName _leopardStyleRelationshipsByName _localRelationshipNamed_ _modelsReferenceID _newMappingForPropertiesOfRange_ _newSnowLeopardStyleDictionaryContainingPropertiesOfType_ _newVersionHashInStyle_ _new_implicitlyObservedKeys _nukeMOClassName__ _offsetRelationshipIndex_fromSuperEntity_andIsToMany_ _propertiesOfType_ _propertyNamed_ _propertyRangesByType _propertySearchMapping _propertyWithRenamingIdentifier_ _relationshipNamed_ _relationshipNamesByType_ _removePropertyNamed_ _removeProperty_ _removeSubentity_ _rootEntity _setIsEditable_ _setIsFlattened_ _setManagedObjectModel_ _setModelsReferenceID_ _setSuperentity_ _snapshotClass _sortedSubentities _subentitiesIncludes_ _subentityNamed_ _uniquenessConstraints _versionHashInStyle_ attributesByName compoundIndexes isAbstract isKindOfEntity_ knownKeysMappingStrategy managedObjectClassName propertiesByName relationshipsByName relationshipsWithDestinationEntity_ setAbstract_ setCompoundIndexes_ setManagedObjectClassName_ setSubentities_ setUniquenessConstraints_ subentities subentitiesByName superentity uniquenessConstraints NSEntityMapping _addAttributeMapping_ _addRelationshipMapping_ _hasInferredMappingNeedingValidation _initWithSourceEntityDescription_destinationEntityDescription_ _mappingsByName _migrationPolicy attributeMappings destinationEntityName destinationEntityVersionHash entityMigrationPolicyClassName mappingType relationshipMappings setAttributeMappings_ setDestinationEntityName_ setDestinationEntityVersionHash_ setEntityMigrationPolicyClassName_ setMappingType_ setRelationshipMappings_ setSourceEntityName_ setSourceEntityVersionHash_ setSourceExpression_ sourceEntityName sourceEntityVersionHash sourceExpression NSEntityMigrationPolicy _nonNilValueOrDefaultValueForAttribute_source_destination_ beginEntityMapping_manager_error_ createDestinationInstancesForSourceInstance_entityMapping_manager_error_ createRelationshipsForDestinationInstance_entityMapping_manager_error_ endEntityMapping_manager_error_ endInstanceCreationForEntityMapping_manager_error_ endRelationshipCreationForEntityMapping_manager_error_ performCustomValidationForEntityMapping_manager_error_ NSEntityStoreMapping attributeColumnDefinitions createTableStatement foreignKeyColumnDefinitions foreignKeyConstraintDefinitions isSingleTableEntity primaryKeyColumnDefinitions primaryKeys propertyMappings setPrimaryKeys_ setPropertyMappings_ setSingleTableEntity_ setSubentityColumn_ setSubentityID_ subentityColumn subentityID NSEnumerateHashTable NSEnumerateMapTable NSEnumerationConcurrent NSEnumerationReverse NSEnumerator NSEqualPoints NSEqualRanges NSEqualRects NSEqualSizes NSEqualToComparison NSEqualToPredicateOperatorType NSEqualityPredicateOperator initWithOperatorType_modifier_negate_ initWithOperatorType_modifier_negate_options_ isNegation setNegation_ NSEraCalendarUnit NSEraDatePickerElementFlag NSEraseRect NSEraserPointingDevice NSError NSErrorFailingURLStringKey NSEvaluatedObjectExpressionType NSEvenOddWindingRule NSEvent CGEvent _cgsEventRecord _cgsEventTime _continuousScroll _eventCancellingTouchIdentities_ _eventCancellingTouches _eventRecordDelta_ _eventRef _eventRefInternal _eventRelativeToWindow_ _eventRemovingTouchIdentities_ _eventWithModifiers_ _eventWithOnlyTouchIdentities_ _fixCommandAlphaShifts _gestureAxis _initAuxiliaryData _initCoalescingTouchEvents_ _initDigitizerTouchesFromIOHidEvent_window_contextID_ _initMTTouchesFromIOHidEvent_ _initWithCGEvent_eventRef_ _initWithEventRefInternal_ _isDeadkey _isEscapeKeyEvent _isMiddleButtonEvent _isSpaceKeyEvent _isSynthesizedKeyEvent _isTouchesEnded _isVerticalWheelEvent _isWheelEvent _matchesKeyEquivalent_modifierMask_ _nxeventTime _postAtStart_ _postDelayed _postFromSubthread_ _resetScrollAcceleration _safari_isKeyEvent_ _scrollCount _scrollPhase _setEventRef_ _setSynthesizedKeyEvent_ _setTouches_ _touchesMatchingIdentities_ _touchesMatchingPhase_inView_includeResting_ _trackSwipeEventWithOptions_dampenAmountThresholdMin_max_trackingDistance_axis_velocityFilterClass_usingHandler_ _unacceleratedScrollingDeltaX _unacceleratedScrollingDeltaY _velocity absoluteX absoluteY absoluteZ allTouches associatedEventsMask charactersIgnoringModifiers clickCount coalescedTouchesForTouch_ command data1 data2 deltaX deltaY deltaZ deviceDeltaX deviceDeltaY deviceDeltaZ eventNumber gestureAxis hasPreciseScrollingDeltas isARepeat isDirectionInvertedFromDevice isGesture keyCode locationInWindow momentumPhase pointingDeviceID pointingDeviceSerialNumber pointingDeviceType pressureBehavior scrollingDeltaX scrollingDeltaY systemTabletID tabletID tangentialPressure tilt touchesForView_ touchesMatchingPhase_inView_ trackSwipeEventWithOptions_dampenAmountThresholdMin_max_usingHandler_ trackingArea trackingNumber userData vendorDefined vendorPointingDeviceType NSEventAuxiliary NSEventButtonMaskPenLowerSide NSEventButtonMaskPenTip NSEventButtonMaskPenUpperSide NSEventDurationForever NSEventGestureAxisHorizontal NSEventGestureAxisNone NSEventGestureAxisVertical NSEventMaskAppKitDefined NSEventMaskApplicationDefined NSEventMaskBeginGesture NSEventMaskCursorUpdate NSEventMaskDirectTouch NSEventMaskEndGesture NSEventMaskFlagsChanged NSEventMaskFromType NSEventMaskGesture NSEventMaskKeyDown NSEventMaskKeyUp NSEventMaskLeftMouseDown NSEventMaskLeftMouseDragged NSEventMaskLeftMouseUp NSEventMaskMagnify NSEventMaskMouseEntered NSEventMaskMouseExited NSEventMaskMouseMoved NSEventMaskOtherMouseDown NSEventMaskOtherMouseDragged NSEventMaskOtherMouseUp NSEventMaskPeriodic NSEventMaskPressure NSEventMaskRightMouseDown NSEventMaskRightMouseDragged NSEventMaskRightMouseUp NSEventMaskRotate NSEventMaskScrollWheel NSEventMaskSmartMagnify NSEventMaskSwipe NSEventMaskSystemDefined NSEventMaskTabletPoint NSEventMaskTabletProximity NSEventModifierFlagCapsLock NSEventModifierFlagCommand NSEventModifierFlagControl NSEventModifierFlagDeviceIndependentFlagsMask NSEventModifierFlagFunction NSEventModifierFlagHelp NSEventModifierFlagNumericPad NSEventModifierFlagOption NSEventModifierFlagShift NSEventPhaseBegan NSEventPhaseCancelled NSEventPhaseChanged NSEventPhaseEnded NSEventPhaseMayBegin NSEventPhaseNone NSEventPhaseStationary NSEventSubtypeApplicationActivated NSEventSubtypeApplicationDeactivated NSEventSubtypeMouseEvent NSEventSubtypePowerOff NSEventSubtypeScreenChanged NSEventSubtypeTabletPoint NSEventSubtypeTabletProximity NSEventSubtypeTouch NSEventSubtypeWindowExposed NSEventSubtypeWindowMoved NSEventSwipeTrackingClampGestureAmount NSEventSwipeTrackingLockDirection NSEventTracker NSEventTrackingRunLoopMode NSEventTypeAppKitDefined NSEventTypeApplicationDefined NSEventTypeBeginGesture NSEventTypeCursorUpdate NSEventTypeDirectTouch NSEventTypeEndGesture NSEventTypeFlagsChanged NSEventTypeGesture NSEventTypeKeyDown NSEventTypeKeyUp NSEventTypeLeftMouseDown NSEventTypeLeftMouseDragged NSEventTypeLeftMouseUp NSEventTypeMagnify NSEventTypeMouseEntered NSEventTypeMouseExited NSEventTypeMouseMoved NSEventTypeOtherMouseDown NSEventTypeOtherMouseDragged NSEventTypeOtherMouseUp NSEventTypePeriodic NSEventTypePressure NSEventTypeQuickLook NSEventTypeRightMouseDown NSEventTypeRightMouseDragged NSEventTypeRightMouseUp NSEventTypeRotate NSEventTypeScrollWheel NSEventTypeSmartMagnify NSEventTypeSwipe NSEventTypeSystemDefined NSEventTypeTabletPoint NSEventTypeTabletProximity NSEverySubelement NSException _installStackTraceKeyIfNeeded callStackReturnAddresses callStackSymbols exceptionAddingEntriesToUserInfo_ exceptionRememberingObject_key_ initWithName_reason_userInfo_ raise__ reason NSExceptionAlertController btnClicked_ btnShowDetailsClicked_ exceptionMessage setExceptionMessage_ setShowingDetails_ showingDetails windowWillResize_toSize_ NSExceptionHandlingRecursiveLock isLocking NSExclude10_4ElementsIconCreationOption NSExcludeQuickDrawElementsIconCreationOption NSExcludedElementsDocumentAttribute NSExcludedKeysBinding NSExecutableArchitectureMismatchError NSExecutableErrorMaximum NSExecutableErrorMinimum NSExecutableLinkError NSExecutableLoadError NSExecutableNotLoadableError NSExecutableRuntimeMismatchError NSExecuteFunctionKey NSExistsCommand NSExitFullScreenStatusItem _accessibilityContainer _activeMenuBarDrawingStyleDidChange _adjustLength _adjustLengthDueToViewFrameChange_ _allowItemDragging _allowReplication _allowsUserRemoval _autosavePosition _button _clearAutosavedPreferredPosition _clearAutosavedState _completeStatusItemDrag _confiningDisplayID _confiningSpaceID _defaultAutosaveName _defaultsKeyForAutosaveProperty_ _disableStatusItemImageReplication _displayIdentifier _drawingReplicantView _effectiveBehavior _enableStatusItemImageReplication _hasNavigationHighlight _initInStatusBar_withLength_withPriority_ _initInStatusBar_withLength_withPriority_hidden_ _initInStatusBar_withLength_withPriority_hidden_systemInsertOrder_ _initInStatusBar_withLength_withPriority_systemInsertOrder_ _initInStatusBar_withLength_withPriority_visible_spaceID_ _install _isDragging _isExitFullScreen _isInstalled _itemMovedDuringDrag _moveToScreenContainingActiveMenuBar _moveToScreen_ _navigationController _noteDraggedLongEnoughToAllowRemoval _participatesInNavigationLoop _popupMenuBeingOpened _preferredPositionDefaultsKey _priority _propagateBackgroundStyle _rawSetDisplayIdentifier_ _removeAllReplicants _removePopupMenuAssociation_ _removeReplicantForKey_ _replicateWithKeys_ _restorePreferencesFromAutosaveName _setBackgroundStyle_ _setDisplayIdentifier_ _setNavigationHighlight_ _setPopupMenuAssociation_ _setSubitemOffsets_count_ _setSystemInsertOrder_ _shouldReplicate _startStatusItemDrag _statusBarButtonDidSetAlternateImage _statusBarButtonDidSetImage _statusBarButtonDidSetImagePosition _statusBarButtonDidSetTitle _statusItemFlags _statusItemMenu _swapScreensWithReplicant_ _systemInsertOrder _terminateOnRemoval _uninstall _updateReplicant_ _updateReplicants _updateReplicantsUnlessMenuIsTracking_ _validateBehavior_ _visibleDefaultsKey _window _windowDidFlush_ backgroundStyleForHighlight_ button drawStatusBarBackgroundInRect_withHighlight_ highlightMode popUpStatusItemMenu_ setHighlightMode_ statusBar NSExpandedFontMask NSExpansionAttributeName NSExpression NSExpressionDescription expression expressionResultType setExpressionResultType_ setExpression_ NSExtendedRegularExpressionCheckingResult NSExtension _allowedErrorClasses _bareExtensionServiceConnection _cancelRequestWithError_forExtensionContextWithUUID_completion_ _completeRequestReturningItems_forExtensionContextWithUUID_completion_ _didCreateExtensionContext_ _didShowExtensionManagementInterface _didShowNewExtensionIndicator _extensionBundle _extensionContextForUUID_ _extensionContexts _extensionExpirationIdentifiers _extensionServiceConnections _extensionState _initWithPKPlugin_ _isMarkedNew _isPhotoServiceAccessGranted _isSystemExtension _itemProviderForPayload_extensionContext_ _kill_ _loadItemForPayload_contextIdentifier_completionHandler_ _loadPreviewImageForPayload_contextIdentifier_completionHandler_ _plugIn _plugInProcessIdentifier _reallyBeginExtensionRequestWithInputItems_listenerEndpoint_completion_ _requestPostCompletionBlock _requestPostCompletionBlockWithItems _resetExtensionState _safePluginQueue _safelyBeginUsing_ _safelyEndUsingWithProcessAssertion_continuation_ _safelyEndUsing_ _setAllowedErrorClasses_ _setExtensionBundle_ _setExtensionContexts_ _setExtensionExpirationsIdentifiers_ _setExtensionServiceConnections_ _setExtensionState_ _setPlugIn_ _stashedPlugInConnection _wantsProcessPerRequest attemptOptIn_ attemptOptOut_ beginExtensionRequestWithInputItems_completion_ beginExtensionRequestWithInputItems_listenerEndpoint_completion_ cancelExtensionRequestWithIdentifier_ connectionUUID extensionPointIdentifier icons optedIn pidForRequestIdentifier_ requestCancellationBlock requestInterruptionBlock setConnectionUUID_ setExtensionPointIdentifier_ setInfoDictionary_ setRequestCancellationBlock_ setRequestInterruptionBlock_ set_requestPostCompletionBlockWithItems_ set_requestPostCompletionBlock_ set_safePluginQueue_ set_stashedPlugInConnection_ NSExtensionContext NSExtensionItem _matchingDictionaryRepresentation attributedContentText setAttributedContentText_ NSExtensionItemAttachmentsKey NSExtensionItemAttributedContentTextKey NSExtensionItemAttributedTitleKey NSExtensionItemsAndErrorsKey NSExtensionJavaScriptFinalizeArgumentKey NSExtensionJavaScriptPreprocessingResultsKey NSExtraLMData NSExtraMICData NSExtraMIData NSExtraRefCount NSF10FunctionKey NSF11FunctionKey NSF12FunctionKey NSF13FunctionKey NSF14FunctionKey NSF15FunctionKey NSF16FunctionKey NSF17FunctionKey NSF18FunctionKey NSF19FunctionKey NSF1FunctionKey NSF20FunctionKey NSF21FunctionKey NSF22FunctionKey NSF23FunctionKey NSF24FunctionKey NSF25FunctionKey NSF26FunctionKey NSF27FunctionKey NSF28FunctionKey NSF29FunctionKey NSF2FunctionKey NSF30FunctionKey NSF31FunctionKey NSF32FunctionKey NSF33FunctionKey NSF34FunctionKey NSF35FunctionKey NSF3FunctionKey NSF4FunctionKey NSF5FunctionKey NSF6FunctionKey NSF7FunctionKey NSF8FunctionKey NSF9FunctionKey NSFPCurrentField NSFPPreviewButton NSFPPreviewField NSFPRevertButton NSFPSetButton NSFPSizeField NSFPSizeTitle NSFTPPropertyActiveTransferModeKey NSFTPPropertyFTPProxy NSFTPPropertyFileOffsetKey NSFTPPropertyUserLoginKey NSFTPPropertyUserPasswordKey NSFTPURLHandle _finishMessagingClients_ _isCached _prepareToMessageClients _sendClientMessage_arg1_arg2_ addClient_ availableResourceData backgroundLoadDidFailWithReason_ beginLoadInBackground cancelLoadInBackground createFTPReadStream didLoadBytes_loadComplete_ endLoadInBackground errorStringForFTPStatusCode_fromURL_ expectedResourceDataSize failureReason flushCachedData initWithURL_cached_ loadInBackground loadInForeground performStreamRead propertyForKeyIfAvailable_ removeClient_ reportStreamError resourceData writeProperty_forKey_ NSFacetImageRep _facetForState_ hasFacetForState_ initWithBaseRenditionKey_appearance_ setRenditionKey_ NSFailedAuthenticationException NSFakePopoverBackgroundView _accessibilityFillColor _accessiblityTransChanged_ _backdropLayer _canDirectlyUpdateActiveState _canUpdate _clearColorForCGSFill _createOrUpdateBackdrop_view_vibrancyEffect_ _createOrUpdateProxyLayer_view_vibrancyEffect_ _cuiMakeOrUpdateBackgroundLayer_ _cuiOptionsForCurrentMaterial _cuiOptionsForWindowType_ _cuiWindowType _currentBackdropViewSpec _currentColorMonochromeColor _currentFillColor _currentInsideWindowBackgroundColor _currentMaterialName _directlyUpdateActiveState _doHoverColorFillInRect_ _drawClearInMaskImage _effectiveGroupName _fillLayer _freeCachedMaskImages _generateMaskImage _generateMaskImageWithCurrentFillColor _groupName _internalMaterialFromMaterial_ _internalMaterialType _invalidateAllSubviewsBecauseFontReferenceColorChanged _invalidateSubviewsOfView_ _invalidateTextAndFontSmoothignInView_ _isClear _isTexturedWindow _markDirty _markDirtyIfHasAccelerationChanged _materialTypeChanged _needsBackgroundLayer _needsCGSBackdrop _needsCGSMaterial _needsClearProxyLayer _needsDarkenLayer _needsFilters _needsInvalidationWhenAnyFrameChanges _needsMaskImage _needsMaterialLayer _needsProxyLayer _needsUpdateIfNotUsingProxyLayers _recursiveRemoveCachedContainngBackdropViewFromView_ _registerAssociatedView_ _registeredForFrameChanges _releaseBackdropIfNeeded _removeClearCopyLayersIfNeeded _removeMaterialLayerIfNeeded _removeProxyLayerIfNeeded _setClear_ _setFillColorAndDrawMaskInRect_ _setGroupName_ _setInternalMaterialType_ _setNeedsClearProxyLayer_ _setRequiresBackdrop_ _shouldAddBorderLayer _shouldUseActiveAppearance _sleepWakeChanged_ _startObservingViewFrameChanges_ _stopObservingViewFrameChanges_ _subviewGeometryChanged_ _tintLayer _unregisterAssociatedView_ _updateActiveStateForProxyLayer_ _updateAssociatedViewBackdrops _updateAssociatedViewBackdropsForActiveState _updateAssociatedViewProxyLayers _updateAssociatedViewProxyLayersActiveState _updateBackdropLayer _updateBackgroundLayer _updateCABackdropLayerGroupName _updateCGSWindowBackdrop _updateCGSWindowBackdropForActiveState _updateCachedNeedsRegistrationForFrameChanges _updateDarkenLayer _updateIfNeeded _updateIfNeededIfNotUsingProxyLayers _updateLayerMaskForWithinWindowBlending _updateLayerToPokeOutWindowPixels _updateMaterialLayer _updateMaterialLayerForBlendingInsideWindow _updateProperiesForProxyLayer_view_vibrancyEffect_ _updateProxyLayer _updateProxyLayerForActiveState _useAccessibilityColors appearsDarker blendingMode disableBlurFilter emphasized inheritsBlendGroup maskImage material rectToClearBackingStore setAppearsDarker_ setBlendingMode_ setDisableBlurFilter_ setInheritsBlendGroup_ setMaskImage_ setMaterial_ setTitlebarMaterialDrawsSeparator_ setVibrancyEffect_ titlebarMaterialDrawsSeparator vibrancyEffect NSFalsePredicate NSFaultHandler _fireFirstAndSecondLevelFaultsForObject_withContext_ fulfillFault_withContext_ fulfillFault_withContext_error_ fulfillFault_withContext_forIndex_ initWithPersistenceStore_ retainedFulfillAggregateFaultForObject_andRelationship_withContext_ retainedOrderedFaultInformationForAggregateFaultForObject_andRelationship_withContext_error_ turnObject_intoFaultWithContext_ NSFeatureUnsupportedError NSFetchRequest NSFetchRequestExpression contextExpression initForFetch_context_countOnly_ isCountOnlyRequest requestExpression NSFetchedPropertyDescription setFetchRequest_ NSFetchedResultsController _appendAffectedStoreInfoToData_adjustedOffset_ _computeSectionInfoWithGroupBy_error_ _computeSectionInfo_error_ _core_managedObjectContextDidChange_ _createNewSectionForObject_ _dumpSectionInfo _fetchedObjects _fetchedObjectsArrayOfObjectIDs _hasFetchedObjects _indexOfFetchedID_ _indexPathForIndex_ _insertObjectInFetchedObjects_atIndex_ _keyPathContainsNonPersistedProperties_ _lowerMoveOperationsToUpdatesForSection_withInsertedObjects_deletedObjects_updatedObjects_ _makeMutableFetchedObjects _managedObjectContextDidChangeObjectIDs_ _managedObjectContextDidChange_ _managedObjectContextDidSave_ _objectInResults_ _preprocessDeletedObjects_deletesInfo_sectionsWithDeletes_ _preprocessInsertedObjects_insertsInfo_newSectionNames_ _preprocessUpdatedObjects_insertsInfo_deletesInfo_updatesInfo_sectionsWithDeletes_newSectionNames_treatAsRefreshes_ _recursivePerformBlockAndWait_withContext_ _removeObjectInFetchedObjectsAtIndex_ _resolveSectionIndexTitleForSectionName_ _restoreCachedSectionInfo _sectionCachePath _sectionNameForObject_ _sectionNumberForIndex_ _updateCachedStoreInfo _updateFetchedObjectsWithDeleteChange_ _updateFetchedObjectsWithInsertChange_ _updateFetchedObjectsWithInsertedObjects_deletedObjects_updatedObjects_ _updateSectionOffsetsStartingAtSection_ fetchedObjects indexPathForObject_ initWithFetchRequest_managedObjectContext_sectionNameKeyPath_cacheName_ objectAtIndexPath_ performFetch_ sectionForSectionIndexTitle_atIndex_ sectionIndexTitleForSectionName_ sectionIndexTitles sectionNameKeyPath sections NSFileAccessArbiter _addPresenter_ofItemAtURL_watchingFile_withLastEventID_ _addProvider_ofItemsAtURL_ _enumerateSubarbitersUsingBlock_ _grantAccessClaim_ _grantSubarbitrationClaim_withServer_ _handleCanceledClient_ _registerForDebugInfoRequests _removeReactorForID_ _revokeAccessClaimForID_fromLocal_ _startArbitratingItemsAtURLs_withSuperarbitrationServer_ _willRemoveReactor_ _writerWithPurposeID_didMoveItemAtURL_toURL_ addPresenter_withID_fileURL_lastPresentedItemEventIdentifier_options_responses_ addProvider_withID_uniqueID_forProvidedItemsURL_options_withServer_reply_ cancelAccessClaimForID_ getDebugInformationIncludingEverything_withString_fromPid_thenContinue_ grantAccessClaim_withReply_ grantSubarbitrationClaim_withServer_reply_ initWithQueue_isSubarbiter_listener_ performBarrierWithCompletionHandler_ prepareToArbitrateForURLs_ provideDebugInfoWithLocalInfo_completionHandler_ provideSubarbiterDebugInfoIncludingEverything_completionHandler_ removePresenterWithID_ removeProviderWithID_uniqueID_ revokeAccessClaimForID_ revokeSubarbitrationClaimForID_ rootNode startArbitratingWithReply_ stopArbitrating superarbitrationConnection tiePresenterForID_toItemAtURL_ writerWithPurposeID_didChangeItemAtURL_ writerWithPurposeID_didChangeUbiquityOfItemAtURL_ writerWithPurposeID_didDisconnectItemAtURL_ writerWithPurposeID_didMakeItemDisappearAtURL_ writerWithPurposeID_didMoveItemAtURL_toURL_ writerWithPurposeID_didReconnectItemAtURL_ writerWithPurposeID_didVersionChangeOfKind_toItemAtURL_withClientID_name_ NSFileAccessArbiterProxy _onqueue_filePresenters _onqueue_fileProviders addFilePresenter_ addFileProvider_completionHandler_ filePresenters fileProviders getDebugInfoWithCompletionHandler_ grantAccessClaim_synchronouslyIfPossible_ grantSubarbitrationClaim_withServer_ handleCanceledServer idForFileReactor_ initWithServer_queue_ performBarrier performBarrierAsync_ removeFilePresenter_ removeFileProvider_ replacementObjectForXPCConnection_encoder_object_ NSFileAccessClaim _setupWithClaimID_purposeID_ _writeArchiveOfDirectoryAtURL_toURL_error_ acceptClaimFromClient_arbiterQueue_grantHandler_ addPendingClaim_ allURLs block blockClaimerForReason_ cameFromSuperarbiter canAccessLocations_forReading_error_ cancelled checkIfSymbolicLinkAtURL_withResolutionCount_andIfSoThenReevaluateSelf_ claimID claimerError claimerInvokingIsBlockedByReactorWithID_ claimerWaiter clientProcessIdentifier descriptionWithIndenting_ devalueOldClaim_ devalueSelf didWait disavowed evaluateNewClaim_ evaluateSelfWithRootNode_checkSubarbitrability_ finished forwardUsingConnection_crashHandler_ granted initWithClient_claimID_purposeID_ invokeClaimer isBlockedByClaimWithPurposeID_ isBlockedByReadingItemAtLocation_options_ isBlockedByWritingItemAtLocation_options_ isGranted isRevoked itemAtLocation_wasReplacedByItemAtLocation_ makePresentersOfItemAtLocation_orContainedItem_relinquishUsingProcedureGetter_ makeProviderOfItemAtLocation_provideIfNecessaryWithOptions_thenContinue_ makeProviderOfItemAtLocation_provideOrAttachPhysicalURLIfNecessaryForPurposeID_readingOptions_thenContinue_ makeProviderOfItemAtLocation_provideOrAttachPhysicalURLIfNecessaryForPurposeID_writingOptions_thenContinue_ makeProviderOfItemAtLocation_providePhysicalURLThenContinue_ pendingClaims prepareItemForUploadingFromURL_thenContinue_ purposeID purposeIDOfClaimOnItemAtLocation_forMessagingPresenter_ removePendingClaims_ revoked scheduleBlockedClaim_ setCameFromSuperarbiter setClaimerError_ shouldBeRevokedPriorToInvokingAccessor shouldCancelInsteadOfWaiting shouldReadingWithOptions_causePresenterToRelinquish_ startObservingClientState unblock unblockClaimerForReason_ whenDevaluedPerformProcedure_ whenFinishedPerformProcedure_ whenRevokedPerformProcedure_ NSFileAccessIntent isRead readingOptions writingOptions NSFileAccessNode _childrenExcludingExcessNodes_excludingReactors_ _mayContainCriticalDebuggingInformationExcludingReactors_ addAccessClaim_ addPresenter_ addProgressPublisher_ addProgressSubscriber_ assertDead assertDescendantsLive assertLive biggestFilePackageLocation childForRange_ofPath_ descendantAtPath_componentRange_create_ descendantAtPath_componentRange_forAddingLeafNode_create_ descendantForFileURL_ descriptionWithIndenting_excludingExcessNodes_excludingReactors_ forEachAccessClaimOnItemOrContainedItemPerformProcedure_ forEachAccessClaimOnItemPerformProcedure_ forEachDescendantPerformProcedure_ forEachPresenterOfContainedItemPerformProcedure_ forEachPresenterOfContainingFilePackagePerformProcedure_ forEachPresenterOfContainingItemPerformProcedure_ forEachPresenterOfItemOrContainedItemPerformProcedure_ forEachPresenterOfItemOrContainingItemPerformProcedure_ forEachPresenterOfItemPerformProcedure_ forEachProgressPublisherOfItemOrContainedItemPerformProcedure_ forEachProgressPublisherOfItemPerformProcedure_ forEachProgressSubscriberOfItemOrContainingItemPerformProcedure_ forEachProgressSubscriberOfItemPerformProcedure_ forEachProgressThingOfItemOrContainedItemPerformProcedure_ forEachReactorToItemOrContainedItemPerformProcedure_ forEachRelevantAccessClaimPerformProcedure_ initWithParent_name_normalizedName_ itemIsFilePackage itemIsInItemAtLocation_ itemIsItemAtLocation_ itemIsSubarbitrable itemProvider normalizationOfChildName_ pathExceptPrivate pathFromAncestor_ pathToDescendantForFileURL_componentRange_ removeAccessClaim_ removeChildForNormalizedName_ removePresenter_ removeProgressPublisher_ removeProgressSubscriber_ removeProvider_ removeSelfIfUseless sensitiveDescription sensitiveSubarbiterDescription setArbitrationBoundary setChild_forName_normalizedName_ setParent_name_ setProvider_ setSymbolicLinkDestination_ subarbiterDescription urlOfSubitemAtPath_plusPath_ NSFileAccessProcessManager URLs _ensureMonitor allowSuspension initWithClient_queue_ killProcessWithMessage_ preventSuspensionWithActivityName_ safelySendMessageWithReplyUsingBlock_ setSuspensionHandler_ setURLs_ suspensionHandler NSFileAccessSubarbiter initWithQueue_listener_ NSFileAppendOnly NSFileAttributes isDirectory NSFileBusy NSFileContentsPboardType NSFileCoordinator __coordinateReadingItemAtURL_options_purposeID_byAccessor_ __coordinateReadingItemAtURL_options_writingItemAtURL_options_purposeID_byAccessor_ __coordinateWritingItemAtURL_options_purposeID_byAccessor_ __coordinateWritingItemAtURL_options_writingItemAtURL_options_purposeID_byAccessor_ __prepareForReadingItemsAtURLs_options_writingItemsAtURLs_options_byAccessor_ _blockOnAccessClaim_withAccessArbiter_ _cancelClaimWithIdentifier_ _coordinateAccessWithIntents_queue_byAccessor_ _coordinateReadingItemAtURL_options_error_byAccessor_ _coordinateReadingItemAtURL_options_writingItemAtURL_options_error_byAccessor_ _coordinateWritingItemAtURL_options_error_byAccessor_ _coordinateWritingItemAtURL_options_writingItemAtURL_options_error_byAccessor_ _didEndWrite_ _forgetAccessClaimForID_ _invokeAccessor_thenCompletionHandler_ _itemAtURL_didMoveToURL_ _itemAtURL_willMoveToURL_ _itemDidChangeAtURL_ _itemDidDisappearAtURL_ _lockdownPurposeIdentifier _purposeIdentifierLockedDown _requestAccessClaim_withProcedure_ _setFileProvider_ _setPurposeIdentifier_ _ubiquityDidChangeForItemAtURL_ _willStartWriteWithIntents_async_ _withAccessArbiter_invokeAccessor_orDont_andRelinquishAccessClaim_ coordinateAccessWithIntents_queue_byAccessor_ coordinateReadingItemAtURL_options_error_byAccessor_ coordinateReadingItemAtURL_options_writingItemAtURL_options_error_byAccessor_ coordinateWritingItemAtURL_options_error_byAccessor_ coordinateWritingItemAtURL_options_writingItemAtURL_options_error_byAccessor_ initWithFilePresenter_ itemAtURL_didMoveToURL_ itemAtURL_willMoveToURL_ prepareForReadingItemsAtURLs_options_writingItemsAtURLs_options_error_byAccessor_ purposeIdentifier releaseAccess_ retainAccess setPurposeIdentifier_ NSFileCoordinatorAccessorBlockCompletion decrement increment NSFileCoordinatorReadingForUploading NSFileCoordinatorReadingImmediatelyAvailableMetadataOnly NSFileCoordinatorReadingResolvesSymbolicLink NSFileCoordinatorReadingWithoutChanges NSFileCoordinatorWritingContentIndependentMetadataOnly NSFileCoordinatorWritingForDeleting NSFileCoordinatorWritingForMerging NSFileCoordinatorWritingForMoving NSFileCoordinatorWritingForReplacing NSFileCreationDate NSFileDeviceIdentifier NSFileDragSource NSFileErrorMaximum NSFileErrorMinimum NSFileExtensionHidden NSFileGroupOwnerAccountID NSFileGroupOwnerAccountName NSFileHFSCreatorCode NSFileHFSTypeCode NSFileHandle NSFileHandleConnectionAcceptedNotification NSFileHandleDataAvailableNotification NSFileHandleNotificationDataItem NSFileHandleNotificationFileHandleItem NSFileHandleNotificationMonitorModes NSFileHandleOperationException NSFileHandleReadCompletionNotification NSFileHandleReadToEndOfFileCompletionNotification NSFileHandlingPanelCancelButton NSFileHandlingPanelOKButton NSFileImmutable NSFileLocationComponent _cloudMetadata _isUbiquityContainer containerComponent iconAsAttributedString presentableName NSFileLocator bestLocationRep initWithBestLocationRep_ initWithSpecifier_ standardizedPath NSFileLockingError NSFileManager URLForDirectory_inDomain_appropriateForURL_create_error_ URLForPublishingUbiquitousItemAtURL_expirationDate_error_ URLForUbiquityContainerIdentifier_ URLsForDirectory_inDomains_ _URLForReplacingItemAtURL_error_ _URLForTrashingItemAtURL_create_error_ _attributesOfItemAtPath_filterResourceFork_error_ _attributesOfItemAtURL_filterResourceFork_error_ _cuiConfirmDirectoryAtPath_ _cuiConfirmFileAtPath_ _displayPathForPath_ _info _itemAtURLIsInAnyTrash_ _newReplicatePath_ref_atPath_ref_operation_fileMap_handler_ _performRemoveFileAtPath_ _posixPathComponentsWithPath_ _postUbiquityAccountChangeNotification_ _processCanAccessUbiquityIdentityToken _processHasUbiquityContainerEntitlement _processUsesCloudServices _registerForUbiquityAccountChangeNotifications _removeFileAtPath_handler_shouldDeleteFork_ _removeFileAtPath_handler_shouldDeleteFork_enteredDirectory_ _replicatePath_atPath_operation_fileMap_handler_ _web_backgroundRemoveFileAtPath_ _web_backgroundRemoveLeftoverFiles_ _web_carbonPathForPath_nowarn_ _web_changeFileAttributes_nowarn_atPath_ _web_changeFinderAttributes_forFileAtPath_ _web_createDirectoryAtPathWithIntermediateDirectories_attributes_ _web_createFileAtPathWithIntermediateDirectories_contents_attributes_directoryAttributes_ _web_createFileAtPath_contents_attributes_ _web_createIntermediateDirectoriesForPath_nowarn_attributes_ _web_fileExistsAtPath_nowarn_isDirectory_traverseLink_ _web_noteFileChangedAtPath_nowarn_ _web_pathWithUniqueFilenameForPath_ _web_removeFileOnlyAtPath_ _web_startupVolumeName_nowarn _web_visibleItemsInDirectoryAtPath_ _windowsPathComponentsWithPath_ attributesOfFileSystemForPath_error_ attributesOfItemAtPath_error_ changeCurrentDirectoryPath_ changeFileAttributes_atPath_ componentsToDisplayForPath_ containerURLForSecurityApplicationGroupIdentifier_ contentsAtPath_ contentsEqualAtPath_andPath_ contentsOfDirectoryAtPath_error_ contentsOfDirectoryAtURL_includingPropertiesForKeys_options_error_ copyItemAtPath_toPath_error_ copyItemAtPath_toPath_options_error_ copyItemAtURL_toURL_error_ copyItemAtURL_toURL_options_error_ copyPath_toPath_handler_ createDirectoryAtPath_attributes_ createDirectoryAtPath_withIntermediateDirectories_attributes_error_ createDirectoryAtURL_withIntermediateDirectories_attributes_error_ createFileAtPath_contents_attributes_ createSymbolicLinkAtPath_pathContent_ createSymbolicLinkAtPath_withDestinationPath_error_ createSymbolicLinkAtURL_withDestinationURL_error_ destinationOfSymbolicLinkAtPath_error_ directoryCanBeCreatedAtPath_ directoryContentsAtPath_ directoryContentsAtPath_matchingExtension_options_keepExtension_ directoryContentsAtPath_matchingExtension_options_keepExtension_error_ displayNameAtPath_ enumeratorAtPath_ enumeratorAtURL_includingPropertiesForKeys_options_errorHandler_ evictUbiquitousItemAtURL_error_ extendedAttributeForKey_atPath_error_ extendedAttributesAtPath_error_ fileAttributesAtPath_traverseLink_ fileExistsAtPath_ fileExistsAtPath_isDirectory_ fileSystemAttributesAtPath_ fileSystemRepresentationWithPath_ filesystemItemCopyOperation_shouldCopyItemAtPath_toPath_ filesystemItemCopyOperation_shouldProceedAfterError_copyingItemAtPath_toPath_ filesystemItemLinkOperation_shouldLinkItemAtPath_toPath_ filesystemItemLinkOperation_shouldProceedAfterError_linkingItemAtPath_toPath_ filesystemItemMoveOperation_shouldMoveItemAtPath_toPath_ filesystemItemMoveOperation_shouldProceedAfterError_movingItemAtPath_toPath_ filesystemItemRemoveOperation_shouldProceedAfterError_removingItemAtPath_ filesystemItemRemoveOperation_shouldRemoveItemAtPath_ getFileSystemRepresentation_maxLength_withPath_ getRelationship_ofDirectoryAtURL_toItemAtURL_error_ getRelationship_ofDirectory_inDomain_toItemAtURL_error_ gs_createTemporaryFdInDirectory_withTemplate_error_ gs_createTemporaryFileInDirectory_withTemplate_andExtension_error_ gs_createTemporarySubdirectoryOfItem_withTemplate_error_ homeDirectoryForCurrentUser homeDirectoryForUser_ isDeletableFileAtPath_ isExecutableFileAtPath_ isReadableFileAtPath_ isUbiquitousItemAtURL_ isWritableFileAtPath_ linkItemAtPath_toPath_error_ linkItemAtURL_toURL_error_ linkPath_toPath_handler_ mountedVolumeURLsIncludingResourceValuesForKeys_options_ moveItemAtPath_toPath_error_ moveItemAtURL_toURL_error_ moveItemAtURL_toURL_options_error_ movePath_toPath_handler_ pathContentOfSymbolicLinkAtPath_ removeExtendedAttributeForKey_atPath_error_ removeFileAtPath_handler_ removeItemAtPath_error_ removeItemAtURL_error_ replaceItemAtURL_withItemAtURL_backupItemName_options_resultingItemURL_error_ setAttributes_ofItemAtPath_error_ setExtendedAttribute_forKey_atPath_error_ setUbiquitous_itemAtURL_destinationURL_error_ startDownloadingUbiquitousItemAtURL_error_ stringWithFileSystemRepresentation_length_ subpathsAtPath_ subpathsOfDirectoryAtPath_error_ temporaryDirectory trashItemAtURL_resultingItemURL_error_ ubiquityIdentityToken unmountVolumeAtURL_options_completionHandler_ NSFileManagerItemReplacementUsingNewMetadataOnly NSFileManagerItemReplacementWithoutDeletingBackupItem NSFileManagerUnmountAllPartitionsAndEjectDisk NSFileManagerUnmountBusyError NSFileManagerUnmountDissentingProcessIdentifierErrorKey NSFileManagerUnmountUnknownError NSFileManagerUnmountWithoutUI NSFileModificationDate NSFileMultipleAccessClaim blocksClaim_ initWithPurposeID_intents_claimer_ resolveURLsThenMaybeContinueInvokingClaimer_ NSFileNoSuchFileError NSFileOwnerAccountID NSFileOwnerAccountName NSFilePathErrorKey NSFilePosixPermissions NSFilePresenterAsynchronousOperation NSFilePresenterManagedProxy _presenterRespondsToSelector_ _safelySendMessageWithSelector_withErrorCompletionHandler_sender_ accommodateDeletionOfSubitemAtURL_completionHandler_ collectDebuggingInformationWithCompletionHandler_ filePresenterResponses initWithXPCProxy_ processManager reacquireFromWritingClaimForID_completionHandler_ relinquishToReadingClaimWithID_options_purposeID_completionHandler_ relinquishToWritingClaimWithID_options_purposeID_subitemURL_completionHandler_ remoteObjectProxy remoteObjectProxyWithErrorHandler_ saveChangesWithCompletionHandler_ setFilePresenterResponses_ setProcessManager_ NSFilePresenterOperationRecord _reactorQueue didBegin didEnd operationDescription reactor setReactor_ willEnd NSFilePresenterProxy _clientProxy _settleNonCoordinatedChanges accommodateDeletionWithSubitemPath_completionHandler_ allowedForURL_ disconnected forwardRelinquishmentForWritingClaim_withID_purposeID_subitemURL_options_completionHandler_ forwardUsingProxy_ inSubarbiter initWithClient_reactorID_ initWithClient_remotePresenter_reactorID_ itemLocation localFileWasEvicted observeChangeAtSubitemPath_ observeDisappearanceAtSubitemPath_ observeDisconnectionByWriterWithPurposeID_ observeMoveByWriterWithPurposeID_withPhysicalDestinationURL_ observeMoveOfSubitemAtURL_toURL_byWriterWithPurposeID_ observeReconnectionByWriterWithPurposeID_ observeUbiquityChangeAtSubitemPath_withPhysicalURL_ observeVersionChangeOfKind_withClientID_name_subitemPath_ promisedFileWasFulfilled reactorID relinquishToReadingClaimWithID_options_purposeID_resultHandler_ relinquishToWritingClaimWithID_options_purposeID_subitemPath_resultHandler_ setInSubarbiter_ setItemLocation_ setUsesMainThreadDuringReliquishing_ shouldSendObservationMessageWithPurposeID_ startObservingApplicationStateWithQueue_ startWatchingWithQueue_lastEventID_unannouncedMoveHandler_ stopObservingApplicationState usesMainThreadDuringReliquishing NSFilePresenterRelinquishment addPrerelinquishReply_ addRelinquishReply_ didRelinquish performRelinquishmentToAccessClaimIfNecessary_usingBlock_withReply_ performRemoteDeletePrerelinquishmentIfNecessaryUsingBlock_withReply_ removeAllBlockingAccessClaimIDs removeBlockingAccessClaimID_ removeBlockingAccessClaimID_thenContinue_ setReacquirer_ NSFilePresenterXPCMessenger _makePresenterObserveDisconnection_ _makePresenterObserveReconnection_ _makePresenter_accommodateDeletionWithSubitemURL_completionHandler_ _makePresenter_accommodateDisconnectionWithCompletionHandler_ _makePresenter_observeChangeWithSubitemURL_ _makePresenter_observeMoveToURL_withSubitemURL_ _makePresenter_observeUbiquityChangeWithSubitemURL_ _makePresenter_observeVersionChangeOfKind_withClientID_name_subitemURL_ _makePresenter_relinquishToAccessClaimWithID_ifNecessaryUsingSelector_recordingRelinquishment_continuer_ _makePresenter_relinquishToReadingClaimWithID_options_completionHandler_ _makePresenter_relinquishToWritingClaimWithID_options_purposeID_subitemURL_completionHandler_ _makePresenter_reportUnsavedChangesWithCompletionHandler_ _makePresenter_saveChangesWithCompletionHandler_ _makePresenter_setLastPresentedItemEventIdentifier_ _makePresenter_validateRemoteDeletionRecordingRelinquishment_completionHandler_ _readRelinquishment _writeRelinquishment initWithFilePresenterProxy_ initWithFilePresenter_queue_ logSuspensionWarning observeChangeWithSubitemURL_ observeDisconnection observeMoveToURL_withSubitemURL_byWriterWithPurposeID_ observeReconnection observeUbiquityChangeWithSubitemURL_ observeVersionChangeOfKind_toItemAtURL_withClientID_name_ reacquireFromReadingClaimForID_ updateLastEventID_ NSFilePromiseDragSource copyDropDirectory didEndDrag getFilenamesAndDropLocation pasteboard_provideDataForType_ pasteboard_provideDataForType_itemIdentifier_ prepareForDrag setTypes_onPasteboard_ NSFilePromiseProvider _cooridinatedlyWritePromiseToURL_completionHandler_ _destinationURL _fileNameForDestinationLocation_type_ _fileReactorID _provideItemAtURL_completionHandler_ _provideItemAtURL_toReaderWithID_completionHandler_ _providedItemsOperationQueue _providedItemsURL _setDestinationURL_ alternateFileTypes dragggingSequenceNumber draggingCancelled_ initWithFileType_delegate_ pasteboardFinishedWithDataProvider_ pasteboard_item_provideDataForType_ setAlternateFileTypes_ setDragggingSequenceNumber_ NSFilePromiseReceiver _setPasteboardItem_ _setPasteboard_ fileNames fileTypes providerIsUsingFileCoordination receivePromisedFilesAtDestination_options_operationQueue_reader_ registerDesinationLocation_options_operationQueu_reader_ registerDestinationLocation_options_operationQueue_reader_ NSFilePromiseWriteToken logicalURL promiseURL setLogicalURL_ setPromiseURL_ NSFileProviderProxy initWithClient_remoteProvider_reactorID_secureID_uniqueID_ observeEndOfWriteAtLocation_forAccessClaim_ observePresentationChangeOfKind_withPresenter_url_newURL_ provideItemAtURL_withOptions_forAccessClaim_completionHandler_ provideLogicalURLForURL_completionHandler_ providePhysicalURLForURL_completionHandler_ remoteProvider secureID setWantsWriteNotifications_ wantsWriteNotifications NSFileProviderXPCMessenger _makeProvider_provideItemAtURL_options_forAccessClaimWithID_processIdentifier_completionHandler_ cancelProvidingItemAtURL_forClaimWithID_ checkInProviderWithReply_ initWithFileProviderProxy_ initWithFileProvider_queue_ observeEndOfWriteAtURL_forClaimWithID_fromProcessWithIdentifier_ observePresentationChangeOfKind_forPresenterWithID_fromProcessWithIdentifier_url_newURL_ provideItemAtURL_forClaimWithID_madeByClientWithProcessIdentifier_options_completionHandler_ providePhysicalItemForURL_completionHandler_ NSFileReactorProxy NSFileReadCorruptFileError NSFileReadInapplicableStringEncodingError NSFileReadInvalidFileNameError NSFileReadNoPermissionError NSFileReadNoSuchFileError NSFileReadTooLargeError NSFileReadUnknownError NSFileReadUnknownStringEncodingError NSFileReadUnsupportedSchemeError NSFileReadingClaim initWithPurposeID_url_options_claimer_ resolveURLThenMaybeContinueInvokingClaimer_ NSFileReadingWritingClaim initWithPurposeID_readingURL_options_writingURL_options_claimer_ NSFileReferenceCount NSFileSecurity NSFileSize NSFileSpecifier asRef initWithParentSpecifier_name_ initWithPath_traverseLink_ initWithRef_ initWithURL_traverseLink_ parentSpecifier NSFileSubarbitrationClaim forwardReacquisitionForWritingClaim_withID_toPresenterForID_usingReplySender_ forwardRelinquishmentForWritingClaim_withID_options_purposeID_subitemURL_toPresenter_usingReplySender_ forwardUsingConnection_withServer_crashHandler_ initWithReadingURLs_options_writingURLs_options_claimer_ relinquishmentForWrite_toPresenterForID_ setSubarbiterConnection_ subarbiterConnection NSFileSystemFileNumber NSFileSystemFreeNodes NSFileSystemFreeSize NSFileSystemNodes NSFileSystemNumber NSFileSystemSize NSFileType NSFileTypeBlockSpecial NSFileTypeCharacterSpecial NSFileTypeDirectory NSFileTypeDocumentAttribute NSFileTypeDocumentOption NSFileTypeForHFSTypeCode NSFileTypeRegular NSFileTypeSocket NSFileTypeSymbolicLink NSFileTypeUnknown NSFileURLHandle _backgroundFileLoadCompleted_ NSFileVersion _compareToVersion_ _documentInfo _initWithAddition_ _initWithFileURL_library_clientID_name_contentsURL_isBackup_revision_ _initWithFileURL_nonLocalVersion_ _isBackup _overrideModificationDateWithDate_ _preserveConflictVersionLocally _setDocumentInfo_ etag hasLocalContents hasThumbnail isConflict isDiscardable isResolved isUbiquitous localizedNameOfSavingComputer modificationDate originatorName originatorNameComponents removeAndReturnError_ replaceItemAtURL_options_error_ restoreOverItemAtURL_error_ setDiscardable_ setResolved_ timelineItemDate timelineItemType NSFileVersionAddingByMoving NSFileVersionReplacingByMoving NSFileWatcher _coalesceSubitemObservations handleFSEventPath_flags_id_ initWithQueue_forProcessIdentifier_ setLastObservedEventID_ setObserver_ settle unsettle watchItem NSFileWatcherObservations addAnnouncedMoveToPath_ addAttributeChange addContentsChange addDeletion addDetectedMoveToPath_ notifyObserver_ NSFileWrapper _addChild_forUniqueFileName_ _addParent_ _attributesToWrite _fileType _forWritingToURL_returnContentsLazyReadingError_ _fullDescription_ _hasIcon _icon _iconData _initDirectoryContents _initIconWithData_ _initIcon_ _initWithImpl_preferredFileName_uniqueFileName_docInfo_iconData_ _loadIcon _matchesItemKind_modificationDate_ _newImpl _observePreferredFileNameOfChild_ _readContentsFromURL_path_itemKind_options_error_ _removeChild_forUniqueFileName_ _removeParent_ _resetFileModificationDate _setFileType_ _setIcon_ _uniqueFileNameOfChild_ _updateDescendantFileNames _writeContentsToURL_path_originalContentsURL_tryHardLinking_didHardLinking_error_ addFileWithPath_ addFileWrapper_ addRegularFileWithContents_preferredFilename_ addSymbolicLinkWithDestination_preferredFilename_ fileWrappers initDirectoryWithFileWrappers_ initRegularFileWithContents_ initSymbolicLinkWithDestinationURL_ initSymbolicLinkWithDestination_ initWithSerializedRepresentation_ initWithURL_options_error_ isRegularFile isSymbolicLink keyForFileWrapper_ matchesContentsOfURL_ needsToBeUpdatedFromPath_ preferredFilename readFromURL_options_error_ regularFileContents removeFileWrapper_ serializedRepresentation setFileAttributes_ setPreferredFilename_ symbolicLinkDestination symbolicLinkDestinationURL updateFromPath_ writeToFile_atomically_updateFilenames_ writeToURL_options_originalContentsURL_error_ NSFileWrapperMoreIVars NSFileWrapperReadingImmediate NSFileWrapperReadingWithoutMapping NSFileWrapperWritingAtomic NSFileWrapperWritingWithNameUpdating NSFileWriteFileExistsError NSFileWriteInapplicableStringEncodingError NSFileWriteInvalidFileNameError NSFileWriteNoPermissionError NSFileWriteOutOfSpaceError NSFileWriteUnknownError NSFileWriteUnsupportedSchemeError NSFileWriteVolumeReadOnlyError NSFileWritingClaim resolveURLsThenContinueInvokingClaimer_ NSFileWritingWritingClaim initWithPurposeID_url_options_url_options_claimer_ NSFilenamesPboardType NSFilesPromisePboardType NSFilesystemFileType NSFilesystemItemCopyOperation _shouldCopyItemAtPath_toPath_ _shouldProceedAfterErrno_copyingItemAtPath_toPath_ initWithSourcePath_destinationPath_options_ shouldCopyItemAtPath_toPath_ shouldProceedAfterError_copyingItemAtPath_toPath_ NSFilesystemItemLinkOperation _shouldLinkItemAtPath_toPath_ _shouldProceedAfterErrno_linkingItemAtPath_toPath_ shouldLinkItemAtPath_toPath_ shouldProceedAfterError_linkingItemAtPath_toPath_ NSFilesystemItemMoveOperation initWithSourceURL_destinationURL_options_ NSFilesystemItemRemoveOperation _filtersUnderbars _setFilterUnderbars_ NSFilterObservationTransformer NSFilterPredicateBinding NSFilterServicesPasteboard _addConversionsFromTypeIdentifiers_atIndex_usesPboardTypes_ _attachSecurityScopeToURL_index_ _availableTypeFromArray_inExistingTypes_ _cachedTypeNameUnion _canRequestDataForType_index_usesPboardTypes_combinesItems_ _cfPasteboard _clearOutstandingPromises _combinedPasteboardDataForTypeIdentifier_ _conformingTypeIdentifiers _conformingTypes _contentsOfURL_conformToTypeIdentifiers_ _currentGeneration _dataForType_index_usesPboardTypes_combinesItems_securityScoped_ _dataForType_securityScoped_ _dataWithConversionForTypeIdentifier_atIndex_securityScoped_ _dataWithConversionForType_securityScoped_ _dataWithoutConversionForTypeIdentifier_index_securityScoped_ _dataWithoutConversionForTypeIdentifier_securityScoped_ _dataWithoutConversionForType_securityScoped_ _pasteboardItems _promiseTypeNameForIdentifier_ _propertyListForType_securityScoped_ _removeFromGlobalTable _setData_forType_index_usesPboardTypes_ _setOwner_forTypes_atIndex_selector_usesPboardTypes_ _typesAtIndex_combinesItems_ _updateTypeCacheIfNeeded addTypes_owner_ attemptOverwrite_ availableTypeFromArray_ canReadItemWithDataConformingToTypes_ canReadObjectForClasses_options_ clearContents dataForType_ declareTypes_owner_ indexOfPasteboardItem_ pasteboardItems prepareForNewContentsWithOptions_ propertyListForType_ readFileContentsType_toFile_ readFileWrapper readObjectsForClasses_options_ releaseGlobally setDataProvider_forTypes_ setData_forType_ setPropertyList_forType_ setString_forType_ stringForType_ types writeFileContents_ writeFileWrapper_ writeObjects_ NSFindFunctionKey NSFindIndicator _buildFindIndicatorWindows _cacheDisplayInRect_ofView_toBitmapImageRep_ _contentImage _dissolve_animate_ _effectiveParentWindow _fade_ _findIndicatorPathForRects_ _indicatorWindowGroupsOfRectGroupsForRects_ _pulse_ _redrawReusingWindows contentDrawer dissolve focusUAZoom imageProvider pulseAndFade_ pulseWithFade_andDissolve_ recognizerDidCancelAnimation_ recognizerDidCompleteAnimation_ recognizerDidDismissAnimation_ recognizerDidUpdateAnimation_ recognizerWillBeginAnimation_ rects setContentDrawer_ setImageProvider_ setRects_ setTextFinder_ setUsesThreadedAnimation_ textFinder updateWithRects_ usesThreadedAnimation NSFindPanel _caseInsensitiveSearchDefault _defaultSubstringMatchType _findNextAndOrderFindPanelOut_ _makeCurrentSearchOptionsDefault _restoreDefaultSearchOptions _setCaseInsensitiveSearchDefault_ _setDefaultSearchOptions_ _setDefaultSubstringMatchType_ _setLastFindWasSuccessful_ comboBox_objectValueForItemAtIndex_ numberOfItemsInComboBox_ searchOptions setSearchOptions_ setSubstringMatchType_ substringMatchType windowDidUpdate_ NSFindPanelActionNext NSFindPanelActionPrevious NSFindPanelActionReplace NSFindPanelActionReplaceAll NSFindPanelActionReplaceAllInSelection NSFindPanelActionReplaceAndFind NSFindPanelActionSelectAll NSFindPanelActionSelectAllInSelection NSFindPanelActionSetFindString NSFindPanelActionShowFindPanel NSFindPanelCaseInsensitiveSearch NSFindPanelSearchOptionsPboardType NSFindPanelSubstringMatch NSFindPanelSubstringMatchTypeContains NSFindPanelSubstringMatchTypeEndsWith NSFindPanelSubstringMatchTypeFullWord NSFindPanelSubstringMatchTypeStartsWith NSFindPattern _setUniqueID_ allowsBackreferences backreferenceExpression captureGroupID displayString generateNewUniqueID initWithPropertyListRepresentation_ propertyListRepresentation repeatedPatternID replaceExpression setAllowsBackreferences_ setCaptureGroupID_ setRegularExpression_ setRepeatedPatternID_ setReplacementString_ setTokenString_ tokenString NSFindPatternAttachment _cacheKey _image _immediateActionAnimationControllerForCharacterAtIndex_inTextView_ _invalidateWrapperView _processAttachmentWithNewContentsOfItem_hanlder_ _textAttachmentCell allowsEditingContents attachmentBoundsForTextContainer_proposedLineFragment_glyphPosition_characterIndex_ attachmentCell drawingBounds fileWrapper ignoresOrientation imageForBounds_textContainer_characterIndex_ initWithData_ofType_ initWithFileWrapper_ setAllowsEditingContents_ setAttachmentCell_ setDrawingBounds_ setFileWrapper_ setIgnoresOrientation_ NSFindPatternAttachmentCell _attributedString _hasMenu _isActiveInView_ _setGroupID_ attachment cellBaselineOffset cellFrameForTextContainer_proposedLineFragment_glyphPosition_characterIndex_ drawTokenInRect_withOptions_ drawTokenWithFrame_inView_ drawWithFrame_inView_characterIndex_ drawWithFrame_inView_characterIndex_layoutManager_ field findPattern proxy pullDownImage pullDownRectForBounds_ setAttachment_ setField_ setFindPattern_ tokenColor trackMouse_inRect_ofView_atCharacterIndex_untilMouseUp_ wantsToTrackMouse wantsToTrackMouseForEvent_ wantsToTrackMouseForEvent_inRect_ofView_atCharacterIndex_ NSFindPatternComboBox _eventIsInsertPatternKeyEquivalent_ _fieldEditor _findPatternAttachmentForFindPattern_ _insertFindPatternAttachment_ _insertFindPattern_ _invalidateLayout _isFindField _rangesOfFindPattern_ _selectedFindPattern_ _uniqueFindPatternsInAttributedStringAttachments_ _uniquePatterns _updateFindPatternsWithNewPatterns_ _updateReplacePatternsWithNewPatterns_ findField findPatternArray findPatternManager findPatternPropertyList hasFindPattern insertNewFindPattern_ menuForFindPatternAttachment_ plainTextValue removeFindPattern_ replaceField replacementExpression setFindPatternArray_ setFindPatternManager_ setFindPatternPropertyList_ textView_clickedOnCell_inRect_atIndex_ textView_doubleClickedOnCell_inRect_atIndex_ textView_shouldChangeTypingAttributes_toAttributes_ NSFindPatternFieldEditor RTFDFromRange_ RTFFromRange_ _accessibilityAttachmentCellForChild_ _accessibilityCharacterRangeOfChild_ _accessibilityTextViewCompletionWindow _addGrammarAttributesForRange_detailRange_detail_ _addGrammarAttributesForRange_details_ _addMultipleToTypingAttributes_ _addSpellingAttributeForRange_ _addToTypingAttributes_value_ _adjustedCenteredScrollRectToVisible_forceCenter_ _allowsMultipleTextSelectionByMouse _alternativesTimer _applyMarkerSettingsFromParagraphStyle_ _attachmentAtGlyphIndex_containsWindowPoint_ _attachmentCellForSelection _attributedSubstringForCopyingFromRange_ _attributedSubstringForRanges_ _attributedSubstringForRanges_substringProvider_ _blinkCaret_ _blockRowRectForCharRange_rect_ _blockSafeRangesForRange_ _calculatePageRectsWithOperation_pageSize_layoutAssuredComplete_ _calculateTotalScaleForPrintingWithOperation_ _canAcceptRichText _canChangeRulerMarkers _canImportGraphics _canUnlearnSpellingForRange_ _cancelFindIndicator _caretScreenRectForSelectionChangeFromRange_toRange_ _cellForPoint_characterIndex_level_row_column_range_ _centeredScrollRectToVisible_forceCenter_ _changeAlternativesFromMenu_ _changeBaseWritingDirection_ _changeSpellingFromMenu_ _changeSpellingToWord_ _changeTextWritingDirection_ _changeToBidiControlCharacters_ _changeToWritingDirectionAttribute_ _charRangeIsHighlightOptimizable_fromOldCharRange_ _characterIndexForMoveBackwardFromCharacterIndex_ _characterIndexForMoveBackwardFromSelectedRanges_ _characterIndexForMoveForwardFromCharacterIndex_ _characterIndexForMoveForwardFromSelectedRanges_ _characterIndexForMoveLeftFromCharacterIndex_ _characterIndexForMoveLeftFromSelectedRanges_ _characterIndexForMoveRightFromCharacterIndex_ _characterIndexForMoveRightFromSelectedRanges_ _characterIndexForMoveWordLeftFromCharacterIndex_ _characterIndexForMoveWordRightFromCharacterIndex_ _characterIndexForPreviewItem_ _characterRangeBetweenIndexes_ _characterRangeByTrimmingWhitespaceFromRange_ _characterRangesBetweenIndex_andIndex_ _checkGrammarStartingAt_detailRange_detail_ _checkInList_listStart_markerRange_emptyItem_atEnd_inBlock_blockStart_ _checkInList_listStart_markerRange_emptyItem_atEnd_inBlock_blockStart_forCharacterRange_ _checkLinksAfterChange _checkLinksForRange_excludingRange_ _checkRotatedOrScaledFromBase _checkSpellingForRange_excludingRange_ _checkSpelling_ _clearMarkedRange _clearSpellingForRange_ _clearUndoRegistrations _clickedCharIndex _closeQuickLookPreviewPanelWithSpace _commonInitIvarBlock _commonInitState _completionsFromDocumentForPartialWordRange_ _completionsFromDocumentForPartialWordRange_language_ _conditionallyRemoveDataDetectionIndicator_ _configureSharingServicesMenuItemInRange_ _configureTouchBar_withIdentifiers_ _considerDeferredTextChecking _considerTextCheckingForRange_ _consumeMouseEventsUntilMouseUpStartingWithEvent_ _contentRectForTextBlock_glyphRange_ _continuousCheckingAllowed _copyFromDataDetectionIndicator_ _couldHaveBlinkTimer _createRectArrayForFindIndicatorForGlyphRange_rectCount_ _createTrackingArea _currentEditingColor _dataDetectionResultForCharacterIndex_inRange_ _deferConsiderationOfTextCheckingForRange_ _definitionAnimationControllerForAttributedString_range_options_baselineOriginProvider_ _deletesForGenericDragging _distForGlyphLocation_ _distanceForVerticalArrowKeyMovement _doubleClickAtIndex_limitedRangeOK_ _draggingSession_endedAtPoint_operation_ _drawInsertionPointInRect_color_ _drawViewBackgroundInRect_ _ensureLayoutCompleteForRect_withExtensionFactor_minimumExtensionDistance_repetitions_ _ensureLayoutCompleteForRect_withExtension_ _ensureLayoutCompleteForVisibleRectWithExtensionFactor_minimumExtensionDistance_repetitions_ _ensureLayoutCompleteForVisibleRectWithExtension_ _ensureLayoutCompleteToEndOfCharacterRange_ _ensureMinAndMaxSizesConsistentWithBounds _extendedGlyphRangeForRange_maxGlyphIndex_drawingToScreen_ _fastHighlightGlyphRange_withinSelectedGlyphRange_ _fieldEditorUndoManager _finishedAnimatingScroll _finishedImmediateScroll _fixDragAndDropCharRangesForChangeInRanges_replacementStrings_ _fixSharedData _fixedSelectionRangeForRange_affinity_ _fixedSelectionRangesForRanges_affinity_ _forceRedrawDragInsertionIndicator _forgetSpellingFromMenu_ _getGlyphIndex_characterIndex_forWindowPoint_pinnedPoint_anchorPoint_useAnchorPoint_preferredTextView_partialFraction_ _getGlyphIndex_characterIndex_forWindowPoint_pinnedPoint_preferredTextView_partialFraction_ _getGlyphIndex_forWindowPoint_pinnedPoint_anchorPoint_useAnchorPoint_preferredTextView_partialFraction_ _getGlyphIndex_forWindowPoint_pinnedPoint_preferredTextView_partialFraction_ _giveUpFirstResponder_ _guessesTimer _handleTextCheckingResults_sequenceNumber_forRange_types_options_orthography_wordCount_applyNow_checkSynchronously_ _hasScaledBacking _hasVisisbleGlyphsInCharRange_ _ignoreGrammarFromMenu_ _ignoreSpellingFromMenu_ _immediateActionAnimationControllerForCharacterAtIndex_withRecognizer_ _immediateActionMenuItemForTextCheckingResult_range_location_ _informTextFinderStringWillChange _insertionCharacterIndexForDrag_ _insertionGlyphIndexForDrag_ _installRulerAccViewForParagraphStyle_ruler_enabled_ _invalidateBlinkTimer_ _invalidateDisplayForChangeOfSelectionFromRange_toRange_ _invalidateDisplayForMarkedOrSelectedRange _invokeSharingService_ _isDrawingLayer _isInsertingText _isScrollingToEnd _isUnmarking _ivars _learnSpellingFromMenu_ _lookUpClose_ _lookUpDefiniteRangeInDictionaryFromMenu_ _lookUpIndefiniteRangeInDictionaryFromMenu_ _makeLinkFromMenu_ _markAllForTextChecking _markForTextCheckingAfterChange _markTextEditedForRange_ _markUpAction_ _menuItemsForDataResult_ _menuItemsForTextCheckingResult_range_contextual_immediate_location_ _mightHaveSpellingAttributes _modifiedGrammarRangeForRange_details_ _mouseExitedDataDetectionIndicator _mouseInside_ _moveDownAndModifySelection_ _moveDown_ _moveToNextBlock _moveToPreviousBlock _moveUpAndModifySelection_ _moveUp_ _nestListAtIndex_ _noteUndoOfCorrections_ _old_writeStringInRanges_toPasteboard_ _openLinkFromMenu_ _optimizeHighlightForCharRange_charRange_fullSelectionCharRange_oldSelectionFullCharRange_ _outlineIsOn _performPendingTextChecking _performScheduledTextChecking_ _performUndoCoalescingAction_ _pointForTopOfBeginningOfCharRange_ _preflightSpellChecker_ _quickLookPreviewItemsInRange_ _rangeByTrimmingWhitespaceFromRange_ _rangeForMoveDownFromRange_verticalDistance_desiredDistanceIntoContainer_selectionAffinity_ _rangeForMoveUpFromRange_verticalDistance_desiredDistanceIntoContainer_selectionAffinity_ _rangeForUserBaseWritingDirectionChange _rangeForUserCompletion _rangeForUserTextWritingDirectionChange _range_containsPoint_ _rangesForMultipleTextSelectionPasteAtIndex_fromPasteboard_ _rangesForPreview _rangesForUserBaseWritingDirectionChange _rangesForUserTextWritingDirectionChange _readAttributedStringIntoRanges_fromPasteboard_stripAttachments_ _readColorIntoRange_fromPasteboard_ _readColorIntoRanges_fromPasteboard_ _readFilenameStringsIntoRange_fromPasteboard_ _readFilenamesIntoRange_fromPasteboard_ _readFontIntoRange_fromPasteboard_ _readFontIntoRanges_fromPasteboard_ _readImageIntoRange_fromPasteboard_ _readMovieIntoRange_fromPasteboard_ _readMultipleTextSelectionRangesForString_fromPasteboard_ _readRulerIntoRange_fromPasteboard_ _readRulerIntoRanges_fromPasteboard_ _readSelectionFromPasteboard_types_ _readStringIntoRange_fromPasteboard_ _readStringIntoRanges_fromPasteboard_ _readStringWithLinksIntoRanges_fromPasteboard_ _readURLIntoRange_fromPasteboard_ _readURLStringIntoRange_fromPasteboard_ _readURLStringsWithNamesIntoRange_fromPasteboard_ _rectangularCharacterRangesForGlyphRange_from_to_granularity_ _reformListAtIndex_ _removeAutiliaryUserInterfaceItems _removeDataDetectionIndicator _removeGrammarAttributeForRange_ _removeGrammarAttributeForRange_includeAccessibility_ _removeLinkFromMenu_ _removeSelectionRolloverTimer _removeSpellingAttributeForRange_ _removeSpellingAttributeForRange_includeAccessibility_ _removeToolTipAndTimer _remove_andAddMultipleToTypingAttributes_ _replaceCharactersInRange_withPastedAttributedString_ _replaceTextFromMenu_ _requestUpdateOfDragTypeRegistration _resizeTable_level_range_column_widthDelta_ _resizeTable_level_range_row_heightDelta_ _restartBlinkTimer _restoreReplacedString_ _restoreSelectedRangeAfterUndoOfCandidateSelection _reversionTimer _scheduleTextCheckingForRange_ _scrollDown_ _scrollRangeToVisible_forceCenter_ _scrollToEnd_ _scrollUp_ _searchWithGoogleFromMenu_ _selectedRanges _selectedRangesAsIndexSet _selectedRangesByTogglingRanges_withRanges_initialCharacterIndex_granularity_ _selectionDragTimerFire_ _sendZoomFocusChangedNotificationForSelectionChange _setAttributes_newValues_range_ _setDeletesForGenericDragging_ _setDistanceForVerticalArrowKeyMovement_ _setDragAndDropCharRange_ _setDragAndDropCharRanges_ _setFieldEditorUndoManager_ _setFrameSize_forceScroll_ _setIsDrawingLayer_ _setScrollingToEnd_ _setUndoRedoInProgress_ _setWatchingSuperviewClipView_ _setupCandidateListTouchBarItem _sharedData _sharingItemForAttachment_atIndex_ _sharingServiceItemsInRanges_ _shouldHaveBlinkTimer _shouldHavePeriodicEventsForPoint_ _shouldIncludePreviewActionInContextMenu _showAllInsertionPointsForGlyphRange_atPoint_ _showDataDetectionIndicatorForRange_dataResult_windowPoint_ _showDefinitionForAttributedString_characterIndex_range_options_baselineOriginProvider_ _showFindIndicatorWithCharRange_ _showFindIndicatorWithCharRange_fade_ _showParagraphDirectionalityForGlyphRange_atPoint_ _showToolTip_ _sizeDownIfPossible _spellingGuessesForRange_ _spellingGuessesForRange_canCorrect_ _spellingGuessesForWord_range_ _spellingSelectionRangeForProposedRange_ _stripAttachmentCharactersAndParagraphStylesFromAttributedString_ _stripAttachmentCharactersFromAttributedString_ _stripAttachmentCharactersFromString_ _superviewClipViewFrameChanged_ _textViewFinder _textViewOwnsTextStorage _toolTipOwnerResignKey_ _toolTipTimer _touchBarItemController _touchBarItemIdentifiers _trackAttachmentClick_characterIndex_glyphIndex_attachmentCell_ _turnOnSpellingCorrectionFromMenu_ _turnOnTextReplacementFromMenu_ _underlineIsOn _undoRedoInProgress _unlearnSpellingFromMenu_ _unmarkTextEditedForRange_ _unnestListAtIndex_markerRange_ _updateAllowsCollapsingWithTouchBar_ _updateDragInsertionIndicatorWith_ _updateTextFinder _useTextChecking _userDeleteRange_ _userReplaceRange_withString_ _usesSplitCursor _validateAndCommitTokens _validateMenuItemForPreviewAction_ _verifyQuotesAndParenthesesForRange_ _verticalDistanceForLineScroll _verticalDistanceForPageScroll _wantsPastedFile_ _wantsPastedFiles_ _wantsPastedURL_allowFileURLs_ _writeAttributedStringInRanges_toPasteboard_ _writeFontInRange_toPasteboard_ _writeLinkStringInRange_toPasteboard_ _writeMultipleTextSelectionRanges_toPasteboard_ _writeRTFDInRange_toPasteboard_ _writeRTFDInRanges_toPasteboard_ _writeRTFInRange_toPasteboard_ _writeRTFInRanges_toPasteboard_ _writeRulerInRange_toPasteboard_ _writeStringInRanges_toPasteboard_ _writeURLInRange_toPasteboard_ _writeURLNameInRange_toPasteboard_ _writeURLStringInRange_toPasteboard_ _writeURLStringsWithNamesInRange_toPasteboard_ _writingDirectionAttributeForInsertText_replacementRange_ _writingDirectionAttributeForPeriodBeforeInsertText_replacementRange_ acceptableDragTypes acceptsGlyphInfo accessibilityAXAttributedStringForCharacterRange_parent_ accessibilityAttachments accessibilityBoundsForCharacterRange_ accessibilityCharacterRangeForLineNumber_ accessibilityCharacterRangeForPosition_ accessibilityIndexForAttachment_ accessibilityIsSelectedRangeSettable accessibilityIsSelectedTextRangesAttributeSettable accessibilityIsSelectedTextSettable accessibilityIsSharedCharacterRangeAttributeSettable accessibilityIsSharedTextUIElementsAttributeSettable accessibilityIsTextInputMarkedRangeAttributeSettable accessibilityIsVisibleCharacterRangeSettable accessibilityLineNumberForCharacterIndex_ accessibilityPostNotification_withNotificationElement_ accessibilityRTFForCharacterRange_ accessibilitySelectedRange accessibilitySelectedTextRangesAttribute accessibilitySetSelectedRange_ accessibilitySetSelectedTextRangesAttribute_ accessibilitySetSelectedText_ accessibilitySetVisibleCharacterRange_ accessibilitySharedCharacterRangeAttribute accessibilitySharedTextElementForIndexAttributeForParameter_ accessibilitySharedTextUIElementsAttribute accessibilitySharedTextViews accessibilitySharedViewForIndex_ accessibilityStyleRangeForCharacterIndex_ accessibilityTextInputMarkedRangeAttribute accessibilityTextLinkAtIndex_ accessibilityTextLinks accessibilityTextView acquireKeyFocus addLinksInSelection_ alignCenter_ alignJustified_ alignLeft_ alignRight_ allowsDocumentBackgroundColorChange allowsImageEditing applyActionForRanges_block_ attributedSubstringForMarkedRange attributedSubstringForProposedRange_actualRange_ baselineDeltaForCharacterAtIndex_ breakUndoCoalescing candidateListTouchBarItem_changedCandidateListVisibility_ candidateListTouchBarItem_endSelectingCandidateAtIndex_ capitalizeWord_ centerSelectionInVisibleArea_ centersOnScroll changeAttributesWithModifier_ changeAttributes_ changeBaseWritingDirection_ changeDocumentBackgroundColor_ changeFont_ changeLayoutOrientation_ changeSpelling_ characterIndexForInsertionAtPoint_ characterIndexForPoint_ characterRangeForRect_ checkSpelling_ checkTextInDocumentUsingTypes_options_restrictToSelection_ checkTextInDocument_ checkTextInRange_types_options_ checkTextInSelection_ cleanUpAfterDragOperation clickedOnLink_atIndex_ complete_ completionsForPartialWordRange_indexOfSelectedItem_ contentViewAtIndex_effectiveCharacterRange_ conversationIdentifier copyFont_ copyLink_ copyRuler_ defaultParagraphStyle deleteBackwardByDecomposingPreviousCharacter_ deleteBackward_ deleteForward_ deleteToBeginningOfLine_ deleteToBeginningOfParagraph_ deleteToEndOfLine_ deleteToEndOfParagraph_ deleteToMark_ deleteWordBackward_ deleteWordForward_ delete_ didChangeText didReplaceCharacters displaysLinkToolTips dragImageForSelectionWithEvent_origin_ dragOperationForDraggingInfo_type_ dragSelectionWithEvent_offset_slideBack_ drawCharactersInRange_forContentView_ drawDragInsertionIndicatorWithRect_ drawInsertionPointInRect_color_turnedOn_ drawViewBackgroundInRect_ drawsVerticallyForCharacterAtIndex_ enabledTextCheckingTypes firstRectForCharacterRange_ firstSelectedRange fractionOfDistanceThroughGlyphForPoint_ functionBar_makeItemForIdentifier_ getMarkedText_selectedRange_ handleCandidates_sequenceNumber_ handleTextCheckingResults_forRange_types_options_orthography_wordCount_ hasMarkedText hideHighlight highlightBoundingRectForCharacterRange_highlightStyle_ highlightRectsForCharacterRange_highlightStyle_ ignoreSpelling_ immediateActionRecognizerDidCancelAnimation_ immediateActionRecognizerDidCompleteAnimation_ immediateActionRecognizerDidUpdateAnimation_ immediateActionRecognizerWillBeginAnimation_ immediateActionRecognizerWillPrepare_ initWithFrame_textContainer_ insertCandidateString_replacementRange_ insertCandidateTextCheckingResult_ insertCompletion_forPartialWordRange_movement_isFinal_ insertContainerBreak_ insertDoubleQuoteIgnoringSubstitution_ insertLineBreak_ insertLineSeparator_ insertNewlineIgnoringFieldEditor_ insertNewline_ insertPageBreak_ insertParagraphSeparator_ insertRightToLeftSlash_ insertSingleQuoteIgnoringSubstitution_ insertTabIgnoringFieldEditor_ insertTable_ insertionPointColor inspectorBarItemIdentifiers invalidateTextContainerOrigin invokeExtensionService_ invokeImmediateActionMenuItem_ isAutomaticDashSubstitutionEnabled isAutomaticDataDetectionEnabled isAutomaticLanguageIdentificationEnabled isAutomaticLinkDetectionEnabled isAutomaticQuoteSubstitutionEnabled isAutomaticSpellingCorrectionEnabled isAutomaticTextReplacementEnabled isCoalescingUndo isContinuousSpellCheckingEnabled isFieldEditor isGrammarCheckingEnabled isHorizontallyResizable isIncrementalSearchingEnabled isRichText isRulerVisible isVerticallyResizable itemsForSharingServiceInRanges_ layoutManager_effectiveCUICatalogForTextEffect_ layoutOrientation linkTextAttributes lockDocument loosenKerning_ lowerBaseline_ lowercaseWord_ makeBaseWritingDirectionLeftToRight_ makeBaseWritingDirectionNatural_ makeBaseWritingDirectionRightToLeft_ makeTextWritingDirectionLeftToRight_ makeTextWritingDirectionNatural_ makeTextWritingDirectionRightToLeft_ markedTextAttributes menuItemsForTextCheckingResult_range_contextual_event_ mouseCancelled_ moveBackwardAndModifySelection_ moveBackward_ moveForwardAndModifySelection_ moveForward_ moveParagraphBackwardAndModifySelection_ moveParagraphForwardAndModifySelection_ moveToBeginningOfDocumentAndModifySelection_ moveToBeginningOfDocument_ moveToBeginningOfLineAndModifySelection_ moveToBeginningOfLine_ moveToBeginningOfParagraphAndModifySelection_ moveToEndOfDocumentAndModifySelection_ moveToEndOfDocument_ moveToEndOfLineAndModifySelection_ moveToEndOfLine_ moveToEndOfParagraphAndModifySelection_ moveToLeftEndOfLineAndModifySelection_ moveToLeftEndOfLine_ moveToRightEndOfLineAndModifySelection_ moveToRightEndOfLine_ moveWordBackwardAndModifySelection_ moveWordBackward_ moveWordForwardAndModifySelection_ moveWordForward_ orderFrontLinkPanel_ orderFrontListPanel_ orderFrontSharingServicePicker_ orderFrontSpacingPanel_ orderFrontSubstitutionsPanel_ orderFrontTablePanel_ outline_ pageDownAndModifySelection_ pageUpAndModifySelection_ pasteAsPlainText_ pasteAsRichText_ pasteFont_ pasteRuler_ performFindPanelAction_ performPendingTextChecking performTextFinderAction_ preferredPasteboardTypeFromArray_restrictedToTypesFromArray_ preferredTextFinderStyle previewPanel_transitionImageForPreviewItem_contentRect_ quickLookPreviewableItemsInRanges_ raiseBaseline_ rangeForUserCharacterAttributeChange rangeForUserCompletion rangeForUserParagraphAttributeChange rangeForUserTextChange rangesForUserCharacterAttributeChange rangesForUserParagraphAttributeChange rangesForUserTextChange readRTFDFromFile_ readSelectionFromPasteboard_ readSelectionFromPasteboard_type_ readablePasteboardTypes rectsForCharacterRange_ removeAccents_ replaceCharactersInRange_withRTFD_ replaceCharactersInRange_withRTF_ replaceDashesInSelection_ replaceQuotesInSelection_ replaceTextContainer_ replaceTextInSelection_ resignKeyFocus rulerView_didAddMarker_ rulerView_didMoveMarker_ rulerView_didRemoveMarker_ rulerView_handleMouseDown_ rulerView_handleMouseDown_forMarker_ rulerView_locationForPoint_ rulerView_pointForLocation_ rulerView_shouldAddMarker_ rulerView_shouldMoveMarker_ rulerView_shouldRemoveMarker_ rulerView_willAddMarker_atLocation_ rulerView_willMoveMarker_toLocation_ rulerView_willSetClientView_ scrollLineDown_ scrollLineUp_ scrollPageDown_ scrollPageUp_ scrollRangeToVisible_ selectLine_ selectParagraph_ selectToMark_ selectWord_ selectedRanges selectedTextAttributes selectionAffinity selectionGranularity selectionRangeForProposedRange_granularity_ setAcceptsGlyphInfo_ setAllowsDocumentBackgroundColorChange_ setAllowsImageEditing_ setAutomaticDashSubstitutionEnabled_ setAutomaticDataDetectionEnabled_ setAutomaticLanguageIdentificationEnabled_ setAutomaticLinkDetectionEnabled_ setAutomaticQuoteSubstitutionEnabled_ setAutomaticSpellingCorrectionEnabled_ setAutomaticTextReplacementEnabled_ setCentersOnScroll_ setConstrainedFrameSize_ setContinuousSpellCheckingEnabled_ setDefaultParagraphStyle_ setDisplaysLinkToolTips_ setEnabledTextCheckingTypes_ setFieldEditor_ setFont_range_ setGrammarCheckingEnabled_ setHorizontallyResizable_ setIncrementalSearchingEnabled_ setInsertionPointColor_ setLayoutOrientation_ setLinkTextAttributes_ setMark_ setMarkedTextAttributes_ setMarkedText_selectedRange_ setMarkedText_selectedRange_replacementRange_ setNeedsDisplayInRect_avoidAdditionalLayout_ setPreferredTextFinderStyle_ setRichText_ setRulerVisible_ setSelectedRange_ setSelectedRange_affinity_stillSelecting_ setSelectedRanges_ setSelectedRanges_affinity_stillSelecting_ setSelectedTextAttributes_ setSelectionGranularity_ setSmartInsertDeleteEnabled_ setSpellingState_range_ setTextColor_range_ setTextContainerInset_ setTextContainer_ setTypingAttributes_ setUndoActionName_ setUsesFindBar_ setUsesFindPanel_ setUsesFontPanel_ setUsesInspectorBar_ setUsesRolloverButtonForSelection_ setUsesRuler_ setVerticallyResizable_ sharingServicePicker_delegateForSharingService_ sharingServicePicker_sharingServicesForItems_mask_proposedSharingServices_ sharingService_containerFrameOnScreenForShareItem_ sharingService_didShareItems_ sharingService_sourceFrameOnScreenForShareItem_ sharingService_sourceWindowForShareItems_sharingContentScope_ sharingService_transitionImageForShareItem_contentRect_ shouldChangeTextInRange_replacementString_ shouldChangeTextInRanges_replacementStrings_ shouldDrawInsertionPoint shouldReplaceCharactersInRanges_withStrings_ showDefinitionFromMenu_ showFindIndicatorForRange_ showFindIndicatorForRange_fade_ showHighlightWithCharacterRange_highlightStyle_ smartDeleteRangeForProposedRange_ smartInsertAfterStringForString_replacingRange_ smartInsertBeforeStringForString_replacingRange_ smartInsertDeleteEnabled smartInsertForString_replacingRange_beforeString_afterString_ spellCheckerDidChangeCorrection_ spellCheckerDidChangeDashSubstitution_ spellCheckerDidChangeLanguage_ spellCheckerDidChangeQuoteSubstitution_ spellCheckerDidChangeReplacement_ spellCheckerDidLearnWord_ spellCheckerDidUnlearnWord_ spellCheckerDocumentTag spotlight_ subscript_ substituteQuotesForRange_ superscript_ swapWithMark_ textContainer textContainerInset textContainerOrigin textStorage tightenKerning_ toggleAutomaticDashSubstitution_ toggleAutomaticDataDetection_ toggleAutomaticLanguageIdentification_ toggleAutomaticLinkDetection_ toggleAutomaticQuoteSubstitution_ toggleAutomaticSpellingCorrection_ toggleAutomaticTextCompletion_ toggleAutomaticTextReplacement_ toggleBaseWritingDirection_ toggleContinuousSpellChecking_ toggleGrammarChecking_ toggleQuickLookPreviewPanel_ toggleRuler_ toggleSmartInsertDelete_ toggleTraditionalCharacterShape_ tokenizingCharacterSet touchBarItemController touchBar_makeItemForIdentifier_ transliterateToLatin_ transpose_ turnOffKerning_ turnOffLigatures_ typingAttributes underline_ unlockDocument unmarkText unscript_ updateCandidates updateDragTypeRegistration updateFontPanel updateFunctionBarItemIdentifiers updateInsertionPointStateAndRestartTimer_ updateInspectorBar updateQuickLookPreviewPanel updateRuler updateSpellingPanel updateTextFunctionBarItems updateTextTouchBarItems updateTouchBarItemIdentifiers uppercaseWord_ useAllLigatures_ useStandardKerning_ useStandardLigatures_ usesFindBar usesFindPanel usesFontPanel usesInspectorBar usesRolloverButtonForSelection usesRuler visibleCharacterRanges writablePasteboardTypes writeRTFDToFile_atomically_ writeSelectionToPasteboard_type_ writeSelectionToPasteboard_types_ yankAndSelect_ yank_ NSFindPatternSearchField _addEventToBeRepostedAfterTransition_ _addPostAnimationBlock_ _animationCompletionBlocks _createPostAnimationQueueWithBlock_ _eventsNeedingReposting _invokePostAnimationBlocks _mouseDownEventIsInSearchButton_ _previousResponder _setAnimationCompletionBlocks_ _setEventsNeedingReposting_ _setPreviousResponder_ _transitionForFirstResponder_completion_ _updateSearchingState _windowResignedKeyStatus_ centersPlaceholder maximumRecents recentAttributedSearchStrings recentSearches recentsAutosaveName rectForCancelButtonWhenCentered_ rectForSearchButtonWhenCentered_ rectForSearchTextWhenCentered_ searchFieldCell_shouldChangeCancelButtonVisibility_ searchMenuTemplate sendsSearchStringImmediately sendsWholeSearchString setCentersPlaceholder_ setMaximumRecents_ setRecentAttributedSearchStrings_ setRecentSearches_ setRecentsAutosaveName_ setSearchMenuTemplate_ setSendsSearchStringImmediately_ setSendsWholeSearchString_ setStatusString_ NSFindPatternTextField NSFindPboard NSFitPagination NSFixedPitchFontMask NSFlagsChanged NSFlagsChangedMask NSFlippableView NSFloatRange initWithLocation_length_ NSFloatType NSFloatingPointSamplesBitmapFormat NSFloatingWindowLevel NSFocusRingAbove NSFocusRingBelow NSFocusRingOnly NSFocusRingTypeDefault NSFocusRingTypeExterior NSFocusRingTypeNone NSFocusStack _handlesException _setHandlesException_ fixInvalidatedFocusForFocusView focusView_inWindow_ focusedView invalidateFocus_ isWindowInFocusStack_ performWithFocusView_inWindow_usingBlock_ popTopView removeFreedView_ removeFreedWindow_ unfocusView_ NSFocusState CGAffineTransform _computeInv _doRotationOnly clip_ concat_ flushWithContext_ getRotationAngle invTransformRect_ invTransform_ makeIdentity rotated scaleTo__ send sendInv transformRect_ transform_ translateTo__ NSFont NSFontAntialiasedIntegerAdvancementsRenderingMode NSFontAntialiasedRenderingMode NSFontAssetDownloadError NSFontAssetRequestOptionUsesStandardUI NSFontAttributeName NSFontBinding NSFontBoldBinding NSFontBoldTrait NSFontCascadeListAttribute NSFontCharacterSetAttribute NSFontClarendonSerifsClass NSFontCollection NSFontCollectionActionKey NSFontCollectionAllFonts NSFontCollectionApplicationOnlyMask NSFontCollectionDidChangeNotification NSFontCollectionDisallowAutoActivationOption NSFontCollectionFavorites NSFontCollectionIncludeDisabledFontsOption NSFontCollectionNameKey NSFontCollectionOldNameKey NSFontCollectionRecentlyUsed NSFontCollectionRemoveDuplicatesOption NSFontCollectionUser NSFontCollectionVisibilityComputer NSFontCollectionVisibilityKey NSFontCollectionVisibilityProcess NSFontCollectionVisibilityUser NSFontCollectionWasHidden NSFontCollectionWasRenamed NSFontCollectionWasShown NSFontColorAttribute NSFontCondensedTrait NSFontDefaultRenderingMode NSFontDescriptor NSFontDescriptorClassClarendonSerifs NSFontDescriptorClassFreeformSerifs NSFontDescriptorClassMask NSFontDescriptorClassModernSerifs NSFontDescriptorClassOldStyleSerifs NSFontDescriptorClassOrnamentals NSFontDescriptorClassSansSerif NSFontDescriptorClassScripts NSFontDescriptorClassSlabSerifs NSFontDescriptorClassSymbolic NSFontDescriptorClassTransitionalSerifs NSFontDescriptorClassUnknown NSFontDescriptorTraitBold NSFontDescriptorTraitCondensed NSFontDescriptorTraitExpanded NSFontDescriptorTraitItalic NSFontDescriptorTraitLooseLeading NSFontDescriptorTraitMonoSpace NSFontDescriptorTraitTightLeading NSFontDescriptorTraitUIOptimized NSFontDescriptorTraitVertical NSFontEffectsBox _changeColorToColor_ _changeDocumentColor_ _changeShadowAngle_ _changeShadowBlur_ _changeShadowOpacity_ _changeTextColor_ _currentShadowForFont_ _documentBackgroundColor _foregroundColor _lineStyleForLineStyleButton_ _openEffectsButton_ _orderFrontModalColorPanel _sendCarbonNotificationForTag_withValuePtr_andSize_ _sendCarbonNotificationFor_tags_withValuePtrs_andSizes_ _setAttributes_isMultiple_ _strikethroughStyle _toggleShadow_ _underlineStyle _validateDocumentColor_ _validateFontPanelFontAttributes_ _validateShadowEffect_ _validateStrikethrough_ _validateTextColor_ _validateUnderline_ carbonNotificationProc convertAttributes_ toolbarAllowedItemIdentifiers_ toolbarDefaultItemIdentifiers_ NSFontErrorMaximum NSFontErrorMinimum NSFontExpandedTrait NSFontFaceAttribute NSFontFamilyAttribute NSFontFamilyClassMask NSFontFamilyNameBinding NSFontFeatureSelectorIdentifierKey NSFontFeatureSettingsAttribute NSFontFeatureTypeIdentifierKey NSFontFixedAdvanceAttribute NSFontFreeformSerifsClass NSFontIdentityMatrix NSFontIntegerAdvancementsRenderingMode NSFontItalicBinding NSFontItalicTrait NSFontManager _addCollection_options_sender_ _addDescriptorCheckingForDuplicates_toCollection_ _availableFontFamiliesForCollectionName_ _availableFontSetNames _collectionWithName_ _collectionWithName_index_ _collection_setHidden_ _collection_setHidden_save_ _collections _createDefaultCollectionRep _createFontPanelRepFromCollection_removingHidden_ _defaultFontSet _descStringForFont_ _displayName_ _faceForFamily_fontName_ _familyCacheForCollectionName_ _familyNamesForCollection_ _filenameForCollection_ _fontDescriptorsForFamily_inCollection_ _fontFromDescriptor_ _fontNameForFamily_face_ _fontSetWithName_ _isInternalFontName_ _loadFontFiles _menu _nameForCollection_ _notifyObserversWithUserInfo_ _oldFontSetNames _oldFontSetWithName_ _openCollections _openOldCollections _openOldFavorites _openRegularCollections _reactToFontSetChange _releaseFamilyCache _reloadFontInfoIfNecessary_ _removeFontDescriptor_fromCollection_save_ _renameCollectionWithName_to_ _renameCollection_to_ _renameFontDescriptorWithName_to_in_ _replaceFontDescriptor_withDescriptor_inCollection_ _setFamilyCache_forCollectionName_ _setFilteringSearchString_ _setFontPanel_ _sortCollections addCollection_options_ addFontDescriptors_toCollection_ addFontTrait_ availableFontFamilies availableFontNamesMatchingFontDescriptor_ availableFontNamesWithTraits_ availableFonts availableMembersOfFontFamily_ collectionNames convertFontTraits_ convertFont_ convertFont_toApproximateTraits_ convertFont_toFace_ convertFont_toFamily_ convertFont_toHaveTrait_ convertFont_toNotHaveTrait_ convertFont_toSize_ convertWeight_ofFont_ currentFontAction displayNameForCollectionWithName_ fontDescriptorsInCollection_ fontMenu_ fontNameWithFamily_traits_weight_ fontNamed_hasTraits_ fontPanel_ fontWithFamily_traits_weight_size_ isMultiple localizedNameForFamily_face_ modifyFontTrait_ modifyFontViaPanel_ modifyFont_ noteFontCollectionsChanged noteFontFavoritesChanged orderFrontFontOptionsPanel_ orderFrontStylesPanel_ removeCollection_ removeFontDescriptor_fromCollection_ removeFontDescriptors_fromCollection_ removeFontTrait_ saveFontCollection_ saveFontCollection_withName_ selectedFont setFontMenu_ setSelectedAttributes_isMultiple_ setSelectedFont_isMultiple_ toggleFontPanelShown_ traitsOfFont_ weightOfFont_ NSFontMatrixAttribute NSFontModernSerifsClass NSFontMonoSpaceTrait NSFontNameAttribute NSFontNameBinding NSFontOldStyleSerifsClass NSFontOptions addFavorite addFavoriteInWindow_ cancelSheet_ changeOptionsPanelSettings_ confirmSheet_ displayStringsForAttributes_includeBoldItalic_ displayStringsForParagraphStyle_ enableAll_ favoriteAttributesForName_ favoriteAttributesNames getStylesPanelTextView_window_ loadUI modifyOptionsViaPanel_ optionsAttributes orderFrontColorOptionsPanelInWindow_ orderFrontStylesPanelInWindow_textView_ removeFavoriteInWindow_ saveFavoritesToDefaults selectAllInView_selectionOnly_fontFamily_font_characterStyle_paragraphStyle_ selectDefaultRange selectFarthestRangeForward_ selectNextRangeForward_ selectedAttributes setOptionsAttributes_string_ sheetDidEnd_returnCode_contextInfo_ storedAttributes stringForRange_ textView_shouldSetColor_ updateColorOptionsUI updateFavoritesFromDefaults updateFavoritesUI updateOptionsUI NSFontOptionsColorWell NSFontOrnamentalsClass NSFontPanel _addSizeToList_ _canShowEffects _carbonNotification _changeSizeStyle_ _checkCollectionMoveOut_ _checkMiniMode_ _chooseBestMatchingFace _chooseCollection_ _chooseFace_ _chooseFamily_ _chooseSizeFromField_ _chooseSizeFromList_ _chooseSizeFromSlider_ _chooseSize_ _collectionsChanged_ _createFontPanelSizeRep _currentCollectionName _currentFamilyName _currentFont _fontAttributes _fontPanelDidLoad _fontPanelRemoveCollectionSheet_returnCode_contextInfo_ _inHideCollectionsMode _inHideFaceMode _inMiniMode _notifyTypographyPanel _openExtrasPopup_ _populateMiniMode _populatePopup_withTableView_ _reflectFont _reflectSize _removeSizeFromList_ _resetSizeList_ _searchChanged_ _selectedSize _sendCarbonNotification _setFont_ _setPreviewFont_ _setRecents_ _showEffects _sizeEditDone_ _sizeListChanged_ _toggleCollections_animate_ _togglePreview_animated_ _toggleTypographyPanel _typographyPanel _updateFontPreview _updateFontPreviewFont _validateExtrasButton_ _validateFaces_ _validateFontPanelFontAttributes _validateSizes_ collectionButtonPressed_ comboBox_indexOfItemWithStringValue_ draggingSourceOperationMaskForTableView_ loadFaces_ panelConvertFont_ reloadDefaultFontFamilies removeItemForTableView_pasteboard_operation_ setCarbonNotification_ setChooser_ setPanelFont_isMultiple_ setSizeTitle_ splitView_canCollapseSubview_ NSFontPanelAllEffectsModeMask NSFontPanelAllModesMask NSFontPanelCollectionModeMask NSFontPanelColorWell _bezelRenderingButton bezelImage setBezelImage_ NSFontPanelDocumentColorEffectModeMask NSFontPanelFaceModeMask NSFontPanelModeMaskAllEffects NSFontPanelModeMaskCollection NSFontPanelModeMaskDocumentColorEffect NSFontPanelModeMaskFace NSFontPanelModeMaskShadowEffect NSFontPanelModeMaskSize NSFontPanelModeMaskStrikethroughEffect NSFontPanelModeMaskTextColorEffect NSFontPanelModeMaskUnderlineEffect NSFontPanelModesMaskAllModes NSFontPanelModesMaskStandardModes NSFontPanelShadowEffectModeMask NSFontPanelSizeModeMask NSFontPanelStandardModesMask NSFontPanelStrikethroughEffectModeMask NSFontPanelTableView _wantsUserCancelledOperation NSFontPanelTextColorEffectModeMask NSFontPanelUnderlineEffectModeMask NSFontPboard NSFontPboardType NSFontSansSerifClass NSFontScriptsClass NSFontSetChangedNotification NSFontSizeAttribute NSFontSizeBinding NSFontSlabSerifsClass NSFontSlantTrait NSFontSmoothingButton NSFontSymbolicClass NSFontSymbolicTrait NSFontTraitsAttribute NSFontTransitionalSerifsClass NSFontUIOptimizedTrait NSFontUnavailableException NSFontUnknownClass NSFontVariationAttribute NSFontVariationAxisDefaultValueKey NSFontVariationAxisIdentifierKey NSFontVariationAxisMaximumValueKey NSFontVariationAxisMinimumValueKey NSFontVariationAxisNameKey NSFontVerticalTrait NSFontVisibleNameAttribute NSFontWeightBlack NSFontWeightBold NSFontWeightHeavy NSFontWeightLight NSFontWeightMedium NSFontWeightRegular NSFontWeightSemibold NSFontWeightThin NSFontWeightTrait NSFontWeightUltraLight NSFontWidthTrait NSForceClickMonitor _initWithEvent_ignoreForceClickSystemPreferences_ firstMouseEvent_ initWithEvent_ NSForcedOrderingSearch NSForegroundColorAttributeName NSForm __keyCol __keyRow _acceptableRowAboveKeyInVisibleRect_ _acceptableRowAboveRow_minRow_ _acceptableRowAboveRow_tryBelowPoint_ _acceptableRowBelowKeyInVisibleRect_ _acceptableRowBelowRow_maxRow_ _acceptableRowBelowRow_tryAbovePoint_ _accessibilityCorrectlyParentedCells_ _accessibilityIsRadioGroup _accessibilityLoadBrowserCellsAtRow_count_ _allocAndInitPrivateIvars _allowAnimationInCells_ _alternateDown____ _autorecalculateCellSize _boundsRectOccupiedByCells _browserColumnController _browserOptimizationsEnabled _cellForRow_browser_browserColumn_ _cellFurthestFrom_andCol_ _changeSelectionWithEvent_ _changingSelectionWithKeyboard _checkForSimpleTrackingMode _clearKeyCell _clearSelectedCell _computeAllRevealovers _containedInSingleColumnClipView _deselectAllExcept__andDraw_ _doResetOfCursorRects_revealovers_ _drawCellAtRow_column_inFrame_ _drawCellAt_col_insideOnly_ _findFirstOne__ _firstHighlightedCell _firstSelectableRow _getBrowser_browserColumn_ _getDrawingRow_andCol_ _getRowRange_andColumnRange_intersectingRect_ _getRow_andCol_ofCell_atRect_ _getRow_column_nearPoint_ _getVisibleRowRange_columnRange_ _highlightCell_atRow_column_andDraw_ _initialize___ _keyEquivalentModifierMask_matchesModifierFlags_ _keyboardModifyRow_column_withEvent_ _liveResizeHighlightSelectionInClipRect_ _loopHit_row_col_ _maintainCell _makeDownCellKey _makeEditable____ _makeLeftCellKey _makeNextCellKey _makeNextCellOrViewKey _makePreviousCellKey _makePreviousCellOrViewKey _makeRightCellKey _makeUpCellKey _maxWidth _mouseDownListmode_ _mouseDownNonListmode_ _mouseDownSimpleTrackingMode_ _mouseHit_row_col_ _mouseLoop______ _moveDownWithEvent_ _moveLeftWithEvent_ _moveRightWithEvent_ _moveUpWithEvent_ _needsDisplayfromColumn_ _needsDisplayfromRow_ _normalListmodeDown____ _pageDownWithEvent_ _pageUpWithEvent_ _radioHit_row_col_ _resetBrowserClickedRowAndColumn _resetTitleWidths _scrollRowToCenter_ _selectAllNoRecurse_ _selectCellIfRequired _selectFirstEnabledCell _selectKeyCellAtRow_column_ _selectNextCellKeyStartingAtRow_column_ _selectRange_oldArea_lit_includeX_ _selectRectRange__ _selectRowRange__ _selectTextOfCell_ _sendDoubleActionToCellAt_ _setAllowsNonVisibleCellsToBecomeFirstResponder_ _setBrowserOptimizationsEnabled_ _setFont_forCell_ _setKeyCellAtRow_column_ _setKeyCellFromBottom _setKeyCellFromTop _setKeyCellNeedsDisplay _setNeedsDisplayForSelectedCells _setNeedsDisplayInRow_column_ _setSelectedCell_ _setSelectedCell_atRow_column_ _setSelectionRange__ _setUseSimpleTrackingMode_ _shiftDown____ _shouldDrawContextMenuHighlightForRow_column_ _shouldShowFirstResponderAtRow_column_ignoringWindowKeyState_ _useSimpleTrackingMode accessiblityChildCells addColumnWithCells_ addRow addRowWithCells_ allowEmptySel_ autorecalculatesCellSize autosizesCells cellAtIndex_ cellAtRow_column_ cellBackgroundColor cellClass cellFrameAtRow_column_ cellWithTag_ cells deselectAllCells deselectSelectedCell drawCellAtIndex_ drawCellAtRow_column_ drawContextMenuHighlightForCellIndexes_ drawsCellBackground getNumberOfRows_columns_ getRow_column_ofCell_ highlightCell_atRow_column_ indexOfCellWithTag_ initWithFrame_mode_cellClass_numberOfRows_numberOfColumns_ initWithFrame_mode_prototype_numberOfRows_numberOfColumns_ insertColumn_ insertColumn_withCells_ insertEntry_atIndex_ insertRow_ insertRow_withCells_ isAutoscroll isR2L isSelectionByRect keyCell makeCellAtRow_column_ preferredTextFieldWidth prototype putCell_atRow_column_ removeColumn_ removeEntryAtIndex_ removeRow_ renewRows_columns_ scrollCellToVisibleAtRow_column_ selectCellAtRow_column_ selectCellWithTag_ selectTextAtIndex_ selectTextAtRow_column_ sendAction_to_forAllCells_ sendDoubleAction setAction_atRow_column_ setAutorecalculatesCellSize_ setAutoscroll_ setAutosizesCells_ setCellBackgroundColor_ setCellSize_ setDrawsCellBackground_ setEntryWidth_ setInterlineSpacing_ setKeyCell_ setPreferredTextFieldWidth_ setPrototype_ setSelectionByRect_ setSelectionFrom_to_anchor_highlight_ setState_atRow_column_ setTabKeyTraversesCells_ setTag_atRow_column_ setTag_target_action_atRow_column_ setTarget_atRow_column_ setTextAlignment_ setTextBaseWritingDirection_ setTextFont_ setTitleAlignment_ setTitleBaseWritingDirection_ setToolTip_forCell_ setValidateSize_ sizeToCells tabKeyTraversesCells toolTipForCell_ view_stringForToolTip_point_userData_ NSFormCell _layoutTitleRect_interiorChromeRect_interiorTextRect_withFrame_inView_ _titleRectForCellFrame_ _updateFormAlignmentForUserInterfaceLayoutDirection setTitleWidth_ titleAlignment titleBaseWritingDirection titleWidth titleWidth_ NSFormFeedCharacter NSFormatter NSFormattingContextBeginningOfSentence NSFormattingContextDynamic NSFormattingContextListItem NSFormattingContextMiddleOfSentence NSFormattingContextStandalone NSFormattingContextUnknown NSFormattingError NSFormattingErrorMaximum NSFormattingErrorMinimum NSFormattingUnitStyleLong NSFormattingUnitStyleMedium NSFormattingUnitStyleShort NSFoundationVersionNumber NSFoundationVersionNumber10_0 NSFoundationVersionNumber10_1 NSFoundationVersionNumber10_10 NSFoundationVersionNumber10_10_1 NSFoundationVersionNumber10_10_2 NSFoundationVersionNumber10_10_3 NSFoundationVersionNumber10_10_4 NSFoundationVersionNumber10_10_5 NSFoundationVersionNumber10_10_Max NSFoundationVersionNumber10_11 NSFoundationVersionNumber10_11_1 NSFoundationVersionNumber10_11_2 NSFoundationVersionNumber10_11_3 NSFoundationVersionNumber10_11_4 NSFoundationVersionNumber10_11_Max NSFoundationVersionNumber10_1_1 NSFoundationVersionNumber10_1_2 NSFoundationVersionNumber10_1_3 NSFoundationVersionNumber10_1_4 NSFoundationVersionNumber10_2 NSFoundationVersionNumber10_2_1 NSFoundationVersionNumber10_2_2 NSFoundationVersionNumber10_2_3 NSFoundationVersionNumber10_2_4 NSFoundationVersionNumber10_2_5 NSFoundationVersionNumber10_2_6 NSFoundationVersionNumber10_2_7 NSFoundationVersionNumber10_2_8 NSFoundationVersionNumber10_3 NSFoundationVersionNumber10_3_1 NSFoundationVersionNumber10_3_2 NSFoundationVersionNumber10_3_3 NSFoundationVersionNumber10_3_4 NSFoundationVersionNumber10_3_5 NSFoundationVersionNumber10_3_6 NSFoundationVersionNumber10_3_7 NSFoundationVersionNumber10_3_8 NSFoundationVersionNumber10_3_9 NSFoundationVersionNumber10_4 NSFoundationVersionNumber10_4_1 NSFoundationVersionNumber10_4_10 NSFoundationVersionNumber10_4_11 NSFoundationVersionNumber10_4_2 NSFoundationVersionNumber10_4_3 NSFoundationVersionNumber10_4_4_Intel NSFoundationVersionNumber10_4_4_PowerPC NSFoundationVersionNumber10_4_5 NSFoundationVersionNumber10_4_6 NSFoundationVersionNumber10_4_7 NSFoundationVersionNumber10_4_8 NSFoundationVersionNumber10_4_9 NSFoundationVersionNumber10_5 NSFoundationVersionNumber10_5_1 NSFoundationVersionNumber10_5_2 NSFoundationVersionNumber10_5_3 NSFoundationVersionNumber10_5_4 NSFoundationVersionNumber10_5_5 NSFoundationVersionNumber10_5_6 NSFoundationVersionNumber10_5_7 NSFoundationVersionNumber10_5_8 NSFoundationVersionNumber10_6 NSFoundationVersionNumber10_6_1 NSFoundationVersionNumber10_6_2 NSFoundationVersionNumber10_6_3 NSFoundationVersionNumber10_6_4 NSFoundationVersionNumber10_6_5 NSFoundationVersionNumber10_6_6 NSFoundationVersionNumber10_6_7 NSFoundationVersionNumber10_6_8 NSFoundationVersionNumber10_7 NSFoundationVersionNumber10_7_1 NSFoundationVersionNumber10_7_2 NSFoundationVersionNumber10_7_3 NSFoundationVersionNumber10_7_4 NSFoundationVersionNumber10_8 NSFoundationVersionNumber10_8_1 NSFoundationVersionNumber10_8_2 NSFoundationVersionNumber10_8_3 NSFoundationVersionNumber10_8_4 NSFoundationVersionNumber10_9 NSFoundationVersionNumber10_9_1 NSFoundationVersionNumber10_9_2 NSFoundationVersionWithFileManagerResourceForkSupport NSFourByteGlyphPacking NSFrameAddress NSFrameRect NSFrameRectWithWidth NSFrameRectWithWidthUsingOperation NSFrameView NSFreeHashTable NSFreeMapTable NSFullScreenModeAllScreens NSFullScreenModeApplicationPresentationOptions NSFullScreenModeSetting NSFullScreenModeWindowLevel NSFullScreenWindowMask NSFullSizeContentViewWindowMask NSFullUserName NSFunctionBar NSFunctionBarItem NSFunctionBarItemAttributes NSFunctionBarItemView _deferringLayoutNotifications_ _noteTouchBarItemViewChanged _viewForItem contentClippingSize functionBarItem isInCustomizationPalette isSpace preferredSize priorityIndex setFunctionBarItem_ setIsInCustomizationPalette_ setPriorityIndex_ NSFunctionBarLayout _adjustedHeightForItem_availableHeight_ _attributesOfItems_centerItems_givenSize_sharesRightEdge_ _calculateLayoutOfItems_centerItems_givenSize_ _calculateLayoutOfItems_withAvailableSize_startingWidth_xOrigin_sharesLeftEdge_sharesRightEdge_itemsToFrames_ _centerRectGivenItems_remainingLeftWidth_remainingRightWidth_sharesLeftEdge_sharesRightEdge_availableWidth_ _contentClippingSizeOfItem_ _contentClippingWidthOfCenterItems_sharesLeftEdge_sharesRightEdge_ _fittingWidthForItems_availableWidth_sharesLeftEdge_sharesRightEdge_attachedItems_ _highestPriorityIndexOfItems_ _itemIsFlexibleSpace_ _leftInsetOfItems_sharesLeftEdge_ _maxWidthOfItems_sharesLeftEdge_sharesRightEdge_ _minWidthOfItems_sharesLeftEdge_sharesRightEdge_ _preferredSizeOfItem_ _preferredWidthOfCenterItems_sharesLeftEdge_sharesRightEdge_ _rightInsetOfItems_sharesRightEdge_ _touchUpSpacesInItems_itemsToAttributes_ attributesOfItems_centerItems_givenSize_ defaultItemPadding framesOfItems_centerItems_givenSize_ initWithVisualCenterX_ itemPaddingForItem_ items_centerItems_minSize_maxSize_ orderedItemsGivenUnorderedArray_usingOrderedArray_ prioritizedItems_ priorityIndexOfItem_ setDefaultItemPadding_ setVisualCenterX_ visualCenterX NSFunctionBarView _appStateWillChange _attachItemView_ _barsAllowTransitionAnimation _detachViews_ _itemPositionChangingForItemView_ _noteTreeNeedsUpdate _reattachViews_ _refreshSubviews _removeItemView_ _updateTree adjustFromFrame_toFrame_afterDelay_withDuration_ adjustFromSize_toSize_afterDelay_withDuration_ allowsTransitionAnimations fadeFromAlpha_toAlpha_afterDelay_withDuration_ functionBars isLayingOut itemTree moveFromOrigin_ToOrigin_afterDelay_withDuration_ newItemViewForItem_ rectForItem_ setAllowsTransitionAnimations_ setAnimationTimingFunction_ setFunctionBars_ setItemTree_ setShouldAnimateNextLayoutPass_ setTouchBars_ visualCenterXAnchor withAnimationsSuppressed_ NSFunctionExpression _mapKVCOperatorsToFunctionsInContext_ binaryOperatorForSelector initWithExpressionType_operand_selector_argumentArray_ initWithSelector_argumentArray_ initWithTarget_selectorName_arguments_ NSFunctionExpressionType NSFunctionKeyMask NSFunctionRow convertPointFromDevice_ convertPointToDevice_ touches NSFunctionRowActionTracker _log control originalAction originalTarget recognizer setControl_ setOriginalAction_ setOriginalTarget_ setRecognizer_ setTouch_ touch NSFunctionRowAppearance NSFunctionRowBackgroundBlurView blurRadius setBlurRadius_ NSFunctionRowBackgroundColorView _systemColorsDidChange_ NSFunctionRowColorPickerColorList _colorKeyForColorAtIndex_ _colorListDidChange_ _didFinishInteractingWithScrubber_cancelled_ _effectiveColorCount _effectiveSelectedColorIndex _setCurrentColorWithScrubberIndex_ _setCurrentColor_updateScrubber_ currentColor didBeginInteractingWithScrubber_ didCancelInteractingWithScrubber_ didFinishInteractingWithScrubber_ longPress_ numberOfItemsForScrubber_ popUpDidDismiss_ popUpDidEndColorSelection_cancelled_ popUp_didHighlightColor_withKey_atIndex_ scrubber_didHighlightItemAtIndex_ scrubber_didSelectItemAtIndex_ scrubber_viewForItemAtIndex_ selectedColorKey setCurrentColor_ setSelectedColorKey_ setSupportsPressAndHoldVariants_ supportsPressAndHoldVariants NSFunctionRowColorPickerHSBSliders _displayedAlphaComponent _displayedBrightnessComponent _displayedColor _displayedHueComponent _displayedSaturationComponent _selectComponentValueFrom_ _sliderDidEndTracking _sliderForComponent_ _sliderWillBeginTracking _unminimizedComponents colorPickerSliderCompletedInteraction_ colorPickerSliderWantsToBeUnminimized_completionHandler_ set_unminimizedComponents_ NSFunctionRowColorPickerSlider _beginUnminimizeGesture _endUnminimizeGesture _handlePan_ _handlePress_ displayedColor displayedHueComponent displayedSaturationComponent gestureRecognizer_shouldRecognizeSimultaneouslyWithGestureRecognizer_ isMinimized minimizationDelegate representedComponent setDisplayedColor_ setDisplayedHueComponent_ setDisplayedSaturationComponent_ setMinimizationDelegate_ setMinimized_ setRepresentedComponent_ setValueIsFlipped_ valueIsFlipped NSFunctionRowColorPickerViewController _currentPreferredPickerView _pickColor_ _pickerDidCancelTracking _pickerDidEndTracking _pickerWillBeginTracking _switchColorPickerMode_ accessibilityIdentifierForToggleSwitcher_ accessibilityTitleForToggleSwitcher_ initWithInitialColor_ provideImageForToggleSwitcher_size_oldImage_ setCurrentMode_ NSFunctionRowDevice touchDevice NSFunctionRowItem NSGB18030EncodingDetector NSGBKEncodingDetector NSGEOMETRY_TYPES_SAME_AS_CGGEOMETRY_TYPES NSGIFFileType NSGZipDecoder decodeData_ decodeDownloadData_dataForkData_resourceForkData_ filenameWithOriginalFilename_ finishDownloadDecoding isFinishedDecoding NSGarbageCollector collectExhaustively collectIfNeeded disable disableCollectorForPointer_ enable enableCollectorForPointer_ isCollecting NSGeneralPboard NSGenerationToken generation initForStore_origin_generation_ initWithStoreIdentifier_origin_generation_ isReferencingStore_ origin storeIdentifier NSGenerationalRowCache forgetAllExternalData removeRowCacheForGenerationWithIdentifier_ removeRowCacheForGeneration_ rowCacheForGeneration_ NSGenericException NSGestureRecognizer NSGestureRecognizerStateBegan NSGestureRecognizerStateCancelled NSGestureRecognizerStateChanged NSGestureRecognizerStateEnded NSGestureRecognizerStateFailed NSGestureRecognizerStatePossible NSGestureRecognizerStateRecognized NSGestureRecognizerTarget NSGetAlertPanel NSGetCommand NSGetCriticalAlertPanel NSGetFileType NSGetFileTypes NSGetInformationalAlertPanel NSGetSizeAndAlignment NSGetUncaughtExceptionHandler NSGetWindowServerMemory NSGlobalDomain NSGlyphAbove NSGlyphAttributeBidiLevel NSGlyphAttributeElastic NSGlyphAttributeInscribe NSGlyphAttributeSoft NSGlyphBelow NSGlyphGenerator NSGlyphInfo NSGlyphInfoAttributeName NSGlyphInscribeAbove NSGlyphInscribeBase NSGlyphInscribeBelow NSGlyphInscribeOverBelow NSGlyphInscribeOverstrike NSGlyphLayoutAgainstAPoint NSGlyphLayoutAtAPoint NSGlyphLayoutWithPrevious NSGlyphNameGlyphInfo _font _glyph initWithGlyphName_glyph_forFont_baseString_ initWithGlyph_forFont_baseString_ NSGlyphPropertyControlCharacter NSGlyphPropertyElastic NSGlyphPropertyNonBaseCharacter NSGlyphPropertyNull NSGrabDimple doubleClickHandler dragHandler setDoubleClickHandler_ setDragHandler_ NSGradient _colorSpaceForColorArray_ _commonInitWithColorArray_colorSpace_padStart_padEnd_ _initWithColorSpace_callbacks_data_ _interpolationFunctionRefWithCallbacks_ drawFromCenter_radius_toCenter_radius_options_ drawInBezierPath_angle_ drawInBezierPath_relativeCenterPosition_ drawInRect_relativeCenterPosition_ getColor_location_atIndex_ initWithColorsAndLocations_ initWithColors_ initWithColors_atLocations_colorSpace_ initWithStartingColor_endingColor_ numberOfColorStops NSGradientColor _updatePattern _updatePatternImage NSGradientConcaveStrong NSGradientConcaveWeak NSGradientConvexStrong NSGradientConvexWeak NSGradientDrawsAfterEndingLocation NSGradientDrawsBeforeStartingLocation NSGradientNone NSGradientPatternColor _initWithCGPatternColor_ NSGrammarCheckingResult initWithRange_details_ NSGrammarCorrections NSGrammarRange NSGrammarUserDescription NSGraphicCell richTextForView_ setImageNamed_forView_ NSGraphicsContext NSGraphicsContextDestinationAttributeName NSGraphicsContextPDFFormat NSGraphicsContextPSFormat NSGraphicsContextRepresentationFormatAttributeName NSGraphiteControlTint NSGrayColorSpaceModel NSGrayFrame _activeTexturedWindowColor _addButtonSubview_ _addKnownSubview_positioned_relativeTo_ _additionalTopHeightForFloatingToolbar _adjustPointToTitlebarView_ _adjustRectToTitlebarView_ _adjustToolbarFrameIfNecessary_ _alwaysNeedsTitleBarTextField _animateFromStartingTitleControlState _animateToolbarWithReason_showToolbarPostWindowFrame_ _autosaveButtonOrigin _autosaveButtonRevealOverRect _autosaveButtonSeparatorField _autosaveButtonSeparatorFieldOrigin _auxViewControllers _auxiliaryTitlebarViewContainerView _auxiliaryViewStartingFrame _backdropView _backgroundLayer _backgroundLayerFrame _backgroundStyleForTitleTextField _beginTitleAnimation _bottomBarHeightChanged _bottomCornerHeight _bottomCornerRect _bottomCornerSize _bottomCornerSizeForRegularWindows _bottomLeftCornerRect _bottomRightCornerRect _buttonHidingView _calculateToolbarFrameAndUpdateSize_ _canAddWindowTabs _canFloatForTabsOrTitlebar_ _clearCornerMaskIfNeeded _closeButtonOrigin _collapseButtonOrigin _commandPopupRect _commonBackgroundAlphaDrawHandler_ _computeHeightOfTop_bottom_ _contentLayoutGuide _contentLayoutRect _contentLayoutView _contentRectExcludingToolbar _contentRectIncludingToolbarAtHome _contentToFrameMaxXWidth _contentToFrameMaxYHeight _contentToFrameMinXWidth _contentToFrameMinYHeight _coreUIDrawResizeBoxInRect_active_ _createAuxiliaryTitlebarViewContainerViewIfNecessary _createWindowOpaqueShape _createWindowShapeMask_centerRect_scale_ _cuiMakeOrUpdateBackgroundLayerForTitlebarView_ _cuiMakeOrUpdateBackgroundLayer_topHeight_drawTopSeparator_bottomHeight_forTitlebar_ _cuiOptionsForCornerMaskForWindowType_ _cuiOptionsForHUDIncludeScaleKey_ _cuiOptionsForWindowType_topHeight_drawTopSeparator_bottomBarHeight_shouldSetScaleKey_forTitlebar_ _currentHUDPresentationStateValue _currentThemeState _currentThemeStateKey _currentThemeStyle _currentTitleColor _currentTitlebarContainerViewFrame _currentToolbarHeightWhileAnimating _defaultTitlebarAppearance _defaultTitlebarTitleRect _defaultWindowAppearance _didChangeContentLayoutRect _didEnd_renameWithTitle_editingRange_grantHandler_ _displayLayer_ _doLayerBackedTitleAnimations _drawCoreUIHUD _drawCoreUIHUDInRect_ _drawFrameInterior_clip_ _drawGrowBoxWithClip_ _drawGrowBoxWithClip_inRect_opaque_ _drawNormalBackgroundRegion_ _drawNormalThemeBackgroundRect_ _drawNormalTitleBar _drawRectFrameNeedsDisplay_ _drawResizeIndicators_ _drawSideUtilityTitleBar _drawTexturedBackground _drawTexturedBackgroundRegion_ _drawTexturedThemeBackgroundRect_ _drawTexturedWindowWithClipRect_ _drawTexturedWindowWithClipRect_inView_ _drawTitleBarBackgroundInClipRect_ _drawTitleBar_ _drawTitleStringInClip_ _drawTitleStringIn_withColor_ _drawToolbarTransitionIfNecessary _drawTransparentTitlebarInRect_ _drawUnifiedToolbarBackgroundInRect_withState_ _drawUnifiedToolbarWithState_inFrame_ _drawUnifiedToolbar_ _effectiveAutosaveButtonFrame _effectiveAutosaveButtonFrameSize _effectiveLayoutAttributeForAttribute_ _effectiveMovableByBottomBar _endTitleAnimation _ensureContentLayoutGuide _ensureContentLayoutView _enumerateAuxViewControllersOfType_handler_ _enumerateAuxViewControllersOfType_useEffectiveLayoutAttribute_handler_ _eventInTitlebar_ _fileButtonOrigin _floatTitlebarAndToolbarFromInit_ _frameConvertedToSelf_ _fullScreenButtonOrigin _fullScreenCornerMaskImage _getCachedWindowCornerSizes _getWindowMaskCornerDimensionsLeftCornerWidth_rightCornerWidth_topCornerHeight_bottomCornerHeight_ _growContentReshapeContentAndToolbarView_animate_ _growWindowReshapeContentAndToolbarView_withOldToolbarFrameSize_animate_ _handlePossibleDoubleClickForEvent_ _hasFullSizeContentView _hasRegularDrawWindowBackground _hidingTitlebar _hidingTitlebarOrInAnotherWindow _hidingToolbar _hitTest_ignoringResizeRegion_ _inactiveButtonsNeedMask _inactiveTexturedWindowColor _internalVisualEffectViewMaterial _invalidateAllButtons _invalidateNeedsTitlebarSeparator _invalidateTitleCellSize _invalidateTitleCellWidth _isClosable _isFullScreen _isMiniaturizable _isOnePieceTitleAndToolbar _isOnePieceTitleAndToolbarWithToolbarNotHidden _isResizable _isTitlebarSubview_ _isZoomButtonEnabled _lastViewHitWasATitlebarView _layerBackedAnimateToolbarWithReason_showToolbarPostWindowFrame_ _leftGroupRect _lockButtonOrigin _makeSeparatorAccessoryViewController _makeTitlebarViewWithFrame_ _maskCorners_ _maskCorners_clipRect_ _maxXBorderRect _maxXTitlebarDecorationMinWidth _maxXTitlebarDragWidth _maxXTitlebarWidgetInset _maxXWindowBorderWidth _maxXminYResizeRect _maxYBorderRect _maxYTitlebarDragHeight _maxYWindowBorderHeight _minLinesWidthWithSpace _minXBorderRect _minXInsetForAccessoryViews _minXTitlebarDecorationMinWidth _minXTitlebarDragWidth _minXTitlebarWidgetInset _minXWindowBorderWidth _minYBorderRect _minYTitlebarButtonsOffset _minYTitlebarTitleOffset _minYWindowBorderHeight _minimizeWindowWithDoubleClick_ _mouseInGroup_ _mouseInPopupRect_ _mouseInTitleRect_ _moveTitlebarViewsToView_ _needsBackdropView _needsTitlebarSeparator _normalTitleBarFillColor _normalTitleBarFrame _noteToolbarLayoutChanged _opaqueFullSizeContentViewRegionWithClipRect_ _possiblyAdjustedHitTestResult_ _reacquireToolbarFullScreenAuxiliaryView_ _reacquireToolbarViewFromFullScreenWindowAndShow_ _relayoutAuxiliaryViews _relayoutAuxiliaryViewsOfType_ _removeBackgroundLayer _removeTitleTextFieldView _replaceKnownSubview_with_ _resetTitleBarButtons _resetTitleFont _reshapeContentAndToolbarView_withOldToolbarFrameSize_resizeWindow_animate_ _rightGroupRect _separatorAccessoryViewController _separatorRectForInactiveWindow _setAutosaveButtonSeparatorField_ _setAutosaveButton_ _setAuxiliaryTitlebarViewContainerView_ _setBackdropView_ _setBackgroundLayer_ _setButtonHidingView_ _setButton_frameOrigin_ _setButtonsShown_ _setContentLayoutGuide_ _setContentLayoutView_ _setContentView_ _setCornerMaskIfNeeded _setMouseEnteredGroup_entered_ _setRenameField_ _setSeparatorAccessoryViewController_ _setSuppressTitleControlDrawing_ _setTemporaryMouseOutsideLeftGroup_ _setTextShadow_ _setTitleTextFieldView_ _setTitlebarViewController_ _setToolbarMockView_ _setToolbarShowHideResizeWeightingOptimizationOn_ _setToolbarVisibleStatus_ _shouldAddTitlebarSeparatorView _shouldAlwaysFloatTitlebar _shouldCenterTrafficLights _shouldDoClientSideDragWithEvent_ _shouldDrawTitlebarTitle _shouldFakeContainingBackdropView _shouldFlipTitleStuffForRTL _shouldFlipTrafficLightsForRTL _shouldHideTitleView _shouldRepresentFilename _shouldSendMouseDownToAutosaveButton_ _shouldShowDocumentIcon _shouldUseDarkAppearanceInHUDWindows _shouldUseMaterialsInHUDWindows _showHideToolbar_resizeWindow_animate_ _showsAutosaveButton _sideTitlebarWidth _sizeOfTitlebarFileButton _size_ofCell_withTitle_ _snapshotCurrentTitleControlStateInRect_ _snapshotStartingTitleControlState _standardShadowOKIgnoringShapeCustomization _styleMaskIsResizable _syncAuxillaryViewPositions _syncBottomAuxillaryViewPositions _syncSideAuxillaryViewPositions _syncToolbarPosition _textureWidth _texturedComputeHeightOfTop_bottom_ _texturedMaxXminYResizeRect _texturedTitleBarViewFrame _themeFrameShouldDrawTitlebar _tileTitlebarAndRedisplay_ _tilebarViewNeedsTitlebarSeparator _titleBarAssociatedViewFrameChanged_ _titleBarViewHeightChanged _titleCellHeight _titleCellSize _titleControlRect _titleDidChange _titleTextFieldView _titleVisibilityIsHidden _titleWillChange _titlebarHeight _titlebarHeight2 _titlebarTitleRect _titlebarViewAppearsTransparent _titlebarViewControllerIfAvailable _titlebarViewShouldRoundCorners _toolbar _toolbarButtonOrigin _toolbarMockView _toolbarOffsetIfTitleIsHidden _toolbarViewFrame _topBarHeightWithoutContentBorderThickness _topCornerSize _topCornerSizeForRegularWindows _topHeightForTexturedBackground _unfloatTitlebarAndToolbarIfNeeded _unifiedToolbarFrame _updateAllUnderTitlebarViews _updateBackdropView _updateButtonPositions _updateButtonsBecauseTitleChanged_havingATitleChanged_ _updateButtonsWithDocumentEdited_ _updateContentViewFrame _updateRoundCornerMaskWhenLayerBacked _updateTitleBarField _updateTitleSeparatorViewIfNeeded _updateTitleTextFieldView _updateTitlebarContainerViewFrameIfNecessary _updateTitlebarViewMaterialAndAppearance _updateUnderTitlebarViewFrame_associatedView_titlebarViewFrame_ _updateWidgets _updateWindowBackingTypeForLayer_ _useRegularTextFieldForTheTitleBar _usingToolbarShowHideWeightingOptimization _validFrameForResizeFrame_fromResizeEdge_ _visibleAuxViewControllersCount _wantsFloatingTitlebar _wantsLeftHandButtons _wantsSideUtilityTitleBar _wantsTitleBar _wantsTitleString _wantsUnifiedToolbar _willChangeContentLayoutRect _willStartRenameWithTitle_editingRange_ _windowBorderThickness _windowDidChangeSheetParent _windowFileButtonSpacingWidth _windowResizeBorderThickness _windowResizeCornerThickness _windowTitlebarButtonSpacingWidth _windowTitlebarTitleMinHeight _windowTitlebarXResizeBorderThickness _windowTitlebarYResizeBorderThickness _zoomButtonOrigin _zoomWindowWithDoubleClick_ addFileButton_ addTitlebarSubview_ allowTitleDrawing alwaysShowTitlebar animationDidEnd_ animationDidStop_ associatedViewsToUnderTitlebarViews attemptResizeWithEvent_ autosaveButton backgroundColorChanged_ buttonRevealAmount canAddUnderTitlebarViews disableTitlebarBlurFilters fileButton frameHighlightColor frameShadowColor fullScreenButton fullScreenTitlebarMaxHeight fullScreenTitlebarMinHeight handleMouseDown_ handleRightMouseDown_ handleSetFrameCommonRedisplay initTitleButton_ leftButtonGroupFrameInTitlebarView lockButton makeRenameField mouseEnteredLeftButtonGroup mouseExitedLeftButtonGroup newAutosaveButton newCloseButton newFileButton newFullScreenButton newLockButton newMiniaturizeButton newToolbarButton newZoomButton propagateFrameDirtyRects_ regionForOpaqueDescentsModifiedForResizing_ relayoutAuxiliaryViewsOfType_ renameField roundedCornerRadius setAssociatedViewsToUnderTitlebarViews_ setButtonRevealAmount_ setDisableTitlebarBlurFilters_ setThemeFrameWidgetState_ setTitlebarContainerView_ setTitlebarView_ shouldAttemptResize shouldRoundCornersInFullScreen shouldStartWindowDragForEvent_ sizeOfTitlebarButtons sizeOfTitlebarToolbarButton startingYLocationForSheets titleBarViewsForMouseHitTest titleButtonOfClass_ titleHeightToHideInFullScreen titlebarAppearsTransparentChanged titlebarContainerView titlebarRectAssumingVisible titlebarRectIncludingToolbar titlebarView toolbarButton topCornerRounded updateTitleTextField updateTitlebarViewBlendingMode updateWindowCornerMaskOnLayer_forTitlebar_ usingUpdateLayer windowTitleModeChanged windowTitlebarLinesSpacingWidth windowTitlebarTitleLinesSpacingWidth NSGrayModeColorPanel NSGreaterThanComparison NSGreaterThanOrEqualToComparison NSGreaterThanOrEqualToPredicateOperatorType NSGreaterThanPredicateOperatorType NSGregorianCalendar NSGreySliders _configureGreyButton_index_ greyButton0 greyButton1 greyButton2 greyButton3 greyButton4 jumpSlider_ setGreyButton0_ setGreyButton1_ setGreyButton2_ setGreyButton3_ setGreyButton4_ setGreyButton5_ NSGridCell _effectiveAlignment _effectiveXPlacement _effectiveYPlacement _findMergeBounds _findMergeTail _headOfMergedCell _isMergeHead _isMerged _isUnmergedOrHeadOfMergedRegion _optimalContentLayoutRect _removedFromGridView _sanityCheck _verifyConfigurability column customPlacementConstraints initWithRow_column_ layoutRect row rowAlignment setCustomPlacementConstraints_ setRowAlignment_ setXPlacement_ setYPlacement_ set_headOfMergedCell_ xPlacement yPlacement NSGridCellPlacementBottom NSGridCellPlacementCenter NSGridCellPlacementFill NSGridCellPlacementInherited NSGridCellPlacementLeading NSGridCellPlacementNone NSGridCellPlacementTop NSGridCellPlacementTrailing NSGridColumn _findTrailingBoundaryAnchorAndContentPadding_ _forEachCell_ _hasContentInGeneration _indexOfCell_ _leadingBoundaryAnchor _leadingContentAnchor _nextVisibleColumn _previousVisibleColumn _trailingBoundaryAnchor _trailingContentAnchor gridView initWithGridView_ leadingPadding mergeCellsInRange_ numberOfCells setLeadingPadding_ setTrailingPadding_ set_hasContentInGeneration_ trailingPadding NSGridEmptyContentView _allocatingPlaceholder NSGridRow _bottomBoundaryAnchor _bottomContentAnchor _cellAtIndex_allocatingIfNeeded_ _didDeleteColumnAtIndex_ _didInsertColumn_atIndex_ _findBottomBoundaryAnchorAndContentOffset_ _insertCell_atIndex_ _nextVisibleRow _previousVisibleRow _removeCellAtIndex_ _setViews_ _topBoundaryAnchor _topContentAnchor bottomPadding setBottomPadding_ setTopPadding_ topPadding NSGridRowAlignmentFirstBaseline NSGridRowAlignmentInherited NSGridRowAlignmentLastBaseline NSGridRowAlignmentNone NSGridView _cellTableContainsCell_ _expandMergeBoundsIfNeeded_ _expandMergeBounds_ifNeededForCell_ _expandMergeBounds_ifNeededForColumnAtIndex_ _expandMergeBounds_ifNeededForRow_ _findVisibleThingNear_after_searchRows_ _insertColumnAtIndex_withViews_ _insertColumnCells_atIndex_ _insertRowAtIndex_withViews_ _mergeCellsInRect_ _rawCellAtColumnIndex_rowIndex_allocatingIfNeeded_ _removeColumnCellsAtIndex_ _setCell_forContentView_ _unmergeCellsInRect_ _verifyInsertionOfColumnAtIndex_ _verifyInsertionOfRowAtIndex_ _verifyMergedRegionWithHead_ _verifyRemovalOfRowColumn_ addColumnWithViews_ addRowWithViews_ cellAtColumnIndex_rowIndex_ cellForView_ columnAtIndex_ columnSpacing deleteColumn_ deleteRow_ indexOfColumn_ indexOfRow_ insertColumnAtIndex_withViews_ insertRowAtIndex_withViews_ mergeCellsInHorizontalRange_verticalRange_ moveColumnAtIndex_toIndex_ removeRowAtIndex_ rowSpacing setColumnSpacing_ setRowSpacing_ NSGridViewSizeForContent NSGrooveBorder NSGroupFunctionBarItem groupFunctionBar groupTouchBar setGroupFunctionBar_ setGroupTouchBar_ NSGroupTouchBarItem NSHFSFTypeCodeFromFileType NSHFSTypeCodeFromFileType NSHFSTypeOfFile NSHIObject NSHIPresentationInstance currentPresentationInstance setSpace_ NSHPUXOperatingSystem NSHSBModeColorPanel NSHSBSliders NSHTMLPboardType NSHTMLReader _DOMHTMLTableCellElementClass _addAttachmentForElement_URL_needsParagraph_usePlaceholder_ _addMarkersToList_range_ _addQuoteForElement_opening_level_ _addQuoteForLibXML2ElementNode_opening_level_ _addTableCellForElement_ _addTableForElement_ _addValue_forElement_ _adjustTrailingNewline _attributesForElement_ _blockLevelElementForNode_ _childrenForNode_ _colorForNode_property_ _computedAttributesForElement_ _computedColorForNode_property_ _computedStringForNode_property_ _computedStyleForElement_ _createWebArchiveForData_ _elementHasOwnBackgroundColor_ _elementIsBlockLevel_ _enterElement_tag_display_depth_embedded_ _enterLibXML2ElementNode_tag_ _exitElement_tag_display_depth_startIndex_ _exitLibXML2ElementNode_tag_startIndex_ _fillInBlock_forElement_backgroundColor_extraMargin_extraPadding_isTable_ _getComputedFloat_forNode_property_ _getFloat_forNode_property_ _load _loadFromDOMRange _loadUsingLibXML2 _loadUsingWebKit _loadUsingWebKitOnMainThread _newLineForElement_ _newLineForLibXML2ElementNode_ _newParagraphForElement_tag_allowEmpty_suppressTrailingSpace_isEntering_ _newParagraphForLibXML2ElementNode_tag_allowEmpty_suppressTrailingSpace_ _newTabForElement_ _parseLibXML2Node_ _parseNode_ _processElement_tag_display_depth_ _processHeadElement_ _processLibXML2ElementNode_tag_ _processLibXML2HeadElementNode_ _processLibXML2MetaNode_ _processLibXML2TextNode_content_ _processLibXML2TitleNode_ _processMetaElementWithName_content_ _processText_ _sanitizeWebArchiveArray_ _sanitizeWebArchiveDictionary_ _specifiedStyleForElement_ _stringForNode_property_ _traverseFooterNode_depth_ _traverseLibXML2Node_depth_ _traverseNode_depth_embedded_ _webArchiveClass _webPreferences _webViewClass initWithDOMRange_ NSHTMLTextDocumentType NSHTMLWebDelegate decidePolicyForRequest_decisionListener_ initWithBaseURL_ loadDidFinish loadDidSucceed webView_decidePolicyForMIMEType_request_frame_decisionListener_ webView_decidePolicyForNavigationAction_request_frame_decisionListener_ webView_decidePolicyForNewWindowAction_request_newFrameName_decisionListener_ webView_didCommitLoadForFrame_ webView_didFailLoadWithError_forFrame_ webView_didFailProvisionalLoadWithError_forFrame_ webView_didFinishLoadForFrame_ webView_didStartProvisionalLoadForFrame_ webView_identifierForInitialRequest_fromDataSource_ webView_resource_didFailLoadingWithError_fromDataSource_ webView_resource_didFinishLoadingFromDataSource_ webView_resource_didReceiveAuthenticationChallenge_fromDataSource_ webView_resource_willSendRequest_redirectResponse_fromDataSource_ NSHTMLWriter HTMLData HTMLFileWrapper _appendAttachment_atIndex_toString_ _blockClassForBlock_ _closeBlocksForParagraphStyle_atIndex_inString_ _closeFlags_openFlags_inString_ _closeListsForParagraphStyle_atIndex_inString_ _createWebArchiveData _defaultValueForAttribute_range_ _generateHTML _isStrictByParsingExcludedElements _listClassForList_ _openBlocksForParagraphStyle_atIndex_inString_ _openListsForParagraphStyle_atIndex_inString_isStrict_ _paragraphClassforParagraphStyle_range_isEmpty_isCompletelyEmpty_headerString_alignmentString_directionString_ _prefix _prefixDown _prefixUp _prepareString_forConversionToEncoding_ _spanClassForAttributes_inParagraphClass_spanClass_flags_ _writeDocumentPropertiesToString_ _writeDocumentProperty_value_toString_ documentFragmentForDocument_ readDocumentFragment_ subresources webArchive webArchiveData NSHTTPCookie Comment CommentURL Discard Domain Expires MaxAge Name OriginURL Path Port Secure StoragePartition Value Version _CFHTTPCookie _GetInternalCFHTTPCookie _compareForHeaderOrder_ _isExpired _key _storagePartition comment commentURL expiresDate initWithCFHTTPCookie_ isHTTPOnly isSecure isSessionOnly portList NSHTTPCookieAcceptPolicyAlways NSHTTPCookieAcceptPolicyNever NSHTTPCookieAcceptPolicyOnlyFromMainDocumentDomain NSHTTPCookieComment NSHTTPCookieCommentURL NSHTTPCookieDiscard NSHTTPCookieDomain NSHTTPCookieExpires NSHTTPCookieManagerAcceptPolicyChangedNotification NSHTTPCookieManagerCookiesChangedNotification NSHTTPCookieMaximumAge NSHTTPCookieName NSHTTPCookieOriginURL NSHTTPCookiePath NSHTTPCookiePort NSHTTPCookieSecure NSHTTPCookieStorage _CFHTTPCookieStorage _cookieStorage _cookiesForURL_mainDocumentURL_ _getCookieStoragePartitionsCompletionHandler_ _getCookiesForPartition_completionHandler_ _getCookiesForURL_mainDocumentURL_partition_completionHandler_ _initWithCFHTTPCookieStorage_ _initWithIdentifier_private_ _saveCookies _setPrivateBrowsingEnabled_ _testingOfStoringOfCookie_ cookieAcceptPolicy cookieRequestHeaderFieldsForURL_ cookies cookiesForURL_ deleteCookie_ getCookiesForTask_completionHandler_ removeCookiesSinceDate_ setCookieAcceptPolicy_ setCookie_ setCookiesFromResponseHeader_forURL_policyBaseURL_ setCookies_forURL_mainDocumentURL_ sortedCookiesUsingDescriptors_ storeCookies_forTask_ NSHTTPCookieStorageInternal _syncCookies initInternalWithCFStorage_ registerForPostingNotificationsWithContext_ NSHTTPCookieValue NSHTTPCookieVersion NSHTTPPropertyErrorPageDataKey NSHTTPPropertyHTTPProxy NSHTTPPropertyRedirectionHeadersKey NSHTTPPropertyServerHTTPVersionKey NSHTTPPropertyStatusCodeKey NSHTTPPropertyStatusReasonKey NSHTTPURLHandle _URL _configureStreamDetails_ _constructRequestForURL_isHead_ _processHeaders_ populateCacheFromStream_data_ NSHTTPURLRequestParameters NSHTTPURLResponse _CFURLResponse _calculatedExpiration _clientCertificateChain _clientCertificateState _freshnessLifetime _initWithCFURLResponse_ _lastModifiedDate _mustRevalidate _peerCertificateChain _setExpectedContentLength_ _setMIMEType_ allHeaderFields expectedContentLength initWithURL_MIMEType_expectedContentLength_textEncodingName_ initWithURL_statusCode_HTTPVersion_headerFields_ initWithURL_statusCode_headerFields_requestTime_ statusCode suggestedFilename textEncodingName NSHTTPURLResponseInternal NSHUDWindowMask NSHZGB2312EncodingDetector NSHackyPopoverTouchBarItem NSHandlesContentAsCompoundValueBindingOption NSHangOnUncaughtException NSHapticFeedbackManager NSHapticFeedbackPatternAlignment NSHapticFeedbackPatternGeneric NSHapticFeedbackPatternLevelChange NSHapticFeedbackPerformanceTimeDefault NSHapticFeedbackPerformanceTimeDrawCompleted NSHapticFeedbackPerformanceTimeNow NSHashEnumerator _bs _pi _si NSHashGet NSHashInsert NSHashInsertIfAbsent NSHashInsertKnownAbsent NSHashRemove NSHashTable NSHashTableCopyIn NSHashTableObjectPointerPersonality NSHashTableStrongMemory NSHashTableWeakMemory NSHashTableZeroingWeakMemory NSHeaderTitleBinding NSHeavierFontAction NSHebrewCalendar NSHeight NSHelpAnchorErrorKey NSHelpAttachment initWithFileName_markerName_ markerName NSHelpButtonBezelStyle NSHelpFunctionKey NSHelpKeyMask NSHelpManager _cleanupHelpForQuit _helpBundleForObject_ _helpKeyForObject_ _helpWindow _orderFrontHelpWindow _orderOutHelpWindow _orderOutHelpWindowAfterEventMask_ _placeHelpWindowNear_ _prepareHelpWindow_locationHint_ _removeHelpKeyForObject_ _resolveHelpKeyForObject_ _screenRectContainingPoint_ _setBundleForHelpSearch_ _setHelpKey_forObject_ contextHelpForObject_ findString_inBook_ openHelpAnchor_inBook_ registerBooksInBundle_ registerHelpBook removeContextHelpForObject_ setContextHelp_forObject_ showContextHelpForObject_locationHint_ showHelpFile_context_ NSHiddenBinding NSHighlightModeMatrix NSHighlightRect NSHomeDirectory NSHomeDirectoryForUser NSHomeFunctionKey NSHorizontalRuler NSHost __resolveWithFlags_resultArray_handler_ _thingToResolve addresses blockingResolveUntil_ initToResolve_as_ isEqualToHost_ reserved resolveCurrentHostWithHandler_ resolve_ setReserved_ NSHostByteOrder NSHourCalendarUnit NSHourMinuteDatePickerElementFlag NSHourMinuteSecondDatePickerElementFlag NSHourNameDesignations NSHyphenationFactorDocumentAttribute NSHyphenator getHyphenLocations_inString_ getHyphenLocations_inString_wordAtIndex_ NSIBHelpConnector destination file setDestination_ setFile_ setMarker_ NSIBObjectData _addEarlyDecodingObjectsFromObjectList_toConnections_ _assignObjectIds _encodeIntValuedMapTable_withCoder_ _encodeMapTable_forTypes_withCoder_ _encodeObjectValuedMapTable_withCoder_ _readVersion0_ _removeEarlyDecodingObjectConnectionsFromConnections_ classTable instantiateObject_ nameTable nextObjectID nibInstantiateWithOwner_ nibInstantiateWithOwner_options_topLevelObjects_ nibInstantiateWithOwner_topLevelObjects_ objectTable oidTable setConnections_ setFirstResponder_ setNextObjectID_ setShouldEncodeDesigntimeData_ setTargetFramework_ setVisibleWindows_ shouldEncodeDesigntimeData targetFramework visibleWindows NSIBObjectDataAuxilary NSIBPrototypingLayoutConstraint NSIBSortedEncodingMutableSet initWithSet_comparator_ sortStorageArray NSIBUserDefinedRuntimeAttributesConnector keyPaths setKeyPaths_ NSINTEGER_DEFINED NSISEngine _brokenConstraintNegativeErrors _brokenConstraintNegativeErrorsIfAvailable _brokenConstraintPositiveErrors _brokenConstraintPositiveErrorsIfAvailable _coreReplaceMarker_withMarkerPlusDelta_ _disambiguateFrame_forAmbiguousItem_withOldFrame_ _flushPendingRemovals _noteValueOfVariable_changedFrom_ _optimizeIfNotDisabled _optimizeWithoutRebuilding _variableIsAbsentExceptForObjectiveRow_ addExpression_priority_times_toObjectiveRowWithHead_body_ addExpression_times_toRowWithHead_body_ addVariableToBeOptimized_priority_ addVariable_coefficient_toRowWithHead_body_ addVariable_priority_times_toObjectiveRowWithHead_body_ allRowHeads beginRecording bodyVarIsAmbiguous_withPivotOfOutgoingRowHead_ candidateRedundantConstraints changeVariableToBeOptimized_fromPriority_toPriority_ chooseHeadForRowBody_outNewToEngine_ chooseOutgoingRowHeadForIncomingRowHead_resolveTiesRandomly_ constraintDidChangeSuchThatMarker_shouldBeReplacedByMarkerPlusDelta_ constraintsAffectingValueOfVariable_ containsConstraintWithMarker_ containsVariable_ createExpressionBySubstitutingForRowHeadVariablesInExpression_ engineScalingCoefficients enumerateOriginalConstraints_ enumerateRowsCrossIndex_ enumerateRows_ errorVariableIntroducedByBreakingConstraintWithMarker_errorIsPositive_ exerciseAmbiguityInVariable_ fallbackMarkerForConstraintToBreakInRowWithHead_body_ fixUpValueRestrictionViolationsWithInfeasibilityHandlingBehavior_ fixupIntegralizationViolations handleUnsatisfiableRowWithHead_body_usingInfeasibilityHandlingBehavior_mutuallyExclusiveConstraints_ hasObservableForVariable_ hasValue_forExpression_ hasValue_forVariable_ headForObjectiveRow incoming_andOutgoing_rowHeadsThatMakeValueAmbiguousForVariable_ integralizationAdjustmentForMarker_ integralizationAdjustmentsForConstraintMarkers isTrackingVariableChanges markerForBrokenConstraintWithNegativeErrorVar_ markerForBrokenConstraintWithPositiveErrorVar_ minimizeConstantInObjectiveRowWithHead_ negativeErrorVarForBrokenConstraintWithMarker_ numberOfConstraintsEligibleForAdjustmentToIntegralizeVariable_ignoringConstraintsWithMarkers_ observableForVariable_ optimize outgoingRowHeadForRemovingConstraintWithMarker_ performModifications_withUnsatisfiableConstraintsHandler_ performPendingChangeNotifications performPendingChangeNotificationsForItem_ pivotCount pivotToMakeBodyVar_newHeadOfRowWithHead_andDropRow_ positiveErrorVarForBrokenConstraintWithMarker_ rawRemoveRowWithHead_ rawSetRowWithHead_body_ rebuildFromConstraints recordedCommandsData removeBodyVarFromAllRows_ removeConstraintWithMarker_ removeObservableForVariable_ removeRowWithHead_ removeVariableToBeOptimized_priority_ replaceMarker_withMarkerPlusCoefficient_timesVariable_ replayCommandsData_verifyingIntegrity_ revertsAfterUnsatisfiabilityHandler rowBodyForHead_ rowBodyForNonObjectiveHead_ rowBodyForObjectiveHead_ rowCrossIndexNoteBodyVariable_wasAddedToRowWithHead_ rowCrossIndexNoteBodyVariable_wasRemovedFromRowWithHead_ rowCrossIndexNoteDroppedBodyVar_ rowHeadsForRowsContainingBodyVar_ rowsCrossIndex sendChangeNotificationForVariable_ setEngineScalingCoefficients_ setHeadForObjectiveRow_ setIntegralizationAdjustment_forMarker_ setIntegralizationAdjustmentsForConstraintMarkers_ setNegativeErrorVar_forBrokenConstraintWithMarker_ setPositiveErrorVar_forBrokenConstraintWithMarker_ setRevertsAfterUnsatisfiabilityHandler_ setRowWithHead_body_ setRowsCrossIndex_ setShouldIntegralize_ setVariablesWithIntegralizationViolations_ setVariablesWithValueRestrictionViolations_ shouldIntegralize substituteOutAllOccurencesOfBodyVar_withExpression_ tryAddingDirectly_ tryToAddConstraintWithMarker_expression_integralizationAdjustment_mutuallyExclusiveConstraints_ tryToChangeConstraintSuchThatMarker_isReplacedByMarkerPlusDelta_undoHandler_ tryToOptimizeReturningMutuallyExclusiveConstraints tryUsingArtificialVariableToAddConstraintWithMarker_rowBody_usingInfeasibilityHandlingBehavior_mutuallyExclusiveConstraints_ valueForExpression_ valueForVariableWithoutIntegralizationAdjustments_ valueForVariable_ valueOfVariableIsAmbiguous_ variableChangeCount variableChangeTransactionSignal variableToWorkOnAmongVariablesWithIntegralizationViolationsIgnoringLostCauses_varsAlreadyAdjusted_ variablesWithIntegralizationViolations variablesWithValueRestrictionViolations verifyInternalIntegrity withAutomaticOptimizationDisabled_ withBehaviors_performModifications_ withDelegateCallsDisabled_ withoutOptimizingAtEndRunBlockWithAutomaticOptimizationDisabled_ NSISInlineStorageVariable allowedMagnitudeForIntegralizationAdjustmentOfMarkedConstraint markedConstraint markedConstraintIsEligibleForIntegralizationAdjustment setShouldBeMinimized_ setValueIsUserObservable_ setValueRestriction_ shouldBeIntegral shouldBeMinimized valueIsUserObservable valueIsUserVisible valueRestriction NSISLinearExpression addExpression_times_ addExpression_times_processVariableNewToReceiver_processVariableDroppedFromReceiver_ addVariable_coefficient_ addVariable_coefficient_processVariableNewToReceiver_processVariableDroppedFromReceiver_ coefficientForVariable_ copyContentsAndReturnToPool enumerateVariablesAndCoefficientsUntil_ enumerateVariablesAndCoefficients_ enumerateVariables_ incrementConstant_ initWithInlineCapacity_ isConstant removeVariable_ replaceVariable_withExpression_processVariableNewToReceiver_processVariableDroppedFromReceiver_ replaceVariable_withVariablePlusDelta_ replaceVariable_withVariablePlusDelta_timesVariable_processVariableNewToReceiver_processVariableDroppedFromReceiver_ replaceVariable_withVariable_coefficient_ returnToPool setCoefficient_forVariable_ variableCount variablesArray NSISO2022CNEncodingDetector NSISO2022EncodingDetector NSISO2022JP1EncodingDetector NSISO2022JP2EncodingDetector NSISO2022JPEncodingDetector NSISO2022JPStringEncoding NSISO2022KREncodingDetector NSISO8601Calendar NSISO8601DateFormatWithColonSeparatorInTime NSISO8601DateFormatWithColonSeparatorInTimeZone NSISO8601DateFormatWithDashSeparatorInDate NSISO8601DateFormatWithDay NSISO8601DateFormatWithFractionalSeconds NSISO8601DateFormatWithFullDate NSISO8601DateFormatWithFullTime NSISO8601DateFormatWithInternetDateTime NSISO8601DateFormatWithMonth NSISO8601DateFormatWithSpaceBetweenDateAndTime NSISO8601DateFormatWithTime NSISO8601DateFormatWithTimeZone NSISO8601DateFormatWithWeekOfYear NSISO8601DateFormatWithYear NSISO8601DateFormatter formatOptions setFormatOptions_ updateFormatter NSISO885911EncodingDetector NSISO88595EncodingDetector NSISO88596EncodingDetector NSISO88597EncodingDetector NSISO88598EncodingDetector NSISOLATIN10EncodingDetector NSISOLATIN1EncodingDetector NSISOLATIN2EncodingDetector NSISOLATIN3EncodingDetector NSISOLATIN4EncodingDetector NSISOLATIN5EncodingDetector NSISOLATIN6EncodingDetector NSISOLATIN7EncodingDetector NSISOLATIN8EncodingDetector NSISOLATIN9EncodingDetector NSISOLatin1StringEncoding NSISOLatin2StringEncoding NSISObjectiveLinearExpression addExpression_priority_times_processVariableNewToReceiver_processVariableDroppedFromReceiver_ addVariable_priority_times_ addVariable_priority_times_processVariableNewToReceiver_processVariableDroppedFromReceiver_ constantTermIsZero incrementConstantWithPriorityVector_timesScalarCoefficient_ incrementConstantWithPriority_value_ initWithLinearExpression_priority_ leadingPriority_andValue_forVariable_ priorityVectorForVariable_ restrictedVariableWithCoefficientOfLargestNegativeMagnitude setPriorityVector_forKnownAbsentVariable_ NSISPlaybackOperation playbackOneAction_onEngine_ unwrapLinearExpression_ unwrapVariable_ NSISRestrictedToNonNegativeMarkerVariable NSISRestrictedToNonNegativeMarkerVariableToBeMinimized NSISRestrictedToNonNegativeVariable NSISRestrictedToNonNegativeVariableToBeMinimized NSISRestrictedToZeroMarkerVariable NSISUnrestrictedVariable NSISVariable NSISVariableChangeTracker initWithEngine_ noteVariable_changedFrom_ performPendingChangeNotificationsForVariable_ NSIconRefBitmapImageRep _ensureBitmapDataAvailable iconRef initWithIconRef_sizeIdentifier_scaleIdentifier_ initWithIconRef_size_ NSIconRefImageRep _copyCGImage _fallbackBitmap scaleIdentifier sizeIdentifier NSIconView _cellThatHasContentAtPoint_withEvent_ _checkLoaded _createMatrixRowsAndColumns _delegateLoadCell_forIndex_ _delegateRespondsToWriteIndexes _delegateRespondsTo_nextTypeSelectMatchFromIndex _delegateRespondsTo_typeSelectStringForIndex _delegateTypeSelectStringForIndex_ _delegate_nextTypeSelectMatchFromIndex_toIndex_forString_ _determineDropIndexForDragInfo_ _dragIndexes_withEvent_pasteboard_source_slideBack_ _dropHighlightEdgeColor _findFirstNonSelectedIndexFrom_to_selectedIndexes_ _firstSelectedCell _flipStateForCell_ _flipStateOfCellsInIndexSet_toState_ _getRowRange_columnRange_inRect_ _handleArrowMovementForChar_ _internalNextTypeSelectMatchFromIndex_toIndex_forString_ _internalTypeSelectStringForIndex_ _isCellSelected_ _nextTypeSelectMatchFromIndex_toIndex_forString_ _performLayoutIfNeeded _putCellNoUpdate_atRow_column_ _sendDelegateWriteIndexes_toPasteboard_ _setDefaultPrototypeCell _setNeedsDisplayForDropIndex_ _setNeedsDisplayForIndex_ _setState_ofCell_ _trackMouseForHitCell_withEvent_ _typeSelectStringForIndex_ _userCanSelectCell_ _userCanSelectIndex_ _userCanSelectIndex_withNewSelectedIndexes_ _userSelectionIndexesForProposedSelection_ _userSetStateOfCellsInSet_toState_ animateSetIconSize_ cellAtPoint_ cellFrameForCell_ cellIndexAtPoint_ deselectCell_ deselectIndex_ dragImageForIndexes_withEvent_offset_ iconSize itemCount loadCell_ reloadCellAtIndex_ rubberBand_rectangleFrom_to_withEvent_ scrollCellToVisible_ selectIndex_ selectedIndexes setDropTargetIndex_ setIconSize_ setSelectedIndexes_ updateCellSize NSIconViewCell _adjustTextBoundingRect_toFitInCellFrame_withMaxSize_ _attributedString_madeToFitInSize_ _blueHighlightColor _drawAttributedString_withBoundingRect_ _drawImageInRect_ _drawRevealoverWithFrame_inView_forView_ _ensureCellIsLoaded _grayHighlightColor _hasMultipleLinesOfText _needsRevealoverWithFrame_trackingRect_inView_ _resizedTargetImageRect_ drawSelection drawSelectionAroundIconRect_ drawSelectionAroundTextRect_ generalSizeOfAChar hitTestForRect_inCellFrame_ofView_ maxCellTextAreaSize rectForIconInCellFrame_ NSIdRunStorage _allocData_ _consistencyCheck_ _consistencyError_startAtZeroError_cacheError_inconsistentBlockError_ _deallocData _ensureCapacity_ _moveGapAndMergeWithBlockRange_ _moveGapToBlockIndex_ _reallocData_ elementAtIndex_effectiveRange_ elementSize initWithElementSize_capacity_ initWithRunStorage_ insertElement_range_coalesceRuns_ removeElementsInRange_coalesceRuns_ replaceElementsInRange_withElement_coalesceRuns_ NSIdentityGlyphInfo NSIdentityMappingCharacterCollection NSIllegalSelectorException NSIllegalTextMovement NSImage NSImageAbove NSImageAlignBottom NSImageAlignBottomLeft NSImageAlignBottomRight NSImageAlignCenter NSImageAlignLeft NSImageAlignRight NSImageAlignTop NSImageAlignTopLeft NSImageAlignTopRight NSImageBelow NSImageBinding NSImageCacheAlways NSImageCacheBySize NSImageCacheDefault NSImageCacheException NSImageCacheNever NSImageCacheView NSImageCell _animates _animationTimerCallback_ _cellSizeAccountingForImageInControl_ _currentImageStateForView_ _drawBorderStyleWithRect_inView_ _drawImageWithFrame_inView_ _hasAccessibilityTitle _imageRectForDrawing_inFrame_inView_ _newCUIGrayBezelDrawOptionsInView_ _setAnimates_ _shouldClip _stopAnimation _wantsFocusRingForControlView_ imageAlignment imageFrameStyle setImageAlignment_ setImageFrameStyle_ NSImageCellType NSImageColorSyncProfileData NSImageCompressionFactor NSImageCompressionMethod NSImageCurrentFrame NSImageCurrentFrameDuration NSImageDitherTransparency NSImageEXIFData NSImageFallbackBackgroundColor NSImageFrameButton NSImageFrameCount NSImageFrameGrayBezel NSImageFrameGroove NSImageFrameNone NSImageFramePhoto NSImageGamma NSImageHintCTM NSImageHintInterpolation NSImageHintUserInterfaceLayoutDirection NSImageIconRefRepProvider includeThumbnail initWithIconRef_includeThumbnail_ NSImageInterlaced NSImageInterpolationDefault NSImageInterpolationHigh NSImageInterpolationLow NSImageInterpolationMedium NSImageInterpolationNone NSImageKitViewTextAttachmentCell _helperDeallocatedForView_layoutManager_ _imageKitViewClass _loadImageKit _textAttachmentCellBaseDrawWithFrame_inView_characterIndex_layoutManager_ addView_frame_toView_characterIndex_layoutManager_ adjustView_frame_forView_characterIndex_layoutManager_ helperForView_layoutManager_characterIndex_ releaseView_ removeView_fromView_layoutManager_ viewForCharacterIndex_layoutManager_ viewWithFrame_forView_characterIndex_layoutManager_ NSImageKitViewTextAttachmentCellHelper characterIndex initWithView_layoutManager_characterIndex_attachmentCell_ removeView setCharacterIndex_ NSImageLayoutDirectionLeftToRight NSImageLayoutDirectionRightToLeft NSImageLayoutDirectionUnspecified NSImageLeading NSImageLeft NSImageLoadStatusCancelled NSImageLoadStatusCompleted NSImageLoadStatusInvalidData NSImageLoadStatusReadError NSImageLoadStatusUnexpectedEOF NSImageLoopCount NSImageMultiURLReferencingRepProvider initWithURLs_ urls NSImageNameActionTemplate NSImageNameAddTemplate NSImageNameAdvanced NSImageNameApplicationIcon NSImageNameBluetoothTemplate NSImageNameBonjour NSImageNameBookmarksTemplate NSImageNameCaution NSImageNameColorPanel NSImageNameColumnViewTemplate NSImageNameComputer NSImageNameDotMac NSImageNameEnterFullScreenTemplate NSImageNameEveryone NSImageNameExitFullScreenTemplate NSImageNameFlowViewTemplate NSImageNameFolder NSImageNameFolderBurnable NSImageNameFolderSmart NSImageNameFollowLinkFreestandingTemplate NSImageNameFontPanel NSImageNameGoBackTemplate NSImageNameGoForwardTemplate NSImageNameGoLeftTemplate NSImageNameGoRightTemplate NSImageNameHomeTemplate NSImageNameIChatTheaterTemplate NSImageNameIconViewTemplate NSImageNameInfo NSImageNameInvalidDataFreestandingTemplate NSImageNameLeftFacingTriangleTemplate NSImageNameListViewTemplate NSImageNameLockLockedTemplate NSImageNameLockUnlockedTemplate NSImageNameMenuMixedStateTemplate NSImageNameMenuOnStateTemplate NSImageNameMobileMe NSImageNameMultipleDocuments NSImageNameNetwork NSImageNamePathTemplate NSImageNamePreferencesGeneral NSImageNameQuickLookTemplate NSImageNameRefreshFreestandingTemplate NSImageNameRefreshTemplate NSImageNameRemoveTemplate NSImageNameRevealFreestandingTemplate NSImageNameRightFacingTriangleTemplate NSImageNameShareTemplate NSImageNameSlideshowTemplate NSImageNameSmartBadgeTemplate NSImageNameStatusAvailable NSImageNameStatusNone NSImageNameStatusPartiallyAvailable NSImageNameStatusUnavailable NSImageNameStopProgressFreestandingTemplate NSImageNameStopProgressTemplate NSImageNameTouchBarAddDetailTemplate NSImageNameTouchBarAddTemplate NSImageNameTouchBarAlarmTemplate NSImageNameTouchBarAudioInputMuteTemplate NSImageNameTouchBarAudioInputTemplate NSImageNameTouchBarAudioOutputMuteTemplate NSImageNameTouchBarAudioOutputVolumeHighTemplate NSImageNameTouchBarAudioOutputVolumeLowTemplate NSImageNameTouchBarAudioOutputVolumeMediumTemplate NSImageNameTouchBarAudioOutputVolumeOffTemplate NSImageNameTouchBarBookmarksTemplate NSImageNameTouchBarColorPickerFill NSImageNameTouchBarColorPickerFont NSImageNameTouchBarColorPickerStroke NSImageNameTouchBarCommunicationAudioTemplate NSImageNameTouchBarCommunicationVideoTemplate NSImageNameTouchBarComposeTemplate NSImageNameTouchBarDeleteTemplate NSImageNameTouchBarDownloadTemplate NSImageNameTouchBarEnterFullScreenTemplate NSImageNameTouchBarExitFullScreenTemplate NSImageNameTouchBarFastForwardTemplate NSImageNameTouchBarFolderCopyToTemplate NSImageNameTouchBarFolderMoveToTemplate NSImageNameTouchBarFolderTemplate NSImageNameTouchBarGetInfoTemplate NSImageNameTouchBarGoBackTemplate NSImageNameTouchBarGoDownTemplate NSImageNameTouchBarGoForwardTemplate NSImageNameTouchBarGoUpTemplate NSImageNameTouchBarHistoryTemplate NSImageNameTouchBarIconViewTemplate NSImageNameTouchBarListViewTemplate NSImageNameTouchBarMailTemplate NSImageNameTouchBarNewFolderTemplate NSImageNameTouchBarNewMessageTemplate NSImageNameTouchBarOpenInBrowserTemplate NSImageNameTouchBarPauseTemplate NSImageNameTouchBarPlayPauseTemplate NSImageNameTouchBarPlayTemplate NSImageNameTouchBarPlayheadTemplate NSImageNameTouchBarQuickLookTemplate NSImageNameTouchBarRecordStartTemplate NSImageNameTouchBarRecordStopTemplate NSImageNameTouchBarRefreshTemplate NSImageNameTouchBarRewindTemplate NSImageNameTouchBarRotateLeftTemplate NSImageNameTouchBarRotateRightTemplate NSImageNameTouchBarSearchTemplate NSImageNameTouchBarShareTemplate NSImageNameTouchBarSidebarTemplate NSImageNameTouchBarSkipAhead15SecondsTemplate NSImageNameTouchBarSkipAhead30SecondsTemplate NSImageNameTouchBarSkipAheadTemplate NSImageNameTouchBarSkipBack15SecondsTemplate NSImageNameTouchBarSkipBack30SecondsTemplate NSImageNameTouchBarSkipBackTemplate NSImageNameTouchBarSkipToEndTemplate NSImageNameTouchBarSkipToStartTemplate NSImageNameTouchBarSlideshowTemplate NSImageNameTouchBarTagIconTemplate NSImageNameTouchBarTextBoldTemplate NSImageNameTouchBarTextBoxTemplate NSImageNameTouchBarTextCenterAlignTemplate NSImageNameTouchBarTextItalicTemplate NSImageNameTouchBarTextJustifiedAlignTemplate NSImageNameTouchBarTextLeftAlignTemplate NSImageNameTouchBarTextListTemplate NSImageNameTouchBarTextRightAlignTemplate NSImageNameTouchBarTextStrikethroughTemplate NSImageNameTouchBarTextUnderlineTemplate NSImageNameTouchBarUserAddTemplate NSImageNameTouchBarUserGroupTemplate NSImageNameTouchBarUserTemplate NSImageNameTouchBarVolumeDownTemplate NSImageNameTouchBarVolumeUpTemplate NSImageNameTrashEmpty NSImageNameTrashFull NSImageNameUser NSImageNameUserAccounts NSImageNameUserGroup NSImageNameUserGuest NSImageOnly NSImageOverlaps NSImageProgressive NSImageRGBColorTable NSImageRep NSImageRepLoadStatusCompleted NSImageRepLoadStatusInvalidData NSImageRepLoadStatusReadingHeader NSImageRepLoadStatusUnexpectedEOF NSImageRepLoadStatusUnknownType NSImageRepLoadStatusWillNeedAllData NSImageRepMatchesDevice NSImageRepRegistryChangedNotification NSImageRepRegistryDidChangeNotification NSImageResizingModeStretch NSImageResizingModeTile NSImageRight NSImageScaleAxesIndependently NSImageScaleNone NSImageScaleProportionallyDown NSImageScaleProportionallyUpOrDown NSImageTextFieldCell _currentFontSize _spacingFromImageToText outlineCellFrame setOutlineCellFrame_ updateOutlineCellFrame_withCellFrame_inView_ NSImageTrailing NSImageURLReferencingRepProvider NSImageView _copyImageToPasteboard _desiredContentsRedrawPolicy _ensureInitialStateIsSetForAnimationsForSize_ _imageByConvertingToSidebarImageIfNeeded_ _imageViewFrame _invalidateLayerLayoutAndSetNeedsDisplay _processedImageForView_ _redisplayImageWhenLayerBacked _rejectsMultiFileDrops _setImageAndNotifyTarget_ _setRejectsMultiFileDrops_ _setUsesCachedImage_ _shouldDoLegacyLayerUpdate _shouldDoOldLayerUpdate _updateCompatibleScalingAndAlignment _updateImageView _updateLayerContentsRedrawPolicy _updateLayerContentsToBorderImage _updateLayerContentsToImage _updateOverridesDrawing _usesCachedImage _usingUpdateLayer _wantsImageView _wantsImageViewForBoundsSize_ allowsCutCopyPaste animates registerForDrags setAllowsCutCopyPaste_ setAnimates_ NSImageViewContainerView NSImageViewTextAttachmentCell NSImmediateActionGestureRecognizer _forceClickMonitor _startEvent animationController animationProgress setAnimationController_ NSImmediateActionToQuickLookPresentationAdaptor _forceClickMonitorDidChange_ _halfReset _presentWithQuickLookEvent_ presentQuickLookInView_ NSInPredicateOperator stringVersion NSInPredicateOperatorType NSIncludedKeysBinding NSInconsistentArchiveException NSIncrementExtraRefCount NSIncrementalStore _newObjectIDForEntityDescription_pk_ _setMetadata_includeVersioning_ newObjectIDForEntity_referenceObject_ NSIncrementalStoreNode _propertyCache initWithObjectID_fromSQLRow_ initWithObjectID_withValues_version_ updateFromSQLRow_ updateWithValues_version_ valueForPropertyDescription_ NSIndexPath _safeIndexPathByRemovingLastIndex descendsFrom_ getIndexes_ getIndexes_range_ indexAtPosition_ indexPathByAddingIndex_ indexPathByRemovingLastIndex initWithIndex_ initWithIndexes_length_ section NSIndexSet __forwardEnumerateRanges_ __getContainmentVector_inRange_ __reversed__ _indexAtIndex_ _indexClosestToIndex_equalAllowed_following_ _indexOfRangeAfterOrContainingIndex_ _indexOfRangeBeforeOrContainingIndex_ _indexOfRangeContainingIndex_ _numberEnumerator _setContentToContentFromIndexSet_ containsIndex_ containsIndexesInRange_ containsIndexes_ countOfIndexesInRange_ enumerateIndexesInRange_options_usingBlock_ enumerateIndexesUsingBlock_ enumerateIndexesWithOptions_usingBlock_ enumerateRangesInRange_options_usingBlock_ enumerateRangesUsingBlock_ enumerateRangesWithOptions_usingBlock_ firstIndex getIndexes_maxCount_inIndexRange_ indexGreaterThanIndex_ indexGreaterThanOrEqualToIndex_ indexInRange_options_passingTest_ indexLessThanIndex_ indexLessThanOrEqualToIndex_ indexPassingTest_ indexWithOptions_passingTest_ indexesInRange_options_passingTest_ indexesPassingTest_ indexesWithOptions_passingTest_ initWithIndexSet_ initWithIndexesInRange_ initWithIndexes_count_ intersectsIndexesInRange_ isEqualToIndexSet_ lastIndex rangeCount NSIndexSpecifier _asDescriptor _completeTypeDescription _createdDescriptor _descriptor _initFromRecord_ _moreCompleteVariantOfTypeDescription_ _putKeyFormAndDataInRecord_ _resetEvaluationErrorNumber _scriptingSpecifierDescriptor _setDescriptorNoCopy_ _simpleDescription _specifiedIndexOfObjectInContainer_ _specifiedIndexesOfObjectsInContainer_ _specifiedIndicesOfObjectOrObjectsInContainer_count_ _specifiedObjectTreeDepth _specifiedValueInContainer_ _specifiesCollection _specifiesMultipleIndexedObjectsPerContainer _specifiesMultipleObjectsPerContainer _specifiesSingleIndexedObjectPerContainer _specifiesValueContainedByObjectBeingTested _typeDescription childSpecifier containerClassDescription containerIsObjectBeingTested containerIsRangeContainerObject containerSpecifier descriptor evaluationErrorNumber evaluationErrorSpecifier indicesOfObjectsByEvaluatingWithContainer_count_ initWithContainerClassDescription_containerSpecifier_key_ initWithContainerClassDescription_containerSpecifier_key_index_ initWithContainerSpecifier_key_ keyClassDescription objectsByEvaluatingSpecifier objectsByEvaluatingWithContainers_ setChildSpecifier_ setContainerClassDescription_ setContainerIsObjectBeingTested_ setContainerIsRangeContainerObject_ setContainerSpecifier_ setEvaluationErrorNumber_ NSIndexSubelement NSIndexedColorSpaceModel NSIndianCalendar NSInformationalAlertStyle NSInformationalRequest NSInitialKeyBinding NSInitialValueBinding NSInkTextPboardType NSInlineBezelStyle NSInputAlignmentController _delegateShouldAlignOnMatch_ _sessionForItem_ alignItem_usingFilter_ checkAlignmentOfItem_ clearAlignmentStateForItem_ setAlignmentGuides_affectingItem_ NSInputAlignmentFilter _canPerformAlignment _clearPeriodicTimer _currentLocation _currentTimestamp _filteredVelocity _hasCurrentLocation _isHorizontalVelocityAlignable _isVerticalVelocityAlignable _modifierFlagsAllowAlignment _requestPeriodicUpdate _schedulePeriodicUpdateWithRecognizer_ _setActuationBlock_ _shouldAlignHorizontalDistance_ _shouldAlignVerticalDistance_ alignDistance_ alignHorizontalDistance_ alignVerticalDistance_ filterActionInputUsingPanRecognizer_ filterInputEvent_ processAlignment_ofReference_againstGuide_ processHorizontalAlignment_ofReference_againstVerticalGuide_ processVerticalAlignment_ofReference_againstHorizontalGuide_ NSInputAlignmentGuide guideType initWithType_referenceValues_ referenceValues NSInputClientWrapper initWithRealClient_ resetState NSInputContext _forceAttributedString _handleCommand_ _handleEvent_allowingSyntheticEvent_ _handleEvent_options_allowingSyntheticEvent_completionHandler_ _handleEvent_options_completionHandler_ _handleText_ _isAsyncTextInputClient _updateAllowedInputSources attributedStringWithCompletionHandler_ attributedSubstringForProposedRange_completionHandler_ auxiliary baselineDeltaForCharacterAtIndex_completionHandler_ characterIndexForPoint_completionHandler_ characterPickerTouchBarItem characterPickerViewController cycleToNextInputKeyboardLayout_ cycleToNextInputScript_ discardMarkedText dismissCharacterPickerFunctionRowItemViewController dismissCharacterPickerTouchBarItemViewController dismissKeyboardIMFunctionRowItemViewController dismissKeyboardIMTouchBarItemViewController dismissKeyboardIMTouchBarItemViewController_ dismissPressAndHoldFunctionRowItemViewController dismissPressAndHoldTouchBarItemViewController dismissTrackpadHandwritingFunctionRowItemViewController dismissTrackpadHandwritingTouchBarItemViewController doCommandBySelector_completionHandler_ do_HandleTSMEvent_firstRectInRangeLoop_whileCondition_dispatchWorkEach_eachLoopCompletion_continuation_ do_HandleTSMEvent_insertFixLenTextLoop_whileCondition_dispatchWorkEach_afterEachInsertText_continuation_ drawsVerticallyForCharacterAtIndex_completionHandler_ fractionOfDistanceThroughGlyphForPoint_completionHandler_ generateFunctionRowItemIdentifiers handleEventByInputMethod_completionHandler_ handleEventByKeyboardLayout_ handleMouseEvent_ handleTSMEvent_ handleTSMEvent_completionHandler_ hasActiveTextInputFunctionRowItem hasMarkedTextWithCompletionHandler_ initWithClient_ invalidateCharacterCoordinates isKeyboardInputSourceOverlayVisible isSecureInputMode keyBindingManager keyBindingState keyboardInputSourcePopoverTouchBar keyboardInputSourcePopoverTouchBarItem keyboardInputSources localizedInputManagerName markedRangeWithCompletionHandler_ markedTextAbandoned_ markedTextSelectionChanged_client_ periodSubstitutionWithCompletionHandler_ presentCharacterPickerFunctionRowItemViewController_ presentCharacterPickerTouchBarItemViewController_ presentKeyboardIMFunctionRowItemViewController_ presentKeyboardIMTouchBarItemViewController_ presentPressAndHoldFunctionRowItemViewController_ presentPressAndHoldTouchBarItemViewController_ presentTrackpadHandwritingFunctionRowItemViewController_ presentTrackpadHandwritingTouchBarItemViewController_ remapsArrowKeysForVerticalOrientation selectedKeyboardInputSource selectedRangeWithCompletionHandler_ setCharacterPickerTouchBarItem_ setFunctionRowItemIdentifiers_ setKeyBindingManager_ setKeyboardInputSourcePopoverTouchBar_ setMarkedText_selectedRange_replacementRange_completionHandler_ setSecureInputMode_ setSelectedKeyboardInputSource_ tryDoubleSpaceSubstitution_WithDispatchCondition_dispatchSubstitutionWork_continuation_ tryHandleEvent_HasMarkedText_withDispatchCondition_dispatchWork_continuation_ tryHandleTSMEvent_HasMarkedText_withDispatchCondition_dispatchWork_continuation_ tryHandleTSMEvent_attributedString_withContext_dispatchCondition_dispatchWork_continuation_ tryHandleTSMEvent_attributedSubstringForProposedRange_withContext_dispatchCondition_dispatchWork_continuation_ tryHandleTSMEvent_baselineDeltaForCharacterAtIndex_withContext_dispatchCondition_furtherDispatchCondition_dispatchWork_continuation_ tryHandleTSMEvent_clearMarkedTextForAlternatives_withTest_dispatchWork_continuation_ tryHandleTSMEvent_drawsVerticallyForCharacterAtIndex_withContext_dispatchCondition_dispatchWork_continuation_ tryHandleTSMEvent_firstRectInRangeLoop_withContext_setupForDispatch_loopCondition_dispatchWorkEach_eachLoopCompletion_continuation_ tryHandleTSMEvent_fractionOfDistanceThroughGlyphForPoint_withContext_dispatchCondition_furtherDispatchCondition_dispatchWork_continuation_ tryHandleTSMEvent_insertFixLenText_withContext_dispatchCondition_setupForDispatch_nestedWorkaroundCondition_nestedWorkaroundDispatchWork_loopCondition_dispatchWorkEach_afterEachInsertText_continuation_ tryHandleTSMEvent_markedRange_withContext_dispatchCondition_setupForDispatch_furtherDispatchCondition_dispatchWork_continuation_ tryHandleTSMEvent_offsetToPos_markedOrSelRange_withContext_markedOrSelRangeDispatchCondition_markedRangeContinuation_selectedRangeContinuation_continuation_ tryHandleTSMEvent_setMarkedText_withContext_dispatchCondition_setupForDispatch_dispatchWork_continuation_ tryPeriodSubstitution_initialDispatchWork_dispatchSelRange_attrStringDispatchWork_validAttrString_attrSubstringProposedRange_attrSubstringDispatchWork_validProposedSubstring_stringFromNSSpellChecker_insertSubstitutionWork_continuation_ tryTSMProcessRawKeyEvent_orSubstitution_dispatchCondition_setupForDispatch_furtherCondition_doubleSpaceSubstitutionCondition_doubleSpaceSubstitutionWork_dispatchTSMWork_continuation_ unmarkTextWithCompletionHandler_ updateFunctionRowItemState wantsToDelayTextChangeNotifications wantsToHandleMouseEvents wantsToInterpretAllKeystrokes NSInputFeedbackManager NSInputManager _activateServer _currentClient _isActivated _keyBindingManager _loadBundle _loadKeyboardBindings _setActivationState_ _setCurrentClient_ _terminate _trueName _validateBundleSecurity activateInputManagerFromMenu_ bundleObject doCommandBySelector_client_ initWithName_host_ insertText_client_ NSInputMethodsDirectory NSInputServer _inputClientChangedStatus_inputClient_ activeConversationChanged_toNewConversation_ activeConversationWillChange_fromOldConversation_ canBeDisabled cancelInput_conversation_ initWithDelegate_name_ inputClientBecomeActive_ inputClientDisabled_ inputClientEnabled_ inputClientResignActive_ mouseDownOnCharacterIndex_atCoordinate_withModifier_client_ mouseDraggedOnCharacterIndex_atCoordinate_withModifier_client_ mouseUpOnCharacterIndex_atCoordinate_withModifier_client_ senderDidBecomeActive_ senderDidResignActive_ setActivated_sender_ NSInputStream NSInsertCharFunctionKey NSInsertFunctionKey NSInsertLineFunctionKey NSInsertionPointHelper NSInsertsNullPlaceholderBindingOption NSInsetRect NSInspectorBar _auxiliaryViewController _createItemsForIdentifiers_ _defaultItemGravity _inspectorBarView _isOwnedByTextView _setIsOwnedByTextView_ _tile _updateAuxiliaryViewControllerIfAvailable inspectorBarViewDidLoad_ setShowsBaselineSeparator_ showsBaselineSeparator NSInspectorBarItem _setInspectorBar_ canBeDetached controller initWithIdentifier_controller_ NSIntType NSIntegerMax NSIntegerMin NSIntegralRect NSIntegralRectWithOptions NSInterfaceStyleDefault NSInterfaceStyleForKey NSInternalInconsistencyException NSInternalScriptError NSInternalSpecifierError NSInternationalCurrencyString NSIntersectSetExpressionType NSIntersectionRange NSIntersectionRect NSIntersectsRect NSInvalidArchiveOperationException NSInvalidArgumentException NSInvalidIndexSpecifierError NSInvalidReceivePortException NSInvalidSendPortException NSInvalidUnarchiveOperationException NSInvocation NSInvocationOperation initWithInvocation_ initWithTarget_selector_object_ NSInvocationOperationCancelledException NSInvocationOperationVoidResultException NSInvokesSeparatelyWithArrayObjectsBindingOption NSIsControllerMarker NSIsEmptyRect NSIsFreedObject NSIsIndeterminateBinding NSIsNilTransformerName NSIsNotNilTransformerName NSIslamicCalendar NSIslamicCivilCalendar NSItalicFontMask NSItemProvider NSItemProviderErrorDomain NSItemProviderFileOptionOpenInPlace NSItemProviderItemUnavailableError NSItemProviderPreferredImageSizeKey NSItemProviderRepresentationVisibilityAll NSItemProviderRepresentationVisibilityGroup NSItemProviderRepresentationVisibilityOwnProcess NSItemProviderUnavailableCoercionError NSItemProviderUnexpectedValueClassError NSItemProviderUnknownError NSItemReplacementDirectory NSJPEG2000FileType NSJPEGFileType NSJSONReadingAllowFragments NSJSONReadingMutableContainers NSJSONReadingMutableLeaves NSJSONSerialization NSJSONWritingPrettyPrinted NSJSONWritingSortedKeys NSJapaneseCalendar NSJapaneseEUCGlyphPacking NSJapaneseEUCStringEncoding NSJavaBundleCleanup NSJavaBundleSetup NSJavaClasses NSJavaClassesForBundle NSJavaClassesFromPath NSJavaDidCreateVirtualMachineNotification NSJavaDidSetupVirtualMachineNotification NSJavaLibraryPath NSJavaNeedsToLoadClasses NSJavaNeedsVirtualMachine NSJavaObjectNamedInPath NSJavaOwnVirtualMachine NSJavaPath NSJavaPathSeparator NSJavaProvidesClasses NSJavaRoot NSJavaSetup NSJavaSetupVirtualMachine NSJavaUserPath NSJavaWillCreateVirtualMachineNotification NSJavaWillSetupVirtualMachineNotification NSJoin destinationAttributeName initWithSourceAttributeName_destinationAttributeName_ sourceAttributeName NSJustifiedTextAlignment NSKeepAllocationStatistics NSKernAttributeName NSKeyBinding targetClass NSKeyBindingAtom initWithKey_mask_binding_ setBinding_ NSKeyBindingManager _monitorKeyBinding_flags_ _setNextKeyBindingManager_ dictionary flushTextForClient_ interpretEventAsCommand_forClient_ interpretEventAsText_forClient_ interpretKeyEvents_forClient_ setArgumentBinding_ setQuoteBinding_ NSKeyDown NSKeyDownMask NSKeyGetBinding getValueFromObject_ NSKeyPathExpression initWithKeyPath_ initWithOperand_andKeyPath_ pathExpression NSKeyPathExpressionType NSKeyPathSpecifierExpression NSKeySetBinding isScalarProperty setValue_inObject_ NSKeySpecifierEvaluationScriptError NSKeyUp NSKeyUpMask NSKeyValueAccessor containerClassID extraArgument1 extraArgument2 extraArgumentCount initWithContainerClassID_key_implementation_selector_extraArguments_count_ NSKeyValueArray _proxyInitWithContainer_getter_ _proxyLocator _proxyNonGCFinalize NSKeyValueChangeDictionary initWithDetailsNoCopy_originalObservable_isPriorNotification_ retainObjects setDetailsNoCopy_originalObservable_ setOriginalObservable_ NSKeyValueChangeIndexesKey NSKeyValueChangeInsertion NSKeyValueChangeKindKey NSKeyValueChangeNewKey NSKeyValueChangeNotificationIsPriorKey NSKeyValueChangeOldKey NSKeyValueChangeRemoval NSKeyValueChangeReplacement NSKeyValueChangeSetting NSKeyValueCollectionGetter initWithContainerClassID_key_methods_proxyClass_ initWithContainerClassID_key_proxyClass_ methods proxyClass NSKeyValueComputedProperty _addDependentValueKey_ _givenPropertiesBeingInitialized_getAffectingProperties_ _initWithContainerClass_keyPath_propertiesBeingInitialized_ _isaForAutonotifying _keyPathIfAffectedByValueForKey_exactMatch_ _keyPathIfAffectedByValueForMemberOfKeys_ dependentValueKeyOrKeysIsASet_ isaForAutonotifying keyPathIfAffectedByValueForKey_exactMatch_ keyPathIfAffectedByValueForMemberOfKeys_ matchesWithoutOperatorComponentsKeyPath_ object_didAddObservance_recurse_ object_didRemoveObservance_recurse_ object_withObservance_didChangeValueForKeyOrKeys_recurse_forwardingValues_ object_withObservance_willChangeValueForKeyOrKeys_recurse_forwardingValues_ restOfKeyPathIfContainedByValueForKeyPath_ NSKeyValueContainerClass initWithOriginalClass_ NSKeyValueFastMutableArray NSKeyValueFastMutableArray1 NSKeyValueFastMutableArray2 _nonNilArrayValueWithSelector_ NSKeyValueFastMutableCollection1Getter initWithContainerClassID_key_nonmutatingMethods_mutatingMethods_proxyClass_ mutatingMethods nonmutatingMethods NSKeyValueFastMutableCollection2Getter baseGetter initWithContainerClassID_key_baseGetter_mutatingMethods_proxyClass_ NSKeyValueFastMutableOrderedSet NSKeyValueFastMutableOrderedSet1 NSKeyValueFastMutableOrderedSet2 _nonNilOrderedSetValueWithSelector_ NSKeyValueFastMutableSet NSKeyValueFastMutableSet1 NSKeyValueFastMutableSet2 _nonNilSetValueWithSelector_ NSKeyValueGetter NSKeyValueIntersectSetMutation NSKeyValueIvarGetter initWithContainerClassID_key_containerIsa_ivar_ NSKeyValueIvarMutableArray _nonNilMutableArrayValueWithSelector_ _raiseNilValueExceptionWithSelector_ NSKeyValueIvarMutableCollectionGetter initWithContainerClassID_key_containerIsa_ivar_proxyClass_ ivar NSKeyValueIvarMutableOrderedSet _nonNilMutableOrderedSetValueWithSelector_ NSKeyValueIvarMutableSet NSKeyValueIvarSetter NSKeyValueMethodGetter initWithContainerClassID_key_method_ NSKeyValueMethodSetter method NSKeyValueMinusSetMutation NSKeyValueMutableArray NSKeyValueMutableOrderedSet NSKeyValueMutableSet NSKeyValueMutatingArrayMethodSet NSKeyValueMutatingCollectionMethodSet NSKeyValueMutatingOrderedSetMethodSet NSKeyValueMutatingSetMethodSet NSKeyValueNestedProperty _initWithContainerClass_keyPath_firstDotIndex_propertiesBeingInitialized_ NSKeyValueNilOrderedSetEnumerator NSKeyValueNilSetEnumerator NSKeyValueNonmutatingArrayMethodSet NSKeyValueNonmutatingCollectionMethodSet NSKeyValueNonmutatingOrderedSetMethodSet NSKeyValueNonmutatingSetMethodSet NSKeyValueNotifyingMutableArray NSKeyValueNotifyingMutableCollectionGetter initWithContainerClassID_key_mutableCollectionGetter_proxyClass_ mutableCollectionGetter NSKeyValueNotifyingMutableOrderedSet NSKeyValueNotifyingMutableSet NSKeyValueObservance _initWithObserver_property_options_context_originalObservable_ NSKeyValueObservationInfo _copyByAddingObservance_ _initWithObservances_count_hashValue_ NSKeyValueObservingOptionInitial NSKeyValueObservingOptionNew NSKeyValueObservingOptionOld NSKeyValueObservingOptionPrior NSKeyValueOrderedSet NSKeyValueProperty NSKeyValueProxyGetter NSKeyValueProxyShareKey NSKeyValueSet NSKeyValueSetSetMutation NSKeyValueSetter NSKeyValueShareableObservanceKey NSKeyValueShareableObservationInfoKey NSKeyValueSlowGetter initWithContainerClassID_key_containerIsa_ NSKeyValueSlowMutableArray _createNonNilMutableArrayValueWithSelector_ NSKeyValueSlowMutableCollectionGetter baseSetter initWithContainerClassID_key_baseGetter_baseSetter_containerIsa_proxyClass_ treatNilValuesLikeEmptyCollections NSKeyValueSlowMutableOrderedSet _createNonNilMutableOrderedSetValueWithSelector_ NSKeyValueSlowMutableSet _createMutableSetValueWithSelector_ _setValueWithSelector_ NSKeyValueSlowSetter NSKeyValueUndefinedGetter NSKeyValueUndefinedSetter NSKeyValueUnionSetMutation NSKeyValueUnnestedProperty _initWithContainerClass_key_propertiesBeingInitialized_ NSKeyValueValidationError NSKeyboardShortcut _keyEquivalentIsUpperCase initWithKeyEquivalent_modifierMask_ localizedDisplayName localizedKeyEquivalentDisplayName localizedModifierMaskDisplayName modifierMask preferencesEncoding NSKeyedArchiveRootObjectKey NSKeyedArchiver _blobForCurrentObject _encodeArrayOfObjects_forKey_ _encodePropertyList_forKey_ _initWithOutput_ _setBlobForCurrentObject_ classNameForClass_ encodedData finishEncoding outputFormat setClassName_forClass_ setOutputFormat_ setRequiresSecureCoding_ NSKeyedArchiverWrapper NSKeyedPortCoder _addObjectToTop_forKey_ _addOutOfLineObject_forKey_ _buildMainData _decodeObjectNoKey _decodePropertyListForKey_ _encodeObjectNoKey_ _finishUpObject _getObjectFromTopForKey_ _getOutOfLineObjectForKey_ _prepareToEncodeObjectForKey_ _proxyForLocalObject_ _setBycopy_ _setByref_ _topContainer decodeDataObjectForKey_ decodeInvocation decodePortObjectForKey_ decodeReturnValueOfInvocation_forKey_ encodeDataObject_forKey_ encodeInvocation_ encodePortObject_forKey_ encodeReturnValueOfInvocation_forKey_ finishedComponents importObject_ importedObjects NSKeyedUnarchiveFromDataTransformerName NSKeyedUnarchiver _allowedClassNames _currentUniqueIdentifier _decodeArrayOfObjectsForKey_ _initWithStream_data_topDict_ _replaceObject_withObject_ _setAllowedClassNames_ _temporaryMapReplaceObject_withObject_ _validatePropertyListClass_forKey_ classForClassName_ finishDecoding initForReadingWithData_ initWithStream_ setClass_forClassName_ setDecodingFailurePolicy_ NSKeyedUnarchiverWrapper NSKeywordsDocumentAttribute NSKitPanelController panel NSKnownKeysDictionary _setValues_retain_ initForKeys_ initWithSearchStrategy_ mapping setValue_atIndex_ NSKnownKeysDictionary1 _countByEnumeratingWithState_objects_count_forKeys_ _recount _valueCountByEnumeratingWithState_objects_count_ NSKnownKeysDictionary2 NSKnownKeysMappingStrategy fastIndexForKnownKey_ indexForKey_ initForKeys_count_ NSKnownKeysMappingStrategy1 _coreCreationForKeys_count_ _coreDealloc_ _makeBranchTableForKeys_count_ NSKnownKeysMappingStrategy2 _setupForKeys_count_table_inData_ NSLABColorSpaceModel NSLSNotificationHelper addEntryAndReturnIfWasEmpty_ isNonEmpty removeEntryAndReturnIfEmpty_ NSLSNotificationHelperCountedSet NSLabelBinding NSLabelView _setFocusedPart_ _setNeedsDisplayForPart_ NSLabelViewCell _boundsForLabel_withFrame_ _currentLabelName _deselectPart_ _drawBackgroundForPartRect_isPressedOrHovered_ _drawPart_withFrame_ _handleMouseMovedForEvent_withFrame_inView_ _isHoveredPart_ _isSelectedPart_ _labelAttributes _nameForLabelPart_ _partAtPoint_inFrame_ _rectForPart_ _selectPart_ _valueChanged_ accessibilityDescriptionOfChild_ accessibilityPerformAction_forChild_ diskLabelValues focusedPart hoveredPart mouseEntered_withFrame_inView_ mouseExited_withFrame_inView_ numParts part_boundsWithFrame_ setDiskLabelValues_ setFocusedPart_ setHoveredPart_ NSLandscapeOrientation NSLanguageContext NSLaterTimeDesignations NSLayerContentsFacet drawingRect dropToImage setDrawingRect_ totalSize NSLayerContentsProvider facetForIdentifier_scale_colorSpace_drawingRect_flipped_appearanceIdentifier_drawHandler_ facetForIdentifier_scale_colorSpace_drawingRect_flipped_patternDrawHandler_ totalCacheSize NSLayerDrawDelegate setDrawHandler_ NSLayoutAnchor _accumulateReferenceLayoutItemsIntoTable_ _anchorAtMidpointToAnchor_ _anchorType _anchorVariable _anchorVariableRestriction _constituentAnchors _constraintAttribute _constraintItem _dependentVariables _equationDescriptionInParent _equationDescriptionLegendEntries _expressionForValueInItem_ _expressionInContext_ _expressionInDefaultContext _isReferencedByConstraint_ _nearestAncestorLayoutItem _proxiedAttribute _proxiedItem _referenceItem _referenceView _valueInEngine_ _variableName anchorWithName_ anchorWithName_referenceItem_symbolicAttribute_ constraintEqualToAnchor_ constraintEqualToAnchor_constant_ constraintEqualToAnchor_multiplier_constant_ constraintGreaterThanOrEqualToAnchor_ constraintGreaterThanOrEqualToAnchor_constant_ constraintGreaterThanOrEqualToAnchor_multiplier_constant_ constraintLessThanOrEqualToAnchor_ constraintLessThanOrEqualToAnchor_constant_ constraintLessThanOrEqualToAnchor_multiplier_constant_ constraintsAffectingLayout initWithAnchor_ initWithIndependentVariableName_item_symbolicAttribute_ initWithItem_attribute_ initWithName_referenceItem_symbolicAttribute_ isCompatibleWithAnchor_ nsli_lowerIntoExpression_withCoefficient_forConstraint_ observableValueInItem_ relationshipEqualToAnchor_ relationshipEqualToAnchor_constant_ relationshipEqualToAnchor_constant_priority_identifier_ relationshipEqualToAnchor_multiplier_constant_priority_identifier_ relationshipGreaterThanOrEqualToAnchor_ relationshipGreaterThanOrEqualToAnchor_constant_ relationshipGreaterThanOrEqualToAnchor_constant_priority_identifier_ relationshipGreaterThanOrEqualToAnchor_multiplier_constant_priority_identifier_ relationshipLessThanOrEqualToAnchor_ relationshipLessThanOrEqualToAnchor_constant_ relationshipLessThanOrEqualToAnchor_constant_priority_identifier_ relationshipLessThanOrEqualToAnchor_multiplier_constant_priority_identifier_ relationshipsAffectingLayout validateOtherAttribute_ valueInItem_ NSLayoutAnchorRelationship initWithFirstAnchor_secondAnchor_relation_multiplier_constant_priority_identifier_ makeLayoutConstraint NSLayoutAttributeBaseline NSLayoutAttributeBottom NSLayoutAttributeCenterX NSLayoutAttributeCenterY NSLayoutAttributeFirstBaseline NSLayoutAttributeHeight NSLayoutAttributeLastBaseline NSLayoutAttributeLeading NSLayoutAttributeLeft NSLayoutAttributeNotAnAttribute NSLayoutAttributeRight NSLayoutAttributeTop NSLayoutAttributeTrailing NSLayoutAttributeWidth NSLayoutCantFit NSLayoutConstraint NSLayoutConstraintOrientationHorizontal NSLayoutConstraintOrientationVertical NSLayoutConstraintParser descriptionLineWithCurrentCharacterPointer failWithDescription_ findContainerView finishConstraint flushWidthConstraints initWithFormat_options_metrics_views_ layoutItemForKey_ metricForKey_ parse parseConnection parseConstant parseOp parsePredicate parsePredicateList parsePredicateWithParentheses parseView rangeOfName NSLayoutDimension anchorByAddingConstant_ anchorByAddingDimension_ anchorByMultiplyingByConstant_ anchorBySubtractingDimension_ constraintEqualToAnchor_multiplier_ constraintEqualToConstant_ constraintGreaterThanOrEqualToAnchor_multiplier_ constraintGreaterThanOrEqualToConstant_ constraintLessThanOrEqualToAnchor_multiplier_ constraintLessThanOrEqualToConstant_ minusDimension_ plusDimension_ plus_ relationshipEqualToConstant_ relationshipEqualToConstant_priority_identifier_ relationshipGreaterThanOrEqualToConstant_ relationshipGreaterThanOrEqualToConstant_priority_identifier_ relationshipLessThanOrEqualToConstant_ relationshipLessThanOrEqualToConstant_priority_identifier_ times_ NSLayoutDone NSLayoutFormatAlignAllBaseline NSLayoutFormatAlignAllBottom NSLayoutFormatAlignAllCenterX NSLayoutFormatAlignAllCenterY NSLayoutFormatAlignAllFirstBaseline NSLayoutFormatAlignAllLastBaseline NSLayoutFormatAlignAllLeading NSLayoutFormatAlignAllLeft NSLayoutFormatAlignAllRight NSLayoutFormatAlignAllTop NSLayoutFormatAlignAllTrailing NSLayoutFormatAlignmentMask NSLayoutFormatDirectionLeadingToTrailing NSLayoutFormatDirectionLeftToRight NSLayoutFormatDirectionMask NSLayoutFormatDirectionRightToLeft NSLayoutGuide _didMoveFromLayoutEngine_toEngine_ _updateFrameIfNeeded allowsNegativeSize initAllowingNegativeSize removeFromOwningView trailing NSLayoutLeftToRight NSLayoutManager CGGlyphAtIndex_ CGGlyphAtIndex_isValidIndex_ _adjustCharacterIndicesForRawGlyphRange_byDelta_ _alwaysDrawsActive _attachmentSizesRun _blockDescription _blockRangeForCharRange_ _blockRangeForGlyphRange_ _blockRowRangeForCharRange_ _blockRowRangeForCharRange_completeRows_ _blockRowRangeForGlyphRange_ _blockRowRangeForGlyphRange_completeRows_ _boundingRectForGlyphRange_inTextContainer_fast_fullLineRectsOnly_ _canDoLayout _characterRangeCurrentlyInAndAfterContainer_ _clearCurrentAttachmentSettings _clearTemporaryAttributes _clearTemporaryAttributesForCharacterRange_changeInLength_ _containerDescription _currentAttachmentIndex _currentAttachmentRect _doLayoutWithFullContainerStartingAtGlyphIndex_nextGlyphIndex_ _doOptimizedLayoutStartingAtGlyphIndex_forCharacterRange_inTextContainer_lineLimit_nextGlyphIndex_ _doUserParagraphStyleLineHeightMultiple_min_max_lineSpacing_paragraphSpacingBefore_after_isFinal_ _doUserParagraphStyleLineHeight_fixed_ _doUserRemoveMarkerFormatInRange_ _doUserSetAttributes_ _doUserSetAttributes_removeAttributes_ _doUserSetListMarkerFormat_options_ _doUserSetListMarkerFormat_options_startingItemNumber_ _doUserSetListMarkerFormat_options_startingItemNumber_forceStartingItemNumber_ _doUserSetListMarkerFormat_options_startingItemNumber_inRange_level_ _drawBackgroundForGlyphRange_atPoint_ _drawGlyphsForGlyphRange_atPoint_ _drawGlyphsForGlyphRange_atPoint_parameters_ _drawLineForGlyphRange_inContext_from_to_at_thickness_lineOrigin_breakForDescenders_ _drawLineForGlyphRange_inContext_from_to_at_thickness_lineOrigin_breakForDescenders_flipped_ _drawLineForGlyphRange_type_baselineOffset_lineFragmentRect_lineFragmentGlyphRange_containerOrigin_isStrikethrough_ _drawsDebugBaselines _drawsUnderlinesLikeWebKit _extendedCharRangeForInvalidation_editedCharRange_ _fillGlyphHoleAtIndex_desiredNumberOfCharacters_ _fillGlyphHoleForCharacterRange_startGlyphIndex_desiredNumberOfCharacters_ _fillLayoutHoleAtIndex_desiredNumberOfLines_ _fillLayoutHoleForCharacterRange_desiredNumberOfLines_isSoft_ _firstPassGlyphRangeForBoundingRect_inTextContainer_hintGlyphRange_okToFillHoles_ _firstPassGlyphRangeForBoundingRect_inTextContainer_okToFillHoles_ _firstTextViewChanged _fixSelectionAfterChangeInCharacterRange_changeInLength_ _forceDisplayToBeCorrectForViewsWithUnlaidGlyphs _forcesTrackingFloor _glyphAtIndex_characterIndex_glyphInscription_isValidIndex_ _glyphDescription _glyphDescriptionForGlyphRange_ _glyphGenerator _glyphHoleDescription _glyphIndexForCharacterIndex_startOfRange_okToFillHoles_ _glyphIndexForCharacterIndex_startOfRange_okToFillHoles_considerNulls_ _glyphLocationDescription _glyphRangeForBoundingRect_inTextContainer_fast_okToFillHoles_ _glyphRangeForCharacterRange_actualCharacterRange_okToFillHoles_ _glyphTreeDescription _growCachedRectArrayToSize_ _hasSeenRightToLeft _indexOfFirstGlyphInTextContainer_okToFillHoles_ _insertGlyphs_elasticAttributes_count_atGlyphIndex_characterIndex_ _insertionPointHelperForGlyphAtIndex_ _invalidateDisplayIfNeeded _invalidateGlyphsForCharacterRange_editedCharacterRange_changeInLength_actualCharacterRange_ _invalidateGlyphsForExtendedCharacterRange_changeInLength_ _invalidateGlyphsForExtendedCharacterRange_changeInLength_includeBlocks_ _invalidateInsertionPoint _invalidateLayoutForExtendedCharacterRange_isSoft_ _invalidateLayoutForExtendedCharacterRange_isSoft_invalidateUsage_ _invalidateUsageForTextContainersInRange_ _layoutHoleDescription _layoutTreeDescription _lineFragmentDescription _lineFragmentDescriptionForGlyphRange_includeGlyphLocations_ _lineFragmentDescription_ _lineGlyphRange_type_lineFragmentRect_lineFragmentGlyphRange_containerOrigin_isStrikethrough_ _markSelfAsDirtyForBackgroundLayout_ _markerLevelForRange_ _mergeGlyphHoles _mergeLayoutHoles _needToFlushGlyph _noteFirstTextViewVisibleCharacterRangeIfAfterIndex_ _packedGlyphs_range_length_ _primitiveCharacterRangeForGlyphRange_ _primitiveDeleteGlyphsInRange_ _primitiveGlyphRangeForCharacterRange_ _primitiveInvalidateDisplayForGlyphRange_ _promoteGlyphStoreToFormat_ _recalculateUsageForTextContainerAtIndex_ _rectArrayForRange_withinSelectionRange_rangeIsCharRange_singleRectOnly_fullLineRectsOnly_inTextContainer_rectCount_rangeWithinContainer_glyphsDrawOutsideLines_ _rectArrayForRange_withinSelectionRange_rangeIsCharRange_singleRectOnly_fullLineRectsOnly_inTextContainer_rectCount_rangeWithinContainer_glyphsDrawOutsideLines_rectArray_rectArrayCapacity_ _resizeTextViewForTextContainer_ _rotationForGlyphAtIndex_effectiveRange_ _rowArrayCache _rulerAccView _rulerAccViewAlignmentAction_ _rulerAccViewCenterTabWell _rulerAccViewDecimalTabWell _rulerAccViewFixedLineHeightAction_ _rulerAccViewIncrementLineHeightAction_ _rulerAccViewLeftTabWell _rulerAccViewListsAction_ _rulerAccViewPullDownAction_ _rulerAccViewRightTabWell _rulerAccViewSetUpLists _rulerAccViewSpacingAction_ _rulerAccViewStylesAction_ _rulerAccViewUpdatePullDown_ _rulerAccViewUpdateStyles_ _rulerHelper _selectionRangesForInsertionPointRange_ _setAlwaysDrawsActive_ _setCurrentAttachmentRect_index_ _setDrawsDebugBaselines_ _setDrawsUnderlinesLikeWebKit_ _setExtraLineFragmentRect_usedRect_textContainer_ _setForcesTrackingFloor_ _setGlyphGenerator_ _setGlyphsPerLineEstimate_integerOffsetPerLineEstimate_ _setGlyphsPerLineEstimate_offsetPerLineEstimate_ _setHasSeenRightToLeft_ _setMirrorsTextAlignment_ _setNeedToFlushGlyph_ _setRotation_forGlyphAtIndex_ _setRowArrayCache_ _setTextContainer_forGlyphRange_ _showAttachmentCell_inRect_characterIndex_ _showCGGlyphs_positions_count_font_matrix_attributes_inContext_ _simpleDeleteGlyphsInRange_ _simpleInsertGlyph_atGlyphIndex_characterIndex_elastic_ _smallEncodingGlyphIndexForCharacterIndex_startOfRange_okToFillHoles_ _smallEncodingGlyphIndexForCharacterIndex_startOfRange_okToFillHoles_considerNulls_ _temporaryAttribute_atCharacterIndex_effectiveRange_ _temporaryAttribute_atCharacterIndex_longestEffectiveRange_inRange_ _temporaryAttributesAtCharacterIndex_longestEffectiveRange_inRange_ _updateUsageForTextContainer_addingUsedRect_ _validatedStoredUsageForTextContainerAtIndex_ addTemporaryAttribute_value_forCharacterRange_ addTemporaryAttributes_forCharacterRange_ addTextContainer_ allowsNonContiguousLayout allowsOriginalFontMetricsOverride attachmentSizeForGlyphAtIndex_ backgroundColorProvidesOpaqueSurface backgroundLayoutEnabled baselineOffsetForGlyphAtIndex_ boundingRectForGlyphRange_inTextContainer_ boundsRectForTextBlock_atIndex_effectiveRange_ boundsRectForTextBlock_glyphRange_ characterIndexForGlyphAtIndex_ characterIndexForPoint_inTextContainer_fractionOfDistanceBetweenInsertionPoints_ defaultAttachmentScaling defaultBaselineOffsetForFont_ defaultLineHeightForFont_ drawBackgroundForGlyphRange_atPoint_ drawGlyphsForGlyphRange_atPoint_ drawSpellingUnderlineForGlyphRange_spellingState_inGlyphRange_lineFragmentRect_lineFragmentGlyphRange_containerOrigin_ drawStrikethroughForGlyphRange_strikethroughType_baselineOffset_lineFragmentRect_lineFragmentGlyphRange_containerOrigin_ drawUnderlineForGlyphRange_underlineType_baselineOffset_lineFragmentRect_lineFragmentGlyphRange_containerOrigin_ drawsOutsideLineFragmentForGlyphAtIndex_ ensureGlyphsForCharacterRange_ ensureGlyphsForGlyphRange_ ensureLayoutForBoundingRect_inTextContainer_ ensureLayoutForCharacterRange_ ensureLayoutForGlyphRange_ ensureLayoutForTextContainer_ enumerateEnclosingRectsForCharacterRange_withinSelectedCharacterRange_inTextContainer_usingBlock_ enumerateEnclosingRectsForGlyphRange_withinSelectedGlyphRange_inTextContainer_usingBlock_ enumerateLineFragmentsForGlyphRange_usingBlock_ extraLineFragmentRect extraLineFragmentTextContainer extraLineFragmentUsedRect fillBackgroundRectArray_count_forCharacterRange_color_ firstTextView firstUnlaidCharacterIndex firstUnlaidGlyphIndex flipsIfNeeded fractionOfDistanceThroughGlyphForPoint_inTextContainer_ getFirstUnlaidCharacterIndex_glyphIndex_ getGlyphsInRange_glyphs_characterIndexes_glyphInscriptions_elasticBits_ getGlyphs_range_ getLineFragmentInsertionPointArraysForCharacterAtIndex_inDisplayOrder_positions_characterIndexes_count_alternatePositions_characterIndexes_count_ getLineFragmentInsertionPointsForCharacterAtIndex_alternatePositions_inDisplayOrder_positions_characterIndexes_ glyphAtIndex_ glyphAtIndex_isValidIndex_ glyphGenerator glyphIndexForCharacterAtIndex_ glyphIndexForPoint_inTextContainer_ glyphIndexForPoint_inTextContainer_fractionOfDistanceThroughGlyph_ glyphRangeForBoundingRectWithoutAdditionalLayout_inTextContainer_ glyphRangeForBoundingRect_inTextContainer_ glyphRangeForTextContainer_ hasNonContiguousLayout ignoresAntialiasThreshold ignoresViewTransformations insertGlyphs_length_forStartingGlyphAtIndex_characterIndex_ insertTextContainer_atIndex_ intAttribute_forGlyphAtIndex_ invalidateDisplayForCharacterRange_ invalidateDisplayForGlyphRange_ invalidateGlyphsForCharacterRange_changeInLength_actualCharacterRange_ invalidateGlyphsOnLayoutInvalidationForGlyphRange_ invalidateLayoutForCharacterRange_actualCharacterRange_ invalidateLayoutForCharacterRange_isSoft_actualCharacterRange_ isValidGlyphIndex_ layoutManagerOwnsFirstResponderInWindow_ layoutOptions layoutRectForTextBlock_atIndex_effectiveRange_ layoutRectForTextBlock_glyphRange_ lineFragmentRectForGlyphAtIndex_effectiveRange_ lineFragmentRectForGlyphAtIndex_effectiveRange_withoutAdditionalLayout_ lineFragmentUsedRectForGlyphAtIndex_effectiveRange_ lineFragmentUsedRectForGlyphAtIndex_effectiveRange_allowLayout_ lineFragmentUsedRectForGlyphAtIndex_effectiveRange_withoutAdditionalLayout_ linkAttributesForLink_forCharacterAtIndex_ locationForGlyphAtIndex_ notShownAttributeForGlyphAtIndex_ processEditingForTextStorage_edited_range_changeInLength_invalidatedRange_ propertyForGlyphAtIndex_ rangeOfCharacterClusterAtIndex_type_ rangeOfNominallySpacedGlyphsContainingIndex_ rectArrayForCharacterRange_withinSelectedCharacterRange_inTextContainer_rectCount_ rectArrayForGlyphRange_withinSelectedGlyphRange_inTextContainer_rectCount_ removeTemporaryAttribute_forCharacterRange_ removeTextContainerAtIndex_ replaceGlyphAtIndex_withGlyph_ replaceTextStorage_ rulerAccessoryViewForTextView_paragraphStyle_ruler_enabled_ rulerMarkersForTextView_paragraphStyle_ruler_ selectedTextAttributesForCharacterAtIndex_effectiveRange_ setAllowsNonContiguousLayout_ setAllowsOriginalFontMetricsOverride_ setBackgroundLayoutEnabled_ setBaselineOffset_forGlyphAtIndex_ setBoundsRect_forTextBlock_glyphRange_ setCharacterIndex_forGlyphAtIndex_ setDefaultAttachmentScaling_ setDrawsOutsideLineFragment_forGlyphAtIndex_ setEllipsisGlyphAttribute_forGlyphAtIndex_ setExtraLineFragmentRect_usedRect_textContainer_ setFlipsIfNeeded_ setGlyphGenerator_ setGlyphs_properties_characterIndexes_font_forGlyphRange_ setIgnoresAntialiasThreshold_ setIgnoresViewTransformations_ setIntAttribute_value_forGlyphAtIndex_ setLayoutRect_forTextBlock_glyphRange_ setLineFragmentRect_forGlyphRange_usedRect_ setLocation_forStartOfGlyphRange_ setLocation_forStartOfGlyphRange_coalesceRuns_ setLocations_startingGlyphIndexes_count_forGlyphRange_ setNotShownAttribute_forGlyphAtIndex_ setParagraphArbitrator_ setShowsControlCharacters_ setShowsInvisibleCharacters_ setSynchronizesAlignmentToDirection_ setTemporaryAttributes_forCharacterRange_ setTextContainer_forGlyphRange_ setTextStorage_ setTypesetter_ setUsesScreenFonts_ showAttachmentCell_inRect_characterIndex_ showAttachment_inRect_textContainer_characterIndex_ showCGGlyphs_positions_count_font_color_matrix_attributes_inContext_textLayer_ showCGGlyphs_positions_count_font_matrix_attributes_inContext_ showPackedGlyphs_length_glyphRange_atPoint_font_color_printingAdjustment_ showsControlCharacters showsInvisibleCharacters strikethroughGlyphRange_strikethroughType_lineFragmentRect_lineFragmentGlyphRange_containerOrigin_ temporaryAttribute_atCharacterIndex_effectiveRange_ temporaryAttribute_atCharacterIndex_longestEffectiveRange_inRange_ temporaryAttributesAtCharacterIndex_effectiveRange_ temporaryAttributesAtCharacterIndex_longestEffectiveRange_inRange_ textContainerChangedGeometry_ textContainerChangedTextView_ textContainerChangedTextView_fromTextView_ textContainerForGlyphAtIndex_effectiveRange_ textContainerForGlyphAtIndex_effectiveRange_withoutAdditionalLayout_ textStorage_edited_range_changeInLength_invalidatedRange_ textViewForBeginningOfSelection truncatedGlyphRangeInLineFragmentForGlyphAtIndex_ underlineGlyphRange_underlineType_lineFragmentRect_lineFragmentGlyphRange_containerOrigin_ usedRectForTextContainer_ usesScreenFonts NSLayoutManagerTextBlockHelper initWithTextBlock_layoutRect_boundsRect_ NSLayoutManagerTextBlockRowArrayCache initWithRowCharRange_containerWidth_rowArray_collapseBorders_ NSLayoutNotDone NSLayoutOutOfGlyphs NSLayoutPoint constraintsEqualToLayoutPoint_ constraintsEqualToPoint_ initWithXAxisAnchor_yAxisAnchor_ layoutPointByOffsettingWithXOffsetDimension_yOffsetDimension_ layoutPointByOffsettingWithXOffset_yOffset_ pointByOffsettingWithXOffsetDimension_yOffsetDimension_ pointByOffsettingWithXOffset_yOffset_ relationshipEqualToLayoutPoint_ xAxisAnchor yAxisAnchor NSLayoutPointRelationship firstLayoutPoint initWithFirstLayoutPoint_secondLayoutPoint_ secondLayoutPoint NSLayoutPriorityDefaultHigh NSLayoutPriorityDefaultLow NSLayoutPriorityDragThatCanResizeWindow NSLayoutPriorityDragThatCannotResizeWindow NSLayoutPriorityFittingSizeCompression NSLayoutPriorityRequired NSLayoutPriorityWindowSizeStayPut NSLayoutRect _rectangleBySlicingWithDimension_plusConstant_fromEdge_ centerLayoutPoint constraintsContainingWithinLayoutRect_ constraintsEqualToLayoutRect_ initWithLeadingAnchor_topAnchor_widthAnchor_heightAnchor_ initWithLeadingAnchor_topAnchor_widthAnchor_heightAnchor_name_ isEqualToRectangle_ layoutRectByInsettingTopWithDimension_leadingWithDimension_bottomWithDimension_trailingWithDimension_ layoutRectByInsettingTop_leading_bottom_trailing_ layoutRectBySlicingWithDimension_fromEdge_ layoutRectBySlicingWithDistance_fromEdge_ layoutRectBySlicingWithProportion_fromEdge_ layoutRectWithName_ nsli_isLegalConstraintItem relationshipContainingLayoutRect_ relationshipEqualToLayoutRect_ NSLayoutRectRelationship firstLayoutRect initWithFirstLayoutRect_secondLayoutRect_ initWithFirstLayoutRect_secondLayoutRect_relation_ secondLayoutRect setRelation_ NSLayoutRectangle centerPoint constraintsContainingWithinRectangle_ constraintsEqualToRectangle_ rectangleByInsettingTopByDimension_leadingByDimension_bottomByDimension_trailingByDimension_ rectangleByInsettingTop_leading_bottom_trailing_ rectangleBySlicingWithDimension_fromEdge_ rectangleBySlicingWithDistance_fromEdge_ rectangleBySlicingWithProportion_fromEdge_ rectangleWithName_ NSLayoutRelationEqual NSLayoutRelationGreaterThanOrEqual NSLayoutRelationLessThanOrEqual NSLayoutRightToLeft NSLayoutXAxisAnchor _directionAbstraction _validateOtherXAxisAnchorDirectionAbstraction_ anchorByOffsettingWithConstant_ anchorByOffsettingWithDimension_ anchorByOffsettingWithDimension_multiplier_constant_ anchorWithOffsetToAnchor_ distanceTo_ offsetByDimension_ offsetByDimension_times_plus_ offsetBy_ offsetTo_ NSLayoutYAxisAnchor NSLazyBrowserCell NSLazyBrowserList makeObjectsPerform_ makeObjectsPerform_withObject_ NSLeafProxy initDir_file_docInfo_ reallyDealloc NSLeftArrowFunctionKey NSLeftMarginDocumentAttribute NSLeftMouseDown NSLeftMouseDownMask NSLeftMouseDragged NSLeftMouseDraggedMask NSLeftMouseUp NSLeftMouseUpMask NSLeftTabStopType NSLeftTabsBezelBorder NSLeftTextAlignment NSLeftTextMovement NSLegacyFilePromiseProvider NSLegacyScrollerImp _animateCollapse _animateExpansion _animateOutOfRolloverState _animateToRolloverState _compositeScrollerPart_inRect_withAlpha_drawHandler_ _doWork_ _expandedKnobMinLength _expandedTrackBoxWidth _expandedTrackWidth _hasCustomScroller _installDelayedRolloverAnimation _makeMaskLayer _makeScrollerPartLayer _rolloverTrackingRect _setUseCoreUILayerContents_ _setupCommonLayerProperties_ _threadsafeRectForPart_preBlock_postBlock_ _unsafeRectForPart_ _updateKnobPresentation _updateLayerGeometry _useCoreUILayerContents _usesSeparateLayersPerPart _vibrancyFilterForAppearance_ _wantsRedisplayOnExpansionProgress allowsVibrancyForAppearance_ avoidingOtherScrollerThumb checkSpaceForParts copyCoreUIKnobOptions copyCoreUIOptions copyCoreUITrackOptions displayLayer_ drawKnobSlotInRect_highlight_ drawKnobSlotInRect_highlight_alpha_ drawKnobWithAlpha_ expansionTransitionProgress hitTestForLocalPoint_ isHorizontal knobAlpha knobEndInset knobInset knobLayer knobLength knobMinLength knobOverlapEndInset knobProportion knobStyle loadImages mouseEnteredScroller mouseExitedScroller overlayScrollerState presentationValue rangeIndicatorAlpha removeTrackingAreas scroller setAvoidingOtherScrollerThumb_ setExpansionTransitionProgress_ setHorizontal_ setKnobAlpha_ setKnobLayer_ setKnobProportion_ setKnobStyle_ setOverlayScrollerState_forceImmediately_ setPresentationValue_ setRangeIndicatorAlpha_ setScroller_ setShouldDrawRolloverState_ setTrackAlpha_ setTrackLayer_ setTracking_ setUiStateTransitionProgress_ setUsePresentationValue_ shouldDrawRolloverState shouldUsePresentationValue trackAlpha trackBoxWidth trackEndInset trackLayer trackOverlapEndInset trackSideInset trackWidth uiStateTransitionProgress usableParts NSLengthFormatter isForPersonHeightUse setForPersonHeightUse_ stringFromMeters_ targetUnitFromMeters_ unitStringFromMeters_usedUnit_ NSLengthFormatterUnitCentimeter NSLengthFormatterUnitFoot NSLengthFormatterUnitInch NSLengthFormatterUnitKilometer NSLengthFormatterUnitMeter NSLengthFormatterUnitMile NSLengthFormatterUnitMillimeter NSLengthFormatterUnitYard NSLessThanComparison NSLessThanOrEqualToComparison NSLessThanOrEqualToPredicateOperatorType NSLessThanPredicateOperatorType NSLevelIndicator alwaysDrawRatingPlaceholder criticalValue levelIndicatorStyle numberOfMajorTickMarks setAlwaysDrawRatingPlaceholder_ setCriticalValue_ setLevelIndicatorStyle_ setNumberOfMajorTickMarks_ setWarningValue_ warningValue NSLevelIndicatorCell _dotFadeAlpha _drawContinuousCapacityWithFrame_inView_ _drawDiscreteCapacityWithFrame_inView_ _drawRatingWithFrame_inView_ _drawRelevancyWithFrame_inView_ _drawTickMarksWithFrame_inView_ _efectiveDrawRatingPlaceholder _rankIndicatorSize _rectOfDiscreteBrickAtIndex_withDrawingRect_ _shouldDrawRTL _starColorOnDark_ _updateTrackingValueForPoint_ accessibilityCriticalValueAttribute accessibilityIsChildrenValueAttributeSettable accessibilityIsCriticalValueAttributeSettable accessibilityIsWarningValueAttributeSettable accessibilityWarningValueAttribute initWithLevelIndicatorStyle_ NSLevelIndicatorPlaceholderVisibilityAlways NSLevelIndicatorPlaceholderVisibilityAutomatic NSLevelIndicatorPlaceholderVisibilityWhileEditing NSLevelIndicatorStyleContinuousCapacity NSLevelIndicatorStyleDiscreteCapacity NSLevelIndicatorStyleRating NSLevelIndicatorStyleRelevancy NSLibraryDirectory NSLigatureAttributeName NSLightGray NSLighterFontAction NSLikePredicateOperator _clearContext _modifierString _shouldEscapeForLike NSLikePredicateOperatorType NSLimitedMenuViewWindow NSLineBorder NSLineBreakByCharWrapping NSLineBreakByClipping NSLineBreakByTruncatingHead NSLineBreakByTruncatingMiddle NSLineBreakByTruncatingTail NSLineBreakByWordWrapping NSLineDoesntMove NSLineFragmentRenderingContext drawAtPoint_inContext_ elasticWidth getMaximumAscender_minimumDescender_ imageBounds initWithRuns_glyphOrigin_lineFragmentWidth_elasticWidth_usesScreenFonts_isRTL_ isRTL lineFragmentWidth resolvedBaseWritingDirection resolvedTextAlignment setCuiCatalog_ setCuiStyleEffects_ setGraphicsContext_ setResolvedBaseWritingDirection_ setResolvedTextAlignment_ sizeWithBehavior_usesFontLeading_baselineDelta_ NSLineHeightFormatter NSLineMovesDown NSLineMovesLeft NSLineMovesRight NSLineMovesUp NSLineSeparatorCharacter NSLineSweepDown NSLineSweepLeft NSLineSweepRight NSLineSweepUp NSLineToBezierPathElement NSLinearSlider NSLinguisticTagAdjective NSLinguisticTagAdverb NSLinguisticTagClassifier NSLinguisticTagCloseParenthesis NSLinguisticTagCloseQuote NSLinguisticTagConjunction NSLinguisticTagDash NSLinguisticTagDeterminer NSLinguisticTagIdiom NSLinguisticTagInterjection NSLinguisticTagNoun NSLinguisticTagNumber NSLinguisticTagOpenParenthesis NSLinguisticTagOpenQuote NSLinguisticTagOrganizationName NSLinguisticTagOther NSLinguisticTagOtherPunctuation NSLinguisticTagOtherWhitespace NSLinguisticTagOtherWord NSLinguisticTagParagraphBreak NSLinguisticTagParticle NSLinguisticTagPersonalName NSLinguisticTagPlaceName NSLinguisticTagPreposition NSLinguisticTagPronoun NSLinguisticTagPunctuation NSLinguisticTagSchemeLanguage NSLinguisticTagSchemeLemma NSLinguisticTagSchemeLexicalClass NSLinguisticTagSchemeNameType NSLinguisticTagSchemeNameTypeOrLexicalClass NSLinguisticTagSchemeScript NSLinguisticTagSchemeTokenType NSLinguisticTagSentenceTerminator NSLinguisticTagVerb NSLinguisticTagWhitespace NSLinguisticTagWord NSLinguisticTagWordJoiner NSLinguisticTagger _acceptSentenceTerminatorRange_paragraphRange_tokens_count_tokenIndex_ _acceptSentencesForParagraphRange_ _analyzePunctuationTokensInRange_paragraphRange_ _analyzeTokensInInterwordRange_paragraphRange_ _analyzeTokensInWordRange_paragraphRange_ _calculateSentenceRangesForParagraphRange_ _tagSchemeForScheme_ _tokenDataForParagraphAtIndex_paragraphRange_requireLemmas_requirePartsOfSpeech_requireNamedEntities_ _tokenDataForParagraphAtIndex_paragraphRange_tagScheme_ _tokenDataForParagraphRange_requireLemmas_requirePartsOfSpeech_requireNamedEntities_ _tokenizeParagraphAtIndex_requireLemmas_requirePartsOfSpeech_requireNamedEntities_ enumerateTagsInRange_scheme_options_usingBlock_ initWithTagSchemes_options_ orthographyAtIndex_effectiveRange_ possibleTagsAtIndex_scheme_tokenRange_sentenceRange_scores_ sentenceRangeForRange_ setOrthography_range_ stringEditedInRange_changeInLength_ tagAtIndex_scheme_tokenRange_sentenceRange_ tagSchemes tagsInRange_scheme_options_tokenRanges_ NSLinguisticTaggerJoinNames NSLinguisticTaggerOmitOther NSLinguisticTaggerOmitPunctuation NSLinguisticTaggerOmitWhitespace NSLinguisticTaggerOmitWords NSLinguisticTaggerUnitDocument NSLinguisticTaggerUnitParagraph NSLinguisticTaggerUnitSentence NSLinguisticTaggerUnitWord NSLinkAttributeName NSLinkCheckingResult initWithRange_URL_ NSListModeMatrix NSLiteralSearch NSLoadedClasses NSLocalDomainMask NSLocalInputServer setMutableDictionary_ NSLocalNotificationCenterType NSLocalTitlebarRenamingWindow _disableAutomaticTerminationForRVSClient _enableAutomaticTerminationForRVSClient _possiblyPerformAction_inRemoteReponderChainAndDoAction_ _setSession_ blacklistedSelector_ remoteResponderChainPerformSelector_ remoteValidateAction_tag_type_ remoteWindowController setRemoteWindowController_ NSLocalWindowWrappingRemoteWindow NSLocale NSLocaleAlternateQuotationBeginDelimiterKey NSLocaleAlternateQuotationEndDelimiterKey NSLocaleCalendar NSLocaleCollationIdentifier NSLocaleCollatorIdentifier NSLocaleCountryCode NSLocaleCurrencyCode NSLocaleCurrencySymbol NSLocaleDecimalSeparator NSLocaleExemplarCharacterSet NSLocaleGroupingSeparator NSLocaleIdentifier NSLocaleLanguageCode NSLocaleLanguageDirectionBottomToTop NSLocaleLanguageDirectionLeftToRight NSLocaleLanguageDirectionRightToLeft NSLocaleLanguageDirectionTopToBottom NSLocaleLanguageDirectionUnknown NSLocaleMeasurementSystem NSLocaleQuotationBeginDelimiterKey NSLocaleQuotationEndDelimiterKey NSLocaleScriptCode NSLocaleUsesMetricSystem NSLocaleVariantCode NSLocalizableString developmentLanguageString initWithStringsFileKey_developmentLanguageString_ setDevelopmentLanguageString_ setStringsFileKey_ stringsFileKey NSLocalizedDescriptionKey NSLocalizedFailureReasonErrorKey NSLocalizedKeyDictionaryBinding NSLocalizedRecoveryOptionsErrorKey NSLocalizedRecoverySuggestionErrorKey NSLocalizedString NSLocalizedStringFromTable NSLocalizedStringFromTableInBundle NSLocalizedStringWithDefaultValue NSLocationInRange NSLock NSLog NSLogPageSize NSLogicalTest initAndTestWithTests_ initNotTestWithTest_ initOrTestWithTests_ isTrue NSLongClickGestureRecognizer NSLookupMatch dataDetectorResult initWithType_range_score_ languageIdentifier setDataDetectorResult_ setLanguageIdentifier_ NSMACHOperatingSystem NSMacOSRomanStringEncoding NSMacSimpleTextDocumentType NSMachBootstrapServer NSMachErrorDomain NSMachPort NSMachPortDeallocateNone NSMachPortDeallocateReceiveRight NSMachPortDeallocateSendRight NSMacintoshInterfaceStyle NSMagnificationGestureRecognizer setTranslation_inView_ translationInView_ NSMagnifierWindowContentViewLegacy contentImageRep magnifiedPointsPerPixel magnifyingGlassCenterPosition magnifyingGlassRadius setContentImageRep_ setNextMode NSMagnifierWindowContentViewLoupe NSMainMenuWindowLevel NSMakeCollectable NSMakePoint NSMakeRange NSMakeRect NSMakeSize NSMallocException NSManagedImmutableObject NSManagedObject _allProperties__ _batch_release__ _calculateDiffsBetweenOrderedSet_andOrderedSet_ _chainNewError_toOriginalErrorDoublePointer_ _changedTransientProperties__ _changedValuesForCurrentEvent _clearAllChanges__ _clearPendingChanges__ _clearRawPropertiesWithHint_ _clearUnprocessedChanges__ _commitPhotoshoperyForRelationshipAtIndex_newValue_ _defaultValidation_error_ _descriptionValues _didChangeValue_forRelationship_named_withInverse_ _excludeObject_fromPropertyWithKey_andIndex_ _faultHandler__ _generateErrorDetailForKey_withValue_ _generateErrorWithCode_andMessage_forKey_andValue_additionalDetail_ _genericMutableOrderedSetValueForKey_withIndex_flags_ _genericMutableSetValueForKey_withIndex_flags_ _genericUpdateFromSnapshot_ _genericValueForKey_withIndex_flags_ _hasAnyObservers__ _hasPendingChanges _hasRetainedStoreResources__ _hasUnprocessedChanges__ _includeObject_intoPropertyWithKey_andIndex_ _initWithEntity_withID_withHandler_withContext_ _isKindOfEntity_ _isPendingDeletion__ _isPendingInsertion__ _isPendingUpdate__ _isSuppressingChangeNotifications__ _isSuppressingKVO__ _isUnprocessedDeletion__ _isUnprocessedInsertion__ _isUnprocessedUpdate__ _isValidRelationshipDestination__ _lastSnapshot__ _maintainInverseRelationship_forProperty_forChange_onSet_ _maintainInverseRelationship_forProperty_oldDestination_newDestination_ _newAllPropertiesWithRelationshipFaultsIntact__ _newChangedValuesForRefresh__ _newCommittedSnapshotValues _newNestedSaveChangedValuesForParent_ _newPersistentPropertiesForConflictRecordFaultsIntact__ _newPersistentPropertiesWithRelationshipFaultsIntact__ _newPropertiesForRetainedTypes_andCopiedTypes_preserveFaults_ _newSetFromSet_byApplyingDiffs_ _newSnapshotForUndo__ _nilOutReservedCurrentEventSnapshot__ _orderKeysForRelationshipWithName___ _originalSnapshot__ _persistentProperties__ _prepropagateDeleteForMerge _propagateDelete _propagateDelete_ _referenceQueue__ _reservedCurrentEventSnapshot _setGenericValue_forKey_withIndex_flags_ _setHasRetainedStoreResources___ _setLastSnapshot___ _setObjectID___ _setOriginalSnapshot___ _setPendingDeletion___ _setPendingInsertion___ _setPendingUpdate___ _setSuppressingChangeNotifications___ _setSuppressingKVO___ _setUnprocessedDeletion___ _setUnprocessedInsertion___ _setUnprocessedUpdate___ _setVersionReference___ _stateFlags _substituteEntityAndProperty_inString_ _transientProperties__ _updateFromRefreshSnapshot_includingTransients_ _updateFromSnapshot_ _updateFromUndoSnapshot_ _updateLocationsOfObjectsToLocationByOrderKey_inRelationshipWithName_error_ _updateToManyRelationship_from_to_with_ _validateForSave_ _validatePropertiesWithError_ _validateValue_forProperty_andKey_withIndex_error_ _versionReference__ awakeFromFetch awakeFromInsert awakeFromSnapshotEvents_ changedValues changedValuesForCurrentEvent committedValuesForKeys_ didAccessValueForKey_ didFireFault didRefresh_ didSave didTurnIntoFault diffOrderedSets_______ faultingState hasFaultForRelationshipNamed_ hasPersistentChangedValues initWithContext_ initWithEntity_insertIntoManagedObjectContext_ isDeleted isInserted isRelationshipForKeyFault_ isUpdated objectIDsForRelationshipNamed_ prepareForDeletion primitiveValueForKey_ setPrimitiveValue_forKey_ validateForDelete_ validateForInsert_ validateForUpdate_ wasForgotten willAccessValueForKey_ willFireFault willRefresh_ willSave willTurnIntoFault NSManagedObjectContext _addObjectIDsUpdatedByTriggers_ _attemptCoalesceChangesForFetch _automaticallyMergeChangesFromContextDidSaveNotification_ _batchRetainedObjects_forCount_withIDs_optionalHandler_withInlineStorage_ _changeIDsForManagedObjects_toIDs_ _checkObjectForExistenceAndCacheRow_ _clearChangedThisTransaction_ _clearDeletions _clearInsertions _clearLockedObjects _clearOriginalSnapshotAndInitializeRec_ _clearOriginalSnapshotForObject_ _clearRefreshedObjects _clearUnprocessedDeletions _clearUnprocessedInsertions _clearUnprocessedUpdates _clearUpdates _committedSnapshotForObject_ _copyChildObject_toParentObject_fromChildContext_ _countWithMergedChangesForRequest_possibleChanges_possibleDeletes_error_ _countWithNoChangesForRequest_error_ _createAndPostChangeNotification_deletions_updates_refreshes_deferrals_wasMerge_ _createStoreFetchRequestForFetchRequest_ _currentEventSnapshotForObject_ _dealloc__ _debuggingOnly_localObjectForGlobalID_ _didSaveChanges _disableChangeNotifications _disableDiscardEditing _disposeObjects_count_notifyParent_ _dispose_ _doPreSaveConstraintChecksForObjects_error_ _enableChangeNotifications _enqueueEndOfEventNotification _establishEventSnapshotsForObject_ _executeAsynchronousFetchRequest_ _fetchLimitForRequest_ _forceInsertionForObject_ _forceRegisterLostFault_ _forceRemoveFromDeletedObjects_ _forgetObject_propagateToObjectStore_ _forgetObject_propagateToObjectStore_removeFromRegistry_ _generateOptLockExceptionForConstraintFailure_ _globalIDForObject_ _globalIDsForObjects_ _growRegistrationCollectionForEntitySlot_toSize_ _handleError_withError_ _hasIDMappings _ignoringChangeNotifications _implicitObservationInfoForEntity_forResultingClass_ _incrementUndoTransactionID _informParentStoreNoLongerInterestedInObjectIDs_generation_ _informParentStoreOfInterestInObjectIDs_generation_ _informParentStore_noLongerInterestedInObjects_ _informParentStore_ofInterestInObjects_ _initWithParentObjectStore_ _insertObjectWithGlobalID_globalID_ _isImportContext _isPreflightSaveInProgress _managedObjectContextEditor_didCommit_contextInfo_ _mappedForParentStoreID_ _mergeChangesFromDidSaveDictionary_usingObjectIDs_ _mergeChangesFromRemoteContextSave_ _mergeRefreshEpilogueForObject_mergeChanges_ _mergeRefreshObject_mergeChanges_withPersistentSnapshot_ _newSaveRequestForCurrentState _newUnchangedLockedObjects _noop_ _objectsChangedInStore_ _orderKeysForRelationshipWithName___onObjectWithID_ _orderedSetWithResultsFromFetchRequest_ _parentObjectsForFetchRequest_inContext_error_ _parentObtainPermanentIDsForObjects_context_error_ _parentProcessSaveRequest_inContext_error_ _parentStore _performCoordinatorActionAndWait_ _persistentStoreDidUpdateAdditionalRowsWithNewVersions_ _postContextDidMergeChangesNotificationWithUserInfo_ _postContextDidSaveNotificationWithUserInfo_ _postObjectsDidChangeNotificationWithUserInfo_ _postRefreshedObjectsNotificationAndClearList _postSaveNotifications _prefetchObjectsForDeletePropagation_ _prepareForPushChanges_ _prepareUnprocessedDeletionAfterRefresh_ _processChangedStoreConfigurationNotification_ _processDeletedObjects_ _processNotificationQueue _processObjectStoreChanges_ _processPendingDeletions_withInsertions_withUpdates_withNewlyForgottenList_withRemovedChangedObjects_ _processPendingInsertions_withDeletions_withUpdates_ _processPendingUpdates_ _processRecentChanges_ _processRecentlyForgottenObjects_ _processReferenceQueue_ _propagateDeletesUsingTable_ _propagatePendingDeletesAtEndOfEvent_ _queryGenerationToken__ _refaultObject_globalID_boolean_ _registerAsyncReferenceCallback _registerClearStateWithUndoManager _registerForNotificationsWithCoordinator_ _registerObject_withID_ _registerUndoForDeletedObjects_withDeletedChanges_ _registerUndoForInsertedObjects_ _registerUndoForModifiedObjects_ _registerUndoForOperation_withObjects_withExtraArguments_ _resetAllChanges _retainedCurrentQueryGeneration _retainedObjectWithID_ _retainedObjectWithID_error_ _retainedObjectWithID_optionalHandler_withInlineStorage_ _retainedObjectsFromRemovedStore_ _retainedRegisteredObjects _sendCommitEditingSelectorToTarget_sender_selector_flag_contextInfo_delayed_ _sendOrEnqueueNotification_selector_ _setAutomaticallyMergesChangesFromParent_ _setDelegate_ _setDisableDiscardEditing_ _setIsUbiquityImportContext_ _setParentContext_ _setPersistentStoreCoordinator_ _setPostSaveNotifications_ _setQueryGenerationFromToken_error_ _setRetainsRegisteredObjects_ _setStalenessInterval_ _setStopsValidationAfterFirstError_ _setUndoManager_ _startObservingUndoManagerNotifications _stopConflictDetectionForObject_ _stopObservingUndoManagerNotifications _stopsValidationAfterFirstError _storeConfigurationChanged_ _thereIsNoSadnessLikeTheDeathOfOptimism _undoDeletionsMovedToUpdates_ _undoDeletions_ _undoInsertions_ _undoManagerCheckpoint_ _undoUpdates_ _unlimitRequest_ _unregisterForNotifications _updateLocationsOfObjectsToLocationByOrderKey_inRelationshipWithName_onObjectWithID_error_ _updateUndoTransactionForThisEvent_withDeletions_withUpdates_ _updateUnprocessedOwnDestinations_ _validateChangesForSave_ _validateDeletesUsingTable_withError_ _validateObjects_forOperation_error_exhaustive_forSave_ _youcreatedanNSManagedObjectContextOnthemainthreadandillegallypassedittoabackgroundthread assertOnImproperDealloc assignObject_toPersistentStore_ automaticallyMergesChangesFromParent concurrencyType countForFetchRequest_error_ deleteObject_ deletedObjects detectConflictsForObject_ executeFetchRequest_error_ executeRequest_error_ existingObjectWithID_error_ handlePeerContextDidSaveNotification_ initWithConcurrencyType_ insertObject_ insertedObjects lockObjectStore mergeChangesFromContextDidSaveNotification_ mergePolicy objectRegisteredForID_ objectWillChange_ objectWithID_ parentContext performBlockAndWait_ performBlockWithResult_ performFetch_error_ performWithOptions_andBlock_ processPendingChanges propagatesDeletesAtEndOfEvent queryGenerationToken refreshAllObjects refreshObject_mergeChanges_ registeredObjects retainsRegisteredObjects rollback setAutomaticallyMergesChangesFromParent_ setMergePolicy_ setParentContext_ setPropagatesDeletesAtEndOfEvent_ setQueryGenerationFromToken_error_ setRetainsRegisteredObjects_ setShouldDeleteInaccessibleFaults_ setStalenessInterval_ shouldDeleteInaccessibleFaults shouldHandleInaccessibleFault_forObjectID_triggeredByProperty_ stalenessInterval unlockObjectStore updatedObjects NSManagedObjectContextBinding NSManagedObjectID NSManagedObjectModel _addEntities_toConfiguration_ _addEntity_ _addVersionIdentifiers_ _configurationsByName _entitiesByVersionHash _entityForName_ _entityVersionHashesByNameInStyle_ _hasEntityWithUniquenessConstraints _hasPrecomputedKeyOrder _initWithEntities_ _isConfiguration_inStyle_compatibleWithStoreMetadata_ _isOptimizedForEncoding _localizationPolicy _modelForVersionHashes_ _optimizedEncoding_ _precomputedKeysForEntity_ _removeEntities_fromConfiguration_ _removeEntityNamed_ _removeEntity_ _setIsEditable_optimizationStyle_ _setLocalizationPolicy_ _sortedEntitiesForConfiguration_ _versionIdentifiersAsArray configurations entities entitiesByName entitiesForConfiguration_ entityVersionHashesByName fetchRequestFromTemplateWithName_substitutionVariables_ fetchRequestTemplateForName_ fetchRequestTemplatesByName initWithContentsOfOptimizedURL_ initWithContentsOfURL_forStoreMetadata_ isConfiguration_compatibleWithStoreMetadata_ localizationDictionary setEntities_ setEntities_forConfiguration_ setFetchRequestTemplate_forName_ setLocalizationDictionary_ setVersionIdentifiers_ versionIdentifiers NSManagedObjectModelBundle _modelForVersionHashes_inStyle_ currentVersionURL modelVersions optimizedVersionURL urlForModelVersionWithName_ versionHashInfo versionInfoDictionary NSManagerDocumentAttribute NSMapEnumerator NSMapGet NSMapInsert NSMapInsertIfAbsent NSMapInsertKnownAbsent NSMapMember NSMapObservationTransformer NSMapRemove NSMapTable NSMapTableCopyIn NSMapTableObjectPointerPersonality NSMapTableStrongMemory NSMapTableWeakMemory NSMapTableZeroingWeakMemory NSMappedObjectStore NSMappedRead NSMappingModel _addEntityMapping_ _destinationEntityVersionHashesByName _initWithEntityMappings_ _isInferredMappingModel _sourceEntityVersionHashesByName entityMappings entityMappingsByName setEntityMappings_ NSMarkedClauseSegmentAttributeName NSMassFormatter isForPersonMassUse setForPersonMassUse_ stringFromKilograms_ targetUnitFromKilograms_ unitStringFromKilograms_usedUnit_ NSMassFormatterUnitGram NSMassFormatterUnitKilogram NSMassFormatterUnitOunce NSMassFormatterUnitPound NSMassFormatterUnitStone NSMatchesPredicateOperatorType NSMatchingAnchored NSMatchingCompleted NSMatchingHitEnd NSMatchingInternalError NSMatchingPredicateOperator NSMatchingProgress NSMatchingReportCompletion NSMatchingReportProgress NSMatchingRequiredEnd NSMatchingWithTransparentBounds NSMatchingWithoutAnchoringBounds NSMatrix NSMaxRange NSMaxValueBinding NSMaxWidthBinding NSMaxX NSMaxXEdge NSMaxY NSMaxYEdge NSMaximumKeyValueOperator NSMaximumRecentsBinding NSMaximumStringLength NSMeasurement _performOperation_withMeasurement_ canBeConvertedToUnit_ initWithDoubleValue_unit_ measurementByAddingMeasurement_ measurementByConvertingToUnit_ measurementBySubtractingMeasurement_ NSMeasurementFormatter measurementFromString_ setUnitOptions_ stringFromMeasurement_ stringFromUnit_ unitOptions NSMeasurementFormatterUnitOptionsNaturalScale NSMeasurementFormatterUnitOptionsProvidedUnit NSMeasurementFormatterUnitOptionsTemperatureWithoutUnit NSMediaLibraryAudio NSMediaLibraryBrowserController browserProxy mediaLibraries setMediaLibraries_ togglePanel_ NSMediaLibraryImage NSMediaLibraryMovie NSMediumLightAppearance NSMemoryObjectStore NSMemoryStoreEqualityPredicateOperator NSMemoryStoreInPredicateOperator NSMenu NSMenuCustomCarbonEventHandler initWithEventSpecs_count_handler_ installAllIntoMenuRef_ installIntoMenuRef_ uninstall uninstallAll NSMenuDidAddItemNotification NSMenuDidBeginTrackingNotification NSMenuDidChangeItemNotification NSMenuDidEndTrackingNotification NSMenuDidRemoveItemNotification NSMenuDidSendActionNotification NSMenuFunctionKey NSMenuHighlightView setTableView_ tableView NSMenuItem _alternateAttributedTitle _applicableImage _applicableKeyEquivalentModifierMask _beginPredeepAnimationAgainstPoint_inView_ _blockKE _cacheUserKeyEquivalentInfo_ _cachedAttributedTitleSizeForMeasuring_hasAttachment_ _canBeHighlighted _canSendAction_ _canShareKeyEquivalentWithItem_ _cancelPredeepAnimation _changedFlags _completeDeepAnimation _computeBoundingRectSizeForTitle_hasAttachment_ _configureAsSeparatorItem _corePerformAction _currentStateImageEnumeration _defaultKeyEquivalentPriority _desiredKeyEquivalent _desiredKeyEquivalentModifierMask _doPredeepAnimationWithProgress_ _fetchFreshUserKeyEquivalentInfo _iconRef _ignoredForAccessibility _imageForState_ _internalPerformActionThroughMenuIfPossible _isAlternateDespiteNonmatchingModifiers _isHelpMenu _isHelpMenuAppKitOnly _keyEquivalentPriority _keyEquivalentVirtualKeyCode _mayBeInvolvedInMenuItemPath _menuItemViewer _menuTitleMayBeInvolvedInMenuPaths _newItemsCount _nextItemIsAlternate _rawKeyEquivalent _rawKeyEquivalentModifierMask _recacheUserKeyEquivalentOnlyIfStale_ _releaseDeepAnimation _requiresKERegistration _requiresModifiersToBeVisible _respectsKeyEquivalentForRepeatKeys _respectsKeyEquivalentWhileHidden _sendItemSelectedNote _setAlternateAttributedTitle_ _setBlockKE_ _setChangedFlags_ _setDefaultKeyEquivalentPriority_ _setIconRef_ _setIgnoredForAccessibility_ _setIsAlternateDespiteNonmatchingModifiers_ _setKeyEquivalentVirtualKeyCode_ _setMenuItemBelongsToContextualMenu_ _setNewItemsCount_ _setNextItemIsAlternate_ _setRequiresModifiersToBeVisible_ _setRespectsKeyEquivalentForRepeatKeys_ _setRespectsKeyEquivalentWhileHidden_ _setSubmenu_ _setViewHandlesEvents_ _setViewNeedsDisplayInRect_ _shouldForceShiftModifierWithKeyEquivalent_ _superitem _titleForUserKeyEquivalents _titlePathForUserKeyEquivalents _unconfigureAsSeparatorItem _viewHandlesEvents _wantsDeepAnimationCallbacks hasSubmenu indentationLevel initWithTitle_action_keyEquivalent_ invokeActionBlock_ isAlternate isDestructive isSeparatorItem keyEquivalentSharingMode mixedStateImage offStateImage onStateImage parentItem setActionBlock_ setAlternate_ setDestructive_ setIndentationLevel_ setKeyEquivalentSharingMode_ setMixedStateImage_ setOffStateImage_ setOnStateImage_ setSubmenu_ submenu userKeyEquivalent userKeyEquivalentModifierMask NSMenuItemCell _borderInset _highlightColor _highlightTextColor _keyEquivalentGlyphWidth _keyEquivalentUniquerCreatingIfNecessary_ _obeysHiddenBit _rectsForBounds_ _resetMeasuredCell _separatorRectForCellFrame_isFlipped_ _sharedTextCell _specialControlView drawBorderAndBackgroundWithFrame_inView_ drawImageWithFrame_inView_ drawKeyEquivalentWithFrame_inView_ drawSeparatorItemWithFrame_inView_ drawStateImageWithFrame_inView_ drawTitleWithFrame_inView_ imageWidth keyEquivalentAttributedString keyEquivalentRectForBounds_ keyEquivalentWidth menuView needsSizing setMenuItem_ setMenuView_ setNeedsSizing_ stateImageRectForBounds_ stateImageWidth NSMenuItemHighlightColor _backingColorSettingPhase_ NSMenuItemViewer _clearMenuItem _displayFromCarbonIgnoringOpacity _hiView _menuItem _menuItemView _menuItemViewFrameChanged_ _minimumViewSize _rememberAndResignFirstResponder _restoreOrBecomeFirstResponder _setClipRect_ _setFrameFromHIViewFrame_ _setHIView_ _setMenuItemView_ drawMenuItemBackgroundWithHighlight_inRect_withClipRect_ initWithFrame_forMenuItem_ NSMenuKEUniquer _coreAddItem_ _coreRemoveItem_ _debugContents _printContents addItems_ removeItems_ NSMenuPropertyItemAccessibilityDescription NSMenuPropertyItemAttributedTitle NSMenuPropertyItemEnabled NSMenuPropertyItemImage NSMenuPropertyItemKeyEquivalent NSMenuPropertyItemTitle NSMenuTemplate _pullsDown _setMenuClassName_ _setPullsDown_ _setTitle_ itemMatrix menuClassName NSMenuWillSendActionNotification NSMergeConflict _doCleanupForXPCStore_context_ ancestorSnapshot cachedSnapshot initWithSource_newVersion_oldVersion_cachedSnapshot_persistedSnapshot_ initWithSource_newVersion_oldVersion_snapshot1_snapshot2_snapshot3_ newVersionNumber objectSnapshot oldVersionNumber persistedSnapshot NSMergePolicy _byPropertyObjectTrumpMergeObject_ontoObject_writeAll_ _byPropertyObjectTrumpResolveConstraintConflict_ _byPropertyStoreTrumpResolveConstraintConflict_ _didSomethingElseResolveDBConflict_ _electDesignatedOriginalForConflict_ _electNewlyInsertedDesignatedOriginalFrom_ _electPreexistingDesignatedOriginalFrom_ _eliminateContendersResolveConstraintConflict_withKeeper_ _mergeChangesObjectUpdatesTrumpForObject_withRecord_ _mergeChangesStoreUpdatesTrumpForObject_withRecord_ _mergeContendersResolveConstraintConflict_withKeeper_ _mergeDeletionWithStoreChangesForObject_withRecord_ _mergeToManyRelationshipsForConstraintConflict_withDesignatedOriginal_ _mergeToManyRelationshipsForObject_ontoObject_ _mergeToManyUnionRelationshipsForConstraintConflict_ _mergeToManyUnionRelationshipsForObject_andObject_ _mergeValuesForObject_ontoObject_ _overwriteResolveConstraintConflict_ _resolveContextConstraintConflict_ _rollbackResolveConstraintConflict_ _unresolvedConflictFor_ _unresolvedObjectsForContextConflict_ _valuesOnObject_matchAgainstValues_ initWithMergeType_ mergeToManyRelationshipForSourceObject_withOldSnapshot_newSnapshot_andAncestor_andLegacyPath_ mergeType resolveConflict_ resolveConflicts_error_ resolveConstraintConflict_error_ resolveConstraintConflicts_error_ resolveOptimisticLockingVersionConflicts_error_ NSMergedPolicyLocalizationPolicy _cachedObjectForKey_value_ _ensureFullLocalizationDictionaryIsLoaded _ensureLocalizationDictionaryIsInitialized _localizedPropertyNameForProperty_entity_ _localizedStringForKey_value_ addPolicy_ localizedEntityNameForEntity_ localizedModelStringForKey_ localizedPropertyNameForProperty_ NSMessagePort initWithRemoteName_ NSMessagePortNameServer NSMetadataItem _init_ _item _setQuery_ valueForAttribute_ valuesForAttributes_ NSMetadataItemAcquisitionMakeKey NSMetadataItemAcquisitionModelKey NSMetadataItemAlbumKey NSMetadataItemAltitudeKey NSMetadataItemApertureKey NSMetadataItemAppleLoopDescriptorsKey NSMetadataItemAppleLoopsKeyFilterTypeKey NSMetadataItemAppleLoopsLoopModeKey NSMetadataItemAppleLoopsRootKeyKey NSMetadataItemApplicationCategoriesKey NSMetadataItemAttributeChangeDateKey NSMetadataItemAudiencesKey NSMetadataItemAudioBitRateKey NSMetadataItemAudioChannelCountKey NSMetadataItemAudioEncodingApplicationKey NSMetadataItemAudioSampleRateKey NSMetadataItemAudioTrackNumberKey NSMetadataItemAuthorAddressesKey NSMetadataItemAuthorEmailAddressesKey NSMetadataItemAuthorsKey NSMetadataItemBitsPerSampleKey NSMetadataItemCFBundleIdentifierKey NSMetadataItemCameraOwnerKey NSMetadataItemCityKey NSMetadataItemCodecsKey NSMetadataItemColorSpaceKey NSMetadataItemCommentKey NSMetadataItemComposerKey NSMetadataItemContactKeywordsKey NSMetadataItemContentCreationDateKey NSMetadataItemContentModificationDateKey NSMetadataItemContentTypeKey NSMetadataItemContentTypeTreeKey NSMetadataItemContributorsKey NSMetadataItemCopyrightKey NSMetadataItemCountryKey NSMetadataItemCoverageKey NSMetadataItemCreatorKey NSMetadataItemDateAddedKey NSMetadataItemDeliveryTypeKey NSMetadataItemDescriptionKey NSMetadataItemDirectorKey NSMetadataItemDisplayNameKey NSMetadataItemDownloadedDateKey NSMetadataItemDueDateKey NSMetadataItemDurationSecondsKey NSMetadataItemEXIFGPSVersionKey NSMetadataItemEXIFVersionKey NSMetadataItemEditorsKey NSMetadataItemEmailAddressesKey NSMetadataItemEncodingApplicationsKey NSMetadataItemExecutableArchitecturesKey NSMetadataItemExecutablePlatformKey NSMetadataItemExposureModeKey NSMetadataItemExposureProgramKey NSMetadataItemExposureTimeSecondsKey NSMetadataItemExposureTimeStringKey NSMetadataItemFNumberKey NSMetadataItemFSContentChangeDateKey NSMetadataItemFSCreationDateKey NSMetadataItemFSNameKey NSMetadataItemFSSizeKey NSMetadataItemFinderCommentKey NSMetadataItemFlashOnOffKey NSMetadataItemFocalLength35mmKey NSMetadataItemFocalLengthKey NSMetadataItemFontsKey NSMetadataItemGPSAreaInformationKey NSMetadataItemGPSDOPKey NSMetadataItemGPSDateStampKey NSMetadataItemGPSDestBearingKey NSMetadataItemGPSDestDistanceKey NSMetadataItemGPSDestLatitudeKey NSMetadataItemGPSDestLongitudeKey NSMetadataItemGPSDifferentalKey NSMetadataItemGPSMapDatumKey NSMetadataItemGPSMeasureModeKey NSMetadataItemGPSProcessingMethodKey NSMetadataItemGPSStatusKey NSMetadataItemGPSTrackKey NSMetadataItemGenreKey NSMetadataItemHasAlphaChannelKey NSMetadataItemHeadlineKey NSMetadataItemISOSpeedKey NSMetadataItemIdentifierKey NSMetadataItemImageDirectionKey NSMetadataItemInformationKey NSMetadataItemInstantMessageAddressesKey NSMetadataItemInstructionsKey NSMetadataItemIsApplicationManagedKey NSMetadataItemIsGeneralMIDISequenceKey NSMetadataItemIsLikelyJunkKey NSMetadataItemIsUbiquitousKey NSMetadataItemKeySignatureKey NSMetadataItemKeywordsKey NSMetadataItemKindKey NSMetadataItemLanguagesKey NSMetadataItemLastUsedDateKey NSMetadataItemLatitudeKey NSMetadataItemLayerNamesKey NSMetadataItemLensModelKey NSMetadataItemLongitudeKey NSMetadataItemLyricistKey NSMetadataItemMaxApertureKey NSMetadataItemMediaTypesKey NSMetadataItemMeteringModeKey NSMetadataItemMusicalGenreKey NSMetadataItemMusicalInstrumentCategoryKey NSMetadataItemMusicalInstrumentNameKey NSMetadataItemNamedLocationKey NSMetadataItemNumberOfPagesKey NSMetadataItemOrganizationsKey NSMetadataItemOrientationKey NSMetadataItemOriginalFormatKey NSMetadataItemOriginalSourceKey NSMetadataItemPageHeightKey NSMetadataItemPageWidthKey NSMetadataItemParticipantsKey NSMetadataItemPathKey NSMetadataItemPerformersKey NSMetadataItemPhoneNumbersKey NSMetadataItemPixelCountKey NSMetadataItemPixelHeightKey NSMetadataItemPixelWidthKey NSMetadataItemProducerKey NSMetadataItemProfileNameKey NSMetadataItemProjectsKey NSMetadataItemPublishersKey NSMetadataItemRecipientAddressesKey NSMetadataItemRecipientEmailAddressesKey NSMetadataItemRecipientsKey NSMetadataItemRecordingDateKey NSMetadataItemRecordingYearKey NSMetadataItemRedEyeOnOffKey NSMetadataItemResolutionHeightDPIKey NSMetadataItemResolutionWidthDPIKey NSMetadataItemRightsKey NSMetadataItemSecurityMethodKey NSMetadataItemSpeedKey NSMetadataItemStarRatingKey NSMetadataItemStateOrProvinceKey NSMetadataItemStreamableKey NSMetadataItemSubjectKey NSMetadataItemTempoKey NSMetadataItemTextContentKey NSMetadataItemThemeKey NSMetadataItemTimeSignatureKey NSMetadataItemTimestampKey NSMetadataItemTitleKey NSMetadataItemTotalBitRateKey NSMetadataItemURLKey NSMetadataItemVersionKey NSMetadataItemVideoBitRateKey NSMetadataItemWhereFromsKey NSMetadataItemWhiteBalanceKey NSMetadataQuery _allAttributes _canModifyQueryOrObserversInCurrentContext _disableAutoUpdates _enableAutoUpdates _externalDocumentsBundleIdentifier _inOriginalContextInvokeBlock_ _isMDQuery _noteNote1_ _noteNote2_ _noteNote3_ _noteNote4_ _noteNote5_ _postNotificationName_userInfo_ _queryString _recreateQuery _resetQueryState _setBatchingParams _setExternalDocumentsBundleIdentifier_ _sortingAttributes _validateInvocationContext _validatePredicate_withScopes_ _zapResultArrayIfIdenticalTo_ disableUpdates enableUpdates enumerateResultsUsingBlock_ enumerateResultsWithOptions_usingBlock_ groupedResults groupingAttributes indexOfResult_ isGathering isStarted isStopped notificationBatchingInterval resultAtIndex_ resultCount results searchItemURLs searchItems searchScopes setGroupingAttributes_ setNotificationBatchingInterval_ setOperationQueue_ setSearchItemURLs_ setSearchItems_ setSearchScopes_ setValueListAttributes_ startQuery stopQuery valueListAttributes valueLists valueOfAttribute_forResultAtIndex_ NSMetadataQueryAccessibleUbiquitousExternalDocumentsScope NSMetadataQueryAttributeValueTuple _init_attribute_value_count_ NSMetadataQueryDidFinishGatheringNotification NSMetadataQueryDidStartGatheringNotification NSMetadataQueryDidUpdateNotification NSMetadataQueryGatheringProgressNotification NSMetadataQueryIndexedLocalComputerScope NSMetadataQueryIndexedNetworkScope NSMetadataQueryLocalComputerScope NSMetadataQueryLocalDocumentsScope NSMetadataQueryNetworkScope NSMetadataQueryResultContentRelevanceAttribute NSMetadataQueryResultGroup _addResult_ _init_attributes_index_value_ _zapResultArray subgroups NSMetadataQueryUbiquitousDataScope NSMetadataQueryUbiquitousDocumentsScope NSMetadataQueryUpdateAddedItemsKey NSMetadataQueryUpdateChangedItemsKey NSMetadataQueryUpdateRemovedItemsKey NSMetadataQueryUserHomeScope NSMetadataUbiquitousItemContainerDisplayNameKey NSMetadataUbiquitousItemDownloadRequestedKey NSMetadataUbiquitousItemDownloadingErrorKey NSMetadataUbiquitousItemDownloadingStatusCurrent NSMetadataUbiquitousItemDownloadingStatusDownloaded NSMetadataUbiquitousItemDownloadingStatusKey NSMetadataUbiquitousItemDownloadingStatusNotDownloaded NSMetadataUbiquitousItemHasUnresolvedConflictsKey NSMetadataUbiquitousItemIsDownloadedKey NSMetadataUbiquitousItemIsDownloadingKey NSMetadataUbiquitousItemIsExternalDocumentKey NSMetadataUbiquitousItemIsUploadedKey NSMetadataUbiquitousItemIsUploadingKey NSMetadataUbiquitousItemPercentDownloadedKey NSMetadataUbiquitousItemPercentUploadedKey NSMetadataUbiquitousItemURLInLocalContainerKey NSMetadataUbiquitousItemUploadingErrorKey NSMetadataUbiquitousSharedItemCurrentUserPermissionsKey NSMetadataUbiquitousSharedItemCurrentUserRoleKey NSMetadataUbiquitousSharedItemMostRecentEditorNameComponentsKey NSMetadataUbiquitousSharedItemOwnerNameComponentsKey NSMetadataUbiquitousSharedItemPermissionsReadOnly NSMetadataUbiquitousSharedItemPermissionsReadWrite NSMetadataUbiquitousSharedItemRoleOwner NSMetadataUbiquitousSharedItemRoleParticipant NSMetalPatternColor _resizeForMetal_style_topHeight_bottomHeight_ _setStyleForMetal_ initForMetal_style_topHeight_bottomHeight_ NSMethodSignature _argInfo_ _cheapTypeString_maxLength_ _classForObjectAtArgumentIndex_ _frameDescriptor _isHiddenStructRet _protocolsForObjectAtArgumentIndex_ _signatureForBlockAtArgumentIndex_ _typeString frameLength getArgumentTypeAtIndex_ isOneway methodReturnLength methodReturnType numberOfArguments NSMidX NSMidY NSMiddleSpecifier NSMiddleSubelement NSMigrationContext _createAssociationsByDestination_fromSource_forEntityMapping_ _createAssociationsBySource_withDestination_forEntityMapping_ associateSourceInstance_withDestinationInstance_forEntityMapping_ clearAssociationTables currentEntityMapping currentMigrationStep currentPropertyMapping destinationInstancesForEntityMapping_sourceInstance_ initWithMigrationManager_ setCurrentEntityMapping_ setCurrentMigrationStep_ setCurrentPropertyMapping_ sourceInstancesForEntityMapping_destinationInstance_ NSMigrationManager _doCleanupOnFailure_ _doFirstPassForMapping_error_ _doSecondPassForMapping_error_ _doThirdPassForMapping_error_ _evaluateSourceExpressionForMapping_entityPolicy_ _mappingNamed_ _migrateStoreFromURL_type_options_withMappingModel_toDestinationURL_destinationType_destinationOptions_error_ _migrationContext _validateAllObjectsAfterMigration_ cancelMigrationWithError_ destinationContext destinationEntityForEntityMapping_ destinationInstancesForEntityMappingNamed_sourceInstances_ destinationInstancesForSourceRelationshipNamed_sourceInstances_ destinationModel fetchRequestForSourceEntityNamed_predicateString_ fetchRequestForSourceEntityNamed_predicateString_includesSubentities_ initWithSourceModel_destinationModel_ mappingModel migrateStoreFromURL_type_options_withMappingModel_toDestinationURL_destinationType_destinationOptions_error_ migrationProgress setUsesStoreSpecificMigrationManager_ sourceContext sourceEntityForEntityMapping_ sourceInstancesForEntityMappingNamed_destinationInstances_ sourceModel usesStoreSpecificMigrationManager NSMinValueBinding NSMinWidthBinding NSMinX NSMinXEdge NSMinY NSMinYEdge NSMiniControlSize NSMiniaturizableWindowMask NSMinimumKeyValueOperator NSMinusSetExpressionType NSMinuteCalendarUnit NSMiterLineJoinStyle NSMixedState NSMixedStateImageBinding NSModalPanelRunLoopMode NSModalPanelWindowLevel NSModalResponseAbort NSModalResponseCancel NSModalResponseContinue NSModalResponseOK NSModalResponseStop NSModalSession NSModeSwitchFunctionKey NSModificationTimeDocumentAttribute NSMomentaryChangeButton NSMomentaryLight NSMomentaryLightButton NSMomentaryPushButton NSMomentaryPushInButton NSMonthCalendarUnit NSMonthNameArray NSMorphingDragImageController _animateSlideBack _applicationDidResignActive _beginSlideBackAnimation _canPerformTabDrag _didAcceptDrop _dragComplete _dragInfoForNoTargetUnderMouse _dragInfoForTargetUnderMouse _dragInfoForTargetUnderMouseInWindow_ _dragTabWithDraggingItem_tabButtonImage_pinnedTabButtonImage_windowImage_fromView_at_isDark_source_ _draggingDidEnterTargetWindow _draggingDidExitTargetWindow _dropOpensNewWindow _dropTabOnScreenIfPossible _findWindowUnderMouse_level_viewUnderMouse_ _firePeriodicEvent_ _handleEvent_ _handleFlagsChanged _handleMouseDragged _handleMouseUp _morphToDragImage_ _performSprintToFront_ _prepareForDragWithImage_isDark_ _runDrag _sendMovedToPointOnScreenToDragSource _setTargetUnderMouse_ _setWindowUnderMouse_ _startPeriodicEventTimerIfNeeded _stopPeriodicEventTimer _updateDragImageForCurrentDragState detachWindowForTearOffTabWindow_ dragWindow NSMorphingDragImageView _createImageView setImage_animated_ NSMouseEntered NSMouseEnteredMask NSMouseEventSubtype NSMouseExited NSMouseExitedMask NSMouseInRect NSMouseMoved NSMouseMovedMask NSMouseTracker _constrainPoint_withEvent_ _getLocalPoint_ _releaseEvents continueTrackingWithEvent_ initialEvent initialPoint nextEventForWindow_ previousEvent previousPoint setTrackingConstraintKeyMask_ setTrackingConstraint_ startTrackingWithEvent_inView_withDelegate_ stopTrackingWithEvent_ trackWithEvent_inView_withDelegate_ trackingConstraint trackingConstraintKeyMask NSMoveCommand _moveObjectInContainer_withKey_atIndex_toContainer_withKey_atIndex_replace_ _moveObjectsInContainer_toContainer_withKey_atIndex_replace_ NSMoveHelper _animatePanel _animateSheet _closeSheet_andMoveParent_ _collapsePanel_andMoveParent_toFrame_animate_ _doAnimation _effect _hasSheetFactor_ _moveParent_andExpandPanel_toFrame_animate_ _moveParent_andOpenSheet_ _moveParent_andResizeSheet_toFrame_ _parentFrameDeltaForCurrentProgress _positionWindow _releaseEffect _resizeWindow_toFrame_display_ _startMove _startSheet NSMovePanel _adjustMinContentSizeForMinFrameSize _closeAndCallCompletionHandlerWithReturnCode_ _completeMoveForReturnCode_ _computeMinSizeForSimpleMovePanel _configureMovePopUp _didEndSheet_returnCode_contextInfo_ _didPresentErrorWithRecovery_contextInfo_ _initContentView _isModalWindowOrSheetRunning _layoutAndResizeMovePanelIfNecessary _okForMoveMode_ _refreshDelegateOptions _removeExtraRetainIfNeeded _sendToDelegateValidateFilenameOrURL_error_ _setAlertInformativeMessage_ _setAlertMessage_ _setUseAlertStyle_ _ubiquityContainerURLs _updateOkButtonEnabledState _useAlertStyle beginWithCompletionHandler_ directoryURL dismissWindow_ finalURL finderLocationPopUpMenuOptions_ finderLocationPopUpOtherLocation_ finderLocationPopUpRequestRecentPlaces_ finderLocationPopUp_didChangeToDirectoryURL_ initialURL movePopupFieldLabel ok_ prompt setDirectoryURL_ setInitialURL_ setMovePopupFieldLabel_ setPrompt_ NSMoveToBezierPathElement NSMovie QTMovie initWithMovie_ NSMovieViewTextAttachmentCell NSMoviesDirectory NSMultiLevelAcceleratorButton NSMultiProxyDelegate NSMultiReadUniWriteLock lockForReading lockForReadingBeforeDate_ lockForWriting lockForWritingBeforeDate_ tryLockForReading tryLockForWriting NSMultiplePagePDFImageView imageRep numberOfPages setImageRep_ NSMultiplePagePDFImageViewTextAttachmentCell NSMultipleSelectionBinder _adjustObject_mode_observedController_observedKeyPath_context_editableState_adjustState_ _analyzeContentBindingInSyncWithBinding_ _applyDisplayedValueIfHasUncommittedChangesWithHandleErrors_typeOfAlert_discardEditingCallback_otherCallback_callbackContextInfo_didRunAlert_error_ _applyObjectValue_forBinding_canRecoverFromErrors_handleErrors_typeOfAlert_discardEditingCallback_otherCallback_callbackContextInfo_didRunAlert_ _cacheDisplayValue_ _cacheObjectValue_ _cachedDisplayValue _cachedObjectValue _cachedValuesAreValid _commitEditingDiscardEditingCallback_ _commitEditingOtherCallback_ _defaultSortDescriptorPrototypeKey _didPresentDiscardEditingSheetWithRecovery_contextInfo_ _discardValidateAndCommitValue_ _endChanging _formatter _handleApplyValueError_forBinding_canRecoverFromErrors_handleErrors_typeOfAlert_discardEditingCallback_otherCallback_callbackContextInfo_didRunAlert_ _handleApplyValueResult_cachedValue_displayValue_objectValue_ _preferredPlaceholderForMarker_onlyIfNotExplicitlySet_ _presentDiscardEditingAlertPanelWithError_relatedToBinding_ _presentDiscardEditingSheetWithError_discardEditingCallback_otherCallback_callbackContextInfo_relatedToBinding_ _referenceBindingValue _referenceBindingValueAtIndexPath_ _referenceBindingValueAtIndex_ _revertDisplayValueBackToOriginalValue_ _shouldAlwaysUpdateDisplayValue _startChanging _supportsMinAndMax _validateDisplayValue _valueClass _valueClassIsSortableWithBinding_ _valueForBindingWithoutResolve_mode_ allowsEditingMultipleValuesSelection applyDisplayedValueHandleErrors_typeOfAlert_canRecoverFromErrors_discardEditingCallback_otherCallback_callbackContextInfo_didRunAlert_error_ contentCountWithEditedMode_ contentObjectKey contentObjectWithEditedMode_contentIndex_ contentPlacementTag contentValueKey contentValueWithEditedMode_contentIndex_ contentValueWithEditedMode_selectedObject_ continuouslyUpdatesValue createsSortDescriptor defaultSortDescriptorPrototypeForTableColumn_ displayValueForObjectValue_ editorDidBeginEditing_ editorDidEndEditing_ handleValidationError_description_inEditor_errorUserInterfaceHandled_ insertsNullPlaceholder objectValueForDisplayValue_ objectValueSupportsEnabledState_ preferredPlaceholderForMarker_ selectionMechanismWasDismissed_ setAllowsEditingMultipleValuesSelection_ setContentPlacementTag_ setContinuouslyUpdatesValue_ setCreatesSortDescriptor_ setInsertsNullPlaceholder_ showValue_inObject_ shownValueInObject_errorEncountered_error_ updateInvalidatedObjectValue_forObject_ validateAndCommitValueInEditor_editingIsEnding_errorUserInterfaceHandled_ validateObjectValue_ NSMultipleTextSelectionPboardType NSMultipleValuesMarker NSMultipleValuesPlaceholderBindingOption NSMusicDirectory NSMutableArray NSMutableAttributedString NSMutableCharacterSet NSMutableData NSMutableDictionary NSMutableFontCollection NSMutableFontDescriptor NSMutableIndexPath NSMutableIndexSet _addRangeToArray_ _ensureRangeCapacity_ _incrementBy_startingAtIndex_ _insertRange_inArrayAtIndex_ _mergeOverlappingRangesStartingAtIndex_ _removeAndDecrementBy_startingAtIndex_ _removeRangeInArrayAtIndex_ _replaceRangeInArrayAtIndex_withRange_ addIndex_ addIndexesFromIndexSet_ addIndexesInRange_ addIndexes_ addIndexes_count_ removeAllIndexes removeIndex_ removeIndexesFromIndexSet_ removeIndexesInRange_ removeIndexesInRange_options_passingTest_ removeIndexesPassingTest_ removeIndexesWithOptions_passingTest_ removeIndexes_ shiftIndexesStartingAtIndex_by_ NSMutableOrderedSet NSMutableParagraphStyle _allocExtraData _deallocExtraData _initWithParagraphStyle_ _isSuitableForFastStringDrawingWithAlignment_mirrorsTextAlignment_lineBreakMode_tighteningFactorForTruncation_ _lineBoundsOptions _mutateTabStops _setLineBoundsOptions_ addTabStop_ allowsHangingPunctuation defaultTabInterval firstLineHeadIndent headIndent headerLevel lineHeightMultiple lineSpacing maximumLineHeight minimumLineHeight paragraphSpacing paragraphSpacingBefore removeTabStop_ setAllowsHangingPunctuation_ setDefaultTabInterval_ setFirstLineHeadIndent_ setHeadIndent_ setHeaderLevel_ setLineHeightMultiple_ setLineSpacing_ setMaximumLineHeight_ setMinimumLineHeight_ setParagraphSpacingBefore_ setParagraphSpacing_ setParagraphStyle_ setTabStops_ setTailIndent_ setTextBlocks_ setTextLists_ setTighteningFactorForTruncation_ setUsesOpticalAlignment_ tabStops tailIndent textBlocks textLists tighteningFactorForTruncation usesOpticalAlignment NSMutableRLEArray _makeNewListFrom_ _setBlockCapacity_ deleteObjectsInRange_ initWithRefCountedRunArray_ insertObject_range_ objectAtIndex_effectiveRange_ objectAtIndex_effectiveRange_runIndex_ objectAtRunIndex_length_ replaceObjectsInRange_withObject_length_ NSMutableRangeArray _growIfNecessary _setCapacity_ addRangesFromArray_ initWithRanges_count_ insertRanges_atIndexes_ rangesAtIndexes_ removeRangesAtIndexes_ NSMutableSet NSMutableString NSMutableStringProxy NSMutableStringProxyForMutableAttributedString initWithMutableAttributedString_ NSMutableTabDraggingInfo draggingItem setDraggedImage_ setDraggingDestinationWindow_ setDraggingItem_ setDraggingSourceOperationMask_ setDraggingSource_ NSMutableURLRequest HTTPBody HTTPBodyStream HTTPContentType HTTPExtraCookies HTTPMethod HTTPReferrer HTTPShouldHandleCookies HTTPShouldUsePipelining HTTPUserAgent _CFURLRequest _URLHasScheme_ _copyReplacingURLWithURL_ _initWithCFURLRequest_ _isSafeRequestForBackgroundDownload _payloadTransmissionTimeout _propertyForKey_ _removePropertyForKey_ _requiresShortConnectionTimeout _setPayloadTransmissionTimeout_ _setProperty_forKey_ _setRequiresShortConnectionTimeout_ _setStartTimeoutDate_ _setTimeWindowDelay_ _setTimeWindowDuration_ _startTimeoutDate addValue_forHTTPHeaderField_ allHTTPHeaderFields allowsCellularAccess boundInterfaceIdentifier cachePolicy contentDispositionEncodingFallbackArray expectedWorkload initWithURL_cachePolicy_timeoutInterval_ mainDocumentURL networkServiceType preventsIdleSystemSleep requestPriority setAllHTTPHeaderFields_ setAllowsCellularAccess_ setBoundInterfaceIdentifier_ setCachePolicy_ setContentDispositionEncodingFallbackArray_ setExpectedWorkload_ setHTTPBodyStream_ setHTTPBody_ setHTTPContentType_ setHTTPExtraCookies_ setHTTPMethod_ setHTTPReferrer_ setHTTPShouldHandleCookies_ setHTTPShouldUsePipelining_ setHTTPUserAgent_ setMainDocumentURL_ setNetworkServiceType_ setPreventsIdleSystemSleep_ setRequestPriority_ setTimeoutInterval_ setValue_forHTTPHeaderField_ timeoutInterval valueForHTTPHeaderField_ NSNEXTSTEPStringEncoding NSNameSpecifier initWithContainerClassDescription_containerSpecifier_key_name_ NSNamedColorSpace NSNarrowFontMask NSNativeShortGlyphPacking NSNaturalTextAlignment NSNavAdvancedSearchController _addRootSeperatorIfNeeded _cancelSaveQueryClick_ _createAttributeNameMapping _createRowForCriteriaSlice_ _createValueListQueryForAttribute_ _customFieldWindowSheetDidEnd_returnCode_contextInfo_ _editOtherSliceKind_ _findItemWithAttributeName_inMenu_ _loadKeywords _loadSearchKinds _otherMenuItemForAttributeName_ _reloadComboBoxWithTag_ _saveQueryClick_ _saveQuerySheetDidEnd_returnCode_contextInfo_ _searchTermsCancelClick_ _searchTermsOkClick_ _searchTermsWindowBecameKey_ _setSearchSlice_toHaveAttributeName_inButton_ _updateQueryString_ anyAttributeString availableSearchAttributes criteriaSlices queryString ruleEditor ruleEditorRowsDidChange_ ruleEditor_child_forCriterion_withRowType_ ruleEditor_displayValueForCriterion_inRow_ ruleEditor_numberOfChildrenForCriterion_withRowType_ runPromptToSaveQueryWithName_modalForWindow_ searchKeywords setCriteriaSlices_anyAttributeString_ tokenField_completionsForSubstring_indexOfToken_indexOfSelectedItem_ NSNavBannerButtonCell _setupAttributes disabledWhenInactive setDisabledWhenInactive_ NSNavBannerView _drawBannerBackgroundInRect_ bannerType setBannerType_ NSNavBox NSNavBrowser didClickOnDisabledRow_column_ isEnabledRow_column_ labelColorIndexForRow_column_ NSNavBrowserCell _branchImageRectForBounds_ _imageForEjectType_ _invalidateEjectButtonCellWithEvent_ accessibilityFilenameAttribute accessibilityIsFilenameAttributeSettable addTrackingAreasForView_inFrame_withUserInfo_mouseLocation_ clickableContentRectForBounds_ ejectButtonCell ejectButtonFrameForCellFrame_ isFauxDisabled node setDisplayState_ setNode_isDirectory_displayState_ setShowEjectButton_ NSNavBrowserDelegate _addAliasNode_toTargetNode_ _browserAction_ _browserDoubleAction_ _browser_keyEvent_inColumn_ _browser_performKeyEquivalent_inColumn_ _cachedChildrenForNode_logonOK_ _canGoIntoSelectedDirectoryAndTry_ _changeRootNodeBasedOnSelectedNodes_ _clearAliasToTargetNodeMapTable _delayedShowNode_ _doTypeSelectNodeInDirectory_withSearchString_visitedNodes_expandedNodesToVisit_recursively_ _ejectButtonClicked_ _frameOfCellInBrowserAtColumn_row_ _indexPathForNode_ _lastSelectedNodeIsDirectory _releaseDelayShowNodeInfo _reloadChildNode_parent_ _reloadChildNode_parent_includeChildColumn_updateTrackignAreas_ _removeAliasNode_ _selectedNodesWithEntireSelection_ _setCurrentDirectoryNode_pathToNode_ _setSelectedNodes_ _shouldShowPreviewForNode_ _showNodeInDirectory_withDisplayNamePrefix_selectIfEnabled_caseSensitiveCompare_ _tryUserMoveToParentNode _userClickedInEjectButtonFrame alwaysShowNode_inDirectory_selectIfEnabled_ browserColumnConfigurationDidChange_ browser_child_ofItem_ browser_didChangeLastColumn_toColumn_ browser_headerViewControllerForItem_ browser_isLeafItem_ browser_nextTypeSelectMatchFromRow_toRow_inColumn_forString_ browser_numberOfChildrenOfItem_ browser_objectValueForItem_ browser_previewViewControllerForLeafItem_ browser_selectionIndexesForProposedSelection_inColumn_ browser_shouldSizeColumn_forUserResize_toWidth_ browser_shouldTrackCell_atRow_inColumn_ browser_shouldTypeSelectForEvent_withCurrentSearchString_ browser_writeRowsWithIndexes_inColumn_toPasteboard_ canChooseNode_ canGoIntoSelectedDirectory canHighlightNode_ changeDirectoryForGoIntoNode_ concludeReloadChildrenForNode_ configureForActiveState configureForAllowsExpandingMultipleDirectories_ configureForAllowsMultipleSelection_ configureForCalculatesAllSizes_ configureForCanChooseDirectories_ configureForCanChooseFiles_ configureForCanClickDisabledFiles_ configureForDisplayedFileProperties_ configureForInactiveState configureForSortedByFileProperty_ascending_caseSensitive_ configureForTreatsDirectoryAliasesAsDirectories_ configureForTreatsFilePackagesAsDirectories_ currentBrowsingNodePath currentDirectoryNode getSnapToWidthList_snapRadiusList_count_ handleGoIntoSelectedDirectory handleKeyboardShortcutWithEvent_ handleUserGoUpDirectory initWithDataSource_ insertItemsAtIndexes_inParent_ lightweightHandleChildChanged_parent_property_ loadAndRestoreCurrentBrowsingNodePath_selectedNodes_ moveItemAtIndex_inParent_toIndex_inParent_ navBrowser_didClickOnDisabledRow_column_ navBrowser_isEnabledRow_column_ navBrowser_labelColorIndexForRow_column_ oldWrongCanChooseNode_ prepareForReloadChildrenForNode_ reloadChildrenForNode_ reloadDisplayState rememberedSnapToIndex removeItemsAtIndexes_inParent_ rootItemForBrowser_ selectedNodes selectedNodesIncludingDirectories setCurrentBrowsingNodePath_ setCurrentDirectoryNode_ setRememberedSnapToIndex_ showNodeInCurrentDirectoryWithDisplayNamePrefix_selectIfEnabled_ showNodeInCurrentDirectoryWithFilename_selectIfEnabled_ showNode_inDirectory_selectIfEnabled_ sourceFrameOnScreenForNavNode_ storeCurrentBrowsingNodePath_ supportsSortingByFileProperties transitionImageForNavNode_ updateCurrentBrowsingNodePathWithCurrentDirectoryNode_ validSelectedNodesIncludingDirectory visualRootNode windowOrderedOut NSNavBrowserTableView _isEnabledRow_ NSNavButton _keyChanged_ NSNavCell NSNavDataSource NSNavIconViewDelegateClass NSNavOutlineDelegateClass _actualOrderingFilePropertyAscending_ _cachedChildrenForNode_createIfNeeded_ _concludeReloadChildrenForNode_ _createBrowserDelegate _createIconViewDelegate _createMediaBrowserDelegate _createNaughtDelegate _createOutlineDelegate _debug _expandedNodesForObservedNode_ _fetchOrderedByFileProperty_orderedAscending_ _flushCachedChildrenForNode_ _goToHistoryState_ _handleAddedChildNode_toExpandedNode_ _handleChangedAllChildrenInExpandedNode_ _handleNodePropertyChanged_ _handleRemovedChildNode_fromExpandedNode_ _indexOfNode_inOrderedNodes_ _isFauxFilePackageNode_ _leftmostInsertionIndexForNode_inOrderedNodes_ _leftmostInsertionIndexForNode_inOrderedNodes_withSortDescriptors_ _loadAndRestoreCurrentBrowsingNodePath_selectedNodes_ _makeHistory _prepareForReloadChildrenForNode_ _processedChildrenOfNode_ _queryHitResultsFilterUTIs _rawChildrenOfNode_ _reloadChildrenForNode_ _resortCachedChildren _resortCachedChildrenForNode_withSortDescriptors_ _setCurrentBrowsingNodePath_makeHistory_notify_ _setCurrentDirectoryNode_makeHistory_notify_ _setNavView_ _setPropertiesForDelegate_ _showsNode_ _sortDescriptors _sortNodes_withSortDescriptors_ _stopObservingAllChildren _stopObservingChildrenForNode_ _storeOrderedByFileProperty_orderedAscending_ _updateNodeList_byAddingNode_ _updateNodeList_byRemovingNode_sendPrepareMessageWithParentNode_ _updateNodeList_forChangedProperty_ofNode_ acceptsRootNodeOrWarn_usingParent_ activeFileListDelegate addExpandedNode_ allowsExpandingMultipleDirectories cachedChildrenForNode_ calculatesAllSizes canBrowseNode_allowInteraction_ canChooseFileAtURL_ canChooseFiles canClickDisabledFiles canGoBack canGoForward clearFileListMode countOfCachedChildrenForNode_createIfNeeded_ currentLocalSearchScopeNode delegateClassForMode_ didChangeExpandedNodes disableMakeHistory displayStateForNode_ enableMakeHistory expandedNodes fileListMode fileListOrderedByFileProperty goBack goForward goUpDirectory handleDelegateChangedCurrentDirectory handleDelegateChangedSelection handleDelegateClickedFauxDisabledNode_ handleDelegateConfirmedSelection iconView indexOfBestMatchForDisplayNamePrefix_inCachedChildrenForNode_ indexOfNode_inCachedChildrenForNode_ initWithNavView_ isDirectoryNode_ isExpandedNode_ isFauxDisabledNode_ isFileListOrderedAscending isFileListOrderedCaseSensitive isMakeHistoryEnabled isReloading isSizeDisplayedForNode_ lastFileListMode navNodeClass navView outline previewControllerClass reloadRootNode removeAllExpandedNodes removeExpandedNode_ removeExpandedNodesStartingWithIndex_ replaceExpandedNode_withNode_ resolvesAliases setAllowsExpandingMultipleDirectories_ setCalculatesAllSizes_ setCanClickDisabledFiles_ setFileListMode_ setFileListOrderedByFileProperty_ setFileListOrderedByFileProperty_ascending_ setFileListOrderedByFileProperty_ascending_caseSensitive_ setIsFileListOrderedAscending_ setIsFileListOrderedCaseSensitive_ setLastFileListMode_ setNavNodeClass_ setResolvesAliases_ setRootNode_ setRootNode_makeHistory_notify_ setRootPath_ setShowsHiddenFiles_ setTreatsDirectoryAliasesAsDirectories_ setTreatsFilePackagesAsDirectories_ sharedServerControllerClass shouldShowPreviewColumn_ showNode_selectIfEnabled_ showsHiddenFiles treatsDirectoryAliasesAsDirectories treatsFilePackagesAsDirectories willChangeExpandedNodes NSNavDisplayNameFilePropertySortDescriptor _disallowEvaluation _isEqualToSortDescriptor_ _selectorName _setAscending_ _setKey_ _setSelectorName_ ascending comparator compareObjectValue_toObjectValue_ compareObject_toObject_ fileProperty initWithFileProperty_dataSource_ascending_ initWithKey_ascending_ initWithKey_ascending_comparator_ initWithKey_ascending_selector_ initWithPanel_caseSensitive_ascending_selector_ reversedSortDescriptor NSNavExpansionButtonCell NSNavFBENetworkNode FSVolumeRefNum _addChildNode_ _addToSidebarSection_atIndex_ _childNodeWithFBENode_ _childrenChanged _childrenParentNodeRef _clearRegisteredForAttributes _connectToRemoveServer _createNodeChangeNotifier _createNodeRequestRef _ejectOrUnmount_ _handleTargetChangedIsValid_ _hasActiveEjectTaskInArray_ _initWithFBENode_ _int64ValueForProperty_ _nodeContainsPermission_ _quickLookImageWithMaxSize_isThumbnail_ _registerForChildChangeNotifications _registerForNotificationOptions_forNodeRef_ _registerForSelfChangeNotifications _removeChildNode_ _sendChildrenChangedWithDictionary_ _unregisterForChildChangeNotifications _unregisterForNotificationOptions_forNodeRef_ _unregisterForSelfChangeNotifications acceptsRootNode addToFavoritesAtIndex_ addToSavedSearchesAtIndex_ aliasState ancestorsStartingWith_ askToUseODS canBeRead canBrowse capacity childWithName_ connectToSharedServerAs copyIcon copyPreviewIcon copySidebarIconRef creationDate disconnectShare displayVersion eject ejectWithInteraction_ fbeNode freeSpace getNodeAsContainerNodeForBrowsing_ getNodeAsDeepResolvedNode_ getNodeAsFileOpNodeAndFixIfBroken_ getNodeAsInfoNode_ getNodeAsResolvedNodeForSidebar getNodeAsResolvedNode_ getNodeAsResolvedNode_withError_ initWithPath_logonOK_ isAlias isAliasInvalid isAliasResolving isCannedSearch isComputerNode isContainer isDescendantOfNode_ isDisconnectedMountPoint isDiskImage isEjectable isEjectableOrUnmountable isEjecting isExtensionHidden isFullyFormed isHomeNode isMediaNode isMeetingRoom isMountedSharePoint isNetworkNode isNil isODSNode isODSRequiresAsk isOnHomeNodeVolume isPackage isQuery isQueryChildNode isServerOrSharePointNode isSharedFolder isSharedServer isUnauthenticatedMountPoint isUnmountable isVolume kindWithoutPlatform labelColor labelColorIndex labelName lastOpenedDate launchScreenSharingApp logicalSize modDate networkConnectionState networkMediaTypes openSyncStarted otherVolumesOnSameDevice parentVolume physicalSize previewAttributes previewImageWithSize_isIconModeThumbnail_ previewItemDisplayName previewItemLocalizedDescription previewItemTitle previewItemURL queryHitResultsFilterUTIs registerForDeepChildChangedNotifications registerForPropertyChangedNotifications searchScopeDisplayName serverUserName setAliasState_ setEjecting_ setOpenSyncStarted_ setPreviewAttributes_ setQueryHitResultsFilterUTIs_ shortVersion sidebarIcon sortingGroup sortsChildrenEfficiently supportsFileSharing supportsScreenSharing targetChanged unmount unregisterForDeepChildChangedNotifications unregisterForPropertyChangedNotifications usedSize NSNavFBENode NSNavFBENodePreviewHelper _backgroundDataCancelled _mainthreadComputePreviewThumbnailFinished_ handlePreviewImageChanged initWithNode_delegate_ previewImageShouldHaveIconModeThumbnail previewSize previewThumbnailImage NSNavFBENodeTask _imageForOSType_ initWithNode_ initWithNode_taskRef_completionHandler_ nodeTaskRef progressWindowController setNodeTaskRef_ setNode_ setTaskStatus_ taskStatus NSNavFBEQueryChildNode NSNavFBEQueryNode _commonQueryNodeDealloc _createAndStartQueryIfRequired _criteriaDictionary _lazyLoadQueryDictionariesFromSavedQuery _loadFromQueryData _releaseQueryNodeRef _resetQueryForChangedAttributes_andSendChildrenChanged_ _searchCriteriaWithSlices_anyAttribute_ _setChildrenParentNodeRef_withNotifications_ _titleForSimpleQueryString_ _updateFormattedQueryString _updateQueryNode_ advancedQueryString cancelQuery hasBeenStarted initWithQueryString_searchScopes_title_sortDescriptors_ initWithSavedQueryData_title_sortDescriptors_ initWithSimpleQueryString_searchScopes_sortDescriptors_ isModified isSavedQuery noteQueryAttributesChanged resetSavedQueryData resortWithSortDescriptors_ savedCriteriaSlices savedQueryData savedSearchDictionaryWithCriteriaSlices_anyAttribute_viewOptions_ scopeLocations searchScope setModified_ setQueryTitle_ setSavedQueryData_ setScopeLocations_ setShouldSearchFilenamesOnly_ setSimpleQueryString_withAdvancedQueryString_ shouldSearchFilenamesOnly simpleQueryString NSNavFBETopLevelNode NSNavFileListDelegate NSNavFilePropertySortDescriptor NSNavFileSizeFormatter __Keynote_NOOP __oldnf_addInternalRedToTextAttributesOfNegativeValues __oldnf_addThousandSeparatorsToFormat_withBuffer_ __oldnf_addThousandSeparators_withBuffer_ __oldnf_containsColorForTextAttributesOfNegativeValues __oldnf_decimalIsNotANumber_ __oldnf_getObjectValue_forString_errorDescription_ __oldnf_numberStringForValueObject_withBuffer_andNegativeFlag_ __oldnf_removeInternalRedFromTextAttributesOfNegativeValues __oldnf_setLocalizationFromDefaults __oldnf_stringForObjectValue_ __oldnf_surroundValueInString_withLength_andBuffer_ _addInternalRedToTextAttributesOfNegativeValues _containsColorForTextAttributesOfNegativeValues _hasSetCurrencyCode _hasSetCurrencySymbol _hasSetInternationalCurrencySymbol _removeInternalRedFromTextAttributesOfNegativeValues allowsFloats alwaysShowsDecimalSeparator attributedStringForNil attributedStringForNotANumber attributedStringForZero checkLocaleChange checkModify clearPropertyBit currencyDecimalSeparator currencyGroupingSeparator exponentSymbol formatWidth generatesDecimalNumbers getFormatter groupingSize hasThousandSeparators internationalCurrencySymbol isPartialStringValidationEnabled localizesFormat maximum maximumFractionDigits maximumIntegerDigits maximumSignificantDigits minimum minimumFractionDigits minimumIntegerDigits minimumSignificantDigits minusSign negativeFormat negativeInfinitySymbol negativePrefix negativeSuffix nilSymbol notANumberSymbol numberFromString_ numberStyle paddingCharacter paddingPosition perMillSymbol percentSymbol plusSign positiveFormat positiveInfinitySymbol positivePrefix positiveSuffix resetCheckLocaleChange resetCheckModify roundingBehavior roundingIncrement secondaryGroupingSize setAllowsFloats_ setAlwaysShowsDecimalSeparator_ setAttributedStringForNil_ setAttributedStringForNotANumber_ setAttributedStringForZero_ setCurrencyCode_ setCurrencyDecimalSeparator_ setCurrencyGroupingSeparator_ setCurrencySymbol_ setDecimalSeparator_ setExponentSymbol_ setFormatWidth_ setGeneratesDecimalNumbers_ setGroupingSeparator_ setGroupingSize_ setHasThousandSeparators_ setInternationalCurrencySymbol_ setLocalizationFromDefaults setLocalizesFormat_ setMaximumFractionDigits_ setMaximumIntegerDigits_ setMaximumSignificantDigits_ setMaximum_ setMinimumFractionDigits_ setMinimumIntegerDigits_ setMinimumSignificantDigits_ setMinimum_ setMinusSign_ setMultiplier_ setNegativeFormat_ setNegativeInfinitySymbol_ setNegativePrefix_ setNegativeSuffix_ setNilSymbol_ setNotANumberSymbol_ setNumberStyle_ setPaddingCharacter_ setPaddingPosition_ setPartialStringValidationEnabled_ setPerMillSymbol_ setPercentSymbol_ setPlusSign_ setPositiveFormat_ setPositiveInfinitySymbol_ setPositivePrefix_ setPositiveSuffix_ setPropertyBit setRoundingBehavior_ setRoundingIncrement_ setRoundingMode_ setSecondaryGroupingSize_ setTextAttributesForNegativeInfinity_ setTextAttributesForNegativeValues_ setTextAttributesForNil_ setTextAttributesForNotANumber_ setTextAttributesForPositiveInfinity_ setTextAttributesForPositiveValues_ setTextAttributesForZero_ setThousandSeparator_ setUsesGroupingSeparator_ setUsesSignificantDigits_ setZeroSymbol_ stringFromNumber_ textAttributesForNegativeInfinity textAttributesForNegativeValues textAttributesForNil textAttributesForNotANumber textAttributesForPositiveInfinity textAttributesForPositiveValues textAttributesForZero thousandSeparator usesGroupingSeparator usesSignificantDigits zeroSymbol NSNavFilepathInputController _cancelDelayedAutocomplete _completePathWithPrefix_intoString_matchesIntoArray_ _containsValidFilePath _currentInputFilepath _doDelayedAutocomplete _doUserComplete _handleTabKey_ _loadUIIfNecessary _prepareToRunForSavePanel_withFilepath_ _scheduleDelayedAutocomplete _setCurrentInputFilepath_ _setDefaultWindowKeyViewLoop _shouldExecuteDelayedAutocomplete _simpleCompletePathWithPrefix_intoString_caseSensitive_matchesIntoArray_filterTypes_ _stopGotoWithCode_ _updateUIToMatchCachedValues beginSheetForSavePanel_withFilepath_delegate_didEndSelector_contextInfo_ control_textShouldBeginEditing_ doFileCompletion_isAutoComplete_reverseCycle_ errorMessage filepath filepathLabel runModalForSavePanel_ runModalForSavePanel_withFilepath_ setErrorMessage_ setFilepathLabel_ NSNavFinderViewFileBrowser canCreateNewFolder disableHistoryAndDoWork_ documentsDirectoryURL downloadsUbiquitousContents fauxToolbarHeightForWindow_appCentric_hasMessageView_runningAsAService_verticalSpaceAbove_ finderView finderViewOpenSelection_ finderViewQuerySearchUTIs_ finderViewRequestRecentPlaces_ finderViewSelectionDidChange_ finderViewViewStyleChanged_ finderView_acceptsPreviewPanelControl_ finderView_canSelectURL_ finderView_canSelectURL_itemIsContainer_itemIsPackage_ finderView_clickedOnDisabledURL_ finderView_configureForGotoWithFilename_ finderView_didChangeToDirectoryURL_ finderView_populationInProgress_ finderView_scopeChanged_ finderView_shouldEnableURL_ finderView_shouldEnableURL_itemIsContainer_itemIsPackage_ finderView_shouldEnableURL_itemIsContainer_itemIsPackage_pathExtension_itemHFSType_typeIdentifier_ finderView_showAsPackageForURL_ hidePreviewPanelIfNecessary hidesSharedSection initWithFrame_options_ isNewFolderDialogRunning lastDirectoryURL lastSelectedURLs makeNewFolderForSavePanel_ minimumViewSize refreshContents rootDirectoryURL savePanel seamlessOpener_sourceFrameOnScreenForPreviewItem_ seamlessOpener_transitionImageForPreviewItem_contentRect_ selectFirstKeyView selectedRawURLs selectedSeamlessOpenerPreviewItems selectedURLs setDownloadsUbiquitousContents_ setHidesSharedSection_ setLastDirectoryURL_ setLastSelectedURLs_ setMediaBrowserShownTypes_ setRootDirectoryURL_ setSavePanel_ setSelectedURLs_ setShowsNewDocumentButton_ showGotoWithInitialFilename_ showsNewDocumentButton sidebarContainsURL_ windowOrderedIn NSNavFlippedView NSNavHistoryState initWithCurrentBrowsingNodePath_fileListMode_ NSNavIconView sendMouseUpActionForDisabledCell_ showPreviewIcon NSNavIconViewCell _createNewNodePreviewHelper _releaseNodePreviewHelper _scaleImageSize_toFitInSize_ accessibilityFilenameAttributeSettable accessibilityURLAttributeSettable setNode_displayState_ NSNavIconViewDelegate _cachedChildrenForNode_allowInteraction_ _deselectAnySelectedDirectories _iconViewAction_ _iconViewDoubleAction_ _reloadChildNode_ _sendSelectionChangedNotification _setCurrentDirectoryNode_ iconView_didClickOnDisabledCell_ iconView_loadCell_forIndex_ iconView_nextTypeSelectMatchFromIndex_toIndex_forString_ iconView_performKeyEquivalent_ iconView_selectionIndexesForProposedSelection_ iconView_shouldTypeSelectForEvent_withCurrentSearchString_ iconView_writeIndexes_toPasteboard_ numberOfItemsInIconView_ setIconView_ NSNavLayoutView NSNavMatrix NSNavMediaBrowserDelegate _canShowFileAtURL_ _selectedNodesIncludingDirectory_ mediaBrowserNode mediaBrowserView mediaBrowserViewSelectionDidChange_ mediaBrowserView_attributedDisplayNameForMediaObject_ mediaBrowserView_shouldPreviewDoubleClickedItem_ mediaBrowserView_shouldSelectMediaObject_ setMediaBrowserNode_ setMediaBrowserView_ NSNavMediaNode addChildWithPath_ addChildren_ browserType initWithQueryString_ insertObject_inChildrenAtIndex_ removeObjectFromChildrenAtIndex_ setBrowserType_ setChildren_ setComment_ setCreationDate_ setIconRef_ setIsAlias_ setIsContainer_ setIsDisconnectedMountPoint_ setIsExtensionHidden_ setIsPackage_ setIsUnauthenticatedMountPoint_ setIsVolume_ setKind_ setLogicalSize_ setModDate_ setOriginalNode_ setPhysicalSize_ setShortVersion_ setSidebarIcon_ setUsedSize_ NSNavNameFieldFormatter initWithPanel_ setAutoAddExtensionToNextInput_ NSNavNaughtDelegate sendSelectionChangedNotification NSNavNewFolderController _defaultNewFolderName _folderPath _updateOkButtonEnabledStateAndErrorMessage NSNavNode NSNavNodePopUpButton _appendNodes_forNodeInfo_addSeparator_shouldFilter_ _commonInitNavNodePopUpButton _keyEquivalentForNode_ _keyEquivalentsAreActive _lastItemIsNonSeparator _loadIconlessMenuContentsIfNecessary _loadMenuItemIconsIfNecessary _newIconlessMenuItemForNavNode_ _nodesToDisplayForNodeInfo_ _popUpItemAction_ _setContentsDirtyForNodeWithIdentifier_ _setContentsDirty_ _stopObservingChildrenAndRemoveAll _updateFirstItemIfNecessary _updateMenuItemIcon_ appendDisplayedNode_identifier_title_displaysChildren_ configureForCollapsedMode configureForRegularMode doneTrackingMenu_ replaceNodeWithIdentifier_withDataFromDelegate_ replaceNodeWithIdentifier_withNode_ selectedNavNode setNavView_ NSNavNodePreviewController _addSpotlightAttributeNamed_value_ _addSpotlightAttributeViews _addSpotlightLabelViewForText_ _addSpotlightValueViewForText_ _attributeNames _clockPreferencesChanged_ _createTextFieldCopying_ _dashdashString _fetchingString _formatLastOpenedDate _isPreviewResizable _isRTL _layoutAttributesForYOffset_width_animated_ _layoutLabelTextFields_valueTextFields_yOffset_xWidth_maxWidth_labelRightX_ _layoutSubviewsAnimated_ _layoutSubviewsAnimated_fromPreviewItemChange_ _loadStandardTextFields _mainFrameChanged_ _previewSizeForWidth_ _setNonHiddenDate_valueTextField_ _setStandardDate_labelTextField_valueTextField_ _startObservingRepObject _stopObservingRepObject _timerCalled_ _updateDateAttributes _updatePreviewImageView _widestLabelInArray_ _widestLabelWidth isPreviewViewExpanded moreInfoButtonClicked_ navLayoutViewFrameChanged_ navLayoutViewLayout_ previewDisclosureButtonClicked_ previewItem previewURL previewView previewView_willShowPreviewItem_ setPreviewItem_ setPreviewText_ setPreviewURL_ NSNavNodePreviewHelper NSNavNodeSharedServerController _askToUseODSClicked_ _connectAsButtonClicked_ _connectToSharedServerAs _connectionStateChanged _frameChangedOnText_ _screenShareClicked_ _startObservingNode_ _stopObservingNode_ _updateConnectionStateAsRemoteDisc _updateConnectionStateAsSharedServer _updateLayout connectAsButton connectionState initAsSharedServerBannerView initAsSharedServerView isBannerView isRemoteDisc isUsingDisc isWaitingForDisc serverIcon serverName setConnectionState_ setIsBannerView_ setRemoteDisc_ setServerIcon_ setServerName_ setStatusText_ setUserName_ setUsingDisc_ setWaitingForDisc_ shareScreenButton statusText updateConnectAsButtonForConnectionState_ updateStatus updateStatusTextForConnectionState_userName_ userName NSNavNodeTask NSNavODSAskToUseTask _addProgressViewController _addTaskDeniedViewController _nodeDriveType _removeTask _taskDeniedErrorString _updateProgress _userCancelled_ NSNavOutlineCell NSNavOutlineDateCell _dateFormatterForDetailLevel_ _dateStringToDraw _interiorBoundsToDrawWithFrame_ _isValidDate_ _stringToDraw _todayStringToDrawForDate_ _updateDetailLevel _updateDetailLevelWidths _yesterdayStringToDrawForDate_ resetDateFormats setUseRelativeDates_ useRelativeDates NSNavOutlineDelegate _doFindIndexesOfNodes_inDirectory_visitedNodes_ _highlightedNodes _maintainHighlightSelection _outlineAction_ _outlineDoubleAction_ _readDefaultsFromFinder _setHighlightedRowsFromNodes_maintainFirstVisibleRow_ _synchronizeExpandedNodesWithOutlineExpandedItems navOutlineView_displayStateForItem_ navOutlineView_labelColorIndexForItem_ outlineViewItemDidCollapse_ outlineViewItemDidExpand_ outlineViewSelectionDidChange_ outlineView_child_ofItem_ outlineView_didClickOnDisabledCell_forTableColumn_byItem_ outlineView_isItemExpandable_ outlineView_nextTypeSelectMatchFromItem_toItem_forString_ outlineView_numberOfChildrenOfItem_ outlineView_objectValueForTableColumn_byItem_ outlineView_performKeyEquivalent_ outlineView_selectionIndexesForProposedSelection_ outlineView_shouldEditTableColumn_item_ outlineView_shouldReorderColumn_toColumn_ outlineView_shouldTrackCell_forTableColumn_item_ outlineView_shouldTypeSelectForEvent_withCurrentSearchString_ outlineView_sortDescriptorsDidChange_ outlineView_wantsTrackingAreasForRow_column_ outlineView_willDisplayCell_forTableColumn_item_ outlineView_writeItems_toPasteboard_ setOutline_ NSNavOutlineHeaderCell _adjustFontSize _alignFrame_withWithDataCellForView_ _canSupportTallerHeight _coreUIBezelDrawOptionsWithView_highlighted_nextColumnAfterOneBeingDrawnIsSelected_ _coreUISortIndicatorDrawOptionsWithView_ascending_ _coreUIState _currentSortIndicatorImage _drawBezelWithFrame_highlighted_inView_ _drawGroupViewBackgroundWithFrame_highlighted_inView_ _drawSortIndicatorIfNecessaryWithFrame_inView_ _drawThemeContents_highlighted_inView_ _indicatorImage _outlineView _setIndicatorImage_ _setSortable_ _setSortable_showSortIndicator_ascending_priority_highlightForSort_ _shouldDrawRightSeparatorInView_ _shouldLeaveSpaceForSortIndicator _shouldShowHighlightForSort _updateFont _useRTL accessibilityIsSortButton accessibilityIsSortDirectionAttributeSettable accessibilitySortDirectionAttribute drawSortIndicatorWithFrame_inView_ascending_priority_ setTableColumn_ sortIndicatorRectForBounds_ tableColumn NSNavOutlineView _addOutlineCellTrackingAreas _adjustEditedCellLocation _adjustSelectionForItemEntry_numberOfRows_adjustFieldEditorIfNecessary_ _alternateAutoExpandImageForOutlineCell_inRow_withFrame_ _autoExpandFlashOnce _autoExpandItem_ _autoExpandItem_afterFlashCount_ _batchCollapseItemsWithItemEntries_collapseChildren_ _batchCollapseItemsWithItemEntries_collapseChildren_clearExpandState_ _batchExpandItemsWithItemEntries_expandChildren_ _calcOutlineColumnWidth _canUseUpdatedIdentation _canUseWhiteDisclosureTriangles _cancelAnyScheduledAutoCollapse _clickedInExpansionTriangle_ _collapseAllAutoExpandedItems _collapseAnimation _collapseAutoExpandedItems_ _collapseItemEntry_collapseChildren_clearExpandState_ _collapseItem_collapseChildren_clearExpandState_ _collapseRootEntry_clearExpandState_ _convertPersistentItem_ _countDisplayedDescendantsOfItem_ _dataSourceChild_ofItem_ _dataSourceIsItemExpandable_ _dataSourceNumberOfChildrenOfItem_ _debugDrawRowNumberInCell_withFrame_forRow_ _delegateShouldShowOutlineCellForItem_ _delegateWillDisplayOutlineCell_forColumn_row_ _disclosureButtonForRowView_ _disclosureTriangleButtonImageSorceID _doExpandAnimation_forRow_ _doUserExpandOrCollapseOfItem_isExpand_optionKeyWasDown_ _drawOutlineCellAtRow_ _drawOutlineCell_withFrame_inView_ _dropCandidateChildIndex _dropCandidateItem _dropOverdrawBeforeAnimation _endEditingIfEditedCellIsChildOfItemEntry_ _ensureTextOutlineCell _expandAnimation _expandItemEntryChildren_atStartLevel_expandChildren_andInvalidate_ _expandItemEntry_expandChildren_ _expandItemEntry_expandChildren_startLevel_ _findParentWithLevel_beginingAtItem_childEncountered_ _flashOutlineCell _frameOfOutlineCellAtRow_ _frameOfSourceListGroupOutlineCellRow_ _getRow_andParentRow_forDropCandidateItem_childIndex_ _handleLeftArrowKeyWithChildren_ _handleRightArrowKeyWithChildren_ _highlightOutlineCell_highlight_withFrame_inView_ _identifierForDisclosureButtonForRowView_ _indentationForDropTargetRow_ _indentationForRow_withLevel_isSourceListGroupRow_ _initializeStaticRowViews _insertItemsAtIndexes_inParentRowEntry_withAnimation_ _invalidateDropCandidateItem _isEditingRowAChildOfRowAtPoint_ _isItemLoadedAndExpanded_ _itemsFromRowsWithIndexes_ _lazyRowEntryForItem_requiredRowEntryLoadMask_ _loadItemsIfNeeded _makeAndCacheStaticDataForItem_ _makeNewRowViewForItem_ _makeOutlineControl _makeShowHideOutlineControl _makeTextOutlineCell _minXLocOfOutlineColumn _moveItemAtIndex_inParentRowEntry_toIndex_inParentRowEntry_ _newSelectedRowEntriesArrayIncludingExpandable_includingUnexpandable_withCurrentExpandState_ _nonStaticDataSourceChild_ofItem_ _nonStaticDataSourceIsItemExpandable_ _nonStaticNumberOfChildrenOfItem_ _notifyDelegateOfStateChangeForCell_ _numVisibleChildrenForEntry_ _originalOutlineColumnWidth _outlineCell _outlineCellBackgroundStyleForRow_ _outlineCellIndentation _outlineColumnIndex _outlineControlClicked_ _outlineMouseEntered_ _outlineMouseExited_ _outlineTrackingRowForEvent_ _postItemDidCollapseNotification_ _postItemDidExpandNotification_ _postItemWillCollapseNotification_ _postItemWillExpandNotification_ _preparedOutlineCellForRow_ _printDataSourceWarning _readPersistentExpandItems _recursiveCollapseItemEntry_collapseChildren_clearExpandState_ _recursivelyDeleteRowEntryAndAllChildren_ _recursivelyReloadItem_reloadChildren_withInsertAnimation_removeAnimation_ _redisplayAfterExpansionChangeFromRow_withOriginalRowCount_ _redisplayAndResizeFromRow_ _removeDisclosureButtonForRowView_ _removeItemsAtIndexes_inParentRowEntry_withAnimation_ _resizeOutlineColumn _restoreExpandedChildrenForItem_ _rowEntryExistsForItem_ _rowEntryForChild_ofParent_requiredRowEntryLoadMask_ _rowEntryForItem_ _rowEntryForItem_requiredRowEntryLoadMask_ _rowEntryForRow_requiredRowEntryLoadMask_ _scheduleAutoExpandTimerForItem_dragInfo_ _scrollFieldEditorToVisible_ _sendDelegateWillDisplayOutlineCell_inOutlineTableColumnAtRow_ _setAllowAnimationsToYes _setAnimateExpandAndCollapse_ _setNeedsDisplayForDropCandidateItem_childIndex_mask_ _setOutlineButtonVisible_onRow_ _setOutlineCellTrackingAreaRow_ _setOutlineCell_ _setStaticItems_ _setTrackingOutlineCell_ _setupAnimationsIfNeeded _setupStateForOutlineCell_atRow_ _shouldAnimateChanges _shouldAnimateExpandCollapse _shouldAttemptDroppingAsChildOfLeafItems _shouldAutoExpandItem_ _shouldAutoExpandNoExpandableItem_ _shouldCallWillDisplayOutlineCell _shouldCollapseItem_ _shouldContinueExpandAtLevel_beganAtLevel_ _shouldDoDragUpdateOfViewBasedRowData _shouldDoExpandAnimationForRow_ _shouldExpandItem_ _shouldHighlightParentRows _shouldIndentBackgroundRect _shouldShowOutlineCellForRow_ _shouldUseTrackingAreasForOutlineCell _sourceListGroupRowBottomSpacing _startAutoExpandWithFlash_ _startAutoExpandingItemFlash _staticDataForItem_ _staticDataSourceChild_ofItem_ _staticDataSourceIsItemExpandable_ _staticInsertItemsAtIndexes_inParent_ _staticItemDataChild_ofItemData_ _staticItemWasExpanded_ _staticItems _staticLoadChildrenForItem_itemData_ _staticMoveItemAtIndex_inParent_toIndex_inParent_ _staticNumberOfChildrenOfItem_ _staticRemoveAllChildrenForItemEntry_ _staticRemoveItemsAtIndexes_inParent_ _staticSetItem_isExpanded_ _stopAutoExpandingItemFlash _throwExceptionForUpdateErrorAtIndexes_kind_ofParentRowEntry_ _trackingOutlineCell _trackingOutlineCellForRow_ _tryDrop_dropItem_dropChildIndex_ _updateDisclosureButtonAtRow_ _updateDisclosureButtonForRowView_forRow_removeIfNotAvailable_updatePosition_ _updateDropFeedbackFromPriorItem_childIndex_mask_ _userInterfaceDirectionIsLTR _validateParentRowEntry_reason_indexes_ _validateRowEntryArray _writePersistentExpandItems autoresizesOutlineColumn autosaveExpandedItems cellAtRow_column_loaded_ childIndexForItem_ child_ofItem_ collapseItem_ collapseItem_collapseChildren_ displayStateForDrawingRow expandItem_ expandItem_expandChildren_ frameOfOutlineCellAtRow_ identifierForRow_ indentationMarkerFollowsCell indentationPerLevel insertItemsAtIndexes_inParent_withAnimation_ isExpandable_ isItemExpanded_ itemAtRow_ levelForItem_ levelForRow_ mouseTracker_didStopTrackingWithEvent_ mouseTracker_shouldContinueTrackingWithEvent_ mouseTracker_shouldStartTrackingWithEvent_ numberOfChildrenOfItem_ outlineTableColumn reloadItem_ reloadItem_reloadChildren_withInsertAnimation_removeAnimation_ removeItemsAtIndexes_inParent_withAnimation_ rowForItem_ setAutoresizesOutlineColumn_ setAutosaveExpandedItems_ setDropItem_dropChildIndex_ setIndentationMarkerFollowsCell_ setIndentationPerLevel_ setOutlineTableColumn_ setStronglyReferencesItems_ shouldCollapseAutoExpandedItemsForDeposited_ shouldShowOutlineCellInlineForRow_ showsOutlineCell stronglyReferencesItems NSNavPreviewController NSNavProgressErrorViewController badgeImage rightButton setBadgeImage_ setMessageString_ NSNavProgressStatusViewController _updateTrackingAreas_ cancelMessageString hasCancel indeterminate percentComplete setCancelMessageString_ setHasCancel_ setIndeterminate_ setPercentComplete_ setTitleString_ titleString NSNavProgressWindow NSNavProgressWindowController addViewController_ replaceViewController_withViewController_ NSNavRuleEditor _addOptionFromSlice_ofRowType_ _alignmentGridWidth _allowsEmptyCompoundRows _applicableNestingMode _backgroundColors _changedItem_toItem_inRow_ _changedRowArray_withOldRowArray_forParent_ _childlessParentsIfSlicesWereDeletedAtIndexes_ _countOfRowsStartingAtObject_ _createNewSliceWithFrame_ruleEditorView_ _createSliceDropSeparator _deleteSlice_ _dragHandleColors _dragImageForIndices_ _dragOperationFromInfo_ _draggingTypes _drawSliceBackgroundsWithClipRect_ _extendItem_withRow_ _findRowObject_startingAtObject_withIndex_ _fullCacheUpdate _fullCacheUpdateRecursive_intoRow_withIndentation_ _generateFormattingDictionaryStringsFile _getAllAvailableItems_values_asChildrenOfItem_inRow_ _getItemsAndValuesToAddForRow_ofType_ _globalIndexesForSubrowIndexes_ofParentObject_ _includeSubslicesForSlicesAtIndexes_ _initRuleEditorShared _insertNewRowAtIndex_ofType_withParentRow_ _lastRow _lastSelectedSliceIndex _layoutOrderForItem_inRow_ _layoutOrdersForChoiceRootedAtItem_inRow_ _loadInitialRows _localizerForSlice_ _minimumFrameHeight _mouseDownOnSlice_withEvent_ _newSlice _nextUnusedItems_andValues_forRow_forRowType_ _performClickOnSlice_withEvent_ _performDragForSlice_withEvent_ _plusMinusButtonsAcceptFirstMouse _postRowCountChangedNotificationOfType_indexes_ _postRuleOptionChangedNotification _privateDelegateMethodsEnabled _queryCanSelectItem_displayValue_inRow_ _queryChild_ofItem_withRowType_ _queryNumberOfChildrenOfItem_withRowType_ _queryOrderLocalizedDictionaries_withParent_ _queryValueForItem_inRow_ _reconfigureSubviewsAnimate_ _recursiveGenerateFormattingDictionaryPlistForItem_rowType_intoArray_withPriorValues_hasSiblings_ _removeSubrowsForRow_fromSet_ _rightMouseDownOnSlice_withEvent_ _rootRowsArray _rowCacheForIndex_ _rowIndexForRowObject_ _ruleViewHasFirstResponder _searchCacheForRowObject_ _selectedActiveRowColor _selectedInactiveRowColor _selectedSliceIndices _selectedSlices _sendRuleAction _setAlignmentGridWidth_ _setAllowsEmptyCompoundRows_ _setBoundDataSource_withKeyPath_options_ _setHeaderLocalizer_ _setPredicate_ _setPrivateDelegateMethodsEnabled_ _setStandardLocalizer_ _setSuppressKeyDownHandling_ _shouldHideAddButtonForSlice_ _shouldHideSubtractButtonForSlice_ _sliceBottomBorderColor _sliceLastBottomBorderColor _sliceTopBorderColor _slices _startObservingRowObjectsRecursively_ _stopAnimationWithoutChangingFrames _stopObservingRowObjectsRecursively_ _subrowObjectsOfObject_ _suppressKeyDownHandling _toolTipForAddCompoundRowButton _toolTipForAddSimpleRowButton _toolTipForDeleteRowButton _uniqueizeIndexSet_ _updateDragging_ _updatePredicate _updateRowTypesToAdd _updateSliceIndentationAtIndex_toIndentation_withIndexSet_ _updateSliceIndentations _updateSliceRows _validateItem_value_inRow_ _wantsMinimalArchival _wantsRowAnimations _windowUpdate_ addRow_ canRemoveAllRows criteriaForRow_ criteriaKeyPath displayValuesForRow_ displayValuesKeyPath formattingDictionary formattingStringsFilename insertRowAtIndex_withType_asSubrowOfRow_animate_ nestingMode parentRowForRow_ predicateForRow_ reloadCriteria reloadPredicate removeRowsAtIndexes_includeSubrows_ rowClass rowForDisplayValue_ rowTypeForRow_ rowTypeKeyPath setCanRemoveAllRows_ setCriteriaKeyPath_ setCriteria_andDisplayValues_forRowAtIndex_ setDisplayValuesKeyPath_ setFormattingDictionary_ setFormattingStringsFilename_ setNestingMode_ setRowClass_ setRowTypeKeyPath_ setSubrowsKeyPath_ subrowIndexesForRow_ subrowsKeyPath NSNavScopeButton setStateToSelected setStateToUnselected NSNavScopeButtonCell NSNavScopeView _addDefaultScopeButtons _addSearchTypeButtons _createButtonWithTitle_ _createEditButtonIfRequired _createPlusButtonIsRequired _createSaveButtonIfRequired _createSmartFolderTitleIfRequired _editButtonClick_ _ensureSeperatorView _frameForButtonOnTheRight_ _hideAllScopeButtons _lastScopeButtonX _layoutRightHandButtons _layoutViews_startingInsetFromXOrigin_insetFromTop_withSpacing_sizeToFit_horizontal_ _plusImage_ _searchFileNameButtonClicked_ _selectCorrectScopeButton _selectedScopeButton _sizeButtonToFit_ _smartFolderTitleString _startForSearchButtonsX _storeDefaultSearchScopeMode _syncScopeLayout _updatePlusButtonImage _updateSearchTypeButtons editButton plusButton queryNode saveButton scopeButtonAction_ scopeButtonClass setEditButton_ setPlusButtonAction_target_ setPlusButton_ setQueryNode_ setSaveButtonAction_target_ setSaveButton_ setShouldShowPlus_ setSmartFolderTitleButton_ shouldShowPlus smartFolderTitleButton NSNavSegmentSwitchControl _badgeValueForSegment_ _makeSCAuxIfNeeded _setBadgeValue_forSegment_ _setShowsBadge_forSegment_ _setSpringLoadsOnDrag_ _showsBadgeForSegment_ _springLoadsOnDrag _updateConstraint_forAnchor_atMinSize_priority_ _updateHeightToReflectNewWindowStyleIfNecessary alternateImageForSegment_ doubleValueForSelectedSegment hidesUnselectedLabelsIfNecessary hidesUnselectedLabelsWhenNecessary imageForSegment_ imageScalingForSegment_ isEnabledForSegment_ isSelectedForSegment_ labelForSegment_ menuForSegment_ minimumIntrinsicContentSize segmentCount segmentStyle selectSegmentWithTag_ selectedSegment selectedSegmentBezelColor setAlternateImage_forSegment_ setEnabled_forSegment_ setHidesUnselectedLabelsIfNecessary_ setHidesUnselectedLabelsWhenNecessary_ setImageScaling_forSegment_ setImage_forSegment_ setLabel_forSegment_ setMenu_forSegment_ setSegmentCount_ setSegmentStyle_ setSelectedSegmentBezelColor_ setSelectedSegment_ setSelected_forSegment_ setTrackingMode_ setWidth_forSegment_ springLoadingExited_ springLoadingUpdated_ switchCell trackingMode widthForSegment_ NSNavSegmentedCell _accessibilityScreenRectForSegment_ _accessibilitySegmentAtIndex_ _addNSSegmentItemViewsToControlView_ _addSegmentItemCount_ _adjustRectForR2L_inFrame_ _anySegmentShowsBadge _applicableSegmentedCellStyle _applicableTrackingModeForSegment_ _badgeRectForImage_inSegment_inFrame_inView_isFlipped_drawFlags_ _baseStyle _boundsForCellFrame_ _calculateSelectedSegmentForPoint_ _cleanupTracking _configureLabelCell_forItem_controlView_imageState_backgroundStyle_ _controlOrCellhasDrawingOverrides_ _copyCoreUIBackgroundDrawOptionsForSegment_inView_drawFlags_ _coreUIDrawSegmentBackground_withCellFrame_inView_maskOnly_ _deselectAllButFirstSelectedSegment _deselectAllSegments _displayDelayedMenu _dontShowSelectedAndPressedAppearance _drawBackgroundWithFrame_inView_ _drawMenuIndicatorForSegment_withRect_inView_ _drawingRectForSegment_inFrame_ _edgeInset _getVisualStateForSegment_andTrackingMode_forApplicableStyle_ _hasItemTooltips _haveSegmentAtIndex_ _hidesUnselectedLabelsWhenNecessary _imagePositionVerticalAdjustmentForSegmentStyle_controlSize_scale_isFlipped_ _imageTextGap _inactiveStateShowsRolloversForSegment_ _indexOfHilightedSegment _indexOfSelectedSegment _invalidateSegmentSizes _isFlatOnEdge_ _itemAtIndexIsSelected_ _keySegment _labelRectForSegment_inFrame_withView_ _makeSegmentItemsPerformSelector_ _menuDelayTimeForSegment_ _mouseIsInsideSegmentAtIndex_ _needsGasPedalConfiguration _needsRolloverTracking _needsToolTipRecalc _performClick_ignoreMenus_ _performClick_onSegment_ignoreMenus_ _postRolloverNotification _proRecalcToolTips _proSetRecalcToolTips_ _rectAdjustedForR2LForSegment_cellFrame_drawFlags_ _rectForSegment_inFrame_ _removeAllToolTips _removeNSSegmentItemViewsFromControlView_ _resizeSegmentsForCellFrame_ _resizeSegmentsForCellFrame_animate_ _segmentHighlightState_ _segmentItemAtIndex_ _segmentItems _segmentShowingRollover _segmentedCellStyle _segmentedMenuDelayTime _segmentedMenuDragSlopRect _segmentedSeparatedStyle _segmentsDeselectedBySegment_ _selectHighlightedSegment _selectedSegmentBezelColor _setBadgeValue_forSegment_inView_ _setBaseStyle_ _setDontShowSelectedAndPressedAppearance_ _setFlagsForStyle_ _setHidesUnselectedLabelsWhenNecessary_ _setInactiveStateShowsRollovers_forSegment_ _setIndexOfHilightedSegment_ _setIsFlat_onEdge_ _setItemAtIndex_isSelected_ _setKeySegment_ _setMenuShouldBeUniquedAgainstMainMenu_ _setNeedsToolTipRecalc_ _setSegmentItems_updateSegmentItemViews_ _setSegmentedCellStyle_ _setSegmentedSeparated_ _setSelectedSegmentBezelColor_ _setShowsBadge_forSegment_inView_ _setSpringLoadingHighlightForSegment_toValue_ _setSpringLoadingSegment_ _setTrackingMode_ _setUsesWindowsStyle_ _setupForTackingAtLocation_inRect_ofView_latchingToSingleSegment_ _shouldUseAlternateImageForSegment_ _springLoadSegment_ _springLoadingHighlightForSegment_ _springLoadingSegment _subtractSegmentItemCount_ _trackMouse_forSegment_inRects_count_inCellFrame_ofView_untilMouseUp_ _trackSelectedItemMenu _trackingMode _trackingSegment _updateLabelViewForSegmentItem_segmentContentRect_imageState_controlView_ _updateNSSegmentItemViewFramesForCellFrame_ _usesWindowsStyle _wantsMenuIndicatorForSegment_ accessibilityLabelForSegment_ drawSegment_inFrame_withView_ indexOfSegmentContainingPoint_inCellFrame_ interiorBackgroundStyleForSegment_ isMenuIndicatorShownForSegment_ makeNextSegmentKey makePreviousSegmentKey minimumCellSizeForBounds_ rectForSegment_inFrame_ setAccessibilityLabel_forSegment_ setMenuIndicatorShown_forSegment_ setSegmentStyle_forceRecalc_ setTag_forSegment_ setToolTip_forSegment_ tagForSegment_ toolTipForSegment_ NSNavSharedServerController NSNavSidebarController _addDelayReloadChildrenForNode_ _allowGroupRowsToBeSelected _canDragNode_ _convertRootIndex_ _draggedFilenameFromPasteboard_ _draggingUpdatedForFilenameDrop_inProposedItem_proposedChildIndex_ _draggingUpdatedForReorder_proposedItem_proposedChildIndex_ _getResolvedNavNodeForFilename_ _handleChildrenChangedForNode_ _handleChildrenChanged_ _handleRootNodeChanged_ _isHiddenSidebarNode_ _keyForNode_ _loadAppSmartFolders _mediaNodeTitle _nodeRefFromNode_ _openPrefPane_ _performDragOperationForFilenameDrop_asChildOfNode_atIndex_ _performDragOperationForReorder_parentItem_toIndex_ _releaseChildrenForNode_ _releaseDraggingNode _reloadChildrenForDelayedNodes _reloadData _reloadDataForNode_ _removeAppSmartFolderNode_ _reorderAppSmartFolderNode_toIndex_ _restoreExpandedState _saveLayout _savedSearcheNodeTitle _selectRootNode _shouldShowParentNode_ _stopObservingChildren _updateRootNodeFromSelectedRowUsingCurrentDirectoryNode_ addAppSmartFolderForNode_ appSmartFoldersNode favoritesNode handleFileListModeChanged loadSavedLayoutWithKey_ mediaBrowsrNode outlineViewAction_ outlineViewShouldSlideBackAfterDragFailed_ outlineView_acceptDrop_item_childIndex_ outlineView_draggedImage_movedTo_ outlineView_draggingEndedAt_operation_ outlineView_isGroupItem_ outlineView_validateDrop_proposedItem_proposedChildIndex_ savedSearchesNode setNavDataSource_ setSidebarOutlineView_ sharedNode useTemplateSidebarIcons volumesNode NSNavSimpleButtonCell _enablesOnWindowChangedKeyState _getButtonImageParts___ _needsRedrawOnMouseInsideChange _shouldShowRollovers buttonHeight buttonImageForHeightReference buttonImageNamePrefixForButtonState_ buttonImagesForButtonState_ currentButtonState isPressed setShowsRollover_ setShowsShadowedText_ setupAttributes showsRollover showsShadowedText textColorForButtonState_ textShadowForButtonState_ NSNavSizePropertySortDescriptor initWithKey_ascending_selector_dataSource_ NSNavSortingContext initWithSortDescriptors_attributes_ sortOrder NSNavSplitView _accessibilitySplitterAtIndex_ _accessibilitySplitterRects _addTrackingOverlayView_ _additionalEffectiveFrameOfDividerAtIndex_ _adjustArrangedViewsIfNecessary _allSubviewsAreOpaque _animatedAutoCollapseArrangedView_ _animatesAutocollapses _appearanceForDividerAtIndex_ _arrangedViewLayoutDescriptions _arrangedViewsOrDividersHaveChangedSinceAdjustment _autoCollapseArrangedView_ _autoCollapseArrangedView_animated_ _automaticMaximumSizeForArrangedView_ _autosaveArrangedViewLayoutIfNecessary _autosaveSubviewLayoutIfNecessary _blendingModeForDividerAtIndex_ _canAutocollapseArrangedView_ _canCollapseArrangedView_ _canLiveCollapseArrangedView_ _canLiveCollapseArrangedViews _canMakePropertyChange _canOverlayArrangedViews _canUseDividerViewsAsSubviews _cancelResetUserPreferredThicknessAfterUserResizeWithDelay _checkForAutoUncollapsedViews _checkForEarlyCollapseArrangedViews _closeForKeyDownEvent_ _closeForNonDragOrResizeClickWithEvent_ _closeForSheetPresentingOnWindow_ _closeForToolbarPresentingOnWindow_ _collapseArrangedView_animated_ _compatibility_seemsToBeVertical _constantFromDividerPosition_toAnchorView_ _constraintsForLeadingView_identifierIndex_spacing_canLiveCollapse_forOverlay_ _constraintsForPerpendicularAxisForView_identifierIndex_divider_ _constraintsForStacking_toView_previousIndex_identifierIndex_spacing_canLiveCollapse_forDivider_ _constraintsForTrailingView_identifierIndex_spacing_canLiveCollapse_forOverlay_ _constraintsFreezingFrameForView_identifierIndex_ _currentDividerDimpleVariant _currentStateKey _currentVerticalKey _cursorOfDividerAtIndex_position_dragLimits_ _customDividerColor _customThickness _debugDividerType _debugLayoutType _delegateImplementsAutolayoutIncompatibleMethods _didAddArrangedSubview_ _didRemoveArrangedSubview_ _didRemoveOverlay_ _distanceFromTrailingEdgeOfView_toAnchor_ _dividerDraggingAnchor _dividerFrames _dividerIsHiddenAtLogicalIndex_ _dividerLayers _dividerShouldBeVibrantAtIndex_ _doConstraintBasedPresentDividerDragResult_withParams_ _doLayerBackedLayout _dragLimitsOfDividerAtLogicalIndex_ _dragParamsOfDividerAtVisualIndex_ _drawDividerDimpleInRect_indicatorOnly_ _effectiveFrameForDrawnFrame_ofDividerAtIndex_ _explicitAutocollapseThicknessDisabled _fakeCollapse_arrangedView_canOverlay_withHandler_ _frameOrAlignmentRectOfArrangedView_ _hasBehaviorForLinkedOnOrAfter_ _hasHidableDividerAtLogicalIndex_ _inDividerLiveResize _inTransientSpringLoad _inWindowLiveResize _indexOfDividerForLocation_andReturnFrame_ _initVariables _invalidateCursorRectsAndDragRegion _invalidateSizeConstraints _invalidateStackAndSizeConstraints _invalidateStackConstraints _isAffectedByEventsInWindow_ _isArrangedViewAnimating_ _isArrangedViewAutoCollapsed_ _isArrangedViewOverlaid_ _isInTexturedWindow _isSubclassThatOverridesDrawingMethods _leadingDistanceFromSelf_ _leadingViewForLogicalSeparatorIndex_ _liveCollapseIsCanned _logicalDividerIndexForVisualIndex_ _makeDividerLayerWithFrame_ _makeShadowView _minimumSizeForInlineSidebars _needsUpdateConstraintsForProportionalResizing _nsib_setSplitViewAlwaysLaysOutAccordingToAlignmentRects_ _nsib_setSplitViewIntegralizesInUserSpace_ _nsib_splitViewAlwaysLaysOutAccordingToAlignmentRects _nsib_splitViewIntegralizesInUserSpace _overlayArrangedView_ _presentDividerDragResult_withParams_ _priorityGroups _registeredTransientBehavior _removeDividerLayers _removeStackConstraints _removeTrackingOverlayView_ _removeUserPreferredThicknessForArrangedSubview_ _resetUserPreferredThicknessAfterUserResizeWithDelay _resetUserPreferredThicknessFromLayoutAlignmentFrameForArrangedSubview_ _resetUserPreferredThicknessFromSetAlignmentFrameForAllArrangedSubviews _resetUserPreferredThicknessFromSetAlignmentFrameForArrangedSubview_ _resizeViewsForOffset_coordinate_ _resultOfDividerDragToLeadingPosition_withParams_ _scaledDividerThickness _scheduleAutosaveArrangedViewLayoutIfNecessary _setAnimatesAutocollapses_ _setArrangedView_isAutocollapsed_ _setArrangedView_isCollapsed_ _setArrangedViewsAreAdjusted_ _setDividerLayers_ _setExplicitAutocollapseThicknessDisabled_ _setFrameOrAlignmentRect_ofArrangedView_ _setInTransientSpringLoad_ _setMinimumSizeForInlineSidebars_ _setRegisteredTransientBehavior_ _setShowsOverlayMetrics_ _setSplitViewControllerAllowsPropertyChange_ _setUserPreferredThickness_forArrangedSubview_ _shouldAdjustSizeOfArrangedView_ _shouldDrawDivider _shouldMirrorForRTL _showsOverlayMetrics _splitViewControllerAllowsPropertyChange _splitViewOwnedBySplitViewController _splitViewUseConstraintBasedLayout _startObservingView_ _startObservingViews_ _stopObservingView_ _stopObservingViews_ _testingForOverlays _trailingDistanceFromSelf_ _trailingViewForLogicalSeparatorIndex_ _transientBehavior _uncollapseAndOverlayArrangedView_ _uncollapseArrangedView_ _uncollapseArrangedView_animated_ _uncollapseArrangedView_overlayIfNecessary_ _uncollapseWithOverlayArrangedView_animated_ _unscaledDividerThickness _updateConstraintsForMinMaxMeasure _updateConstraintsForProportionalResizing _updateDividerLayer_ _updateDividerViews _updateLayerDividersIfNeeded _updateSizeConstraints _updateStackConstraints _userPreferredThicknessForArrangedSubview_ _usesAlternateDrag _usesExplicitSizeForAutoCollapse _validateArrangedViewFrames _visualDividerIndexForLogicalIndex_ _visualIndexOfDividerForLocation_andReturnFrame_ _walkLayoutDescriptionArray_withFrameHandler_ _willAddArrangedSubview_ _willAddOverlayView_ _willRemoveArrangedSubview_ _windowDidEndLiveResize_ _windowWillExitFullScreen_ accessibilityIsSplittersAttributeSettable accessibilityResetChildrenAttribute accessibilitySplittersAttribute addArrangedSubview_ adjustSubviews arrangedSubviews arrangesAllSubviews debugReasonForLayoutMode dividerColor dividerStyle dividerThickness drawDividerInRect_ holdingPriorityForSubviewAtIndex_ insertArrangedSubview_atIndex_ isArrangedViewCollapsed_ isPaneSplitter isSubviewCollapsed_ maxPossiblePositionOfDividerAtIndex_ minPossiblePositionOfDividerAtIndex_ orientation removeArrangedSubview_ setArrangesAllSubviews_ setDividerColor_ setDividerStyle_ setHoldingPriority_forSubviewAtIndex_ setIsPaneSplitter_ setPosition_ofDividerAtIndex_ setStayPutPriority_forSubviewAtIndex_ stayPutPriorityForSubviewAtIndex_ NSNavSplitViewController _isSidebarCollapsed _restoreSplitPositionFromDefaults _saveSplitPositionToDefaults _setSidebarWidth_maintainSnap_constrain_ _sidebarIsOnLeft _sidebarViewIndexInSubviews _updateLastUncollapsedSidebarWidth lastUncollapsedSidebarWidth leftView restoreSavedSettings rightView setLastUncollapsedSidebarWidth_ sidebarInset splitView splitViewDidResizeSubviews_ splitView_constrainSplitPosition_ofSubviewAt_ splitView_resizeSubviewsWithOldSize_ NSNavView _QLPreviewPanelClass _activeFileListViewForResizing _advancedQueryStringPortion _bottomContainerView _canAsyncChangeRootNode _canShowGoto _changeFileListMode_ _changeHistory_ _changeIconViewIconSize_ _changeIconViewTextPosition_ _changeIconViewTextSize_ _changeMediaBrowserTypeTo_ _commonHandleRootOrCurrentDirectoryChanged _configureFileListModeControlForMode_ _configureForFileListMode_ _configureForShowingInPanel _configureHistoryControl _configurePathComponentPicker _configureSearching _configureSharedServerBannerViewAndTile_ _customizedPrefKey_ _dataSource _delaySelectFilenameIfNecessary _delegateClickedOnDisabledURL_ _delegateConfigureForGotoWithFilename_ _delegateDidChangeDirectory _delegateFileListModeChanged _delegatePerformOpenAction _delegateSelectionDidChange _directoryPopUpButtonClick_ _doneResolvingNode_setAsRoot_ _dropNode_ _duplicateItemReason _editQueryButtonClick_ _ensureMediaBrowserViewLoaded _fileListModeControlCell _handleCurrentBrowsingNodePathChanged _handleFauxDisabledNodeClicked_ _handleFileListDidReloadChildrenForNode_ _handleFileListModeChanged _handleGotoFinishedWithResult_ _handleSelectionChanged _handleSelectionConfirmed _hideQueryProgress _historyControlCell _iLifeMediaBrowserFrameworkInstalled _iconView _isAppSmartFolderNameUsed_ _isAppSmartFolderNode_ _isSharingEnabled _loadAdvSearchController _loadMediaBrowserNodeIfRequired _loadSavedLayout _logonOK _mediaBrowserIcon _nodeForBrowserType_ _notifyBothRootAndCurrentDirectoryChanged _notifyCurrentDirectoryChanged _notifyRootChanged _openSyncPropertyChanged_ _pathLocationControlDoubleClick_ _positionAndResizeSearchParts _queryViewOptions _recentPlacesNode _runCreateNewFolderDialog_ _saveAppSmartFolderQueryNode_ _saveIconViewImagePosition_ _saveIconViewSize_ _saveIconViewTextSize_ _saveQueryButtonClick_ _searchFieldAction_ _searchFieldCancelAction_ _setAccessibilityStringsForNormalFileListModeControl _setPathLocationEmptyTitle_ _setRootNodeAsDocuments _setSearchResultsCountTo_ _setUserHasChangedDirectory_ _setupHistoryControl _setupNormalFileListModeControl _setupRuleEditorForScopeView _setupSearchParts _setupSegmentSwitchForControl_firstImage_secondImage_thirdImage_action_showDropDown_ _showNodeWithFilename_selectIfEnabled_ _showQueryProgress _slicePlusButtonClick_ _startObservingRootNode_ _stopObservingRootNode_ _templateImageWithName_ _topContainerView _updateMenuItem_ _updatePathLocationControl _updatePreviewPanelIfRequired _updateSearchResultsCount_ canChooseURL_ clockPreferencesChanged_ configureAndLoadLayout currentModeView currentResolvedDirectoryNode goBackwardInHistoryIfPossible goForwardInHistoryIfPossible gotoSheetDidEnd_returnCode_contextInfo_ handleCurrentDirectoryNodeChanged handleRootChangedFromNode_toNode_andNotify_ iconViewMenu isEnabledNode_ lazyGetChildrenForNodeWithIdentifier_ loadSidebar navViewController outlineView pathControl_shouldDragPathComponentCell_withPasteboard_ performGotoForPath_ previewPanel_handleEvent_ querySearchUTIs queryStringChangedForSearchController_ ruleEditorSizeChangedForSearchController_ saveQuery searchController_queryShouldSaveWithName_forAllApps_ searchField_shouldChangeCancelButtonVisibility_ selectedPreviewNodes selectedResolvedNodes setCurrentDirectoryPath_logonOK_ setCurrentDirectoryURL_logonOK_ setIconViewMenu_ setNavViewController_ setRootPath_logonOK_ setRootURL_logonOK_ setSaveMode_ setSelectionFromDroppedNode_selectionHelper_ setSelectionFromPasteboard_selectionHelper_ setSplitViewController_ shouldEnableURL_ shouldShowMediaBrowser showAsPackageForURL_ showOrHidePreviewPanel sidebarController splitViewController tileVertically NSNavViewController _outlineAutosaveFileName menuItemAction_ rootNodeIsQuery setRootNodeIsQuery_ NSNavVirtualNode NSNegateBooleanTransformerName NSNegativeCurrencyFormatString NSNetService TXTRecordData _dispatchCallBackWithError_ _includesAWDL _internalNetService _internal_publishWithOptions_ _monitors _scheduleInDefaultRunLoopForMode_ _setIncludesAWDL_ getInputStream_outputStream_ hostName includesPeerToPeer initWithCFNetService_ initWithDomain_type_name_ initWithDomain_type_name_port_ normalizedType protocolSpecificInformation publishWithOptions_ publishWithServer_ resolve resolveWithTimeout_ setIncludesPeerToPeer_ setProtocolSpecificInformation_ setTXTRecordData_ startMonitoring stopMonitoring NSNetServiceBrowser _dispatchCallBack_flags_error_ _internalNetServiceBrowser searchForAllDomains searchForBrowsableDomains searchForRegistrationDomains searchForServicesOfType_inDomain_ NSNetServiceListenForConnections NSNetServiceNoAutoRename NSNetServicesActivityInProgress NSNetServicesBadArgumentError NSNetServicesCancelledError NSNetServicesCollisionError NSNetServicesErrorCode NSNetServicesErrorDomain NSNetServicesInternal copyScheduledRunLoop_andMode_ monitors setMonitors_ setScheduledRunLoop_andMode_ NSNetServicesInvalidError NSNetServicesNotFoundError NSNetServicesTimeoutError NSNetServicesUnknownError NSNetworkDomainMask NSNewlineCharacter NSNextDayDesignations NSNextFunctionKey NSNextHashEnumeratorItem NSNextMapEnumeratorPair NSNextNextDayDesignations NSNextStepFrame _calcTextRect_ _clearPressedButtons _resize_ _setCloseEnabled_ doClose_ doIconify_ needsFill setCloseTarget_ NSNextStepInterfaceStyle NSNib _initWithNibNamed_bundle_options_ _initWithPath_bundle_ _instantiateNibWithExternalNameTable_options_ _instantiateWithOwner_options_topLevelObjects_ _loadNibDataFromPath_ inheritsDecodeTimeBundlePath initWithKeyedObjectsDataSettingBundleAtDecodeTime_ initWithNibData_bundle_ initWithNibNamed_bundle_ instantiateNibWithExternalNameTable_ instantiateNibWithOwner_topLevelObjects_ instantiateWithOwner_topLevelObjects_ setInheritsDecodeTimeBundlePath_ NSNibAXAttributeConnector attributeValue setAttributeValue_ NSNibAXRelationshipConnector NSNibAuxiliaryActionConnector setTrigger_ NSNibBindingConnector _previousNibBindingConnector _setPreviousNibBindingConnector_ _updateForVersion_ _updateLabel NSNibConnector NSNibControlConnector NSNibExternalObjectEntry initWithKey_object_ objectDescription NSNibExternalObjectPlaceholder externalObjectPlaceholderIdentifier setExternalObjectPlaceholderIdentifier_ NSNibLoadingException NSNibOutletCollectionConnector addsContentToExistingCollection runtimeCollectionClassName setAddsContentToExistingCollection_ setRuntimeCollectionClassName_ NSNibOutletConnector _shouldUseSelector_forOutlet_source_ NSNibOwner NSNibTopLevelObjects NSNoBorder NSNoCellMask NSNoFontChangeAction NSNoImage NSNoInterfaceStyle NSNoModeColorPanel NSNoScriptError NSNoScrollerParts NSNoSelectionMarker NSNoSelectionPlaceholderBindingOption NSNoSpecifierError NSNoSubelement NSNoTabsBezelBorder NSNoTabsLineBorder NSNoTabsNoBorder NSNoTitle NSNoTopLevelContainersSpecifierError NSNoUnderlineStyle NSNonLossyASCIIStringEncoding NSNonStandardCharacterSetFontMask NSNonZeroWindingRule NSNonactivatingPanelMask NSNormalWindowLevel NSNormalizedPredicateOption NSNotApplicableMarker NSNotApplicablePlaceholderBindingOption NSNotEqualToPredicateOperatorType NSNotFound NSNotPredicateType NSNotification NSNotificationCenter NSNotificationCoalescingOnName NSNotificationCoalescingOnSender NSNotificationDeliverImmediately NSNotificationNoCoalescing NSNotificationObservable NSNotificationPostToAllSessions NSNotificationQueue _flushNotificationQueue dequeueNotificationsMatching_coalesceMask_ enqueueNotification_postingStyle_ enqueueNotification_postingStyle_coalesceMask_forModes_ initWithNotificationCenter_ NSNotificationSuspensionBehaviorCoalesce NSNotificationSuspensionBehaviorDeliverImmediately NSNotificationSuspensionBehaviorDrop NSNotificationSuspensionBehaviorHold NSNull NSNullCellType NSNullFileHandle NSNullGlyph NSNullPlaceholderBindingOption NSNumber NSNumberFormatter NSNumberFormatterBehavior10_0 NSNumberFormatterBehavior10_4 NSNumberFormatterBehaviorDefault NSNumberFormatterCurrencyAccountingStyle NSNumberFormatterCurrencyISOCodeStyle NSNumberFormatterCurrencyPluralStyle NSNumberFormatterCurrencyStyle NSNumberFormatterDecimalStyle NSNumberFormatterNoStyle NSNumberFormatterOrdinalStyle NSNumberFormatterPadAfterPrefix NSNumberFormatterPadAfterSuffix NSNumberFormatterPadBeforePrefix NSNumberFormatterPadBeforeSuffix NSNumberFormatterPercentStyle NSNumberFormatterRoundCeiling NSNumberFormatterRoundDown NSNumberFormatterRoundFloor NSNumberFormatterRoundHalfDown NSNumberFormatterRoundHalfEven NSNumberFormatterRoundHalfUp NSNumberFormatterRoundUp NSNumberFormatterScientificStyle NSNumberFormatterSpellOutStyle NSNumberOfColorComponents NSNumericPadKeyMask NSNumericSearch NSODContext NSODNode __getODNodeRef accountPoliciesAndReturnError_ addAccountPolicy_toCategory_error_ createRecordWithRecordType_name_attributes_error_ customCall_sendData_error_ customFunction_data_error_ customFunction_payload_error_ initWithSession_name_error_ initWithSession_name_options_error_ initWithSession_type_error_ initWithSession_type_options_error_ nodeDetailsForKeys_error_ nodeName passwordContentCheck_forRecordName_error_ policiesAndReturnError_ recordWithRecordType_name_attributes_error_ removeAccountPolicy_fromCategory_error_ removePolicy_error_ setAccountPolicies_error_ setCredentialsUsingKerberosCache_error_ setCredentialsWithRecordType_authenticationType_authenticationItems_continueItems_context_error_ setCredentialsWithRecordType_recordName_password_error_ setPolicies_error_ setPolicy_value_error_ subnodeNamesAndReturnError_ supportedAttributesForRecordType_error_ supportedPoliciesAndReturnError_ supportedRecordTypesAndReturnError_ unreachableSubnodeNamesAndReturnError_ verifyCredentialsWithRecordType_authenticationType_authenticationItems_continueItems_context_error_ NSODQuery __getODQueryRef initWithNode_forRecordTypes_attribute_matchType_queryValues_returnAttributes_maximumResults_error_ resultsAllowingPartial_error_ NSODRecord __getODRecordRef addMemberRecord_error_ addValue_toAttribute_error_ authenticationAllowedAndReturnError_ changePassword_toPassword_error_ deleteRecordAndReturnError_ effectivePoliciesAndReturnError_ enumerateMembersWithOptions_returnAttributes_usingBlock_ enumerateMembershipWithOptions_returnAttributes_usingBlock_ isMemberRecordRefresh_error_ isMemberRecord_error_ passwordChangeAllowed_error_ passwordContentSummaryAndReturnError_ passwordPolicyAndReturnError_ recordDetailsForAttributes_error_ recordName recordType removeMemberRecord_error_ removeValue_fromAttribute_error_ removeValuesForAttribute_error_ secondsUntilAuthenticationsExpire secondsUntilPasswordExpires setNodeCredentialsUsingKerberosCache_error_ setNodeCredentialsWithRecordType_authenticationType_authenticationItems_continueItems_context_error_ setNodeCredentials_password_error_ setValue_forAttribute_error_ synchronizeAndReturnError_ valuesForAttribute_error_ verifyExtendedWithAuthenticationType_authenticationItems_continueItems_context_error_ verifyPassword_error_ willAuthenticationsExpire_ willPasswordExpire_ NSODSession __getODSessionRef addConfiguration_authorization_error_ configurationAuthorizationAllowingUserInteraction_error_ configurationDictionaryForNodename_ configurationForNodename_ configurationTemplateNames deleteConfigurationWithNodename_authorization_error_ deleteConfiguration_authorization_error_ externalizedAuthorizationForm_authorization_node_error_ initWithOptions_error_ mappingTemplateNames nodeNamesAndReturnError_ sendConfigurationCode_propertyList_authorization_error_ templatesInFolder_ NSOKButton NSOPENGL_CURRENT_VERSION NSOSF1OperatingSystem NSOSStatusErrorDomain NSOVTrackingAreaOwner NSOVWrapperButton NSObject _ NSObjectAutoreleasedEvent NSObjectController NSObjectDetailBinder NSObjectExtraRefDecrementedEvent NSObjectExtraRefIncrementedEvent NSObjectInaccessibleException NSObjectInternalRefDecrementedEvent NSObjectInternalRefIncrementedEvent NSObjectNotAvailableException NSObjectParameterBinder NSObjectSpecifier NSObliquenessAttributeName NSObservableKeyPath _wantsChanges changes NSObservation initWithObservable_observer_ NSObservationBuffer NSObservationSink NSObservationSource NSObservationTransformer NSObservedKeyPathKey NSObservedObjectKey NSObservedValue copyToHeap setFinished_ NSObserverKeyPath setObservation_ NSObsoleteBitmap NSOffState NSOffStateImageBinding NSOfficeOpenXMLTextDocumentType NSOffsetRect NSOldStyleException NSOldValueObservationTransformer NSOnOffButton NSOnState NSOnStateImageBinding NSOneByteGlyphPacking NSOneLevelViewBuffer cacheRect_ restore validate NSOnlyScrollerArrows NSOpenAndSavePanelContentView handleClientSideWindowDragEvents setHandleClientSideWindowDragEvents_ NSOpenDocumentReader _applyAttributes_ _changeNamespace_fromPrefix_toPrefix_ _dateForString_ _parseCharacterAttributesFromElement_attributes_ _parseData_ _parseParagraphAttributesFromElement_attributes_ initWithArchive_options_ parser_didEndElement_namespaceURI_qualifiedName_ parser_didEndMappingPrefix_ parser_didStartElement_namespaceURI_qualifiedName_attributes_ parser_didStartMappingPrefix_toURI_ parser_foundCharacters_ NSOpenDocumentTextDocumentType NSOpenDocumentWriter _generateContent _listClassForListRange_ _openListsForParagraphStyle_atIndex_inString_ _paragraphClassforParagraphStyle_range_ _spanClassForAttributes_inParagraphClass_spanClass_ archive_contentsForEntryName_ contentData metaData openDocumentFormatData zipFileArchive NSOpenGLCPCurrentRendererID NSOpenGLCPGPUFragmentProcessing NSOpenGLCPGPUVertexProcessing NSOpenGLCPHasDrawable NSOpenGLCPMPSwapsInFlight NSOpenGLCPRasterizationEnable NSOpenGLCPReclaimResources NSOpenGLCPStateValidation NSOpenGLCPSurfaceBackingSize NSOpenGLCPSurfaceOpacity NSOpenGLCPSurfaceOrder NSOpenGLCPSurfaceSurfaceVolatile NSOpenGLCPSwapInterval NSOpenGLCPSwapRectangle NSOpenGLCPSwapRectangleEnable NSOpenGLContext CGLContextObj _contextAuxiliary _initWithCGLContextObj_ _surfaceDidComeBack_ _surfaceWillGoAway_ clearDrawable copyAttributesFromContext_withMask_ createTexture_fromView_internalFormat_ currentVirtualScreen defaultFramebufferDimensions flushBuffer getValues_forParameter_ hasDefaultFramebuffer initWithCGLContextObj_ initWithFormat_shareContext_ isSharedWithContext_ makeCurrentContext pixelBufferCubeMapFace pixelBufferMipMapLevel setCurrentVirtualScreen_ setFullScreen setOffScreen_width_height_rowbytes_ setPixelBuffer_cubeMapFace_mipMapLevel_currentVirtualScreen_ setTextureImageToPixelBuffer_colorBuffer_ setValues_forParameter_ NSOpenGLContextAuxiliary NSOpenGLContextParameterCurrentRendererID NSOpenGLContextParameterGPUFragmentProcessing NSOpenGLContextParameterGPUVertexProcessing NSOpenGLContextParameterHasDrawable NSOpenGLContextParameterMPSwapsInFlight NSOpenGLContextParameterRasterizationEnable NSOpenGLContextParameterReclaimResources NSOpenGLContextParameterStateValidation NSOpenGLContextParameterSurfaceBackingSize NSOpenGLContextParameterSurfaceOpacity NSOpenGLContextParameterSurfaceOrder NSOpenGLContextParameterSurfaceSurfaceVolatile NSOpenGLContextParameterSwapInterval NSOpenGLContextParameterSwapRectangle NSOpenGLContextParameterSwapRectangleEnable NSOpenGLGOClearFormatCache NSOpenGLGOFormatCacheSize NSOpenGLGOResetLibrary NSOpenGLGORetainRenderers NSOpenGLGOUseBuildCache NSOpenGLGetOption NSOpenGLGetVersion NSOpenGLLayer _appkitViewBackingLayerUniqueMethod canDrawInOpenGLContext_pixelFormat_forLayerTime_displayTime_ drawInOpenGLContext_pixelFormat_forLayerTime_displayTime_ openGLContext openGLContextForPixelFormat_ openGLPixelFormat openGLPixelFormatForDisplayMask_ setOpenGLContext_ setOpenGLPixelFormat_ NSOpenGLPFAAccelerated NSOpenGLPFAAcceleratedCompute NSOpenGLPFAAccumSize NSOpenGLPFAAllRenderers NSOpenGLPFAAllowOfflineRenderers NSOpenGLPFAAlphaSize NSOpenGLPFAAuxBuffers NSOpenGLPFAAuxDepthStencil NSOpenGLPFABackingStore NSOpenGLPFAClosestPolicy NSOpenGLPFAColorFloat NSOpenGLPFAColorSize NSOpenGLPFACompliant NSOpenGLPFADepthSize NSOpenGLPFADoubleBuffer NSOpenGLPFAFullScreen NSOpenGLPFAMPSafe NSOpenGLPFAMaximumPolicy NSOpenGLPFAMinimumPolicy NSOpenGLPFAMultiScreen NSOpenGLPFAMultisample NSOpenGLPFANoRecovery NSOpenGLPFAOffScreen NSOpenGLPFAOpenGLProfile NSOpenGLPFAPixelBuffer NSOpenGLPFARemotePixelBuffer NSOpenGLPFARendererID NSOpenGLPFARobust NSOpenGLPFASampleAlpha NSOpenGLPFASampleBuffers NSOpenGLPFASamples NSOpenGLPFAScreenMask NSOpenGLPFASingleRenderer NSOpenGLPFAStencilSize NSOpenGLPFAStereo NSOpenGLPFASupersample NSOpenGLPFATripleBuffer NSOpenGLPFAVirtualScreenCount NSOpenGLPFAWindow NSOpenGLPixelBuffer CGLPBufferObj initWithCGLPBufferObj_ initWithTextureTarget_textureInternalFormat_textureMaxMipMapLevel_pixelsWide_pixelsHigh_ textureInternalFormat textureMaxMipMapLevel textureTarget NSOpenGLPixelFormat CGLPixelFormatObj _fallbackInitializer _initWithCGLPixelFormatObj_ _pixelFormatAuxiliary getValues_forAttribute_forVirtualScreen_ initWithAttributes_ initWithCGLPixelFormatObj_ isSharableWithPixelFormat_ numberOfVirtualScreens NSOpenGLPixelFormatAuxiliary NSOpenGLProfileVersion3_2Core NSOpenGLProfileVersion4_1Core NSOpenGLProfileVersionLegacy NSOpenGLSetOption NSOpenGLView _surfaceNeedsUpdate_ canAnimateOnBackgroundThread clearGLContext initWithFrame_pixelFormat_ prepareOpenGL reshape setCanAnimateOnBackgroundThread_ NSOpenPanel _accessoryViewDisclosed _accessoryViewDisclosedVBKVO _accessoryViewDisclosureIsSupported _accessoryViewFrameDidChange_ _accessoryViewImageView _addCurrentDirectoryToRecentPlaces _alertInformativeMessage _alertMessage _alertStyleContentView _allowSearchingForFolders _appCentricSidebarWidth _beginWithFileNames _bottomControlsDisabled _canChooseURL_ _canGoIntoSelectedDirectory _canSendSynchronousMessagesToRemote _cancelAndClose _cancelButtonTitle _centerOnScreen _changeOptionsButtonTitleIfNecessary _clearDelegateOptions _clientPID _commitPendingEditsIn_nameField _commitPendingTags _computeMinPixelHeightForSimpleSavePanel_navViewMinHeight_visibleFrameAvailable_ _computeMinPixelWidthForSimpleSavePanel_navViewMinWidth_ _configureAccessoryView _configureAlertContentView _configureBottomControls _configureDirectoryPopup _configureExtraControls _configureForDirectory_forceDefault_ _configureForFilename_ _configureMessageView _configureSavePane _defaultDocumentsDirectoryURL _defaultMessageAttributes _delegateCompareFilename_with_caseSensitive_ _delegateRespondsToCompareFilename _delegateShouldEnableURL_ _directoryPreferringURL_ _directoryURLDefault _discloseAccessoryViewShowingView_isBeginning_animate_navViewMinSize_ _discloseAccessoryView_animate_accessoryViewChanged_ _dismissModeless_ _dismissWindowWithReturnCode_willRunSeamlessOpening_ _doMakeKeyAndOrderFront _documentWindowFrameForPanelRunningAsASheet_ _dontSaveButtonTitle _durationMultiplier _enableSeamlessOpening _enabledFileTypes _ensureWindowWithFrame_exceedsMinContentSize_animate_deltaContentSize_ _fauxFilePackageTypes _fetchExpandedFrameSize_ _fetchExpandedState _fetchUserSetHideExtensionButtonState _fileInfoForPaths_sandboxPermissions_ _filenameHasAcceptableFileType_ _filenameHasNonEmptyAcceptableFileType_ _filenamesAlwaysIncludingDirectories _filenamesWithAlwaysIncludingDirectories_wantRawURLs_ _fixFetchExpandedFrameSizeForVisibleFrameWithDocumentWindow_navViewMinSize_visibleFrameAvailable_ _fixupKeyboardLoop _getAccessoryViewScreenShot _getAndAdjustContentMinSizeForMinFrameSize_ _getAndAdjustContentMinSizeWithNavViewMinSize_isExpanded_visibleFrameAvailable_ _getNewFolderOrDocumentButtonOrNil _getOutOfTheWayAndPostNewDocumentAction_ _handleCurrentDirectoryChanged_ _handleFileListConfirmedSelection_ _handleFileListModeChanged_ _handleFileListSelectionChanged_ _handleGoIntoSelectedDirectory _handleNameFieldContentsChangedAsGoto _handleNameFieldContentsChanged_ _handleShowAllExtensionsPrefChanged_ _hiddenExtension _hideAccessoryViewAnimated_navViewMinSize_ _hidePreviewPanelIfNecessary _hideWindowForTimeMachineMode_ _horizontallyLayoutButton_followingButton_relativeTo_isLTR_spacingToButton_outFrame_invalidate_ _iCloudOpenPanel _initAppCentric_ _initPanelCommon _initSaveMode _init_iCloudOpenPanel_ _initializeiCloudOpenPanelBehavior _isAllowedFileNameExtension_ _isDirectoryURL_ _isEnabledItemWithExtensionProvider_HFSTypeProvider_UTIProvider_ _isExpanded _isExpandedAndStoreStateDictionaryMessage _isFauxFilePackageURL_ _isFileTypeEnabledForURL_ _isModal _isSaveFilenameLengthLegal _isUserAccessoryViewFrameChange _lastSavedDirectoryFromDefaults _lastSavedRootDirectoryFromDefaults _layoutViewsVerticallyAndResize _layoutViewsVerticallyAndResizeWindowToLastExpandedSize_ _layoutViewsVerticallyAndResizeWindowToLastExpandedSize_accessoryViewHeight_documentWindow_navViewMinSize_visibleFrameAvailable_ _loadAlertStyleContentViewIfNecessary _loadPreviousModeAndLayout _makeAppkitBasedFileBrowser _makeFileBrowserView _makeFinderKitBasedFileBrowser _mediaBrowserShownTypes _minExpandedFrameSize_visibleFrameAvailable_ _minNonExpandedFrameSize_visibleFrameAvailable_ _nameFieldContentsAsPosixName _nameWithLooseRequiredExtensionCheck_ _nameWithRequiredExtensionCheck_appendExtensionIfRequired_ _nameWithStrictRequiredExtensionCheck_ _navView _navViewWindowOrderedIn _navViewWindowOrderedOut _nonDelegateShouldEnableURL_isDirectory_ _nsSavePanel_SendFileSystemChangeNotification _okButtonDisabled _okForOpenMode _okForSaveMode _orderRemoteWindow_sender_ _overwriteExistingFileCheck_ _overwritingAlertSuppressionURL _perDialogPrefString_ _preferredFileNameExtension _prepareSeamlessOpening _reactToPanelDismissalWithReturnCode_ _readFileListMode _reallyStartOpenProgressIndicator _registerForDragTypes _registerKVOWithViewBridgeService_onBridge_ _registerKey_withViewBridgeService_onBridge_defaultObject_owner_assertOnNULLForKeys_shouldObserveBridge_bridgeShouldObservePanel_ _registerTagsWithFinder _reloadDisplayState _remoteAccessoryViewAvailable _resolveUbiquitousConflictsForURLs_ _restoreDefaultSettingsCommon _restoreDefaultSettingsForOpenMode _restoreDefaultSettingsForSaveMode _revertOriginalDocumentCheckBoxHit_ _rootDirectoryURLDefault _runningAsAService _runningAsASheet _sandboxExtensions _sandboxPermissions _saveCurrentPanelState_ _securityScopedURL _securityScopedURLs _selectFilePath_ _selectNameFieldContentsExcludingExtension _selectURL_ _selectedURLsWithAlwaysIncludingDirectories_wantRawURLs_ _selectionIsASingleFolder _sendDelegateWillExpand_ _sendDidChangeToDirectoryURL_toDelegate_ _sendDirectoryDidChange _sendDirectoryDidChange_toDelegate_ _sendPanelWillExpand_toDelegate_ _sendSelectionDidChange _sendSelectionDidChangeToDelegate_ _sendShouldEnableURL_toDelegate_ _sendShouldShowFileName_fileSchemePath_toDelegate_ _sendShouldShowFileName_toDelegate_ _sendToDelegateValidateURLs_ _send_resizeKeepingPanelOnScreen_expand_animate_ _setAccessoryViewDisclosedVBKVO_ _setAccessoryViewDisclosed_ _setAccessoryViewImageView_ _setAlertStyleContentView_ _setBeginWithFileNames_ _setBottomControlsDisabled_ _setCanSendSynchronousMessagesToRemote_ _setCancelButtonTitle_ _setClientPID_ _setDontSaveButtonTitle_ _setEnabledFileTypes_ _setFauxFilePackageTypes_ _setFrameForTimeMachineMode_animate_ _setHiddenExtension_ _setIncludeNewFolderButton_ _setInitialNameFieldContentsFromPosixName_ _setIsExpandedAndStoreStateDictionaryMessage_ _setIsExpanded_ _setIsExpanded_andStoreState_ _setMessageTextFieldValueNoLayout_ _setNameFieldContentsFromPosixName_addToUndo_ _setNameFieldValueLastSet_ _setOkButtonDisabled_ _setOverwritingAlertSuppressionURL_ _setRemoteAccessoryViewAvailable_ _setRunningAsAService_ _setRunningAsASheet_ _setSandboxExtensions_ _setSandboxPermissions_ _setShouldRevertOriginalDocument_ _setShouldSetTagsForClient_ _setShouldShowOptionsButton_ _setShowNewDocumentButtonShouldLayout_ _setShowNewDocumentButton_ _setShowsRevertOriginalDocumentButton_ _setShowsTagField_ _setSupportedDelegateMethodsWithDelegate_overrides_ _setSupportedDelegateMethods_ _setTagsIfNecessary _setTags_ _setUndoableNameFieldString_ _setValidatedPosixName_ _setupFileBrowserView _shouldAlertForFileOverwrite_ _shouldAlwaysDislcoseAccessoryView _shouldAnimateAccessoryView _shouldAnimateAccessoryViewByResizingWindow _shouldAutosizeBasedOnAccessoryViewChanges _shouldEnableShareButton _shouldEnableURL_ _shouldEnableURL_isDirectoryURLHandler_ _shouldHandleAsGotoForTypedString_ _shouldRevertOriginalDocument _shouldSetTagsForClient _shouldShowAccessoryView _shouldShowOptionsButton _showAccessoryViewAnimated_navViewMinSize_ _showFilesForBrowserType_ _showNewDocumentButton _showNewFolderButton _showsRevertOriginalDocumentButton _showsTagField _startOpenProgressIndicator _startRectForSheetHeightOffset _stopOpenProgressIndicator _storeCurrentDirectory _storeExpandedFrameSize _storeExpandedFrameSizeValue_ _storeExpandedState _storeRootDirectory _storeUserSetHideExtensionButtonState _supportedDelegateMethods _swapAccessoryViewWithImageViewAndDisplay_ _swapImageViewWithAccessoryViewAndShow_ _tags _tagsDidChange_ _titlebarAuxiliaryHeight _trackObservedByVBKey_remove_ _trackObservingVBKey_remove_ _trackRegisteredVBKey_remove_ _ubiquityContainerURLs_ _unregisterKVOWithViewBridgeService_onBridge_ _unregisterKey_withViewBridgeService_onBridge_shouldRemoveObserversFromBridge_shouldRemoveObserversFromPanel_ _updateControlStates _updateExpansionButtonEnabledState _updateForAllowedFileTypesChangedWithPreviousName_previousAllowedTypes_newAllowedFileTypes_ _updateHideExtensionButtonStateFromNameFieldContents _updateNameFieldContentsFromHideExtensionButtonState _updateNewDocumentButtonEnabledState _updateNewFolderButtonEnabledState _updateOptionsButtonState _updateRevertOriginalDocumentChangesButtonState _updateSpaceBetweenExtensionCheckAndNewButton _using_AppCentricNib _validatedPosixName _visibleFrameAvailableForPanelWithDocumentWindow_ _visibleFrameAvailableForScreen _visibleFrameAvailableForScreenOfWindow_ _writeFileListMode accessoryViewContainerContentFrameDidChange_ allowedFileTypes allowsOtherFileTypes beginForDirectory_file_types_modelessDelegate_didEndSelector_contextInfo_ beginSheetForDirectory_file_modalForWindow_modalDelegate_didEndSelector_contextInfo_ beginSheetForDirectory_file_types_modalForWindow_modalDelegate_didEndSelector_contextInfo_ canChooseDirectories canCreateDirectories canDownloadUbiquitousContents canResolveUbiquitousConflicts canSelectHiddenExtension control_textView_completions_forPartialWordRange_indexOfSelectedItem_ defaultNSNumberBOOLObjectForKey_ defaultObjectForKey_ directory dontSave_ fileBrowserDidFinishPopulation_ fileBrowserDidStartPopulation_ fileBrowserFileListModeChanged_ fileBrowserPerformOpenAction_ fileBrowserQuerySearchUTIs_ fileBrowserRequestRecentPlaces_ fileBrowserSelectionDidChange_ fileBrowserSelectionWillChange_ fileBrowser_acceptsPreviewPanelControl_ fileBrowser_canChooseURL_ fileBrowser_canChooseURL_isDirectory_isPackage_ fileBrowser_clickedOnDisabledURL_ fileBrowser_configureForGotoWithFilename_ fileBrowser_didChangeToDirectoryURL_ fileBrowser_scopeChanged_ fileBrowser_selectedURLsForProposedSelection_ fileBrowser_shouldEnableURL_ fileBrowser_shouldEnableURL_isDirectory_isPackage_ fileBrowser_shouldEnableURL_isDirectory_isPackage_pathExtension_itemHFSType_typeIdentifier_ fileBrowser_showAsPackageForURL_ filenames filepathInputControllerClass hideExtensionButtonClick_ isAccessoryViewDisclosed makeButtonGroupButtonWithButton_ makeButtonGroupSpace nameFieldLabel nameFieldStringValue newFolderControllerClass newFolder_ overwriteAlertDidEnd_returnCode_contextInfo_ requiredFileType runModalForDirectory_file_ runModalForDirectory_file_relativeToWindow_ runModalForDirectory_file_types_ runModalForDirectory_file_types_relativeToWindow_ runModalForTypes_ seamlessOpenerTransientWindow_level_ sendToDelegate_userEnteredFileName_confirmed_ setAccessoryViewDisclosed_ setAccessoryViewMinWidth_ setAllowedFileTypes_ setAllowsOtherFileTypes_ setCanChooseDirectories_ setCanChooseFiles_ setCanCreateDirectories_ setCanDownloadUbiquitousContents_ setCanResolveUbiquitousConflicts_ setCanSelectHiddenExtension_ setDirectory_ setExtensionHidden_ setMessage_ setNameFieldLabel_ setNameFieldStringValue_ setRequiredFileType_ setShowsTagField_ setTagNames_ showsTagField tagNames toggleIsExpanded_ toggleOptionsView_ valueforUndefinedKey_ warmUpPowerbox NSOpenStepRootDirectory NSOpenStepUnicodeReservedBase NSOperatingSystemVersion majorVersion minorVersion patchVersion NSOperation NSOperationNotSupportedForKeyException NSOperationNotSupportedForKeyScriptError NSOperationNotSupportedForKeySpecifierError NSOperationQualityOfServiceBackground NSOperationQualityOfServiceUserInitiated NSOperationQualityOfServiceUserInteractive NSOperationQualityOfServiceUtility NSOperationQueue addOperationWithBlock_ addOperation_ addOperations_waitUntilFinished_ cancelAllOperations isSuspended maxConcurrentOperationCount operationCount operations overcommitsOperations setMaxConcurrentOperationCount_ setOvercommitsOperations_ setUnderlyingQueue_ underlyingQueue waitUntilAllOperationsAreFinished NSOperationQueueDefaultMaxConcurrentOperationCount NSOperationQueuePriorityHigh NSOperationQueuePriorityLow NSOperationQueuePriorityNormal NSOperationQueuePriorityVeryHigh NSOperationQueuePriorityVeryLow NSOptionsKey NSOrPredicateType NSOrderedAscending NSOrderedDescending NSOrderedSame NSOrderedSet NSOrderedSetChange NSOrderedSetChanges NSOrthography NSOrthographyCheckingResult initWithRange_orthography_ NSOtherItemsProxyFunctionBarItem NSOtherItemsProxyTouchBarItem NSOtherMouseDown NSOtherMouseDownMask NSOtherMouseDragged NSOtherMouseDraggedMask NSOtherMouseUp NSOtherMouseUpMask NSOtherTextMovement NSOutlineButtonCell _addLegacySourceListAttributes_darkBackground_ _addSourceListAttributes_darkBackground_ _updateTitle isGroupRow isSourceList setIsGroupRow_ setIsSourceList_ setOutlineView_ NSOutlineColumnMockGroup _cellProxyForRow_tableColumn_ _groupRect accessibilityColumnIndex initWithRow_column_tableView_ initWithRow_tableColumn_ NSOutlineMockDisclosureTriangle initWithRow_column_outlineView_ NSOutlineRow _accessibilityChildrenWithIndexes_ _accessibilityDisplaysDisclosureTriangleForRow_ _canDeselect _childrenCount _outlineTableColumnIndex accessibilityDisclosedByRowAttribute accessibilityDisclosedRowsAttribute accessibilityDisclosingAttribute accessibilityDisclosureLevelAttribute accessibilityHasOutlineColumnMockGroupForRow_column_ accessibilityIsDisclosedByRowAttributeSettable accessibilityIsDisclosedRowsAttributeSettable accessibilityIsDisclosingAttributeSettable accessibilityIsDisclosureLevelAttributeSettable accessibilityIsIndexAttributeSettable accessibilityIsSelectedAttributeSettable accessibilitySetDisclosingAttribute_ accessibilitySetSelectedAttribute_ initWithRow_ofTableView_ NSOutlineView NSOutlineViewBinder _childrenChangedForNode_ beginIgnoreChanges endIgnoreChanges expandIndexPath_ modifyObservingOutlineViewChildrenOfItem_withOption_ outlineView_didExpandItem_ outlineView_willCollapseItem_ outlineView_willDisplayCell_forTableColumn_row_ outlineView_willDisplayOutlineCell_forTableColumn_row_ startObservingOutlineViewChildrenOfItem_ stopObservingOutlineViewChildrenOfItem_ tableView_didChangeToSelectedRowIndexes_ tableView_didChangeToSortDescriptors_ tableView_objectValueForRow_ tableView_updateVisibleRowInformation_ NSOutlineViewColumnDidMoveNotification NSOutlineViewColumnDidResizeNotification NSOutlineViewDisclosureButtonKey NSOutlineViewDropOnItemIndex NSOutlineViewItemDidCollapseNotification NSOutlineViewItemDidExpandNotification NSOutlineViewItemWillCollapseNotification NSOutlineViewItemWillExpandNotification NSOutlineViewSelectionDidChangeNotification NSOutlineViewSelectionIsChangingNotification NSOutlineViewShowHideButtonKey NSOutlineViewStaticItemData expandable expanded loadedFromEncoder rowView setExpandable_ setLoadedFromEncoder_ setRowView_ NSOutputStream NSOverlayScrollerImp expandedRectForPart_ NSOwnedDictionaryProxy superRelease NSPDFImageRep PDFRepresentation setCurrentPage_ NSPDFInfo isFileExtensionHidden paperSize setFileExtensionHidden_ setOrientation_ setPaperSize_ NSPDFPanel _printInfo _setOKButtonDisabled_ _setPanel_ _setPrintInfo_ accessoryController beginSheetWithPDFInfo_modalForWindow_completionHandler_ defaultFileName setAccessoryController_ setDefaultFileName_ NSPDFPanelAccessoryViewController changePaper_ initWithOptions_customAccessoryViewController_ pdfInfo populateMenu_withPaperList_ NSPDFPanelRequestsParentDirectory NSPDFPanelShowsOrientation NSPDFPanelShowsPaperSize NSPDFPboardType NSPICTImageRep PICTRepresentation _common64BitInit bitmapImageRecordForPICTData_ newBitmapImageRepForHeight_width_data_ NSPICTPboardType NSPNGFileType NSPOSIXErrorDomain NSPPDIncludeNotFoundException NSPPDIncludeStackOverflowException NSPPDIncludeStackUnderflowException NSPPDParse endInputStream getMoreInput growBuffer_current_end_factor_ openInclude_ parseKey_ parseStream processKeyword_option_keyTran_arg_argTran_quotedArg_ readFromFile_ startInputStream_ NSPPDParseException NSPSMatrix NSPageController _animateImage_frame_toImage_frame_direction_ _animateView_frame_toView_frame_direction_ _cachePotentialViewControllers _cacheReusableViewController_identifier_ _cacheViewControllerForRepresentedObjectIfNeeded_ _cacheViewController_withSize_toCompletionHandler_ _cgSnapshotOfView_ _destinationAlphaOfDestinationTransitionViewForDirection_ _destinationAlphaOfFilterTansitionViewForDirection_destinationValid_ _destinationAlphaOfSourceTansitionViewForDirection_destinationValid_ _destinationFrameOfSourceTansitionViewForDirection_destinationValid_ _destinationTransitionView _effectiveContentView _frameOfRepresentedObjectFromDelegate_defaultFrame_ _initializeTransitionViewHierarchy _isInSwipeGesture _makeViewControllerWithIdentifier_ _navigateToIndex_animated_ _performAnimationWithDirection_destinationFrame_ _prepareViewController_withObject_ _removeFromResponderChainOfView_ _setShouldDrawEdgeShadow_ _setupTransitionHierarchyWithSourceView_frame_destinationView_frame_forDirection_destinationValid_ _shouldDrawEdgeShadow _snapshotOfViewController_withSize_ _snapshotOfView_ _sourceTransitionView _teardownTransitionHierarchy _terminateCurrentAnimation _updateContentView _updateTemplateImageCache _useCachedImageViewsForTransition _viewFrameChanged_ completeTransition currentIdentifier dontCacheViewControllers hideTransitionView navigateBack_ navigateForwardToObject_ navigateForward_ removeForwardNavigableObjects selectedIndex selectedViewController setArrangedObjects_ setCurrentIdentifier_ setDontCacheViewControllers_ setSelectedIndex_ setSelectedViewController_ setTransitionStyle_ takeSelectedIndexFrom_ transitionStyle NSPageControllerTransitionStyleHorizontalStrip NSPageControllerTransitionStyleStackBook NSPageControllerTransitionStyleStackHistory NSPageData _mappedFile _setOriginalFileInfoFromFileAttributes_ deserializer initFromSerializerStream_length_ initWithContentsOfMappedFile_withFileAttributes_ initWithDataNoCopy_ writeFd_ writeFile_ NSPageDownFunctionKey NSPageLayout _deprecatedReadPrintInfo _deprecatedWritePrintInfo _sheet_didEndWithResult_contextInfo_ accessoryControllers addAccessoryController_ beginSheetWithPrintInfo_modalForWindow_delegate_didEndSelector_contextInfo_ convertOldFactor_newFactor_ pickedButton_ pickedOrientation_ pickedPaperSize_ pickedUnits_ readPrintInfo removeAccessoryController_ runModalWithPrintInfo_ writePrintInfo NSPageSize NSPageUpFunctionKey NSPageableTableView _commonPageTableInit _updateLastVisibleHeightIfNeeded displayedRowCount page scrollToPage setDisplayedRowCount_ setPage_ setPaged_ tableView_heightOfRow_ NSPanGestureRecognizer _auxLocationInWindow _auxModifierFlags _auxTimestamp _noteStateChanged _panAuxiliary _setTranslatesContextOrigin_ _translatesContextOrigin _updateForMouseDownWithEvent_ _updatePropertiesWithLocation_event_ velocityInView_ NSPanel NSPanelController _setTextFieldStringValue_ gotString showPanel_andNotify_with_ NSPaperOrientationLandscape NSPaperOrientationPortrait NSPaperSizeDocumentAttribute NSParagraphArbitrator adjustedLineBreakIndexForProposedIndex_ initWithAttributedString_range_ lineBreakContextBeforeIndex_lineFragmentWidth_range_ paragraphRange setParagraphRange_ setValidateLineBreakContext_ validateLineBreakContext NSParagraphSeparatorCharacter NSParagraphStyle NSParagraphStyleAttributeName NSParagraphStyleExtraData NSParseErrorException NSPasteboard NSPasteboardCommunicationException NSPasteboardContentsCurrentHostOnly NSPasteboardFilter _computeDataFromData_ initWithFilterSpec_intype_outtype_ intype outtype spec NSPasteboardItem _auxObject _dataProviderForType_ _index _pasteboard _setPasteboard_index_generation_ NSPasteboardReadingAsData NSPasteboardReadingAsKeyedArchive NSPasteboardReadingAsPropertyList NSPasteboardReadingAsString NSPasteboardTypeColor NSPasteboardTypeFindPanelSearchOptions NSPasteboardTypeFont NSPasteboardTypeHTML NSPasteboardTypeMultipleTextSelection NSPasteboardTypePDF NSPasteboardTypePNG NSPasteboardTypeRTF NSPasteboardTypeRTFD NSPasteboardTypeRuler NSPasteboardTypeSound NSPasteboardTypeString NSPasteboardTypeTIFF NSPasteboardTypeTabularText NSPasteboardTypeTextFinderOptions NSPasteboardURLReadingContentsConformToTypesKey NSPasteboardURLReadingFileURLsOnlyKey NSPasteboardWritingPromised NSPathCell _accessibilityScreenRectForPathComponent_ _activeBackgroundColor _autoUpdateCellContents _borderColors _changeContentsToPath_ _createHoverChangeAnimation _drawBorderWithFrame_ _hoveredCell _iconSize _inActiveBackgroundColor _insetFrameForBorder_ _menuItemClick_ _otherItemClick_ _popUpButtonCell _popUpMenu _realPlaceHolderAttributedString _resetClickedCell _scaleImage_forSize_lockFocusOK_ _sendActionOrDoubleAction_ _setClickedPathComponentCell_ _setHoveredCell_ _setNeedsSizeUpdate _setPopUpButtonCell_ _setupPopUpButtonCellWithResizedImages_ _titleAttributes _updateCell _updateSizesForInteriorFrame_ _updateTrackingRects _valueAsFilePath _willDisplayOpenPanel_ addPathComponentCell_ allowedTypes borderColorForEdge_ clickedPathComponentCell insertPathComponentCell_atIndex_ pathComponentCellAtPoint_withFrame_inView_ pathComponentCells pathStyle rectOfPathComponentCell_withFrame_inView_ removePathComponentCellAtIndex_ setAllowedTypes_ setBorderColor_forEdge_ setPathComponentCells_ setPathStyle_ NSPathComponentCell _compareToCell_ _currentWidth _drawNavigationBarBackgroundWithFrame_inView_ _drawsAsNavigationBar _fullWidth _isDropTarget _isFirstItem _isLastItem _minWidth _overlapAmount _resizedWidth _setCurrentWidth_ _setDrawsAsNavigationBar_ _setIsDropTarget_ _setIsFirstItem_ _setIsLastItem_ _setResizedWidth_ _setShouldDrawArrowYes _setShouldDrawArrow_ _shouldDrawArrow _shouldHighlightDropTarget titleRectForBounds_imageRect_ NSPathControl _dragImageForCell_withEvent_offset_ _draggedURL_ _ensureDragContext _mainContentBounds _performDragOfCell_fromMouseDown_ _setNeedsDisplay _updateDropTargetForDraggingInfo_ _updateDropTargetToCell_ arrayWithArray_transformedByBlock_ clickedPathItem pathCell_willDisplayOpenPanel_ pathCell_willPopUpMenu_ pathItems setPathItems_ NSPathControlAuxiliary delegateWeakRefFlag dropCell dropOperation setDelegateWeakRefFlag_ setDropCell_ setDropOperation_ NSPathControlItem initWithPathComponentCell_ NSPathStore2 NSPathStyleNavigationBar NSPathStylePopUp NSPathStyleStandard NSPatternColor NSPatternColorSpace NSPatternColorSpaceModel NSPauseFunctionKey NSPenLowerSideMask NSPenPointingDevice NSPenTipMask NSPenUpperSideMask NSPerformService NSPeriodic NSPeriodicMask NSPersianCalendar NSPersistentCacheRow _initializeRelationshipCaches ancillaryOrderKeysForProperty_ copyRelationshipCachesFrom_ decrementRefCount externalReferenceCount incrementExternalReferenceCount_ incrementRefCount initWithOptions_andTimestamp_ relatedObjectIDsForProperty_ releaseRelationshipCaches setAncillaryOrderKeys_forProperty_options_andTimestamp_ setRelatedObjectIDs_forProperty_options_andTimestamp_ timestampForProperty_ toManyOffsetForProperty_ updateMissingRelationshipCachesFromOriginal_ NSPersistentContainer initWithName_managedObjectModel_ loadPersistentStoresWithCompletionHandler_ newBackgroundContext performBackgroundTask_ persistentStoreDescriptions setPersistentStoreDescriptions_ viewContext NSPersistentDocument _configurePersistentStoreCoordinatorForURL_ofType_error_ _documentEditor_didCommit_withContext_ _isAtomicPersistentStoreType_ _movePersistentStore_fromURL_toURL_attributes_error_ _persistentStoreCoordinator _releaseRelatedItemsForURL_ _requestRelatedItemForURL_withLastComponent_ _requestSQLiteRelatedItemsForURL_attributes_ configurePersistentStoreCoordinatorForURL_ofType_error_ configurePersistentStoreCoordinatorForURL_ofType_modelConfiguration_storeOptions_error_ persistentStoreTypeForFileType_ NSPersistentStore NSPersistentStoreAsynchronousResult NSPersistentStoreCache _createExternalDataDictWithValueCallbacks_ _forgetRowForObjectID_ _registerRow_forObjectID_options_ _registerToMany_withOrderKeys_forSourceObjectID_forProperty_options_andTimestamp_ ancillaryOrderKeysForSourceObjectID_forProperty_afterTimestamp_ decrementRefCountForObjectID_ forgetRowForObjectID_ growRegistrationCollectionTo_ incrementRefCountForObjectID_ initWithPersistentStore_ initWithValueCallbacks_preserveToManyRelationships_ refCountForObjectID_ registerRow_forObjectID_ registerRow_forObjectID_options_ registerToMany_withOrderKeys_forSourceObjectID_forProperty_andTimestamp_ registerToMany_withOrderKeys_forSourceObjectID_forProperty_options_andTimestamp_ rowForObjectID_ rowForObjectID_afterTimestamp_ toManyForSourceObjectID_forProperty_afterTimestamp_ toManyInformationForSourceObjectID_forProperty_afterTimestamp_ NSPersistentStoreCoordinator URLForPersistentStore_ _addPersistentStore_identifier_ _assignObject_toPersistentStore_forConfiguration_ _assignObjects_toStore_ _canRouteToStore_forContext_ _canSaveGraphRootedAtObject_intoStore_withPreviouslyChecked_withAcceptableEntities_ _checkForPostLionWriter_ _checkForSkewedEntityHashes_metadata_ _checkRequestForStore_withContext_originalRequest_andOptimisticLocking_ _conflictsWithRowCacheForObject_withContext_andStore_ _contactsIdentifierForObjectID_ _coordinator_no_idea_what_kind_of_request_that_was_supposed_to_be _coordinator_you_never_successfully_opened_the_database_cant_open_ _coordinator_you_never_successfully_opened_the_database_corrupted_ _coordinator_you_never_successfully_opened_the_database_device_locked_ _coordinator_you_never_successfully_opened_the_database_disk_full_ _coordinator_you_never_successfully_opened_the_database_io_error_ _coordinator_you_never_successfully_opened_the_database_missing_directory_ _coordinator_you_never_successfully_opened_the_database_no_permission_ _coordinator_you_never_successfully_opened_the_database_schema_mismatch_ _coordinator_you_never_successfully_opened_the_database_so_saving_back_to_it_is_kinda_hard_ _copyMetadataFromStore_toStore_migrationManager_ _deleteAllRowsNoRelationshipIntegrityForStore_andEntityWithAllSubentities_error_ _destroyPersistentStoreAtURL_withType_error_ _destroyPersistentStoreAtURL_withType_options_error_ _doPreSaveAssignmentsForObjects_intoStores_ _exceptionNoStoreSaveFailureForError_recommendedFrame_ _externalRecordsHelper _fetchAllInstancesFromStore_intoContext_underlyingException_ _importAttributes_relationships_fromExternalRecordDictionary_intoInstance_oldStoreID_newStoreID_useClonedObjectIDs_usingLookup_ _importExternalRecordsAtStoreUUIDPath_intoStore_batchSize_error_ _importedObjectForOriginalEntityName_originalPrimaryKey_newStoreID_usingLookup_inContext_useClonedObjectIDs_ _importedObjectIDForOriginalEntityName_primaryKey_usingLookup_inContext_ _introspectLastErrorAndThrow _isRegisteredWithCloudKit _isRegisteredWithUbiquity _newConflictRecordForObject_andOriginalRow_withContext_ _newObjectGraphStyleRecordForRow_andObject_withContext_ _objectIDForContactsIdentifier_entityName_store_ _persistentStoreForIdentifier_ _postStoresChangedNotificationsForStores_changeKey_options_ _processStoreResults_forRequest_ _qosClassOptions _realStoreTypeForStoreWithType_URL_options_error_ _refreshTriggerValuesInStore_error_ _removePersistentStore_ _replacePersistentStoreAtURL_destinationOptions_withPersistentStoreFromURL_sourceOptions_storeType_error_ _retainedAllMigratedObjectsInStore_toStore_ _retainedIdentifierFromStores_ _retainedPersistentStores _routableStoresForContext_fromStores_ _routeHeavyweightBlock_ _routeLightweightBlock_toStore_ _saveRequestForStore_withContext_originalRequest_andOptimisticLocking_ _setIsRegisteredWithCloudKit_ _setIsRegisteredWithUbiquity_ _setQosClassOptions_ _validateQueryGeneration_error_ addPersistentStoreWithDescription_completionHandler_ addPersistentStoreWithType_configuration_URL_options_error_ destroyPersistentStoreAtURL_withType_options_error_ importStoreWithIdentifier_fromExternalRecordsDirectory_toURL_options_withType_error_ managedObjectIDForURIRepresentation_ managedObjectIDForURIRepresentation_error_ managedObjectIDFromUTF8String_length_ managedObjectIDFromUTF8String_length_error_ metadataForPersistentStore_ migratePersistentStore_toURL_options_withType_error_ persistentStoreForIdentifier_ persistentStoreForURL_ persistentStores removePersistentStore_error_ replacePersistentStoreAtURL_destinationOptions_withPersistentStoreFromURL_sourceOptions_storeType_error_ setMetadata_forPersistentStore_ setURL_forPersistentStore_ NSPersistentStoreDescription setShouldAddStoreAsynchronously_ setShouldInferMappingModelAutomatically_ setShouldInvokeCompletionHandlerConcurrently_ setShouldMigrateStoreAutomatically_ setValue_forPragmaNamed_ shouldAddStoreAsynchronously shouldInferMappingModelAutomatically shouldInvokeCompletionHandlerConcurrently shouldMigrateStoreAutomatically sqlitePragmas NSPersistentStoreMap NSPersistentStoreRequest NSPersistentStoreResult NSPersistentUIBucket encodeInvalidPersistentStateIntoRecords_ frameString initWithWindowID_ isGlobal isMenuBar setFrameString_ setPublicProperty_forKey_ NSPersistentUICrashHandler clearCrashCountFileIfNecessary crashBlameCounter initWithRestorationCountFileURL_ inspectCrashDataWithModification_handler_ modifyCrashBlameCounterBy_ NSPersistentUIEncodedReference initForPersistentIdentifier_windowID_ setWindowID_ NSPersistentUIManager _trySystemCallDescribedBy_executor_ acquireDirtyState addObjectForKeyedState_type_underKey_forIdentifier_inWindow_inBackground_ addPendingKeyPath_forObject_ applicationDidDeactivate_ beginAcquiringExternallyCreatedWindows cancelFlushTimer changePersistentKeyPathObservationForPaths_inObject_to_ changeWindow_toStatus_withConditionalGeneration_ copyAcquiredExternallyCreatedWindows copyPersistentCarbonWindowDictionariesAtTimeOfAppLaunch createPersistentWindow delayCGWindowOrderingIfNecessary deletePersistentWindow_ destroyExternallyCreatedWindows_ disableRestorableStateWriting discardAllPersistentStateAndClose elideAllFileWrites enableRestorableStateWriting flushAllChangesOptionallyWaitingUntilDone_updatingSnapshots_ flushPersistentStateAndClose_waitingUntilDone_ fullyDirtyAndReopenPersistentState hasFinishedRestoringWindows hasPersistentStateToRestore ignoreAnyPreexistingPersistentState openPersistentStateFile performDockCommands_withOldWindowIDToNewWindowID_ performingWindowOrdering persistentStateDirectoryURL persistentStateFileURL promptToIgnorePersistentState rawHadValidStateDirectoryAtLaunch rawStateDirectoryAtLaunch refreshEncryptionKey_ refreshStateDirectoryIfNecessary restoreAllPersistentStateWithCompletionHandler_ resumeNormalWindowOrderingAndDrawing rewriteFile_withWindowInfos_withImpendingRecords_ setObject_forKey_forPersistentWindowID_ setPublicProperties_forWindowID_ setRawHadValidStateDirectoryAtLaunch_ setRawStateDirectoryAtLaunch_ shouldRestoreStateOnLaunch shouldUseOneWindowHeuristic stateDirectoryAtLaunch tryCreatingPersistentStateDirectoryForURL_ windowInfoForWindowID_createIfNecessary_ writePublicPlistData_ writePublicPlistWithOpenWindowIDs_optionallyWaitingUntilDone_ writeRecords_toFile_ writeRecords_withWindowInfos_flushingStaleData_ NSPersistentUIPreservedStateDirectory dispose initWithStateDirectory_ readRecordsIntoArray_includeCarbonWindows_includeCocoaWindows_ NSPersistentUIRecord addSecurityScopedBookmarks_ archivedState archiver_willEncodeObject_ copyData copyRecordToNewWindowID_ copyStateDecoder encodeKeyedState_forKey_ encodeKeyedState_forKey_type_ generateArchive_ initForDecoding initForEncodingWithIdentifier_windowID_ isCarbonWindow isFromLSFileListEra keyPathStateForKey_value_ keyedState mergeFromRecord_ openedPushStateUnarchivers parsePayloadFromData_length_ persistentID securityScopedBookmarks setArchivedState_ setEncryptionKey_ setIsCarbonWindow_ setUrlsToStashInLS_ urlsToStashInLS NSPersistentUIRestorer _debugUnrestoredWindows acquireTalagentWindowDictionaries crashHandler finishedRestoringWindowsWithZOrder_completionHandler_ invokeRestoration_ jettisonTalagentWindowsWithCompletionHandler_ mungeFullScreenWindowsReturningTheirWindowNumbers orderRestoredWindows pickKeyAndMainWindows populateEncodedReferenceToResponders populateWindowRestorationsByWindowID restorationForWindowID_ restoreStateFromRecords_usingDelegate_completionHandler_ setCrashHandler_ setURLHerder_ sortRestorationsByZOrder_ tearDownStateRestorationApparatusAndResumeWindowOrdering urlHerder NSPersistentUISecureURLHerder fetchAndConsumeLSPersistentFileList getLSPersistentFileList resolveSecurityScopedURLsFromRecords_ setLSPersistentFileList_ NSPersistentUISnapshotInfo NSPersistentUIUnarchiver _setUnarchivers_ _subcoderWithValueForKey_ _unarchivers NSPersistentUIWindowInfo addURLsToStashInLS_ copyAllPublicProperties recordEncryptionKey setExternalPublicProperties_ NSPersistentUIWindowRestoration acquireTalagentWindow closeWindowCoder disposeTalagentWindowIfUnused finishRestoringWithWindow_ isFinishedRestoring lastMinuteWindowData pinRestoredWindowToTalagentWindow recordForPersistentID_ restoredWindow setLastMinuteWindowData_ setRecord_forPersistentID_ setTalagentWindowDictionary_ talagentWindow talagentWindowDictionary unpinRestoredWindowFromTalagentWindow windowCoder NSPersistentUIWindowSnapshotter accessWindowBits_handler_ asynchronouslySnapshotPendingWindows captureAndWriteSnapshotForWindowNumber_forWindowID_waitUntilDone_ cryptoKey cryptoUUID deleteSnapshotForWindowID_ deleteSnapshotForWindowID_waitUntilDone_ dequeueOneWindowToSnapshot_windowNumber_ discardAllSnapshotData enqueueWindowForSnapshotting_forWindowNumber_waitUntilDone_ finishPendingSnapshots initWithPersistentStateDirectoryURL_IOQueue_ setCryptoKey_ setCryptoKey_uuid_ setCryptoUUID_ snapshotOnePendingWindowWaitUntilDone_ synchronouslySnapshotPendingWindows updateSuddenTermination windowHasBeenSnapshotted_ writeWindowSnapshot_length_width_height_bytesPerRow_toFile_inDirectory_encryptingWithKey_uuid_checksum_fd_isUserWaitingImpatientlyForThisThingToFinish_ NSPersonNameComponentDelimiter NSPersonNameComponentFamilyName NSPersonNameComponentGivenName NSPersonNameComponentKey NSPersonNameComponentMiddleName NSPersonNameComponentNickname NSPersonNameComponentPrefix NSPersonNameComponentSuffix NSPersonNameComponents _isEmpty _scriptDeterminingStringRepresentationWithPhoneticDesired_ givenName isEqualToComponents_ middleName namePrefix nameSuffix nickname phoneticRepresentation setFamilyName_ setGivenName_ setMiddleName_ setNamePrefix_ setNameSuffix_ setNickname_ setPhoneticRepresentation_ NSPersonNameComponentsFormatter __computedNameOrderForComponents_ __computedShortNameFormat __localizedNameOrderUsingNativeOrdering_ __localizedRestrictionExistsForComponents_ignoreUndeterminedComponents_ __localizedRestrictionExistsForShortStyle_ __localizedRestrictionExistsForStyle_ __localizedShortNameFormat _forceFamilyNameFirst _forceGivenNameFirst _ignoresFallbacks _locale _nameOrderWithOverridesForComponents_ annotatedStringFromPersonNameComponents_ isEqualToFormatter_ isPhonetic personNameComponentsFromString_ setPhonetic_ set_forceFamilyNameFirst_ set_forceGivenNameFirst_ set_ignoresFallbacks_ set_locale_ stringFromPersonNameComponents_ NSPersonNameComponentsFormatterPhonetic NSPersonNameComponentsFormatterStyleAbbreviated NSPersonNameComponentsFormatterStyleDefault NSPersonNameComponentsFormatterStyleLong NSPersonNameComponentsFormatterStyleMedium NSPersonNameComponentsFormatterStyleShort NSPhoneNumberCheckingResult initWithRange_phoneNumber_ initWithRange_phoneNumber_underlyingResult_ NSPicturesDirectory NSPinyinString indexOfFirstModification initWithString_syllableCount_lastSyllableIsPartial_score_replacementCount_transpositionCount_insertionCount_deletionCount_indexOfFirstModification_rangeCount_ranges_ initWithString_syllableCount_lastSyllableIsPartial_score_replacementCount_transpositionCount_insertionCount_deletionCount_rangeCount_ranges_ lastSyllableIsPartial nonPinyinIndexSet nonPinyinRangeAtIndex_ numberOfDeletions numberOfInsertions numberOfNonPinyinRanges numberOfReplacements numberOfTranspositions syllableCount NSPipe NSPlaceholderMutableString initWithBytes_length_encoding_ NSPlaceholderNumber NSPlaceholderString NSPlaceholderValue NSPlainFileType NSPlainTextDocumentType NSPlainTextTokenStyle NSPlanarFromDepth NSPoint x y NSPointFromCGPoint NSPointFromString NSPointInRect NSPointToCGPoint NSPointerArray NSPointerFunctions NSPointerFunctionsCStringPersonality NSPointerFunctionsCopyIn NSPointerFunctionsIntegerPersonality NSPointerFunctionsMachVirtualMemory NSPointerFunctionsMallocMemory NSPointerFunctionsObjectPersonality NSPointerFunctionsObjectPointerPersonality NSPointerFunctionsOpaqueMemory NSPointerFunctionsOpaquePersonality NSPointerFunctionsStrongMemory NSPointerFunctionsStructPersonality NSPointerFunctionsWeakMemory NSPointerFunctionsZeroingWeakMemory NSPointingDeviceTypeCursor NSPointingDeviceTypeEraser NSPointingDeviceTypePen NSPointingDeviceTypeUnknown NSPoofView displayPoofImageAtIndex_ NSPopUpArrowAtBottom NSPopUpArrowAtCenter NSPopUpButton NSPopUpButtonCell _accessibilityPressAction_ _allItemsRemoved_ _applicableArrowLocation _autolayout_preferredPopupHeight _availableContentRectForCellFrame_isFlipped_ _bezelBottomOffset _bezelBottomPadding _bezelToIndicatorInsets _bezelToIndicatorOffsets _bezelTopOffset _bezelTopPadding _clearTargetsFromMenuPointingAtSelf_ _copyWithoutMenu _coreUIDefaultIndicatorImage _createAndPopulateKeyEquivalentUniquerIfNecessary _defaultIndicatorImage _defaultIndicatorSize _doPopupSearchString _drawIndicatorWithFrame_inView_ _drawStandardPopUpBorderWithFrame_inView_ _effectiveImagePosition _extraWidthForCellHeight_ _handleWillPopUpNotification _horzOffsetForTitleInFrame_withAlignment_direction_font_ _imageToBezelOrIndicatorPadding _imageToTitleHorizontalOffset _indicatorFrameForCellFrame_inView_ _indicatorFrameForCellFrame_isFlipped_ _indicatorInsets _labelOffsetInCellFrame_ofView_ _locationForPopUpMenuWithFrame_ _maxItemsToMeasureForCellSize _menuItemSelected_ _menuLocationForEvent_inCellFrame_ofView_ _menuLocationHorizontalOffset _menuMinimumWidthForEvent_inCellFrame_ofView_ _menuWillSendAction_ _popUpMenuFlags_ _popUpMenuOptionsForFlags_inRect_ofView_ _popupBezelInsets _popupBezelInsetsForCellFrame_ _popupBezelToContentPaddingOffset _popupHeightIsFlexible _popupImageSizeForCellFrame_ _popupIndicatorToContentPaddingOffset _popupPaddingInsets _popupStyleDrawsIndicator _positionsMenuAsPullDown _positionsMenuRelativeToRightEdge _preferredPopupHeight _previousItemIfExists _pulldownExtraBezelInsets _rawSetSelectedIndex_ _removePreviousItem _selectItemAtIndex_alteringState_ _setPreviousItem_ _shouldDrawIndicatorOnlyForFrame_ _subscribeToNotificationsForMenu_ _unsubscribeFromNotificationsForMenu_ _useTigerMetricsForHorizontalUnborderedOffset altersStateOfSelectedItem arrowPosition attachPopUpWithFrame_inView_ dismissPopUp initTextCell_pullsDown_ performClickWithFrame_inView_ setAltersStateOfSelectedItem_ setArrowPosition_ setUsesItemFromMenu_ usesItemFromMenu NSPopUpButtonCellWillPopUpNotification NSPopUpButtonWillPopUpNotification NSPopUpMenuWindowLevel NSPopUpNoArrow NSPopover _accessibilityShouldReportCancelAction _addForbiddenRectForBoundsOfView_ _applicationDidBecomeActive_detachedWindow_ _applicationDidResignActive_detachedWindow_ _beginPredeepAnimationRelativeToRect_ofView_preferredEdge_ _closeReason _completeShow _computeAnchorPointForFrame_ _dragWithEvent_ _executeClosingBlock _externalRectEdgeToInternalAnchorEdge_ofView_ _finalizeImplicitWindowDetach _finishClosingAndShouldNotify_ _geometryInWindowDidChangeForView_ _legacyAppearance _makePopoverWindowIfNeeded _observeFullscreenChanges_ _popoverDidEnterFullscreen_ _popoverDidExitFullscreen_ _popoverFrame _popoverWindow _popoverWindowLevel _popoverWindowSubLevel _popoverWindow_fromConstraintsSetWindowFrame_ _positioningView _prepareToShowRelativeToRect_inView_preferredEdge_ _queueClosingBlock_ _reactiveAction _removeAllForbiddenRects _repositionRelativeToRect_ofView_preferredEdge_ _requiresCorrectContentAppearance _resetImplicitWindowDetach _setCloseReason_ _setContentSize_ _setContentView_size_canAnimate_ _setLegacyAppearance_ _setListenToViewGeometryInWindowDidChange_ _setPopoverWindow_ _setRequiresCorrectContentAppearance_ _shouldStillBeVisibleRelativeToView_ _shouldUseAquaAppearanceForContentView_ _updateAnchorPoint _updateAnchorPointForFrame_reshape_ _updateContentViewAndSizeFromViewController _updatePopoverWindowLevels _updateWindowProperties _updateWindow_withContentViewController_ _validatePopoverFirstResponder_ _validatePopoverWindowFirstResponder anchorEdge anchorSize customAppearance detach detachableWindowForPopover_ drawBackgroundInRect_ofView_anchorEdge_anchorPoint_ hidesDetachedWindowOnDeactivate isDetached isShown popoverDidClose_ popoverDidDetach_ popoverDidShow_ popoverShouldClose_ popoverShouldDetach_ popoverWillClose_ popoverWillShow_ positioningOptions positioningRect positioningView positioningViewGeometryInWindowDidChange_ setAnchorEdge_ setCustomAppearance_ setHidesDetachedWindowOnDeactivate_ setPositioningOptions_ setPositioningRect_ setPositioningView_ setShouldHideAnchor_ setShown_ shouldHideAnchor showFrom_ showRelativeToRect_ofView_preferredEdge_ NSPopoverAnimationController anchorView setAnchorView_ NSPopoverAppearanceHUD NSPopoverAppearanceMinimal NSPopoverBehaviorApplicationDefined NSPopoverBehaviorSemitransient NSPopoverBehaviorTransient NSPopoverBinder _updatePopover_withContentWidth_contentHeight_ _updatePopover_withPositioningRect_ NSPopoverCloseReasonDetachToWindow NSPopoverCloseReasonKey NSPopoverCloseReasonStandard NSPopoverColorWell _colorSwatchEdgeInsets _showPopover afterRenderer setAfterRenderer_ NSPopoverDidCloseNotification NSPopoverDidShowNotification NSPopoverFrame _addTitlebarAnimated_completionHandler_ _adjustedForBoundsAnchorPoint_anchorEdge_ _arrowRect _clearFrameMask _closeButtonPressed_ _commonPopoverInit _coreUIOptionsWithAnchorEdge_anchorPoint_anchorSize_shouldInsetForAnchor_areasOfInterest_ _dragImage _drawFrameMaskInRect_ _drawHUDPopoverAppearanceInRect_anchorEdge_anchorPoint_ _drawMinimalPopoverAppearanceInRect_anchorEdge_anchorPoint_ _frameMask _hasDragWindowAppearance _hasTitlebar _invalidateShadow _isBackdropCompatible _isBorderView _loadTheme _markAnchorRectAsNeedingDisplay _metricsForPopoverFrame _newMinimalAppearancePathInBounds_anchorEdge_anchorPoint_topCapOnly_arrowOffset_ _newMinimalAppearancePathInBounds_anchorEdge_arrowPosition_topCapOnly_arrowOffset_ _popoverIfAvailable _removeTitlebarAnimated_completionHandler_ _setAnchorPoint_reshape_ _setDragImage_ _setHasDragWindowAppearance_ _setWantsDragWindowAppearance_ _tileAndRedisplay_updateContentView_ _updatePopoverCornerMaskOnLayer_ _verticalRangesForAreasOfInterest _wantsDragWindowAppearance effectiveAnchorEdge popoverAppearance rangeOfInterest1 rangeOfInterest2 setAnchorSize_ setPopoverAppearance_ setRangeOfInterest1_ setRangeOfInterest2_ setRangeOfInterest_sourceRange_ setShouldBlurBackground_ setShouldInsetForAnchor_ shouldBlurBackground shouldInsetForAnchor tileAndSetWindowShape_updateContentView_ NSPopoverFunctionBarItem NSPopoverToolbar _unobserveBoundObject_forKeyPath_context_ separatorIndex setSeparatorIndex_ setTabViewItems_ tabViewItems toolbarView NSPopoverTouchBarItem NSPopoverTouchBarItemButton NSPopoverWillCloseNotification NSPopoverWillShowNotification NSPort NSPortCoder NSPortDidBecomeInvalidNotification NSPortMessage initWithMachMessage_ initWithSendPort_receivePort_components_ msgid sendBeforeDate_ setMsgid_ NSPortNameServer NSPortReceiveException NSPortSendException NSPortTimeoutException NSPortraitOrientation NSPositionAfter NSPositionBefore NSPositionBeginning NSPositionEnd NSPositionReplace NSPositionalSpecifier _evaluateRelativeToObjectInContainer_ _evaluateToBeginningOrEndOfContainer_ _insertionIsAtEnd _preEvaluate _specifiesSetting _specifiesUnorderedAddition evaluate initWithPosition_objectSpecifier_ insertionContainer insertionIndex insertionKey insertionReplaces setInsertionClassDescription_ NSPositionalSpecifierMoreIVars NSPositioningRectBinding NSPositiveCurrencyFormatString NSPositiveDoubleType NSPositiveFloatType NSPositiveIntType NSPostASAP NSPostNow NSPostScriptPboardType NSPostWhenIdle NSPosterFontMask NSPowerOffEventType NSPredicate NSPredicateBinding NSPredicateEditor _compoundPredicateTypeForRootRows _constructTreeForTemplate_ _constructTreesForTemplates_ _forceUseDelegate _mergeTree_ _predicateFromRowItem_ _reflectPredicate_ _rowFromTemplate_originalTemplate_withRowType_ _rowObjectFromPredicate_ _sendsActionOnIncompleteTextChanges _setDefaultTargetAndActionOnView_ _templateControlValueDidChange_ _updateItemsByCompoundTemplates _updateItemsBySimpleTemplates _updatePredicateFromRows rowTemplates setRowTemplates_ NSPredicateEditorRowTemplate _displayValueForCompoundPredicateType_ _displayValueForConstantValue_ _displayValueForKeyPath_ _displayValueForPredicateOperator_ _leftExpressionAttributeType _predicateIsNoneAreTrue_ _rowType _setComparisonPredicate_ _setCompoundPredicate_ _setLeftExpressionObject_ _setRightExpressionObject_ _setTemplateViews_ _templateType _viewFromAttributeType_ _viewFromCompoundTypes_ _viewFromExpressionObject_ _viewFromExpressions_ _viewFromOperatorTypes_ compoundTypes displayableSubpredicatesOfPredicate_ initWithCompoundTypes_ initWithLeftExpressions_rightExpressionAttributeType_modifier_operators_options_ initWithLeftExpressions_rightExpressions_modifier_operators_options_ leftExpressions matchForPredicate_ operators predicateWithSubpredicates_ rightExpressionAttributeType rightExpressions templateViews NSPredicateFormatBindingOption NSPredicateOperator NSPreferencePanesDirectory NSPreferences _itemIdentifierForModule_ _selectModuleOwner_ _setupPreferencesPanelForOwnerAtIndex_ _setupPreferencesPanelForOwner_ _setupToolbar _setupUI addPreferenceNamed_owner_ confirmCloseSheetIsDone_returnCode_contextInfo_ preferencesContentSize showModalPreferencesPanel showModalPreferencesPanelForOwner_ showPreferencesPanel showPreferencesPanelForOwner_ toolbarItemClicked_ toolbarSelectableItemIdentifiers_ toolbar_itemForItemIdentifier_willBeInsertedIntoToolbar_ usesButtons windowDidResize_ windowShouldClose_ windowTitle window_willEncodeRestorableState_ NSPreferencesModule didChange hasChangesPending imageForPreferenceNamed_ initializeFromDefaults moduleCanBeRemoved moduleWasInstalled moduleWillBeRemoved preferencesNibName preferencesView preferencesWindowShouldClose saveChanges setPreferencesView_ set_preferencesView_ titleForIdentifier_ viewForPreferenceNamed_ willBeDisplayed NSPreferredScrollerStyleDidChangeNotification NSPrefixSpacesDocumentAttribute NSPressGestureRecognizer _hasCustomMinimumPressDuration _setHasCustomMinimumPressDuration_ cancelPastAllowableMovement clearTimer enoughTimeElapsed_ setCancelPastAllowableMovement_ startTimer NSPressedTab NSPressureBehaviorPrimaryAccelerator NSPressureBehaviorPrimaryClick NSPressureBehaviorPrimaryDeepClick NSPressureBehaviorPrimaryDeepDrag NSPressureBehaviorPrimaryDefault NSPressureBehaviorPrimaryGeneric NSPressureBehaviorUnknown NSPressureConfiguration _mtBehaviorID _mtConfiguration initWithPressureBehavior_ NSPressureSensitivePanGestureRecognizer _hasCustomDefaultPressure _setHasCustomDefaultPressure_ _updatePropertiesWithEvent_ defaultPressure recognizesOnPressureChange setDefaultPressure_ setRecognizesOnPressureChange_ NSPrevFunctionKey NSPrintAllPages NSPrintAllPresetsJobStyleHint NSPrintBottomMargin NSPrintCancelJob NSPrintCopies NSPrintCopyingGraphicsContext beginDocumentWithTitle_ beginPageWithBounds_ initWithContextAttributes_ NSPrintDetailedErrorReporting NSPrintFaxCoverSheetName NSPrintFaxHighResolution NSPrintFaxJob NSPrintFaxModem NSPrintFaxNumber NSPrintFaxReceiverNames NSPrintFaxReceiverNumbers NSPrintFaxReturnReceipt NSPrintFaxSendTime NSPrintFaxTrimPageEnds NSPrintFaxUseCoverSheet NSPrintFirstPage NSPrintFormName NSPrintFunctionKey NSPrintHeaderAndFooter NSPrintHorizontalPagination NSPrintHorizontallyCentered NSPrintInfo PMPageFormat PMPrintSession PMPrintSettings _allAttributeKeys _compatibility_initWithUnkeyedCoder_ _createDefaultOrUnflattenPageFormatIfNecessary _createDefaultOrUnflattenPrintSettingsIfNecessary _initWithAttributesNoCopy_flattenedPageFormatData_printSettingsData_ _makePDFInfo _objectForAttributeKey_ _pageFormat _pageFormatForGetting _pageFormatForSetting _pageFormatWasEdited _printSession _printSessionForGetting _printSessionForSetting _printSettings _printSettingsForGetting _printSettingsForSetting _printSettingsWasEdited _reconcilePageFormatAttributes _reconcilePrintSessionAttributes _reconcilePrintSettingsAttributes _removeObjectForAttributeKey_ _setAttributesNoCopy_pageFormat_orFlattenedData_printSettings_orFlattenedData_ _setBool_ifNoAttributeForKey_ _setFloat_ifNoAttributeForKey_ _setInt_ifNoAttributeForKey_ _setObject_forAttributeKey_ _setObject_ifNoAttributeForKey_ _setPageFormat_ _setPrintSettings_ _validatePaginationAttributes bottomMargin horizontalPagination imageablePageBounds isHorizontallyCentered isSelectionOnly isVerticallyCentered jobDisposition leftMargin localizedPaperName paperName printSettings rightMargin scalingFactor setBottomMargin_ setHorizontalPagination_ setHorizontallyCentered_ setJobDisposition_ setLeftMargin_ setPaperName_ setRightMargin_ setScalingFactor_ setSelectionOnly_ setTopMargin_ setUpPrintOperationDefaultValues setVerticalPagination_ setVerticallyCentered_ takeSettingsFromPDFInfo_ topMargin updateFromPMPageFormat updateFromPMPrintSettings verticalPagination NSPrintInfoAdditionalIVars NSPrintInfoDictionaryProxy initWithPrintInfo_purpose_ NSPrintJobDisposition NSPrintJobFeatures NSPrintJobSavingFileNameExtensionHidden NSPrintJobSavingURL NSPrintLastPage NSPrintLeftMargin NSPrintManualFeed NSPrintMustCollate NSPrintNoPresetsJobStyleHint NSPrintOperation NSPrintOperationExistsException NSPrintOperationPrintEventRetrofitInfo initWithSettings_showPrintPanel_sender_delegate_didPrintSelector_contextInfo_ NSPrintOrientation NSPrintPackageException NSPrintPagesAcross NSPrintPagesDown NSPrintPagesPerSheet NSPrintPanel _deprecatedAccessoryView _deprecatedFinalWritePrintInfo _deprecatedSetAccessoryView_ _deprecatedUpdateFromPrintInfo _optionsForShowingAsSheet_ _runModalWithPrintInfo_ _setPreviewController_ defaultButtonTitle finalWritePrintInfo pickedAllPages_ pickedLayoutList_ setDefaultButtonTitle_ updateFromPrintInfo NSPrintPanelAccessorySummaryItemDescriptionKey NSPrintPanelAccessorySummaryItemNameKey NSPrintPanelOldAccessoryController keyPathsForValuesAffectingPreview localizedSummaryItems NSPrintPanelShowsCopies NSPrintPanelShowsOrientation NSPrintPanelShowsPageRange NSPrintPanelShowsPageSetupAccessory NSPrintPanelShowsPaperSize NSPrintPanelShowsPreview NSPrintPanelShowsPrintSelection NSPrintPanelShowsScaling NSPrintPaperFeed NSPrintPaperName NSPrintPaperSize NSPrintPhotoJobStyleHint NSPrintPreviewController _sheetAlignedPageNumberForRawPageNumber_ _sheetNumberForRawPageNumber_ _tileView _updatePageNumberView initWithOperation_ printInfoDidChange_ setMaxViewFrameSize_ userClickedPageNumberControl_ NSPrintPreviewGraphicsContext initWithPreviousContext_ NSPrintPreviewJob NSPrintPrinter NSPrintPrinterName NSPrintRenderingQualityBest NSPrintRenderingQualityResponsive NSPrintReversePageOrder NSPrintRightMargin NSPrintSaveJob NSPrintSavePath NSPrintScalingFactor NSPrintScreenFunctionKey NSPrintSelectionOnly NSPrintSpoolJob NSPrintSpoolingGraphicsContext initWithPrintInfo_ NSPrintThumbnailView _drawBorderOfType_withScaleFactor_ _hasPagesBorder _mirrorHorizontal _pageOffsetForRow_column_ _pagesBorderType _pagesDirection _pagesLayout _paperAspectRatio _paperShadow _paperSize _reversePageOrientation basePageNumber heightForWidth_ setBasePageNumber_ setOperation_ widthForHeight_ NSPrintTime NSPrintTopMargin NSPrintVerticalPagination NSPrintVerticallyCentered NSPrinter _allocString_ _allocatePPDStuffAndParse _appendKey_option_value_inKeyNode_ _appendStringInKeyNode_key_value_ _deallocatePPDStuff _freeNode_ _freeNodes _getNodeForKey_inTable_ _initWithName_printer_ _keyListForKeyNode_ _makeKeyNode_inKeyNode_ _makeRootNode _makeTable_inNode_ _newNode_ _printer _setOrderDependency_ _setUIConstraints_ acceptsBinary booleanForKey_inTable_ floatForKey_inTable_ imageRectForPaper_ intForKey_inTable_ isColor isFontAvailable_ isKey_inTable_ isOutputStackInReverseOrder languageLevel note pageSizeForPaper_ processKeyword_option_keyTran_arg_argTran_ rectForKey_inTable_ sizeForKey_inTable_ statusForTable_ stringForKey_inTable_ stringListForKey_inTable_ NSPrinterDescriptionDirectory NSPrinterTableError NSPrinterTableNotFound NSPrinterTableOK NSPrintingCancelled NSPrintingCommunicationException NSPrintingFailure NSPrintingReplyLater NSPrintingSuccess NSPriorDayDesignations NSPrivateCoreDataClassForFindingBundle NSProcessInfo _disableAutomaticTerminationAlreadyLocked_ _disableAutomaticTerminationOnly_ _enableAutomaticTerminationAlreadyLocked_ _enableAutomaticTerminationOnly_ _enableAutomaticTerminationSupport _exitIfSuddenTerminationEnabledWithStatus_ _exitWhenSuddenTerminationEnabledWithStatus_ _isAutoQuittable _reactivateActivity_ _registerForHardwareStateNotifications _setShouldRelaunchDueToAutomaticTerminationStateChangedHandler_ _shouldDisableRelaunchOnLoginDueToAutomaticTermination _suddenTerminationDisablingCount _supportsAutomaticTermination activeProcessorCount automaticTerminationSupportEnabled beginActivityWithOptions_reason_ beginSuspensionOfSystemBehaviors_reason_ disableAutomaticTermination_ disableSuddenTermination enableAutomaticTermination_ enableSuddenTermination endActivity_ endSystemBehaviorSuspension_ fullUserName globallyUniqueString isOperatingSystemAtLeastVersion_ isTranslated operatingSystem operatingSystemName operatingSystemVersion operatingSystemVersionString performActivityWithOptions_reason_block_ performActivityWithOptions_reason_usingBlock_ physicalMemory processorCount setAutomaticTerminationSupportEnabled_ setProcessName_ systemUptime thermalState userFullName userHomeDirectory NSProcessInfoThermalStateCritical NSProcessInfoThermalStateDidChangeNotification NSProcessInfoThermalStateFair NSProcessInfoThermalStateNominal NSProcessInfoThermalStateSerious NSProgress _LSDescription _LSResume __notifyRemoteObserversOfValueForKey_inUserInfo_ _acknowledgementHandlerForAppBundleIdentifier_ _addCompletedUnitCount_ _addImplicitChild_ _adoptChildUserInfo _indentedDescription_ _initWithValues_ _notifyRemoteObserversOfValueForKey_inUserInfo_ _parent _publish _publishingAppBundleIdentifier _receiveProgressMessage_forSequence_ _setAcknowledgementHandler_forAppBundleIdentifier_ _setCompletedUnitCount_totalUnitCount_ _setParent_portion_ _setRemoteValue_forKey_inUserInfo_ _setUserInfoValue_forKey_fromChild_ _setValueForKeys_settingBlock_ _unpublish _updateChild_fraction_portion_ _updateFractionCompleted_ acknowledge acknowledgeWithSuccess_ acknowledgementHandlerForAppBundleIdentifier_ addChild_withPendingUnitCount_ appWithBundleID_didAcknowledgeWithSuccess_ becomeCurrentWithPendingUnitCount_ becomeCurrentWithPendingUnitCount_inBlock_ cancellationHandler completedUnitCount fractionCompleted handleAcknowledgementByAppWithBundleIdentifer_usingBlock_ handleAcknowledgementByAppWithBundleIdentifier_usingBlock_ initWithParent_bundleID_andPhase_ initWithParent_userInfo_ installPhase installState isCancellable isIndeterminate isOld isPausable isPrioritizable localizedAdditionalDescription ownedDictionaryCount ownedDictionaryKeyEnumerator ownedDictionaryObjectForKey_ pause pausingHandler prioritizationHandler prioritize resignCurrent resumingHandler setAcknowledgementHandler_forAppBundleIdentifier_ setCancellable_ setCancellationHandler_ setCompletedUnitCount_ setInstallPhase_ setInstallState_ setLocalizedAdditionalDescription_ setLocalizedDescription_ setPausable_ setPausingHandler_ setPrioritizable_ setPrioritizationHandler_ setResumingHandler_ setSf_transferState_ setTotalUnitCount_ setUserInfoObject_forKey_ set_adoptChildUserInfo_ sf_bundleID sf_error sf_failedWithError_ sf_initWithAppBundle_sessionID_andPersonRealName_ sf_initWithFileURL_ sf_personRealName sf_publishingKey sf_sessionID sf_transferState totalUnitCount unpublish NSProgressEstimatedTimeRemainingKey NSProgressFileAnimationImageKey NSProgressFileAnimationImageOriginalRectKey NSProgressFileCompletedCountKey NSProgressFileIconKey NSProgressFileOperationKindCopying NSProgressFileOperationKindDecompressingAfterDownloading NSProgressFileOperationKindDownloading NSProgressFileOperationKindKey NSProgressFileOperationKindReceiving NSProgressFileTotalCountKey NSProgressFileURLKey NSProgressIndicator _allowsCoreUI _animationIdler_ _captureCompositingImageForThreadedDrawingInRect_ _compositingImage _drawAnimationStep _drawBar_ _drawDeterminateSpinningIndicator_ _drawFrame _drawProgressArea _drawRemainderArea _drawThemeBackground _drawThemeProgressArea_ _drawWindowsGaugeRects_ _fillGrayRect_with_ _getGaugeFrame _getPosition_ _getProgressFrame _getRemainderFrame _installHeartBeat_ _isThreadedAnimationLooping _needsCompositingImageForThreadedDrawing _proAnimationIndex _proDelayedStartup _proDrawingWidth _proIsSpinning _reconfigureAnimationState_ _setCompositingImage_ _setCoreUIOptionsForBar_progressOnly_ _setCoreUIOptionsForSpinningIndicator_determinate_flipped_ _setProAnimationIndex_ _setProDelayedStartup_ _setProDrawingWidth_ _setProRevive_ _setupLayerAndStartSpinning_ _startAnimationWithThread_ _stopAnimationWithWait_ _stopAnimationWithWait_andRedisplay_ _systemColorChanged_ _windowOcclusionChanged_ animate_ animationDelay incrementBy_ isDisplayedWhenStopped roundDeterminateColor setAnimationDelay_ setDisplayedWhenStopped_ setRoundDeterminateColor_ setSpinningTint_ setUsesVectorMovement_ spinningTint startAnimation_ stopAnimation_ usesVectorMovement NSProgressIndicatorBarStyle NSProgressIndicatorBinder NSProgressIndicatorPreferredAquaThickness NSProgressIndicatorPreferredLargeThickness NSProgressIndicatorPreferredSmallThickness NSProgressIndicatorPreferredThickness NSProgressIndicatorSpinningStyle NSProgressIndicatorStyleBar NSProgressIndicatorStyleSpinning NSProgressKindFile NSProgressPanel cancelButtonPressed_ captionTextField progressIndicator setCancellationDelegate_wasCancelledSelector_contextInfo_ NSProgressPublisherProxy initWithForwarder_onConnection_publisherID_values_ isFromConnection_ observeValue_forKey_inUserInfo_ publisherID NSProgressRegistrar _getRemoteProcessWithIdentifier_canReadItemAtURL_completionHandler_ addPublisher_forID_acknowledgementAppBundleIDs_category_fileURL_initialValues_completionHandler_ addSubscriber_forID_appBundleID_category_completionHandler_ addSubscriber_forID_appBundleID_fileURL_completionHandler_ initWithQueue_rootFileAccessNode_ observePublisherForID_value_forKey_inUserInfo_ removePublisherForID_ removeSubscriberForID_ NSProgressSubscriberProxy addPublisher_forID_withValues_isOld_ appBundleID initWithForwarder_onConnection_subscriberID_appBundleID_ NSProgressThroughputKey NSProgressValues overallFraction setFractionCompleted_ NSPropertyDescription NSPropertyListBinaryFormat_v1_0 NSPropertyListErrorMaximum NSPropertyListErrorMinimum NSPropertyListImmutable NSPropertyListMutableContainers NSPropertyListMutableContainersAndLeaves NSPropertyListOpenStepFormat NSPropertyListReadCorruptError NSPropertyListReadStreamError NSPropertyListReadUnknownVersionError NSPropertyListSerialization NSPropertyListWriteInvalidError NSPropertyListWriteStreamError NSPropertyListXMLFormat_v1_0 NSPropertyMapping _initWithDestinationName_valueExpression_ _propertyTransforms _setPropertyTransforms_ _setTransformValidations_ _transformValidations initWithName_valueExpression_ setValueExpression_ valueExpression NSPropertySpecifier NSPropertyStoreMapping NSPropertyTransform initWithPropertyName_valueExpression_ prerequisiteTransform propertyName replaceMissingValueOnly setPrerequisiteTransform_ setPropertyName_ setReplaceMissingValueOnly_ NSProprietaryStringEncoding NSProtocolChecker NSProtocolFromString NSProxy NSPullChangeHistoryRequest generationTokens initWithGenerationTokens_ setGenerationTokens_ NSPulseGestureRecognizer recognizesOnMouseDown setRecognizesOnMouseDown_ NSPurgeableData _destroyMemory beginContentAccess discardContentIfPossible endContentAccess isContentDiscarded NSPushInCell NSPushInCellMask NSPushOnPushOffButton NSQTMovieLoopingBackAndForthPlayback NSQTMovieLoopingPlayback NSQTMovieNormalPlayback NSQualityOfServiceBackground NSQualityOfServiceDefault NSQualityOfServiceUserInitiated NSQualityOfServiceUserInteractive NSQualityOfServiceUtility NSQuarterCalendarUnit NSQueryGenerationToken _generationalComponentForStore_ _storesForRequestRoutingFrom_ _token NSQuitCommand NSQuoteCheckingResult NSRGBColorSpaceModel NSRGBModeColorPanel NSRGBSliders hexAction_ setEntryMode_ NSRLEArray NSRTFD _getDocInfoForKey_ _isLink_ addCommon_docInfo_value_zone_ addData_name_ addDirNamed_lazy_ addFileNamed_fileAttributes_ addFile_ addLink_ copy_into_ createRandomKey_ createUniqueKey_ dataForFile_ freeSerialized_length_ getDirInfo_ getDocument_docInfo_ initFromDocument_ initFromElement_ofDocument_ initFromSerialized_ initUnixFile_ initWithDataRepresentation_ initWithPasteboardDataRepresentation_ insertItem_path_dirInfo_zone_plist_ internalSaveTo_removeBackup_errorHandler_ internalSaveTo_removeBackup_errorHandler_temp_backup_ internalWritePath_errorHandler_remapContents_hardLinkPath_ nameFromPath_extra_ pasteboardDataRepresentation realAddDirNamed_ removeFile_ replaceFile_data_ replaceFile_path_ saveToDocument_removeBackup_errorHandler_ serialize_length_ setPackage_ tmpNameFromPath_ tmpNameFromPath_extension_ uniqueKey_ validatePath_ignore_ writePath_docInfo_errorHandler_remapContents_markBusy_hardLinkPath_ NSRTFDPboardType NSRTFDTextDocumentType NSRTFPboardType NSRTFPropertyStackOverflowException NSRTFReader _RTFDFileWrapper _addListDefinition_forKey_ _addOverride_forKey_ _beginTableRow _clearTableCells _currentBorderEdge _currentBorderIsTable _currentListLevel _currentListNumber _currentTable _currentTableCell _currentTableCellIsPlaceholder _documentInfoDictionary _endTableCell _endTableCellDefinition _endTableRow _ensureTableCells _lastTableRow _listDefinitions _mergeTableCellsHorizontally _mergeTableCellsVertically _mutableParagraphStyle _paragraphInTable _popState _popTableState _pushState _pushTableState _setCurrentBorderEdge_isTable_ _setCurrentListLevel_ _setCurrentListNumber_ _setRTFDFileWrapper_ _setTableCells _setTableNestingLevel_ _startTableRowDefinition _updateAttributes attributedStringToEndOfGroup attributesAtEndOfGroup cocoaSubVersion cocoaVersion floatCocoaVersion initWithRTFDFileWrapper_ initWithRTFD_ initWithRTF_ mutableAttributedString mutableAttributes processString_ setCocoaSubVersion_ setCocoaVersion_ setReadLimit_ setTextFlow_ setThumbnailLimit_ setViewKind_ setViewScale_ setViewSize_ textFlow viewSize NSRTFReaderTableState NSRTFTextDocumentType NSRTFWriter RTF RTFD RTFDFileWrapper _attachmentData _mostCompatibleCharset_ _plainFontNameForFont_ _setPreserveNaturalAlignment_ _writeCharacters_range_ _writeVersionsAndEncodings collectResources documentAttribute_ restoreAttributes_ textFlowWithAttributes_range_ writeAttachment_editableData_editableTypeIdentifier_ writeBackgroundColor writeBaselineOffset_ writeBody writeCellTerminator_atIndex_nestingLevel_ writeCharacterAttributes_previousAttributes_ writeCharacterShape_ writeColorTable writeColor_type_ writeDateDocumentAttribute_withRTFKeyword_ writeDate_ writeDefaultTabInterval writeEscapedUTF8String_ writeExpansion_ writeFontTable writeFont_forceFontNumber_ writeGlyphInfo_ writeHeader writeHyphenation writeInfo writeKern_ writeKeywordsDocumentAttribute writeLigature_ writeLinkInfo_ writeListTable writeObliqueness_ writePaperSize writeParagraphStyle_ writeRTF writeShadow_ writeStrikethroughStyle_ writeStringDocumentAttribute_withRTFKeyword_ writeStrokeWidth_ writeStyleSheetTable writeSuperscript_ writeTableHeader_atIndex_nestingLevel_ writeTextFlow_ writeUnderlineStyle_allowStrikethrough_ NSRadioButton NSRadioModeMatrix NSRaisesForNotApplicableKeysBindingOption NSRandomSpecifier NSRandomSubelement NSRange NSRangeDateMode NSRangeException NSRangeFromString NSRangeSpecifier endSpecifier initWithContainerClassDescription_containerSpecifier_key_startSpecifier_endSpecifier_ setEndSpecifier_ setStartSpecifier_ startSpecifier NSRatingLevelIndicatorStyle NSReadOnlyDocumentAttribute NSReadPixel NSRealMemoryAvailable NSReceiverEvaluationScriptError NSReceiversCantHandleCommandScriptError NSRecentSearchesBinding NSRecessedBezelStyle NSRecordAllocationEvent NSRecoveryAttempterErrorKey NSRect NSRectClip NSRectClipList NSRectEdgeMaxX NSRectEdgeMaxY NSRectEdgeMinX NSRectEdgeMinY NSRectFill NSRectFillList NSRectFillListUsingOperation NSRectFillListWithColors NSRectFillListWithColorsUsingOperation NSRectFillListWithGrays NSRectFillUsingOperation NSRectFromCGRect NSRectFromString NSRectSet convertFromAncestor_toView_clipTo_ fillExactInterior initWithCopyOfRects_count_bounds_ initWithRegion_ setEmpty strokeExactInterior subtractRect_ NSRectToCGRect NSRecursiveLock NSRecycleZone NSRedoFunctionKey NSReduceObservationTransformer initWithBlock_initialValue_ NSRefreshRequest refreshObjects refreshType setRefreshObjects_ setRefreshType_ NSRegion addRect_ addRegion_ cgsRegionObj containsRect_ containsRegion_ enumerateRects_ getRects_count_ initWithBitmapImageRep_atX_y_flip_ initWithCGSRegionObj_ initWithRects_count_ intersectRect_ intersectRegion_ intersectsRect_ intersectsRegion_ isRectangular largestRect setRect_ setRegion_ subtractRegion_ translateBy_ xorRect_ xorRegion_ NSRegisterServicesProvider NSRegistrationDomain NSRegularControlSize NSRegularExpression NSRegularExpressionAllowCommentsAndWhitespace NSRegularExpressionAnchorsMatchLines NSRegularExpressionCaseInsensitive NSRegularExpressionCheckingResult NSRegularExpressionDotMatchesLineSeparators NSRegularExpressionIgnoreMetacharacters NSRegularExpressionSearch NSRegularExpressionUseUnicodeWordBoundaries NSRegularExpressionUseUnixLineSeparators NSRegularLegacyScrollerImp NSRegularOverlayScrollerImp NSRegularSquareBezelStyle NSRelationshipDescription _setLazyDestinationEntityName_ _updateInverse_ _validateValuesAreOfDestinationEntity_source_ _versionHash_inStyle_proxyContext_ deleteRule destinationEntity inverseRelationship isOrdered isToMany maxCount minCount setDeleteRule_ setDestinationEntity_ setInverseRelationship_ setMaxCount_ setMinCount_ setOrdered_ NSRelationshipStoreMapping columnDefinitions constraintDefinitions destinationEntityExternalName foreignKeys joinSemantic joins relationship setDestinationEntityExternalName_ setForeignKeys_ setJoinSemantic_ setJoins_ NSRelativeAfter NSRelativeBefore NSRelativeSpecifier baseSpecifier initWithContainerClassDescription_containerSpecifier_key_relativePosition_baseSpecifier_ relativePosition setBaseSpecifier_ setRelativePosition_ NSReleaseAlertPanel NSRelevancyLevelIndicatorStyle NSRemoteInputServer _invalidateConnectionsAsNecessary_ NSRemoteMovePanel _accessibilityApplyReplyTokens_windowElement_ _accessibilityHandleEnhancedUserInterfaceValueChanged_ _accessibilityRemotePanelCompleted _accessibilityRequestTokensWithParent_ _attemptRecoveryFromErrorForRequest_ _createAuxiliaryConnection _handleDidChangeToDirectoryURLDelegate_ _handleKVOStateDidChange_ _handlePanelComplete_ _handlePanelWillExpandDelegate_ _handlePerformKeyEquivalent_ _handleSetPresentationOptions_ _handleShouldEnableURLDelegate_ _handleValidateURLDelegate_ _initRemotePanelSession _invalidatePBOXRemotePanelSession _panelType _registerForKVOStateChange _runOrderingOperationWithContext_ _sendPanelCompletionRequest_ _setDefaultSettings _unregisterForKVOStateChange alertInformationMessage alertMessage asyncSelectFirstResponderWithDirection_ cleanup connection_didReceiveError_ connection_didReceiveRequest_ controller_hasWindowAvailable_ dictionaryForObservedValueForKeyPath_ofObject_change_context_ getObservedkeyPathsForPanelSettings mainThreadKVOActive orderingContext panelCompletedWithNewDocumentRequest panelCompletedWithRequest_ serializeSettings setIsSheet_ setMainThreadKVOActive_ setOrderingContext_ tellRemotePanelAccessoryViewBecameFirstResponder NSRemoteNotificationTypeAlert NSRemoteNotificationTypeBadge NSRemoteNotificationTypeNone NSRemoteNotificationTypeSound NSRemotePanel NSRemotePanelOrderingContext didOrderOnScreenNotificationToken panelDidReturnHandler panelInitDidCompleteHandler panelOrderingDidCompleteHandler panelSetupDidCompleteHandler setDidOrderOnScreenNotificationToken_ setPanelDidReturnHandler_ setPanelInitDidCompleteHandler_ setPanelOrderingDidCompleteHandler_ setPanelSetupDidCompleteHandler_ NSRemoteResponderProxyObject _validateUserInterfaceItem_type_ remoteWindow respondsToValidateMenuItem respondsToValidateUserInterfaceItem setRemoteWindow_ setRespondsToValidateMenuItem_ setRespondsToValidateUserInterfaceItem_ setValidateMenuItemAnswer_ setValidateUserInterfaceItemAnswer_ validateMenuItemAnswer validateUserInterfaceItemAnswer NSRemoteServiceConnection _sendSynchronousRequest_withTimeout_ _setupConnection asid auditToken_ delegateQueue egid errorsAreFatal euid initWithServiceConnection_ initWithServiceConnection_endpoint_ logger sendReply_ sendRequest_ sendRequest_replyQueue_ sendSynchronousRequest_ sendSynchronousRequest_withTimeout_ setDelegateQueue_ setErrorsAreFatal_ NSRemoteServiceEndpoint _connectionDidReceiveEvent_ endpoint setConnectionHandler_ NSRemoteServiceMessage _archiveArguments_ _unarchiveArguments_ argumentForKey_ copyConnectionForKey_ initWithMessage_ portForKey_ serializedMessage setArgument_forKey_ setConnection_forKey_ setPort_rightType_forKey_ NSRemoteServiceReply initWithRequest_ returnCode setReturnCode_ NSRemoteServiceRequest replyHandler setReplyHandler_ NSRemoteTitlebarRenamingSession _accessibilityHandleFocusedUserInterfaceElementChanged_ _accessibilityRenameField _configureButton_forHoldingWindow_atOrigin_ _configureElementWindowForRect_withButton_atOrigin_hideButton_withBorderView_ _createRemoteConnection _editingDidEndWithImmediateURLResult_withRequest_ _editingDidEnd_withRequest_ _editingEndedAndReplyToRequest_withServiceReturnCode_ _endingReasonShouldAllowSuccess_ _handleEditingCanceledWithSuccess_ _handleEditingDidEnd_ _invalidatePBOXTitlebarRenamingSession _makeEndpointForWindow_controller_ _oldEditingDidEnd_withRequest_ _resetButton_atOrigin_withBorderView_andSeparatorField_separatorOrigin_ _restoreButtons _wakeElementWindow_ _windowCleanup addRect_withKey_convertToScreen_toRequest_ alternateDirectory beginWithEditingMode_editingTitle_editingRange_selectedRange_ documentUTI documentUniquingNumber documentUniquingNumberEnd documentUniquingNumberStart documentUniquingNumberWasIncremented editingMode editingRange ended extensionHidden extensionHiddenEnd extensionHiddenStart fallbackExtension handleLocalMouseEvent_ isDuplicate originalURL renameResolver setAlternateDirectory_ setDocumentUTI_ setDocumentUniquingNumberStart_ setDocumentUniquingNumber_ setEditingRange_ setExtensionHiddenStart_ setFallbackExtension_ setIsDuplicate_ setOriginalURL_ setStartDisplayName_ setStartExtension_ startDisplayName startExtension titleWasChosenAutomatically userEditedDisplayName NSRemoteTitlebarRenamingWindowController _clearPendingWindowRightsGrant _completeWindowRightsGrant_ _handleModalSession_ _handleReplyActivateSharedWindow_ _handleReplySetupSharedWindow_ _handleRequestUpdateSharedWindowFrame_ _handleUserValueChanged_ _performKeyEquivalentWithRequest_ _sharedWindowShouldChange_ _thisWindowShouldChange_ createAccessibilityChildWindow_withStyle_ findAccessibilityChildWindow_ hideSharedWindow_atLocation_ initWithConnection_rights_ initWithRemotePanel_remoteServiceReply_rights_ initializeRemoteWindow remoteWindowClass setCanBecomeKeyWindow_ setCanBecomeMainWindow_ setDisableAutomaticTermination_ setRemoteWindowClass_ NSRemoteWindowController NSRemoveTraitFontAction NSReplacementCheckingResult NSRepresentedFilenameBinding NSRepublicOfChinaCalendar NSRequiredArgumentsMissingScriptError NSResetCursorRectsRunLoopOrdering NSResetFunctionKey NSResetHashTable NSResetMapTable NSResizableWindowMask NSResponder NSReturnAddress NSReturnTextMovement NSRightArrowFunctionKey NSRightMarginDocumentAttribute NSRightMouseDown NSRightMouseDownMask NSRightMouseDragged NSRightMouseDraggedMask NSRightMouseUp NSRightMouseUpMask NSRightTabStopType NSRightTabsBezelBorder NSRightTextAlignment NSRightTextMovement NSRolloverButton _finishInitialization _setAttributes focusRingMask redrawOnMouseEnteredAndExited rolloverImage setFocusRingMask_ setRedrawOnMouseEnteredAndExited_ setRolloverImage_ setUsesRolloverAppearanceInInactiveWindow_ setUsesRolloverAppearanceOnMouseDown_ setUsesRolloverAppearanceWhenFirstResponder_ shouldUseRolloverAppearance updateMouseIsOver updateMouseIsOver_ usesRolloverAppearanceInInactiveWindow usesRolloverAppearanceOnMouseDown usesRolloverAppearanceWhenFirstResponder NSRolloveringImageTextAttachmentCell itemsForSharingServices picker pickerForRolloverCalloutView_ sharingServicePicker_shouldShowForView_ triggerRelayoutOfTextView NSRotationGestureRecognizer rotationInDegrees setRotationInDegrees_ NSRoundBankers NSRoundDown NSRoundDownToMultipleOfPageSize NSRoundLineCapStyle NSRoundLineJoinStyle NSRoundPlain NSRoundRectBezelStyle NSRoundUp NSRoundUpToMultipleOfPageSize NSRoundedBezelStyle NSRoundedDashStrokeView dashColor innerDashColor lineDash setDashColor_ setInnerDashColor_ setLineDash_ setStrokeThickness_ strokeThickness NSRoundedDisclosureBezelStyle NSRoundedRectView initWithStrokeColor_strokeWidth_fillColor_cornerRadius_ setStrokeWidth_ strokeWidth NSRoundedTokenStyle NSRowClipView _updateBoundsForSize_ _useZinLayerBacking animationFinishedHandler forDeletion fromYPosition setAnimationFinishedHandler_ setForDeletion_ setFromYPosition_ setShouldAdjustBounds_ setTargetFrame_ shouldAdjustBounds targetFrame NSRowHeightBinding NSRubyAnnotation NSRuleEditor NSRuleEditorButton NSRuleEditorButtonCell setRuleEditorButtonType_ NSRuleEditorLocalizer _constructTitleMappingDictionariesFromOptionDictionaries_localizationItemIndex_ _extractOrderedNonStaticItemsFromArray_ _localizedItemForDefaultItemAtLayoutIndex_inDefaultItemsAtIndex_ _parseHalf_intoArray_isValue_ignoringSeparators_errorDescription_ _parseKey_value_errorDescription_ _tokenizeString_intoArray_ignoringSeparators_errorDescription_ localizeOptionDictionaries_ NSRuleEditorNestingModeCompound NSRuleEditorNestingModeList NSRuleEditorNestingModeSimple NSRuleEditorNestingModeSingle NSRuleEditorPopupButton NSRuleEditorPopupButtonCell sliceIsEditable NSRuleEditorPredicateComparisonModifier NSRuleEditorPredicateCompoundType NSRuleEditorPredicateCustomSelector NSRuleEditorPredicateLeftExpression NSRuleEditorPredicateOperatorType NSRuleEditorPredicateOptions NSRuleEditorPredicateRightExpression NSRuleEditorRowTypeCompound NSRuleEditorRowTypeSimple NSRuleEditorRowsDidChangeNotification NSRuleEditorTextField NSRuleEditorTextFieldCell NSRuleEditorViewSlice _animationTargetRect _backgroundShader _curveColorForIndentation_ _isLastSelected _isSelected _reconfigureSubviews _relayoutSubviewsWidthChanged_ _setAnimationTargetRect_ _setHideNonPartDrawing_ _setLastSelected_ _setSelected_ containsDisplayValue_ indentation initWithFrame_ruleEditorView_ rowIndex setIndentation_ setRowIndex_ NSRuleEditorViewSliceDropSeparator NSRuleEditorViewSliceRow _addButton _addOption_ _configurePlusButtonByRowType_ _createAddRowButton _createDeleteRowButton _createMenuItemWithTitle_ _createMenuSeparatorItem _createPopUpButtonWithItems_selectedItemIndex_ _createStaticTextFieldWithStringValue_ _deleteOption_ _dropsIndentWhenImmediatelyBelow _emptyRulePartSubviews _indentationHorizontalPadding _initShared _interviewHorizontalPadding _isRulePopup_ _isRuleStaticTextField_ _leftmostViewFixedHorizontalPadding _minWidthForPass_forView_withProposedMinWidth_ _minimumVerticalPopupPadding _nestingModeShouldHideAddButton _nestingModeShouldHideSubtractButton _rowButtonsInterviewHorizontalPadding _rowButtonsLeftHorizontalPadding _rowButtonsRightHorizontalPadding _ruleOptionPopupChangedAction_ _setRowTypeToAddFromPlusButton_ _setRowType_ _sortOptionDictionariesByLayoutOrder_ _subtractButton _tightenResizables_intoGivenWidth_ _updateButtonVisibilities _updateEnabledStateForSubviews NSRulerLabelCell _auxiliaryFormatter _setAuxiliaryFormatter_ NSRulerMarker _compositePointInRuler _locationOfOriginPoint_ _originPointInRuler imageOrigin imageRectInRuler initWithRulerView_markerLocation_image_imageOrigin_ isDragging isRemovable markerLocation ruler setImageOrigin_ setMarkerLocation_ setRemovable_ thicknessRequiredInRuler trackMouse_adding_ NSRulerMarkerPanel NSRulerMarkerView rulerMarker setRulerMarker_ updateFrame NSRulerPboard NSRulerPboardType NSRulerView _addMarker_ _bitBlitSourceRect_toDestinationRect_ _cancelAddMarker_ _centerScanSeparatorRect_ _draggingMarkerView _hashMarkDictionary _hashMarkDictionaryForDocView_measurementUnitToBoundsConversionFactor_stepUpCycle_stepDownCycle_minimumHashSpacing_minimumLabelSpacing_ _hashMarkDictionaryForDocumentView_measurementUnitName_ _isAccessoryViewHostMode _locationFromUnitsValue_ _markerAreaRect _markerHitTest_ _maxRuleAreaRect _rectWithSingleThickness_ _ruleAreaMarginRect _ruleAreaRect _rulerAccessoryViewAreaRect _rulerOrigin _scrollToMatchContentView _setAccessoryViewHostMode_ _setDraggingMarker_ _unitsForClientLocation_ _unitsForRulerLocation_ accessibilityIsMarkerUIElementsAttributeSettable accessibilityIsUnitDescriptionAttributeSettable accessibilityIsUnitsAttributeSettable accessibilityMarkerUIElementsAttribute accessibilityUnitDescriptionAttribute accessibilityUnitsAttribute addMarker_ baselineLocation clientView displaysTooltips drawHashMarksAndLabelsInRect_ drawMarkersInRect_ drawRulerLines initWithScrollView_orientation_ invalidateHashMarks labelStringForValue_ markers measurementUnits moveRulerlineFromLocation_toLocation_ originOffset removeMarker_ requiredThickness reservedThicknessForAccessoryView reservedThicknessForMarkers ruleThickness scrollView setClientView_ setDisplaysTooltips_ setLabelString_forValue_ setMarkers_ setMeasurementUnits_ setOriginOffset_ setReservedThicknessForAccessoryView_ setReservedThicknessForMarkers_ setRuleThickness_ setScrollView_ testPart_ trackMarker_withMouseEvent_ NSRulerViewAccessibilityPanelController _accessibilityPanel _markerTypeButton _setAccessibilityPanel_ _valueField initWithRulerView_ set_accessibilityPanel_ NSRulerViewPrivateData NSRunAbortedResponse NSRunAlertPanel NSRunAlertPanelRelativeToWindow NSRunContinuesResponse NSRunCriticalAlertPanel NSRunCriticalAlertPanelRelativeToWindow NSRunInformationalAlertPanel NSRunInformationalAlertPanelRelativeToWindow NSRunLoop _addPort_forMode_ _containsPort_forMode_ _enumerateInfoPairsWithBlock_ _invalidateTimers _removePort_forMode_ _wakeup acceptInputForMode_beforeDate_ addPort_forMode_ addTimer_forMode_ allModes cancelPerformSelector_target_argument_ cancelPerformSelectorsWithTarget_ configureAsServer containsPort_forMode_ containsTimer_forMode_ getCFRunLoop limitDateForMode_ performInModes_block_ performSelector_target_argument_order_modes_ portsForMode_ removePort_forMode_ removeTimer_forMode_ runBeforeDate_ runMode_beforeDate_ runMode_untilDate_ runUntilDate_ timersForMode_ NSRunLoopCommonModes NSRunStoppedResponse NSRunStorage NSRunningApplication _URLForDeletingRestorableState _applyInformationFromLSDictionary_includeDynamicProperties_ _applyPropertyChanges_fromDictionary_ _changeObservingNotificationMask_to_ _checkForUnecessaryLSNotifications _fetchDynamicProperties _fetchDynamicPropertiesIfNecessary _fetchDynamicPropertiesIfNecessaryOrAppSeedIsOutOfDate _fetchStaticInformationWithAtLeastKey_ _fetchValueForKey_ _getProcessSerialNumber_ _hasASN_ _initDeadWithLSDictionary_forASN_ _isAppPropertyUpdatedByLSNotifications_ _isLSStopped _isProxiedByTalagent _observeChangeInKey_withDataRef_ _performWithPSN_ _postWillOrDidChangeNotificationsForKeyIndex_isWill_ _preserveStaleDynamicPropertiesForRemainderOfRunLoop _preservingStaleProperties _quittingWillBeNoisyOrLoseData _reasonThatQuittingWillBeNoisyOrLoseData _updateActiveAndMenuBarOwnerProperties _updateObservationMask _updateOrStaleProperty_ activateWithOptions_ applicationSerialNumber applyPendingPropertyChanges executableArchitecture forceTerminate hide initWithApplicationSerialNumber_ isFinishedLaunching isTerminated launchDate ownsMenuBar NSSHIFTJISX0213EncodingDetector NSSQLAliasGenerator generateSubqueryVariableAlias generateTableAlias generateTempTableName generateVariableAlias initWithNestingLevel_ NSSQLAttribute _setColumnName_ _setFetchIndex_ _setIsBackedByTrigger_ _setSQLType_ _setSlotIfDefault_ _sqlTypeForAttributeType_flags_ addKeyForTriggerOnRelationship_ allowAliasing attributeDescription cloneForReadOnlyFetching columnName fetchIndex initForReadOnlyFetchWithExpression_ initForReadOnlyFetching initWithColumnName_sqlType_ initWithEntity_propertyDescription_ isAttribute isBackedByTrigger isColumn isConstrained isEntityKey isForeignEntityKey isForeignKey isForeignOrderKey isManyToMany isOptLockKey isPrimaryKey isRelationship isToOne isUnique propertyDescription propertyType roughSizeEstimate setAllowAliasing_ setConstrained_ setEntityForReadOnlyFetch_ setPropertyDescription_ shouldIndex slot triggerKeys NSSQLAttributeTrigger bulkChangeStrings columnChangedClause createSQLStrings_ destinationAttributes initWithPredicateString_onAttribute_onEntity_ inverseOperatorSymbolForOperator_ isSupportedOperatorType_ newMatchingClause ofClause oldMatchingClause parseTriggerPredicateError_ predicateString prepareForSQLGeneration_ sqlDropStrings toManyDecrementWhenClause toManyIncrementWhenClause toManyInnerFetchWhereClause validateComparisonPredicate_error_ validatePredicate_error_ NSSQLBatchDeleteRequestContext _createDeleteStatements _createFetchRequestContextForObjectsToDelete affectedObjectIDs createNestedObjectFaultContextForObjectWithID_ debugLogLevel deleteStatements exception executeEpilogue executePrologue executeRequestUsingConnection_ fetchContext fetchRequestForObjectsToDelete forConflictAnalysis initWithRequest_context_sqlCore_ isWritingRequest localError newObjectIDForEntity_pk_ newStatementWithSQLString_ notificationSourceObject persistentStoreRequest rowCache setAffectedObjectIDs_ setException_ setLocalError_ shouldRegisterQueryGeneration sqlCore useColoredLogging useConcurrentFetching NSSQLBatchUpdateRequestContext _createUpdateStatement createCountRequestContextForObjectsToUpdate createFetchRequestContextForObjectsToUpdate fetchRequestDescribingObjectsToUpdate updateStatement NSSQLBindIntarray initWithValue_ setTableName_ tableName NSSQLBindVariable allowsCoercion hasObjectValue initWithInt64_sqlType_ initWithUnsignedInt_sqlType_ initWithValue_sqlType_attributeDescription_ initWithValue_sqlType_attributeDescription_allowCoercion_ int64 setInt64_ setUnsignedInt_ unsignedInt NSSQLBlockRequestContext initWithBlock_context_sqlCore_ NSSQLBoundedByIntermediate _canDoASubselectForExpression_inContext_ _entitySpecificationKeypath _functionExpressionIsSubqueryFollowedByKeypath_ _generateSQLForConstantCollection_inContext_ _generateSQLForConstantValue_inContext_ _generateSQLForExpressionCollection_allowToMany_inContext_ _generateSQLForExpression_allowToMany_inContext_ _generateSQLForFetchExpression_allowToMany_inContext_ _generateSQLForFunctionExpression_allowToMany_inContext_ _generateSQLForKeyPathExpression_allowToMany_inContext_ _generateSQLForSubqueryExpression_trailingKeypath_inContext_ _generateSQLForTernaryExpression_allowToMany_inContext_ _generateSQLForVariableExpression_allowToMany_inContext_ _lastScopedItem _promoteJoinsForAggregateExpression_ _promoteJoinsForFunctionExpression_ _promoteJoinsForKeypathExpression_ _promoteJoinsForSubqueryScopedKeypath_ _promoteJoinsForSubqueryScopedKeypaths _promoteJoinsForTernaryExpression_ _setEntitySpecificationKeypath_ disambiguatingEntity disambiguationKeypath disambiguationKeypathHasToMany expressionIsBasicKeypath_ fetchIntermediate fetchIntermediateForKeypathExpression_ generateSQLStringInContext_ governingAlias governingAliasForKeypathExpression_ governingEntityForKeypathExpression_ initWithScope_ initWithWorkingEntity_target_bounds_scope_ isFunctionScoped isHavingScoped isOrScoped isSimpleKeypath_ isSimpleNoIndexFunction_ isTargetColumnsScoped isUpdateColumnsScoped isUpdateScoped isVariableBasedKeypathScopedBySubquery_ isWhereScoped keypathExpressionIsSafeLHSForIn_ promoteJoinsInKeypathsForExpression_ scope setDisambiguatingEntity_withKeypath_hasToMany_ NSSQLColumn NSSQLCompoundWhereIntermediate _generateMulticlauseStringInContext_ initWithPredicate_inScope_ initWithPredicate_inScope_inContext_ NSSQLConnectionManager disconnectAllConnections handleStoreRequest_ initWithSQLCore_priority_seedConnection_ initWithSQLCore_seedConnection_ initializationConnection scheduleBarrierBlock_ scheduleConnectionsBarrier_ setExclusiveLockingMode_ willHandleStoreRequest_ NSSQLConstantValueIntermediate _addBindVarForConstId_ofType_inContext_ _addBindVarForConstVal1_inContext_ initWithConstantValue_inScope_context_ initWithConstantValue_ofType_inScope_context_ propertyAtEndOfKeyPathExpression_ sqlTypeForProperty_ NSSQLCore _aContextSomewhereCaresAboutGenerations _cacheModelIfNecessaryUsingConnection_ _cacheRows_ _checkAndRepairCorrelationTables_storeVersionNumber_usingConnection_ _checkAndRepairSchemaUsingConnection_ _checkAndRepairTriggersUsingConnection_ _collectSkewedComponents_usingConnection_ _deleteAllRowsNoRelationshipIntegrityForEntityWithAllSubentities_ _disconnectAllConnections _dissectCorrelationTableCreationSQL_ _doBasicTableNameCheckUsingConnection_ _doUnboundedGrowthCheckAndConstraintUsingConnection_ _ensureDatabaseMatchesModel _externalDataLinksDirectory _fixPrimaryKeyTableFromEntitiesAndJoinsUsingConnection_ _fixPrimaryKeyTableFromEntitiesUsingConnection_ _fixPrimaryKeyTablesUsingConnection_ _initializeQueryGenerationTrackingConnection _loadAndSetMetadata _loadAndSetMetadataReadOnly _newObjectIDForEntity_referenceData64_ _newReservedKeysForEntities_counts_ _newRowDataForXPCFetch_variables_context_error_ _newValuesForRelationship_forObjectWithID_withContext_error_ _purgeRowCache _rebuildTriggerSchemaUsingConnection_recomputeValues_error_ _refreshTriggerValues_ _registerNewQueryGenerationIdentifier_ _repairDatabaseCorrelationTables_brokenHashModel_storeVersionNumber_recurse_usingConnection_ _setMetadata_clean_ _ubiquityDictionaryForAttribute_onObject_ _uncacheRows_ _updateAutoVacuumMetadataWithValues_ _updateToVersion640PrimaryKeyTableUsingStatements_connection_ _useModel_ adapter addPeerRangeForPeerID_entityName_rangeStart_rangeEnd_peerRangeStart_peerRangeEnd_ addPeerRange_ allPeerRanges cachedModelWithError_ configureUbiquityMetadataTable connectionForMigration createMapOfEntityNameToPKMaxForEntitiesFromPKTable_ createMapOfEntityNameToPKMaxForEntitiesFromUBRangeTable_ createMapOfEntityNameToPKMaxForEntities_ dispatchManager dispatchRequest_withRetries_ dropUbiquityTables entityForEntityDescription_ entityForFetchRequest_ entityForObject_ externalDataLinksDirectory externalDataReferencesDirectory externalLocationForFileWithUUID_ fetchTableNames fetchUbiquityKnowledgeVector fileProtectionLevel isInitialized isUbiquitized metadataToWrite newFetchUUIDSForSubentitiesRootedAt_ newForeignKeyID_entity_ newObjectIDSetsForToManyPrefetchingRequest_andSourceObjectIDs_orderColumnName_ objectIDFactoryForSQLEntity_ processBatchDelete_inContext_error_ processBatchUpdate_inContext_error_ processCountRequest_inContext_ processFetchRequest_inContext_ processRefreshObjects_inContext_ processSaveChanges_forContext_ recomputePrimaryKeyMaxForEntities_ removeUbiquityMetadata replaceUbiquityKnowledgeVector_ resetExternalDataReferencesDirectories rowCacheForContext_ safeguardLocationForFileWithUUID_ schemaValidationConnection setConnectionsAreLocal_ setUbiquityTableValue_forKey_ shouldNotifyFOKChanges supportsComplexFeatures ubiquityTableKeysAndValues ubiquityTableValueForKey_ updateUbiquityKnowledgeForPeerWithID_andTransactionNumber_ updateUbiquityKnowledgeVector_ NSSQLCoreDispatchManager routeStoreRequest_ NSSQLCorrelationTableUpdateTracker _organizeValues_ enumerateDeletesUsingBlock_ enumerateInsertsUsingBlock_ enumerateMasterReordersPart2UsingBlock_ enumerateMasterReordersUsingBlock_ enumerateReordersUsingBlock_ hasDeletes hasMasterReorders hasReorders initForRelationship_ trackInserts_deletes_reorders_forObjectWithID_ trackReorders_forObjectWithID_ NSSQLCountRequestContext _createStatement _fireFaultsForValue_ _preparePredicate_ _setFetchStatement_ _setupBindVariablesForCachedStatement_usingValues_ addFaultsThatWereFired_ addObjectIDsToRegister_ addObjectsToAwaken_ cacheStatement_ cachedStatement createChildContextForNestedFetchRequest_ faultsThatWereFired fetchPlan fetchStatement initWithRequest_connection_context_sqlCore_parentContext_ inverseIsToOnePrefetchRequestForRelationshipNamed_onEntity_ isFaultRequest manyToManyPrefetchRequestsForRelationshipNamed_onEntity_ manyToOnePrefetchRequestForRelationshipNamed_onEntity_ objectIDsToRegisterWithContext objectsToAwaken persistRows_ prefetchingSubstitutionVariables setIsFaultRequest_ setPrefetchingSubstitutionVariables_ shouldUseBatches sqlEntityForFetchRequest sqlModel storeIsUbiquitized ubiquitousExternalReferenceLocationForUUID_ visitPredicateExpression_ visitPredicate_ NSSQLDefaultConnectionManager _checkinConnection_ _checkoutConnectionOfType_ _initializeConnectionsWithSeed_ NSSQLEntity _addColumnToFetch_ _addForeignOrderKeyForToOne_entity_ _addRootColumnToFetch_ _addVirtualToOneForToMany_withInheritedProperty_ _collectFKSlots_error_ _doPostModelGenerationCleanup _entityIsBroken_ _generateIDWithSuperEntity_nextID_ _generateInverseRelationshipsAndMore _generateMulticolumnUniquenessConstraints _generateProperties _hasAttributesBackedByTriggers _hasAttributesMonitoredByTriggers _odiousHashHack _organizeConstraints _setHasAttributesBackedByTriggers_ _setHasAttributesMonitoredByTriggers_ _sqlPropertyWithRenamingIdentifier_ _toOneRange addPropertiesForReadOnlyFetch_keys_context_ addUniqueAttribute_ attributeColumns attributeNamed_ columnsToCreate columnsToFetch fetchIndexForKey_ foreignEntityKeyColumns foreignKeyColumns foreignOrderKeyColumns hasAttributesWithExternalDataReferences hasInheritance hasSubentities initWithModel_entityDescription_ isKindOfSQLEntity_ isRootEntity manyToManyRelationships mappingGenerator multicolumnUniquenessConstraints optLockKey primaryKey propertyMapping propertyNamed_ relationshipNamed_ rootEntity setSuperentity_ subentityKey subentityMaxID toManyRelationships uniqueAttributes virtualForeignKeyColumns NSSQLEntityKey NSSQLExpressionIntermediate initWithExpression_allowToMany_inScope_ NSSQLFetchCountIntermediate _generateJoinSQLStringInContext_ addGroupByKeypath_ addJoinIntermediate_atKeypathWithComponents_ finalJoinForKeypathWithComponents_ governingEntity groupByClauseContainsKeypath_ groupByIntermediate havingIntermediate initWithEntity_alias_inScope_ isDictionaryCountFetch joinIntermediates limitIntermediate orderIntermediate promoteToOuterJoinAtKeypathWithComponents_ promoteToOuterJoinsAlongKeypathWithComponents_ selectDistinct selectIntermediate setCorrelationToken_ setDictionaryCountFetch_ setGoverningAlias_ setGoverningEntity_ setGroupByIntermediate_ setHavingIntermediate_ setLimitIntermediate_ setOffsetIntermediate_ setOrderIntermediate_ setSelectIntermediate_ setWhereIntermediate_ whereIntermediate NSSQLFetchDictionaryCountIntermediate initWithFetchIntermediate_inScope_ NSSQLFetchIntermediate NSSQLFetchRequestContext NSSQLForeignEntityKey _setName_ foreignKey initForReadOnlyFetchingOfEntity_toOneRelationship_ initWithEntity_foreignKey_ setFKForReadOnlyFetch_ toOneRelationship NSSQLForeignKey initWithEntity_toOneRelationship_ NSSQLForeignKeyIntermediate _addBindVarForConstVal2_inContext_ initWithConstantValue_inScope_ NSSQLForeignOrderKey NSSQLFunctionExpressionIntermediate _generateArgumentStringForCollection_inContext_ _generateCorrelatedSubqueryStringWithSymbol_forExpression_inContext_ _generateDistinctStringInContext_ _generateLengthStringInContext_ _generateMathStringWithSymbol_inContext_ _generateNowStringInContext_ _generateSQLForCountInContext_ _generateSelectForAggregateStringWithSymbol_argument_inContext_ _generateType4SQLForSymbol_inContext_ _generateUncorrelatedSubqueryStringWithSymbol_forAttribute_inContext_ generateType1SQLString_inContext_ generateType2SQLString_inContext_ generateType3SQLString_keypathOnly_inContext_ NSSQLGenerator _predicateForSpecificEntity_ _predicateRestrictingSuperentitiesForEntity_ _predicateRestrictingToSubentitiesForEntity_ generateGroupByIntermediatesForProperties_inContext_ generateHavingIntermediateForPredicate_inContext_ generateIntermediateForLimit_inContext_ generateIntermediateForOffset_inContext_ generateIntermediatesForFetchInContext_countOnly_ generateIntermediatesForUpdateInContext_ generateOrderIntermediateInContext_ generateSelectIntermediateInContext_ generateUpdateColumnsIntermediateInContext_ generateWhereIntermediatesInContext_ initializeContextForFetchRequest_ignoreInheritance_nestingLevel_nestIsWhereScoped_requestContext_ initializeContextForRequest_ignoreInheritance_nestingLevel_ initializeContextForUpdateRequest_ newSQLStatementForFetchRequest_ignoreInheritance_countOnly_nestingLevel_nestIsWhereScoped_requestContext_ newSQLStatementForRequest_ignoreInheritance_countOnly_nestingLevel_nestIsWhereScoped_requestContext_ newSQLStatementForUpdateRequest_ predicateForRequestInContext_ NSSQLGroupByIntermediate initWithProperties_inScope_ NSSQLHavingIntermediate NSSQLIntermediate NSSQLJoinIntermediate _generateManyToManySQLStringInContext_ _generateToManySQLStringInContext_ _generateToOneSQLStringInContext_ correlationAlias destinationAlias initForRelationship_sourceAlias_destinationAlias_correlationAlias_direct_inScope_ isDirect joinType setDestinationAlias_ setDirect_ setJoinType_ setSourceAlias_ sourceAlias sourceEntity NSSQLKeypathExpressionIntermediate _generateSQLForProperty_startEntity_startAlias_keypath_inContext_ _propertyDescriptionForKeypath_startingAtEntity_allowToMany_lastKeyVisited_inContext_ _propertyDescriptionsForKeypath_rootedAtEntity_allowToMany_lastKeyVisited_inContext_ setSubstitutePK_ substitutePK NSSQLLimitIntermediate initWithLimit_inScope_ NSSQLManyToMany _setCorrelationTableName_ _setForeignOrderKey_ _setInverseManyToMany_ _setInverseRelationship_ _setOrderColumnName_ columnSQLType correlationTableName initForReadOnlyFetchWithEntity_propertyDescription_ inverseColumnName inverseManyToMany inverseOrderColumnName isMaster isReflexive isTableSchemaEqual_ orderColumnName orderColumnSQLType NSSQLModel _addIndexedEntity_ _entityMapping _generateModel_error_ _modelHasPrecomputedKeyOrder _precomputedKeyOrderForEntity_ _recordHasVirtualToOnes _retainHashHack _runSanityCheckForModel_ _sqlEntityWithRenamingIdentifier_ _useLeopardStyleHashing _useSnowLeopardStyleHashing entityForID_ entityIDForName_ entityNamed_ initWithManagedObjectModel_configurationName_ initWithManagedObjectModel_configurationName_brokenHashVersion_ initWithManagedObjectModel_configurationName_retainHashHack_ initWithManagedObjectModel_configurationName_retainHashHack_brokenHashVersion_ NSSQLObjectFaultRequestContext createFetchRequestContext initWithObjectID_context_sqlCore_ setForConflictAnalysis_ NSSQLObjectIDRequestContext entitiesAndCounts initForEntitiesAndCounts_context_sqlCore_ NSSQLObjectIDSetFetchRequestContext initWithRequest_context_sqlCore_idSets_columnName_ NSSQLOffsetIntermediate initWithOffset_inScope_ NSSQLOptLockKey NSSQLOrderIntermediate _generateSQLForOrderedManyToManyInverse_inContext_ _generateSQLForOrderedToManyInverse_inContext_ initWithSortDescriptors_inScope_ NSSQLPredicateAnalyser allModifierPredicates keypaths setExpressions subqueries visitPredicateOperator_ NSSQLPrimaryKey sqlTypeString NSSQLProperty NSSQLReadOnlySelectIntermediate initForCorrelationTarget_alias_fetchColumns_inScope_ initWithEntity_alias_fetchColumns_inScope_ onlyFetchesAggregates resolveVariableExpression_inContext_ setColumnAlias_ setFetchColumns_ setFetchEntity_ setIsCount_ setUseDistinct_ NSSQLRelationship NSSQLRelationshipFaultRequestContext createNestedFetchRequestContextForFetch_ initWithObjectID_relationship_context_sqlCore_ newSelectStatementForFetchRequest_ NSSQLRow _validateToOnes attributeValueForSlot_ foreignEntityKeyForSlot_ foreignKeyForSlot_ foreignOrderKeyForSlot_ initWithSQLEntity_objectID_ initWithSQLEntity_ownedObjectID_andTimestamp_ newColumnMaskFrom_columnInclusionOptions_ newObjectIDForToOne_ newUpdateMaskForConstrainedValues newUpdateMaskFrom_ optLock pk64 setForeignEntityKeySlot_entityKey_ setForeignKeySlot_int64_ setForeignOrderKeySlot_orderKey_ setOptLock_ sqlEntity sqlEntityID NSSQLRowCache NSSQLSaveChangesRequestContext hasChangesForWriting originalCachedRows originalRowForObjectID_ savePlan setOriginalRow_forObjectID_ NSSQLSavePlan _addExternalReferenceDataToDelete_ _addExternalReferenceDataToSave_ _computeUpdatedRowSplit _correlationTableUpdateTrackerForRelationship_ _createCorrelationTrackerUpdatesForDeletedObject_ _createRowsForSave _entityForObject_ _findOrCreateChangeSnapshotForGlobalID_ _knownEntityKeyForObjectID_ _knownEntityKeyForObject_ _knownOrderKeyForObject_from_inverseToMany_ _knownPrimaryKeyForObjectID_ _knownPrimaryKeyForObject_ _newRowCacheRowForToManyUpdatesForRelationship_rowCacheOriginal_originalOrderKeys_originalSnapshot_value_added_deleted_sourceRowPK_properties_sourceObject_newIndexes_reorderedIndexes_ _orderKeyForObject_fromSourceObjectID_inverseRelationship_inOrderedSet_ _populateOrderKeysInOrderedSet_usingSourceObjectID_inverseRelationship_newIndexes_reorderedIndexes_ _populateRow_fromObject_timestamp_inserted_ _prepareForDeletionOfExternalDataReferencesForObject_ _recordToManyChangesForObject_inRow_usingTimestamp_inserted_ _registerChangedFOKs_deletions_forSourceObject_andRelationship_ externalDataReferencesToDelete externalDataReferencesToSave foreignOrderKeysBeingDeleted foreignOrderKeysBeingUpdated initForRequestContext_ newAncillaryRowsUpdatedForRowCache newCorrelationTableUpdates newObjectsForExhaustiveLockConflictDetection newObjectsForFastLockConflictDetection newObjectsForUniquenessConflictDetectionGivenReportedFailures_ newPrimaryRowsUpdatedForRowCache newRowsToAddToRowCache newRowsToRemoveFromRowCache prepareRows saveRequest savingContext setTransactionInMemorySequence_ transactionInMemorySequence NSSQLSelectIntermediate NSSQLSimpleWhereIntermediate _cfStringOptionsFromPredicateOptions_ _entityDestinationIfKeyOfSomeSort_ _generateSQLBeginsWithStringInContext_ _generateSQLBetweenStringInContext_ _generateSQLBoundByStringInContext_ _generateSQLContainmentStringInContext_ _generateSQLEndsWithStringInContext_ _generateSQLForConstKeyArray_targetEntity_reboundFrom_inContext_ _generateSQLForConst_inAttribute_expression_inContext_ _generateSQLForConst_inManyToMany_expression_inContext_ _generateSQLForConst_inToMany_inContext_ _generateSQLForMatchingOperator_inContext_ _generateSQLForString_expressionPath_wildStart_wildEnd_allowToMany_inContext_ _generateSQLForWildSubStringForGlob_wildStart_wildEnd_ _generateSQLSubstringWildStart_wildEnd_inContext_ _generateSQLType1InContext_ _generateSQLType2InContext_ _generateSQLType3InContext_ _isNilExpression_ _prefetchSourceOfUnidirectionalVirtualInverse_ _sqlTokenForPredicateOperator_inContext_ _upperBoundSearchStringForString_context_ NSSQLStatementIntermediate NSSQLStoreMappingGenerator generateTableName_ newGeneratedPropertyName_ newUniqueNameWithBase_withLength_ uniqueNameWithBase_ NSSQLStoreRequestContext NSSQLSubqueryExpressionIntermediate _createCollectionJoinsForFetchInContext_ _createSelectClauseInFetchWithContext_ _isKeypathScopedToSubquery_ _setVariableColumn_ canDoDirectJoinGivenPredicate_ initWithExpression_trailingKeypath_inScope_ NSSQLSubqueryExpressionIntermediatePredicateVisitor checkPredicate_ NSSQLTernaryExpressionIntermediate _generateSQLForPredicate_inContext_ NSSQLToMany inverseToOne NSSQLToOne foreignEntityKey foreignOrderKey initWithEntity_inverseToMany_ initWithEntity_propertyDescription_virtualForToMany_ NSSQLUbiquitizedStoreConnectionManager NSSQLUpdateColumnsIntermediate _generateSQLForAttributeUpdate_sourceAttribute_inContext_ _generateSQLForAttributeUpdate_value_inContext_ _generateSQLForKeypathWithComponents_onSQLEntity_inContext_ _generateSQLForRelationshipUpdate_destination_inContext_ _generateSQLForRelationshipUpdate_sourceRelationship_inContext_ _generateSQLToUpdateProperty_fromKeypath_inContext_ _generateSQLToUpdateProperty_fromMultiStepKeypathComponents_inContext_ _generateSQLToUpdateProperty_fromSingleStepKeypath_inContext_ _generateSQLToUpdateProperty_fromSubquery_inContext_ _subqueryIntermediateForToManyKeypathWithComponents_withFunction_inContext_ initWithProperties_values_inScope_ isDestination_compatibleDestinationFor_ isRelationship_compatibleWith_ NSSQLUpdateIntermediate initWithEntity_inScope_ setUpdateColumnsIntermediate_ updateColumnsIntermediate NSSQLVariableExpressionIntermediate NSSQLWhereIntermediate NSSQLXPCFetchRequestContext NSSQLiteAdapter _cacheTriggers_forEntity_ _cachedTriggersForEntity_ _generateFragmentsForEntity_inArray_ _statementForFetchRequestContext_ignoreInheritance_countOnly_nestingLevel_ createCleanupSQLForRelationship_existing_correlationTableTriggers_error_ createSQLStatementsForRTreeTriggersForLocationAttribute_withSQLEntity_andDerivedLatitude_andDerivedLongitude_existingRtreeTables_ createSQLStatementsForTriggerAttribute_withSQLEntity_ generateCorrelationTableTriggerStatementsForRelationship_existing_correlationTableTriggers_error_ generateDeleteStatementsForRequest_error_ generateSQLStatmentForSourcesAndOrderKeysForDestination_inManyToMany_ generateSQLStatmentForSourcesAndOrderKeysForDestination_inToMany_ generateTriggerForEntity_alreadyCreated_correlations_fragments_error_ generateTriggerStatementsForEntity_usingRelationshipCleanupSQL_error_ initWithSQLCore_ newComplexPrimaryKeyUpdateStatementForEntity_ newConstrainedValuesUpdateStatementWithRow_ newCopyAndInsertStatementForManyToMany_toManyToMany_intermediateTableName_invertColumns_ newCorrelationDeleteStatementForRelationship_ newCorrelationInsertStatementForRelationship_ newCorrelationMasterReorderStatementForRelationship_ newCorrelationMasterReorderStatementPart2ForRelationship_ newCorrelationReorderStatementForRelationship_ newCountStatementWithFetchRequestContext_ newCreateIndexStatementForColumnWithName_inTableWithName_ newCreateIndexStatementForColumn_ newCreateIndexStatementForColumns_ newCreateIndexStatementForCorrelationTable_ newCreateIndexStatementsForEntity_ newCreatePrimaryKeyTableStatement newCreateTableStatementForEntity_ newCreateTableStatementForManyToMany_ newCreateTriggersForEntity_existingRtreeTables_ newDeleteStatementWithRow_ newDropTableStatementForTableNamed_ newGeneratorWithStatement_ newInsertStatementWithRow_ newPrimaryKeyInitializeStatementForEntity_withInitialMaxPK_ newRenameTableStatementFromManyToMany_toManyToMany_orToRandomSpot_ newRenameTableStatementFrom_to_ newSelectStatementWithFetchRequestContext_ignoreInheritance_ newSelectStatementWithFetchRequest_ignoreInheritance_ newSimplePrimaryKeyUpdateStatementForEntity_ newStatementWithEntity_ newStatementWithoutEntity newUpdateStatementWithRow_originalRow_withMask_ rtreeTableNameForEntity_attribute_ sqlTypeForExpressionConstantValue_ sqliteVersion typeStringForColumn_ typeStringForSQLType_ NSSQLiteConnection _beginPowerAssertionWithAssert_ _bindVariablesForConstrainedValuesWithRow_ _bindVariablesWithDeletedRow_ _bindVariablesWithInsertedRow_ _bindVariablesWithUpdatedRow_andOriginalRow_forDeltasMask_ _buffersForRegisteredFunctions _clearBindVariablesForConstrainedValuesUpdateStatement_ _clearBindVariablesForInsertedRow _clearBindVariablesForUpdateStatement_forDeltasMask_ _clearCachedStatements _clearOtherStatements _clearTransactionCaches _compressedDataWithModel_ _configureAutoVacuum _configureIntegrityCheck _configurePageSize _configurePragmaOptions_createdSchema_ _configureSynchronousMode _currentQueryGenerationIdentifier_ _decompressedModelWithData_ _endFetch _endPowerAssertionWithAssert_andApp_ _ensureDatabaseOpen _ensureNoFetchInProgress _ensureNoStatementPrepared _ensureNoTransactionOpen _ensureWalFileExists _executeSQLString_ _fetchMaxPrimaryKeyForEntity_ _finalizeStatement _forceDisconnectOnError _freeQueryGenerationIdentifier_ _getCurrentAutoVacuumValue _hasTableWithName_ _isQueryGenerationTrackingConnection _newValueForColumn_atIndex_inStatement_ _performPostSaveTasks_andForceFullVacuum_ _registerExtraFunctions _registerWithBackupd _restoreBusyTimeOutSettings _rowsChangedByLastExecute _setupVacuumIfNecessary _unregisterWithBackupd _vmstatement addVMCachedStatement_ adoptQueryGenerationIdentifier_ beginReadTransaction beginTransaction bindTempTableForBindIntarray_ bindTempTablesForStatementIfNecessary_ cacheCurrentDBStatementOn_ cacheUpdateConstrainedValuesStatement_forEntity_ cacheUpdateStatement_forEntity_andDeltasMask_ cachedUpdateConstrainedValuesStatmentForEntity_ cachedUpdateStatementForEntity_andDeltasMask_ canConnect clearObjectIDsUpdatedByTriggers commitTransaction connectionManager createCachedModelTable createIndexesForEntity_ createManyToManyTablesForEntity_ createMetadata createPrimaryKeyTableForModel_knownEmpty_ createSchema createSetOfObjectIDsUpdatedByTriggers createTableForEntity_ createTablesForEntities_ createTriggersForEntities_ currentQueryGenerationIdentifier databaseIsEmpty deleteRow_forRequestContext_ didCreateSchema endFetchAndRecycleStatement_ execute executeAttributeUniquenessCheckSQLStatement_returningColumns_ executeCorrelationChangesForValue1_value2_value3_value4_ executeMulticolumnUniquenessCheckSQLStatement_returningColumns_ fetchCachedModel fetchMaxPrimaryKeyForEntity_ fetchMetadata fetchResultSet_usingFetchPlan_ fetchTableCreationSQL forceTransactionClosed generatePrimaryKeysForEntity_batch_ handleCorruptedDB_ hasCachedModelTable hasMetadataTable hasOpenTransaction hasPrimaryKeyTable initAsQueryGenerationTrackingConnectionForSQLCore_ initForSQLCore_ isFetchInProgress isLocalFS isWriter metadataColumns newFetchedArray performAndWait_ performIntegrityCheck prefetchRequestCache prepareAndExecuteSQLStatement_ prepareSQLStatement_ queue rawIntegerRowsForSQL_ recreateIndices registerCurrentQueryGenerationWithStore_ registerCurrentQueryGenerationWithStore_retries_ registerNewQueryGenerationIdentifier_ releaseSQLStatement resetSQLStatement rollbackTransaction rowsChangedByLastStatement saveCachedModel_ saveMetadata_ selectCountWithStatement_ selectRowsWithStatement_cached_ setColumnsToFetch_ setIsWriter_ setSecureDeleteMode_ sqlStatement statementCacheForEntity_ transactionDidBegin transactionDidCommit transactionDidRollback triggerUpdatedRowInTable_withEntityID_primaryKey_columnName_newValue_ uncacheVMStatement_ updateConstrainedValuesForRow_ updateRow_forRequestContext_ willCreateSchema writeCorrelationChangesFromTracker_ writeCorrelationDeletesFromTracker_ writeCorrelationInsertsFromTracker_ writeCorrelationMasterReordersFromTracker_ writeCorrelationReordersFromTracker_ NSSQLiteInPlaceMigrationManager NSSQLiteIntarrayTable intarrayTable intarrayTableName setIntarrayTableName_ setIntarrayTable_ NSSQLitePrefetchRequestCache initWithModel_ NSSQLiteStatement addBindIntarray_ addBindVariable_ bindIntarrays bindVariables cacheFakeEntityForFetch_ cachedSQLiteStatement cachedStatementInfo clearCaches_ fakeEntityForFetch initWithEntity_sqlString_ isImpossibleCondition removeAllBindIntarrays removeAllBindVariables setBindIntarrays_ setBindVariables_ setCachedSQLiteStatement_forConnection_ setCachedStatementInfo_ setImpossibleCondition_ setSQLString_ setTrackChangedRowCount_ sqlString trackChangedRowCount NSSQLiteStatementCache cacheCorrelationDeleteStatement_forRelationship_ cacheCorrelationInsertStatement_forRelationship_ cacheCorrelationMasterReorderStatementPart2_forRelationship_ cacheCorrelationMasterReorderStatement_forRelationship_ cacheCorrelationReorderStatement_forRelationship_ cacheDeletionStatement_ cacheFaultingStatement_ cacheFaultingStatement_andFetchRequest_forRelationship_ cacheInsertStatement_ clearCachedStatements correlationDeleteStatementForRelationship_ correlationInsertStatementForRelationship_ correlationMasterReorderStatementForRelationship_ correlationMasterReorderStatementPart2ForRelationship_ correlationReorderStatementForRelationship_ createCorrelationCacheDictionary deletionStatement faultingStatement insertOrReplaceStatement_forRelationship_inDictionary_ insertStatement preparedFaultingCachesForRelationship_ NSSaveAsOperation NSSaveChangesRequest _retryHandlerCount _setRetryHandlerCount_ initWithInsertedObjects_updatedObjects_deletedObjects_lockedObjects_ lockedObjects setDeletedObjects_ NSSaveOperation NSSaveOptionsAsk NSSaveOptionsNo NSSaveOptionsYes NSSavePanel NSSavePanelAlertStyleContentView cancelAlertSpeaking informativeMessageTextField messageTextField setInformativeMessageTextField_ setMessageTextField_ NSSavePanelAuxiliary NSSavePanelNameFieldCell NSSaveToOperation NSScalarObjectID48 _getURIBytes_length_ initWithPK64_ NSScalarObjectID64 NSScaleNone NSScaleProportionally NSScaleToFit NSScannedOption NSScanner NSScreen _UUIDString _adjustCachedFrameForZeroScreenHeight_ _availableSettings _bestSettingSimilarToSetting_exactMatch_ _bestSettingWithBitsPerPixel_width_height_exactMatch_ _bestSettingWithBitsPerPixel_width_height_refreshRate_exactMatch_ _capture_ _currentSetting _currentSpace _displayID _dockOrientation _dockRect _frameByAdjustingFrameForDock_ _isActiveScreen _isCaptured _isZeroScreen _layoutFrame _menuBarHeight _releaseCapture_ _resetColorSpace _resetDepth _resetDisplayScaleFactor _resetFrame _resetMaximumExtendedDynamicRangeColorComponentValue _resetResolution _resetUUIDString _resolution _safeVisibleFrame _screenNumber _setColorSpace_ _setSharedInfo_ _setUUIDString_ _snapshot _switchToSetting_error_ addUpdateHandler_ displayLinkWithHandler_ displayLinkWithTarget_selector_ imageInRect_underWindow_ initWithDisplayID_ maximumExtendedDynamicRangeColorComponentValue supportedWindowDepths visibleFrame NSScreenAuxiliaryOpaque NSScreenBackgroundView createUnderDesktopCUIOptionsDictionary NSScreenChangedEventType NSScreenColorSpaceDidChangeNotification NSScreenDisplayLink _fire _schedule initWithScreen_handler_ NSScreenLayout initWithScreen_ NSScreenSaverWindowLevel NSScriptArgumentDescription _descriptionWithTabCount_ actualValueIsWritable appendParameterDeclarationsToAETEData_ appleEventCode firstPresentableName initWithKey_appleEventCode_type_isOptional_isHidden_requiresAccess_presentableDescription_name_synonymDescriptions_ initWithKey_appleEventCode_type_isOptional_presentableDescription_nameOrNames_ parameterDescriptorFromEvent_ presentableDescription presentableNames reconcileToSuiteRegistry_suiteName_commandName_ requiresAccess typeDescription NSScriptAttributeDescription _termedDescriptionWithTabCount_propertyKindName_ addAccessGroups_ addReadAccessGroup_ addWriteAccessGroup_ appendElementClassDeclarationToAETEData_ appendPropertyDeclarationsToAETEData_ fullTypeName initWithKey_type_access_appleEventCode_isHidden_presentableDescription_name_synonymDescriptions_accessGroupDescriptions_ initWithKey_type_access_isHidden_accessGroupDescriptions_ initWithKey_type_isReadOnly_appleEventCode_presentableDescription_nameOrNames_ matchesAppleEventCode_ matchesPresentableName_ presentableRelationshipClassName readAccessGroups reconcileToSuiteRegistry_suiteName_className_ setTypeDescription_forReconcilingToSuiteRegistry_ writeAccessGroups NSScriptClassDescription _addAccessGroups_ _aeteElementClassDescriptions _aetePropertyDescriptions _appendObjectClassDeclarationsToAETEData_includingParts_ _commandMethodSelectorsByName _contentsTypeDescription _firstPresentableName _forKey_getType_andSuite_ _getKeys_forPropertyDescriptionKind_ _hasHiddenParts _initWithClassDescription_synonymDescription_ _initWithProperties_defaultSubcontainerAttributeKey_inverseRelationshipKeys_ _initWithProperties_primitiveType_ _initWithSuiteName_className_implDeclaration_presoDeclaration_ _isFromSDEF _isSynonym _isToManyRelationshipOrderedForKey_ _keysForPropertyDescriptionKind_ _methodNameForCommand_ _presentableDescription _presentableNames _presentablePluralName _primitiveTypeDescription _propertyDescriptionForAppleEventCode_checkSubclasses_ _propertyDescriptionForAppleEventCode_checkSubclasses_superclasses_ _propertyDescriptionForKey_checkSubclasses_ _propertyDescriptionForKey_checkSubclasses_superclasses_ _propertyDescriptionForPresentableName_checkSubclasses_superclasses_ _propertyDescriptionsByKey _reconcileToExtensionDescription_suiteRegistry_ _reconcileToSuiteRegistry_ _shouldByDefaultInsertAtBeginningOfRelationshipForKey_ _synonymDescriptions _typeDescriptionForKey_ appleEventCodeForKey_ classDescriptionForKey_ defaultSubcontainerAttributeKey hasOrderedToManyRelationshipForKey_ hasPropertyForKey_ hasReadablePropertyForKey_ hasWritablePropertyForKey_ implementationClassName initWithSuiteName_className_dictionary_ isLocationRequiredToCreateForKey_ isReadOnlyKey_ keyWithAppleEventCode_ selectorForCommand_ suiteName superclassDescription supportsCommand_ typeForKey_ NSScriptClassDescriptionMoreIVars NSScriptCoercionHandler NSScriptCommand NSScriptCommandConstructionContext NSScriptCommandDescription _accessGroups _appendEventDeclarationsToAETEData_includingParts_ _argumentDescriptionForKey_ _argumentDescriptions _argumentDescriptionsByName _initWithProperties_ _initWithProperties_commandName_resultTypeAppleEventCode_ _initWithSuiteName_commandName_implDeclaration_presoDeclaration_ _matchesAppleEventCode_classCode_ _presentableResultDescription _resultTypeDescription _setAccessGroups_ appleEventClassCode appleEventCodeForArgumentWithName_ appleEventCodeForReturnType argumentNames commandClassName commandName createCommandInstance createCommandInstanceWithZone_ initWithSuiteName_commandName_dictionary_ isOptionalArgumentWithName_ typeForArgumentWithName_ NSScriptCommandDescriptionMoreIVars NSScriptCommandMoreIVars NSScriptComplexTypeDescription alternativeTypeDescriptions appendObjectClassDeclarationToAETEData_ coercedValue_ errorExpectedTypeDescriptor initWithAppleEventCode_alernativeTypeDescriptions_ isEnumeration isList objcClassName objcCreationMethodSelector objcDescriptorCreationMethodSelector reconcileToSuiteRegistry_suiteName_ NSScriptDeclaredRecordTypeDescription appendObjectClassDeclarationToAETEData_includingParts_ fieldDescriptionForAppleEventCode_ fieldDescriptionForKey_ fieldDescriptions hasHiddenParts initWithName_appleEventCode_fieldDescriptions_isHidden_presentableDescription_ NSScriptEnumerationDescription _oldStyleOneWordName _oneWordName appendEnumerationDeclarationToAETEData_includingParts_ enumeratorDescriptions initWithName_appleEventCode_enumeratorDescriptions_ initWithName_appleEventCode_enumeratorDescriptions_isHidden_ initWithName_appleEventCode_objcClassName_ initWithName_appleEventCode_objcClassName_isHidden_ objcCreationMethodSelector2 objcDescriptorCreationMethodSelector2ForClass_ NSScriptEnumeratorDescription initWithAppleEventCode_presentableDescription_name_ initWithAppleEventCode_value_isHidden_presentableDescription_name_synonymDescriptions_ synonymDescriptions NSScriptExecutionContext _debugLoggingLevel _errorExpectedTypeDescriptor _errorNumber _errorOffendingObjectDescriptor _rangeContainerClassDescription _resetErrorInfo _setErrorExpectedTypeDescriptor_ _setErrorExpectedType_ _setErrorNumber_ _setErrorOffendingObjectDescriptor_ _setErrorWithEvaluatedObjectSpecifier_ _setRangeContainerClassDescription_ _setTestedObjectTypeDescription_ _setUpDefaultTopLevelObject _testedObjectTypeDescription _topLevelObjectClassDescription objectBeingTested rangeContainerObject setObjectBeingTested_ setRangeContainerObject_ setTopLevelObject_ topLevelObject NSScriptExecutionContextMoreIVars NSScriptFakeObjectTypeDescription initWithAppleEventCode_ initWithClassDescription_ NSScriptListTypeDescription elementTypeDescription initWithElementTypeDescription_ NSScriptObjectSpecifier NSScriptObjectTypeDescription NSScriptPropertiesRecordTypeDescription initWithContainerClassDescription_ NSScriptPropertyDescription NSScriptRecordFieldDescription appendPropertyDeclarationToAETEData_ initWithKey_typeDescription_appleEventCode_presentableDescription_name_ initWithKey_type_appleEventCode_isHidden_presentableDescription_name_synonymDescriptions_ reconcileToSuiteRegistry_suiteName_recordTypeName_ NSScriptRecordTypeDescription NSScriptSDEFElement addDescription_forSubelementName_ descriptionForOptionalSubelementName_ initWithName_attributes_ oneOrMoreDescriptionsForSubelementName_ valueForOptionalAttributeKey_ valueForRequiredAttributeKey_ zeroOrMoreDescriptionsForSubelementName_ NSScriptSDEFParser _accessValueForAttributeKey_fromElement_ _argumentKeyFromElement_withName_ _booleanValueForAttributeKey_fromElement_ _booleanValueForCocoaAttributeKey_fromElement_ _classNameFromElement_withName_ _createAccessGroupDescriptionFromElement_ _createArgumentDescriptionFromElement_ _createClassDescriptionFromElement_ _createClassExtensionDescriptionFromElement_ _createCocoaDescriptionFromElement_ _createCommandDescriptionFromElement_ _createEnumerationDescriptionFromElement_ _createEnumeratorDescriptionFromElement_ _createPropertyDescriptionFromElement_ _createRecordTypeDescriptionFromElement_ _createRespondsToDescriptionFromElement_ _createResultDescriptionFromElement_ _createSuiteDescriptionArrayFromDictionaryElement_ _createSuiteDescriptionFromElement_ _createSynonymDescriptionFromElement_ _createToManyRelationshipDescriptionFromElement_ _createToOneRelationshipDescriptionFromElement_ _createTypeDescriptionFromElement_ _createValueTypeDescriptionFromElement_ _currentSuiteName _implementationAttribute_fromElement_withName_capitalizing_ _methodSelectorFromElement_withName_ _propertyAccessFromElement_ _propertyKeyFromElement_withName_ _typeNameFromElement_isOptional_ _valueForOptionalCocoaAttributeKey_fromElement_ _valueForRequiredCocoaAttributeKey_fromElement_ parser_parseErrorOccurred_ setParsesCocoaElements_ suiteDescriptions NSScriptSuiteDescription appendSuiteDeclarationsToAETEData_ classDescriptions classDescriptionsByName commandDescriptions commandDescriptionsByName initWithProperties_classExtensionDescriptions_ initWithProperties_suiteName_usesUnnamedArguments_classSynonymDescriptions_ reconcileSelfToSuiteRegistry_ reconcileSubdescriptionsToSuiteRegistry_ removeClassDescriptions_ removeCommandDescriptions_ setClassDescription_ setCommandDescription_ typeDescriptions usesUnnamedArguments NSScriptSuiteRegistry _aeteDataForAllSuites _appendTypeDefinitionsSuiteDeclarationToAETEData_ _appendTypeNamesSuiteDeclarationToAETEData_ _classDescriptionForName_ _classDescriptionForName_suiteName_isValid_ _complexTypeDescriptions _initWithSDEFData_otherAppBundle_ _isLoadingSDEFFiles _listTypeDescriptions _loadIntrinsicScriptingDefinitions _loadSuiteDescription_ _loadSuitesForAlreadyLoadedBundles _loadSuitesForJustLoadedBundle_ _loadSuitesForSecurityOverride _loadSuitesFromSDEFData_bundle_ _newRegisteredSuiteDescriptionForName_ _objectSpecifierTypeDescription _objectTypeDescriptionForClassAppleEventCode_isValid_ _registerOrCollectSuiteDescription_ _registerSuiteDescriptions_ _subclassDescriptionsForDescription_ _suiteDescriptions _suiteDescriptionsByName _typeDescriptionForAppleEventCode_ _typeDescriptionForName_suiteName_isValid_ aeteResource_ appleEventCodeForSuite_ bundleForSuite_ classDescriptionWithAppleEventCode_ classDescriptionsInSuite_ commandDescriptionWithAppleEventClass_andAppleEventCode_ commandDescriptionsInSuite_ loadSuiteWithDictionary_fromBundle_ loadSuitesFromBundle_ registerClassDescription_ registerCommandDescription_ suiteForAppleEventCode_ suiteNames NSScriptSynonymDescription initWithName_appleEventCode_isHidden_appleEventClassCode_ NSScriptToManyRelationshipDescription initWithKey_type_access_isHidden_shouldByDefaultInsertAtBeginning_accessGroupDescriptions_ initWithKey_type_isReadOnly_appleEventCode_isLocationRequiredToCreate_ isLocationRequiredToCreate shouldByDefaultInsertAtBeginning NSScriptToOneRelationshipDescription shouldBecomeAETEPropertyDeclaration NSScriptTypeDescription NSScriptValueTypeDescription NSScriptWhoseTest NSScriptingAppleEventHandler _registerForCommandDescription_onlySecurityHandlers_ handleCommandEvent_withReplyEvent_ handleGetAETEEvent_withReplyEvent_ registerForCommandDescription_ registerNormalHandlersForCommandDescription_ secureCommandEvent_withReplyEvent_ NSScrollAnimationHelper _currentPoint changeDestinationToPoint_ setIsScrollDueToUserAction_ setLogPerformanceAnalysis_ targetOrigin NSScrollElasticityAllowed NSScrollElasticityAutomatic NSScrollElasticityNone NSScrollLockFunctionKey NSScrollView NSScrollViewDidEndLiveMagnifyNotification NSScrollViewDidEndLiveScrollNotification NSScrollViewDidLiveScrollNotification NSScrollViewFindBarPositionAboveContent NSScrollViewFindBarPositionAboveHorizontalRuler NSScrollViewFindBarPositionBelowContent NSScrollViewMirrorView associatedScrollView reflectUpdatedAssociatedView setAssociatedScrollView_ NSScrollViewWillStartLiveMagnifyNotification NSScrollViewWillStartLiveScrollNotification NSScrollWheel NSScrollWheelMask NSScroller _accessibilityIsSupportedPartCode_ _accessibilityScrollView _accessibilitySupportedPartCodes _accessibilityUIElementForPartCode_ _avoidingOtherScrollerThumb _copyCompositeCoreUIDrawOptions _decrementLine_ _decrementPage_ _drawingRectForPart_ _expansionTransitionProgress _fixScrollerImpForSwizzlers _incrementLine_ _incrementPage_ _isTrackingInKnob _lionScrollerStyle _needsMasksToBounds _old_drawArrow_highlightPart_ _old_drawKnob _old_drawKnobSlotInRect_highlight_ _overlayScrollerState _postScrollerDidBeginTrackingNotification _postScrollerDidEndTrackingNotification _really_setLionScrollerStyle_ _repeatTime _replaceScrollerImp _routeAroundScrollerStyleAccessors _scrollByDelta_ _scrollerWantsLayer _setAvoidingOtherScrollerThumb_ _setIsHorizontal_ _setLionScrollerStyle_ _setNeedsDisplayIfNotLayerBackedOverlayCompatible _setNeedsDisplayIfNotLayerBackedOverlayCompatibleInRect_ _setOverlayScrollerState_forceImmediately_ _setThumbingDoubleValue_ _setThumbingKnobProportion_ _setTrackingInKnob_ _testPartUsingDestinationFloatValue_ _thumbingDoubleValue _thumbingKnobProportion _uiStateTransitionProgress _updateWantsLayer _useTigerMetrics arrowsPosition drawArrow_highlightPart_ drawArrow_highlight_ drawParts hitPart mouseLocationInScrollerForScrollerImp_ overlayScrollerKnobAlpha overlayScrollerTrackAlpha scrollerImp scrollerImp_animateExpansionTransitionWithDuration_ scrollerImp_animateKnobAlphaTo_duration_ scrollerImp_animateTrackAlphaTo_duration_ scrollerImp_animateUIStateTransitionWithDuration_ scrollerImp_overlayScrollerStateChangedTo_ setArrowsPosition_ setFloatValue_knobProportion_ setOverlayScrollerKnobAlpha_ setOverlayScrollerTrackAlpha_ shouldUseLayerPerPartForScrollerImp_ trackKnob_ trackPagingArea_ trackScrollButtons_ NSScrollerArrowsDefaultSetting NSScrollerArrowsMaxEnd NSScrollerArrowsMinEnd NSScrollerArrowsNone NSScrollerDecrementArrow NSScrollerDecrementLine NSScrollerDecrementPage NSScrollerImp NSScrollerImpPair _addRemoveTrackingAreasAsNeeded _beginHideOverlayScrollers _cancelOverlayScrollerHideTimer _endScrollGestureWithCancel_ _overlayScrollerHideTimerFired_ _rescheduleOverlayScrollerHideTimerWithDelay_ _setOverlayScrollerState_forScrollerImp_forceImmediately_ _updateOverlayScrollersStateWithReason_forceAtLeastKnobsVisible_ _updateOverlayScrollersStateWithReason_forcingVisibilityForHorizontalKnob_verticalKnob_ beginScrollGesture cancelScrollGesture contentAreaDidHide contentAreaDidResize contentAreaScrolled contentAreaScrolledInDirection_ contentAreaWillDraw endLiveResize endScrollGesture endTrackingInScrollerImp_ hideOverlayScrollers horizontalScrollerImp inScrollGesture lockOverlayScrollerState_ mouseEnteredContentArea mouseExitedContentArea mouseMovedInContentArea movedToNewWindow overlayScrollerStateIsLocked overlayScrollersShown removedFromSuperview setHorizontalScrollerImp_ setVerticalScrollerImp_ startLiveResize unlockOverlayScrollerState verticalScrollerImp NSScrollerIncrementArrow NSScrollerIncrementLine NSScrollerIncrementPage NSScrollerKnob NSScrollerKnobSlot NSScrollerKnobStyleDark NSScrollerKnobStyleDefault NSScrollerKnobStyleLight NSScrollerNoPart NSScrollerStyleLegacy NSScrollerStyleOverlay NSScrollingBehavior automateLiveScrollOfScrollView_ axisForSwipeTrackingGivenScrollWheelEvent_ scrollView_boundsChangedForClipView_ scrollView_endScrollGestureDueToReason_ scrollView_panGestureRecognizerFailed_ scrollView_panGestureRecognizer_shouldReceiveTouch_ scrollView_panWithGestureRecognizer_ scrollView_responderToForwardMayBeginScrollEvent_ scrollView_responderToForwardScrollEvents_ scrollView_scrollWheelWithEvent_ snapRubberBandOfScrollView_ supportsConcurrentScrolling NSScrollingBehaviorConcurrentVBL _animateFreeMomentum _animateMomentum _animateSwipePageAlignment _asynchronouslyAllowDelegateToAdjustMomentum_withInitialOrigin_velocity_synchronousTimeout_gestureToken_ _asynchronouslyAllowDelegateToModifyProposedPageAlignedOrigin_onAxis_withInitialOrigin_velocity_synchronousTimeout_gestureToken_ _automateLiveScrollOfScrollView_ _beginMomentumScroll _beginPhysicalScroll _isStretched _legacyBehavior _scrollView_discreetScrollWithEvent_ _scrollView_smoothScrollWithEvent_ _scrollView_trackGestureScrollWithEvent_ _scrollView_trackScrollMayBegin_ _snapRubberband _snapRubberbandIfRequired _snapRubberbandWithInitialOrigin_velocity_stretch_ _startGestureScrollWithVBLFilter_ _stopGestureScrollTracking _updateAnimatedMomentumStateMachineWithScrollStateEvent_sender_ _updateMomentumEventsStateMachineWithScrollStateEvent_sender_ _updatePageReferenceNumber checkForGestureContinuance gestureToken scrollStateEvent_sender_ setGestureToken_ waitForEvent NSScrollingBehaviorLegacy _cancelAnyOutstandingPanAnimation _endSnapBackAnimationIfNeededForScrollView_ _latchAcceleratedScrollEventsToScrollView_ _latchMomentumScrollEventsToScrollView_ _momentumAnimationTimerFire_ _scrollView_snabRubberBandWithVelocity_ _snapRubberBandWhenMouseReleasedFromTrackingLoopOfScrollView_ endGestureMonitor isInScrollGesture scrollViewRefForCarbonApps scrollView_panGestureRecognizerEndedOrFailed_ setEndGestureMonitor_ setScrollViewRefForCarbonApps_ NSScrubber _accessibilityChildIsVisible_ _accessibilityIndexOfChildAfterVisible _accessibilityIndexOfChildBeforeVisible _accessibilityVisibleChildren _accessibilityVisibleChildrenAtIndexes_ _animateAutoscrollLandingAnimation _autoupdateFloatsSelectionIfNeeded _didTriggerPanGestureRecognizer_ _didTriggerPressGestureRecognizer_ _earlyCommonInit _gestureRecognizersForPressAndHoldBehavior _ignoresTouches _indexForItemView_ _interactiveHighlightItemAtIndex_animated_ _interactiveSelectItemAtIndex_animated_ _lateCommonInit _numberOfItemsFromDataSource _scrollView_adjustScrollOffset_withVelocity_toItemWithAlignment_pinningTarget_ _setIgnoresTouches_ _tellDelegateHighlightIndexDidChange_ _tellDelegateInteractionBeganIfNeeded _tellDelegateInteractionCancelled _tellDelegateInteractionFinished _tellDelegatePressedItemAtIndex_ _tellDelegateSelectionIndexDidChange_ _tellDelegateVisibleRangeDidChange_ _touchTargetViewForPressAndHoldBehavior _updateArrowButtonStates _updateAutoscrollWithDisplayLink_ _updateAutoscrollWithPointInScrollView_trackingStatus_ _updateBackground _updateNumberOfItems accessibilityAutoScrollContentIntoView accessibilityScrollChangesSelection allowPanningInScrollView_ didBeginScrollInScrollView_ didEndScrollInScrollView_ didPressArrowButton_ floatsSelectionViews highlightedIndex initWithFrame_scrubberLayout_ insertItemAtIndex_ insertItemsAtIndexes_ itemAlignment itemViewForItemAtIndex_ makeItemWithIdentifier_owner_ moveItemAtIndex_toIndex_ pendingChanges performBatchUpdates_ performSequentialBatchUpdates_ populatedItemViews registerClass_forItemIdentifier_ registerNib_forItemIdentifier_ reloadItemAtIndex_ reloadItemsAtIndexes_ removeItemsAtIndexes_ scrollItemAtIndex_toAlignment_ scrollViewBeganMomentum_withVelocity_targetContentOffset_ scrubberLayout selectionBackgroundStyle selectionOverlayStyle selectionStyle setFloatsSelectionViews_ setHighlightedIndex_ setItemAlignment_ setPendingChanges_ setScrubberLayout_ setSelectedIndex_animated_ setSelectionBackgroundStyle_ setSelectionOverlayStyle_ setSelectionStyle_ setShowsAdditionalContentIndicators_ setShowsArrowButtons_ showsAdditionalContentIndicators showsArrowButtons NSScrubberAlignmentCenter NSScrubberAlignmentLeading NSScrubberAlignmentNone NSScrubberAlignmentTrailing NSScrubberArrangedView NSScrubberArrowButton arrowFacesLeft initWithArrowFacesLeft_ NSScrubberArrowButtonCell _coreUIBackgroundDrawOptionsInView_ NSScrubberChangeTransition fromAttr setFromAttr_ setToAttr_ toAttr NSScrubberContainerView centerSubviews innerView setCenterSubviews_ setInnerView_ NSScrubberDocumentView _adjustScrollToItemAtIndex_withAlignment_offset_ _blendedLayoutAttributesForSelectionIndex_secondarySelectionIndex_ratioOfSecondary_ _calculatePinnedItemIndex_alignment_offset_ _initialLayoutAttributesForSelectionAtIndex_ _setHighlightIndex_ _setSelectionIndex_ _shouldDrawSelectionForItemIndex_ _updateSelectionsForContinuousFreeForClipRect_ addItemToViewHierarchy_ addSelectionPairToViewHierarchy_initiallyVisible_ animatingSelections applyLayoutAttributes_toItemView_ attributesForItemAtIndex_ attributesNearestToPoint_ calculateContentViewInsets cleanupSelectionViews clearPinnedItem clipFrameOrBoundsDidChange_ clipOriginAligningItemAtIndex_withAlignment_ createItemViewForIndex_ currentLayoutAttributes executePendingChanges_ floatsSelection highlightIndex indexForItemView_ interpolatingSelectionIndex invalidateEverythingAndReload itemAtPoint_index_frame_ itemNearestToPoint_index_frame_ layoutArrangedItemsInRect_ layoutAttributesInRect_forSelectionIndex_ layoutAttributesWithPrimaryAttributes_secondaryAttributes_ratioOfSecondary_ layoutContentView layoutScrubberContents layoutSelectionViews makeSelectionPairForItemView_withIndex_ pinItemAtIndex_toAlignment_ prepareSelectionViews rectInClip recycleView_ registeredViewClasses registeredViewNibs requiredPopulatedItemIndexes scrubber selectionBackground selectionOverlay selectionRatio setAnimatingSelections_ setCurrentLayoutAttributes_ setFloatsSelection_ setHighlightIndex_ setInterpolatingSelectionIndex_ setNeedsItemLayout setNumberOfItems_ setRequiredPopulatedItemIndexes_ setScrubberContentSize_ setScrubber_ setSelectionBackground_ setSelectionOverlay_ setSelectionRatio_ setSuppressScrollCorrection_ setViewMap_ snapshotForPendingChanges sortScrubberSubviews updateForChangeInClipRect viewForItemAtIndex_creatingIfNeeded_ viewMap NSScrubberFlowLayout _layoutAttributesForItemAtIndex_ _prepareLayoutIfNeeded _setScrubber_ automaticallyMirrorsInRightToLeftLayout hasUniformlySizedElements invalidateLayoutForItemsAtIndexes_ itemSpacing layoutAttributesForItemAtIndex_ layoutAttributesForItemsInRect_ layoutIsDirty needsToPrepareLayout scrubberContentSize setItemSpacing_ shouldInvalidateLayoutForChangeFromVisibleRect_toVisibleRect_ shouldInvalidateLayoutForHighlightChange shouldInvalidateLayoutForSelectionChange spacingAfterItemAtIndex_ visibleContentSize widthForItemAtIndex_ NSScrubberFlowLayoutSupport _indexOfItemAtLocation_ contentWidth dynamicSizes ensureValidLayout enumerateFramesForItemsInRect_usingBlock_ invalidateItemsAtIndexes_ setDynamicSizes_ NSScrubberImageItemView NSScrubberItemView NSScrubberLayout NSScrubberLayoutAttributes itemIndex setItemIndex_ NSScrubberModeFixed NSScrubberModeFree NSScrubberOutlineSelectionOverlayView _coreUIDrawOptions _outlineCommonInit _previousDrawStateSelected_highlighted_ _setPreviousDrawStateSelected_highlighted_ _shouldDraw itemCornerRadius setShowsHighlight_ showsHighlight NSScrubberPendingChanges _indexSetForStagedAttributesFromGlobalIndexSet_truncatingLength_ countDelta initWithCurrentLayoutAttributes_ stagedAttributes stagedAttributesStart toBeRemoved toReload NSScrubberProportionalLayout initWithNumberOfVisibleItems_ itemWidth NSScrubberRoundedSelectionBackgroundView _roundedBackgroundCommonInit NSScrubberSelectionPair _forEachContainer_ containsCustomViews initWithBackgroundView_overlayView_ overlayView preferredItemCornerRadius removeFromViewHierarchyAnimated_ setContainerAlphaValue_ setContainsCustomViews_ setOverlayView_ setSelected_highlighted_ NSScrubberSelectionStyle makeSelectionView NSScrubberSelectionView NSScrubberTextItemView NSSearchButtonCellProxy NSSearchField NSSearchFieldBinder _cellForObject _predicateOptionPairForBinding_ check_ deactivateMenuItemsInMenu_ searchFieldCellOrControlDidClearRecents_ updateSearchFieldWithPredicate_ NSSearchFieldCell _accessibilitySearchFieldCellBounds _addStringToRecentSearches_ _adjustCancelButtonCellImages__ _adjustSearchButtonCellImages__ _autosaveRecentSearchList _cancelButtonInsetForBounds_userInterfaceLayoutDirection_ _cancelButtonLayer _cancelButtonRectForBounds_ _cancelButtonSizeForBounds_userInterfaceLayoutDirection_ _deregisterForAutosaveNotification _loadRecentSearchList _menuLocationInFrame_ _proCancelVisible _realMaximumRecents _registerForAutosaveNotification _resetResignTransition _searchButtonInsetForBounds_userInterfaceLayoutDirection_menu_ _searchButtonRectForBounds_focused_ _searchButtonSizeForBounds_userInterfaceLayoutDirection_ _searchFieldCancel_ _searchFieldClearRecents_ _searchFieldDoRecent_ _searchFieldSearch_ _searchMenuButtonLayer _searchMenuButtonLayerFrameForBounds_focus_ _searchMenuButtonLayerWithMenu _searchMenuForProxy _searchMenuTemplate _searchMenuTracking _searchTextRectForBounds_focused_ _sendPartialString _setCancelButtonVisible_animate_ _setProCancelVisible_ _tearDownPartialStringTimer _textDidEndEditing_ _trackButton_forEvent_inRect_ofView_ _transitionInRect_ofView_becomeFirstResponder_completion_ _trimRecentSearchList _updateAutosavedRecents_ _updateSearchMenu _usesCenteredLook accessibilityClearButtonAttribute accessibilityIsClearButtonAttributeSettable accessibilityIsSearchButtonAttributeSettable accessibilitySearchButtonAttribute cancelButtonCell cancelButtonRectForBounds_ isCenteredLook resetCancelButtonCell resetSearchButtonCell resumeEditingOnCancel searchButtonCell searchButtonRectForBounds_ searchButtonRectForBounds_focused_ searchMenuFactoryClass searchTextRectForBounds_ searchTextRectForBounds_focused_ setCancelButtonCell_ setCenteredLook_ setResumeEditingOnCancel_ setSearchButtonCell_ NSSearchFieldClearRecentsMenuItemTag NSSearchFieldNoRecentsMenuItemTag NSSearchFieldRecentsMenuItemTag NSSearchFieldRecentsTitleMenuItemTag NSSearchPathEnumerator initWithDirectory_domains_ NSSearchPathForDirectoriesInDomains NSSecondCalendarUnit NSSecureStringWrapper initWithBulletCharacter_length_ initWithOriginalString_ NSSecureTextField _bulletCharacter _commonSecureTextFieldInit_ _setBulletCharacter_ NSSecureTextFieldCell _bulletStringForString_ _securePromptSession accessibilityIsValueDescriptionAttributeSettable accessibilityValueDescriptionAttribute echosBullets isKernelSecureMode passwordSessionValue setEchosBullets_ setKernelSecureMode_ validatePasswordSessionValue_ NSSecureTextStorage beginSecureMode bullferCharacter endSecureMode setBulletCharacter_ NSSecureTextView _accessibilityIndicatorImageChildrenWithParent_ _accessibilityIndicatorImageUnderPoint_forParent_ _accessibilityPostValueChangeNotificationAfterDelay _detachFieldEditorFromWindow_ _resetTooltips _updateIndicators enableSecureInput_ getCapsLockRect_numLockRect_ layoutManagerDidInvalidateLayout_ NSSegmentDistributionFill NSSegmentDistributionFillEqually NSSegmentDistributionFillProportionally NSSegmentDistributionFit NSSegmentItem _alternateImage _badgeEmblem _badgeEmblemForValue_ _badgeValue _badgeView _disabled _displayWidth _imageRect _imageScaling _inactiveStateDisablesRollovers _label _labelRect _menuIndRect _mouseInside _needsRecalc _recalcRectsForCell_ _selected _setAlternateImage_ _setBadgeValue_ _setBadgeView_ _setDisabled_ _setImageScaling_ _setInactiveStateDisablesRollovers_ _setLabel_ _setMenu_ _setMouseInside_ _setNeedsRecalc _setOwningCell_ _setShowMenuIndicator_ _setShowsBadge_ _setShrinkage_ _setSpringLoadingHighlight_ _setToolTipTag_ _setWidth_ _showMenuIndicator _showsBadge _shrinkage _springLoadingHighlight _toolTipTag segmentItemView setSegmentItemView_ setToolTipTag_ toolTipTag NSSegmentItemLabelCell setWidgetName_ widgetName NSSegmentItemLabelView NSSegmentItemView _drawImageWithDirtyRect_imageState_backgroundStyle_ drawContent imageRect labelRect labelView parentCell segmentItemData setContentRect_ setDrawContent_ setImageRect_ setLabelRect_ setLabelView_ setParentCell_ setSegmentItemData_ NSSegmentStyleAutomatic NSSegmentStyleCapsule NSSegmentStyleRoundRect NSSegmentStyleRounded NSSegmentStyleSeparated NSSegmentStyleSmallSquare NSSegmentStyleTexturedRounded NSSegmentStyleTexturedSquare NSSegmentSwitchTrackingMomentary NSSegmentSwitchTrackingMomentaryAccelerator NSSegmentSwitchTrackingSelectAny NSSegmentSwitchTrackingSelectOne NSSegmentedCell NSSegmentedControl NSSegmentedControlBinder NSSelectByCharacter NSSelectByParagraph NSSelectByWord NSSelectFunctionKey NSSelectedIdentifierBinding NSSelectedIndexBinding NSSelectedLabelBinding NSSelectedObjectBinding NSSelectedObjectsBinding NSSelectedTab NSSelectedTagBinding NSSelectedValueBinding NSSelectedValuesBinding NSSelectingNext NSSelectingPrevious NSSelectionAffinityDownstream NSSelectionAffinityUpstream NSSelectionArray enumerateRangesAtIndexes_options_usingBlock_ initWithIndexes_ NSSelectionBinder NSSelectionIndexPathsBinding NSSelectionIndexesBinding NSSelectorFromString NSSelectorNameBindingOption NSSelectsAllWhenSettingContentBindingOption NSSelfExpression NSSerializer NSServiceApplicationLaunchFailedError NSServiceApplicationNotFoundError NSServiceErrorMaximum NSServiceErrorMinimum NSServiceInvalidPasteboardDataError NSServiceListener _doInvokeServiceIn_msg_pb_userData_error_unhide_ addServiceProvider_ providerRespondingToSelector_ removeServiceProvider_ NSServiceMalformedServiceDictionaryError NSServiceMaster objectForServicePath_ objectForServicePath_app_doLaunch_limitDate_ objectForServicePath_app_doLaunch_limitDate_basePortName_ registerObject_withServicePath_ serviceListener unregisterObjectWithServicePath_ NSServiceMiscellaneousError NSServiceRequestTimedOutError NSServicesMenuHandler NSServicesRolloverButtonCell rectForBounds_preferredEdge_ NSServicesRolloverView initWithDelegate_style_ NSSet NSSetChange NSSetChanges NSSetCommand NSSetExpression initWithType_leftExpression_rightExpression_ NSSetFocusRingStyle NSSetShowsServicesMenuItem NSSetUncaughtExceptionHandler NSSetZoneName NSShadow _setWithOffsetDelta_ initWithShadow_ setShadowBlurRadius_ shadowBlurRadius NSShadowAttributeName NSShadowSurface _cgScaleFactor _configureAutoFlattening _createBackingStore _createRoundedBottomRegionForRect_ _createSurface _currentSurfaceFrame _disposeBackingStore _disposeSurface _surfaceDidChangeScreen _updateLastScreenNumber _windowDidChangeScreens_ _windowDidChangeWindowNumber_ _windowDidComeBack_ _windowDidMove_ _windowWillGoAway_ backgroundBlurRadius clearBackingStore deferSync flushWithOptions_ initWithFrame_inWindow_ initWithView_height_fill_ initWithView_height_fill_isHorizontal_ isFocused isOrderedIn orderSurface_relativeTo_ ordersOutWhileAlphaValueIsZero saveWeighting setBackgroundBlurRadius_ setDeferSync_ setOrdersOutWhileAlphaValueIsZero_ setSaveWeighting_ surfaceID syncBackingStoreResolution syncSurfaceResolution syncSurfaceWantsExtendedDynamicRange syncToViewUnconditionally syncToView_ updateColorSpace updateOrderingForAlphaValue NSShadowlessSquareBezelStyle NSSharedKeyDictionary initWithKeySet_ keySet NSSharedKeySet factor g initWithKeys_count_ keyAtIndex_ keySetCount maximumIndex numKey rankTable seeds select setFactor_ setG_ setKeys_ setM_ setNumKey_ setRankTable_ setSeeds_ setSelect_ setSubSharedKeySet_ subSharedKeySet NSSharedPublicDirectory NSSharedWindowController _fakeMenuItemForTarget_action_tag_ _handleActivateSharedWindow_ _handleFirstResponderActionForRequest_ _handleFirstResponderValidateRequest_ _handleHideSharedWindow_ _handleMakeFirstResponder_ _handleSendEvent_ _handleSetupSharedWindow_ _makeKeyWindow_ _panelFrameChanged_ _remoteHostDidAcceptRights_ _remoteWindowShouldChange_ _remoteWindowShouldOrderWindow_andChangeKey_orJustOrderOut_ handleEvents initWithConnection_andWindow_ initWithConnection_window_rights_ setHandleEvents_ someApplicationDeactivated_ NSSharingContentScopeFull NSSharingContentScopeItem NSSharingContentScopePartial NSSharingService _preProcessingJavaScriptURL _setIsAddPeopleService_ _setLocalizedPasswordActionTitle_ _setParticipantDetails_ accountName attachmentFileURLs canPerformWithItems_ initWithTitle_image_alternateImage_handler_ menuItemTitle performWithItems_ permanentLink recipients setMenuItemTitle_ setParameterValue_forKey_ setParameters_ setRecipients_ setShkSharingService_ setSubject_ shkSharingService subject NSSharingServiceErrorMaximum NSSharingServiceErrorMinimum NSSharingServiceNameAddToAperture NSSharingServiceNameAddToIPhoto NSSharingServiceNameAddToSafariReadingList NSSharingServiceNameCloudSharing NSSharingServiceNameComposeEmail NSSharingServiceNameComposeMessage NSSharingServiceNamePostImageOnFlickr NSSharingServiceNamePostOnFacebook NSSharingServiceNamePostOnLinkedIn NSSharingServiceNamePostOnSinaWeibo NSSharingServiceNamePostOnTencentWeibo NSSharingServiceNamePostOnTwitter NSSharingServiceNamePostVideoOnTudou NSSharingServiceNamePostVideoOnVimeo NSSharingServiceNamePostVideoOnYouku NSSharingServiceNameSendViaAirDrop NSSharingServiceNameUseAsDesktopPicture NSSharingServiceNameUseAsFacebookProfileImage NSSharingServiceNameUseAsLinkedInProfileImage NSSharingServiceNameUseAsTwitterProfileImage NSSharingServiceNotConfiguredError NSSharingServicePicker _alternateItemIdentifierFromRepresentedObject_ _openAppExtensionsPrefpane_ _prepareSHKSharingServicePicker _queryServices _representedObjectForService_alternateItemIdentifier_ _serviceFromRepresentedObject_ _serviceSelected_ _updateRolloverMenu_ _uppercaseString_ emptyMenuImage initWithItems_ menuItemFromService_ moreMenuImage rolloverButtonCell NSSharingServicePickerReserved assignDelegate setAssignDelegate_ NSSharingServicePickerTouchBarItem _makeInternalPopoverItemWithButtonTitle_buttonImage_ _shareButton itemsForSharingServicePickerTouchBarItem_ setItems_ sharingServicePicker_didChooseSharingService_ sharingServicePicker_sharingServicesForItems_proposedSharingServices_ NSSharingServiceReserved NSSharingService_Subsystem NSShellCommandFileType NSShiftJISStringEncoding NSShiftKeyMask NSShortDateFormatString NSShortMonthNameArray NSShortTimeDateFormatString NSShortWeekDayNameArray NSShouldRetainWithZone NSShowAnimationEffect NSShowControlGlyphs NSShowInvisibleGlyphs NSShowsServicesMenuItem NSSidebarImage initWithSourceImage_ setSourceImage_ sourceImage NSSidebarImageCell NSSimpleAttributeDictionary slotForKey_ NSSimpleAttributeDictionaryEnumerator NSSimpleCString NSSimpleOrthography initWithFlags_ NSSimpleRegularExpressionCheckingResult NSSingleByteEncodingDetector NSSingleDateMode NSSingleLineTypesetter createRenderingContextForCharacterRange_typesetterBehavior_usesScreenFonts_hasStrongRight_maximumWidth_ createRenderingContextForCharacterRange_typesetterBehavior_usesScreenFonts_hasStrongRight_syncDirection_mirrorsTextAlignment_maximumWidth_ done NSSingleUnderlineStyle NSSize NSSizeDownFontAction NSSizeFromCGSize NSSizeFromString NSSizeToCGSize NSSizeUpFontAction NSSlider NSSliderAccessory enclosingSlider repeatsOnLongPress setEnclosingSlider_ NSSliderAccessoryBehavior handleAction_ repeatsOnLongPressForAccessory_ NSSliderCell NSSliderFunctionBarItem _itemViewDidCancelTracking _itemViewDidEndTracking _itemViewWillBeginTracking _sliderDidChange_ _sliderItemView setSlider_ setValueAccessoryWidth_ slider valueAccessoryWidth NSSliderTouchBarItem NSSliderTypeCircular NSSliderTypeLinear NSSmallCapsFontMask NSSmallControlSize NSSmallIconButtonBezelStyle NSSmallLegacyScrollerImp NSSmallOverlayScrollerImp NSSmallSquareBezelStyle NSSmartPunctuationController clientDidReplaceRange_changeInLength_ setSmartDashesEnabled_ setSmartQuoteOptions_ setSmartQuotesEnabled_ smartDashesEnabled smartQuoteOptions smartQuotesEnabled NSSmartQuoteOptions apostrophe initWithLeftSingleQuote_rightSingleQuote_apostrophe_leftDoubleQuote_rightDoubleQuote_ leftDoubleQuote leftSingleQuote rightDoubleQuote rightSingleQuote NSSnapshotBitmapGraphicsContext backingData retainedCGImage setBackingData_ setSignature_ signature NSSnapshotContextSignature initWithDrawingRect_applicableForRect_context_hints_ NSSocketPort _handleMessage_from_socket_ _incrementUseCount _initRemoteWithSignature_ _initWithRetainedCFSocket_protocolFamily_socketType_protocol_ _sendingSocketForPort_beforeTime_ handleConnDeath_ initRemoteWithProtocolFamily_socketType_protocol_address_ initRemoteWithTCPPort_host_ initWithProtocolFamily_socketType_protocol_address_ initWithProtocolFamily_socketType_protocol_socket_ initWithTCPPort_ socket NSSocketPortNameServer defaultNameServerPortNumber netServiceDidStop_ netServiceWillPublish_ netServiceWillResolve_ netService_didNotPublish_ netService_didNotResolve_ portForName_host_nameServerPortNumber_ registerPort_name_nameServerPortNumber_ setDefaultNameServerPortNumber_ NSSolarisOperatingSystem NSSortConcurrent NSSortDescriptor NSSortDescriptorsBinding NSSortStable NSSortedArray _insertObjectInSortOrder_ compareSelector initWithCapacity_compareSelector_ initWithCompareSelector_ setCompareSelector_ NSSound _allocateExtraFields _postInitialization _qtMovieDidEnd_ _registersName _setAudioDeviceUID_channels_error_ _setChannelMapping_error_ _setPlayingAndRetainIfUnset _setRegistersName_ _systemSoundIDCreateIfNecessary_ _unsetPlayingReturningIfWasSet _updateSoundShouldLoopByStoredLoopFlag _updateVolumeByStoredVolume _url channelMapping currentTime initWithContentsOfFile_byReference_ initWithContentsOfURL_byReference_ isPlaying loops play playbackDeviceIdentifier setChannelMapping_ setCurrentTime_ setLoops_ setPlaybackDeviceIdentifier_ setVolume_ NSSoundPboardType NSSourceListBackgroundColor _currentDisplayColor _isSourceListColor _legacyCurrentDisplayColor NSSourceListBackgroundView _cuiOptions NSSpaceFunctionBarItem appearsInCustomization initWithIdentifier_minimumWidth_maximumWidth_ maximumWidth setAppearsInCustomization_ NSSpaceTouchBarItem NSSpecialPageOrder NSSpecifierTest _testWithComparisonOperator_object1_object2_ initWithObjectSpecifier_comparisonOperator_testObject_ NSSpeechCharacterModeProperty NSSpeechCommandDelimiterProperty NSSpeechCommandPrefix NSSpeechCommandSuffix NSSpeechCurrentVoiceProperty NSSpeechDictionaryAbbreviations NSSpeechDictionaryEntryPhonemes NSSpeechDictionaryEntrySpelling NSSpeechDictionaryLocaleIdentifier NSSpeechDictionaryModificationDate NSSpeechDictionaryPronunciations NSSpeechErrorCount NSSpeechErrorNewestCharacterOffset NSSpeechErrorNewestCode NSSpeechErrorOldestCharacterOffset NSSpeechErrorOldestCode NSSpeechErrorsProperty NSSpeechImmediateBoundary NSSpeechInputModeProperty NSSpeechModeLiteral NSSpeechModeNormal NSSpeechModePhoneme NSSpeechModeText NSSpeechNumberModeProperty NSSpeechOutputToFileURLProperty NSSpeechPhonemeInfoExample NSSpeechPhonemeInfoHiliteEnd NSSpeechPhonemeInfoHiliteStart NSSpeechPhonemeInfoOpcode NSSpeechPhonemeInfoSymbol NSSpeechPhonemeSymbolsProperty NSSpeechPitchBaseProperty NSSpeechPitchModProperty NSSpeechRateProperty NSSpeechRecentSyncProperty NSSpeechRecognizer _processRecognitionResult_ _updateCommandDisplayWithRecognizer blocksOtherRecognizers commands displayedCommandsTitle listensInForegroundOnly setBlocksOtherRecognizers_ setCommands_ setDisplayedCommandsTitle_ setListensInForegroundOnly_ startListening stopListening NSSpeechRecognizerVars displayedStringsArray displayedStringsTitle recognitionSystem setDisplayedStringsArray_ setDisplayedStringsTitle_ setRecognitionSystem_ setSimpleCommandsArray_ simpleCommandsArray NSSpeechResetProperty NSSpeechSentenceBoundary NSSpeechStatusNumberOfCharactersLeft NSSpeechStatusOutputBusy NSSpeechStatusOutputPaused NSSpeechStatusPhonemeCode NSSpeechStatusProperty NSSpeechSynthesizer _beginSpeakingString_optionallyToURL_ _continueSpeaking _feedbackWindowIsVisible _handleDefaultVoiceChange _handleErrorCallbackWithParams_ _handlePhonemeCallbackWithOpcode_ _handleSpeechDoneCallback _handleSyncCallbackWithMessage_ _handleWordCallbackWithParams_ _normalSpeakingRate _objectForProperty_usingDataSize_withRequestedObjectClass_ _pauseSpeakingAtBoundary_ _pitchBase _rate _setObject_forProperty_usingDataSize_ _setPitchBase_ _setRate_ _setVolume_ _setupCallbacks _stopSpeakingAtBoundary_ _volume addSpeechDictionary_ continueSpeaking initWithVoice_ objectForProperty_error_ pauseSpeakingAtBoundary_ phonemesFromText_ rate setObject_forProperty_error_ setRate_ setUsesFeedbackWindow_ setVoice_ startSpeakingString_ startSpeakingString_toURL_ stopSpeaking stopSpeakingAtBoundary_ usesFeedbackWindow voice NSSpeechSynthesizerInfoIdentifier NSSpeechSynthesizerInfoProperty NSSpeechSynthesizerInfoVersion NSSpeechSynthesizerVars currentVoiceIdentifier needsResyncWithDefaultVoice normalSpeakingRate setCurrentVoiceIdentifier_ setNeedsResyncWithDefaultVoice_ setSpeakingSpeechFeedbackServices_ setSpeechChannelWithVoiceCreator_voiceID_ setSpeechChannelWithVoiceIdentifier_ setSpeechFeedbackServicesInvoker_ setSpeechFinishedSuccessfully_ setSynthesizerIsRetained_ setUsingDefaultVoice_ speakingSpeechFeedbackServices speechChannel speechFeedbackServicesInvoker speechFeedbackServicesRef speechFinishedSuccessfully synthesizerIsRetained usingDefaultVoice NSSpeechVolumeProperty NSSpeechWordBoundary NSSpellChecker _activateControl_forResponder_setSelector_toggleSelector_ _addReplacement_ _changeDictionaries_ _changeGrammar_ _changeLanguageFromMenu_ _changeLanguage_ _changeQuotes_ _changeSubstitutions_ _checkGrammarOfString_startingAt_language_wrap_inSpellDocumentWithTag_details_reconnectOnError_ _checkSpellingAndGrammarInString_range_enclosingRange_offset_types_options_orthography_inSpellDocumentWithTag_mutableResults_wordCount_ _checkSpellingOfString_startingAt_language_wrap_inSpellDocumentWithTag_wordCount_reconnectOnError_ _chooseGuess_ _chosenSpellServer_launchIfNecessary_ _chunkAndCheckGrammarInString_language_usingSpellServer_details_ _chunkAndFindMisspelledWordInString_language_learnedDictionaries_wordCount_usingSpellServer_ _configureLanguages_ _copyFromMenu_ _correct_ _dataDetectorActionContextClass _dataDetectorActionsManagerClass _dataDetectorsActionsManager _defaultServerURL _defineFromMenu_ _define_ _deleteDictionaries_ _doUpdate_ _fillLanguagePopUp_ _findNext_ _forget_ _guess_ _hideLanguagePopUp _ignore_ _inSetupAssistant _inSystemPreferences _indexOfItemInArray_forLanguage_ _indexOfItemInPopUp_forLanguage_ _indexOfPopupItemForLanguage_ _initUI _initializeLanguagesArraysAlreadyLockedFromLanguages_baseLanguages_multilingualIndex_ _languagePreferencesChanged_ _learnOrForgetOrInvalidate_word_dictionary_language_ephemeral_ _learn_ _legacyUserReplacementsDictionary _nameOfDictionaryForDocumentTag_ _newDictionary_ _nonIgnoredDetailsForGrammarString_details_inSpellDocumentWithTag_ _nonIgnoredGrammarCheckingResultForResult_stringToCheck_offset_inSpellDocumentWithTag_ _normalizeUserDictionary_ _openDictionaries_ _openSystemPreferences_ _preflightChosenSpellServer _preflightTextCheckingForTypes_ _quotesPreferencesChanged _reallyChooseGuess_ _reallyResetReplacementPreferences _removeReplacement_ _replacementPreferencesChanged _replacementPreferencesSheetDidEnd_returnCode_contextInfo_ _requestCheckingOfString_range_types_options_inSpellDocumentWithTag_waitUntilFinished_completionHandler_ _resetReplacementPreferences _responder _retryCandidateOperation_ _setGuesses_ _setLanguage_ _setLastGuess_ _setPreferredOrthographyIndexes _setSelectionString_ _setSingleQuotes_doubleQuotes_ _setSingleQuotes_doubleQuotes_useByLanguage_quotesBrowser_replacementsBrowser_addReplacement_removeReplacement_ _setTestCorrectionDictionary_ _shouldWriteLanguageSettingsToDefaults _showLanguagePopUp _spellServers _startMonitoringKeyEvents _tagForSelectedItem _titleForSelectedItem _updateControl_forResponder_getSelector_setSelector_toggleSelector_ _updateGrammar _updateSingleQuotes_doubleQuotes_useByLanguage_ _updateSubstitutions _usePerAppLanguageIdentification _userDictionariesBySettingLanguageDictionaryName_documentDictionaryName_ _viewAboveAccessoryView _windowDidBecomeVisible_ _writeReplacementPreferences adjustOffsetToNextWordBoundaryInString_startingAt_ alternativesForPinyinInputString_inSpellDocumentWithTag_ automaticallyIdentifiesLanguages availableLanguages cancelCorrectionBubbleForView_ cancelCorrectionIndicatorForView_ candidatesForSelectedRange_inString_types_options_offset_orthography_inSpellDocumentWithTag_ checkGrammarOfString_startingAt_language_wrap_inSpellDocumentWithTag_details_ checkGrammarOfString_startingAt_language_wrap_inSpellDocumentWithTag_details_reconnectOnError_ checkSpellingOfString_startingAt_ checkSpellingOfString_startingAt_language_wrap_inSpellDocumentWithTag_wordCount_ checkSpellingOfString_startingAt_language_wrap_inSpellDocumentWithTag_wordCount_reconnectOnError_ checkString_range_types_options_inSpellDocumentWithTag_orthography_wordCount_ closeSpellDocumentWithTag_ completionDictionariesForPartialWordRange_inString_language_inSpellDocumentWithTag_ completionLanguage completionsForPartialWordRange_inString_language_inSpellDocumentWithTag_ correctionForWordRange_inString_language_inSpellDocumentWithTag_ correctionIndicatorForView_ countWordsInString_language_ defaultEmojiReplacementsDictionary deletesAutospaceBeforeString_language_ deletesAutospaceBetweenString_andString_language_ dismissAuxiliaryWindows dismissCorrectionBubbleForView_ dismissCorrectionIndicatorForView_ dismissCorrectionWithTag_andAccept_ dismissCorrection_acceptCorrection_ forgetWord_ forgetWord_language_ guessLanguage guessesForWordRange_inString_language_inSpellDocumentWithTag_ guessesForWord_ hasLearnedWord_ ignoreWord_inSpellDocumentWithTag_ ignoredWordsInSpellDocumentWithTag_ insertsAutospaceAfterString_language_ isAutomaticCapitalizationEnabled isAutomaticPeriodSubstitutionEnabled isAutomaticTextCompletionCollapsed languageForWordRange_inString_orthography_ languageMenu learnWord_ learnWord_language_ makeCorrectionBubbleKeyForView_ menuForResult_string_options_atLocation_inView_ nextLetterDictionariesForPartialWordRange_inString_language_inSpellDocumentWithTag_ preventsAutocorrectionBeforeString_language_ recordAcceptedCandidateIndex_inCandidates_firstCandidateIsTypedString_ recordResponse_toCorrection_forWord_language_inSpellDocumentWithTag_ requestCandidatesForSelectedRange_inString_types_options_inSpellDocumentWithTag_completionHandler_ requestCheckingOfString_range_types_options_inSpellDocumentWithTag_completionHandler_ setAdditionalTextReplacementsDictionary_ setAutomaticCapitalizationEnabled_ setAutomaticPeriodSubstitutionEnabled_ setAutomaticTextCompletionCollapsed_ setAutomaticallyIdentifiesLanguages_ setCompletionLanguage_ setGuessLanguage_ setIgnoredWords_inSpellDocumentWithTag_ setSubstitutionsPanelAccessoryViewController_ setWordFieldStringValue_ setupGuessesBrowser showCorrectionBubbleOfType_primaryString_alternativeStrings_forStringInRect_view_completionHandler_ showCorrectionIndicatorOfType_primaryString_alternativeStrings_forStringInRect_view_completionHandler_ showCorrection_forStringInRect_view_completionHandler_ spellingPanel stringForInputString_language_inSpellDocumentWithTag_ substitutionsPanel substitutionsPanelAccessoryViewController tableView_canDragRowsWithIndexes_atPoint_ unlearnWord_ updateGrammar_ updatePanels updateSpellingPanelWithGrammarString_detail_ updateSpellingPanelWithMisspelledWordRange_inString_ updateSpellingPanelWithMisspelledWord_ userPreferredLanguages userQuotesArrayForLanguage_ userReplacementsDictionary windowIsSpellingPanel_ window_didDecodeRestorableState_ NSSpellCheckerDidChangeAutomaticCapitalizationNotification NSSpellCheckerDidChangeAutomaticDashSubstitutionNotification NSSpellCheckerDidChangeAutomaticPeriodSubstitutionNotification NSSpellCheckerDidChangeAutomaticQuoteSubstitutionNotification NSSpellCheckerDidChangeAutomaticSpellingCorrectionNotification NSSpellCheckerDidChangeAutomaticTextCompletionNotification NSSpellCheckerDidChangeAutomaticTextReplacementNotification NSSpellCheckingResult NSSpellServer _alternativesForPinyinInputString_language_ _appendWord_toDictionary_ _checkGrammarInString_language_details_ _checkString_offset_types_options_orthography_learnedDictionaries_wordCount_ _dataFromCheckingString_offset_types_optionsData_orthography_learnedDictionaries_wordCount_ _dataFromCheckingString_offset_types_options_orthography_learnedDictionaries_wordCount_ _dataFromGeneratingCandidatesForSelectedRange_inString_offset_types_optionsData_orthography_learnedDictionaries_ _dataFromGeneratingCandidatesForSelectedRange_inString_offset_types_options_orthography_learnedDictionaries_ _extendedAlternativesForPinyinInputString_language_ _findMisspelledWordInString_language_learnedDictionaries_wordCount_countOnly_ _forgetWord_inDictionary_ _invalidateDictionary_newTime_ _isWord_inDictionary_ _learnWord_inDictionary_ _prefixesForPinyinInputString_language_ _recordResponse_toCorrection_forWord_language_ _setWords_inDictionary_ _stringForInputString_language_ _suggestCompletionDictionariesForPartialWordRange_inString_language_ _suggestCompletionDictionariesForPartialWordRange_inString_language_options_ _suggestCompletionsForPartialWordRange_inString_language_ _suggestCompletionsForPartialWordRange_inString_language_options_ _suggestGuessesForWordRange_inString_language_ _suggestGuessesForWordRange_inString_language_options_ _suggestGuessesForWord_inLanguage_ _suggestNextLetterDictionariesForPartialWordRange_inString_language_ _suggestNextLetterDictionariesForPartialWordRange_inString_language_options_ _wordsInDictionary_ autocorrectionDictionaryForLanguage_isGerman_ checkString_offset_types_options_orthography_learnedDictionaries_wordCount_ checkString_offset_types_options_orthography_wordCount_ correctionForString_language_ createDictHashTable_ dictionaryInfo_ isWordInUserDictionaries_caseSensitive_ isWord_inDictionaries_caseSensitive_ normalizeUserDictionary_ openUserDictionary_ registerLanguage_byVendor_ sizeOfDictionary_ NSSpellingLanguageTableView NSSpellingPanel NSSpellingStateAttributeName NSSpellingStateGrammarFlag NSSpellingStateSpellingFlag NSSpellingSubstring initWithOriginalString_startingOffset_ NSSplitDividerView _coreUIDimpleVariant _coreUIOptions _coreUIOrientation _drawDimpleInRect_ effectiveThickness initWithStyle_orientation_ setThickness_ thickness NSSplitView NSSplitViewController _arrangedViewForSplitViewItem_ _canOverlaySplitViewItem_ _collapse_splitViewItem_forceOverlay_completionHandler_ _defaultFrame _didEnterFullscreen_ _didExitFullscreen_ _growingWindowAnchorEdgeToShowItem_withSize_atIndex_ _hasItemToRevealOnEdgeHover _indexOfSplitViewItem_ _insertArrangedView_atIndex_ _insertWrapperViewIntoSplitViewForSplitViewItem_atIndex_ _makeSplitViewWithFrame_ _setHasItemToRevealOnEdgeHover_ _setHoldingPriority_forSplitViewItem_ _setupSplitView _shouldGrowWindowToShowItem_withSize_ _shouldShrinkWindowToShowItem_withSize_ _shouldUseConstraintAnimationToCollapseItem_withWindowResize_ _shrinkingWindowAnchorEdgeToShowItem_withSize_atIndex_ _sidebarItemForToggling _splitView _splitViewFrame _splitViewItemForArrangedView_ _splitViewItemForViewAtIndex_ _splitViewItemForViewControllerAtIndex_ _splitViewItemSizesAfterSplitViewItem_isCollapsed_ _splitView_appearanceForDividerAtIndex_ _splitView_blendingModeForDividerAtIndex_ _splitView_canLiveCollapseArrangedSubview_ _splitView_canSpringLoadRevealArrangedSubview_ _splitView_didStartOverlayingView_ _splitView_didStopOverlayingView_ _splitView_holdingPriorityForViewAtIndex_ _splitView_shouldHaveVibrantDividerAtIndex_ _startObservingEdgeHover _startObservingFullscreenForWindow_ _stopObservingEdgeHover _stopObservingFullscreenForWindow_ _tearDownSplitView _uncollapseEdgeRevealItem_ _updateHasItemToRevealOnEdgeHover _updateSplitViewPositioningConstraints _updateSplitView_withBlock_ _viewInsertionIndexForSplitViewItem_ addSplitViewItem_ hidesFirstDivider hidesLastDivider insertSplitViewItem_atIndex_ minimumSizeForInlineSidebars minimumThicknessForInlineSidebars removeSplitViewItem_ setHidesFirstDivider_ setHidesLastDivider_ setMinimumSizeForInlineSidebars_ setMinimumThicknessForInlineSidebars_ setSplitViewItems_ setSplitView_ splitViewItemForViewController_ splitViewItem_didChangeCollapsed_animated_ splitViewItem_isChangingCollapsed_animated_ splitViewItem_willChangeCollapsed_animated_ splitViewItems splitView_additionalEffectiveRectOfDividerAtIndex_ splitView_doubleClickedOnDividerAtIndex_ splitView_effectiveRect_forDrawnRect_ofDividerAtIndex_ splitView_shouldCollapseSubview_forDoubleClickOnDividerAtIndex_ splitView_shouldHideDividerAtIndex_ toggleSidebar_ NSSplitViewControllerAutomaticDimension NSSplitViewDidResizeSubviewsNotification NSSplitViewDividerDragParams NSSplitViewDividerStylePaneSplitter NSSplitViewDividerStyleThick NSSplitViewDividerStyleThin NSSplitViewItem _canCollapseFromWindowResize _canLiveCollapse _didChangeCollapsed _effectiveHoldingPriority _forceWithinWindowBlending _hasBaseVibrancyEffect _markAnimationEnd _markAnimationStart _overrideHoldingPriority _setCanCollapseFromWindowResize_ _setForceWithinWindowBlending_ _setHasBaseVibrancyEffect_ _setOverrideHoldingPriority_ _splitViewController _uncollapsePreferringOverlay _wantsMaterialBackground _willChangeCollapsed autoHidesWhenFullscreen automaticMaximumSize automaticMaximumThickness canCollapse canOverlay collapseBehavior effectiveCollapseBehavior hasUserSetSize holdingPriority isOverlaid isSidebar maximumThickness minimumThickness preferredSizeRatio preferredThicknessFraction prefersImplicitAnimations prefersPreservingSiblingSizesOnCollapse revealsOnEdgeHoverInFullscreen setAutoHidesWhenFullscreen_ setAutomaticMaximumSize_ setAutomaticMaximumThickness_ setCanCollapse_ setCollapseBehavior_ setHasUserSetSize_ setHoldingPriority_ setMaximumSize_ setMaximumThickness_ setMinimumSize_ setMinimumThickness_ setOverlaid_ setPreferredSizeRatio_ setPreferredThicknessFraction_ setPrefersImplicitAnimations_ setPrefersPreservingSiblingSizesOnCollapse_ setRevealsOnEdgeHoverInFullscreen_ setSidebar_ NSSplitViewItemBehaviorContentList NSSplitViewItemBehaviorDefault NSSplitViewItemBehaviorSidebar NSSplitViewItemCollapseBehaviorDefault NSSplitViewItemCollapseBehaviorPreferResizingSiblingsWithFixedSplitView NSSplitViewItemCollapseBehaviorPreferResizingSplitViewWithFixedSiblings NSSplitViewItemCollapseBehaviorUseConstraints NSSplitViewItemUnspecifiedDimension NSSplitViewSplitter _accessibilityMaxValue _accessibilityMinValue _accessibilityMinValueWithoutCollapsing _accessibilityNextContentView _accessibilityNextSplitterMinCoordinate _accessibilityPreviousContentView _accessibilityPreviousSplitterMaxCoordinate _accessibilitySplitterMinCoordinate NSSplitViewVariables NSSplitViewWillResizeSubviewsNotification NSSpringAnimation initWithDuration_ NSSpringLoadingContinuousActivation NSSpringLoadingDisabled NSSpringLoadingEnabled NSSpringLoadingHighlightEmphasized NSSpringLoadingHighlightNone NSSpringLoadingHighlightStandard NSSpringLoadingNoHover NSSquareLineCapStyle NSSquareStatusItemLength NSStackInContainerRelationship containingRect initWithOrientation_stackedRects_containingRect_spacing_ stackedRects NSStackLayoutRelationship initWithOrientation_stackedRects_spacing_ NSStackObservedValue NSStackView _addSubviewsAndPreserveAndPreserveAncestorConstraints_ _attachedViewsSortedByPriority _checkForDroppedViews _deferringDetachAndReattachNotifications_ _detachedViewsSortedByPriority _detachedViewsSortedByPriorityWithoutUnaddableViews _didDetachViews_ _didReattachViews_ _earlyDecodingOrderPriority _effectiveStackingAxisHuggingPriority _explicitlySetUserInterfaceLayoutDirection _firstAndLastViewsAreFlushToEdges _firstBaselineOffsetFromStackViewTopForView_ _gravityContainerContainingView_ _gravityForContainer_ _hasActiveClippingOfLastView _hasEffectiveGravityAreas _ib_is19704021Fixed _idealSizeLayoutDimensionCreateIfNecessary _insertView_atIndex_inGravity_animated_ _invalidateBaselines _invalidateCachedDetachedViews _invalidateCachedViews _lastBaselineOffsetFromStackViewBottomForView_ _needsSecondUpdateConstraintsPassForAutomaticDetaching _nsib_setShouldAddConstraints_ _nsib_shouldAddConstraints _removeView_animated_ _removeView_animated_removeFromViewHierarchy_ _removesDetachedViewsFromSubviews _setCustomSpacing_afterView_animated_ _setEdgeInsets_animated_ _setSpacing_animated_ _stackViewDecodedWantingFlatHierarchy _stackViewFinishedDecoding _valueOfCustomSpacingAfterView_ _valueOfVisibilityPriorityForView_ _viewsAreCentered _willDetachViews_ _willReattachViews_ addView_inGravity_ alignmentPriority attachedViews beginningViewsContainer bottomSpacer centerViewsManager clippingResistancePriorityForOrientation_ currentContainers currentSpacers customSpacingAfterView_ detachedViews detachesHiddenViews distribution effectiveSpacingAfterView_ endViewsContainer enumerateViewsIncludingDetached_usingBlock_ hasEqualSpacing huggingPriorityForOrientation_ insertView_atIndex_inGravity_ isBaselineRelativeArrangement isViewDetached_ leadingOrTopViewsManager leftSpacer middleViewsContainer perpendicularAlignment rightSpacer secondaryAlignment secondaryAlignmentPriority setAlignmentPriority_ setArrangedSubviews_ setBaselineRelativeArrangement_ setClippingResistancePriority_forOrientation_ setCustomSpacing_afterView_ setDetachesHiddenViews_ setDistribution_ setHasEqualSpacing_ setHuggingPriority_forOrientation_ setPerpendicularAlignment_ setSecondaryAlignmentPriority_ setSecondaryAlignment_ setSpacing_ setTransverseAlignmentPriority_ setTransverseAlignment_ setViews_inGravity_ setVisibilityPriority_forView_ topSpacer trailingOrBottomViewsManager transverseAlignment transverseAlignmentPriority views viewsInGravity_ visibilityPriorityForView_ NSStackViewContainer _setValueOfCustomSpacing_afterView_ _setValueOfVisibilityPriority_forView_ containsView_ customSpaceMapping detachViews_ initWithStackView_ reattachViews_ replaceView_with_ setViews_ visibilityPriorityMapping NSStackViewDistributionEqualCentering NSStackViewDistributionEqualSpacing NSStackViewDistributionFill NSStackViewDistributionFillEqually NSStackViewDistributionFillProportionally NSStackViewDistributionGravityAreas NSStackViewGravityBottom NSStackViewGravityCenter NSStackViewGravityLeading NSStackViewGravityTop NSStackViewGravityTrailing NSStackViewSpacingUseDefault NSStackViewVisibilityPriorityDetachOnlyIfNecessary NSStackViewVisibilityPriorityMustHold NSStackViewVisibilityPriorityNotVisible NSStatusBar _CGSgetStatusBarCurrentNavigationWindow _CGSgetStatusBarPreferredPositionForWindow_ _CGSgetWindowFrame_ _CGSinsertReplicantWindow_ofWindow_withDisplayID_withFlags_ _CGSinsertWindow_withPriority_withSpaceID_withDisplayID_withFlags_preferredPosition_systemInsertOrder_ _CGSnavigateFromWindow_command_options_ _CGSnavigationChangedRecordGetCurrentOptions_ _CGSnavigationChangedRecordGetCurrentWindow_ _CGSremoveWindow_ _CGSstatusBarUsesRTLLayoutForWindow_ _CGSstatusBarWindowIsDraggedOutOfBar_ _CGSsupportsStatusItemDragging _activeDisplayDidChange_ _activeMenuBarDrawingStyleDidChange_ _createStatusItemControlInWindow_ _createStatusItemWindow _direction _exitFullScreenItemForSpaceID_ _initialOffset _insertObjectInItemArray_ _insertStatusItem_ _lengthForSize_ _lockName _menuBarThemeDidChange_ _menuBarTranslucencyDidChange_ _name _navigationCtrlF8Pressed _performKeyEquivalent_ _placement _reinstallAllStatusItems _removeObjectFromItemArray_ _removeStatusItem_ _replicantKeys _replicateStatusItemsForScreenParameters _requestStatusBarAdjustmentWithCompletionHandler_ _setLengthOfStatusItem_to_ _setRegisteredForNotifications_ _setUpdatesDisabled_ _statusItemIsDeallocing_ _statusItemWithLength_systemInsertOrder_ _statusItemWithLength_withPriority_ _statusItems _updateItemsWithAppearanceChange _updateItemsWithChangedActiveDisplay _updatesDisabled _userRemoveStatusItem_ _withAdjustmentDeferred_ drawBackgroundInRect_inView_highlight_ removeStatusItem_ statusItemWithLength_ NSStatusBarButton appearsDisabled initWithFrame_inStatusBar_ looksDisabled selectionInset setAppearsDisabled_ setLooksDisabled_ setSelectionInset_ setStatusMenu_ statusMenu NSStatusBarButtonCell _isExitFullScreenButton _statusItem setStatusBar_ NSStatusBarWindow _noticeStatusBarVisibilityChangeIfNecessary _testForAllowsVibrancy _updateAppearanceAndMaterialOfVisualEffectView effectView hasSelectionRect initWithContentRect_ setEffectView_ setSelection_inRect_ofView_ setSelection_inRect_ofView_drawImmediately_ setStatusBarView_ underlaySelectionHighlight_ NSStatusItem NSStatusItemBehaviorRemovalAllowed NSStatusItemBehaviorTerminationOnRemoval NSStatusItemNavigationController _cleanupKeyThief _trackKeyboardNavigation endNavigation handleCtrlF8 initWithStatusItem_ isNavigating menuKeyNavigateLeft menuKeyNavigateRight navigateLeft navigateRight navigationChangedWithOptions_ navigationOptions NSStatusItemReplicant _initInStatusBar_withLength_withPriority_visible_displayID_parent_ replicantView setDrawBlock_ setParentItem_ NSStatusItemReplicantView drawBlock NSStatusWindowLevel NSStepper autorepeat setAutorepeat_ setIncrement_ setValueWraps_ valueWraps NSStepperCell _accessibilityArrowScreenRect_ _autorepeat _coreUIDrawOptionsWithView_ _doSingleStep_inView_ _increment _maxValue _minValue _setAutorepeat_ _setIncrement_ _setMaxValue_ _setMinValue_ _setValueWraps_ _stepInUpDirection_ _valueWraps accessibilityDecrementButtonAttribute accessibilityIncrementButtonAttribute accessibilityIsDecrementButtonAttributeSettable accessibilityIsIncrementButtonAttributeSettable NSStopFunctionKey NSStopTouchingMeBox setSibling1_ setSibling2_ NSStorage CFStorageRef enumerateElementsUsingBlock_ hintCapacity insertElement_atIndex_ insertElements_count_atIndex_ pointerToElement_directlyAccessibleElements_ removeElementAtIndex_ removeElementsInRange_ replaceElementAtIndex_withElement_ setHintCapacity_ NSStoreMapNode NSStoreMapping NSStoreMappingGenerator externalNameForEntityName_ externalNameForPropertyName_ internalNameForEntityName_version_ internalNameForPropertyName_version_ joinsForRelationship_ mappingForAttribute_forConfigurationWithName_ mappingForEntity_forConfigurationWithName_ mappingForRelationship_forConfigurationWithName_ mappingsDictForConfigurationWithName_inModel_ mappingsForConfigurationWithName_inModel_ primaryKeyForEntity_ NSStoreMigrationPolicy _gatherDataAndPerformMigration_ addMigratedStoreToCoordinator_withType_configuration_URL_options_error_ createMigrationManagerForSourceModel_destinationModel_error_ destinationConfiguration destinationConfigurationForMigration_sourceMetadata_error_ destinationOptions destinationOptionsForMigration_sourceMetadata_error_ destinationType destinationTypeForMigration_sourceMetadata_error_ destinationURL didPerformMigrationWithManager_ externalDataReferencesURLForDestination_forStoreOfType_ handleMigrationError_inManager_ mappingModelForSourceModel_destinationModel_error_ migrateStoreAtURL_toURL_storeType_options_withManager_error_ migrateStoreAtURL_withManager_metadata_options_error_ migrationManager resourceBundles setDestinationConfiguration_ setDestinationOptions_ setDestinationType_ setDestinationURL_ setMappingModel_ setMigrationManager_ setPersistentStoreCoordinator_sourceURL_configuration_metadata_options_ setResourceBundles_ setSourceConfiguration_ setSourceMetadata_ setSourceModel_ setSourceOptions_ setSourceURL_ sourceConfiguration sourceMetadata sourceModelForStoreAtURL_metadata_error_ sourceOptions sourceType willPerformMigrationWithManager_ NSStoryboard _hasInitialController _instantiateMainMenu_ _referencedStoryboardForExternalReferenceInfo_ containsNibNamed_ initWithBundle_storyboardFileName_identifierToNibNameMap_identifierToExternalStoryboardReferenceMap_identifierToUUIDMap_designatedEntryPointIdentifier_mainMenu_ instantiateControllerReferencedByPlaceholderWithIdentifier_ instantiateControllerWithIdentifier_ instantiateInitialController nibForControllerWithIdentifier_ nibForStoryboardNibNamed_ storyboardBundle storyboardFileName uniqueIDForControllerIdentifier_ NSStoryboardControllerPlaceholder NSStoryboardEmbedSegueTemplate _perform_ destinationControllerIdentifier effectiveSegueClass newDefaultPerformHandlerForSegue_ newDefaultPrepareHandlerForSegue_ performOnViewLoad perform_ segueWithDestinationViewController_ setPerformOnViewLoad_ targetController NSStoryboardModalSegueTemplate NSStoryboardPopoverSegueTemplate popoverBehavior setPopoverBehavior_ NSStoryboardScene sceneController setSceneController_ NSStoryboardSegue _prepare destinationController initWithIdentifier_source_destination_ perform performHandler prepareHandler setPerformHandler_ setPrepareHandler_ sourceController NSStoryboardSeguePresentedControllerCenter controllerWithIdentifier_ registerController_withOptions_ registeredControllers setRegisteredControllers_ unregisterControllerWithOptions_ NSStoryboardSegueTemplate NSStoryboardSheetSegueTemplate NSStoryboardShowSegueTemplate uniqueControllerIdentifier NSStream NSStreamDataWrittenToMemoryStreamKey NSStreamEventEndEncountered NSStreamEventErrorOccurred NSStreamEventHasBytesAvailable NSStreamEventHasSpaceAvailable NSStreamEventNone NSStreamEventOpenCompleted NSStreamFileCurrentOffsetKey NSStreamNetworkServiceType NSStreamNetworkServiceTypeBackground NSStreamNetworkServiceTypeCallSignaling NSStreamNetworkServiceTypeVideo NSStreamNetworkServiceTypeVoIP NSStreamNetworkServiceTypeVoice NSStreamSOCKSErrorDomain NSStreamSOCKSProxyConfigurationKey NSStreamSOCKSProxyHostKey NSStreamSOCKSProxyPasswordKey NSStreamSOCKSProxyPortKey NSStreamSOCKSProxyUserKey NSStreamSOCKSProxyVersion4 NSStreamSOCKSProxyVersion5 NSStreamSOCKSProxyVersionKey NSStreamSocketSSLErrorDomain NSStreamSocketSecurityLevelKey NSStreamSocketSecurityLevelNegotiatedSSL NSStreamSocketSecurityLevelNone NSStreamSocketSecurityLevelSSLv2 NSStreamSocketSecurityLevelSSLv3 NSStreamSocketSecurityLevelTLSv1 NSStreamStatusAtEnd NSStreamStatusClosed NSStreamStatusError NSStreamStatusNotOpen NSStreamStatusOpen NSStreamStatusOpening NSStreamStatusReading NSStreamStatusWriting NSStrikethroughColorAttributeName NSStrikethroughStyleAttributeName NSString NSStringDrawingContext activeRenderers actualScaleFactor actualTrackingAdjustment baselineOffset cachesLayout drawsDebugBaselines firstBaselineOffset minimumScaleFactor numberOfLineFragments scaledBaselineOffset scaledLineHeight setActiveRenderers_ setActualScaleFactor_ setActualTrackingAdjustment_ setBaselineOffset_ setCachesLayout_ setDrawsDebugBaselines_ setFirstBaselineOffset_ setMinimumScaleFactor_ setNumberOfLineFragments_ setScaledBaselineOffset_ setScaledLineHeight_ setTotalBounds_ setUsesSimpleTextEffects_ setWantsBaselineOffset_ setWantsNumberOfLineFragments_ setWantsScaledBaselineOffset_ setWantsScaledLineHeight_ setWrapsForTruncationMode_ totalBounds usesSimpleTextEffects wantsBaselineOffset wantsNumberOfLineFragments wantsScaledBaselineOffset wantsScaledLineHeight wrapsForTruncationMode NSStringDrawingDisableScreenFontSubstitution NSStringDrawingOneShot NSStringDrawingTextStorage _baselineDelta _baselineMode _setBaselineDelta_ _setBaselineMode_ defaultTextContainerOriginForRect_ drawTextContainer_range_withRect_graphicsContext_baselineMode_scrollable_padding_ drawTextContainer_withRect_graphicsContext_baselineMode_scrollable_padding_ textContainerForAttributedString_ textContainerForAttributedString_containerSize_lineFragmentPadding_ NSStringDrawingTextStorageSettings NSStringDrawingTruncatesLastVisibleLine NSStringDrawingUsesDeviceMetrics NSStringDrawingUsesFontLeading NSStringDrawingUsesLineFragmentOrigin NSStringEncodingConversionAllowLossy NSStringEncodingConversionExternalRepresentation NSStringEncodingDetectionAllowLossyKey NSStringEncodingDetectionDisallowedEncodingsKey NSStringEncodingDetectionFromWindowsKey NSStringEncodingDetectionLikelyLanguageKey NSStringEncodingDetectionLossySubstitutionKey NSStringEncodingDetectionSuggestedEncodingsKey NSStringEncodingDetectionUseOnlySuggestedEncodingsKey NSStringEncodingErrorKey NSStringEnumerationByComposedCharacterSequences NSStringEnumerationByLines NSStringEnumerationByParagraphs NSStringEnumerationBySentences NSStringEnumerationByWords NSStringEnumerationLocalized NSStringEnumerationReverse NSStringEnumerationSubstringNotRequired NSStringFromClass NSStringFromHashTable NSStringFromMapTable NSStringFromPoint NSStringFromProtocol NSStringFromRange NSStringFromRect NSStringFromSelector NSStringFromSize NSStringMeasurementCacheKey setAttributedString_size_options_maximumNumberOfLines_appearance_ NSStringPboardType NSStringPredicateOperator NSStringTransformFullwidthToHalfwidth NSStringTransformHiraganaToKatakana NSStringTransformLatinToArabic NSStringTransformLatinToCyrillic NSStringTransformLatinToGreek NSStringTransformLatinToHangul NSStringTransformLatinToHebrew NSStringTransformLatinToHiragana NSStringTransformLatinToKatakana NSStringTransformLatinToThai NSStringTransformMandarinToLatin NSStringTransformStripCombiningMarks NSStringTransformStripDiacritics NSStringTransformToLatin NSStringTransformToUnicodeName NSStringTransformToXMLHex NSStrokeColorAttributeName NSStrokeWidthAttributeName NSSubTextStorage initWithTextStorage_range_ NSSubjectDocumentAttribute NSSubmenuWindowLevel NSSubqueryExpression initWithExpression_usingIteratorExpression_predicate_ initWithExpression_usingIteratorVariable_predicate_ variableExpression NSSubqueryExpressionType NSSubrangeData NSSubrectImageRep compositeOperation initWithRect_inImage_ referenceImageRect setCompositeOperation_ setReferenceImageRect_ setReferenceImage_ NSSubstituteWebResource _webResourceClass frameName initWithData_URL_MIMEType_textEncodingName_frameName_ webResource NSSubstitutionCheckingResult NSSubstringPredicateOperator initWithOperatorType_modifier_variant_position_ NSSumKeyValueOperator NSSunOSOperatingSystem NSSuperscriptAttributeName NSSurface 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 NSSwappedDouble NSSwappedFloat NSSwitchButton NSSymbolStringEncoding NSSymbolicExpression NSSyncedTabWrapper setTabBarItem_ tabBarItem NSSysReqFunctionKey NSSystemClockDidChangeNotification NSSystemColorsDidChangeNotification NSSystemDefined NSSystemDefinedMask NSSystemDomainMask NSSystemFunctionKey NSSystemInfoPanel appIconView appNameField applicationIcon applicationName backgroundImage copyright copyrightView creditScrollView creditView credits infoPanel loadNib setAppIconView_ setAppNameField_ setCopyrightView_ setCreditScrollView_ setCreditView_ setInfoPanel_ setOptionsDictionary_ setVersionField_ showInfoPanel_ sizeCopyrightView sizeCreditsView textView_clickedOnLink_atIndex_ unloadNib_ updateNib versionField NSSystemStatusBar _updateReplicantKeys NSSystemTimeZoneDidChangeNotification NSTIFFCompressionCCITTFAX3 NSTIFFCompressionCCITTFAX4 NSTIFFCompressionJPEG NSTIFFCompressionLZW NSTIFFCompressionNEXT NSTIFFCompressionNone NSTIFFCompressionOldJPEG NSTIFFCompressionPackBits NSTIFFException NSTIFFFileType NSTIFFPboardType NSTabAnimation initWithDuration_animationCurve_progressHandler_ NSTabBar NSDetachedTabDraggingImageToWindowTransitionController_didFinishTransitionAnimationForWindow_ _accessibilityDisplayOptionsDidChange_ _addBackdropDarkeningViewForModernToolbarAppearance _addBackdropViewForModernToolbarAppearance _addBottomBorderViewForModernToolbarAppearance _addNewTabButton _adjustedFrameForButtonAtIndex_isHidden_ _animateTabBackgroundOnClickEventIfAppropriate_ _autoSelectIndex_ _autoscrollButtonsForStackingRegion_ _buttonWidthForNumberOfButtons_inWidth_remainderWidth_ _calculateStackingRegions _canDetachTab _cancelReorderingRestrictionsAfterPinning _centeringFrameForButtonAtIndex_ _commonTabBarViewInit _currentEventOffsetFromEvent_ _destinationWindowForDropOnScreenOperation _detachTabAndPositionUnderCursor_ _doSpringLoadingSetupForDraggingInfo_ _dragOperationForDraggingInfo_ _dragShouldBeginFromMouseDown_withExpiration_xHysteresis_yHysteresis_ _effectiveLeftStackWidthForButtonAtIndex_ _effectiveRightStackWidthForButtonAtIndex_ _frameForButtonAtIndex_firstButtonOffset_buttonWidth_supplementalWidth_ _frontmostButtonIndex _horizontalOffsetForButtonAtIndex_frontmostButtonIndex_slowingFactor_ _insertMissingButtonsFromTabView _insertTabButtonWithTabViewItem_atIndex_ _installPlaceholderTabForEmptyUnpinnedRegion _isDark _isInFullscreenToolbarWindow _layOutButtonsAnimated_ _layOutDraggedButtonAnimated_ _layoutBoundsEdgeInsetsForUnstackedButtons _layoutBoundsWidth _miniWindowDragImageForTabButton_ _miniWindowDragImageWidth _mouseLocationInDragImageForTabButton_ _moveButtonToExpectedContainerView_ _moveButton_forTabBarViewItem_toIndex_ _newTabWithinWindow_ _numberOfPinnedTabsForLayout _numberOfTabsForLayout _offsetFromLeftEdge _pinnedTabDragImageForTabButton_ _pinnedTabsWidth _pinningRegionWidth _placeholderTabForEmptyUnpinnedRegionButtonFrame _reallyUpdateButtonsAndLayOutAnimated_isSelectingButton_ _recalculateLayout _recalculateLayoutAndUpdateContainerViewFrames _rectWithUnstackedButtons _removeTabButton_ _restackButtonViews _scrollAfterClickingOnStackingRegion_ _scrollTargetPointForStackingRegion_ _scrollToButtonAtIndex_canScrollSelectedButton_ _setIndexOfTabUnderMouse_animated_ _setIsSpringLoadingFlashing_index_ _setSpringLoadingTargetIndex_draggingInfo_ _setTabButtonUnderMouse_shouldAnimateHighlight_ _setUpViewAnimationForLayout _setUsesModernToolbarAppearance _shouldAlignTabButtonTitleWithWindowCenter _shouldCreatePlaceholderTabForEmptyUnpinnedRegion _shouldDetachTabForMouseEvent_ _shouldHighlightButtonOnHover _shouldLayOutButtonsNow _shouldLayOutButtonsToAlignWithWindowCenter _shouldShowCloseButtonForTabBarViewItem_ _startReorderingRestrictionsAfterPinning _syncedScrollBoundsToOrigin_animated_ _tabDragImageForTabButton_ _tabDragResultForEventTrackingWithStartEvent_ _tabDragResultForInitialDragWithStartEvent_ _tabIndexAtPointWhenLayingOutButtonsToAlignWithWindowCenter_ _tabIndexAtPoint_ _tabIndexAtPoint_withButtonWidth_supplementalWidth_ _titleCenterOffsetForButtonAtIndex_frontmostButtonIndex_ _titleCenterOffsetForButton_ _toggleBackdropLayerVisibilityIfNecessary _toggleTransparencyIfNecessary _trackMouseEventsForEvent_inStackingRegion_ _trackMouseEventsForEvent_onTabAtIndex_ _trackMouseEventsUntilMouseUp_withBlock_ _trackReorderingEventsWithStartEvent_forTabButton_ _udpateAddButton _uninstallPlaceholderTabForEmptyUnpinnedRegion _unstackedFrameForButtonAtIndex_ _updateBackdropViewConstraints _updateButtonStateAndKeyLoop _updateButtonWidthAndRemainingWidthInTabBarToDivideAmongButtons _updateButtonsAndLayOutAnimated_ _updateButtonsAndLayOutAnimated_isSelectingButton_ _updateDropIndexWithDraggingLocation_ _updateDropIndexWithTabDraggingInfo_ _updateIndexOfTabUnderCurrentMouseLocation_ _updateNewTabButton _updatePinnedTabs _viewFrameForAdjustedButtonFrame_ _visibleTabIndexAtPoint_stackingRegion_ _visibleTabIndexAtPoint_stackingRegion_ignorePointsOutsideOfLayoutBounds_ _windowCenterX addTabBarViewItem_ beginGroupUpdates buttonThatSyncsWithPlaceholderTabInEmptyUnpinnedRegion button_didSetHighlightStateToPressed_hovered_ closeTabButton_ currentButtonWidth destinationWindowForNSDetachedTabDraggingImageToWindowTransitionController_ dragDestinationWindowForMorphingDragImage_ endGroupUpdatesAnimated_ firstKeyView forcesActiveWindowState insertTabBarViewItem_atIndex_ lastKeyView morphingDragImage_wasDroppedAtPointOnScreen_ moveTabBarViewItem_toIndex_ performTabDragOperation_ removeTabBarViewItemAtIndex_ removeTabBarViewItem_ selectTabBarViewItem_ selectTabButton_ selectedTabButtonIndex setButtonThatSyncsWithPlaceholderTabInEmptyUnpinnedRegion_ setDefaultKeyLoop setFirstKeyView_ setForcesActiveWindowState_ setLastKeyView_ setMouseDownCanMoveWindow_ setSelectedTabButtonIndex_ setShouldShowAddButton_ setTabBarViewItems_ shouldShowAddButton tabBarViewItems tabButtonDidBecomeFirstResponder_ tabButton_menuForEvent_ tabButtons tabDraggingEntered_ tabDraggingExited_ tabDraggingUpdated_ updateCloseButtonVisibilityForTabBarViewItem_ wantsPeriodicTabDraggingUpdates willPinTabForTabDragOperation_ NSTabBarClipView setShouldChangeNextScrollFromVerticalToHorizontal_ shouldChangeNextScrollFromVerticalToHorizontal NSTabBarDelayedPopUpButtonCell _invalidateMenuTimer _menuDelayTime displayOffsetContextualMenu NSTabBarEmptyRegionPlaceholderButton _addVisualEffectViewForFullScreenToolbarWindow _addWebsiteIconVisualEffectViewForFullScreenToolbarWindow _closeButtonClicked_ _isAnimatingBackgroundColor _makeViewInVibrantContentView _reconfigureFullscreenViewsIfNeeded _reconfigureFullscreenViewsUsingVisualEffectViews_ _registerBackgroundHighlightLayer_ _removeVisualEffectViewForFullScreenToolbarWindow _removeWebsiteIconVisualEffectViewForFullScreenToolbarWindow _setBackgroundColor_withAnimation_ _setHasMouseOverHighlight_animated_notifyNSTabBarSyncedButtonDelegate_ _setHasPressedHighlight_notifyNSTabBarSyncedButtonDelegate_ _setUpBackgroundViews _setUpConstraints _shouldShowCloseButton _titleStringAttributesForMainWindow_activeTab_isDragging_isDark_ _unregisterBackgroundHighlightLayer_ _updateAccessoryViews _updateBackgroundLayerImagesForActiveTab_inActiveWindow_ _updateConstraints _updatePinnedTabFaviconFullscreenBackgroundColor _updatePinnedTabImageViewAnimated_ _updateTitleContainerConstraints _updateTitleTextFieldAndAccessibilityProperties _windowIsActive accessibilityHelper accessoryViews backdropGroupName buttonInTabSyncGroupDelegate buttonWidthForTitleLayout canShowCloseButton hasMouseOverHighlight initWithFrame_tabBarViewItem_ isPinned isShowingCloseButton isSyncedWithOtherButton mainContentContainerCenterOffset nonVibrantContentView pinnedTabDragImageOfSize_ rolloverButtonDidBecomeFirstResponder_ rolloverButtonDidResignFirstResponder_ setAccessoryViews_ setBackdropGroupName_ setButtonInTabSyncGroupDelegate_ setButtonWidthForTitleLayout_ setButtonWidthForTitleLayout_animated_ setCanShowCloseButton_ setHasMouseOverHighlight_ setHasMouseOverHighlight_animated_ setHasMouseOverHighlight_shouldAnimateCloseButton_ setHasPressedHighlight_ setHighlightStateToPressed_hovered_ setMainContentContainerCenterOffset_ setMainContentContainerCenterOffset_animated_ setPinned_ setShouldReduceTransparency_ setShowingCloseButton_ setSyncedWithOtherButton_ setTitleTextFieldCenterOffset_ setTitleTextFieldCenterOffset_animated_ shouldReduceTransparency tabBarViewItem tabDragImageOfSize_ test_closeButton test_titleTextField titleTextFieldCenterOffset vibrancyTransitionForVibrancyTransitioningImageView_transitioningFromVibrant_toVibrant_ vibrantContentView NSTabBarNewTabButton _backgroundDefaultColor _leadingBorderDefaultColor _setLeadingBorderColor_topBorderColor_withAnimation_ _topBorderDefaultColor _updateButtonColors _updateButtonHighlightWhenPressed_hovered_ _updateButtonHighlightWhenPressed_hovered_notifyNSTabBarSyncedButtonDelegate_ NSTabBarNewTabButtonCell NSTabBarScrollView NSTabBarViewButton NSTabButton NSTabCharacter NSTabColumnTerminatorsAttributeName NSTabPositionBottom NSTabPositionLeft NSTabPositionNone NSTabPositionRight NSTabPositionTop NSTabTextMovement NSTabView _addAndUpdateBezelLayerIfNeeded _addTabViewButtons _addedTab_atIndex_ _backgroundBezelLayer _bezelLayerFrame _cancelDelayedKeyboardNavigationTabSwitch _copyCoreUIOptionsForTabViewItem_withState_inRect_ _coreUIDrawBezelInRect_withClip_flipped_ _coreUIDrawTab_withState_inRect_ _createCoreUIBezelOptionsFlipped_ _currentBorderColor _currentTabHeight _didChangeTabViewType _doLayoutTabs_ _drawBezelBorder_inRect_ _drawBorder_inRect_ _drawTabViewItem_inRect_ _drawTabsInDirtyRect_ _drawThemeBezelBorder_inBounds_clipRect_ _drawThemeTab_withState_inRect_ _endTabWidth _findFirstValidKeyViewStartingFrom_inTabViewItem_ _findPreviousNextTab_loop_invertForR2L_startingAtTabItem_ _frameForBezelBorder _frameSizeForContentSize_ _hackFrameToMatchLegacyBezelRect_ _hasBezelBorder _hasHorizontalOrientation _hasKeyboardFocusInTabItem_ _hasTabs _invalidateTabsCache _isViewValidOriginalNextKeyView_ _keyboardNavigateDoSelectOfFocusItem_ _keyboardNavigateToTabAtIndex_ _keyboardNavigateToTabByDelta_ _labelRectForTabRect_forItem_ _layoutTabs _maxOverlap _minimumSizeNeedForTabItemLabel_ _nominalSizeNeedForTabItemLabel_ _old_encodeWithCoder_NSTabView_ _old_initWithCoder_NSTabView_ _originalNextKeyView _performTabLayoutIfNeeded _pressedTabViewItem _previousNextTab_loop_ _redisplayForStateChange _removeBackgroundBezelLayer _removeTabButtonLayer _removeTabViewItems_ _resizeSelectedTabViewItem _setBackgroundBezelLayer_ _setCurrentTabHeight_ _setEndTabWidth_ _setInteriorNextKeyView_ _setKeyboardFocusRingNeedsDisplayForTabViewItem_ _setMaxOverlap_ _setNeedsDisplayForTabViewItem_ _setNeedsLayout_ _setNextKeyViewFor_toNextKeyView_ _setPressedTabViewItem_ _setTabViewButtons_ _setTabViewControllerAllowsPropertyChange_ _setTabViewItemForSpringLoading_ _setTabViewItems_ _setTabViewTypeFlags_ _shouldAppearActive _shouldSelectTabViewItem_ _springLoadItem _switchInitialFirstResponder_lastKeyView_forTabViewItem_ _switchTabViewItem_oldView_withTabViewItem_newView_initialFirstResponder_lastKeyView_ _tabEnumerationFromLeftToRight _tabHeight _tabIndexIsLeftOrTop_ _tabIndexIsRightOrBottom_ _tabOrientation _tabRectAdjustedForOverlap_ _tabRectForTabViewItem_ _tabViewButtonFrame _tabViewButtons _tabViewController _tabViewControllerAllowsPropertyChange _tabViewItemForSpringLoading _tabViewOwnedByTabViewController _tabsAreR2L _themeContentRect _themeTabAndBarArea _titleRectForTabViewItem_ _totalMinimumTabsLengthWithOverlap_ _totalNominalTabsLengthWithOverlap_ _totalTabsLength_overlap_ _updateBackgroundBezelLayerIfRequired _updateMinimumSizeConstraint _updateTabBezelStyleForLayer_ _updateTabViewButtonsFrame _usesSubviewsForButtons _willChangeTabViewType _wiringNibConnections accessibilityIsTabsAttributeSettable accessibilityTabsAttribute addTabViewItem_ allowsTruncatedLabels indexOfTabViewItemWithIdentifier_ indexOfTabViewItem_ insertTabViewItem_atIndex_ numberOfTabViewItems removeTabViewItem_ selectFirstTabViewItem_ selectLastTabViewItem_ selectNextTabViewItem_ selectPreviousTabViewItem_ selectTabViewItemAtIndex_ selectTabViewItemWithIdentifier_ selectTabViewItem_ selectedTabViewItem setAllowsTruncatedLabels_ setTabPosition_ setTabViewBorderType_ setTabViewMinimumSizeConstraint_ setTabViewType_ tabPosition tabViewBorderType tabViewItemAtIndex_ tabViewItemAtPoint_ tabViewMinimumSizeConstraint tabViewType takeSelectedTabViewItemFromSender_ NSTabViewBinder _selectInTabView_itemAtIndex_ _selectInTabView_itemWithIdentifier_ _selectInTabView_itemWithLabel_ tabView_didSelectTabViewItem_ NSTabViewBorderTypeBezel NSTabViewBorderTypeLine NSTabViewBorderTypeNone NSTabViewButtons setTabView_ tabView NSTabViewController UIProvider _addAllTabs _associatedTabStyleForUIProvider_ _goodTabViewContentSize _hasPropagatedTitle _implicitUIProviderForTabStyle_ _indexOfTabViewItem_ _makeTabBar _makeTabViewWithFrame_ _removeAllTabs _removeTabBar _tabViewItemForViewControllerAtIndex_ _tabViewItemWithIdentifier_ _updateSelectedTabViewItemIndexInUI canPropagateSelectedChildViewControllerTitle createNewTabInTabBar_ moveTabViewItem_toIndex_ selectedTabBarViewItemAfterClosingCurrentTabInTabBar_ selectedTabViewItemIndex setCanPropagateSelectedChildViewControllerTitle_ setSelectedTabViewItemIndex_ setTabBar_ setTabStyle_ setTransitionOptions_ setUIProvider_ setWindowTabsDelegate_ tabBar tabBar_acceptDrop_index_ tabBar_acceptTabDrop_index_ tabBar_closeTabBarViewItem_ tabBar_destinationWindowForDetachedTabBarViewItem_ tabBar_detachedWindowImageForDraggedTabBarViewItem_ tabBar_didFinishTransitionAnimationForWindow_ tabBar_didMoveTabBarViewItem_fromIndex_toIndex_isChangingPinnedness_ tabBar_menuForTabBarViewItem_event_ tabBar_selectTabBarViewItem_ tabBar_validateDrop_ tabBar_validateTabDrop_ tabStyle tabViewDidChangeNumberOfTabViewItems_ tabViewItemForViewController_ tabView_shouldSelectTabViewItem_ tabView_willSelectTabViewItem_ toolbarDidRemoveItem_ toolbarWillAddItem_ transitionOptions windowTabsDelegate NSTabViewControllerSegmentedControlUIProvider _addConstraintsForTabView_inContainer_ _associatedTabStyle _changeSelectedSegment_ _makeSegmentedControl _startObservingTabViewItem_ _startObservingTabViewItems_ _stopObservingTabViewItem_ _stopObservingTabViewItems_ insertTabView_atIndex_newSelectedIndex_ removeTabView_atIndex_newSelectedIndex_ segmentedControl segmentedControlLocation setSegmentedControlLocation_ setSegmentedControl_ setTabViewController_ setTabViewItemsFrom_to_newSelectedIndex_ setUpForTabView_inContainer_ tabViewController tearDown NSTabViewControllerTabStyleSegmentedControlOnBottom NSTabViewControllerTabStyleSegmentedControlOnTop NSTabViewControllerTabStyleToolbar NSTabViewControllerTabStyleUnspecified NSTabViewControllerToolbarUIProvider _removeAllToolbarItems _tabViewControllerToolbarItemIdentifiers_ _tabViewItemIndexWithIdentifier_ _toolbarAllowedItemIdentifiers_ _toolbarDefaultItemIdentifiers_ _toolbarItemAction_ _toolbarItemIdentifierForTabViewItemIndex_ _toolbarItemWithIdentifier_ _toolbarItems _toolbarSelectableItemIdentifiers_ _toolbar_itemForItemIdentifier_willBeInsertedIntoToolbar_ tabViewContainerWillMoveFromWindow_toWindow_ NSTabViewItem _addToolTipRect_ _canAutoGenerateKeyboardLoops _clearInitialFirstResponderAndLastKeyViewIfAutoGenerated _color _computeDisplayedSizeOfString_ _computeMinimumDisplayedLabelForWidth_ _computeMinimumDisplayedLabelSize _computeNominalDisplayedLabelSize _drawKeyViewOutline_ _drawOrientedLabel_inRect_ _finishedWiringNibConnections _fullLabel _hasCustomColor _initialFirstResponder _initialFirstResponderIsAutoGenerated _invalidLabelSize _isReallyPressed _isTabEnabled _labelColor _lastKeyView _old_encodeWithCoder_NSTabViewItem_ _old_initWithCoder_NSTabViewItem_ _rangeOfPrefixOfString_fittingWidth_withFont_ _removeToolTip _resetToolTipIfNecessary _rotateCoordsForDrawLabelInRect_ _setActive_ _setAutoGeneratedInitialFirstResponder_ _setDefaultKeyViewLoopAndInitialFirstResponder _setInitialFirstResponder_autoGenerated_ _setTabEnabled_ _setTabRect_ _setTabState_ _setTabView_ _tabRect _tabViewWillRemoveFromSuperview _updateWithViewController_ _validateViewIsInViewHeirarchy_ drawLabel_inRect_ set_color_ set_initialFirstResponder_ set_label_ set_view_ sizeOfLabel_ tabState NSTabWell initWithFrame_prototypeRulerMarker_ NSTableAssociation setColumn_ NSTableBackgroundView _callPublicDrawBackground_drawGrid_inRect_ _drawAlternatingBackgroundAndGridInRect_ _drawGradientBackground _drawRect_inTableCoordsWithHandler_ _drawVerticalGridInDirtyRect_ firstAlternatingColor forRubberBanding secondAlternatingColor setBackgroundImage_ setFirstAlternatingColor_ setForRubberBanding_ setSecondAlternatingColor_ setShouldDrawVerticalGrid_ shouldDrawVerticalGrid NSTableBinder _handleContentChange_ _isTableColumn_boundWithKeyPath_ _preparedContentRectForTableView_ _redisplayTableContentWithRowIndexes_columnIndexes_ _visibleColumnIndexesForKeyPath_ _visibleRowIndexesForObject_ NSTableCellView _doStandardRowSizeStyleLayout _enclosingRowView _markAsNeedingLayoutOrViewWillDraw _setIsSourceList_legacy_ _shouldUseLayoutAndNotViewWillDraw _textFieldFrame _updateSourceListAttributesIfNecessary _updateSourceListAttributesInRowView_ _updateSourceListGroupRowAttributesInRowView_ NSTableCellViewAux NSTableColumn _canDeselect_ _canUseReorderResizeImageCache _disableResizedPosting _enableResizedPosting _old_encodeWithCoder_NSTableColumn_ _old_initWithCoder_NSTableColumn_ _postColumnDidResizeNotificationWithOldWidth_ _reorderResizeImageCache _resizePostingDisabled _setCanUseReorderResizeImageCache_ _setReorderResizeImageCache_ _updateDataCellControlView _updateHeaderCellControlView dataCell dataCellForRow_ headerCell headerToolTip maxWidth minWidth resizingMask setDataCell_ setHeaderCell_ setHeaderToolTip_ setMaxWidth_ setMinWidth_ setResizable_ setResizingMask_ setSortDescriptorPrototype_ sortDescriptorPrototype NSTableColumnAutoresizingMask NSTableColumnBinder _shouldProcessObservations _updateTableColumn_withWidth_ tableColumn_didChangeToWidth_ NSTableColumnDragInfo bodyDragImage dragImageInset dragYPos setBodyDragImage_ setDragImageInset_ setDragYPos_ NSTableColumnNoResizing NSTableColumnUserResizingMask NSTableDeleteScanLineView deleteLineColor setDeleteLineColor_ NSTableDragInfo dragOperation draggedRowIndexes dropCandidateChildIndex dropCandidateItem dropCandidateParentRow dropCandidateRow lastDropHoverRow lastDropHoverSourceMask lastOffscreenDropIndicatorFrame setDragOperation_ setDraggedRowIndexes_ setDropCandidateChildIndex_ setDropCandidateItem_ setDropCandidateParentRow_ setDropCandidateRow_ setLastDropHoverRow_ setLastDropHoverSourceMask_ setLastOffscreenDropIndicatorFrame_ setTableViewDropOperation_ tableViewDropOperation NSTableHeaderCell NSTableHeaderCellView setTableHeaderView_ tableHeaderView NSTableHeaderData _addViewForTableColumn_column_ _draggedColumnHeaderViewFrameForColumn_ _updateFramesAnimated_ addTableColumn_atIndex_ beginDraggingColumn_ didMoveFromColumn_toColumn_animated_ endDraggingColumn_animated_ headerCellViewAtColumn_ initWithHeaderView_ removeAllKnownSubviews tableHeaderViewDraggedDistanceChanged updateColumnViewWidthsAnimated_ updateViews NSTableHeaderView _addBlurViewIfNecessary _addToolTipRects _alignTitleWithDataCell _canAddBlurView _cancelDelayedShowOpenHandCursor _cursorRectForColumn_ _defaultHeight _didMoveFromColumn_toColumn_animated_ _doModifySelectionWithEvent_onColumn_ _drawColumnHeaderWithIndexes_ _drawHeaderCell_withFrame_withStateFromColumn_ _drawHeaderDragImageForColumn_ _drawHeaderFillerInRect_matchLastState_ _drawHeaderOfColumn_ _drawOverflowHeaderInRect_ _drawingEndSeparator _dropTableViewOverdrawIfNecessary _endDraggingColumn_animated_ _hasTranslucency _headerRectForInvalidation_ _invalidateOrComputeNewCursorRectsIfNecessary _invalidateRightMostLineIfNeeded _isColumnReordering _isColumnResizing _lastDraggedOrUpEventFollowing_canceled_ _ltrCursorRectForColumn_ _nextColumnAfterOneBeingDrawnIsSelected _nextColumnDrawsLeftSeparatorFromColumn_ _old_encodeWithCoder_NSTableHeaderView_ _overflowHeaderCellPrototype _overflowRectForBounds_ _preparedHeaderCellAtColumn_ _preparedHeaderFillerCell _previousNonHiddenColumnStartingAtColumn_ _reorderColumn_withEvent_ _resizeCursorForTableColumn_ _resizeableColumnAtPoint_ _rtlCursorRectForColumn_ _scheduleDelayedShowOpenHandCursorIfNecessary _setAlignTitleWithDataCell_ _setNeedsDisplayForDraggedDelta_ _setOverflowHeaderCellPrototype_ _setToolTipRectsDirty_ _setWantsTranslucency_ _showOpenHandCursor_ _startObservingKeyWindow_ _stopObservingKeyWindow _supportsViewsForAnimations _tableView_didAddTableColumn_ _tableView_didRemoveTableColumnAtIndex_ _tableView_willAddTableColumn_ _tableView_willRemoveTableColumn_ _trackAndModifySelectionWithEvent_onColumn_stopOnReorderGesture_ _unobstructedVisibleHeaderRectOfColumn_ _unshowOpenHandCursor_ _updateBackgroundViewFrame _updateClipViewBackgroundColors _updateColumnViewWidthsAnimated_ _viewBasedRawRect_ _wantsTranslucency _windowKeyChanged_ accessibilityChildForColumn_ accessibilityColumnForChild_ draggedColumn draggedDistance headerRectOfColumn_ resizedColumn NSTableOptions _addDefaultTable addColumns_ addDefaultTable addOrNestTable addRows_ clearTableParameters getRows_columns_inTabDelimitedString_inRange_ mergeCells orderFrontTableOptionsPanel_ removeColumns_ removeRows_ removeTable setDefaultBorderColor_ setHorizontalAlignment_ setVerticalAlignment_ splitCell_range_ splitCells tableOptionsPanel_ tableParameters NSTableOptionsPanel NSTableOverlappingColumnClipHelper clearClipping clipForDrawingRow_column_ currentClipRect initWithTableView_clipRect_ NSTableRow NSTableRowActionEdgeLeading NSTableRowActionEdgeTrailing NSTableRowAndCellTracker _elementSpecifiersForTableColumns_ indexForSpecifierComponent_ indexForSpecifierComponent_inRange_ initWithTableView_ insertIndex_ insertSpecifierComponent_atIndex_ removeChildrenOfIndex_ removeIndex_shiftsResults_ shiftIndex_shiftAmount_isDeleteForMove_ specifierComponentForIndex_registerIfNeeded_ unregisterCellsOfRowIndexes_columnIndexes_ unregisterCellsOfTableColumns_ NSTableRowData _actionButtonClicked_ _addDropFeedbackViews _addFloatingGroupRowView _addRowViewForVisibleRow_ _addRowViewForVisibleRow_withPriorRowIndex_inDictionary_withRowAnimation_ _addRowViewForVisibleRow_withPriorView_ _addRowView_toAnimatedOffListForRow_ _addRowView_toAnimatedOffListForRow_ignoringVisibleRows_ _addRowView_toDeleteForOldRow_animation_ _addViewBeingAnimatedAway_ _addViewToRowView_atColumn_row_ _addViewsToRowView_atRow_ _allChangesAsStringForRow_ _animateInsertingOfClipView_rowAnimation_ _animateSwipeToDeleteScanLineView _animateSwipeToDeleteWithGestureAmount_velocity_stiffness_ _animatedUpdateViewPositionsForRow_rowView_ _animatingBackgroundView _animatingCleanup _availableRowViewWhileUpdatingAtRow_ _backgroundColorForGroupRowStyle_ _backgroundViewGradient _backgroundViewWithFrame_ _beginAnimationGroupingWithDuration_ _cacheReusableView_ _cacheViewsIfNecessary _cancelAnimationCleanup _cellFrameForRow_column_rowFrame_ _cleanupAnimationClipView_ _clearUpdateData _clearVisibleRows _columnWidthsNeedUpdate _commonUpdateFramesAndRemoveForRowView_row_ _commonUpdateFramesForRowView_row_ _computeCurrentFloatingGroupRow _computeFloatingGroupRowFromIndex_inVisibleRange_ _consumeButtonPercentageForExposedCellPercentage_consumingPercentage_ _createAllRowstoInsertIfNecessary _cullAllReusableViews _cullReusableViewsArray_ _currentAnimationDuration _currentPreparedContentRect _defaultShouldAnimateValue _delayMakeFirstResponder_ _doDraggingEndedForGapStyleWithFeedbackData_ _doLayerPerformanceUpdates _doLayoutIfNeededToRowView_ _doSwipeToDeleteConsumeAnimationWithRowAction_ _doWorkAfterEndUpdates _draggedColumnViewFrameForColumn_ _dropAllVisibleRows _dumpRowEntries _effectiveRowSizeStyleInRowView_ _endAnimationGrouping _ensureAllRowsToDelete _ensureDropFeedbackData _existingSubviews _expandedVisibleRect _extractExistingViewForRow_ _extractViewFromDictionary_atRow_ _firstChangedColumn _flipAllSubviewsInView_toHeight_ _floatsGroupRows _frameForBackgroundGroupViewInRange_ _frameForFloatingGroupRowIsFloating_ _frameInTableForView_ _fullRowSwipeToDeletePercentage _getSwipeButtonPercentageForRowView_exposedPercentage_consumingPercentage_ _gridStyleMaskForRow_isGroupRow_ _groupRowSeparatorColor _initializeRowView_atRow_ _insertAtIndexes_addItemToArrayFromRange_ _insertUpdateItem_atIndexes_ _invalidateTableForLastRowChangedWhenLayerBacked _isAvailableRow_ _isFloatingHeaderView _isFullWidthRowView_atRow_ _isSpecialRow_ _isVisibleRow_ _ltrUpdateColumnWidthsRelativeToOldWidths_animated_towardsOriginal_ _makeClipViewWithFrame_rowAnimation_fromRow_ _makeGrayViewForBehindButtonsWithFrame_ _makeSwipeAnimationFromPercentage_targetPercentage_velocity_stiffness_ _makeTemporaryPreparedRowViewForRow_ _maxSwipeToDeletePercentage _needsIndividualLayoutEngine _numberOfColumnsForRowView_atRow_ _prepareViewForReuse_ _pullExistingSubviewsOnTopAnimated_ _recacheAllCellsForRowView_row_ _registerForTextDidEndEditingNote _releaseSwipeToDeleteConsumeAnimation _releaseSwipeToDeleteFinishAnimation _releaseSwipeToDeleteScaneLineView _releaseUpdateData _removeAndCacheValuesInDictionary_ _removeDeletedRowView_ _removeDeletedRowView_withRowAnimation_towardsRow_ _removeDeletedViews _removeDropFeedbackData _removeDropFeedbackViewsFromOldRow_ _removeFirstResponderRowView _removeFloatingGroupRowView _removeGroupViewBackgrounds _removeHiddenRowIndexes _removeNonVisibleViewsInDictionary_ _removeOrHideView_ _removeRowViewForRow_ _removeRowsAtIndexes_withRowAnimation_ _removeRowsBeingAnimatedOff _removeViewAndAddToReuse_forRow_ _removeViewsBeingAnimatedAwayForReuse _removeVisibleRows _resetCanDrawSubviewsForView_ _resetFirstResponderForOldFirstResponderRow_ _resetSwipeToDeleteRow _resetSwipeToDeleteRowWithNoAnimation _resolvedAlternatingRowBackgroundColors _reuseQueueSize _rowView_updateAssociatedViewsByOffset_inColumn_ _rtlUpdateColumnWidthsRelativeToOldWidths_animated_towardsOriginal_ _rubberBandGestureAmount_ _runAnimationGroupWithDuration_disableInteraction_work_ _saveCurrentRowHeightState _scheduleAnimationCleanup _scheduleCleanupOfRowsBeingAnimatedOff _scheduleCleanupOfRowsBeingAnimatedOffAfterDelay_ _scheduleCleanupOfViewsBeingAnimatedOff _separatorColorForParentGroupRowView_withChildren_ _setAnimatingBackgroundView_ _setBackgroundColorForRowView_row_ _setBackgroundColorForRowView_row_colors_animated_ _setExistingSubviews_ _setFloatingGroupRow_ _setFloating_forRowView_atRow_ _setFrameForAddedRowView_row_withRowAnimation_priorFrameHandler_ _setGapRow_ _setPropertiesForRowView_atRow_ _setRowView_atRow_toSelected_ _setRow_toSelected_ _setSwipeToDeleteAmount_ _setSwipeToDeleteCellOffset_ _setSwipeToDeleteRow_editActions_edge_ _setupBackgroundFillerAnimationToLastTopY_bottomYOfSlideRemoveClipView_ _setupDeleteScanLineViewWithRowAction_ _setupEditActionsButtonsForActions_edge_ _setupLayoutEngineView_ _shouldAnimateFrames _shouldAnimateHeaderView _shouldDelayUpdatingFrames _shouldDoSlideAnimation_ _shouldExpandVisibleRect _shouldFlipForRTL _shouldSetBackgroundForTextView_ _slideInsertRow_intoClipView_ _slideRemoveRowViews_originalRow_withAnimation_ _startSwipeOnRow_withEvent_ _startSwipeToDeleteConsumeAnimationFromPercentage_targetPercentage_velocity_ _staticTableViewCellReintialize_atRow_ _swipeToDeleteIsConsumingValue_ _swipeToDeleteRowIsConsuming _tableIsVisible _tableTextDidEndEditing_ _throwExceptionForUpdateErrorOnRow_ _trackSwipeToDeleteFromEvent_ _trackSwipeWithScrollEvent_usingHandler_ _unarchiveViewWithIdentifier_owner_ _unregisterForTextDidEndEditingNote _unsafeUpdateVisibleRowEntries _updateActionButtonPositionsForRowView_edge_exposedPercentage_ _updateBackgroundColorForRowView_row_colors_ _updateClipPathIfNeeded _updateClipView_forRowView_row_ _updateColumnWidthsForNewRow_rowView_ _updateColumnWidthsForRowView_atRow_ _updateColumnWidthsRelativeToOldWidths_animated_towardsOriginal_ _updateFloatingGroupRowView _updateFloatingGroupRowView_row_ _updateFloatingHeaderViewFrame _updateFrameRowView_row_ _updateGroupRowFinderStyleBackgrounds _updateGroupViewBackgrounds _updateKeyViewLoopforRowView_ _updateOutlineColumnWidthForRowView_atRow_ _updatePreparedContentRect _updateSwipeToDeleteRowButtonsIfNeeded _updateVisibleRowEntriesAnimated _updateVisibleRowFrames _updateVisibleViewsBasedOnUpdateItems _updateVisibleViewsBasedOnUpdateItemsAnimated _validateIndexesForInsertion_ _validateInsertUpdateData _validateRowForInsertion_ _validateRowIndexesForRemoveOrHide_ alternatingBackgroundColorForRow_colors_ animateSelection animateViewWidths attemptingDrag beginAnimationGroupingIfNeeded beginUpdatingColumnWidths cacheExistingSubviews callingHeightOfRow cancelDelayMakeFirstResponder changeSelectedRowIndexesFrom_to_ clearReusueQueue computePriorGroupRowFromIndex_ contextualHighlightView currentlyActive delayEditBlock delayMakeFirstResponder_ deletedRowIndexes deselectRowIndexes_ didAddTableColumn_ didDeselectRow_ didMoveFromColumn_toColumn_ didRemoveTableColumnAtIndex_ didSelectRow_ dragActive draggingAccepted draggingBeginWithRowIndexes_startRow_ draggingDestinationFeedbackStyleChanged draggingExited dropFeedbackData dropFeedbackViews endDraggingColumn_ endSwipeToDeleteIfNeeded endUpdatingColumnWidths ensureGroupRowIndexes firstResponderRow floatingGroupRow floatingGroupRowView forceUpdateSelectedRows groupRowIndexes handleSwipeOnRow_withEvent_ hasBackgroundView hideFloatingHeaderViewAnimated_ hideRowsAtIndexes_withRowAnimation_ ignoreTrackingAreas insertRowsAtIndexes_withRowAnimation_ insertedRowIndexes isFloatingGroupRowAtPoint_ isGoingToAnimate isReloadingData isUpdating markDragAsTemporary markNeedingFramesUpdated mutableHiddenRowIndexes needsClipPath preparedRowViewForOutlineView priorNumberOfRows removeContextualMenuHighlighting removeRowsAtIndexes_withRowAnimation_ removeTemporaryViews reorderingColumns rowViewAtRow_createIfNeeded_ rowViewsBeingAnimatedOff saveCurrentColumnWidths selectionShouldUsePrimaryColorChanged setAnimateSelection_ setAnimateViewWidths_ setAttemptingDrag_ setCallingHeightOfRow_ setColumnHidden_atColumnIndex_ setContextualHighlightView_ setDelayEditBlock_ setDropFeedbackViews_ setFirstResponderRowView_atRow_ setFirstResponderRow_ setFloatingGroupRowView_ setFloatingGroupRow_ setHiddenRowIndexes_ setIgnoreTrackingAreas_ setReorderingColumns_ setRowViewsBeingAnimatedOff_ setSelectionShouldUsePrimaryColor_ setSizeModeUpdateNeeded setTargetTableFrameSize_ setupContextualMenuHighlightingForRow_ showFloatingHeaderViewAnimated_ supportAlternatingGroupRows swipeData targetTableFrameSize unhideRowsAtIndexes_withRowAnimation_ updateColumnWidthsForRowView_atRow_ updateData updateDropFeedbackFromPriorRow_operation_mask_ updateFloatingGroupRowFrame updateFloatingGroupRows updateGroupRowStyle updateKeyViewLoopForAllRows updateRowViewBackgroundColors updateRowViewFrames updateRowViewSelectionBlendingMode updateViewWidthsFromColumn_ updateVisibleRowViews updatingVisibleRows NSTableRowView NSTableRowViewSpringAnimation endPercentage percentage setEndPercentage_ setStartPercentage_ startPercentage NSTableSwipeData hasMoreThanOneButtonAndAConsumer setHasMoreThanOneButtonAndAConsumer_ setSwipeToDeleteButtonPercentage_ setSwipeToDeleteCatchupAnimation_ setSwipeToDeleteCellOffset_ setSwipeToDeleteConsumePercentage_ setSwipeToDeleteEdge_ setSwipeToDeleteFinishAnimation_ setSwipeToDeleteLastPercentage_ setSwipeToDeletePercentage_ setSwipeToDeleteRowView_ setSwipeToDeleteRow_ setSwipeToDeleteScanLineView_ setSwipeToDeleteToken_ setSwipeToDeleteTotalSlideAmount_ swipeToDeleteButtonPercentage swipeToDeleteCatchupAnimation swipeToDeleteCellOffset swipeToDeleteConsumePercentage swipeToDeleteEdge swipeToDeleteFinishAnimation swipeToDeleteLastPercentage swipeToDeletePercentage swipeToDeleteRow swipeToDeleteRowView swipeToDeleteScanLineView swipeToDeleteToken swipeToDeleteTotalSlideAmount NSTableUpdateData allRowsToDelete allRowsToInsert containsAnimations containsDeletes containsInserts containsMoves containsSlideDeletes containsSwipeToDelete needsFrameUpdate priorColumnWidths priorGroupRowIndexes priorRowHeightStorage rowHeightsChanged rowIndexesToViews selectionChanged setAllRowsToDelete_ setAllRowsToInsert_ setContainsAnimations_ setContainsDeletes_ setContainsInserts_ setContainsMoves_ setContainsSlideDeletes_ setContainsSwipeToDelete_ setNeedsFrameUpdate_ setPriorColumnWidths_ setPriorGroupRowIndexes_ setPriorRowHeightStorage_ setRowHeightsChanged_ setRowIndexesToViews_ setSelectionChanged_ setUpdateItemsToInsert_ setUpdateItemsToRemove_ updateItemsToInsert updateItemsToRemove NSTableUpdateDeleteItem initWithRowAnimation_ originalRow rowAnimation setOriginalRow_ setViewToDelete_ viewToDelete NSTableUpdateInsertItem setViewToAnimateFrom_ viewToAnimateFrom NSTableUpdateItem2 NSTableUpdateMoveItem initMoveWithOriginalRow_ initMoveWithOriginalRow_animation_ NSTableView NSTableViewActionButton _layoutContents requiredSize rowAction setRequiredSize_ setRowAction_ NSTableViewActionButtonCell NSTableViewAnimationEffectFade NSTableViewAnimationEffectGap NSTableViewAnimationEffectNone NSTableViewAnimationSlideDown NSTableViewAnimationSlideLeft NSTableViewAnimationSlideRight NSTableViewAnimationSlideUp NSTableViewCellMockElement accessibilityColumnIndexRangeAttribute accessibilityIsColumnIndexRangeAttributeSettable accessibilityIsRowIndexRangeAttributeSettable accessibilityRowIndexRangeAttribute childViewIsCellView_ isGroupRowCell isOutline NSTableViewCellProxy _accessibilityPerformAction_ _accessibilityPerformAction_withValue_ _accessibilityPopUpButtonCellPressAction_ _sendDataSourceSetObjectValue_ alternateParentClass cellForProxy editor isBeingEdited setAlternateParentClass_ NSTableViewCellUnhighlightedState highlighted NSTableViewChildCellProxy initWithRow_tableColumn_realElement_ realElementRect NSTableViewColumnDidMoveNotification NSTableViewColumnDidResizeNotification NSTableViewDashedHorizontalGridLineMask NSTableViewDraggingDestinationFeedbackStyleGap NSTableViewDraggingDestinationFeedbackStyleNone NSTableViewDraggingDestinationFeedbackStyleRegular NSTableViewDraggingDestinationFeedbackStyleSourceList NSTableViewDropAbove NSTableViewDropFeedbackData isExternalDrag isTemporaryDrag setDraggingAccepted_ setIsExternalDrag_ setIsTemporaryDrag_ setStartRow_ startRow NSTableViewDropOn NSTableViewDynamicToolTipManager _abortAndRestartTracking_ _appActivationChanged_ _canShowToolTip _cancelCurrentToolTipWindowImmediately_ _cancelMovementTrackingTimer _continueMovementTracking _currentLocalMousePoint _disabledTrackingInNeighborhoodOfMouse _displayToolTipIfNecessaryIgnoringTime_ _getColumn_row_cell_cellFrame_toolTipRect_wantsToolTip_wantsRevealover_atPoint_ _markMovementTrackingInfo _removeAllTrackingRects _removeToolTipTrackingRectIfNecessary _removeVisibleViewTrackingRectIfNecessary _restartMovementTracking _setupForWindow_ _shouldRestartMovementTracking _shouldShowRegularToolTipOnExpansionToolTip _shouldTrack _threadsafeViewVisibleBoundsChanged _tooltipStringForCell_column_row_point_trackingRect_ _viewVisibleBoundsChanged _wantsRevealoverAtColumn_row_ _wantsToolTipAtColumn_row_ _windowDidEnableToolTipCreationAndDisplay abortToolTip detatchFromView dynamicToolTipRectAtPoint_ dynamicToolTipRevealoverInfoAtPoint_trackingRect_ dynamicToolTipStringAtPoint_trackingRect_ isExpansionToolTipInView_withDisplayInfo_ viewWillResetCursorRects windowChangedKeyState windowDidBecomeVisibleNotification_ windowDidEnableToolTipCreationAndDisplay NSTableViewFirstColumnOnlyAutoresizingStyle NSTableViewGridNone NSTableViewLastColumnOnlyAutoresizingStyle NSTableViewListCellMockElement NSTableViewListCellProxy NSTableViewNoColumnAutoresizing NSTableViewReverseSequentialColumnAutoresizingStyle NSTableViewRowAction _handler _initWithStyle_title_handler_ NSTableViewRowActionStyleDestructive NSTableViewRowActionStyleRegular NSTableViewRowSizeStyleCustom NSTableViewRowSizeStyleDefault NSTableViewRowSizeStyleLarge NSTableViewRowSizeStyleMedium NSTableViewRowSizeStyleSmall NSTableViewRowViewKey NSTableViewSelectionDidChangeNotification NSTableViewSelectionHighlightStyleNone NSTableViewSelectionHighlightStyleRegular NSTableViewSelectionHighlightStyleSourceList NSTableViewSelectionIsChangingNotification NSTableViewSequentialColumnAutoresizingStyle NSTableViewSolidHorizontalGridLineMask NSTableViewSolidVerticalGridLineMask NSTableViewUniformColumnAutoresizingStyle NSTabletPoint NSTabletPointEventSubtype NSTabletPointMask NSTabletProximity NSTabletProximityEventSubtype NSTabletProximityMask NSTabularTextPboardType NSTaggedPointerString NSTaggedPointerStringCStringContainer NSTargetAnimationInfo initWithAnimation_progress_start_ startOrStopTargetAnimation NSTargetBinding NSTask NSTaskDidTerminateNotification NSTaskTerminationReasonExit NSTaskTerminationReasonUncaughtSignal NSTearOffTabWindow beginServerSideWindowDragUsingOffset_ detachAndMoveWindowToSpaceIfNecessary detachedWindow didDetachWindow enteredMissionControlWithTab initWithContentRect_tornFromWindow_ mouseUpAfterMissionControl setTabDelegate_ shouldDisableTabBarDropTargets tabDelegate NSTempAttributeDictionary NSTemplatizingImageRep NSTemporaryDirectory NSTemporaryObjectID _setPersistentStore_ initWithEntity_andUUIDString_ NSTerminateCancel NSTerminateLater NSTerminateNow NSTernaryExpression initWithPredicate_trueExpression_falseExpression_ NSText NSTextAlignmentCenter NSTextAlignmentJustified NSTextAlignmentLeft NSTextAlignmentNatural NSTextAlignmentRight NSTextAlternatives alternativeAtIndex_ alternatives initWithOriginalText_alternatives_ initWithOriginalText_alternatives_identifier_ initWithPrimaryString_alternativeStrings_ initWithPrimaryString_alternativeStrings_identifier_ noteSelectedAlternativeString_ numberOfAlternatives originalText primaryString NSTextAlternativesAttributeName NSTextAlternativesSelectedAlternativeStringNotification NSTextAttachment NSTextAttachmentCell NSTextAttachmentImageView NSTextBlock _attributeDescription _createFloatStorage _destroyFloatStorage _setValue_type_forParameter_ _takeValuesFromTextBlock_ _valueForParameter_ _valueTypeForParameter_ boundsRectForContentRect_inRect_textContainer_characterRange_ contentWidthValueType drawBackgroundWithFrame_inView_characterRange_layoutManager_ rectForLayoutAtPoint_inRect_textContainer_characterRange_ setContentWidth_type_ setValue_type_forDimension_ setWidth_type_forLayer_ setWidth_type_forLayer_edge_ valueForDimension_ valueTypeForDimension_ verticalAlignment widthForLayer_edge_ widthValueTypeForLayer_edge_ NSTextBlockAbsoluteValueType NSTextBlockBaselineAlignment NSTextBlockBorder NSTextBlockBottomAlignment NSTextBlockHeight NSTextBlockLayoutHelper initWithTextBlock_charIndex_text_layoutManager_containerWidth_collapseBorders_ initWithTextBlock_charRange_glyphRange_layoutRect_boundsRect_containerWidth_allowMargins_collapseBorders_allowPadding_ initWithTextBlock_charRange_text_layoutManager_containerWidth_collapseBorders_ initWithTextTable_charIndex_text_layoutManager_containerWidth_collapseBorders_ NSTextBlockMargin NSTextBlockMaximumHeight NSTextBlockMaximumWidth NSTextBlockMiddleAlignment NSTextBlockMinimumHeight NSTextBlockMinimumWidth NSTextBlockPadding NSTextBlockPercentageValueType NSTextBlockTopAlignment NSTextBlockWidth NSTextCandidateOperation clone initWithString_selectedRange_offset_types_options_tag_sequenceNumber_allowRetry_completionHandler_ performCompletionHandler NSTextCellType NSTextCheckingAirlineKey NSTextCheckingAllCustomTypes NSTextCheckingAllSystemTypes NSTextCheckingAllTypes NSTextCheckingCityKey NSTextCheckingCountryKey NSTextCheckingDocumentAuthorKey NSTextCheckingDocumentTitleKey NSTextCheckingDocumentURLKey NSTextCheckingFlightKey NSTextCheckingJobTitleKey NSTextCheckingKeyEvent initWithKeyboardLayoutType_keyboardType_identifier_primaryLanguage_flags_timestamp_characters_charactersIgnoringModifiers_ keyboardLayoutIdentifier keyboardLayoutType keyboardType primaryLanguage NSTextCheckingNameKey NSTextCheckingOperation initWithString_range_offset_types_options_tag_sequenceNumber_completionHandler_ NSTextCheckingOrganizationKey NSTextCheckingOrthographyKey NSTextCheckingPhoneKey NSTextCheckingQuotesKey NSTextCheckingReferenceDateKey NSTextCheckingReferenceTimeZoneKey NSTextCheckingRegularExpressionsKey NSTextCheckingReplacementsKey NSTextCheckingResult NSTextCheckingSelectedRangeKey NSTextCheckingStateKey NSTextCheckingStreetKey NSTextCheckingTypeAddress NSTextCheckingTypeCorrection NSTextCheckingTypeDash NSTextCheckingTypeDate NSTextCheckingTypeGrammar NSTextCheckingTypeLink NSTextCheckingTypeOrthography NSTextCheckingTypePhoneNumber NSTextCheckingTypeQuote NSTextCheckingTypeRegularExpression NSTextCheckingTypeReplacement NSTextCheckingTypeSpelling NSTextCheckingTypeTransitInformation NSTextCheckingZIPKey NSTextColorBinder _requestTextColor_ _setTextColorInObject_mode_compareDirectly_toTextColor_ _showTextColorImmediatelyInObject_mode_ _textColorWithMode_ textColorAtIndexPath_ textColorAtIndex_ updateInvalidatedTextColor_forObject_ NSTextColorBinding NSTextContainer _containerObservesTextViewFrameChanges _containerTextViewFrameChanged_ _resizeAccordingToTextView_ _setContainerObservesTextViewFrameChanges_ containerSize exclusionPaths heightTracksTextView initWithContainerSize_ isSimpleRectangularTextContainer lineFragmentRectForProposedRect_atIndex_writingDirection_remainingRect_ lineFragmentRectForProposedRect_sweepDirection_movementDirection_remainingRect_ minimumLineFragmentWidth replaceLayoutManager_ setAttributesForExtraLineFragment_ setContainerSize_ setExclusionPaths_ setHeightTracksTextView_ setMinimumLineFragmentWidth_ setTextView_ setWidthTracksTextView_ textView widthTracksTextView NSTextDidBeginEditingNotification NSTextDidChangeNotification NSTextDidEndEditingNotification NSTextDragInfo cacheFromUnderIndicator dragAnimationOverlay indicatorViewRect isDraggingLinkedFile isSavedImageValid setCacheFromUnderIndicator_ setDragAnimationOverlay_ setDraggingLinkedFile_ setIndicatorViewRect_ setSavedImageValid_ NSTextEffectAttributeName NSTextEffectLetterpressStyle NSTextEncodingNameDocumentAttribute NSTextEncodingNameDocumentOption NSTextField NSTextFieldAndStepperDatePickerStyle NSTextFieldCell NSTextFieldDatePickerStyle NSTextFieldRoundedBezel NSTextFieldSquareBezel NSTextFinder _barTextFinder _clearContentString _contentString _defaultStyle _invalidateTextFinders _isSearchingAsynchronousDocument _isSearchingWebViews _textFinderForStyle_create_ _textFinderImplCreate_ _webViews cancelFindIndicator findBarContainer findIndicatorNeedsUpdate incrementalMatchRanges incrementalSearchingShouldDimContentView noteClientStringWillChange setFindBarContainer_ setFindIndicatorNeedsUpdate_ setIncrementalSearchingShouldDimContentView_ setIsSearchingWebViews_ validateAction_ NSTextFinderActionHideFindInterface NSTextFinderActionHideReplaceInterface NSTextFinderActionNextMatch NSTextFinderActionPreviousMatch NSTextFinderActionReplace NSTextFinderActionReplaceAll NSTextFinderActionReplaceAllInSelection NSTextFinderActionReplaceAndFind NSTextFinderActionSelectAll NSTextFinderActionSelectAllInSelection NSTextFinderActionSetSearchString NSTextFinderActionShowFindInterface NSTextFinderActionShowReplaceInterface NSTextFinderAsyncSearch _addRanges_searchedIndexes_ _foundFirstMatchInRange_ _foundMatchRanges_searchedIndexes_ _getIndexes_forInsertionOfRanges_ _locateFirstMatchIfNecessary _scheduleFirstMatchOperation _searchCompleted initWithTextFinderImpl_ isSearching matchRanges notifyOfFirstMatchAfterIndex_withBlock_ stopSearchingAndWait_ waitUntilSearchCompletedForRanges_orTimeout_ NSTextFinderBarSearchField NSTextFinderBarSearchFieldCell _commonTextFinderInit _searchFieldDoRecentPattern_ statusStringFieldRectForBounds_ NSTextFinderBarTextField NSTextFinderBarTextFieldCell NSTextFinderBarView _actionResponderFromView_ _doneButton_ _drawsDividerLineAtBottom _drawsOwnDividerLine _layoutBarSubviews _nextKeyView _replaceField _requiredHeight _resizeIfNecessary _searchField _searchOptions _setEnabledForward_back_ _setReplaceMode_ _setSearchOptions_ _setSubstringMatchType_ _setTextFinder_ _substringMatchType _textFinder _toggleFindReplace_ _updateNextKeyViews _updateReplaceUIVisibility NSTextFinderCaseInsensitiveKey NSTextFinderIndicatorManager _containerDidChange _delayedUpdate _enumerateViewsAndRectsForRange_withBlock_ _flushUpdate _hideAnimate_ _scheduleDelayedUpdate _showAnimate_ _textFinderImpl needsUpdate pulse setIsVisible_animate_ setNeedsUpdate_ NSTextFinderMatchingTypeContains NSTextFinderMatchingTypeEndsWith NSTextFinderMatchingTypeFullWord NSTextFinderMatchingTypeKey NSTextFinderMatchingTypeStartsWith NSTextFunctionBarItemController _changeTextAlignment_ _changeTextList_ _changeTextStyle_ _reconfigureTextStyle _showTextListPanel_ colorPicker colorPickerItem effectiveTextListViewController setColorPicker_ setSelectedAttributesWithEnumrator_ setTextAlignments_ setTextListViewController_ setTextList_ setTextStyle_ setUsesNarrowTextStyleItem_ textAlignment textAlignmentItem textAlignments textFormatItem textList textListItem textListViewController textStyle textStyleItem usesNarrowTextStyleItem NSTextInputContext NSTextInputContextKeyboardSelectionDidChangeNotification NSTextLayer NS_setContentsScaleSize_ addRenderer_forLayer_ drawInGraphicsContext_ drawLayer_inLinearMaskContext_ invalidateSublayers layerForColor_ primaryOverlay primaryOverlayColor primaryOverlayRenderer renderersForLayer_ setPrimaryOverlayColor_ setPrimaryOverlayRenderer_ NSTextLayoutOrientationHorizontal NSTextLayoutOrientationVertical NSTextLayoutSectionOrientation NSTextLayoutSectionRange NSTextLayoutSectionsAttribute NSTextLineTooLongException NSTextList _markerAtIndex_inText_ _markerForMarkerFormat_itemNumber_isNumbered_substitutionStart_end_specifierStart_end_ _markerPrefix _markerSpecifier _markerSuffix _markerTitle _unaffixedMarkerForItemNumber_ _unaffixedMarkerFormat _unaffixedMarkerTitle initWithMarkerFormat_options_ listOptions markerForItemNumber_ markerFormat setStartingItemNumber_ startingItemNumber NSTextListPrependEnclosingMarker NSTextMovementBacktab NSTextMovementCancel NSTextMovementDown NSTextMovementLeft NSTextMovementOther NSTextMovementReturn NSTextMovementRight NSTextMovementTab NSTextMovementUp NSTextNoSelectionException NSTextPlaceholder _postCommitNotification committed initWithIdentifier_text_doCommit_ setText_doCommit_ NSTextPlaceholderInternalVars NSTextReadException NSTextReadInapplicableDocumentTypeError NSTextReadWriteErrorMaximum NSTextReadWriteErrorMinimum NSTextReplacementNode NSTextRulerOptions addFavorite_inWindow_ displayStringForLineHeightMultiple_min_max_lineSpacing_paragraphSpacingBefore_after_ removeLink_ setLinkInWindow_string_delegate_ setMarkerFormatInWindow_textList_delegate_ setSpacing_inWindow_delegate_ setStartFieldAndStepper updateLineSpacingUI NSTextSizeMultiplierDocumentOption NSTextStorage NSTextStorageCharacterArray initWithContainer_ NSTextStorageDidProcessEditingNotification NSTextStorageEditedAttributes NSTextStorageEditedCharacters NSTextStorageElementArray initWithContainer_key_ tokenizeToCount_ NSTextStorageWillProcessEditingNotification NSTextTab initWithTextAlignment_location_options_ initWithType_location_ tabStopType NSTextTable _contentRectForCharRange_textContainer_ _descriptionAtIndex_text_ _missingColumnsForRowRange_blockIndex_text_ _rowArrayForBlock_atIndex_text_layoutManager_containerWidth_withRepetitions_collapseBorders_rowCharRange_indexInRow_startingRow_startingColumn_previousRowBlockHelper_ _setTableFlags_ _tableFlags boundsRectForBlock_contentRect_inRect_textContainer_characterRange_ collapsesBorders drawBackgroundForBlock_withFrame_inView_characterRange_layoutManager_ hidesEmptyCells layoutAlgorithm rectForBlock_layoutAtPoint_inRect_textContainer_characterRange_ setCollapsesBorders_ setHidesEmptyCells_ setLayoutAlgorithm_ NSTextTableAutomaticLayoutAlgorithm NSTextTableBlock _setColumnSpan_ _setRowSpan_ columnSpan initWithTable_startingRow_rowSpan_startingColumn_columnSpan_ rowSpan startingColumn startingRow table NSTextTableFixedLayoutAlgorithm NSTextTemplate createRealObject initWithView_className_ NSTextTouchBarItemController NSTextValueBinder _adjustTextColorOfObject_mode_ setTextColor_whenObjectValueIsUsed_ textColorWhenObjectValueIsUsed_ NSTextView NSTextViewAttachmentEditCompletionAnimation finishWithSuccess_ initWithImage_startRect_endRect_ NSTextViewCompletionController _reflectSelection_ _reloadWithCompletions_ _setupWindow completionWindow currentTextView displayCompletions_forPartialWordRange_originalString_atPoint_forTextView_ displayCompletions_indexOfSelectedItem_forPartialWordRange_originalString_atPoint_forTextView_ endDisplay endDisplayAndComplete_ endDisplayNoComplete endDisplayWithNotification_ sessionTerminatingEvent tableAction_ NSTextViewCompletionTableView NSTextViewCompletionWindow NSTextViewDidChangeSelectionNotification NSTextViewDidChangeTypingAttributesNotification NSTextViewIvars NSTextViewSharedData _flushInspectorBarItemIdentifiers changeWillBeUndone_ clearMarkedRange coalesceInTextView_affectedRange_replacementRange_ inputContextForFirstTextView_ isCoalescing setDelegate_withNotifyingTextView_ setDragAndDropCharRanges_ stopCoalescing NSTextViewTemplate NSTextViewWillChangeNotifyingTextViewNotification NSTextWriteException NSTextWriteInapplicableDocumentTypeError NSTextWritingDirectionEmbedding NSTextWritingDirectionOverride NSTexturedBackgroundWindowMask NSTexturedComboBox NSTexturedComboBoxCell NSTexturedRoundedBezelStyle NSTexturedSquareBezelStyle NSThemeAutosaveButton _arrowShouldBeHidden _buttonTitle _cancelAnimationCompletionBlock _cancelFadeAnimationDelay _containingThemeFrame _delayedHideAlertPopover _hidePopover _performMouseDownWithEvent_ _popoverPositioningRectInSuperview _repositionPopover _setAnimationCompletionBlock_withDuration_ _setTitleAndRedisplay_ _setTitleCellHighlighted_ _setupAlertPopoverAutohideIgnoringRecentEvents_ _shouldColorTextForAlertPopover _shouldShowDocumentPopoverWithMouseDownEvent_ _shouldShowSeparatorField _shouldUseWindowTitleCell _showAlertPopoverIgnoringRecentEvents_ _showDocumentPopoverThenContinue_ _showOrHideArrowAnimate_completionBlock_ _updateSeparatorFieldStringValue _userBecameIdleForAlertPopover _windowDidOrderOnScreen_ displayedPopover documentAutosavingError documentEditingState mouseDownEvent_wouldReactivatePopover_ nonModalDocumentError setDocumentAutosavingError_ setDocumentEditingState_animate_ setNonModalDocumentError_ updateRolloverState NSThemeAutosaveButtonCell _themeImageState NSThemeDocumentButton _containingThemeFrameFromView_ _refreshDocumentIconAndDisplayNameForURL_ documentEdited menuLocationForLayoutDirection_ pathCellClicked_ setFrameOrigin_ignoreRentry_ showPopup NSThemeDocumentButtonCell NSThemeDocumentButtonPopUpMenuProxy createRealObjectIfNeeded initWithDocumentButton_ NSThemeFrame NSThemeFrameBackgroundDelegate NSThemeFrameTitleTextField invalidateOnFrameOriginChange setInvalidateOnFrameOriginChange_ NSThickSquareBezelStyle NSThickerSquareBezelStyle NSThisDayDesignations NSThousandsSeparator NSThread _beginQoSOverride_relativePriority_ _endQoSOverride_ _nq_ _setThreadPriority_ isDying isMainThread runLoop setStackSize_ stackSize threadDictionary NSThreadWillExitNotification NSThumbnail1024x1024SizeKey NSTickMarkAbove NSTickMarkBelow NSTickMarkLeft NSTickMarkPositionAbove NSTickMarkPositionBelow NSTickMarkPositionLeading NSTickMarkPositionTrailing NSTickMarkRight NSTileLayer visibleTileStateChanged NSTileScrollingInfoLayer _updateTileRepresentation setTileLayer_ tileLayer NSTimeDateFormatString NSTimeFormatString NSTimeIntervalSince1970 NSTimeZone NSTimeZoneCalendarUnit NSTimeZoneDatePickerElementFlag NSTimeZoneNameStyleDaylightSaving NSTimeZoneNameStyleGeneric NSTimeZoneNameStyleShortDaylightSaving NSTimeZoneNameStyleShortGeneric NSTimeZoneNameStyleShortStandard NSTimeZoneNameStyleStandard NSTimeoutDocumentOption NSTimer NSTitleBinder NSTitleBinding NSTitleDocumentAttribute NSTitleTextFieldCell NSTitlebarAccessoryClipView NSTitlebarAccessoryViewController _auxiliaryViewFrameChanged_ _beginUpdates _clipViewAutoresizingMask _currentClipViewFrame _endUpdates _finishVisibilityAnimation_ _makeFloatingTrailingWidget _registerForFrameChangedNotifications _setHidden_animated_ _setUpdatingFrame_ _startAnimatingPlacement_ _unregisterForFrameChangeNotifications _updateClipViewFrame _updateVisibilityAnimationWithProgress_ _viewAutoresizingMask animationData containingClipView fullScreenMinHeight inFullScreen isToolbarAccessoryView layoutAttribute revealAmount setFullScreenMinHeight_ setInFullScreen_ setIsToolbarAccessoryView_ setLayoutAttribute_ setRevealAmount_ visibleAmount NSTitlebarContainerView associatedThemeFrame setAssociatedThemeFrame_ setShouldRoundCorners_ shouldRoundCorners transparent NSTitlebarFloatingWindow _setMenuBarRevealedValue_ setOriginalWindow_ NSTitlebarRenamingAuxiliaryWindow NSTitlebarRenamingURLResolver _setFinalURL_ _setSandboxToken_ endEditingRange finalDirectory finalExtension findAvailableURLForFinalDisplayName_withFileSystemUniquing_ initWithRemoteServiceRequest_ resolveFinalURLInPBOXOverwriteOK_forClientPID_andEUID_usingFinalTitle_ serializeToRequest_ setDocumentUniquingNumberEnd_ setEndEditingRange_ setExtensionHiddenEnd_ setStartEditingRange_ setTitleWasChosenAutomatically_ setUserEditedDisplayName_ startEditingRange updateWithRequest_ NSTitlebarSeparatorView _toolbarBottomEdgeLowerColor NSTitlebarThemeFrame _ensureShadowImage _shadowRect setShadowAlpha_ shadowAlpha NSTitlebarView _removeTrackingAreaIfNeeded NSTitlebarViewController _percentageToLeaveForFloatingTrailingWidgetOn_ _percentageToLeaveForFloatingTrailingWidgetOn_withFloatIndex_ _spaceToLeaveForFloatingTrailingWidgetOn_ didChangeChildViewController_ floatingTrailingWidgetWidth spaceToLeaveForFloatingTrailingWidgetOnAccessory_ spaceToLeaveForFloatingTrailingWidgetOnToolbar NSTitledFrame NSTitledWindowMask NSToggleButton NSTokenAttachment _immediateActionAnimationControllerForRepresentedObject_inTextView_ _needsSeparator _setNeedsSeparator_ NSTokenAttachmentCell _immediateActionAnimationControllerForTokenAttachment_inTextView_ _metrics _resetNeedsSeparatorWithLayoutManager_characterIndex_ _shouldShowPullDownImage _supportsSeparators alwaysShowBackground drawPullDownImageWithFrame_inView_ neverShowSeparator pullDownTrackingRectForBounds_ setTokenStyle_ shouldDrawSeparator shouldDrawTokenBackground tokenBackgroundColor tokenForegroundColor tokenStyle tokenTintColor NSTokenField _baselineIsSpecialCasingForMiniFont completionDelay displaysTokenWhileEditing setCompletionDelay_ setDisplaysTokenWhileEditing_ setTokenizingCharacterSet_ tokenFieldCell tokenFieldCell__immediateActionAnimationControllerForRepresentedObject_inTextView_ tokenFieldCell_characterAtIndex_shouldTerminateString_ tokenFieldCell_completionsForSubstring_indexOfToken_indexOfSelectedItem_ tokenFieldCell_displayStringForRepresentedObject_ tokenFieldCell_editingStringForRepresentedObject_ tokenFieldCell_hasMenuForRepresentedObject_ tokenFieldCell_menuForRepresentedObject_ tokenFieldCell_readFromPasteboard_ tokenFieldCell_representedObjectForEditingString_ tokenFieldCell_setUpTokenAttachmentCell_forRepresentedObject_ tokenFieldCell_shouldAddObjects_atIndex_ tokenFieldCell_shouldUseDrawingAttributes_forRepresentedObject_ tokenFieldCell_styleForRepresentedObject_ tokenFieldCell_tooltipStringForRepresentedObject_ tokenFieldCell_writeRepresentedObjects_toPasteboard_ NSTokenFieldCell _attributedStringForRepresentedObjects_ _characterAtIndex_shouldTerminateString_ _concludeTracking _defaultTokenizingCharacter _performingDrop _representedObjectsForString_andAttributedString_range_ _setPerformingDrop_ _stringForRepresentedObjects_ _tokenizeCharactersAdjacentToSelectionForTextView_terminatorsNeeded_ autoValidationDisabled hasMenuForTokenAttachment_ layoutManager_shouldUseSelectedTextAttributes_atCharacterIndex_effectiveRange_ menuForTokenAttachment_ setAutoValidationDisabled_ setUpTokenAttachmentCell_forRepresentedObject_ tokenAttachment__immediateActionAnimationControllerForRepresentedObject_inTextView_ tokenAttachment_doubleClickedInRect_ofView_atCharacterIndex_ tokenAttachment_shouldUseTokenAttachmentCell_ tokenTextView_readSelectionFromPasteboard_type_ tokenTextView_shouldUseDraggingPasteboardTypes_ tokenTextView_shouldUseReadablePasteboardTypes_ tokenTextView_shouldUseWritablePasteboardTypes_ tokenTextView_writeSelectionToPasteboard_type_ NSTokenMatchingPredicateOperator NSTokenStyleDefault NSTokenStyleNone NSTokenStylePlainSquared NSTokenStyleRounded NSTokenStyleSquared NSTokenTextView _tokenAttachmentForPoint_glyphIndex_drawingRect_ NSToolTip isTemporary NSToolTipAttributeName NSToolTipBinding NSToolTipManager _addTrackingRect_andStartToolTipIfNecessary_view_owner_toolTip_reuseExistingTrackingNum_ _addTrackingRectsForView_ _checkDisplayDelegate_ _displayTemporaryToolTipForView_withDisplayDelegate_displayInfo_ _displayTemporaryToolTipForView_withString_ _drawToolTipBackgroundInView_ _findToolTipForView_passingTest_ _getDisplayDelay_inQuickMode_forView_ _getDisplayDelegateFadesOutWhenInactive_ _getIsExpansionToolTip_ _inQuickDisplayModeForWindow_ _isToolTipAlive_ _menuDidBeginTracking_ _newToolTipWindow _orderOutAllToolTipsImmediately_ _removeToolTipsForView_passingTest_ _removeTrackingRectForToolTip_stopTimerIfNecessary_ _removeTrackingRectsForView_stopTimerIfNecessary_ _setToolTip_forView_cell_rect_owner_ownerIsDisplayDelegate_userData_ _shouldInstallToolTip_ _stopFadeTimer _stopTimerIfRunningForToolTip_ _toolTipTimerFiredWithToolTip_ addTrackingRectForToolTip_reuseExistingTrackingNum_ displayToolTip_ drawToolTip_attributedString_inView_ fadeToolTip_ installContentView_forToolTip_toolTipWindow_isNew_ isExpansionToolTipVisible isRegularToolTipVisible mouseEnteredToolTip_inWindow_withEvent_ onScreenToolTipWindowFrameOriginForToolTip_windowFrame_where_location_ orderOutOnlyExpansionToolTip orderOutToolTip orderOutToolTipForView_ orderOutToolTipImmediately_ recomputeToolTipsForView_remove_add_ removeAllToolTipsForView_ removeAllToolTipsForView_withDisplayDelegate_ removeAllToolTipsForView_withOwner_ removeToolTipForView_tag_ setInitialToolTipDelay_ setToolTipForView_rect_displayDelegate_displayInfo_ setToolTipForView_rect_owner_userData_ setToolTipWithOwner_forView_cell_ setToolTip_forView_cell_ startTimer_userInfo_ toolTipAttributes toolTipBackgroundColor toolTipContentMargin toolTipContentViewWithAttributedString_location_where_windowFrame_toolTip_ toolTipForView_cell_ toolTipTextColor toolTipYOffset viewDidChangeGeometryInWindow_ viewHasToolTips_ windowDidBecomeKeyNotification_ NSToolTipPanel _setLevelToShowAboveWindow_ setToolTipString_ toolTipString NSToolTipStringDrawingLayoutManager _sizeWithSize_attributedString_ _wrappingAttributes wrappingAttributes NSToolbar _acquireFullScreenMetrics _adjustSizeForFullScreenAuxiliaryView _adjustViewToWindow _allowedItemIdentifiers _allowedItems _allowsDisplayMode_ _allowsDuplicateItems _allowsShowHideToolbarContextMenuItem _allowsSizeMode_ _attachesToMenuBar _autoSaveConfiguration _autohideHeight _automaticallyUpgradesToolbars _autovalidateToolbarItem_ _autovalidateVisibleToolbarItems _autovalidatesItems _auxiliaryViewMaxSize _auxiliaryViewMinSize _canRunCustomizationPanel _canUserSetVisibilityPriority _changeSyncPostingEnabled _computeToolbarItemKeyboardLoopIfNecessary _configSheetDidEnd_returnCode_contextInfo_ _configurationAutosaveName _containingWindow _createItemFromItemIdentifier_ _customMetrics _customizationPaletteSheetWindow _customizationPanelIsRunningFlag _customizesAlwaysOnClickAndDrag _deallocAuxiliary _defaultConfigurationDidChange _defaultItemIdentifiers _defaultItems _delegateMightBeAbleToProduceToolbarItemsFromPasteboard_ _determineItemIdentifiersFromPreviousIdentifiers_oldDefault_newDefault_ _dictionaryForSavedConfiguration _disableChangeSync _disableFullScreenAutohiding _disableFullScreenAuxiliaryViewForceVisible _disableFullScreenForceVisible _dropFullScreenMetrics _enableChangeSync _enableFullScreenAutohiding _enableFullScreenAuxiliaryViewForceVisible _enableFullScreenForceVisible _endCustomizationPalette_ _endCustomizationPanel _endWiringNibConnections _ensureFullScreenAuxiliaryViewController _ensureViewsFrameIsSet _findFirstItemInArray_withItemIdentifier_withPropertyListRepresentation_ _firstMoveableItemIndex _forceAppendItem_ _forceInsertItem_atIndex_ _forceMoveItemFromIndex_toIndex_ _forceRemoveItemFromIndex_ _forceReplaceItemAtIndex_withItem_ _fullScreenAuxiliaryView _fullScreenAuxiliaryViewController _fullScreenOriginalAutoresizingMask _getFullScreenAuxiliaryViewController _hideBaselineOverride _hideWithoutResizingWindowHint _hide_animate_ _identifiedItems _inGlobalWindow _initialConfigurationDone _insertItem_atIndex_notifyDelegate_notifyView_notifyFamilyAndUpdateDefaults_ _insertNewItemWithItemIdentifier_atIndex_propertyListRepresentation_notifyFlags_ _isSelectableItemIdentifier_ _itemAtIndex_ _itemIndexToPropertyListRepresentationDictionary _keyboardLoopNeedsUpdating _loadAllPlaceholderItems _loadFromUDIfNecessary _loadInitialItemIdentifiers_requireImmediateLoad_ _logicalWindow _makeFirstResponderForKeyboardHotKeyEvent _maximumSizeForSearchFieldToolbarItem _minimumSizeForSearchFieldToolbarItem _minimumWindowSizeEnsuringVisibilityOfItem_ _moveItemFromIndex_toIndex_notifyDelegate_notifyView_notifyFamilyAndUpdateDefaults_ _newItemFromDelegateWithItemIdentifier_propertyListRepresentation_willBeInsertedIntoToolbar_ _newItemFromItemIdentifier_propertyListRepresentation_requireImmediateLoad_willBeInsertedIntoToolbar_ _newToolbarItemFromProposedItem_isForPalette_ _nextDisplayMode _nonPlaceholderItems _noteDefaultMetricsChanged _noteInstantiationFromWindowTemplate _noteItemVisibilityPriorityChanged_ _noteToolbarDisplayModeChangedAndPostSyncSEL _noteToolbarShowsBaselinePropertyChanged _noteToolbarSizeModeChangedAndPostSyncSEL _notifyDelegate_DidRemoveItem_ _notifyDelegate_DidRemoveItems_ _notifyDelegate_WillAddItem_atIndex_ _notifyDelegate_movedItem_fromIndex_toIndex_ _notifyFamily_DidRemoveItemAtIndex_ _notifyFamily_DidSetAllCurrentItems_ _notifyFamily_InsertedNewItem_atIndex_ _notifyFamily_MovedFromIndex_toIndex_ _notifyView_DidRemoveItemAtIndex_ _notifyView_DidSetAllCurrentItems_ _notifyView_InsertedNewItem_atIndex_ _notifyView_MovedFromIndex_toIndex_ _numberOfItems _positionAtopContentView _prefersToBeShown _prepareToolbarItemsForSheet _previousDisplayMode _reallyAllowsDisplayMode_ _removeFullScreenAuxWindowController _removeIgnoredItems _removeItemAtIndex_notifyDelegate_notifyView_notifyFamilyAndUpdateDefaults_ _removeSelfAsFullScreenToolbar _replaceAllItemsAndSetNewWithItemIdentifiers_ _restoreToolbarItemsAfterSheet _revealWindowContent _runCustomizationPanel _sanityCheckPListDatabase_ _saveConfigurationUsingName_domain_ _selectableItems _setAllowedItems_ _setAttachesToMenuBar_ _setAutohideHeight_ _setAutovalidatesItems_ _setAuxiliaryViewMaxSize_ _setAuxiliaryViewMinSize_ _setConfigurationFromDictionary_notifyFamilyAndUpdateDefaults_upgradedConfiguration_ _setConfigurationUsingName_domain_ _setCurrentItemsToItemIdentifiers_itemIndexToPlistDictionary_notifyDelegate_notifyView_notifyFamilyAndUpdateDefaults_ _setCustomizationPanelIsRunningFlag_ _setCustomizesAlwaysOnClickAndDrag_ _setDefaultItems_ _setDoNotShowBaselineSeparator_ _setEnableDelegateNotifications_ _setFirstMoveableItemIndex_ _setFullScreenAuxiliaryViewController_ _setFullScreenAuxiliaryView_ _setHideBaselineOverride_ _setHideWithoutResizingWindowHint_ _setIdentifiedItems_ _setInGlobalWindow_ _setKeyboardLoopNeedsUpdating_ _setLoadedMetrics_ _setMetrics_ _setNeedsDisplayForItemIdentifierSelection_ _setNextSizeAndDisplayMode _setPrefersToBeShown_ _setPreviousSizeAndDisplayMode _setSelectableItems_ _setToolbarViewWindow_ _setToolbarView_ _setVisible_animate_ _setWantsToolbarContextMenu_ _setWindowOriginOffsetWhenHidingHint_ _shouldOptOutOfRTL _show_animate_ _sizeModeIsValidForCurrentDisplayMode_ _syncToChangedToolbar_itemInserted_ _syncToChangedToolbar_itemMoved_ _syncToChangedToolbar_itemRemoved_ _syncToChangedToolbar_toolbarModeChanged_ _syncToChangedToolbar_toolbarReplacedAllItems_ _synchronizeUserDefaultsIfNecessary _toggleShown_ _toggleShown_animate_ _toolbarAuxiliary_ _toolbarCommonBeginInit _toolbarCommonFinishInit _toolbarContextMenuForEvent_ _toolbarItemsFromDelegateWithPasteboard_ _toolbarRegisterForNotifications _toolbarUnregisterForNotifications _toolbarViewClass _toolbarWindowHasAttachedSheetOtherThanCustomizationPalette _userInsertItemWithItemIdentifier_atIndex_ _userInsertItemsFromExternalDrag_startingAtIndex_ _userInterfaceLayoutDirection _userMoveItemFromIndex_toIndex_ _userRemoveItemAtIndex_ _userResetToDefaultConfiguration _userSetCurrentItemsToItemIdentifiers_ _usesSharedToolbarWindow _usingFullScreenMetrics _validateDisplayMode _validateDisplayMode_ _validateVisibleItemsInPresenceOfSheet _wantsToolbarContextMenu _windowDidHideToolbar _windowOriginOffsetWhenHidingHint _windowWillShowToolbar allowsExtensionItems allowsUserCustomization autosavesConfiguration configurationDictionary customizationPaletteIsRunning displayMode fullScreenAccessoryView fullScreenAccessoryViewMaxHeight fullScreenAccessoryViewMinHeight initFromPList_target_andIdentifier_ insertItemWithItemIdentifier_atIndex_ runCustomizationPalette_ saveCofigurationUsingName_ saveConfigurationUsingName_ selectableItemIdentifiers selectedItemIdentifier setAllowsExtensionItems_ setAllowsUserCustomization_ setAutosavesConfiguration_ setConfigurationFromDictionary_ setConfigurationUsingName_ setCustomizationSheetWidth_ setDisplayMode_ setFullScreenAccessoryViewMaxHeight_ setFullScreenAccessoryViewMinHeight_ setFullScreenAccessoryView_ setRegisteredDraggedTypes_ setSelectedItemIdentifier_ setSizeMode_ setToolbarUserInterfaceLayoutDirection_ sizeMode toolbarUserInterfaceLayoutDirection validateVisibleItems NSToolbarBaselineView NSToolbarButton cachedDrawingImage initWithItem_ invalidateCachedDrawingImage NSToolbarClippedItemsIndicator _computeMenuForClippedItems _computeMenuForClippedItemsIfNeeded _shouldDrawSelectionIndicatorForItem_ _simpleOverflowMenuItemClicked_ _updateMenuForClippedItems _willPopUpNotification_ clipIndicatorImage clippedItems didSendActionNotification_ hasItemsToDisplayInPopUp itemIsClipped_ setClippedItems_ NSToolbarCloudSharingItem _allPossibleLabelsToFit _allocDefaultView _allowToolbarToStealEvent_ _applicableLabelIsEnabledAtIndex_forDisplayMode_isInPalette_ _applicableLabelsArrayForDisplayMode_isInPalette_ _autorecalculateMinSize_maxSize_ _autorecalculateSizesIfNotSetExplicitly _beginDrawForDragging _buttonAtIndex_ _buttonFrameSizeForSizeMode_ _clearDefaultMenuFormRepresentation _collectItemRectsForLabels_count_inBounds_ _collectItemRectsForLabels_count_inBounds_controlBounds_ _collectItemRectsForViews_count_inBounds_ _collectItemRectsForViews_count_inBounds_controlBounds_ _computeDefaultMenuFormRepresentation _copyOfCustomView _emptyContents _endDrawForDragging _forceSetView_ _getPartitionRect_inWindowCoordinatesForWindow_ _handleSendControlSize_toCellOfView_ _handleSendControlSize_toView_ _imageForMenu _initialViewToSelectFromDirection_ _interlabelPadding _interviewPadding _isCustomItemType _isDrawingForDragImage _isEnabledAndHasEnabledSubitem _isPartitionItem _isUserRemovable _itemAtLabelIndex_ _itemAtViewIndex_ _itemLayoutChanged _itemMenuInPaletteForEvent_ _itemType _itemViewer _labelAlignment _menuFormRepresentation _menuFormRepresentationForOverflowMenu _menuRepresentationHasBeenSet _menuRepresentationIsDefault _minMaxSizeScaleFactor _mouseDownInSurroundingRegionShouldMoveWindow _needsRedisplayWhenBeginningToolbarEditing _noteDefaultMenuAttributeChanged _paletteLabel _participatesInDefiningMinimumGridWidthForCustomizationPalette _partitionAdapter _performMenuFormRepresentationClick _performSwitchToIconMode _prepareToolbarItemForSheet _resizeWeight _resizeWeightSharedWithDuplicateItems _restoreToolbarItemAfterSheet _scalableMaxSize _scalableMinSize _setAllPossibleLabelsToFit_ _setIsUserRemovable_ _setItemIdentifier_ _setItemViewer_ _setPartitionAdapter_ _setShared_ _setSizeHasBeenSet_ _setSizesToFittingSizeIfBaseLocalized _setToolbar_ _shouldApplySearchFieldAdjustment _shouldApplyTextFieldAdjustment _shouldValidateMenuFormRepresentation _sizeHasBeenSet _standardCommonMenuFormRepresentationClicked_ _standardCustomMenuFormRepresentationClicked_ _textOrSearchFieldAdjustedMinOrMaxSize_ _toolbarItemCommonInit _toolbarItemPartitionAdapterDidChangeExcludedRect_ _validateAsCommonItem_ _validateAsCustomItem_ _validateInPresenceOfSheet _validateMenuFormRepresentation_ _viewIsEnabledAtIndex_ _viewsArray _wantsCopyForInsertionIntoToolbar_isPalette_ _wantsImageWrapperForInsertionIntoPaletteToolbar_ allowsDuplicatesInToolbar autovalidates configureForDisplayMode_andSizeMode_ extensionService initWithItemIdentifier_ initWithType_itemIdentifier_ itemIdentifier itemType menuFormRepresentation paletteLabel preferredWidthRatio setAutovalidates_ setMenuFormRepresentation_ setPaletteLabel_ setPreferredWidthRatio_ setPropertyListRepresentation_ setWantsToBeCentered_ usesMenuFormRepresentationInDisplayMode_ wantsToBeCentered wantsToDrawIconInDisplayMode_ wantsToDrawIconIntoLabelAreaInDisplayMode_ wantsToDrawLabelInDisplayMode_ wantsToDrawLabelInPalette NSToolbarCloudSharingItemIdentifier NSToolbarConfigPanel _computeMaxItemViewHeight _createOffscreenDefaultImageRepSetWindow _deltaForResizingImageRepView_ _deltaForResizingTextField_ _layoutForData _loadDefaultSetImageRep _resizeTextFieldToFit_ _resizeToolbarImageRepViewToFit_ _resizeToolbarViewToFit_ _resizeViewToFit_ _setDefaultToolbarItemSetFromMenuItem_ _setUpTextField_ editedToolbar NSToolbarCustomizeToolbarItemIdentifier NSToolbarDidRemoveItemNotification NSToolbarDisplayModeDefault NSToolbarDisplayModeIconAndLabel NSToolbarDisplayModeIconOnly NSToolbarDisplayModeLabelOnly NSToolbarFlexibleSpaceItem _separatorFinishInit setTrackedSplitViewDividerIndex_ setTrackedSplitView_ trackedSplitView trackedSplitViewDividerIndex NSToolbarFlexibleSpaceItemIdentifier NSToolbarFullScreenContentView _createCornerLayers clearManager cornerRoundness createLayers destroyToolbarLayers getShadowImage getToolbarLayout initWithFrame_manager_ refreshLayerContents refreshLayerFrames revealProgress setCornerRoundness_ setRevealProgress_ setShadowWeight_ setToolbarViewHeight_ shadowWeight toolbarViewHeight NSToolbarFullScreenResetableAnimation completeImmediately initWithDuration_handler_ resetWithDuration_handler_ runForTime_ timerFired_ NSToolbarFullScreenWindow _newFirstResponderIsInToolbar_ _originalWindow _setChildWindowOrderingPriority_ updateForceToolbarVisible NSToolbarFullScreenWindowManager _activateTileDividerWindows _addViewControllerToWindow _applicationDidBecomeActiveNotification_ _applicationDidResignActiveNotification_ _calcAttachesToMenuBar _calcWindowTopLeft _cancelResizeCrosfadeAnimation _currentChildWindowOrderingPriority _currentToolbarSubLevel _disableFullScreenAutohidingForToolbar_ _disableFullScreenForceVisibleForToolbar_ _doDidEnterFullScreen _drivingLiveResize _enableFullScreenAutohidingForToolbar_ _enableFullScreenForceVisibleForToolbar_ _exitFullScreenFromOverlay_ _forceUpdateSpaceAndMenubarCompanionWindowAutohideHeight _isTiledUnderMenuBar _makeWindowIfNecessary _originalWindowHasAutohideToolbarSet _originalWindowShouldAutomaticallyAutohide _perfTestResizeWindow _relinquishTitlebar _removeEastTileDividerWindow _removeTileDividerWindows _removeWestTileDividerWindow _resetTileDividers _resizeToolbarWindowFrame_ _shouldDrawBaselineForEffectiveReveal_ _shouldRoundCorners _shouldToolbarFloatAboveSiblings _toolbarWindowContentScreenHeightForToolbar_ _updateContentViewWithEffectiveReveal_ _updateMenubarCompanionWindowAutohideHeight _updateMessageTracerCreationStatsIfNeeded _updateSpaceAndMenubarCompanionWindowAutohideHeight _updateSpaceIfNecessary _updateTileDividerWindows _updateTileFrameWithCachedRect_ _updateTileFrame_ _updateWindowFrameForTile_fromFrame_ _visibleWindowHeight _windowDidBecomeKeyNotification_ _windowDidResignKeyNotification_ addAsChildOfContentWindow animateWindowToCorrectPositionIfNecessary autohideDisabled autohideHeightChanged auxiliaryViewController beginSiblingOverlayPresentationIfNeeded cancelSiblingOverlayAnimations collapsingToPoint contentWindowShouldMakeRoomForToolbar correctWindowTopTarget currentDividerResizeDirections cursorForResizeDirection_ desiredWindowHeight didChangeAuxiliaryViewControllers effectiveAutohideHeight effectiveAuxiliaryViewMaxHeight effectiveAuxiliaryViewMinHeight effectiveClampedAutohideHeight finishAnimationIfSynchronous getMenuBarTransitionDuration hideOverlayWindow isCollapsing isCommittedToCollapse isHandlingHotKeyEvent mainLayoutView menuBarReveal parentSpaceID performDividerDragWithEvent_forResizeDirection_ performTileResizeToFit_ performTileResizeToFit_acceptIncorrectSize_ prepareResizeCrossfadeOverlayWithDuration_resize_ registerForTileNotifications registerForWindowNotifications_ removeAsChildOfContentWindow removeSiblingOverlayWindow resizeContentWindow retileForSpaceTileFrameChange setAuxiliaryViewController_ setHandlingHotKeyEvent_ setMenuBarReveal_ setToolbarWindowIsInheritingAppearanceFromParentWindow_ setupSiblingOverlayWindowImmediately_ showOverlayWindowFromFrame_ showingSiblingOverlayWindow suppressNoteTileFrameChanged tileDidResizeNotification_ tileEndedLiveResizeNotification_ tileSpaceID tileStartedLiveResizeNotification_ titlebarWindowContainerForFullScreenScreenShot toolbarDidChangeAttachesToMenuBar_ toolbarWindowIsInheritingAppearanceFromParentWindow toolbarWindowSize toolbar_didChangeFrameSizeFromOldSize_ topCenterForSheet_ updateContentViewRevealByMenuBar updateForParentSpaceRelocation updateForTabbedWindowOrderFront updateMenuBarScreenRevealHeight updateSiblingOverlayWindow updateWindowAlpha updateWindowAndContentView updateWindowCorners updateWindowHeight updateWindowLayout updateWindowPositionAnimation_startTop_ updateWindowVisibility windowAnimationDuration windowDidChangeFullScreenStatus_ windowDidChangeSheetNotification_ windowStyleMask NSToolbarGroupView performSublayout setNeedsSublayout_ NSToolbarItem NSToolbarItemConfigWrapper _hackUpTheItemSizesAndFrameToHaveSpaceFor10_11BordersForItem_ _updateWrapperImage initWithWrappedItem_ NSToolbarItemGroup _defaultGroupViewIfUsed _evenlySpacedRectForItemAtIndex_inBounds_ _labelOnlyModeRectForItemAtIndex_inBounds_ _segmentedControlRectForItemAtIndex_inBounds_ _segmentedControlRectForItemAtIndex_inBounds_controlBounds_ _selectableToolbarViews _sizeFromSubitemsMinSize_maxSize_ rectForItem_inBounds_ rectForItem_inBounds_controlBounds_ setSubitems_ subitems NSToolbarItemViewer _acceptsFirstResponderInItem_ _accessibilityConfigureToolbarItem _accessibilityConfigureViewItemToolbarItem _accessibilityIsCommonToolbarButtonItem _accessibilityIsInCustomizationSheet _accessibilityIsSpaceOrSeparatorItem _accessibilityLabelElements _accessibilityParentAdjustedFocusedUIElement_ _accessibilityParentAdjustedHitTestElement_atLocation_ _accessibilityTitleElement _accessibilityToolbarItemLabel _accessibilityToolbarItemLabelAtIndex_ _accessibilityToolbarItemViewerConfiguration _accessibilityToolbarItemViewerHelperClass _accessibilityTreatButtonAsToolbarButton_ _accessibilityTreatSegmentedControlAsToolbarButtons_ _allowsIndividualLabelViewSelection _backgroundStyleForLabelCell_ _beginToolbarEditingMode _captureVisibleIntoImageCache _clearToolbarView _computeLayoutInfoForIconViewSize_frameSize_iconFrame_labelFrame_ _configureLabelCellStringValue _drawSelectionIndicatorInRect_clipRect_ _drawWithImageCache _endInsertionOptimization _endToolbarEditingMode _firstLabelView _frameAssumingLTR _getPixelAligningTransformForLayout _hackUpTheItemSizesAndFrameToHaveSpaceFor10_11Borders _hasImageCache _heightIsFlexible _initialLabelViewToSelectFromDirection_ _invalidateLabelViewsWhenLayerBacked_ _isSizedSmallerThanMinWidth _itemCanBeDraggedInTemporaryEditingModeFromPoint_ _itemChanged _itemChangedLabelOrPaletteLabel _itemChangedToolTip _itemEnabledStateChanged _itemVisibilityPriority _labelFont _labelOnlyShowsAsPopupMenu _labelViewIsSelectable_ _labelViewToSelectInDirection_ _menuFormRepresentationChanged _needsModeConfiguration _needsViewerLayout _noteToolbarSizeModeChanged _popUpMenuFormRepresentationInLabelView_ _reallyShouldDrawFocusAroundLabel _recomputeLabelHeight _segmentedControlDidChangeHighlightDuringTracking_ _selectLabelView_ _setFrameAssumingLTR_ _setFrameOriginAssumingLTR_ _setHighlighted_displayNow_ _setHighlighted_pieces_forItemAtIndex_displayNow_ _setLabelViewCount_ _setNeedsModeConfiguration_ _setNeedsViewerLayout_ _setToolbarItem_ _shouldDrawSelectionIndicator _shouldMinimizeWindowForEvent_ _shouldPreventCustomViewFromDraggingWindow_ _simulateClickInLabelView_deferringPopUpsForAccessibility_ _simultaneousSegmentAndLabelTrackingWithEvent_forSegmentAtIndex_withLabelRect_ _spaceRequiredToSatisfySplitViewTrackingForMinimumLeftOrigin_inWindow_ _startInsertionOptimization _stopWatchingBackgroundGradientNotification _supportsSimultaneousSegmentAndLabelTrackingWithEvent_segment_ _teardownMotionData _updateEnableStateOfLabelViews _updateLabelViewByLabelRect _updateLabelViewByLabelRectInWindow_ _useLeopardToolbarSelectionHighlight _useSquareToolbarSelectionHighlight _watchBackgroundGradientNotification _widthIsFlexible _widthRequiredForLabelLayout configureForLayoutInDisplayMode_andSizeMode_inToolbarView_ drawSelectionIndicatorInRect_ element_hasOverriddenAttribute_ forcibleFrameWidthForLayout frameWidthForIconWidth_ iconWidthForLayout initWithItem_forToolbarView_ isInMotion itemViewRect labelOnlyMenuDidSendActionNotification_ labelViewClass layoutToFitInIconWidth_ layoutToFitInMinimumIconSize layoutToFitInMinimumIconSizeInWindow_ layoutToFitInViewerFrameHeight_ minIconSize minViewerSize setDestinationRect_targetIconWidth_travelTimeInSeconds_ setForcibleFrameWidthForLayout_ setIconWidthForLayout_ setTransparentBackground_ setXOriginForLayout_ stepTowardsDestinationWithCurrentTime_ trackMouseForPopupMenuFormRepresentation_ trackMouseForPopupMenuFormRepresentation_forItem_forLabelView_ transparentBackground xOriginForLayout NSToolbarItemVisibilityPriorityHigh NSToolbarItemVisibilityPriorityLow NSToolbarItemVisibilityPriorityStandard NSToolbarItemVisibilityPriorityUser NSToolbarPoofAnimator _doCallback _doPoof_ initAtPoint_withSize_callbackInfo_ runPoof selfRetainedPoof setSelfRetainedPoof_ NSToolbarPrintItemIdentifier NSToolbarSeparatorItem NSToolbarSeparatorItemIdentifier NSToolbarServicesItem NSToolbarShowColorsItemIdentifier NSToolbarShowFontsItemIdentifier NSToolbarSidebarItem NSToolbarSizeModeDefault NSToolbarSizeModeRegular NSToolbarSizeModeSmall NSToolbarSpaceItem _spaceView spaceItemSize NSToolbarSpaceItemIdentifier NSToolbarToggleSidebarItemIdentifier NSToolbarView _addToolbarItemToToolbarFromMenuItem_ _adjustClipIndicatorPosition _allItems _autovalidationTypeForEvent_ _autovalidationTypeForTypedCharacters_ _baselineView _beginCustomizationMode _beginSrcDragItemViewerWithEvent_ _beginSrcDragItemWithEvent_ _beginTempEditingMode _calcToolbarFrame _canMoveItemAsSource_ _cancelAnyDelayedValidation _clipIndicator _clipIndicatorIsShowing _clippedItemViewers _computeCustomItemViewersWithPreferredWidthRatiosInRange_ _computeDragImageFromItemViewer_ _computeEarliestDateForDragAnimationForInfo_ _computeFlexibleSpaceItemViewersInRange_ _computePriorFirstResponder _computeResizeableCustomItemViewersInRange_ _computeToolbarItemKeyboardLoop _computeTravelTimeForInsertionOfItemViewer_ _createClipIndicatorIfNecessary _createInsertionGapItemForItemViewer_forDraggingSource_ _currentBackgroundColor _desiredExtraSpaceForItemViewersWithPreferredWidthRatios_ _detatchNextAndPreviousForAllSubviews _detatchNextAndPreviousForView_ _disableLayout _distanceFromBaseToTopOfWindow _distributeAvailableSpaceIfNecessary_toFlexibleSizedItems_lastItemIsRightAligned_undistributedWidth_ctm_ _dragDataInsertionGapItemViewer _dragDataItemViewer _dragEndedNotification_ _draggingModeForInfo_ _drawBackgroundFillInClipRect_ _drawBaselineInClipRect_ _drawForTransitionInWindow_usingPatternPhase_inRect_ _drawsBaseline _dstDraggingExitedAtPoint_draggingInfo_stillInViewBounds_ _enableLayout _endCustomizationMode _endInsertionOptimizationWithDragSource_force_ _findHitItemViewer_ _findIndexOfFirstDuplicateItemWithItemIdentifier_ _findItemViewerAtPoint_ _forceResetTexturedWindowDragMargins _frameForBaselineView_ _fullLayout _hasTransparentBackground _inTexturedWindow _isAcceptableDragSource_pasteboard_dragInfo_ _isInConfigurationMode _isInCustomizationMode _isInCustomizationWindow _isItemViewerMoveable_ _isPaletteView _isToolbarDirectionOppositeOfSystemDirection _itemForDraggingInfo_draggingSource_ _layoutDirtyItemViewersAndTileToolbar _layoutEnabled _layoutInProgress _layoutOrderInsertionIndexForPoint_previousIndex_ _layoutRowStartingAtIndex_endingAtIndex_withFirstItemPosition_gridWidth_allowOverflowMenu_validWidthWithClipIndicator_withoutClip_clippedItemViewers_canClipFirstItem_leadingFlexibleSpaceOffset_flexibleSpace_unusedSpace_ _layoutRowStartingAtIndex_withFirstItemPosition_gridWidth_allowOverflowMenu_validWidthWithClipIndicator_withoutClip_leadingFlexibleSpaceOffset_ _layoutRowWithCenterStartingAtIndex_endingAtIndex_withFirstItemPosition_gridWidth_ _leadingFlexibleSpaceOffset _makeSureFirstResponderIsNotInInvisibleItemViewer _makeSureItemViewersInArray_areSubviews_from_to_ _maximumItemViewerHeight _minimumSizeEnsuringVisibilityOfItem_ _mouseUpWithEvent_forView_ _noteToolbarDisplayModeChanged _noteToolbarModeChangedAndUpdateItemViewers_ _printVerboseDebuggingInformation_ _rangeOfCenteredItemsForItemViewers_ _rectOfItemAtIndex_ _registerForToolbarNotifications_ _removeBaselineView _removeClipIndicatorFromSuperview _returnFirstResponderToWindowFromKeyboardHotKeyEvent _scheduleDelayedValidationAfterTime_ _selectToolbarItemViewerAfterView_ _selectToolbarItemViewerInDirection_relativeToView_ _selectToolbarItemViewerPreviousToView_ _sendBackgroundGradientHeightChangedNotification _setActsAsPalette_forToolbar_ _setAllItemsTransparentBackground_ _setAllowsMultipleRows_ _setBaselineView_ _setClipIndicatorItemsFromItemViewers_ _setDrawsBaseline_ _setForceItemsToBeMinSize_ _setImageOnDragSession_withOffset_ _setLayoutInProgress_ _setNeedsDisplayForItemViewerSelection_ _setNeedsDisplayForItemViewers_movingFromFrames_toFrames_ _setNeedsModeConfiguration_itemViewers_ _setNeedsViewerLayout_itemViewers_ _setWantsKeyboardLoop_ _setWindowWantsSquareToolbarSelectionHighlight_ _shouldStealHitTestForCurrentEvent _shouldUseEngineFrameForResizingWithOldSuperviewSize_ _sizeHorizontallyToFit _sizeHorizontallyToFitWidth_ _sizeItemViewersWithPreferredWidthRatios_withRemainingUndistributedWidth_ctm_ _sizePartitioningSpacersInItemViewers_startingAtPoint_withInterItemViewerSpacing_withCTM_withRemainingUndistributedWidth_ _sizeToFit_ _sizeVerticallyToFit _startInsertionOptimizationWithDragSource_ _superSetFrameSize_ _suppressClipIndicatorDuringAnimation _swapToolbarItemViewerAfterView_ _swapToolbarItemViewerInDirection_relativeToView_ _swapToolbarItemViewerPreviousToView_ _syncItemSet _syncItemSetAndUpdateItemViewersWithSEL_setNeedsModeConfiguration_sizeToFit_setNeedsDisplay_updateKeyLoop_ _toolbarAttributesChanged_ _toolbarContentsAttributesChanged_ _toolbarContentsChanged_ _toolbarDidChangeDraggedTypesFrom_to_ _toolbarItemViewerClass _toolbarMetrics _toolbarViewCommonInit _unregisterForToolbarNotifications_ _unsuppressClipIndicatorAfterAnimationIfNecessary _updateBaselineView _updateDragInsertion_ _validDestinationForDragsWeInitiate _validItemViewerBounds _validItemViewerBoundsAssumingClipIndicatorNotShown _validItemViewerBoundsAssumingClipIndicatorShown _visibleItemViewers _wantsKeyboardLoop _windowIsAddingOrRemovingSheet_ _windowWantsSquareToolbarSelectionHighlight accessibilityIsOverflowButtonAttributeSettable accessibilityOverflowButtonAttribute adjustToWindow_attachedToEdge_ beginUpdateInsertionAnimationAtIndex_throwAwayCacheWhenDone_ convertOriginForRTLIfNecessary_view_ dstDraggingDepositedAtPoint_draggingInfo_ dstDraggingEnteredAtPoint_draggingInfo_ dstDraggingExitedAtPoint_draggingInfo_ dstDraggingMovedToPoint_draggingInfo_ insertItemViewer_atIndex_ privateDragTypes removeItemViewerAtIndex_ removeToolbarItem_ resetToolbarToDefaultConfiguration_ stopUpdateInsertionAnimation NSToolbarWillAddItemNotification NSTopMarginDocumentAttribute NSTopTabsBezelBorder NSTornOffMenuWindowLevel NSTouch _contextId _force _initWithIdentity_index_phase_contextId_position_previousPosition_positionType_isResting_view_device_deviceSize_force_ _initWithIndex_phase_contextId_position_previousPosition_positionType_isResting_view_device_deviceSize_force_ _initWithPreviousTouch_newPhase_position_isResting_force_ _touchByCancellingTouch deviceSize isResting normalizedPosition previousLocationInView_ previousNormalizedPosition NSTouchBar NSTouchBarColorListPickerBlurContainerView _contentAffineTransform active NSTouchBarColorListPickerPressAndHoldPopUp _transposerDidEnd_cancelled_ numberOfDarkerColors numberOfLighterColors setNumberOfDarkerColors_ setNumberOfLighterColors_ showFromView_inContainer_ transposerDidCancel_ transposerDidEnd_ NSTouchBarColorListPickerScrubberLayout highlightedItemHeight selectedItemHeight setHighlightedItemHeight_ setSelectedItemHeight_ NSTouchBarColorListPickerScrubberLayoutAttributes NSTouchBarConfiguration presentedItemIdentifiers NSTouchBarControlStripGrabber handlePress_ layoutLayers NSTouchBarControlStripGrabberLayoutAttributes NSTouchBarControlStripPlatter platterColor setPlatterColor_ NSTouchBarCustomizableConfiguration _customizedItemIdentifiers _persistCustomizedItemIdentifiers _registerForCustomizationChangesWithIdentifier_ _setCustomizedItemIdentifiers_ _unregisterForCustomizationChangesWithIdentifier_ allowedItemIdentifiers requiredItemIdentifiers setAllowedItemIdentifiers_ setRequiredItemIdentifiers_ NSTouchBarCustomizationControlStripState _updateExpandedControlStripTouchBarIfNeededFrom_to_ _updateMiniControlStripTouchBarIfNeededFrom_to_ applicationCustomizableState applicationRect controlStripCustomizableState escapeKeyRect expandedControlStripRect expandedTouchBar functionVariant miniControlStripCustomizationIsAccessible miniControlStripRect miniTouchBar primaryMode NSTouchBarCustomizationController _closeCustomizationPalette _closeWithoutAnimating _prepareCustomizationDFRFWithCustomizedRect_ _prepareToHideCustomizationDFR _quickTypeDidChange_ _showCustomizationDFR _touchBarsAreCustomizable_ activeTouchBars appTouchBarIsCustomizable application_willReportException_willCrash_willShow_ controllerAccessibilityResetTouchBar_ controllerDidComplete_ controllerDidEndDragging_ controllerWillBeginDragging_ controller_accessibilityAddItem_ controller_didRemoveQuickTypeFromBarNode_inItemTree_ controller_didResetBarNode_inItemTree_ controller_didSelectSection_ controller_didUpdateBarNode_inItemTree_ currentPopoverTouchBar currentResponderTouchBars cursorManagerDidExitTouchBar_atScreenLocation_cancelled_ cursorManager_didEnterTouchBarAtPoint_mouseIsDown_ cursorManager_didMouseDownInTouchBarAtPoint_ cursorManager_didMouseUpInTouchBarAtPoint_ cursorManager_didMoveTouchBarCursorToPoint_withDelta_mouseIsDown_ cursorManager_shouldEnterTouchBarAtPoint_isDragging_ dragTarget_draggingConcluded_ dragTarget_draggingEntered_ dragTarget_draggingExited_ dragTarget_draggingUpdated_ dragTarget_mouseEntered_ dragTarget_mouseExited_ installMenuItemIfNeeded removeMenuItem setActiveTouchBars_ setCurrentPopoverTouchBar_ setCurrentResponderTouchBars_ toggleControlStripCustomizationPalette_ toggleCustomizationPalette_ toggleCustomizationPalette_forceControlStrip_ validateTouchBarCustomizationPaletteItem_ NSTouchBarCustomizationCursorManager _enterTouchBarWithDisplayLocation_mouseIsDown_ _exitTouchBarWithDFRLocation_cancelled_ beginTrackingCursor cursorIsInTouchBar initWithAssociatedDisplay_ stopTrackingCursor NSTouchBarCustomizationPaletteAppearance NSTouchBarCustomizationPaletteCheckbox _labelFontAttributedString _labelFontSize _labelTextColor _stackViewSpacing isChecked paletteScaleFactor setChecked_ setPaletteScaleFactor_ NSTouchBarCustomizationPaletteCollectionView NSTouchBarCustomizationPaletteExpandedControlStripPreset cleanUpPaletteViewAfterSnapshot_ makePaletteViewForSnapshot presetSnapshot representedItemTree setVisualCenterXOffset_ visualCenterXOffset NSTouchBarCustomizationPaletteInactiveDisplayOverlayWindow animateIn animateOut NSTouchBarCustomizationPaletteItem NSTouchBarCustomizationPaletteLabelPopoverView edgeInset minHeight setEdgeInset_ setMinHeight_ NSTouchBarCustomizationPaletteLayout calculateStatsForItemAtPath_remainingColumns_ columnWidth minItemSpacing numberOfColumnsPerRow NSTouchBarCustomizationPaletteLayoutAttributes NSTouchBarCustomizationPaletteLayoutSectionAccessibility NSTouchBarCustomizationPaletteMiniControlStripPreset NSTouchBarCustomizationPaletteOverlayWindow _doneButtonWidth _headerLabelAttributedString _headerLabelFont _headerLabelInset _horizontalHeaderStackSpacing _paletteHorizontalInsets _postHeaderSpacing _verticalStackInsets _verticalStackSpacing debugMode done_ dragLabel dragLocation dragSize initWithScreen_displayID_paletteContent_ paletteContentViewController screenBottomDragTarget setDebugMode_ setDragLabel_ setDragLocation_ setDragSize_ setPaletteContentViewController_ setShowQuickType_ showQuickType toggleQuicktype_ NSTouchBarCustomizationPalettePreset NSTouchBarCustomizationPalettePresetItem NSTouchBarCustomizationPalettePushButton _bezelBackgroundColor NSTouchBarCustomizationPaletteViewController _discardCachedVisiblePaletteBarItems _visibleBarPresets _visiblePaletteBarItems collectionView_canDragItemsAtIndexPaths_withEvent_ collectionView_draggingImageForItemsAtIndexPaths_withEvent_offset_ collectionView_draggingSession_endedAtPoint_dragOperation_ collectionView_draggingSession_willBeginAtPoint_forItemsAtIndexPaths_ collectionView_itemForRepresentedObjectAtIndexPath_ collectionView_layout_maxSizeForItemAtIndexPath_ collectionView_layout_minSizeForItemAtIndexPath_ collectionView_numberOfItemsInSection_ collectionView_writeItemsAtIndexPaths_toPasteboard_ dragImageForItem_ numberOfSectionsInCollectionView_ presetRepresentedObjectClass presetScale presetSize setPresetRepresentedObjectClass_ setPresetScale_ setPresetSize_ setShowNonCustomizableItems_ showNonCustomizableItems NSTouchBarCustomizationPreviewAppearance NSTouchBarCustomizationPreviewCollectionView NSTouchBarCustomizationPreviewCollectionViewItem _shouldJiggle _shouldLeadingJiggle _shouldTrailingJiggle _updateJiggle accessibilityActionEntries itemView jiggleIndex panHandler preferredViewAppearanceShowingAppState_ pressHandler setAccessibilityActionEntries_ setPanHandler_ setPressHandler_ NSTouchBarCustomizationPreviewDeletionLabel labelTransform setLabelTransform_ NSTouchBarCustomizationPreviewFlexibleSectionLayout cachedContainmentRect cachedLayoutAttributes canInsertItem_atIndex_ canMoveItemAtIndex_toIndex_ canMoveItemAtIndex_toIndex_byRemovingItems_ initWithDelegate_section_ overlappedIndexesForMovingItemAtIndex_toIndex_withFrame_primaryLocation_ setCachedContainmentRect_ setCachedLayoutAttributes_ NSTouchBarCustomizationPreviewInteractionCoordinator beginDragOfItem_anchorPoint_dragType_atPoint_isInsertion_ cancelDragOfItem_isRemoval_ cursorDragRecord dragRecordForItem_ endDragOfItem_isRemoval_ initWithDelegate_referenceCoordinateSpace_ interactionStartTime isItemBeingDragged_ setInteractionStartTime_ updateDragOfItem_toPoint_ NSTouchBarCustomizationPreviewItemContainerView _updatePresentationForCurrentStateAnimated_ deletionLabelString itemTransform setDeletionLabelString_ setItemTransform_ setState_animated_ NSTouchBarCustomizationPreviewLayout _workaround_layoutAttributesForSupplementaryViewOfKind_atIndexPath_canReturnNil_ canInsertItem_atIndexPath_ canMoveItemAtIndexPath_toIndexPath_ canMoveItemAtIndexPath_toIndexPath_byRemovingItems_ overlappedIndexPathsForMovingItemAtIndexPath_toIndexPath_withFrame_primaryLocation_ NSTouchBarCustomizationPreviewLayoutAttributes itemState setIsSpace_ setItemState_ setShowsAppState_ showsAppState NSTouchBarCustomizationPreviewLayoutSectionAccessibility sectionLayout sectionLayoutDelegate NSTouchBarCustomizationPreviewMiniControlStripCollectionViewItem NSTouchBarCustomizationPreviewMiniControlStripLayoutAttributes leftCornerRadius rightCornerRadius setLeftCornerRadius_ setRightCornerRadius_ NSTouchBarCustomizationPreviewMiniControlStripSectionLayout cachedGrabberMaxXPosition NSTouchBarCustomizationPreviewPulseView contentImage pulseColor setContentImage_ setPulseColor_ NSTouchBarCustomizationPreviewSectionLayout NSTouchBarCustomizationPreviewSectionLayoutItemDescription backupDragSize dragAnchorPoint dragPosition isCentered isStacked setBackupDragSize_ setCentered_ setDragAnchorPoint_ setDragPosition_ setItemPosition_ setPreferredSize_ setStacked_ NSTouchBarCustomizationPreviewSectionShade handleClick_ NSTouchBarCustomizationPreviewViewController _invalidateApplicationPresentedItemsReload_ _invalidateExpandedControlStripPresentedItemsReload_ _invalidateMiniControlStripPresentedItemsReload_ _notifyDelegateOfBarUpdate_inTree_ _pendingItemInSection_ _presentedApplicationItems _presentedExpandedControlStripItems _presentedItemsInSection_ _presentedMiniControlStripItems _setApplicationItemTree_reload_ _setExpandedControlStripItemTree_reload_ _setItemTree_inSection_reload_ _setMiniControlStripItemTree_reload_ _setPendingApplicationItem_reload_ _setPendingExpandedControlStripItem_reload_ _setPendingItem_inSection_reload_ _setPendingMiniControlStripItem_reload_ accessibilityAddItem_ accessibilityRemoveItem_ accessibilityResetToPreset_ applicationItemTree applicationSectionIsCustomizable canInsertItem_atIndex_inSection_ canMoveItemAtIndex_toIndex_inSection_ canRemoveItemAtIndex_inSection_ canRemoveItem_inSection_ canReorderItemAtIndex_inSection_ collectionView_layout_containmentFrameForSection_ collectionView_layout_paddingForSection_ collectionView_layout_sectionLayoutForSection_ collectionView_layout_shouldDisplayBackgroundForSection_withRect_ collectionView_layout_shouldDisplayShadeRectForSection_ collectionView_viewForSupplementaryElementOfKind_atIndexPath_ containmentRectForSectionLayout_ containmentRectForSection_ contentIsAnimatedInCollectionView_layout_ controlStripGrabberStateInCollectionView_layout_ coordinator_didBeginDrag_isInsertion_ coordinator_didCancelDrag_isRemoval_ coordinator_didFinishDrag_isRemoval_ coordinator_didUpdateDrag_ coordinator_willFinishDrag_ currentSection cursorCanEnterCustomizationWithItem_orPreset_ cursorCancelled cursorEnterAtPoint_mouseIsDown_withItem_ cursorEnterAtPoint_mouseIsDown_withPreset_ cursorExitAtPoint_withItem_ cursorMouseDownAtPoint_ cursorMouseUpAtPoint_ cursorMovedToPoint_withDelta_mouseIsDown_ cursorPoint deleteIconDisplayModeInCollectionView_layout_ escKeyRect escapeKeyFrameForCollectionView_layout_ expandedControlStripItemTree indexPathForInsertingItemWithFrame_withApproximateIndex_ insertItem_atIndex_inSection_reload_ isItemAtIndexPathEditable_ itemTreeInSection_ miniControlStripItemTree moveItemAtIndex_toIndex_inSection_reload_ numberOfItemsForSectionLayout_ paddingForSectionLayout_ paddingForSection_ prepareToAnimateIn prepareToAnimateOut prepareToInsertItem_inSection_reload_ reloadItemsInSection_ removeItemAtIndex_inSection_reload_ removeItem_inSection_reload_ sectionLayoutIsVisible_ sectionLayout_descriptionForItemAtIndex_ sectionLayout_itemStateForItemAtIndex_withFrame_ selectSection_ setApplicationItemTree_ setApplicationRect_ setCurrentSection_ setCursorPoint_ setEscKeyRect_ setExpandedControlStripItemTree_ setItemTree_inSection_ setMiniControlStripItemTree_ setSystemBarRect_ setSystemTrayRect_ shouldShowDoneInCollectionView_layout_ systemBarRect systemTrayRect toggleGrabber_ updateForAnimationIn updateForAnimationOut updateModel_animated_ visualCenterXOffsetForSectionLayout_ NSTouchBarEscapeKeyAppearance NSTouchBarEscapeKeyViewController _noteTouchBarItemChanged NSTouchBarFinder __setNeedsUpdate _setNeedsUpdate _startObservingProvider_ _startObservingRoots _stopObservingProvider_ _stopObservingRoots _userDefinedTouchBarDidReset_ NSTouchBarItem NSTouchBarItemAttributes NSTouchBarItemIdentifierCandidateList NSTouchBarItemIdentifierCharacterPicker NSTouchBarItemIdentifierFixedSpaceLarge NSTouchBarItemIdentifierFixedSpaceSmall NSTouchBarItemIdentifierFlexibleSpace NSTouchBarItemIdentifierOtherItemsProxy NSTouchBarItemIdentifierTextAlignment NSTouchBarItemIdentifierTextColorPicker NSTouchBarItemIdentifierTextFormat NSTouchBarItemIdentifierTextList NSTouchBarItemIdentifierTextStyle NSTouchBarItemOverlay _cleanupFromPressAndHold currentRecommendedOptions isTrackingTouches overlayTouchBar setOverlayTouchBar_ setShowsCloseButtonForOverlay_ show showWithOptions_ showsCloseButtonForOverlay touchBarView trackTouches NSTouchBarItemOverlayOptions initWithType_point_edge_ point NSTouchBarItemPriorityHigh NSTouchBarItemPriorityLow NSTouchBarItemPriorityNormal NSTouchBarItemTree _spliceTreeFromRootNode_centerNode_foundCenter_ centeredLeafNodes centeredRootNode customization_itemWithIdentifier_canBeInsertedAfterNode_ customization_nodeCanBeRemoved_ customization_nodeCanBeReordered_ customization_node_canBeMovedAfterNode_ initWithRootNode_centeredRootNode_ lastLeafPositionForInsertingItemFromTouchBar_ lastLeafPositionForInsertingItemWithIdentifier_ lastLeafPositionForMovingNode_ leafNodes nodeForBar_ parentItemNodeForNode_ parentNodeForNode_ parentNodeForNode_outIndex_ persistBarNode_toDomain_ persistBar_toDomain_ persistTreeToDomain_ positionForInsertingItemFromTouchBar_toBeAfterNode_ positionForInsertingItemWithIdentifier_toBeAfterNode_ positionForInsertingItemWithPredicate_toBeAfterNode_ positionForMovingNode_toBeAfterNode_ positionOfNode_ prioritizedLeafNodes treeByInsertingItem_toBeAfterNode_ treeByMovingNode_toBeAfterNode_ treeByRemovingItemIdentifier_ treeByRemovingNode_ treeByReplacingNode_withNode_ treeByReplacingNode_withNodes_ NSTouchBarItemTreeBarProviderNode _enumerateWithOrder_handler_ childNodes enumerateWithOrder_descentHandler_ enumerateWithOrder_handler_ flatFilterWithOrder_handler_ initWithNode_children_ nodeByInsertingChild_atIndex_ nodeByMovingChild_toIndex_ nodeByRemovingChild_ nodeByReplacingChild_withNodes_ setChildNodes_ touchBarContainingChildNodes NSTouchBarItemTreeGroupItemNode NSTouchBarItemTreeItemNode NSTouchBarItemTreeNode NSTouchBarItemTreePosition indexInParent NSTouchBarItemView NSTouchBarLayout NSTouchBarLayoutItem initWithTouchBarItem_ NSTouchBarPressAndHoldTransposer beginTransposingWithTouch_ initWithSourceFrame_destinationContentView_frame_ initialXLocation minimumRequiredDistance touchCancelled_withEvent_ touchEnded_withEvent_ transposeEvent_ transposeTouch_ NSTouchBarRangeBackdropView _commonViewSetup parentView setParentView_ NSTouchBarRangeView _hasLeftHandle_rightHandle_ _minWidthForSeparateHandles fittedSizeForSize_ handleAtPoint_ handleMask setHandleMask_ NSTouchBarSharingServicePickerViewController _loadContents _showAppExtensionsPref_ NSTouchBarSliderPopoverTransposer _continuationTimeoutFired_ continuationBehavior continuationTimeout initWithDestinationSlider_ setContinuationBehavior_ setContinuationTimeout_ NSTouchBarStandardPopoverTransposer tranposePoint_ transposedTouchFromTouch_toLocation_prevLocation_phase_view_ NSTouchBarStaticConfiguration NSTouchBarView NSTouchBarViewController _diffTouchBars_againstOldTouchBars_blockForAdding_blockForRemoving_ _expandBars_ _noteTouchBarsChanged _startObservingTouchBar_ _stopObservingTouchBar_ forceUpdateTree NSTouchDevice _activeTouchGestureRecognizersForContextID_ _allowFlushingOfContextID_ _cancelActiveTouchGestureRecognizersForContextID_ _cancelAllTouchesRemoving_ _cancelCommandeeredTouchesForContextId_ _cancelTouchesForContextID_removing_ _cancelViewTouchesForContextID_ _cancelledTouches _cancelledTouchesForContextID_ _claimTouchesAssociatedWithGestureRecognizer_forContextID_ _commandeerDirectTouches_handler_ _commandeerTouchIdentities_forContextID_ _commandeerTouches_ _commandeeredTouchIdentitiesForContextID_ _deviceInfo _flushContextID_ _gestureRecognizerClaimedTouchIdentitiesForContextID_ _gestureRecognizersForTouch_ _initWithIOHIDDictionary_ _lastEndedTouches _preventFlushingOfContextID_ _removeActiveGestureRecognizer_forContextID_ _removeClaimedTouchIdentities_forContextID_ _removeCommandeeredTouchIdentities_forContextID_ _setLastEndedTouches_ _touchingTouches _touchingTouchesForContextID_ _trueDeviceID addGestureRecognizers_forTouch_ deviceType hasActuation performFeedbackPattern_performanceTime_ removeGestureRecognizersForTouch_ setOverridePressureConfiguration_ setTouches_forContextID_ supportsForce surfaceSize NSTouchDeviceTouchMap activeGestureRecognizers allowFlushing cancelledTouches claimedTouchIdentities commandeeredTouchIdentities flushCount gestureRecognizersForKey_ preventFlushing removeGestureRecognizerFromAllKeys_ setActiveGestureRecognizers_ setCancelledTouches_ setClaimedTouchIdentities_ setCommandeeredTouchIdentities_ setFlushCount_ setTouches_ touchIdentitiesAssociatedWithGestureRecognizer_ updateActiveGestureRecognizers NSTouchEventSubtype NSTouchPhaseAny NSTouchPhaseBegan NSTouchPhaseCancelled NSTouchPhaseEnded NSTouchPhaseMoved NSTouchPhaseStationary NSTouchPhaseTouching NSTouchTypeDirect NSTouchTypeIndirect NSTouchTypeMaskDirect NSTouchTypeMaskFromType NSTouchTypeMaskIndirect NSTracer priorityForFlavor_ setDefaultPriority_ setPriority_forFlavor_ setReporter_selector_ traceWithFlavor_priority_format_ traceWithFlavor_priority_format_arguments_ NSTrackModeMatrix NSTrackableOutlineView NSTrackingActiveAlways NSTrackingActiveInActiveApp NSTrackingActiveInKeyWindow NSTrackingActiveWhenFirstResponder NSTrackingArea _dispatchMouseEntered_ _dispatchMouseExited_ _enabled _forceInternalMouseExitIfNeeded _hasPressureConfigurations _installDelayedRolloverForMouseEnteredEvent_ _installPending _installed _internalMouseExitedWork _mouseEntered_ _mouseExited_ _needsPressureConfigPushedToCG _pressureConfigPushedToCG _removed _representsGestureRecognizers _sendMouseCancelledFromWindow_ _setInstallPending_ _setInstalled_ _setPressureConfigPushedToCG_ _setPressureConfigurations_ _setRect_ _setRemoved_ _setRepresentsGestureRecognizers_ _setSuppressFirstMouseEntered_ _setSuppressPressureConfiguration_ _setUninstallPending_ _suppressFirstMouseEntered _suppressPressureConfiguration _uninstallPending _userInfo gestureBehaviors initWithRect_options_owner_userInfo_ initWithRect_options_pressureConfigurations_owner_userInfo_ pressureConfigurations setGestureBehaviors_ NSTrackingAreaReservedIVars NSTrackingAssumeInside NSTrackingCursorUpdate NSTrackingEnabledDuringMouseDrag NSTrackingInVisibleRect NSTrackingInfoImpl targetedItemFrame NSTrackingMouseEnteredAndExited NSTrackingMouseMoved NSTrackpadFeedbackPerformer _performFeedbackPattern_ _performFeedbackPattern_when_ performFeedbackPattern_forTimestamp_ NSTrackpadHapticFeedbackPerformer NSTransitInformationCheckingResult NSTransparentBinding NSTrashDirectory NSTreeController _additionIndexPathAppendChildIndex_ _commonRemoveObserverCleanupForKeyPath_ _copySelectedObjectLineages _didChangeValuesForArrangedKeys_objectKeys_indexPathKeys_ _executeAddChild_didCommitSuccessfully_actionSender_ _executeInsertChild_didCommitSuccessfully_actionSender_ _explicitlyCannotAddChild _explicitlyCannotInsertChild _insertChildOrSibling_ _insertObject_atArrangedObjectIndexPath_objectHandler_ _insertionIndexPathAppendChildIndex_ _invokeMultipleSelector_withArguments_onKeyPath_atIndexPath_ _modelObservingKeyPaths _multipleMutableArrayValueForKeyPath_atIndexPath_ _multipleMutableArrayValueForKey_atIndexPath_ _multipleValueForKeyPath_atIndexPath_ _multipleValueForKey_atIndexPath_ _multipleValuesObjectAtIndexPath_ _mutatingNodes _prepareControllerTree _removeObjectsAtArrangedObjectIndexPaths_objectHandler_ _removeSelectionIndexPathsBelowNode_ _rootContentCount _rootNode _selectObjectsAtIndexPathsNoCopy_avoidsEmptySelection_sendObserverNotifications_ _selectObjectsAtIndexPaths_avoidsEmptySelection_sendObserverNotifications_ _setMultipleValue_forKeyPath_atIndexPath_ _setMultipleValue_forKey_atIndexPath_ _skipSorting _stopObservingNodeIfNecessary_ _validateMultipleValue_forKeyPath_atIndexPath_error_ _willChangeValuesForArrangedKeys_objectKeys_indexPathKeys_ addChildObject_ addSelectionIndexPaths_ canAddChild canInsertChild childrenKeyPath childrenKeyPathForNode_ countKeyPath countKeyPathForNode_ createChildNodeForRepresentedObject_ insertChild_ insertObject_atArrangedObjectIndexPath_ insertObjects_atArrangedObjectIndexPaths_ leafKeyPath leafKeyPathForNode_ moveNode_toIndexPath_ moveNodes_toIndexPath_ moveNodes_toIndexPaths_ newChildObject removeObjectAtArrangedObjectIndexPath_ removeObjectsAtArrangedObjectIndexPaths_ removeSelectionIndexPaths_ setChildrenKeyPath_ setCountKeyPath_ setLeafKeyPath_ setUsesIdenticalComparisonOfModelObjects_ usesIdenticalComparisonOfModelObjects NSTreeControllerTreeNode _configureObservingForChildNodesWithOption_ _configureObservingWithOption_ _descendantNodeWithRepresentedObjectLineage_ _detachFromParent _disableObserving _enableObserving _ignoreObserving _insertObject_inSubNodesAtIndex_ _leafState _privateChildNodes _removeObjectFromSubNodesAtIndex_ _removeSubNodesAtIndexes_ _setupObserving _tearDownObserving childCountForKeyPath_ countOfSubNodes descendantNodeAtIndexPath_ getSubNodes_range_ hasAncestor_ initWithRepresentedObject_ initWithRepresentedObject_treeController_ insertObject_inSubNodesAtIndex_ mutableChildNodes objectInSubNodesAtIndex_ observedObject removeObjectFromSubNodesAtIndex_ removeSubNodesAtIndexes_ sortWithSortDescriptors_recursively_ startObservingModelKeyPath_ subNodesAtIndexes_ subnodeAtIndex_ updateChildNodesForKeyPath_affectedIndexPaths_ willAccessChildNodes NSTreeDetailBinder NSTreeNode NSTruePredicate NSTwoByteGlyphPacking NSTypeIdentifierAddressText NSTypeIdentifierDateText NSTypeIdentifierPhoneNumberText NSTypeIdentifierTransitInformationText NSTypeSelectBackgroundView NSTypeSelectPanel _ensureCurrentSearchTextField currentSearch setCurrentSearchScreenRect_ setCurrentSearch_ NSTypedStreamVersionException NSTypesetter NSTypesetterBehavior_10_2 NSTypesetterBehavior_10_2_WithCompatibility NSTypesetterBehavior_10_3 NSTypesetterBehavior_10_4 NSTypesetterContainerBreakAction NSTypesetterHorizontalTabAction NSTypesetterLatestBehavior NSTypesetterLineBreakAction NSTypesetterOriginalBehavior NSTypesetterParagraphBreakAction NSTypesetterWhitespaceAction NSTypesetterZeroAdvancementAction NSUIActivityDocumentManager documentDidChangeFileType_ documentDidChangeFileURL_ documentDidClose_ documentDidOpen_ documentIsUbiquitous_ removeAutomaticUserActivityForDocument_ updateAutomaticUserActivityForDocument_ userActivityIsAutomaticForDocument_ userActivityTypeForDocument_ NSUIActivityDocumentMonitor NSUIActivityInfo addProvider_ isAutomaticallyGenerated providerCount providers setAutomaticallyGenerated_ NSUIActivityManager _continueUserActivityAutomatically_ _continueUserActivity_ _didFailToFetchUserActivityWithType_error_ _restoreProviders_withUserActivity_ _willFetchUserActivityWithType_progress_ addProvider_toUserActivity_withSetter_ continueUserActivityWithUUID_type_ continueUserActivity_ infoForProvider_ queue_addProvider_toUserActivity_ queue_removeProviderFromUserActivity_ removeProviderFromUserActivity_ userActivityWillSave_ NSUIActivityResponderMonitor updateWithResponder_ NSUIHeartBeat _currentFrameTime _heartBeatThread_ _isBlocked _isSpinning _registerForSessionNotifications _sessionDidBecomeActive _sessionDidResignActive _startFrameTime _unregisterForSessionNotifications addHeartBeatView_ birthDate disableHeartBeating lockFocusForView_inRect_needsTranslation_ reenableHeartBeating_ removeHeartBeatView_ unlockFocusInRect_ updateHeartBeatState NSUIntegerMax NSURL NSURLAddedToDirectoryDateKey NSURLApplicationIsScriptableKey NSURLAttributeModificationDateKey NSURLAuthenticationChallenge _createCFAuthChallenge _initWithCFAuthChallenge_sender_ _initWithListOfProtectionSpaces_CurrentProtectionSpace_proposedCredential_previousFailureCount_failureResponse_error_sender_ _isPasswordBasedChallenge failureResponse initWithAuthenticationChallenge_sender_ initWithProtectionSpace_proposedCredential_previousFailureCount_failureResponse_error_sender_ previousFailureCount proposedCredential protectionSpace sender setSender_ NSURLAuthenticationChallengeInternal NSURLAuthenticationMethodClientCertificate NSURLAuthenticationMethodDefault NSURLAuthenticationMethodHTMLForm NSURLAuthenticationMethodHTTPBasic NSURLAuthenticationMethodHTTPDigest NSURLAuthenticationMethodNTLM NSURLAuthenticationMethodNegotiate NSURLAuthenticationMethodServerTrust NSURLBookmarkCreationMinimalBookmark NSURLBookmarkCreationPreferFileIDResolution NSURLBookmarkCreationSecurityScopeAllowOnlyReadAccess NSURLBookmarkCreationSuitableForBookmarkFile NSURLBookmarkCreationWithSecurityScope NSURLBookmarkResolutionWithSecurityScope NSURLBookmarkResolutionWithoutMounting NSURLBookmarkResolutionWithoutUI NSURLCache _CFURLCache _cacheDirectory _diskCacheDefaultPath _initVaryHeaderEnabledWithPath_ _initWithExistingCFURLCache_ _initWithIdentifier_memoryCapacity_diskCapacity_private_ _isVaryHeaderSupportEnabled _nscfBridgeURLCacheCopyResponseForRequest_ _nscfBridgeURLCacheCurrentDiskUsage _nscfBridgeURLCacheCurrentMemoryUsage _nscfBridgeURLCacheDiskCapacity _nscfBridgeURLCacheMemoryCapacity _nscfBridgeURLCacheRemoveAllCachedResponses _nscfBridgeURLCacheRemoveCachedResponseForRequest_ _nscfBridgeURLCacheSetDiskCapacity_ _nscfBridgeURLCacheSetMemoryCapacity_ _nscfBridgeURLCacheStoreCachedResponse_forRequest_ _updateVaryState_forURL_ _varyStateForURL_ cachedResponseForRequest_ currentDiskUsage currentMemoryUsage diskCapacity flushWithCompletion_ getCachedResponseForDataTask_completionHandler_ initWithExistingSharedCFURLCache_ initWithMemoryCapacity_diskCapacity_diskPath_ memoryCapacity removeAllCachedResponses removeCachedResponseForDataTask_ removeCachedResponseForRequest_ removeCachedResponsesSinceDate_ setDiskCapacity_ setMemoryCapacity_ storeCachedResponse_forDataTask_ storeCachedResponse_forRequest_ NSURLCacheDBReader _closeDB _closeDBReadConnections _finalizeAllDBStatements _finalizeDBSelectStatements _openDBReadConnections _prepareDBSelectStatements _prepareDBStatements cleanupAndShutdown_Lock createCachedResponseDictForTransmissionWithKey_objectVersion_storagePolicy_responseObjectBytes_responseObjectBytesLength_protoProps_protoPropsLength_receiverDataBytes_receiverDataLength_requestObjectBytes_requestObjectBytesLength_userInfoBytes_useInfoLength_isDataOnFS_cacheDirPath_cacheFileName_ createCachedResponseForKey_cacheDataPath_cacheDataFile_caller_ dbPathDirectory dbPathFile execSQLStatement_onConnection_toCompletionWithRetry_writeLockHeld_ initWithDBPath_maxSize_ isDBOpen openAndPrepareReadCacheDB performTimeRelativeLookupWithInitialTime_caller_ performTimeRelativeLookups recentTimeStampLookups setDbPathDirectory_ setDbPathFile_ setIsDBOpen_ setPerformTimeRelativeLookups_ setRecentTimeStampLookups_ stepSQLStatement_toCompletionWithRetry_ NSURLCacheInternal NSURLCacheStorageAllowed NSURLCacheStorageAllowedInMemoryOnly NSURLCacheStorageNotAllowed NSURLCanonicalPathKey NSURLComponents URLRelativeToURL_ initWithURL_resolvingAgainstBaseURL_ percentEncodedFragment percentEncodedHost percentEncodedPassword percentEncodedPath percentEncodedQuery percentEncodedUser queryItems rangeOfFragment rangeOfHost rangeOfPassword rangeOfPath rangeOfPort rangeOfQuery rangeOfScheme rangeOfUser setFragment_ setHost_ setPercentEncodedFragment_ setPercentEncodedHost_ setPercentEncodedPassword_ setPercentEncodedPath_ setPercentEncodedQuery_ setPercentEncodedUser_ setQueryItems_ setQuery_ setScheme_ setUser_ NSURLConnection _cfInternal _initWithRequest_delegate_usesCache_maxContentLength_startImmediately_connectionProperties_ _reportTimingDataToAWD _resumeLoading _suspendLoading _timingData cancelAuthenticationChallenge_ connectionProperties continueWithoutCredentialForAuthenticationChallenge_ defersCallbacks download initWithRequest_delegate_ initWithRequest_delegate_startImmediately_ performDefaultHandlingForAuthenticationChallenge_ rejectProtectionSpaceAndContinueWithChallenge_ setDefersCallbacks_ unscheduleFromRunLoop_forMode_ useCredential_forAuthenticationChallenge_ NSURLConnectionDelegateProxy connectionShouldUseCredentialStorage_ connection_canAuthenticateAgainstProtectionSpace_ connection_didCancelAuthenticationChallenge_ connection_didReceiveAuthenticationChallenge_ connection_didReceiveDataArray_ connection_didReceiveData_lengthReceived_ connection_didReceiveResponse_ connection_didSendBodyData_totalBytesWritten_totalBytesExpectedToWrite_ connection_willCacheResponse_ connection_willSendRequest_redirectResponse_ NSURLConnectionHandle connection_didFailLoadingWithError_ NSURLConnectionInternal _connectionProperties _setDelegateQueue_ _withActiveConnectionAndDelegate_ _withConnectionAndDelegate_ _withConnectionAndDelegate_onlyActive_ _withConnectionDisconnectFromConnection invokeForDelegate_ isConnectionActive setConnectionActive_ NSURLConnectionInternalConnection _CFURLConnection _atomic_CFURLConnection _retainCFURLConnection _setShouldSkipCancelOnRelease_ cleanupChallenges sendCFChallenge_toSelector_ NSURLContentAccessDateKey NSURLContentModificationDateKey NSURLCreationDateKey NSURLCredential _CFURLCredential _cfurlcredential _hasSWCACreatorAttribute _initWithCFURLCredential_ _initWithUser_password_initialAccess_persistence_ _removeSWCACreatorAttribute certificates hasPassword initWithIdentity_certificates_persistence_ initWithTrust_ initWithUser_password_initialAccess_ initWithUser_password_persistence_ persistence NSURLCredentialPersistenceForSession NSURLCredentialPersistenceNone NSURLCredentialPersistencePermanent NSURLCredentialPersistenceSynchronizable NSURLCredentialStorage _CFURLCredentialStorage _initWithCFURLCredentialStorage_ _useSystemKeychain allCredentials credentialsForProtectionSpace_ defaultCredentialForProtectionSpace_ getCredentialsForProtectionSpace_task_completionHandler_ getDefaultCredentialForProtectionSpace_task_completionHandler_ removeCredential_forProtectionSpace_ removeCredential_forProtectionSpace_options_ removeCredential_forProtectionSpace_options_task_ setCredential_forProtectionSpace_ setCredential_forProtectionSpace_task_ setDefaultCredential_forProtectionSpace_ setDefaultCredential_forProtectionSpace_task_ set_useSystemKeychain_ NSURLCredentialStorageChangedNotification NSURLCredentialStorageRemoveSynchronizableCredentials NSURLCustomIconKey NSURLDirectoryEnumerator initWithURL_includingPropertiesForKeys_options_errorHandler_ NSURLDocumentIdentifierKey NSURLDownload _deletesFileAfterFailure _directoryPath _downloadActive _initWithLoadingCFURLConnection_request_response_delegate_proxy_ _initWithLoadingConnection_request_response_delegate_proxy_ _initWithRequest_delegate_directory_ _initWithResumeInformation_delegate_path_ _originatingURL _resumeInformation _setDeletesFileAfterFailure_ _setDirectoryPath_ _setOriginatingURL_ deletesFileUponFailure initWithResumeData_delegate_path_ releaseDelegate resumeData sendCanAuthenticateAgainstProtectionSpace_ sendDecideDestinationWithSuggestedObjectName_ sendDidCreateDestination_ sendDidFail_ sendDidFinish sendDidReceiveChallenge_ sendDidReceiveData_ sendDidReceiveResponse_ sendDidStart_ sendDownloadShouldUseCredentialStorage sendShouldDecodeDataOfMIMEType_ sendWillResumeWithResponse_startingByte_ sendWillSendRequest_redirectResponse_ setDeletesFileUponFailure_ setDestination_allowOverwrite_ withDelegate_ NSURLDownloadInternal NSURLEffectiveIconKey NSURLError NSURLErrorAppTransportSecurityRequiresSecureConnection NSURLErrorBackgroundSessionInUseByAnotherProcess NSURLErrorBackgroundSessionRequiresSharedContainer NSURLErrorBackgroundSessionWasDisconnected NSURLErrorBackgroundTaskCancelledReasonKey NSURLErrorBadServerResponse NSURLErrorBadURL NSURLErrorCallIsActive NSURLErrorCancelled NSURLErrorCancelledReasonBackgroundUpdatesDisabled NSURLErrorCancelledReasonInsufficientSystemResources NSURLErrorCancelledReasonUserForceQuitApplication NSURLErrorCannotCloseFile NSURLErrorCannotConnectToHost NSURLErrorCannotCreateFile NSURLErrorCannotDecodeContentData NSURLErrorCannotDecodeRawData NSURLErrorCannotFindHost NSURLErrorCannotLoadFromNetwork NSURLErrorCannotMoveFile NSURLErrorCannotOpenFile NSURLErrorCannotParseResponse NSURLErrorCannotRemoveFile NSURLErrorCannotWriteToFile NSURLErrorClientCertificateRejected NSURLErrorClientCertificateRequired NSURLErrorDNSLookupFailed NSURLErrorDataLengthExceedsMaximum NSURLErrorDataNotAllowed NSURLErrorDomain NSURLErrorDownloadDecodingFailedMidStream NSURLErrorDownloadDecodingFailedToComplete NSURLErrorFailingURLErrorKey NSURLErrorFailingURLPeerTrustErrorKey NSURLErrorFailingURLStringErrorKey NSURLErrorFileDoesNotExist NSURLErrorFileIsDirectory NSURLErrorFileOutsideSafeArea NSURLErrorHTTPTooManyRedirects NSURLErrorInternationalRoamingOff NSURLErrorKey NSURLErrorNetworkConnectionLost NSURLErrorNoPermissionsToReadFile NSURLErrorNotConnectedToInternet NSURLErrorRedirectToNonExistentLocation NSURLErrorRequestBodyStreamExhausted NSURLErrorResourceUnavailable NSURLErrorSecureConnectionFailed NSURLErrorServerCertificateHasBadDate NSURLErrorServerCertificateHasUnknownRoot NSURLErrorServerCertificateNotYetValid NSURLErrorServerCertificateUntrusted NSURLErrorTimedOut NSURLErrorUnknown NSURLErrorUnsupportedURL NSURLErrorUserAuthenticationRequired NSURLErrorUserCancelledAuthentication NSURLErrorZeroByteResource NSURLFileAllocatedSizeKey NSURLFileResourceIdentifierKey NSURLFileResourceTypeBlockSpecial NSURLFileResourceTypeCharacterSpecial NSURLFileResourceTypeDirectory NSURLFileResourceTypeKey NSURLFileResourceTypeNamedPipe NSURLFileResourceTypeRegular NSURLFileResourceTypeSocket NSURLFileResourceTypeSymbolicLink NSURLFileResourceTypeUnknown NSURLFileScheme NSURLFileSecurityKey NSURLFileSizeKey NSURLFileTypeMappings MIMETypeForExtension_ _UTIMIMETypeForExtension_ _UTIextensionForMIMEType_ extensionsForMIMEType_ preferredExtensionForMIMEType_ NSURLFileTypeMappingsInternal NSURLGenerationIdentifierKey NSURLHandle NSURLHandleLoadFailed NSURLHandleLoadInProgress NSURLHandleLoadSucceeded NSURLHandleNotLoaded NSURLHasHiddenExtensionKey NSURLHostNameAddressInfo _initWithAddressInfo_ _timestamp addrinfo NSURLIsAliasFileKey NSURLIsApplicationKey NSURLIsDirectoryKey NSURLIsExcludedFromBackupKey NSURLIsExecutableKey NSURLIsHiddenKey NSURLIsMountTriggerKey NSURLIsPackageKey NSURLIsReadableKey NSURLIsRegularFileKey NSURLIsSymbolicLinkKey NSURLIsSystemImmutableKey NSURLIsUbiquitousItemKey NSURLIsUserImmutableKey NSURLIsVolumeKey NSURLIsWritableKey NSURLKeyValuePair initWithKey_value_ NSURLKeysOfUnsetValuesKey NSURLLabelColorKey NSURLLabelNumberKey NSURLLinkCountKey NSURLLocalizedLabelKey NSURLLocalizedNameKey NSURLLocalizedTypeDescriptionKey NSURLNameKey NSURLNetworkServiceTypeBackground NSURLNetworkServiceTypeCallSignaling NSURLNetworkServiceTypeDefault NSURLNetworkServiceTypeVideo NSURLNetworkServiceTypeVoIP NSURLNetworkServiceTypeVoice NSURLParentDirectoryURLKey NSURLPathKey NSURLPboardType NSURLPreferredIOBlockSizeKey NSURLPromisePair physicalURL NSURLProtectionSpace _CFURLProtectionSpace _cfurlprtotectionspace _initWithCFURLProtectionSpace_ _internalInit authenticationMethod distinguishedNames initWithHost_port_protocol_realm_authenticationMethod_ initWithProxyHost_port_type_realm_authenticationMethod_ proxyType realm receivesCredentialSecurely serverTrust NSURLProtectionSpaceFTP NSURLProtectionSpaceFTPProxy NSURLProtectionSpaceHTTP NSURLProtectionSpaceHTTPProxy NSURLProtectionSpaceHTTPS NSURLProtectionSpaceHTTPSProxy NSURLProtectionSpaceSOCKSProxy NSURLProtocol NSURLProtocolInternal NSURLQuarantinePropertiesKey NSURLQueryItem initWithName_value_ NSURLQueue indexOf_ peek peekAt_ put_ setWaitOnTake_ take waitOnTake NSURLQueueNode NSURLRelationshipContains NSURLRelationshipOther NSURLRelationshipSame NSURLRequest NSURLRequestInternal NSURLRequestReloadIgnoringCacheData NSURLRequestReloadIgnoringLocalAndRemoteCacheData NSURLRequestReloadIgnoringLocalCacheData NSURLRequestReloadRevalidatingCacheData NSURLRequestReturnCacheDataDontLoad NSURLRequestReturnCacheDataElseLoad NSURLRequestUseProtocolCachePolicy NSURLResponse NSURLResponseInternal initWithURLResponse_ NSURLResponseUnknownLength NSURLSession NSURLSessionAuthChallengeCancelAuthenticationChallenge NSURLSessionAuthChallengePerformDefaultHandling NSURLSessionAuthChallengeRejectProtectionSpace NSURLSessionAuthChallengeUseCredential NSURLSessionConfiguration _copyAttribute_ _copyCFCookieStorage copyHSTSPolicy getConnectionCacheLimits initWithDisposition_ NSURLSessionDataTask NSURLSessionDelayedRequestCancel NSURLSessionDelayedRequestContinueLoading NSURLSessionDelayedRequestUseNewRequest NSURLSessionDownloadTask cancelByProducingResumeData_ NSURLSessionDownloadTaskResumeData NSURLSessionMultipathServiceTypeAggregate NSURLSessionMultipathServiceTypeHandover NSURLSessionMultipathServiceTypeInteractive NSURLSessionMultipathServiceTypeNone NSURLSessionResponseAllow NSURLSessionResponseBecomeDownload NSURLSessionResponseBecomeStream NSURLSessionResponseCancel NSURLSessionStreamTask NSURLSessionTask NSURLSessionTaskBackgroundHTTPAuthenticator getAuthenticationHeadersForTask_task_response_completionHandler_ initWithStatusCodes_ setStatusCodes_ statusCodes NSURLSessionTaskDependency NSURLSessionTaskDependencyDescription dependentMimeType dependentURLPath parentMimeType parentURLPath NSURLSessionTaskDependencyTree _parentForMimeType_ _parentForURLPath_ NSURLSessionTaskHTTPAuthenticator NSURLSessionTaskLocalHTTPAuthenticator externalAuthenticator initWithSessionAuthenticator_statusCodes_ setExternalAuthenticator_ NSURLSessionTaskMetrics _initWithTask_ initWithNoInit NSURLSessionTaskMetricsResourceFetchTypeLocalCache NSURLSessionTaskMetricsResourceFetchTypeNetworkLoad NSURLSessionTaskMetricsResourceFetchTypeServerPush NSURLSessionTaskMetricsResourceFetchTypeUnknown NSURLSessionTaskPriorityDefault NSURLSessionTaskPriorityHigh NSURLSessionTaskPriorityLow NSURLSessionTaskStateCanceling NSURLSessionTaskStateCompleted NSURLSessionTaskStateRunning NSURLSessionTaskStateSuspended NSURLSessionTaskTransactionMetrics _initWithPerformanceTiming_ NSURLSessionTransferSizeUnknown NSURLSessionUploadTask NSURLStorage_CacheClient _invalidateNSXPCConnection _reconnectWithStorageServer addCachedResponseWithDictionary_key_ copyAllPartitionNamesWithCompletionHandler_ copyHostNamesForOptionalPartition_handler_ createStorageTaskManagerForPath_maxSize_extension_ deleteAllHostNames_forOptionalPartition_ deleteAllResponses deleteResponseForRequestWithKey_withCompletionHandler_ deleteResponsesSinceDate_ ensureNetworkStorageDaemonConnection getPath initWithCache_ networkStorageConnectionInterrupted notifyCacheClientOfTimeRelativeResponses_ notifyCachedURLResponseBecameFileBacked_filePath_forUUID_ setMinSizeForVMCachedResource_ setNetworkStorageConnectionInterrupted_ NSURLTagNamesKey NSURLThumbnailDictionaryKey NSURLThumbnailKey NSURLTotalFileAllocatedSizeKey NSURLTotalFileSizeKey NSURLTypeIdentifierKey NSURLUbiquitousItemContainerDisplayNameKey NSURLUbiquitousItemDownloadRequestedKey NSURLUbiquitousItemDownloadingErrorKey NSURLUbiquitousItemDownloadingStatusCurrent NSURLUbiquitousItemDownloadingStatusDownloaded NSURLUbiquitousItemDownloadingStatusKey NSURLUbiquitousItemDownloadingStatusNotDownloaded NSURLUbiquitousItemHasUnresolvedConflictsKey NSURLUbiquitousItemIsDownloadedKey NSURLUbiquitousItemIsDownloadingKey NSURLUbiquitousItemIsSharedKey NSURLUbiquitousItemIsUploadedKey NSURLUbiquitousItemIsUploadingKey NSURLUbiquitousItemPercentDownloadedKey NSURLUbiquitousItemPercentUploadedKey NSURLUbiquitousItemUploadingErrorKey NSURLUbiquitousSharedItemCurrentUserPermissionsKey NSURLUbiquitousSharedItemCurrentUserRoleKey NSURLUbiquitousSharedItemMostRecentEditorNameComponentsKey NSURLUbiquitousSharedItemOwnerNameComponentsKey NSURLUbiquitousSharedItemPermissionsReadOnly NSURLUbiquitousSharedItemPermissionsReadWrite NSURLUbiquitousSharedItemRoleOwner NSURLUbiquitousSharedItemRoleParticipant NSURLVolumeAvailableCapacityKey NSURLVolumeCreationDateKey NSURLVolumeIdentifierKey NSURLVolumeIsAutomountedKey NSURLVolumeIsBrowsableKey NSURLVolumeIsEjectableKey NSURLVolumeIsEncryptedKey NSURLVolumeIsInternalKey NSURLVolumeIsJournalingKey NSURLVolumeIsLocalKey NSURLVolumeIsReadOnlyKey NSURLVolumeIsRemovableKey NSURLVolumeIsRootFileSystemKey NSURLVolumeLocalizedFormatDescriptionKey NSURLVolumeLocalizedNameKey NSURLVolumeMaximumFileSizeKey NSURLVolumeNameKey NSURLVolumeResourceCountKey NSURLVolumeSupportsAdvisoryFileLockingKey NSURLVolumeSupportsCasePreservedNamesKey NSURLVolumeSupportsCaseSensitiveNamesKey NSURLVolumeSupportsCompressionKey NSURLVolumeSupportsExclusiveRenamingKey NSURLVolumeSupportsExtendedSecurityKey NSURLVolumeSupportsFileCloningKey NSURLVolumeSupportsHardLinksKey NSURLVolumeSupportsJournalingKey NSURLVolumeSupportsPersistentIDsKey NSURLVolumeSupportsRenamingKey NSURLVolumeSupportsRootDirectoryDatesKey NSURLVolumeSupportsSparseFilesKey NSURLVolumeSupportsSwapRenamingKey NSURLVolumeSupportsSymbolicLinksKey NSURLVolumeSupportsVolumeSizesKey NSURLVolumeSupportsZeroRunsKey NSURLVolumeTotalCapacityKey NSURLVolumeURLForRemountingKey NSURLVolumeURLKey NSURLVolumeUUIDStringKey NSUTF16BEEncodingDetector NSUTF16BaseEncodingDetector NSUTF16BigEndianStringEncoding NSUTF16EncodingDetector NSUTF16LEEncodingDetector NSUTF16LittleEndianStringEncoding NSUTF16StringEncoding NSUTF32BEEncodingDetector NSUTF32BigEndianStringEncoding NSUTF32EncodingDetector NSUTF32LEEncodingDetector NSUTF32LittleEndianStringEncoding NSUTF32StringEncoding NSUTF7EncodingDetector NSUTF8EncodingDetector NSUTF8StringEncoding NSUTIPredicateOperator initForVariant_ NSUUID _IS_getUUIDBytes_hash64_ _cfUUIDString getUUIDBytes_ initWithUUIDBytes_ initWithUUIDString_ NSUbiquitousFileErrorMaximum NSUbiquitousFileErrorMinimum NSUbiquitousFileNotUploadedDueToQuotaError NSUbiquitousFileUbiquityServerNotAvailable NSUbiquitousFileUnavailableError NSUbiquitousKeyValueStore _adjustTimerForAutosync _adjustTimer_ _configurationDidChange _hasPendingSynchronize _pleaseSynchronize_ _postDidChangeNotificationExternalChanges_sourceChangeCount_ _registerToDaemon _rethrowException_ _scheduleRemoteSynchronization _sendPingToDaemon _setHasPendingSynchronize_ _setShouldAvoidSynchronize_ _shouldAvoidSynchronize _sourceDidChange_ _storeChangeFromSourceChange_ _syncConcurrently _syncConcurrentlyForced_ _synchronizeForced_ _synchronizeForced_notificationQueue_ _unregisterFromDaemon _useSourceAsyncWithBlock_ _useSourceSyncWithBlock_ initWithBundleIdentifier_ initWithBundleIdentifier_storeIdentifier_ initWithBundleIdentifier_storeIdentifier_additionalStore_ longLongForKey_ maximumDataLengthPerKey maximumKeyCount maximumKeyLength maximumTotalDataLength registerDefaultValues_ setArray_forKey_ setData_forKey_ setDictionary_forKey_ setLongLong_forKey_ setString_forKey_ synchronizeWithCompletionHandler_ synchronizeWithSourceForced_ NSUbiquitousKeyValueStoreAccountChange NSUbiquitousKeyValueStoreChangeReasonKey NSUbiquitousKeyValueStoreChangedKeysKey NSUbiquitousKeyValueStoreDidChangeExternallyNotification NSUbiquitousKeyValueStoreInitialSyncChange NSUbiquitousKeyValueStoreQuotaViolationChange NSUbiquitousKeyValueStoreServerChange NSUbiquityIdentityDidChangeNotification NSUnarchiveFromDataTransformerName NSUnarchiver _setAllowedClasses_ classNameDecodedForArchiveClassName_ decodeClassName_asClassName_ NSUnboldFontMask NSUncachedRead NSUndefinedDateComponent NSUndefinedKeyException NSUnderlineByWordMask NSUnderlineColorAttributeName NSUnderlinePatternDash NSUnderlinePatternDashDot NSUnderlinePatternDashDotDot NSUnderlinePatternDot NSUnderlinePatternSolid NSUnderlineStrikethroughMask NSUnderlineStyleAttributeName NSUnderlineStyleDouble NSUnderlineStyleNone NSUnderlineStyleSingle NSUnderlineStyleThick NSUnderlyingErrorKey NSUndoCloseGroupingRunLoopOrdering NSUndoFunctionKey NSUndoManager NSUndoManagerCheckpointNotification NSUndoManagerDidCloseUndoGroupNotification NSUndoManagerDidOpenUndoGroupNotification NSUndoManagerDidRedoChangeNotification NSUndoManagerDidUndoChangeNotification NSUndoManagerGroupIsDiscardableKey NSUndoManagerProxy initWithManager_ setTargetClass_ NSUndoManagerWillCloseUndoGroupNotification NSUndoManagerWillRedoChangeNotification NSUndoManagerWillUndoChangeNotification NSUndoReplaceCharacters affectedRange firstTextViewForTextStorage_ initWithAffectedRange_layoutManager_undoManager_ initWithAffectedRange_layoutManager_undoManager_replacementRange_ isSupportingCoalescing setAffectedRange_ undoRedo_ NSUndoSetAttributes NSUndoTextOperation NSUndoTyping coalesceAffectedRange_replacementRange_selectedRange_text_ NSUnicodeStringEncoding NSUnifiedTitleAndToolbarWindowMask NSUnionOfArraysKeyValueOperator NSUnionOfObjectsKeyValueOperator NSUnionOfSetsKeyValueOperator NSUnionRange NSUnionRect NSUnionSetExpressionType NSUniqueIDSpecifier initWithContainerClassDescription_containerSpecifier_key_uniqueID_ setUniqueID_ NSUnit NSUnitAcceleration NSUnitAngle NSUnitArea NSUnitConcentrationMass NSUnitConverter baseUnitValueFromValue_ valueFromBaseUnitValue_ NSUnitConverterLinear coefficient initWithCoefficient_ initWithCoefficient_constant_ NSUnitConverterReciprocal initWithReciprocalValue_ reciprocalValue NSUnitDispersion NSUnitDuration NSUnitElectricCharge NSUnitElectricCurrent NSUnitElectricPotentialDifference NSUnitElectricResistance NSUnitEnergy NSUnitFormatter _determineUnitsToFormat_fromMeasurement_ checkIfModified stringForValue1_unit1_value2_unit2_ stringForValue_unit_ NSUnitFrequency NSUnitFuelEfficiency NSUnitIlluminance NSUnitLength NSUnitMass NSUnitPower NSUnitPressure NSUnitSpeed NSUnitTemperature NSUnitVolume NSUnitalicFontMask NSUnkeyedPortCoder decodeRetainedObject decodeReturnValue_ encodeObject_isBycopy_isByref_ encodeReturnValue_ NSUnknownColorSpaceModel NSUnknownKeyScriptError NSUnknownKeySpecifierError NSUnknownPageOrder NSUnknownPointingDevice NSUnknownRequestTypeResult subresults NSUnregisterServicesProvider NSUnscaledWindowMask NSUpArrowFunctionKey NSUpTextMovement NSUpdateDynamicServices NSUpdateWindowsRunLoopOrdering NSUserActivity _addKeywordsFromArray_ _contentAttributes _contentIdentifier _contentType _contentUserAction _createUserActivityDataWithOptions_completionHandler_ _createUserActivityStringsWithOptions_completionHandler_ _determineMatchingApplicationBundleIdentfierWithOptions_ _determineMatchingApplicationBundleIdentifierWithOptions_ _expirationDate _frameworkDelegate _frameworkPayload _initWithTypeIdentifier_suggestedActionType_options_ _initWithUserActivityData_ _initWithUserActivityStrings_secondaryString_optionalData_ _initWithUserActivityType_dynamicActivityType_options_ _internalUserActivity _isEligibleForUserActivityHandoff _isEligibleForUserActivityIndexing _isEligibleForUserActivityPublicIndexing _isEligibleForUserActivityReminders _keywords _lastActivityDate _minimalRequiredUserInfoKeys _parentUserActivity _prepareUserActivityForLaunchingWithOptions_completionHandler_ _removeFrameworkPayloadValueForKey_ _removeUserInfoValueForKey_ _resignCurrent _setContentAttributes_ _setContentIdentifier_ _setContentType_ _setContentUserAction_ _setEligibleForUserActivityHandoff_ _setEligibleForUserActivityIndexing_ _setEligibleForUserActivityPublicIndexing_ _setEligibleForUserActivityReminders_ _setExpirationDate_ _setFrameworkDelegate_ _setFrameworkPayload_ _setKeywords_ _setLastActivityDate_ _setMinimalRequiredUserInfoKeys_ _setParentUserActivity_ _setSubtitle_ _subtitle _suggestedActionType _teamIdentifier _uniqueIdentifier _updateFrameworkPayloadValue_forKey_ _updateUserInfoValue_forKey_ addUserInfoEntriesFromDictionary_ becomeCurrent contentAttributeSet contentAttributes contentType contentUserAction didReceiveInputStream_outputStream_ didSynchronizeActivity expirationDate getContinuationStreamsWithCompletionHandler_ initWithActivityType_ initWithInternalUserActivity_ isEligibleForHandoff isEligibleForPublicIndexing isEligibleForSearch keywords requiredUserInfoKeys setContentAttributeSet_ setContentAttributes_ setContentType_ setContentUserAction_ setEligibleForPublicIndexing_ setExpirationDate_ setKeywords_ setRequiredUserInfoKeys_ willSynchronizeActivity NSUserActivityConnectionUnavailableError NSUserActivityDocumentURLKey NSUserActivityErrorMaximum NSUserActivityErrorMinimum NSUserActivityHandoffFailedError NSUserActivityHandoffUserInfoTooLargeError NSUserActivityRemoteApplicationTimedOutError NSUserActivityTypeBrowsingWeb NSUserAppleScriptTask executeWithAppleEvent_completionHandler_ executeWithCompletionHandler_ executeWithInterpreter_arguments__ interpretErrorStatus_withOutput_ isParentDefaultTarget scriptURL setParentDefaultTarget_ setShowsProgressInMenuBar_ showsProgressInMenuBar NSUserAutomatorTask executeWithInput_completionHandler_ setVariables_ variables NSUserCancelledError NSUserDefaults NSUserDefaultsController _applyAllValuesFromValueBuffer _applyValue_forKey_registrationDomain_ _executeSave_didCommitSuccessfully_actionSender_ _isSharedUserDefaultsControllerProxy _setDefaults_ _setSharedUserDefaultsControllerProxy_ _valueBuffer appliesImmediately hasUnappliedChanges initWithDefaults_initialValues_ initialValues revertToInitialValues_ revert_ setAppliesImmediately_ setInitialValues_ NSUserDefaultsDidChangeNotification NSUserDirectory NSUserDomainMask NSUserFunctionKey NSUserInterfaceLayoutDirectionLeftToRight NSUserInterfaceLayoutDirectionRightToLeft NSUserInterfaceLayoutOrientationHorizontal NSUserInterfaceLayoutOrientationVertical NSUserInterfaceTheme NSUserName NSUserNotification _areIdentifiersEqual_ _hasContentImage _identityImageData _nextFireDate _setActivationType_ _setActualDeliveryDate_ _setIdentityImage_withIdentifier_ _setPresented_ _setRemote_ _setSnoozeInterval_ _setSnoozedDate_ _setSnoozed_ NSUserNotificationAction NSUserNotificationActivationTypeActionButtonClicked NSUserNotificationActivationTypeAdditionalActionClicked NSUserNotificationActivationTypeContentsClicked NSUserNotificationActivationTypeNone NSUserNotificationActivationTypeReplied NSUserNotificationCenter _invalidateAndUnregister _registerForRemotePushNotificationTypes_ _registerForRemotePushNotificationsWithEnvironment_types_ _removeAllDisplayedNotifications _removeAllPresentedAlerts _removeDisplayedNotification_ _removePresentedAlert_ _setAppDelegate_connect_ _setDeliveredNotifications_ _setProgress_forNotificationWithIdentifier_ _unRegisterForRemotePushNotifications removeAllDeliveredNotifications removeDeliveredNotification_ removeScheduledNotification_ scheduleNotification_ NSUserNotificationDefaultSoundName NSUserScriptTask NSUserScriptTaskRunner executeScript_interpreter_arguments_standardInput_standardOutput_standardError_showingProgress__ isSanitaryArgumentList_forInterpreter_ isValidScriptPath_ NSUserScriptTaskServiceDelegate NSUserUnixTask executeWithArguments_completionHandler_ NSUsesScreenFontsDocumentAttribute NSUtilityWindowMask NSVBOpenPanel MondoSetFilenameWithProperSelection_ _URLWithSecurityScoped_ _URLsWithSecurityScoped_ _addObservers_onBridge_ _arrayForKey_ _attachSandboxExtension_toURL_ _attachSandboxExtensionsAndStartAccessing _attachSandboxExtensions_toURL_orURLs_ _dictForKey_ _documentWindowFrameForPanelRunningAsASheetInService_ _floatForKey_ _invalidateRemoteView _remoteAccessoryView _resetPrivateState _sendAccessoryView_ _setArray_forKey_ _setBool_forKey_ _setDefaultBridgeValues _setDict_forKey_ _setForKey_ _setRemoteAccessoryView_ _setSet_forKey_ _setString_forKey_ _startServiceFailedAlert _stringForKey_ advanceToRunPhaseIfNeededLayerCentric appCentric bridge commonPrep_runningAsASheet_hostWindow_runningAsASheet_ completeModal_ completeModeless_ completeSheet_ completeWithReturnCode_url_urls_ configureContentView_ didEndPanelWithReturnCode_ exportedInterface iCloudOpenPanel induceEventLoopIterationSoon isLayerCentric kvoKeys observeAsynchronousDelegateMethodCallKeyPath_paramDict_ observeAsynchronousIBActionKeyPath_paramDict_ observeAsynchronousRemoteMethodCallKeyPath_paramDict_ observeMostRecentCompletion_ refreshDelegateOptions remoteView serviceViewControllerInterface shouldRetainExportedObject urlForKey_ viewWillInvalidate_ NSVBSavePanel NSVCardPboardType NSValidatesImmediatelyBindingOption NSValidationErrorLocalizationPolicy NSValidationErrorMaximum NSValidationErrorMinimum NSValue NSValueBinder NSValueBinding NSValuePathBinding NSValueTransformer reverseTransformedValue_ transformedValue_ NSValueTransformerBindingOption NSValueTransformerNameBindingOption NSValueURLBinding NSVariableAssignmentExpression assignmentVariable initWithAssignmentExpression_expression_ initWithAssignmentVariable_expression_ NSVariableExpression NSVariableExpressionType NSVariableStatusItemLength NSVerticalGlyphFormAttributeName NSVerticalRuler NSViaPanelFontAction NSVibrantDarkAppearance NSVibrantLightAppearance NSVibrantSplitDividerView NSView NSViewAnimation _clearAnimationInfo _freeViewAnimationInfo _setupAnimationInfo initWithViewAnimations_ setViewAnimations_ viewAnimations NSViewAnimationEffectKey NSViewAnimationEndFrameKey NSViewAnimationFadeInEffect NSViewAnimationFadeOutEffect NSViewAnimationStartFrameKey NSViewAnimationTargetKey NSViewBoundsDidChangeNotification NSViewBuffer NSViewController NSViewControllerModalWindowTransition _makeWindowWithContentRect_ animateDismissalOfViewController_fromViewController_ animatePresentationOfViewController_fromViewController_ fromViewController setFromViewController_ setToViewController_ toViewController NSViewControllerPopoverTransition _windowDidClose_ initWithPositioningRect_ofView_preferredEdge_behavior_ NSViewControllerPresentationAnimatorObject NSViewControllerPushTransition NSViewControllerSheetTransition NSViewControllerTransitionAllowUserInteraction NSViewControllerTransitionCrossfade NSViewControllerTransitionNone NSViewControllerTransitionSlideBackward NSViewControllerTransitionSlideDown NSViewControllerTransitionSlideForward NSViewControllerTransitionSlideLeft NSViewControllerTransitionSlideRight NSViewControllerTransitionSlideUp NSViewControllerUtilityWindowTransition NSViewControllerWindowTransition NSViewDidUpdateTrackingAreasNotification NSViewDynamicToolTipManager NSViewFocusDidChangeNotification NSViewFrameDidChangeNotification NSViewGlobalFrameDidChangeNotification NSViewHeightSizable NSViewHierarchyLock _lockForWriting_handler_ lockForReadingWithExceptionHandler_ lockForWritingWithExceptionHandler_ tryLockForWritingWithExceptionHandler_ unlockTopMostReader unlockWithExceptionHandler_ NSViewLayerContentsPlacementBottom NSViewLayerContentsPlacementBottomLeft NSViewLayerContentsPlacementBottomRight NSViewLayerContentsPlacementCenter NSViewLayerContentsPlacementLeft NSViewLayerContentsPlacementRight NSViewLayerContentsPlacementScaleAxesIndependently NSViewLayerContentsPlacementScaleProportionallyToFill NSViewLayerContentsPlacementScaleProportionallyToFit NSViewLayerContentsPlacementTop NSViewLayerContentsPlacementTopLeft NSViewLayerContentsPlacementTopRight NSViewLayerContentsRedrawBeforeViewResize NSViewLayerContentsRedrawCrossfade NSViewLayerContentsRedrawDuringViewResize NSViewLayerContentsRedrawNever NSViewLayerContentsRedrawOnSetNeedsDisplay NSViewMaxXMargin NSViewMaxYMargin NSViewMinXMargin NSViewMinYMargin NSViewModeDocumentAttribute NSViewMultiClipDrawingHelper drawViewInRect_ initWithDrawingView_rects_ isDrawingContentAtIndex_ NSViewNoInstrinsicMetric NSViewNoIntrinsicMetric NSViewNotSizable NSViewSizeDocumentAttribute NSViewStateBinder NSViewTemplate NSViewTextAttachmentCell NSViewTextAttachmentCellHelper NSViewWidthSizable NSViewWindowBackingStoreBuffer NSViewZoomDocumentAttribute NSVisibleBinding NSVisualEffectBlendingModeBehindWindow NSVisualEffectBlendingModeWithinWindow NSVisualEffectMaterialAppearanceBased NSVisualEffectMaterialDark NSVisualEffectMaterialLight NSVisualEffectMaterialMediumLight NSVisualEffectMaterialMenu NSVisualEffectMaterialPopover NSVisualEffectMaterialSelection NSVisualEffectMaterialSidebar NSVisualEffectMaterialTitlebar NSVisualEffectMaterialUltraDark NSVisualEffectStateActive NSVisualEffectStateFollowsWindowActiveState NSVisualEffectStateInactive NSVisualEffectView NSVisualFormatLayoutRelationship initWithVisualFormat_options_metrics_rects_containerRect_ NSVoiceAge NSVoiceDemoText NSVoiceGender NSVoiceGenderFemale NSVoiceGenderMale NSVoiceGenderNeuter NSVoiceIdentifier NSVoiceIndividuallySpokenCharacters NSVoiceLanguage NSVoiceLocaleIdentifier NSVoiceName NSVoiceSupportedCharacters NSVolumeEnumerationProduceFileReferenceURLs NSVolumeEnumerationSkipHiddenVolumes NSWINDOWS1250EncodingDetector NSWINDOWS1251EncodingDetector NSWINDOWS1252EncodingDetector NSWINDOWS1253EncodingDetector NSWINDOWS1254EncodingDetector NSWINDOWS1255EncodingDetector NSWINDOWS1256EncodingDetector NSWINDOWS1257EncodingDetector NSWINDOWS1258EncodingDetector NSWINDOWS874EncodingDetector NSWINDOWS932EncodingDetector NSWINDOWS936EncodingDetector NSWINDOWS949EncodingDetector NSWINDOWS950EncodingDetector NSWantsBidiLevels NSWarningAlertStyle NSWarningValueBinding NSWeakAutounbinderBinding NSWeakObjectValue NSWebArchiveTextDocumentType NSWebPreferencesDocumentOption NSWebResourceLoadDelegateDocumentOption NSWeekCalendarUnit NSWeekDayNameArray NSWeekOfMonthCalendarUnit NSWeekOfYearCalendarUnit NSWeekdayCalendarUnit NSWeekdayOrdinalCalendarUnit NSWheelModeColorPanel NSWhite NSWhoseSpecifier _indexesOfPassingObjectsInContainer_ _initFromAbsolutePositionRecord_ _initFromRangeRecord_ _initFromTestRecord_ _objectIndexForSubelementIdentifier_subelementIndex_fromIndexes_ _setEndSubelementFromDescriptor_ _setStartSubelementFromDescriptor_ _shouldIgnoreInvalidIndexError _subsetDescription endSubelementIdentifier endSubelementIndex initWithContainerClassDescription_containerSpecifier_key_test_ setEndSubelementIdentifier_ setEndSubelementIndex_ setStartSubelementIdentifier_ setStartSubelementIndex_ setTest_ startSubelementIdentifier startSubelementIndex test NSWhoseTest NSWidth NSWidthBinding NSWidthInsensitiveSearch NSWillBecomeMultiThreadedNotification NSWindow NSWindowAbove NSWindowAnchorInfo horizontalAttribute horizontalItem setHorizontalAttribute_ setHorizontalItem_ setVerticalAttribute_ setVerticalItem_ verticalAttribute verticalItem NSWindowAnimationBehaviorAlertPanel NSWindowAnimationBehaviorDefault NSWindowAnimationBehaviorDocumentWindow NSWindowAnimationBehaviorNone NSWindowAnimationBehaviorUtilityWindow NSWindowAuxiliary cachedShadowParameters savedScreen setCachedShadowParameters_ setSavedScreen_ NSWindowBackdrop initWithWindowNumber_rect_level_materialTypeName_vibrancyEffectName_active_ materialTypeName saturation setSaturation_ vibrancyEffectName NSWindowBackingLocationDefault NSWindowBackingLocationMainMemory NSWindowBackingLocationVideoMemory NSWindowBatchOrdering addCompletionCallback_ bottomWindowOfAtLeastNormalWindowLevel deallocateAllWindows ensureCapacity_ indexOfTripletWithWindow_ performBatchOrderingForTripletsInRange_ performRelativeToWindow_ scheduleWindow_forBatchOrdering_relativeTo_ unscheduleWindow_ NSWindowBelow NSWindowBinder _updateWindow_withVisibilityState_ _updateWindow_withWidth_height_ window_didChangeToVisibleState_ NSWindowCloseButton NSWindowCollectionBehaviorCanJoinAllSpaces NSWindowCollectionBehaviorDefault NSWindowCollectionBehaviorFullScreenAllowsTiling NSWindowCollectionBehaviorFullScreenAuxiliary NSWindowCollectionBehaviorFullScreenDisallowsTiling NSWindowCollectionBehaviorFullScreenNone NSWindowCollectionBehaviorFullScreenPrimary NSWindowCollectionBehaviorIgnoresCycle NSWindowCollectionBehaviorManaged NSWindowCollectionBehaviorMoveToActiveSpace NSWindowCollectionBehaviorParticipatesInCycle NSWindowCollectionBehaviorStationary NSWindowCollectionBehaviorTransient NSWindowController NSWindowControllerMoreIVars externalObjectEntryTableForWindowLoading segueDestinationOptions segueTemplates setExternalObjectEntryTableForWindowLoading_ setSegueDestinationOptions_ setSegueTemplates_ setTopLevelObjectsToKeepAliveFromStoryboard_ topLevelObjectsToKeepAliveFromStoryboard NSWindowDepthOnehundredtwentyeightBitRGB NSWindowDepthSixtyfourBitRGB NSWindowDepthTwentyfourBitRGB NSWindowDidBecomeKeyNotification NSWindowDidBecomeMainNotification NSWindowDidChangeBackingPropertiesNotification NSWindowDidChangeOcclusionStateNotification NSWindowDidChangeScreenNotification NSWindowDidChangeScreenProfileNotification NSWindowDidDeminiaturizeNotification NSWindowDidEndLiveResizeNotification NSWindowDidEndSheetNotification NSWindowDidEnterFullScreenNotification NSWindowDidEnterVersionBrowserNotification NSWindowDidExitFullScreenNotification NSWindowDidExitVersionBrowserNotification NSWindowDidExposeNotification NSWindowDidMiniaturizeNotification NSWindowDidMoveNotification NSWindowDidResignKeyNotification NSWindowDidResignMainNotification NSWindowDidResizeNotification NSWindowDidUpdateNotification NSWindowDocumentIconButton NSWindowDocumentVersionsButton NSWindowExposedEventType NSWindowFullScreenButton NSWindowFullScreenController fullScreenTransition savedFrame savedScreenFrame savedScreenNumber setSavedFrame_ setSavedScreenFrame_ setSavedScreenNumber_ setStringWithSavedFrame_ setToolbarWasHidden_ setUserTilePreferredSize_ toolbarWasHidden userTilePreferredSize NSWindowGraphicsContext NSWindowLayout adjustFrame_forWindow_onScreen_ initWithWindowFrame_screenLayoutFrame_ initWithWindow_screen_ NSWindowList NSWindowListForContext NSWindowListOrderedFrontToBack NSWindowMenuItem NSWindowMiniaturizeButton NSWindowMovedEventType NSWindowNumberListAllApplications NSWindowNumberListAllSpaces NSWindowOcclusionStateVisible NSWindowOut NSWindowScaleAnimation endScale setEndScale_ setStartScale_ startScale NSWindowServerCommunicationException NSWindowSharingNone NSWindowSharingReadOnly NSWindowSharingReadWrite NSWindowSnappingPrefsViewController _prefsChanged_ _reloadProperties allowWindowDocking enableSnapping flashSnappedToWindow gapBetweenWindows instantUnsnap magneticSnapDistance onlySmoothAnimateWhenNotInTheWindow onlySnapWhenApproaching propertiesAsDictionary resetToDefaults_ resnapDistance setAllowWindowDocking_ setEnableSnapping_ setFlashSnappedToWindow_ setGapBetweenWindows_ setInstantUnsnap_ setMagneticSnapDistance_ setOnlySmoothAnimateWhenNotInTheWindow_ setOnlySnapWhenApproaching_ setResnapDistance_ setShouldLogSnapVelocity_ setShouldLogSnapping_ setShouldProvideHapticFeedback_ setShouldProvideSoundFeedback_ setShouldProvideVisualFeedback_ setShowSnapTargets_ setSmoothWindowMovement_ setSmoothWindowWithAnimation_ setSnapDistance_ setSnapToObscuredWindowEdges_ setSnapVelocity_ setUnsnapDistanceMaxAnglePoint_ setUnsnapDistanceMax_ setUnsnapDistanceMin_ setUnsnapDistance_ setUnsnapVelocity_ shouldLogSnapVelocity shouldLogSnapping shouldProvideHapticFeedback shouldProvideSoundFeedback shouldProvideVisualFeedback showSnapTargets smoothWindowMovement smoothWindowWithAnimation snapDistance snapToObscuredWindowEdges snapVelocity unsnapDistance unsnapDistanceMax unsnapDistanceMaxAnglePoint unsnapDistanceMin unsnapVelocity NSWindowStackController _addSyncedTabBarItemForWindow_atIndex_ _canFitWindow_ _closeAllWindowsExceptItemAtIndex_ _closeWindowAtIndex_ _doCloseButtonCloseOnWindow_withHighlight_ _doDockWindowMinimizeOfSelectedWindow _doTabSelectionAndWindowOrderingAtIndex_ _doTabSelectionAndWindowOrderingAtIndex_makeKeyAndOrderFront_justOrderFront_ _doWindowOrderingToSwapPriorWindow_withNewWindow_ _ensureAccessoryViewControllerExistsForWindow_ _ensureTabBarBasedOnWindow_ _ensureTabMenuTargetedForWindow_ _ensureWindowHasTabBar_ _enterWindow_intoFullScreenWithWindow_ _exitWindowFromFullScreenIfNeeded_basedOnWindow_ _indexOfWrapperForTabBarItem_ _insertDraggedItemAtIndex_fromController_sourceIndex_ _makeTabBarForWindow_visible_ _moveItemAtIndex_toIndex_excludingTabBar_ _nextSelectedIndexAfterRemovingIndex_ _noteTabbingChangedForWindow_ _removeSyncedItemAtIndex_ _removeSyncedTabBarItem_ _removeTabBarAccessoryViewControllerForWindow_ _selectNextTabWhenRemovingTabAtIndex_ _selectedWindow _shouldShowTabBarKey _startWatchingTabViewItem_ _stopWatchingTabViewItem_ _syncToolbarOfWindow_withPropertiesOfWindow_ _syncedWrapperForTabBarItem_ _tabBarShouldBeVisible _updateAllSyncedPropertiesForItem_ _windowForTabViewItem_ _windowYankedOutFromIndex_ _windowYankedOutIntoNewControllerFromIndex_ _wrapperForTabBarItem_ addWindow_ addWindow_atIndex_ attemptToCloseEntireStack_ didEnterFullScreenForWindow_ didExitFullScreenForWindow_ didFinishDeminiaturizeWindow_ handleDeminimizingWindow_ handleMinimizingWindow_ makeActiveStack moveWindow_toWindowStackController_atIndex_ nextWindowToSelectAfterClosingWindow_ numberOfTabs performCloseAllWindowsExcept_ removeWindow_ selectNextTab selectPreviousTab selectedWindow setSelectedWindow_ setShouldShowTabBarWithOneItem_ setStateIdentifier_ setTALTabIndex_forWindow_ setTabBarIsVisible_ shouldShowTabBarWithOneItem stateIdentifier syncToolbarsBasedOnWindow_ tabBarIsVisible tabBar_hideWindowForDraggingItemAtIndex_ tabBar_showWindowForDraggingItemAtIndex_ tabIndexForWindow_ updateTabBarAppearanceBasedOnWindow_ willEnterFullScreenForWindow_ windowCount windowDidGainToolbar_ NSWindowStyleMaskBorderless NSWindowStyleMaskClosable NSWindowStyleMaskDocModalWindow NSWindowStyleMaskFullScreen NSWindowStyleMaskFullSizeContentView NSWindowStyleMaskHUDWindow NSWindowStyleMaskMiniaturizable NSWindowStyleMaskNonactivatingPanel NSWindowStyleMaskResizable NSWindowStyleMaskTexturedBackground NSWindowStyleMaskTitled NSWindowStyleMaskUnifiedTitleAndToolbar NSWindowStyleMaskUtilityWindow NSWindowTabViewItem _assignPropertiesTo_ _copy _keysToObserve addAccessoryView_ insertAccessoryView_atIndex_ removeAccessoryView_ themeColor NSWindowTabbingMenuItem NSWindowTabbingModeAutomatic NSWindowTabbingModeDisallowed NSWindowTabbingModePreferred NSWindowTemplate autoPositionMask isDeferred maxFullScreenContentSizeIsSet minFullScreenContentSizeIsSet setAutoPositionMask_ setDeferred_ setMaxFullScreenContentSizeIsSet_ setMinFullScreenContentSizeIsSet_ setWantsToBeColor_ setWindowBackingLocation_ setWindowSharingType_ wantsToBeColor windowBackingLocation windowClassForNibInstantiate windowSharingType NSWindowTitleBinder window_didSetTitle_ NSWindowTitleHidden NSWindowTitleVisible NSWindowToolbarButton NSWindowUserTabbingPreferenceAlways NSWindowUserTabbingPreferenceInFullScreen NSWindowUserTabbingPreferenceManual NSWindowWillBeginSheetNotification NSWindowWillCloseNotification NSWindowWillEnterFullScreenNotification NSWindowWillEnterVersionBrowserNotification NSWindowWillExitFullScreenNotification NSWindowWillExitVersionBrowserNotification NSWindowWillMiniaturizeNotification NSWindowWillMoveNotification NSWindowWillStartLiveResizeNotification NSWindowZoomButton NSWindows95InterfaceStyle NSWindows95OperatingSystem NSWindowsCP1250StringEncoding NSWindowsCP1251StringEncoding NSWindowsCP1252StringEncoding NSWindowsCP1253StringEncoding NSWindowsCP1254StringEncoding NSWindowsNTOperatingSystem NSWordMLReader _textListsForListNumber_level_ NSWordMLTextDocumentType NSWordMLWriter XMLFormatData _appProperties _coreProperties _generateDocument _isWordML _metaProperties _writeCharacterAttributes_ _writeDocumentAttributes _writeDocumentProperties _writeFonts _writeParagraphStyle_ archive_propertiesForEntryName_ docxFormatData NSWordTablesReadException NSWordTablesWriteException NSWorkspace URLForApplicationToOpenURL_ URLForApplicationWithBundleIdentifier_ _URLForDuplicatingFileAtURL_ _applicationStatusChange_ _copyApplicationDictionaryFromLSDictionary_constructingAppFromCorpse_ _defaultDocIcon _fileOperationCompleted_ _fileOperation_source_destination_files_ _fullPathForService_ _getKVOHelperForKeyPath_creating_ _iconForOSType_ _iconForOSType_creator_ _launchService_andWait_ _launchServicesArchictureStringFromNSBundleExecutableArchitecture_ _locationsForApplications _notificationCenterWithoutTriggeringCreation _openFile_withApplication_asService_andWait_andDeactivate_ _openURLs_withAppPath_options_additionalEventParamDescriptor_launchIdentifiers_ _openURLs_withApplicationAtURL_options_configuration_errorHandler_ _postSessionNotificationIfNeeded _sendFileSystemChangedNotificationForSavePanelInfo_ _sendFinderAppleEvent_class_URLs_followSymlinks_ _sendFinderAppleEvent_class_file_ _volumeIsEjectableForRefNum_ _volumeSupportsLongFilenamesAtPath_ _volumeSupportsLongFilenamesForRefNum_ _workspaceSessionIsActive absolutePathForAppBundleWithIdentifier_ accessibilityDisplayShouldDifferentiateWithoutColor accessibilityDisplayShouldIncreaseContrast accessibilityDisplayShouldInvertColors accessibilityDisplayShouldReduceMotion accessibilityDisplayShouldReduceTransparency activateFileViewerSelectingURLs_ activeApplication automaticallyTerminatedApplications checkForRemovableMedia desktopImageOptionsForScreen_ desktopImageURLForScreen_ duplicateURLs_completionHandler_ extendPowerOffBy_ fileLabelColors fileLabels fileNameExtension_isValidForType_ fileSystemChanged filenameExtension_isValidForType_ findApplications frontmostApplication fullPathForApplication_ getFileSystemInfoForPath_isRemovable_isWritable_isUnmountable_description_type_ getInfoForFile_application_type_ hideOtherApplications iconForFileType_ iconForFile_ iconForFiles_ isFilePackageAtPath_ launchAppWithBundleIdentifier_options_additionalEventParamDescriptor_launchIdentifier_ launchApplicationAtURL_options_configuration_error_ launchApplication_ launchApplication_showIcon_autolaunch_ launchedApplications localizedDescriptionForType_ menuBarOwningApplication mountNewRemovableMedia mountedLocalVolumePaths mountedRemovableMedia noteFileSystemChanged noteFileSystemChanged_ noteUserDefaultsChanged notificationCenter openFile_ openFile_fromImage_at_inView_ openFile_operation_ openFile_withApplication_ openFile_withApplication_andDeactivate_ openTempFile_ openURL_options_configuration_error_ openURLs_withAppBundleIdentifier_options_additionalEventParamDescriptor_launchIdentifiers_ openURLs_withApplicationAtURL_options_configuration_error_ performFileOperation_source_destination_files_tag_ preferredFileNameExtensionForType_ preferredFilenameExtensionForType_ recycleURLs_completionHandler_ resetProfiling runningApplications selectFile_inFileViewerRootedAtPath_ setDesktopImageURL_forScreen_options_error_ setIcon_forFile_options_ showSearchResultsForQueryString_ startProfiling stopProfiling typeOfFile_error_ type_conformsToType_ unhideApplication unmountAndEjectDeviceAtPath_ unmountAndEjectDeviceAtURL_error_ unterminatedApplications userDefaultsChanged writeProfilingDataToPath_ NSWorkspaceAccessibilityDisplayOptionsDidChangeNotification NSWorkspaceActiveSpaceDidChangeNotification NSWorkspaceApplicationKVOHelper _indexOfApplicationWithASN_ _installStalenessObserver _registerForApplicationNotifications _unregisterForApplicationNotifications initWithKVOHelperIndex_ noteAppBirth_appInfo_ noteAppDeath_appInfo_ noteAppTALChange_appInfo_ noteIndividualAppChanged_ unobservedAppsPropertyBecameStale NSWorkspaceApplicationKey NSWorkspaceCompressOperation NSWorkspaceCopyOperation NSWorkspaceDecompressOperation NSWorkspaceDecryptOperation NSWorkspaceDesktopImageAllowClippingKey NSWorkspaceDesktopImageFillColorKey NSWorkspaceDesktopImageScalingKey NSWorkspaceDestroyOperation NSWorkspaceDidActivateApplicationNotification NSWorkspaceDidChangeFileLabelsNotification NSWorkspaceDidDeactivateApplicationNotification NSWorkspaceDidHideApplicationNotification NSWorkspaceDidLaunchApplicationNotification NSWorkspaceDidMountNotification NSWorkspaceDidPerformFileOperationNotification NSWorkspaceDidRenameVolumeNotification NSWorkspaceDidTerminateApplicationNotification NSWorkspaceDidUnhideApplicationNotification NSWorkspaceDidUnmountNotification NSWorkspaceDidWakeNotification NSWorkspaceDuplicateOperation NSWorkspaceEncryptOperation NSWorkspaceLaunchAllowingClassicStartup NSWorkspaceLaunchAndHide NSWorkspaceLaunchAndHideOthers NSWorkspaceLaunchAndPrint NSWorkspaceLaunchAsync NSWorkspaceLaunchConfigurationAppleEvent NSWorkspaceLaunchConfigurationArchitecture NSWorkspaceLaunchConfigurationArguments NSWorkspaceLaunchConfigurationEnvironment NSWorkspaceLaunchDefault NSWorkspaceLaunchInhibitingBackgroundOnly NSWorkspaceLaunchNewInstance NSWorkspaceLaunchPreferringClassic NSWorkspaceLaunchWithErrorPresentation NSWorkspaceLaunchWithoutActivation NSWorkspaceLaunchWithoutAddingToRecents NSWorkspaceLinkOperation NSWorkspaceMoveOperation NSWorkspaceNotificationCenter _accessibilityDisplaySettingsDidChange_ _addOrRemoveObserverForAllNotifications_isAdding_ _addOrRemoveObserver_forName_isAdding_ _checkForObserversOfSubsystem_ _createSubsystemIfNecessary_ _destroyAllUnobservedSubsystems _destroySubsystemIfUnobserved_ _workspaceDidBecomeActive_ _workspaceDidResignActive_ _workspaceDidResignOrBecomeActive_ connectionID hasObserversForNotificationName_ initWithWorkspace_ workspace NSWorkspaceRecycleOperation NSWorkspaceScreensDidSleepNotification NSWorkspaceScreensDidWakeNotification NSWorkspaceSessionDidBecomeActiveNotification NSWorkspaceSessionDidResignActiveNotification NSWorkspaceVolumeLocalizedNameKey NSWorkspaceVolumeOldLocalizedNameKey NSWorkspaceVolumeOldURLKey NSWorkspaceVolumeURLKey NSWorkspaceWillLaunchApplicationNotification NSWorkspaceWillPowerOffNotification NSWorkspaceWillSleepNotification NSWorkspaceWillUnmountNotification NSWrapCalendarComponents NSWrapperCellView NSWritingDirectionAttributeName NSWritingDirectionEmbedding NSWritingDirectionLeftToRight NSWritingDirectionNatural NSWritingDirectionOverride NSWritingDirectionRightToLeft NSXMLAttributeCDATAKind NSXMLAttributeDeclaration DTDKind URI XMLData XMLString XMLStringWithOptions_ XPath _XMLStringWithOptions_appendingToString_ _addToLibxml2TreeRepresentationWithDoc_dtd_context_ _setIndex_ _setKind_ _setParent_ addEnumeration_ canonicalXMLStringPreservingComments_ childAtIndex_ childCount elementName enumerations initWithKind_ initWithKind_options_ initWithXMLString_ isExternal localName nextNode nextSibling nodesForXPath_error_ objectsForXQuery_constants_error_ objectsForXQuery_error_ prefix previousNode previousSibling rootDocument setDTDKind_ setDefaultType_ setElementName_ setNotationName_ setPublicID_ setStringValue_resolvingEntities_ setSystemID_ setURI_ NSXMLAttributeDeclarationKind NSXMLAttributeEntitiesKind NSXMLAttributeEntityKind NSXMLAttributeEnumerationKind NSXMLAttributeIDKind NSXMLAttributeIDRefKind NSXMLAttributeIDRefsKind NSXMLAttributeKind NSXMLAttributeNMTokenKind NSXMLAttributeNMTokensKind NSXMLAttributeNotationKind NSXMLChildren initWithMutableArray_ makeStale reallyAddObject_ reallyInsertObject_atIndex_ reallyRemoveAllObjects reallyRemoveObjectAtIndex_ reallyRemoveObject_ reallyReplaceObjectAtIndex_withObject_ NSXMLCommentKind NSXMLContext NSXMLDTD _DTDString _addLibxml2TreeRepresentationToDoc_context_ _children _elementAttributeRelationship _internalXMLStringWithOptions_appendingToString_ _renameChild_toName_ _setDTDString_ _setModified_ attributeDeclarationForName_elementName_ countOfChildren elementDeclarationForName_ entityDeclarationForName_ initWithData_options_error_ insertChild_atIndex_ insertChildren_atIndex_ notationDeclarationForName_ objectInChildrenAtIndex_ removeChildAtIndex_ replaceChildAtIndex_withNode_ replaceObjectInChildrenAtIndex_withObject_ NSXMLDTDKind NSXMLDTDNode NSXMLDocument DTD XMLDataWithOptions_ _applyStylesheet_arguments_error_ _canonicalXMLStringPreservingComments_namespaceString_relationships_ _initWithData_encoding_options_error_ _initWithLibTidyDoc_child_encoding_ _libxml2TreeRepresentation _setContentKindAndEncoding _tidyWithData_error_isXML_detectedEncoding_ _validateWithSchemaAndReturnError_ characterEncoding documentContentKind initWithData_options_validExternalEntityURLs_error_ initWithRootElement_ initWithXMLString_options_error_ isStandalone objectByApplyingXSLTAtURL_arguments_error_ objectByApplyingXSLTAtURL_error_ objectByApplyingXSLTString_arguments_error_ objectByApplyingXSLT_arguments_error_ objectByApplyingXSLT_error_ rootElement setCharacterEncoding_ setDTD_ setDocumentContentKind_ setMIMEType_ setRootElement_ setStandalone_ validateAndReturnError_ NSXMLDocumentHTMLKind NSXMLDocumentIncludeContentTypeDeclaration NSXMLDocumentKind NSXMLDocumentMap _createDocument _deleteNode_byEntityName_ _insertNode_byEntityName_ _isDocumentXMLStore_ _processDBInfoNode_ _processDocument _processInstanceNode_ _processMetadataNode_ _updateDocumentMetadata containsObjectWithID_ createAttributeChildOnNode_forAttribute_type_andValue_ createRelationshipChildOnNode_forRelationshipDescription_ getIDRefStringForValue_ofRelationship_stringKeys_objectIDMapping_objectForError_ getXMLAttributeValueFromObject_forAttribute_ initWithDocument_forStore_ nodeFromManagedObject_objectIDMap_ prepareForSave retainedXmlInfoForRelationship_ updateXMLNode_fromObject_objectIDMapping_ xmlInfoForAttribute_ NSXMLDocumentMapNode initWithXMLNode_objectID_ setAllDestinations_ xmlNode NSXMLDocumentTextKind NSXMLDocumentTidyHTML NSXMLDocumentTidyXML NSXMLDocumentValidate NSXMLDocumentXHTMLKind NSXMLDocumentXInclude NSXMLDocumentXMLKind NSXMLElement _QNamesAreResolved _addTrustedAttribute_atIndex_ _bindAncestorNamespaces _bindNamespaceName_URI_ _changeQNamePrefix_toPrefix_forURI_ _changeQNameURI_toURI_forPrefix_ _initWithName_URI_prefixIndex_ _libxml2TreeRepresentationWithNamespaces_ _nameIsEqualToNameOfNode_ _namespaceForURI_ _prefixIndex _resolveName _resolveNamespaceForPrefix_ _setLocalName_ _setPrefix_ _setQNamesAreResolved_ addAttribute_ addNamespace_ attributeForLocalName_URI_ attributeForName_ countOfAttributes countOfNamespaces elementsForLocalName_URI_ elementsForName_ initWithLocalName_URI_ initWithName_URI_ initWithName_stringValue_ initWithXMLString_error_ insertObject_inAttributesAtIndex_ insertObject_inNamespacesAtIndex_ namespaceForPrefix_ namespaces normalizeAdjacentTextNodesPreservingCDATA_ objectInAttributesAtIndex_ objectInNamespacesAtIndex_ removeAttributeForName_ removeNamespaceForPrefix_ removeObjectFromAttributesAtIndex_ removeObjectFromNamespacesAtIndex_ resolveNamespaceForName_ resolvePrefixForNamespaceURI_ setAttributesAsDictionary_ setAttributesWithDictionary_ setNamespaces_ validateName_error_ NSXMLElementDeclarationAnyKind NSXMLElementDeclarationContent XMLStringSequenceStarted_choiceStarted_appendingToString_ contentKind initWithContentKind_occurrence_ leftChild libxml2Content occurrence rightChild setLeftChild_ setRightChild_ NSXMLElementDeclarationElementKind NSXMLElementDeclarationEmptyKind NSXMLElementDeclarationKind NSXMLElementDeclarationMixedKind NSXMLElementDeclarationUndefinedKind NSXMLElementKind NSXMLEntityDeclarationKind NSXMLEntityGeneralKind NSXMLEntityParameterKind NSXMLEntityParsedKind NSXMLEntityPredefined NSXMLEntityUnparsedKind NSXMLFidelityElement fidelity setEndWhitespace_ setFidelity_ setWhitespace_ NSXMLFidelityNode _XMLStringWithCharactersOnly addEntity_index_ isCDATA setRanges_ whitespace NSXMLInvalidKind NSXMLNSArrayTransformerName NSXMLNSDataTransformerName NSXMLNSDateTransformerName NSXMLNSNumberTransformerName _oldTransformedValue_ NSXMLNSURLTransformerName NSXMLNamedFidelityNode _caseSensitiveCompare_ initWithKind_localName_stringValue_URI_ initWithKind_name_stringValue_ initWithKind_name_stringValue_URI_ NSXMLNamedNode NSXMLNamespaceKind NSXMLNode NSXMLNodeCompactEmptyElement NSXMLNodeExpandEmptyElement NSXMLNodeIsCDATA NSXMLNodeLoadExternalEntitiesAlways NSXMLNodeLoadExternalEntitiesNever NSXMLNodeLoadExternalEntitiesSameOriginOnly NSXMLNodeNeverEscapeContents NSXMLNodeOptionsNone NSXMLNodePreserveAll NSXMLNodePreserveAttributeOrder NSXMLNodePreserveCDATA NSXMLNodePreserveCharacterReferences NSXMLNodePreserveDTD NSXMLNodePreserveEmptyElements NSXMLNodePreserveEntities NSXMLNodePreserveNamespaceOrder NSXMLNodePreservePrefixes NSXMLNodePreserveQuotes NSXMLNodePreserveWhitespace NSXMLNodePrettyPrint NSXMLNodePromoteSignificantWhitespace NSXMLNodeUseDoubleQuotes NSXMLNodeUseSingleQuotes NSXMLNotationDeclarationKind NSXMLObjectStore NSXMLObjectStore2 _arrangeToHaveMetadata _constructMetadataNode _createCacheNodeFromXMLElement_ _entitiesForConfiguration _loadFromDocument_ _loadMetadataFromDocument_ _metadataXML _processDocument_ _processMetadataForDocument_ _sortNodesForSave_ _updateXMLNode_fromObject_ getIDRefStringForValue_ofRelationship_objectForError_ NSXMLObjectStoreCacheNode2 _fillPropertyCache externalData initWithData_objectID_ oidReferenceData resetCaches NSXMLParser _handleParseResult_ _initializeSAX2Callbacks _popNamespaces _pushNamespaces_ _setExpandedParserError_ _setParserError_ _xmlExternalEntityWithURL_identifier_context_originalLoaderFunction_ abortParsing allowedExternalEntityURLs columnNumber externalEntityResolvingPolicy finishIncrementalParse initForIncrementalParsing lineNumber parseFromStream parserError setAllowedExternalEntityURLs_ setExternalEntityResolvingPolicy_ setShouldContinueAfterFatalError_ setShouldProcessNamespaces_ setShouldReportNamespacePrefixes_ setShouldResolveExternalEntities_ shouldContinueAfterFatalError shouldProcessNamespaces shouldReportNamespacePrefixes shouldResolveExternalEntities NSXMLParserAttributeHasNoValueError NSXMLParserAttributeListNotFinishedError NSXMLParserAttributeListNotStartedError NSXMLParserAttributeNotFinishedError NSXMLParserAttributeNotStartedError NSXMLParserAttributeRedefinedError NSXMLParserCDATANotFinishedError NSXMLParserCharacterRefAtEOFError NSXMLParserCharacterRefInDTDError NSXMLParserCharacterRefInEpilogError NSXMLParserCharacterRefInPrologError NSXMLParserCommentContainsDoubleHyphenError NSXMLParserCommentNotFinishedError NSXMLParserConditionalSectionNotFinishedError NSXMLParserConditionalSectionNotStartedError NSXMLParserDOCTYPEDeclNotFinishedError NSXMLParserDelegateAbortedParseError NSXMLParserDocumentStartError NSXMLParserElementContentDeclNotFinishedError NSXMLParserElementContentDeclNotStartedError NSXMLParserEmptyDocumentError NSXMLParserEncodingNotSupportedError NSXMLParserEntityBoundaryError NSXMLParserEntityIsExternalError NSXMLParserEntityIsParameterError NSXMLParserEntityNotFinishedError NSXMLParserEntityNotStartedError NSXMLParserEntityRefAtEOFError NSXMLParserEntityRefInDTDError NSXMLParserEntityRefInEpilogError NSXMLParserEntityRefInPrologError NSXMLParserEntityRefLoopError NSXMLParserEntityReferenceMissingSemiError NSXMLParserEntityReferenceWithoutNameError NSXMLParserEntityValueRequiredError NSXMLParserEqualExpectedError NSXMLParserErrorDomain NSXMLParserExternalStandaloneEntityError NSXMLParserExternalSubsetNotFinishedError NSXMLParserExtraContentError NSXMLParserGTRequiredError NSXMLParserInternalError NSXMLParserInvalidCharacterError NSXMLParserInvalidCharacterInEntityError NSXMLParserInvalidCharacterRefError NSXMLParserInvalidConditionalSectionError NSXMLParserInvalidDecimalCharacterRefError NSXMLParserInvalidEncodingError NSXMLParserInvalidEncodingNameError NSXMLParserInvalidHexCharacterRefError NSXMLParserInvalidURIError NSXMLParserLTRequiredError NSXMLParserLTSlashRequiredError NSXMLParserLessThanSymbolInAttributeError NSXMLParserLiteralNotFinishedError NSXMLParserLiteralNotStartedError NSXMLParserMisplacedCDATAEndStringError NSXMLParserMisplacedXMLDeclarationError NSXMLParserMixedContentDeclNotFinishedError NSXMLParserMixedContentDeclNotStartedError NSXMLParserNAMERequiredError NSXMLParserNMTOKENRequiredError NSXMLParserNamespaceDeclarationError NSXMLParserNoDTDError NSXMLParserNotWellBalancedError NSXMLParserNotationNotFinishedError NSXMLParserNotationNotStartedError NSXMLParserOutOfMemoryError NSXMLParserPCDATARequiredError NSXMLParserParsedEntityRefAtEOFError NSXMLParserParsedEntityRefInEpilogError NSXMLParserParsedEntityRefInInternalError NSXMLParserParsedEntityRefInInternalSubsetError NSXMLParserParsedEntityRefInPrologError NSXMLParserParsedEntityRefMissingSemiError NSXMLParserParsedEntityRefNoNameError NSXMLParserPrematureDocumentEndError NSXMLParserProcessingInstructionNotFinishedError NSXMLParserProcessingInstructionNotStartedError NSXMLParserPublicIdentifierRequiredError NSXMLParserResolveExternalEntitiesAlways NSXMLParserResolveExternalEntitiesNever NSXMLParserResolveExternalEntitiesNoNetwork NSXMLParserResolveExternalEntitiesSameOriginOnly NSXMLParserSeparatorRequiredError NSXMLParserSpaceRequiredError NSXMLParserStandaloneValueError NSXMLParserStringNotClosedError NSXMLParserStringNotStartedError NSXMLParserTagNameMismatchError NSXMLParserURIFragmentError NSXMLParserURIRequiredError NSXMLParserUndeclaredEntityError NSXMLParserUnfinishedTagError NSXMLParserUnknownEncodingError NSXMLParserUnparsedEntityError NSXMLParserXMLDeclNotFinishedError NSXMLParserXMLDeclNotStartedError NSXMLProcessingInstructionKind NSXMLSAXParser _addContent _addWhitespace _createElementContent_ afterEntityLookup current fidelityMask initWithData_isSingleDTDNode_options_error_ isSingleDTDNode root setAfterEntityLookup_ setCurrent_ setError_info_fatal_ setRoot_ NSXMLSchemaType NSXMLTextKind NSXMLTidy NSXMLTreeReader DTDString _initializeReader allowedEntityURLs createNamedNodeFromNode_reader_ externalEntityLoadingPolicy initWithData_documentClass_isSingleDTDNode_options_error_ initWithData_documentClass_options_error_ processCDATA_ processComment_ processDocumentFragment_ processDocumentType_ processDocument_ processElement_ processEndElement_ processEndEntity_ processEntityReference_ processEntity_ processNode_ processNotation_ processProcessingInstruction_ processRealDocument_ processSignificantWhitespace_ processText_ processWhitespace_ processXMLDeclaration_ setAllowedEntityURLs_ setExternalEntityLoadingPolicy_ NSXPCCoder decodeXPCObjectForKey_ decodeXPCObjectOfType_forKey_ encodeXPCObject_forKey_ NSXPCConnection _ISIconCache_clearCacheWithCompletion_ _ISIconCache_fetchCacheURLWithCompletion_ _ISIconCache_requestImageDataWithDescriptor_completion_ _ISStore_addData_withUUID_domain_completion_ _ISStore_fetchCachePathForDomain_completion_ _addClassToDecodeCache_ _addClassToEncodeCache_ _addImportedProxy_ _cancelProgress_ _decodeAndInvokeMessageWithData_ _decodeAndInvokeReplyBlockWithData_sequence_replyInfo_ _decodeCacheContainsClass_ _decodeProgressMessageWithData_ _encodeCacheContainsClass_ _errorDescription _exportTable _generationCount _initWithPeerConnection_name_options_ _killConnection_ _pauseProgress_ _queue _removeImportedProxy_ _resumeProgress_ _sendDesistForProxy_ _sendInvocation_withProxy_remoteInterface_ _sendInvocation_withProxy_remoteInterface_withErrorHandler_ _sendInvocation_withProxy_remoteInterface_withErrorHandler_timeout_ _sendInvocation_withProxy_remoteInterface_withErrorHandler_timeout_userInfo_ _sendProgressMessage_forSequence_ _setQueue_ _setTargetUserIdentifier_ _setUUID_ _unboostingRemoteObjectProxy _xpcConnection addBarrierBlock_ auditSessionIdentifier effectiveGroupIdentifier effectiveUserIdentifier exportedObject initWithEndpoint_ initWithListenerEndpoint_ initWithMachServiceName_ initWithMachServiceName_options_ initWithServiceName_ initWithServiceName_options_ remoteObjectInterface remoteObjectProxyWithTimeout_errorHandler_ remoteObjectProxyWithUserInfo_errorHandler_ replacementObjectForEncoder_object_ setExportedInterface_ setExportedObject_ setRemoteObjectInterface_ synchronousRemoteObjectProxyWithErrorHandler_ valueForEntitlement_ NSXPCConnectionErrorMaximum NSXPCConnectionErrorMinimum NSXPCConnectionInterrupted NSXPCConnectionInvalid NSXPCConnectionPrivileged NSXPCConnectionReplyInvalid NSXPCDecoder _decodeCStringForKey_ _initWithRootXPCObject_ replyToSelector setInterface_ setReplyToSelector_ set_connection_ NSXPCEncoder _checkObject_ _encodeCString_forKey_ _encodeObject_ _insertIntoXPCObject_ _newRootXPCObject _replaceObject_ NSXPCInterface _allowedClassesForSelector_reply_ _interfaceForArgument_ofSelector_reply_ _verifiedMethodSignatureForReplyBlockOfSelector_ _verifiedMethodSignatureForSelector_ classForSelector_argumentIndex_ofReply_ classesForSelector_argumentIndex_ofReply_ interfaceForSelector_argumentIndex_ofReply_ replyBlockSignatureForSelector_ setClass_forSelector_argumentIndex_ofReply_ setClasses_forSelector_argumentIndex_ofReply_ setInterface_forSelector_argumentIndex_ofReply_ setProtocol_ setReplyBlockSignature_forSelector_ NSXPCListener NSXPCListenerEndpoint _endpoint _initWithConnection_ _setEndpoint_ NSXPCRow NSXPCSpellServerClient contextForMessageName_waitForReply_ initWithServerName_ NSXPCSpellServerClientContext initWithClient_messageName_waitForReply_ messageName waiter NSXPCStore _cacheNodePropertiesFromObject_ _cachedRowForObjectWithID_generation_ _cachedRowForRelationship_onObjectWithID_generation_ _clearCachedRowForObjectWithID_generation_ _commitChangesForRequest_ _createAndCacheRowForObjectWithID_propertyValues_inContext_error_ _executeSaveRequest_forceInsertsToUpdates_withContext_interrupts_error_ _sanityCheckToken _updateRollbackCacheForObjectWithID_relationship_withValuesFrom_ cacheContents_ofRelationship_onObjectWithID_generation_ cacheContents_ofRelationship_onObjectWithID_withTimestamp_generation_ cacheFetchedRows_forManagedObjects_generation_ decodePrefetchArray_forSources_context_ decodePrefetchResult_forSources_context_ decodeResults_forFaultOfObjectWithID_context_error_ decodeResults_forFetch_context_error_ decodeValue_forRelationship_onSource_inContext_error_ disconnectConnection_ encodeObjectsForSave_forDelete_ encodeSaveRequest_forceInsertsToUpdates_ executeFetchRequest_withContext_error_ executePullChangesRequest_withContext_error_ executeSaveRequest_withContext_error_ remoteStoreChangedNotificationName retainedConnection sendMessage_fromContext_interrupts_error_ setSQLCore_ setupRemoteStoreObserver NSXPCStoreConnection createConnectionWithOptions_ initForStore_withOptions_ sendMessage_fromContext_store_error_ NSXPCStoreConnectionInfo cache initForToken_entitlementNames_cache_ NSXPCStoreManagedObjectArchivingToken initWithURI_ NSXPCStoreNotificationObserver initForObservationWithName_store_ NSXPCStoreServer XPCEncodableGenerationTokenForOriginal_inContext_ _createCoordinator _populateObject_withValuesFromClient_ context_shouldHandleInaccessibleFault_forObjectID_andTrigger_ errorHandlingDelegate errorIsPlausiblyAnSQLiteIssue_ handleFaultRequest_inContext_error_ handleFetchRequest_inContext_error_ handleMetadataRequestInContext_ handleNotificationNameRequestInContext_error_ handleObtainRequest_inContext_error_ handlePullChangesRequest_inContext_error_ handleQueryGenerationReleaseRequest_inContext_error_ handleQueryGenerationRequestInContext_error_ handleRelationshipFaultRequest_inContext_error_ handleRequest_reply_ handleSaveRequest_inContext_error_ initForStoreWithURL_usingModelAtURL_options_policy_ localGenerationForXPCToken_withContext_ removeCachesForConnection_ requestHandlingPolicy retainedCacheForConnection_ setErrorHandlingDelegate_ setupRecoveryForConnectionContext_ifNecessary_ unpackQueryGeneration_withContext_ NSXPCStoreServerConnectionContext initWithConnectionInfo_ notificationManager setNotificationManager_ NSXPCStoreServerNotificationManager changesSinceGeneration_ currentGenerationForStore_ currentGenerationTokenForStore_ handleNotification_ registerContext_ registerStore_ unregisterContext_ unregisterStore_ NSXPCStoreServerPerConnectionCache coordinator initWithCoordinator_ localGenerationForRemoteGeneration_ registerQueryGeneration_forRemoteGeneration_ releaseQueryGenerationForRemoteGeneration_ NSXPCStoreServerRequestHandlingPolicy _coreFaultForObjectWithID_fromClientWithContext_error_ _coreProcessFetchRequest_fromClientWithContext_error_ _prefetchRelationshipKey_sourceEntityDescription_sourceObjectIDs_prefetchRelationshipKeys_inContext_ getIDsForEntity_count_inContext_error_ prefetchRelationships_forFetch_sourceOIDs_fromClientWithContext_ processFaultForObjectWithID_fromClientWithContext_error_ processFaultForRelationshipWithName_onObjectWithID_fromClientWithContext_error_ processFetchRequest_fromClientWithContext_error_ processFetchResults_prefetchedObjects_ofType_ processObtainRequest_inContext_error_ processPullChangesRequest_fromClientWithContext_error_ processRelationshipSourceObjectID_fromClientWithContext_error_ processRequest_fromClientWithContext_error_ processSaveRequest_fromClientWithContext_error_ restrictingPullChangeHistoryPredicateForEntity_fromClientWithContext_ restrictingReadPredicateForEntity_fromClientWithContext_ restrictingWritePredicateForEntity_fromClientWithContext_ shouldAcceptConnectionsFromClientWithContext_ shouldAcceptMetadataChangesFromClientWithContext_ NSYearCalendarUnit NSYearForWeekOfYearCalendarUnit NSYearMonthDatePickerElementFlag NSYearMonthDayDatePickerElementFlag NSYearMonthWeekDesignations NSZeroPoint NSZeroRect NSZeroSize NSZipFileArchive archiveData archiveStream contentsForEntryName_ entryNames initWithEntryNames_contents_properties_options_ initWithEntryNames_dataProvider_options_ initWithPath_options_error_ propertiesForEntryName_ streamForEntryName_ writeContentsForEntryName_toFile_options_error_ NSZipTextReader _loadContentData _loadWordData _loadXMLData NSZombieEnabled NSZone NSZoneName NSZonePtr NS_BLOCKS_AVAILABLE NS_BigEndian NS_LittleEndian NS_UNICHAR_IS_EIGHT_BIT NS_USER_ACTIVITY_SUPPORTED NS_UnknownByteOrder NWConcrete_nw_connection initWithEndpoint_parameters_ NWConcrete_nw_endpoint_fallback applyWithHandler_toChildren_ cancelWithHandler_forced_ startWithHandler_ updatePathWithHandler_ NWConcrete_nw_endpoint_flow NWConcrete_nw_endpoint_handler initWithEndpoint_parameters_reportCallback_context_parent_ NWConcrete_nw_endpoint_proxy NWConcrete_nw_endpoint_resolver NWConcrete_nw_fd_wrapper NWConcrete_nw_multipath_subflow_watcher initWithEndpoint_parameters_handler_ NWConcrete_nw_pac_resolver NWConcrete_nw_resolver initWithEndpoint_parameters_dns_service_id_localOnly_ NWConcrete_tcp_connection initWithParameters_ NXReadNSObjectFromCoder NotificationInfo notification setNotification_ NumGlyphsToGetEachTime OBEXFileAction OBEXAbortHandler_ OBEXConnectHandler_ OBEXDisconnectHandler_ OBEXGetHandler_ OBEXPutHandler_ SessionResponseCallback_ abortAction_ addUserDefinedOBEXHeader_ connectWithTargetHeader_targetHeaderLength_ currentRemoteDirectory finalizeActionAsync_ finalizeActionWithError_ getRemoteFileNamed_toLocalPathAndName_ inactivityTimerFired_ initForNewAction initiateAction isBusy notifySelectorOfProgress_ putFileToRemote_ setActionArgument_ setActionInProgress_ setConnectionID_ setEventTarget_andSelector_ setOBEXSession_ setSubclassIsGet_ startCommand OBEXFileGet SendGetResponse_ getDefaultVCardToLocalPathAndName_ postFileReceivedProcessing OBEXFilePut getNextDataChunk_optionalHeaderLength_isLastChunk_ getNextFileChunk_optionalHeaderLength_isLastChunk_ putDataToRemote_type_name_ setCountHeader_ OBEXFileTransferServices GetFileHandler_isEnd_errorCode_transferProgress_ OBEXGetFolderListingHandler_ OBEXRemoveItemHandler_ OBEXSession OBEXSetPathHandler_ PutFileHandler_isEnd_errorCode_transferProgress_ changeCurrentFolderBackward changeCurrentFolderForwardToPath_ changeCurrentFolderToRoot connectToFTPService connectToObjectPushService copyRemoteFile_toLocalPath_ createFolder_ currentPath finalizeActionWithError_itemName_ getDefaultVCard_ initWithOBEXSession_ notifyDelegateOfProgress_itemName_ retrieveFolderListing sendData_type_name_ sendFile_ sendGetListingCommandWithDict_ sendRemoveCommandWithDict_ sendSetPathCommandWithDict_andFlags_ setActionArgument1_ setActionArgument2_ setActionArgument3_ OC_NSAutoreleasePoolCollector OC_NSBundleHack OC_NSBundleHackCheck OC_PythonArray getObjects_inRange_ initWithPythonObject_ pyobjcSetValue_ supportsWeakPointers OC_PythonData OC_PythonDate _make_oc_value OC_PythonDictionary OC_PythonDictionaryEnumerator initWithWrappedDictionary_ OC_PythonEnumerator OC_PythonNumber getValue_forType_ OC_PythonObject _forwardNative_ initWithPyObject_ pyObject OC_PythonSet OC_PythonUnicode __realObject__ ODAttributeMap customQueryFunction customTranslationFunction setCustomAttributes_ setCustomQueryFunction_ setCustomTranslationFunction_ setStaticValue_ setVariableSubstitution_ ODConfiguration addTrustType_trustAccount_trustPassword_username_password_joinExisting_error_ authenticationModuleEntries connectionIdleTimeoutInSeconds connectionSetupTimeoutInSeconds defaultMappings defaultModuleEntries discoveryModuleEntries generalModuleEntries hideRegistration initWithSession_ manInTheMiddleProtection packageModules_intoConfiguration_forCategory_ packetEncryption packetSigning preferredDestinationHostName preferredDestinationHostPort queryTimeoutInSeconds removeTrustUsingUsername_password_deleteTrustAccount_error_ saveUsingAuthorization_error_ setAuthenticationModuleEntries_ setConnectionIdleTimeoutInSeconds_ setConnectionSetupTimeoutInSeconds_ setDefaultMappings_ setDefaultModuleEntries_ setDiscoveryModuleEntries_ setGeneralModuleEntries_ setHideRegistration_ setManInTheMiddleProtection_ setNodeName_ setPacketEncryption_ setPacketSigning_ setPreferredDestinationHostName_ setPreferredDestinationHostPort_ setQueryTimeoutInSeconds_ setSession_ setTemplateName_ setVirtualSubnodes_ templateName trustAccount trustKerberosPrincipal trustMetaAccount trustType trustUsesKerberosKeytab trustUsesMutualAuthentication trustUsesSystemKeychain virtualSubnodes ODContext ODMappings functionAttributes recordMapForStandardRecordType_ recordTypes setFunctionAttributes_ setRecordMap_forStandardRecordType_ ODModuleEntry mappings option_ setMappings_ setOption_value_ setUuidString_ setXpcServiceName_ supportedOptions uuidString xpcServiceName ODNode ODQuery ODRecord ODRecordMap attributeMapForStandardAttribute_ native odPredicate setAttributeMap_forStandardAttribute_ setNative_ setOdPredicate_ standardAttributeTypes ODSession OIDStringCache OSALogWriter fileNameForLogType_fileNamePrefix_additionalHeaders_attemptIndex_ hasXAttrAt_withName_ logSavedProblemReportForLogType_additionalHeaders_writingOptions_logLocation_ setXattrAt_key_value_ stringXAttrAt_withName_ throttleUnsubmittedProblemReportsAt_logType_appName_ writeLogWithType_fileNamePrefix_additionalHeaders_writingOptions_writerBlock_ OSLogCoder _setFlags_ setPublic setTruncated OS_at_encoder _dispose _xref_dispose OS_dispatch_data _bytesAreVM _getContext _resume _setContext_ _setFinalizer_ _setTargetQueue_ _suspend OS_dispatch_data_empty OS_dispatch_disk OS_dispatch_group OS_dispatch_io OS_dispatch_mach OS_dispatch_mach_msg OS_dispatch_object OS_dispatch_operation OS_dispatch_queue OS_dispatch_queue_attr OS_dispatch_queue_concurrent OS_dispatch_queue_main OS_dispatch_queue_mgr OS_dispatch_queue_root OS_dispatch_queue_runloop OS_dispatch_queue_serial OS_dispatch_queue_specific_queue OS_dispatch_semaphore OS_dispatch_source OS_la_object OS_network_proxy OS_nw_array OS_nw_channel OS_nw_dictionary OS_nw_endpoint OS_nw_frame OS_nw_interface OS_nw_nexus OS_nw_parameters OS_nw_path OS_nw_path_evaluator OS_nw_protocol_coretls OS_nw_protocol_rawip OS_nw_protocol_socket OS_nw_read_request OS_nw_socket_subflow OS_nw_udp_listener OS_nw_write_request OS_object OS_os_activity OS_os_eventlog OS_os_log OS_os_transaction OS_tcp_listener OS_voucher OS_xpc_activity OS_xpc_array OS_xpc_bool OS_xpc_bundle OS_xpc_connection OS_xpc_data OS_xpc_date OS_xpc_dictionary OS_xpc_double OS_xpc_endpoint OS_xpc_error OS_xpc_fd OS_xpc_int64 OS_xpc_mach_recv OS_xpc_mach_send OS_xpc_null OS_xpc_object OS_xpc_pipe OS_xpc_pointer OS_xpc_serializer OS_xpc_service OS_xpc_service_instance OS_xpc_shmem OS_xpc_string OS_xpc_uint64 OS_xpc_uuid Object PAAbandonedMemory accumulateToSummary_isValid_ averageBytesAbandoned averageBytesLeaked averageNodesAbandoned averageNodesLeaked bytesAbandoned bytesLeaked dataSetDescription firstValidIteration getIterationSummaries initWithArchive_usingProcess_firstValidIteration_lastValidIteration_ iterationIndex_categoryFlag_reportDetails_ iterationsMallocData lastValidIteration nodesAbandoned nodesLeaked numIterations numValidIterations perIterationDetailed perIterationSummary procName procPID setBytesAbandoned_ setBytesLeaked_ setFirstValidIteration_ setIterationsMallocData_ setLastValidIteration_ setNodesAbandoned_ setNodesLeaked_ setProcName_ setProcPID_ setStdDevBytesAbandoned_ setStdDevBytesLeaked_ setStdDevNodesAbandoned_ setStdDevNodesLeaked_ setSummaryMallocData_ setTotalBytesAbandoned_ setTotalNodesAbandoned_ stdDevBytesAbandoned stdDevBytesLeaked stdDevNodesAbandoned stdDevNodesLeaked summary summaryMallocData totalBytesAbandoned totalNodesAbandoned PACURLSessionDelegate URLSession_didReceiveChallenge_completionHandler_ PACommpageRegion _isPrivate classification classifyRegion compareClean_ compareDirtyAndSwapped_ compareSize_ compareSpec_ compare_equalWhenContained_equalWhenIntersects_ containsSwappedPages_ contains_ end fullDetailsString gatherDetailedResidency getPrivateResidency getResidency getSharedResidency inProcObjectCount initWithAddress_andSize_ initWithVMRegionInfo_andProcess_ intersects_ isConsistent isContiguous_ offsetFromObject owningProcess privateResidentString protectionString purgeState purgeStateString rangeString regionInfo regionSharePurgeProtString regionTypeSpecificString residentAndInfoString residentString setClassification_ setInProcObjectCount_ setOffsetFromObject_ setPurgeState_ setStart_ setValidObjectCount_ sharedResidentString sharedString validObjectCount PADataArchive addAbandonedMemoryData_withTag_ addFootprint_withTag_ addObject_withName_withTag_ addProcess_withTag_ archivePath cleanupDecompressDir decompressFromFile_ decompressPath fullNameString getAbandonedMemoryDataWithHandle_ getAllKeys getFootprintHandlesWithKeyName_ getFootprintWithHandle_ getKeyForProcessWithName_pid_ getObjectHandlesWithKeyName_classString_ getObjectWithHandle_ getProcessHandlesWithKeyName_ getProcessWithHandle_ listings setArchivePath_ setDecompressPath_ setListings_ writeOutChanges_ PADataArchiveHandle initWithKey_index_tag_ PADataArchiveKey containsClass_ initWithName_classString_ initWithName_class_ keyName setKeyName_ PAFootprint _printCategorySummaryWithDetails_ _printGraphicsSummaryForProcess_ _printTotal _refreshDataStructures _removeIdleExitCleanProcesses _sortedNonZeroProcessGroupsByFlavor_forGroups_ _sortedProcesses collapseSharing footprintBytes footprintBytesForPid_ footprintBytesForProcess_ gatherData gatherDetailedProcessInfo gatherGraphicsData gatherMallocDetails initForAllProcesses initWithProcessesNames_andPids_ initWithProcessesNames_andPids_andTargetChildren_ initWithProcesses_ mallocDetailsDisclosureDepth mallocDetailsMinimumBytes printDetailedMemoryTotalsForMemoryLabelled_onProcess_forSortedProcessGroups_withTotalSize_andGroupDifferentiation_forFlavor_callOutSwapped_ printSummary processes setCollapseSharing_ setGatherDetailedProcessInfo_ setGatherGraphicsData_ setGatherMallocDetails_ setMallocDetailsDisclosureDepth_ setMallocDetailsMinimumBytes_ setShowCategories_ setShowRegions_ setShowSwapped_ showCategories showRegions showSwapped swappedBytes PAGraphicsInfoCollector _refreshGraphicsDataForAllocations_forProcesses_ collectDataForProcesses_ processToGraphicsSummary systemGraphicsSummary PAImage initWithSegmentSymbolOwner_SectionOwner_ isExecutable isInSharedCache nameFromPath nameString segments segmentsAndSectionsString segmentsString setIsInSharedCache_ setSegments_ setSlide_ slide PAImageSection compareRange_equalWhenContained_equalWhenIntersects_ initWithCSRegion_Parent_ summaryString PAImageSegment initWithImage_SegmentCSRegion_Sections_ parentImage sectionsStringWithPrefix_ setParentImage_ setSections_ PAImageSegmentRegion imageName imagePath initWithVMRegionInfo_process_andSegment_ segment segmentInfoString segmentName setImageName_ setImagePath_ setSegmentName_ setSegment_ PAMallocData addCopyOfMemAllocationFromOtherMallocData_ allocationCategoryDict calculateLeaksTotalsWithArray_ calculateTotals calculatedLeaksTotals calculatedTotals deserializeMemAllocationCategoriesAndReturnIndexArray_WithStringsIndexArray_ deserializedMallocStackTreeAndReturnIndexArray_WithStringsIndexArray_ discardIndividualAllocations extractDataFromPointersDict_ fillBufferWithZones_StringDict_ fillInStringsSection_BufferLength_IndexToString_NumStrings_ fillIndexToStringMapping_FromStringDict_ fillMallocDataHeader_ findLeaks_WithPointers_ gatherObjectTypes_withStacks_ gatherPurgeStateOfAllocs_ getPointersByZoneDictFromSerializedMemAllocations_WithIndexToMemCategoriesArray_WithIndexToStackFramesArray_WithStringsIndex_ identifyObject_FromZone_WithIdentifier_ leaksArray leaksCategoryDict mallocDataWithFilter_ memorySummaryString newNSStringArrayWithStringIndexHeader_ organizeAndCalculateTotals pointersByZone populateInstanceFields_ serializedAllocationCategoriesWithStringsDict_ serializedAllocationsWithStringsDict_ serializedStackTreeWithStringsDict_ serializedStringsWithStringsDict_ setAllocationCategoryDict_ setCalculatedLeaksTotals_ setCalculatedTotals_ setLeaksArray_ setLeaksCategoryDict_ setPointersByZone_ sortedAllocationCategories sortedLeaksCategories stackTreeStringWithMemoryStats_ totalAllocatedMemoryString totalAllocatedShortString totalBytes totalLeakedBytes totalLeakedMemoryString totalLeakedNodes totalLeakedShortString totalNodes PAMallocRegion PAMallocStackTree addAllocation_WithTask_ addBranchToTreeFromOtherTree_ addMemAllocation_atEquivalentBranchFromOtherTree_ initWithSerializedMallocStackTree_NewIndexToMallocStackNodeOut_WithStringsIndexArray_ serializeToBuffer_WithStrings_ stringForTreeWithMemoryStats_ symbolicateTreeWithTask_ totalFrames PAMallocStackTreeFrame addAllocation_WithStack_OfDepth_ addBranchFromOtherTree_currentDepth_ addMemAllocationWithoutBuildingTree_ compareBytes_ frameStringWithDepth_andMemoryStats_ gotSourceInfo initWithFrame_Parent_ initWithSameMetaInfoAsFrame_WithParent_ initWithSerializedFrameArray_WithTreeHeader_WithParent_WithIndexToFrameArray_WithCurrentIndex_WithStringsIndexArray_ isSymbolicated metaInformationMatches_ numChildBytes numChildNodes numFramesInSubtree numSelfBytes numSelfNodes printSelfAndChildren_ serializeToBuffer_ParentIndex_CurrentIndex_WithStrings_ serializedIndex setSourceInfoFilename_ setSymbolName_ setSymbolOwnerName_ sortChildrenByBytes sourceInfoFilename stringForBranchWithMemoryStats_ stringForFrameAndChildren_doMemoryStats_ symbolLocation symbolName symbolOwnerName symbolicateWithSym_ PAMappedFileRegion bytesOnDisk setBytesOnDisk_ PAMemAllocation binary fullDescriptionString initWithPAMemAllocationSerialized_WithIndexToMemCategoriesArray_WithIndexToStackArray_WithNonLeakMemAllocationCategories_WithStringIndex_ initWithRawInfoOfMemAllocation_ isLeak mallocZone setIsLeak_ setTreeLocation_ treeLocation writeContentsToBuffer_StringDict_ PAMemAllocationCategory averageSize averageSizeString binaryString initWithName_Type_Binary_Zone_IsLeaks_ initWithSameMetaInfoAsCategory_ initWithSerializedMemAllocationCategory_WithStringsArray_ isLeaks keyForCategory mallocZoneString numAllocations numAllocationsString serializeToBuffer_WithStringsDict_Index_ setBinary_ setIsLeaks_ setMallocZone_ setTotalSize_ sizeString PAMemRange PAMemRegion PAMemoryCategory _sortedNonZeroSubCategoriesForFlavor_ addMemoryObject_ detailStringForFlavor_andCallOutSwapped_andShowCategories_andShowRegions_ initWithName_forProcess_ memObjects process subCategories totalCleanSize totalDirtySize totalReclaimableSize totalSwappedSize PAMemoryCategoryAggregation PAMemoryCategoryOrganizer _sortedNonZeroCategoriesForFlavor_ categories initForProcess_ PAMemoryObject _calculateSizes _checkForCylce _printRangeList addRegion_forResidency_ referringMemRegions referringProcesses regionsForProcess_ PAMemoryObjectOrganizer _addRegion_toMemoryObjects_withResidency_ _debugPrint _tuplesForProcess_andMemoryGroups_ _uniqueTupleForProcess_inMemoryGroups_ _updateGroups _updateGroups_withMemoryObjects_ _updateProcessMemoryGroups_withGroupForProcesses_ addProcess_ allPrivateMemoryGroupsContainingProcess_ allSharedMemoryGroupsContainingProcess_ collapseSharedGroups privateMemoryGroupForSingleProcess_ privateMemoryObjects processPrivateMemoryGroups processSharedMemoryGroups sharedMemoryGroupForSingleProcess_ sharedMemoryObjects PAMemorySimpleGraphicsSummary PAMemorySubCategory _sortedMemObjectsForFlavor_ _sortedMemRegions_ detailStringForFlavor_andCallOutSwapped_andShowRegions_ memRegions PAPLDistributedNotificationHandler initWithHandler_andTargetQueue_ processXPCDictionary_ PAPage PAPageResidency addResidency_ cleanNonSpecBytes compareDirty_ compareNonSpecResident_ compareResident_ copiedBytes copiedPages dirtyBytes dirtyPages initWithPageResidency_ isDetailed isSane reclaimableBytes reclaimablePages resBytesString resString residentBytes residentNonSpecBytes residentNonSpecPages residentPages setCopiedPages_ setDirtyPages_ setIsDetailed_ setReclaimablePages_ setResidentNonSpecPages_ setResidentPages_ setSpeculativePages_ setSwappedPages_ speculativeBytes speculativePages subtractResidency_ swappedPages PAPageResidencyDiff initWithResidencyBefore_After_ PAPerfLoggingClientOperation _addResultsForIntervalsToResultsDict_ _ktraceMarkIntervalTransition_withTransitionType_ _ktraceMarkOperationEndWithType_ _ktraceMarkOperationStart _ktraceOperationEventWithID_ _ktraceOperationEventWithID_andString_ _logNumSlowWSUpdates_ _numWSUpdatesDuringOperation _processIntervalEventStream_withContextProcessingConfiguration_ endTimeInSec endWithType_truncateDurationInSeconds_ getIntervalDataDictionary hasSeenWSUpdate initAndStartWithOperationCategory_andOperationName_andPid_shouldMonitorWSUpdates_ initWithProcessName_andOperationCategory_andOperationName_andPid_ logIntervalData_ markIntervalTransition_transitionType_atCGSTimestampInSec_withContext_isWSIntervalTransition_ markOperationEndTruncatedByDuration_ markOperationStart markSlowFrameFrame_withIntervalRange_ matchingCategoryRegexString matchingNameRegexString matchingProcessNameRegexString numSlowWSUpdates operationCategory operationDurationInMs operationKey operationName setContextProcessingConfiguration_forIntervalType_ setMatchingCategoryRegexString_ setMatchingNameRegexString_ setMatchingProcessNameRegexString_ setOperationCategory_ setOperationName_ slowWSUpdateInfoArray startTimeInSec stringForIntervalEventTimeline PAPerfLoggingIntervalData _addNSStringDataType_andDoubleValue_toMessageTracerMessage_ _initializeFieldsFromParentOperationInformation_ _isWSFrameInterval _logPAPerfLoggingDataValue_uom_doLocalLogging_ _newMessageTracerIntervalSpecificCStringKeyForNSStringDataType_ addIntervalDataToMessageTracerMessage_ averageIntervalDurationInMs endOfLastIntervalInSec initWithIntervalType_andIntervalDurationInMSArray_andIntervalStartTimeInSecArray_ofLength_andNumUnpairedTransitions_andTimeOfFirstIntervalStartInSec_andTimeOfLastIntervalEndInSec_andProcessedMetaDataArray_andProcessedMetaDataUOMsArray_withPAPerfLoggingData_ initialDelayDurationInMs intervalCount intervalDurationInMsArray intervalRateOverOperationIgnoringDelayInIntervalsPerSec intervalRateOverOperationInIntervalsPerSec intervalStartTimeInSecArray intervalType normalizedStandardDeviation numUnpairedIntervalEndsOrStarts operationEndTimeInSec operationStartTimeInSec printTimelineToMutableData_ processedContextDataArray processedContextDataUOMsArray setIntervalCount_ setIntervalType_ setNumUnpairedIntervalEndsOrStarts_ standardDeviationIntervalDurationInMs startOfFirstIntervalInSec timeBetweenOperationStartAndFirstIntervalInMs totalOperationDurationInMs trailingDelayDurationInMs PAPerfLoggingIntervalTransitionEvent _stringForTransitionWithOperationStartTimeInSec_andPreviousEventTimeInSec_ initWithTransitionType_ofIntervalType_atTimestamp_withContext_ transitionTimeInSec transitionType transitionTypeString transitioningIntervalType PAPerfLoggingOperation PAPerfLoggingOperationCompletionNotification detailedReportData durationInMachAbsTime durationInMs endTimeInMachAbsTime endTimeInMs initWithXPCDictionary_ intervalTypeToIntervalDataDict matchingCategoryRegex matchingNameRegex matchingProcessNameRegex startTimeInMachAbsTime startTimeInMs PAPerfLoggingOperationCompletionNotificationIntervalData averageDurationInMachAbsTime averageDurationInMs durationStandardDeviationInMachAbsTime durationStandardDeviationInMs initialDelayInMachAbsTime initialDelayInMs intervalRateIgnoringDelayInIntervalsPerSecond intervalRateInIntervalsPerSecond trailingDelayInMachAbsTime trailingDelayInMs PAProcess _gatherDisplayName _gatherIdleExitStatus allRegionsString architectureString classifyMemoryRegions contextSwitchString countObjectReferences cpuTimeString discardDetailedData eventString gatherImageInformation gatherMallocDetailsNoStacks gatherMallocInfo gatherResidentInfoDetailed_ getEventInfo getKmem getPortInfo getThreadAndCPUInfo idleExitStatus imageNamesString imageNamesWithSegmentsAndSectionsString imageNamesWithSegmentsString imageSegments initPrivateResidency initSharedResidency initWithPid_ is64bit kmem kp mallocData messagesString numCOWFaults numContextSwitches numFaults numMessagesReceived numMessagesSent numPageins numPorts numSyscallsMach numSyscallsUnix numThreads portString privateResidencyBytesString privateResidencyString responsiblePid setImageSegments_ setImages_ setIs64bit_ setKmem_ setMemRegions_ setNumCOWFaults_ setNumContextSwitches_ setNumFaults_ setNumMessagesReceived_ setNumMessagesSent_ setNumPageins_ setNumPorts_ setNumSyscallsMach_ setNumSyscallsUnix_ setNumThreads_ setPid_ setResponsiblePid_ setSystemCPUTime_ setTask_ setUserCPUTime_ sharedResidencyBytesString sharedResidencyString syscallString systemCPUTime systemCpuTimeInSeconds task topLevelStatsString totalCpuTimeInSeconds userCPUTime userCpuTimeInSeconds wiredMemoryString PAProcessMemoryGroup _buildCategories categoryOrganizers detailStringForProcess_differentiateGroups_forFlavor_andCallOutSwapped_andShowCategories_andShowRegions_ memoryObjects PARangeContainer PASampleNode isInSearchResult recalculateSamples responsibleSamples samples setIsInSearchResult_ shouldDisplay PASystem build cards getBuild initBuild initMemory processCount setBuild_ setCards_ setProcesses_ systemMemoryInfoDescription PAVideoCard cardName deviceId freeVRAM initWithIOObject_ perfStats printCardIds printPerfStatForKey_ printPerformanceStatistics printTotalVRAM setCardName_ setDeviceId_ setFreeVRAM_ setPerfStats_ setTotalVRAM_ setUsedVRAM_ setVendorId_ totalVRAM usedVRAM valueForPerfStatKey_ValueOut_ vendorId PAVideoCardSet PBCodable PBDataReader hasError hasMoreData mark_ readBOOL readBigEndianFixed16 readBigEndianFixed32 readBigEndianFixed64 readBigEndianShortThenString readBytes_ readData readDouble readFixed32 readFixed64 readFloat readInt32 readInt64 readInt8 readProtoBuffer readSfixed32 readSfixed64 readSint32 readSint64 readString readTag_andType_ readTag_type_ readUint32 readUint64 readVarInt recall_ seekToOffset_ skipValueWithTag_andType_ skipValueWithTag_type_ updateData_ PBDataWriter immutableData writeBOOL_forTag_ writeBareVarint_ writeBigEndianFixed16_ writeBigEndianFixed32_ writeBigEndianShortThenString_ writeData_forTag_ writeDouble_forTag_ writeFixed32_forTag_ writeFixed64_forTag_ writeFloat_forTag_ writeInt32_forTag_ writeInt64_forTag_ writeInt8_ writeProtoBuffer_ writeSfixed32_forTag_ writeSfixed64_forTag_ writeSint32_forTag_ writeSint64_forTag_ writeString_forTag_ writeTag_andType_ writeUint32_forTag_ writeUint64_forTag_ writeUint8_ PBMessageStreamReader classOfNextMessage nextMessage setClassOfNextMessage_ PBMessageStreamWriter initWithOutputStream_ writeMessage_ PBMutableData _pb_growCapacityBy_ PBOXRemoteMediaBrowserPanel PBRequest requestTypeCode responseClass PBRequester _applicationID _cancelNoNotify _cancelWithErrorDomain_errorCode_userInfo_ _connectionRunLoop _failWithErrorDomain_errorCode_userInfo_ _failWithError_ _languageLocale _logErrorIfNecessary_ _logRequestsIfNecessary_ _logResponsesIfNecessary_ _osVersion _removeTimeoutTimer _resetTimeoutTimer _sendPayload_error_ _serializePayload_ _startTimeoutTimer _timeoutTimerFired _tryParseData addInternalRequest_ addRequest_ cancelWithErrorCode_ cancelWithErrorCode_description_ clearRequests clientCertificates connectionRunLoop connection_willSendRequestForEstablishedConnection_properties_ decodeResponseData_ downloadPayloadSize encodeRequestData_startRequestCallback_ handleResponse_forInternalRequest_ httpRequestHeaders httpResponseHeaders ignoresResponse initWithURL_andDelegate_ internalRequests logRequestToFile logResponseToFile needsCancel newCFMutableURLRequestWithURL_ newConnectionWithCFURLRequest_delegate_ newConnectionWithCFURLRequest_delegate_connectionProperties_ readResponsePreamble_ requestPreamble requestResponseTime requests responseForInternalRequest_ responseForRequest_ setClientCertificates_ setConnectionRunLoop_ setHttpRequestHeader_forKey_ setHttpRequestHeaders_ setHttpResponseHeaders_ setIgnoresResponse_ setLogRequestToFile_ setLogResponseToFile_ setNeedsCancel setNeedsCancel_ setShouldHandleCookies_ setTimeoutSeconds_ shouldHandleCookies startWithConnectionProperties_ timeoutSeconds tryReadResponseData_forRequest_forResponseClass_ uploadPayloadSize writeRequest_into_ PBStreamReader PBStreamWriter PBTextReader _hasMore _parseNumber_maxValue_isSigned_ _rangeOfCharactersInSetAtCurrentPosition_ _readObject_ _readString _readStruct_ _readTag_andType_ _readValue _stringAtCurrentPositionWithPadding_ readMessageType_fromString_ PBTextWriter _closeBrace _indent _openBrace _outdent _printLine_format_ _printNewlines _writePropertyAndValue_forObject_ _writeResult_forProperty_bracePrefix_ _write_ write_ PBUnknownFields PFUBLogEventID idString initWithCustomKey_ initWithEventType_ PFUbiquityBaseline _createPersistentStoreCoordinatorForCurrentBaseline_error_ baselineArchive baselineArchiveLocation baselineMetadataData baselinePeerArchiveLocation baselineStagingLocation canReplaceStoreAtKnowledgeVector_ checkFileDownload checkSafeSaveFileUpload checkSafeSaveFileUploadAsync clearOutStagingLocationWithError_ constructBaselineArchive_ continueCheckingDownload continueCheckingUpload createManagedObjectModel createManagedObjectModelFromCurrentBaseline createPersistentStoreCoordinatorForCurrentBaseline_ createSetOfInUseExternalDataRefUUIDs_ currentLocation downloadError downloadFinished downloadLatestVersion_error_ downloadSuccess existsAtPermanentLocation existsAtSafeSaveLocation existsInCloud gatherContentsAndConstructArchiveWithError_ gatherContentsFromMigratedBaseline_withStoreFileURL_error_ gcModelData haveTransactionLogsForPeer_between_and_ importBaselineForStoreAtURL_ofType_options_withLocalPeerID_stack_andPersistentStoreCoordinator_error_ initWithBaselineLocation_andLocalPeerID_ initWithLocalPeerID_ubiquityRootLocation_forStoreWithName_andManagedObjectModel_ initWithPermanentLocation_safeSaveLocation_andLocalPeerID_ isFileDownloaded_ isFileUploaded_ isRegistered isUploaded_ loadFileFromLocation_error_ loadFile_ localPeerID makeCurrentBaselineWithError_ metadataMatchesCurrentMetadata_ modelVersionHash moveAfterSave moveToPermanentLocation_ optimizedModelData permanentLocation prepareForBaselineRollOfPersistentStore_andLocalPeerID_error_ removeFileFromLocation_error_ removeUnusedExternalDataReferences_ replaceLocalPersistentStoreAtURL_ofType_withOptions_usingPersistentStoreCoordinator_error_ safeSaveError safeSaveFile_moveToPermanentLocation_error_ safeSaveFinishedUpload safeSaveLocation safeSaveSuccess setCurrentLocation_ setDownloadError_ setDownloadSuccess_ setSafeSaveError_ setSafeSaveSuccess_ storeData storeFilename storeFilenameToData storeName unpackStoreFilesToStagingLocation_ updateCurrentStoreIdentifier_error_ waitForFileToDownload_ waitForFileToUpload_ writeFileToLocation_error_ PFUbiquityBaselineHeuristics bytesForFileAtPath_ canRollBaseline_ currentBaselineKV currentKV haveEnoughTransactionsToRoll initWithLocalPeerID_storeName_modelVersionHash_andUbiquityRootLocation_ logSize logToStoreSizeRatio logsConsumeEnoughDiskSpace minLogBytes numRequiredTransactions setCurrentBaselineKV_ setCurrentKV_ setLogSize_ setLogToStoreSizeRatio_ setMinLogBytes_ setNumRequiredTransactions_ setStoreSize_ storeSize ubiquityRootLocation updateHeuristics PFUbiquityBaselineMetadata _migrateToModelVersionHash_ addDictionaryForPeerRange_ authorPeerID createNewLocalRangeWithRangeStart_andRangeEnd_forEntityNamed_ createPeerRangeDictionary_ gatherMetadataWithStore_andError_ knowledgeVector peerRanges previousKnowledgeVector rootLocation setKnowledgeVector_ setPreviousKnowledgeVectorFromCurrentMetadata_ PFUbiquityBaselineOperation initWithPersistentStore_localPeerID_andUbiquityRootLocation_ initWithStoreName_localPeerID_andUbiquityRootLocation_ lockDelegateLock retainedDelegate storeWillBeRemoved_ unlockDelegateLock PFUbiquityBaselineRecoveryOperation conflictsExistForBaseline_ electAncestorBaselineForConflictedBaselines_dissentingBaselines_ electBaselineURLFromVersions_withBaseline_error_ hasCurrentBaseline replaceLocalStoreWithBaseline_error_ resolveConflictsForBaseline_withError_ shouldReplaceLocalStoreWithBaseline_ PFUbiquityBaselineRollOperation haveConsistentStateForBaselineRoll rollBaselineWithError_ PFUbiquityBaselineRollResponseOperation canAdoptBaseline_byReplacingLocalStoreFile_withStack_withError_ PFUbiquityContainerIdentifier identifyContainer_ initWithLocalPeerID_storeName_andUbiquityRootLocation_ replaceIdentifierWithUUID_error_ setUUIDStringFromLocation_ usedExistingUUIDFile uuidFileLocation writeToDisk_ PFUbiquityContainerMonitor _applicationResumed_ checkStoresAndContainer_ containerDeleteDetected_ containerIdentifier containerState currentIdentityToken didChangeContainerIdentifier_ didChangeContainerState didChangeMonitorState initWithProcessingQueue_localPeerID_storeName_andUbiquityRootLocation_ monitorState scheduleCheckBlock_ setContainerIdentifier_transitionType_ setContainerState_ setMonitorState_ startMonitor_ stopMonitor ubiquityIdentityChanged_ willChangeContainerIdentifier_ willChangeContainerState willChangeMonitorState PFUbiquityEventLogging beginEvent_ createCustomEventTrackingID_ createEventTrackingID_ debug_message_ diagnostic_message_ endEvent_ error_message_ fatal_message_ incompleteEvents info_message_ logEventData_message_ logEvent_ID_message_ logLevel setLogLevel_ warning_message_ PFUbiquityExportContext initWithLocalPeerID_andUbiquityRootLocation_ setUseLocalStorage_ storeExportContextForStoreName_ storeExportContextForStore_ useLocalStorage PFUbiquityFileCoordinator coordinateReadingItemAtLocation_options_retryOnError_error_byAccessor_ shouldRetryForError_ignoreFile_ PFUbiquityFilePresenter copyStatusDictionary exporterDidMoveLog_ initWithUbiquityRootLocation_localPeerID_storeName_processingQueue_ isiCloudExtension_ locationToSafeSaveFile locationToStatus logImportWasCancelled_ logWasExported_ logWasImported_ logsWereScheduled_ presentedSubitemDidChangeAtURL_ presentedSubitemUbiquityDidChangeAtURL_ printStatus_ processPendingURLs registerSafeSaveFile_ retainedStatusForLocation_ setupAssistantDiscoveredPathsFromMetadataQuery_ unregisterSafeSaveFile_ PFUbiquityGlobalObjectID createCompressedStringWithEntityNameToIndex_primaryKeyToIndex_peerIDToIndex_ createGlobalIDString initFromCopyWithStoreName_entityName_primaryKey_peerID_andHash_managedObjectID_primaryKeyInteger_ initWithCompressedString_forStoreWithName_andEntityNames_primaryKeys_peerIDs_ initWithStoreName_entityName_primaryKeyInteger_andPeerID_ initWithStoreName_entityName_primaryKey_andPeerID_ managedObjectID owningPeerID primaryKeyInteger setManagedObjectID_ updateHash PFUbiquityGlobalObjectIDCache createGlobalIDForCompressedString_withEntityNames_primaryKeys_peerIDs_ createGlobalIDForGlobalIDString_ createGlobalIDForPrimarKey_entityName_andOwningPeerID_ createGlobalIDForPrimaryKeyString_entityName_andOwningPeerID_ initWithLocalPeerID_forStoreName_ purgeCache setLocalPeerID_ PFUbiquityImportContext actingPeer cacheWrapper currentKnowledgeVector exportingPeerID globalIDToFetchedObject globalIDToLocalIDURICache heuristics initWithStack_andStoreMetadata_ initWithStoreName_andUbiquityRootLocation_withLocalPeerID_ prefetchManagedObjectsInContext_error_ setActingPeer_ setCacheWrapper_ setCurrentKnowledgeVector_ setExportingPeerID_ setGlobalIDToLocalIDURICache_ setHeuristics_ setStack_ setStoreMetadata_ setStoreSaveSnapshot_ setTransactionLog_ stack storeMetadata storeSaveSnapshot transactionLog PFUbiquityImportOperation PFUbiquityKnowledgeVector _updateHash allPeerIDs canMergeWithKnowledgeVector_ conflictsWithKnowledgeVector_ createAncestorVectorForConflictingVector_ createKnowledgeVectorString createSetOfAllPeerIDsWithOtherVector_ createStoreKnowledgeVectorDictionary decrementToMinimumWithKnowledgeVector_ hasPeerIDInCommonWith_ initFromCopy_storeKVDict_hash_ initWithKnowledgeVectorDictionary_ initWithKnowledgeVectorDictionary_andStoreKnowledgeVectorDictionary_ initWithKnowledgeVectorString_ initWithStoreKnowledgeVectorDictionary_ isAncestorOfKnowledgeVector_ isDescendantOfKnowledgeVector_ isZeroVector newKnowledgeVectorByAddingKnowledgeVector_ newKnowledgeVectorByDecrementingPeerWithID_ newKnowledgeVectorByIncrementingPeerWithID_ newKnowledgeVectorBySubtractingVector_ transactionNumberForPeerID_ updateWithKnowledgeVector_ PFUbiquityLocation __isDirectory createFullPath createFullURL createRelativePath fileAtLocationIsDownloaded_ fileAtLocationIsUploaded_ fileExistsAtLocation fileExistsAtLocationWithLocalPeerID_error_ initWithUbiquityRootPath_ initWithUbiquityRootURL_ isEqualToURL_ isRootUbiquitous isTransactionLogLocation otherPathComponents removeFileAtLocation_error_ setHash_ setIsRootUbiquitous_ setModelVersionHash_ setOtherPathComponents_ setUbiquityLocationType_ setUbiquityRootLocationPath_ setUbiquityRootLocation_ ubiquityLocationType ubiquityRootLocationPath usesBaselineDirectory usesBaselineStagingDirectory usesCurrentBaselineDirectory usesNosyncDirectory usesStagingLogDirectory usesTemporaryLogDirectory PFUbiquityLocationStatus checkFileURLState encounteredError_ isDownloaded isDownloading isExported isFailed isImported isLive isScheduled isUploaded isUploading logImportWasCancelled logWasExported logWasImported logWasScheduled numBytes numNotifications recoveredFromError setIsDownloading_ statusDidChange PFUbiquityLogging checkUserDefaults desiredLogLevel setDesiredLogLevel_ userDefaultsChanged_ PFUbiquityMergeConflict setAncestorSnapshot_ PFUbiquityMergePolicy PFUbiquityMetadataFactory addModelingToolUserInfoToEntity_ addModelingToolUserInfoToProperty_ cacheEntryForLocalPeerID_storeName_andUbiquityRootLocation_error_ createMetadataModel entryForLocalPeerID_storeName_andUbiquityRootLocation_ newAttributeNamed_attributeType_isOptional_isTransient_withDefaultValue_andMinValue_andMaxValue_ newEntityForName_ newMetadataEntryForLocalPeerID_storeName_andUbiquityRootLocation_error_ newMetadataManagedObjectModel newRelationshipNamed_withDestinationEntity_andInverseRelationship_isOptional_isToMany_andDeleteRule_ newStackForLocalPeerID_storeName_andUbiquityRootLocation_error_ removeAllCoordinatorsForRootLocation_ removeCachedCoordinatorsForLocalPeerID_storeName_andUbiquityRootLocation_ PFUbiquityMetadataFactoryEntry filePresenter initWithMetadataStoreFileLocation_ initializePersistentStoreCoordinator_ metadataStoreFileLocation psc PFUbiquityMetadataFactoryFilePresenter presentedItemLocation PFUbiquityMigrationAssistant _populateBaselineAndTransactionLogLocations baselineLocationsByModelVersionHash canUseReceipts currentModelVersionHash electPreviousModelVersionHashFromTransactionLogsError_ initWithUbiquityRootLocation_peerID_ubiquityName_modelVersionHash_ latestBaselineLocationSkipModelVersionHash_ latestTransactionLogForModelVersionHash_ orderedReceipts previousModelVersionHash receiptLocations transactionLogLocationsByModelVersionHash transactionLogLocationsForModelVersionHash_ PFUbiquityMigrationManager initWithDestinationModel_sourceModel_ubiquityRootLocation_localPeerID_ initWithDestinationModel_storeName_previousModelVersionHash_ubiquityRootLocation_localPeerID_ migrateTransactionLogs_andBaselineIfNecessaryForStoreName_peerID_error_ PFUbiquityPeer PFUbiquityPeerRange loadFromBaselineDictionary_ PFUbiquityPeerRangeCache cachePeerRanges_ cacheSQLCorePeerRange_error_ cachedRangeForLocalPrimaryKey_ofEntityNamed_ cachedRangeForOwningPeerID_andEntityName_withPrimaryKey_ createGlobalObjectIDForManagedObjectID_ createMapOfManagedObjectIDsForGlobalIDs_count_error_ createMapOfManagedObjectIDsForStoreSaveSnapshot_error_ describeCaches describeCachesVerbose initWithPrivateStore_storeName_andLocalPeerID_ localPrimaryKeyForOwningPeerID_andEntityName_withPrimaryKey_ privateStore refreshPeerRangeCache_ translatedGlobalIDs PFUbiquityPeerRangeReservationContext createLocalIDStringForStoreUUID_entityName_andPrimaryKeyString_ createNewPeerRangesWithCache_Error_ globalObjectIDs initWithPersistentStore_andGlobalObjectIDs_ moc numRangesToReserve peerEntityNameRangeStartSet prepareForRangeReservationWithRangeStart_andGlobalID_andEntityName_ PFUbiquityPeerReceipt initWithLocalPeerID_andKnowledgeVector_forPeerID_storeName_modelVersionHash_andUbiquityRootLocation_ initWithLocalPeerID_andReceiptFileLocation_ initWithLocalPeerID_receiptPeerID_storeName_modelVersionHash_andUbiquityRootLocation_ kv receiptFileLocation setWriteDate_ writeDate PFUbiquityPeerSnapshot computeDiffToPreviousSnapshot_ diffFromPrevious initWithExportingPeerID_logSnapshot_transactionNumber_transactionDate_andKnowledgeVector_ initWithTranasctionEntry_andLogSnapshot_ logSnapshot removeValuesChangedByPeerSnapshot_ transactionDate transactionNumber PFUbiquityPeerSnapshotCollection addSnapshot_ calculateSnapshotDiffsWithError_ knowledgeVectorsForTransactionNumber_exportedByPeerWithID_ snapshotForKnowledgeVector_ snapshotForPeerID_andTransactionNumber_ PFUbiquityPeerState initWithStoreName_insertIntoManagedObjectContext_ PFUbiquityRecordImportConflict _newNormalizedSnapshot_forObject_ addObjectID_forRelationship_ addObjectIDsForDiff_forRelationship_ conflictLogDate conflictingLogContent conflictingLogKnowledgeVector conflictingLogTransactionNumber conflictingLogTransactionType conflictingObjectGlobalIDStr createSetOfManagedObjectIDsForGlobalIDsInRelationship_withValue_withGlobalIDToLocalIDURIMap_andTransactionLog_ createSnapshotDictionaryForObjectWithEntry_inTransactionLog_withError_ createSnapshotDictionaryFromLogEntry_withError_ createSnapshotFromBaselineForEntry_error_ createSnapshotFromLogContent_withTransactionLog_ globalIDIndexToLocalIDURIMap importContext relationshipToObjectIDsToCheck resolveMergeConflictForLogContent_previousSnapshot_andAncestorSnapshot_withOldVersion_andNewVersion_error_ setConflictLogDate_ setConflictingLogContent_ setConflictingLogKnowledgeVector_ setConflictingLogTransactionNumber_ setConflictingLogTransactionType_ setConflictingObjectGlobalIDStr_ setGlobalIDIndexToLocalIDURIMap_ setImportContext_ setSourceObject_ setTransactionHistory_ transactionHistory PFUbiquityRecordsImporterSchedulingContext addPendingLogLocation_ addPendingLogLocations_ failedLogLocations failedTransactionLogAtLocationRecovered_ ignoredLogLocations initWithPendingLogLocations_ logLocationsToEncounteredErrors pendingLogLocations scheduledLogLocations transactionLogAtLocationWasIgnored_ transactionLogAtLocationWasScheduled_ transactionLogAtLocation_failedToOpenWithError_ unionWithSchedulingContext_ PFUbiquityRemotePeerState initWithStoreName_andRemotePeerID_insertIntoManagedObjectContext_ PFUbiquitySQLCorePeerRange initWithOwningPeerID_entityName_rangeStart_rangeEnd_peerStart_peerEnd_ peerEnd peerStart rangeEnd rangeStart PFUbiquitySafeSaveFile PFUbiquitySaveSnapshot initWithSaveNotification_withLocalPeerID_ initWithTransactionLog_ setTransactionDate_ storeNames storeSaveSnapshotForStoreName_ storeSaveSnapshotForStore_ PFUbiquitySetupAssistant _setUbiquityRootLocation_storeName_localPeerID_andModelVersionHash_ abortSetup actualStoreFileURL attemptMetadataRecoveryForStore_error_ cacheFilePresenterForUbiquityRoot canReadFromUbiquityRootLocation_ checkAndPerformMigrationForStore_error_ checkKnowledgeVectorsAndBaselineWithStore_error_ cleanUpFromFailedSetup_ coordinatorWillRemoveStore_ createSetOfLocalLogLocations_ detectAndFixForkedContainer_store_error_ doPostValidationInit_ exportedLog_ failSetup failSetupError finishSetupForStore_error_ finishSetupWithRetry_ fixdictionary_withDeletes_ getCurrentUbiquityIdentityToken initWithPersistentStoreCoordinator_andStoreOptions_forPersistentStoreOfType_atURL_ initialSyncComplete initializeBaselineForStore_error_ initializeContainerIdentifierWithStore_error_ initializeReceiptFile_ initializeStack_ initializeStoreKnowledgeVectorFromStore_error_ insertEntriesInDicitonary_inBigramManagedObjectContext_ insertEntriesInDicitonary_inLearningDictionaryJPManagedObjectContext_ insertEntriesInDicitonary_inLearningDictionaryManagedObjectContext_ insertEntriesInDicitonary_inUserDictionaryManagedObjectContext_ isInitialSyncComplete localRootLocation migrateMetadataRoot_ migrationAssistant moveLocalLogFilesToUbiquityLocation_ needsMetadataRecovery performCoordinatorPostStoreSetup_error_ pruneStagingDirectoryForStore_error_ removeEntriesFromDictionary_withBigramSnapshot_ removeEntriesFromDictionary_withPhraseLearningJPSnapshot_ removeEntriesFromDictionary_withPhraseLearningSnapshot_ removeEntriesFromDictionary_withShortcutSnapshot_ respondToBaselineRoll_ retryDelaySec rewriteTransactionLogs_toMatchStore_error_ seedStore_error_ setAbortSetup_ setCacheFilePresenterForUbiquityRoot_ setFailSetupError_ setFailSetup_ setRetryDelaySec_ setStoreWasMigrated_ sideLoadStore_error_ storeKV storeWasMigrated tryToReplaceLocalStore_withStoreSideLoadedByImporter_ ubiquityEnabled ubiquityIdentityTokenChanged_ ubiquityRootURL updateDictionary_withBigramSnapshot_ updateDictionary_withPhraseLearningJPSnapshot_ updateDictionary_withPhraseLearningSnapshot_ updateDictionary_withShortcutSnapshot_ useLocalAccount validateOptionsWithError_ PFUbiquityStoreExportContext addTransactionEntryForGlobalID_andTransactionType_ initWithStoreName_andUbiquityRootLocation_forLocalPeerID_ transactionEntries PFUbiquityStoreMetadata initWithUbiquityName_andUbiquityRootLocation_insertIntoManagedObjectContext_ loadFromBaselineMetadata_withLocalPeerID_ peerStateForPeerID_ setStoreOptions_ storeOptions updatePeerStatesToMatchKnowledgeVector_ updateWithStore_andRootLocation_ PFUbiquityStoreMetadataMedic addTransactionHistoryEntriesForObjectIDs_withImportContext_error_ cacheMetadataForTransactionLog_withImportContext_error_ initWithStore_localPeerID_andUbiquityRootLocation_ recoverBaselineMetadataWithImportContext_error_ recoverMetadataWithError_ recoverTransactionLogMetadataWithImportContext_error_ PFUbiquityStoreSaveSnapshot _setFilesDeletedInTransaction_ addManagedObject_withTransactionType_andStoreExportContext_withError_ checkIndecies_ checkIndex_forValue_fromArrayOfValues_ compressedGlobalObjectIDFromGlobalObjectID_ createKnowledgeVectorFromPeerStates createUbiquityDictionary_withStoreExportContext_error_ entityNameToIndex entityNames filesDeletedInTransaction filesInsertedInTransaction finishGlobalIDReplacement generatePeerStates globalObjectIDCache globalObjectIDForManagedObject_withStoreExportContext_ globalObjectIDFromCompressedObjectID_ globalObjectIDToIndex globalObjectIDToPermanentManagedObjectID initForExport_ initWithExportingPeerID_ managedObjectIDToGlobalObjectID noSyncCheckIndex_forValue_fromArrayOfValues_ peerIDToIndex peerIDs peerStates prepareForGlobalIDReplacement primaryKeyToIndex replaceGlobalObjectID_withGlobalObjectID_ reserveTransactionNumberWithStoreExportContext_ resetFromOptimisticLockingException setEntityNames_globalObjectIDs_primaryKeys_forStoreName_withRootLocation_ setGlobalObjectIDCache_ setInsertedObjects_ setStoreKV_ setTransactionNumber_ setTransactionNumber_peerStates_andPeerIDs_ setUpdatedObjects_ transactionNumberFromPeerStates_ PFUbiquitySwitchboard _addFilePresenter_ _quietlyMoveEntryToPreviousEntries_ _removeFilePresenter_ addEntryToPreviousEntries_ cacheFilePresenterForUbiquityRootLocation_andLocalPeerID_ createSetOfCoordinatorsForPersistentStoreName_andLocalPeerID_atUbiquityRootLocation_ entryForStore_ filePresenterForUbiquityRootLocation_andLocalPeerID_ registerUbiquitizedPersistentStore_withURL_forLocalPeerID_withLocalRootLocation_andUbiquityRootLocation_error_ releaseAllEntriesForStoreName_andPeerID_ removeEntryFromPreviousEntries_ removeFilePresenterCachedForUbiquityRootLocation_andLocalPeerID_ retainedEntryForStoreName_andLocalPeerID_ unregisterCoordinator_ unregisterPersistentStore_ PFUbiquitySwitchboardCacheWrapper _appWillResignActive_ baselineKV cacheWrapperWillBeRemovedFromEntry globalIDCache initWithStoreName_privateStore_forLocalPeerID_andUbiquityRootLocation_ peerRangeCache peerReceipt scheduleReceiptFileWrite_ setBaselineKV_ setKv_ transactionHistoryCache transactionLogCache writeReceiptFile_error_ PFUbiquitySwitchboardEntry activeStoreCount afterDelay_executeBlockOnGlobalConcurrentQueue_ afterDelay_executeBlockOnPrivateQueue_ cacheWrapperForStoreName_ containerIdentifierChanged_ containerStateChanged_ createSetOfActiveStoreNames createSetOfPersistentStoreCoordinatorsRegisteredForStoreName_ entryWillBeRemovedFromSwitchboard executeBlockOnPrivateQueue_ filePresenterNoticedBaselineFileChange_ filePresenterWasNotifiedTransactionLogs_ finishSetupForStore_withSetupAssistant_synchronously_error_finishBlock_ finishingSetupAssistant initWithLocalPeerID_storeName_withURL_ubiquityRootLocation_andLocalRootLocation_ localFilePresenter metaForStoreName_ monitor monitorStateChanged_ registerPersistentStore_withStoreName_ setActiveStoreCount_ setupFinished synchronouslyExecuteBlockOnPrivateQueue_ unregisterPersistentStoreCoordinator_ PFUbiquitySwitchboardEntryMetadata activeModelVersionHash addPersistentStore_ baselineHeuristics exporter importer initWithLocalPeerID_ubiquityRootLocation_localRootLocation_storeName_andPrivateQueue_ privatePSC removePersistentStore_ schedulingContext setUseLocalAccount_ PFUbiquityToManyConflictDiff deletedObjectIDs diffWithLogSnapshot_andPreviousSnapshot_ initForRelationshipAtKey_ insertedObjectIDs relationshipKey PFUbiquityTransactionEntry initAndInsertIntoManagedObjectContext_ setTransactionType_ transactionLogURL transactionType PFUbiquityTransactionEntryLight actingPeerID globalID initWithTransactionEntry_ubiquityRootLocation_andGlobalIDCache_ setActingPeerID_ setGlobalID_ setTransactionLogLocation_ transactionLogLocation PFUbiquityTransactionHistoryCache addTransactionEntryLight_needsWrite_error_ addTransactionEntryLights_error_ addTransactionEntry_error_ cacheKV cacheTransactionHistory_ cachedGlobalIDs cachedTransactionHistoryForGlobalID_ initWithLocalPeerID_storeName_privateStore_andUbiquityRootLocation_ minCacheKV purgeCacheAndWritePendingEntries_error_ setGlobalIDCache_ writePendingEntries_ PFUbiquityTransactionLog cleanupExternalDataReferences deleteLogFileWithError_ fileProtectionOption generatePeerCodeKnowledgeVectorWithManagedObjectContext_ inPermanentLocation inStagingLocation inTemporaryLocation initWithStoreName_andSaveSnapshot_andRootLocation_ initWithTransactionLogLocation_andLocalPeerID_ initWithTransactionLogURL_ubiquityRootLocation_andLocalPeerID_ loadComparisonMetadataWithError_ loadContents_ loadDeletedObjectsDataWithError_ loadImportMetadataWithError_ loadInsertedObjectsDataWithError_ loadPlistAtLocation_withError_ loadUpdatedObjectsDataWithError_ loadUsingRetry loadedComparisonMetadata loadedDeletedObjectData loadedImportMetadata loadedInsertedObjectData loadedUpdatedObjectData moveFileToPermanentLocationWithError_ populateContents releaseContents_ releaseDeletedObjects releaseInsertedObjects releaseUpdatedObjects rewriteToDiskWithError_ saveSnapshot setLoadUsingRetry_ setUseTemporaryLogLocation_ stagingTransactionLogLocation temporaryTransactionLogLocation transactionLogFilename transactionLogType useTemporaryLogLocation writeContentsOfZipArchive_intoExtendedAttributesForFile_error_ writeToDiskWithError_andUpdateFilenameInTransactionEntries_ PFUbiquityTransactionLogCache cacheExportedLog_ initWithLocalPeerID_andGlobalIDCache_ removeLogsCachedForStoreNamed_withUbiquityRootLocation_ retainedCachedLogForLocation_loadWithRetry_error_ PFUbiquityTransactionLogMigrator createDestinationGlobalObjectIDFromSourceGlobalObjectID_ createDestinationObjectContentFromSourceObjectContent_withEntityMapping_migrationContext_ createDestinationObjectsFromSourceObjects_migrationContext_ initWithSourceModel_destinationModel_mappingModel_localPeerID_ migrateBaselineFromLocation_toLocation_error_ migrateTransactionLogFromLocation_toLocation_error_ migrateTransactionLogsForStoreName_andLocalPeerID_atUbiquityRootLocation_error_ populateMappingsByEntityName throttleLogs PFZipCentralDirectoryFileHeader appendToData_ compressedSize compressionMethod crc32 externalFileAttrs extraFieldData extraFieldLength fileComment fileCommentLength fileStartDiskNumber filenameLength generalPurposeBit internalFileAttrs lastModDate lastModTime loadFromBytes_offset_ loadFromData_offset_ localFileHeaderRelativeOffset setCompressedSize_ setCompressionMethod_ setCrc32_ setExternalFileAttrs_ setExtraFieldData_ setFileComment_ setFileStartDiskNumber_ setGeneralPurposeBit_ setInternalFileAttrs_ setLastModDate_ setLastModTime_ setLocalFileHeaderRelativeOffset_ setUncompressedSize_ setVersionMadeBy_ setVersionNeededToExtract_ uncompressedSize versionMadeBy versionNeededToExtract PFZipEndOfCentralDirectoryRecord byteSizeOfCentralDirectory centralDirectoryOffset commentLength diskWhereCentralDirectoryStarts numberOfCentralDirectoryRecordsOnThisDisk numberOfDisk setByteSizeOfCentralDirectory_ setCentralDirectoryOffset_ setDiskWhereCentralDirectoryStarts_ setNumberOfCentralDirectoryRecordsOnThisDisk_ setNumberOfDisk_ setTotalNumberOfCentralDirectoryRecords_ totalNumberOfCentralDirectoryRecords PFZipLocalFileHeader totalHeaderLength PMInkChecker checkInk_ consumables disclaimer initWithPrinter_ inkCheckFinished_ inkIsLow inkSummary isSupplyInkRelated_ localizeSupplies_ppd_ lowConsumables markerChangeTime modifyPrinterStateReasonString_forSupplyType_ setConsumables_ setSupplies_ supplies vendorSuppliesInfo PluginParser addEntries_forKey_ addEntry_forKey_ data_ isComment_delimiter_ keyForIndex_ keyToIndex_ key_ linesOfFile openCodeFile_withEncoding_ setKeysAndEncoding_ tokens_ PluginReaderDATFileModule _fillToken_withString_position_ _getNextKeyAndDataToken_forPosition_ _getRestOfFile _goThroughWhitespace_forPosition_ _isWhitespace_ _parseFile _parseHashTable _parseHeader _processHeader _setModeInformation initForBasicProperties initForBasicPropertiesWithFile_ initWithFileName_ inputMethodInformation parseForBasicProperties setInputModeID_ setInputSourceID_ setIntendedLanguage_ writePluginInformationIntoDictionary PluginReaderGenericModule PluginReaderNativeFileModule _initParsingInformation initWithFile_ parseBody_ parseForBasicPropertiesWithByteOrder_ parseHeader setEncoding_ setIMChineseName_ setKeyPrompt_ setMaxCode_ setSeparator_ setValidInputKeys_ PluginReaderOpenVanillaFileModule parseCharDef_ parseKeyName_ setIMEnglishName_ setSelectionKeys_ Protocol conformsTo_ descriptionForClassMethod_ descriptionForInstanceMethod_ ProxyAuthenticationURLDelegate PurgeTypeTotal initWithPurgeType_ purgeClass setPurgeClass_ setZones_ stringForType zoneTotalForZoneName_ zones PurgeTypeTotalDiff initWithPurgeType_Before_After_ setZoneDiffs_ zoneDiffs PyObjCTest_NSInvoke methodWithMyStruct_andShort_ RVSLogger _logMessage_values_ debug_ RecvList unconnect_ RegistryObjectNotificationWrapper getRegistryObject initWithRegistryObject_ RemoteAUPBServer addSema_ ref removeSema_ setRef_ setXpcConnection_ signalAllSemaphores xpcConnection SDPQueryCallbackDispatcher initWithTarget_ SFAccountManager SFActivityAdvertisement advertisementPayload advertisementVersion initWithAdvertisementVersion_advertisementPayload_options_device_ SFActivityAdvertiser activityPayloadForAdvertisementPayload_command_requestedByDevice_withCompletionHandler_ advertiseAdvertisementPayload_options_ connectionProxy currentAdvertisement didSendPayloadForActivityIdentifier_toDevice_error_ fetchLoginIDWithCompletionHandler_ fetchPeerForUUID_withCompletionHandler_ fetchSFPeerDevicesWithCompletionHandler_ pairedDevicesChanged_ setConnectionProxy_ setCurrentAdvertisement_ setXpcSetupInProgress_ setupProxyIfNeeded xpcManagerConnectionInterrupted xpcManagerDidResumeConnection_ xpcSetupInProgress SFActivityScanner activityPayloadFromDevice_forAdvertisementPayload_command_timeout_withCompletionHandler_ activityPayloadFromDevice_forAdvertisementPayload_command_withCompletionHandler_ scanForTypes_ scanManager_foundDeviceWithDevice_ scanManager_lostDeviceWithDevice_ scanManager_pairedDevicesChanged_ scanManager_receivedAdvertisement_ SFAirDropDiscoveryController discoverableMode discoverableModeToString_ handleOperationCallback_event_withResults_ isLegacyDevice isLegacyModeEnabled isLegacyModeSettable operationDiscoverableModeToInteger_ setDiscoverableMode_ setLegacyModeEnabled_ SFAuthorization authorizationRef initWithFlags_rights_environment_ invalidateCredentials invalidateCredentials_ obtainWithRight_flags_error_ obtainWithRights_flags_environment_authorizedRights_error_ permitWithRight_flags_ permitWithRights_flags_environment_authorizedRights_ SFAutoUnlockDevice bluetoothCloudPaired bluetoothID deviceColor enclosureColor isDefaultPairedDevice keyCounter keyExists modelDescription modelIdentifier placeholder productBuildVersion productVersion proxyBluetoothID setBluetoothCloudPaired_ setBluetoothID_ setDefaultPairedDevice_ setDeviceColor_ setEnclosureColor_ setKeyCounter_ setKeyExists_ setModelDescription_ setModelIdentifier_ setPlaceholder_ setProductBuildVersion_ setProductName_ setProductVersion_ setProxyBluetoothID_ setResults_ setUnlockEnabled_ setValidKey_ unlockEnabled validKey SFAutoUnlockManager attemptAutoUnlock autoUnlockStateWithCompletionHandler_ beganAttemptWithDevice_ cancelAutoUnlock cancelEnablingAutoUnlockForDevice_ completedUnlockWithDevice_ disableAutoUnlockForDevice_completionHandler_ eligibleAutoUnlockDevicesWithCompletionHandler_ enableAutoUnlockWithDevice_passcode_ enableAutoUnlockWithDevice_passcode_completionHandler_ enabledDevice_ failedToEnableDevice_error_ failedUnlockWithError_ keyDeviceLocked_ onDelegateQueue_notifyDelegateOfAttemptError_ onDelegateQueue_notifyDelegateOfEnableError_device_ repairCloudPairing spinnerDelay SFBLEAdvertiser _preparePayloadNearbyAction_ _preparePayloadNearbyInfo_ _preparePayload_ _restartIfNeeded_ advertiseRate advertiseStateChangedHandler bluetoothStateChangedHandler connectionHandler nearbyDidUpdateState_ nearby_didConnectToPeer_error_ nearby_didDeferAdvertisingType_ nearby_didFailToStartAdvertisingOfType_withError_ nearby_didStartAdvertisingType_ setAdvertiseRate_ setAdvertiseStateChangedHandler_ setBluetoothStateChangedHandler_ setPayloadCoder_fields_identifier_ setPayloadData_ setPayloadFields_ SFBLEClient addAirDropDelegate_ addNearbyDelegate_ addPairingDelegate_ awdlAdvertisingPending_ awdlDidUpdateState_ awdlStartedAdvertising_ awdlStartedScanning_ awdl_failedToStartAdvertisingWithError_ awdl_failedToStartScanningWithError_ awdl_foundDevice_rssi_ nearbyDidChangeBluetoothBandwidthState_ nearby_didDisconnectFromPeer_error_ nearby_didDiscoverType_withData_fromPeer_peerInfo_ nearby_didFailToStartScanningForType_WithError_ nearby_didLosePeer_type_ nearby_didReceiveData_fromPeer_ nearby_didSendData_toPeer_error_ nearby_didStartScanningForType_ pairingDidUpdateState_ pairingStartedScanning_ pairingStoppedScanning_ pairing_failedToStartScanningWithError_ pairing_foundDevice_payload_rssi_peerInfo_ removeAirDropDelegate_ removeNearbyDelegate_ removePairingDelegate_ SFBLEConnection _cleanupQueuedData_ _connectIfNeeded _processQueuedData acceptor activateDirect bluetoothBandwidthChangedHandler connectionStateChangedHandler dataHandler initWithDevice_acceptor_ peerDevice sendDataDirect_completion_ sendData_completion_ setAcceptor_ setBluetoothBandwidthChangedHandler_ setConnectionStateChangedHandler_ setDataHandler_ setPeerDevice_ SFBLEData SFBLEDevice advertisementData advertisementFields bluetoothAddress counterpartIdentifier lastSeen pairCheckTime rssiCeiling rssiFloor setAdvertisementData_ setAdvertisementFields_ setBluetoothAddress_ setCounterpartIdentifier_ setLastSeen_ setPairCheckTime_ setRssiCeiling_ setRssiFloor_ updateRSSI_ SFBLEPipe _defaultPairedDeviceBluetoothIdentifier _frameHandler_data_ _sendFrameType_payload_completion_ _setupIfNeeded addFrameHandlerForType_handler_ centralManagerDidUpdateState_ centralManager_didConnectPeripheral_ centralManager_didDisconnectPeripheral_error_ centralManager_didFailToConnectPeripheral_error_ frameHandler manualConnect removeFrameHandlerForType_ sendFrameType_payload_completion_ setFrameHandler_ setManualConnect_ SFBLEScanner _foundDevice_advertisementData_rssi_fields_ _invokeBlockActivateSafe_ _needActiveScan _needDups _poweredOff _rescanTimerFired _restartIfNeeded _rssiLogClose _rssiLogOpen _startTimeoutIfNeeded _updateCounterpart_ _updateRescanTimer centralManager_didDiscoverPeripheral_advertisementData_RSSI_ deviceFilter pairingParsePayload_identifier_bleDevice_ pairingUpdatePairedInfo_fields_bleDevice_ payloadCoder rescanInterval rssiLog scanCache scanInterval scanRate scanState scanStateChangedHandler scanWindow setDeviceFilter_ setPayloadCoder_ setPayloadFilterData_mask_ setRescanInterval_ setRssiLog_ setScanCache_ setScanInterval_ setScanRate_ setScanStateChangedHandler_ setScanWindow_ setTimeoutHandler_ statusToHeadsetStatus_ timeoutHandler SFBatteryInfo batteryState batteryType setBatteryState_ setBatteryType_ SFBluetoothPairingSession SFCSR _crlDistrbutionPoints _csrData _dnsNames _ipAddrs _publicKey _rfc822Names _setCSRData_ _uriNames _userCommonName _userEmailAddress initWithCSR_clHandle_ initWithFileName_clHandle_ parseAttribute_len_ parseCRLDistribPointsEntry_len_ parseDistributionPointNameEntry_len_ parseSubjectAltNameEntry_len_ SFCertAuthorityInvitation _caConfigFileFullPathName _configFileCommonNameAndSerialNumber_ _createCAConfigFile_pemData_identityNameInfo_subjAltNameExtObj_keyUsageExtObj_keyPairAttrsObj_certInfoObj_basicConstrExtObj_extKeyUsageExtObj_additionalCertInfoObj_CACert_webURL_returnedInvite_ _doesCAConfigFileExistWithFileName_ _invitation _isValidCAConfigFileExtension_ _modifyInvitationWithObject_forKey_ _modifyWebSiteURL_ _readCAConfigFileFullPath_trustRefOnErr_identityNameInfo_subjAltNameExtObj_keyUsageExtObj_keyPairAttrsObj_certInfoObj_basicConstrExtObj_extKeyUsageExtObj_additionalCertInfoObj_caWebSite_caPemData_caPubKeyHash_ _setAuthenticator_ _updateAndWriteDictionaryAsNonSigned_newDictionary_ _updateCAConfigFileSerialNumber _updateCAConfigFileSerialNumberToInt_ _wasSigned certificatesFromInvite_sharedSecret_certs_ certificatesFromPemData_certs_ SFCertAuthorityInvitationSigner _copyAvailableSigningIdentities _setSigningIdentity_ signInvitationFile_outPath_ verifyInvitationFile_invitationDictionary_trustRefOnErr_signerIdentity_ verifyInvitation_invitationDictionary_trustRefOnErr_signerIdentity_ SFCertificateAuthority _authenticator _chooseIssuer _copyCertificateFromPublicKeyHash _copyPrivateKeyFromPublicKeyHash_inKeychainOrArray_ _createCA _createCertExportFileForCAWithFormat_pathToExportFile_exportedData_ _createCert_privKey_keychain_ _createWithPublicKey_privateKey_keychain_authenticator_signer_ca_inputParms_error_ _crlDistributionPoints _initWithNameBackCompat_ _lastUsedSerialNumber _presetToCreateCA _publicKeyHash _resultingCertificate _selectIssuerBasedOnPublicKeyHash _setCACertificate_ _setCRLDistributionPoints_ _setCSR_ _setChosenIssuer_ _setInvitation_ _setIssuerHashOfPublicKey_ _setResultingCertificateData_ _setResultingCertificate_ _setSerialNumberToIssuerMappedToCAConfigFile _setupCRLDistPoints_inCEGeneralNames_ _setupCertExtensions_numExtens_ _tpHand certificate createSelfSignedCertificateWithPublicKey_privateKey_inputParms_error_ createWithPublicKey_privateKey_keychain_authenticator_signer_inputParms_error_ emailAddress fullPath initWithFullPath_ invitation setAdditionalCertificateInformation_ setBasicConstraintsExtension_ setCertificateInformation_ setDestinationKeychain_ setEmailAddress_ setExtendedKeyUsageExtension_ setFullPath_ setIdentityNameInfo_ setKeyPairAttributes_ setKeyUsageExtension_ setSubjectAltNameExtension_ setWebURL_ signedCertificateFromCSR_inputParms_error_ SFCertificateAuthorityClient certificateAuthorityCertificatesFromInvitation_sharedSecret_inputParms_error_ certificateSigningRequestWithInvitation_publicKey_privateKey_keychain_user_emailAddress_accessRef_inputParms_error_ SFCertificateAuthority_ivars _releaseCEDistribPoint _releaseCEDistribPointName _releaseCRLDistPointNames _releaseCRLDistPointsArray _releaseGenNames SFCertificateData addFieldIndex_forKey_ authorityString certData certExpirationDateIndex certIssuerIndex certSerialNumberIndex certStatus certStatusFromDomainTrustSettings_isMixed_hasBasic_names_ certTitleIndex certificate_isEqualTo_ clHandle contentAtIndex_ copyPolicyForOid_ evaluateStatus existsInKeychain_ existsInKeychain_path_ expirationString expired extensionLabelString fieldDataForOid_ fieldDataForOid_inCert_auxData_ firstValidDate ignorableStatusCode_ indentAtIndex_ initWithCertData_ initWithCertificate_ initWithCertificate_trust_parse_ isAuthorityCertificate isEqualToSFCertificateData_ isLeafCertificate isRootCertificate issuer keychain labelAtIndex_ minimalParseCert_ numCertFields numLines oidParser parseAccessDescription_index_ parseAlternativeName_ parseAuthorityInfoAccess_ parseAuthorityKeyId_ parseBasicConstraints_ parseCertPolicies_ parseCert_ parseCrlDistributionPoints_ parseDistributionPoint_ parseEntrustVersInfo_ parseExtKeyUsage_ parseExtensionCommon_expect_ parseExtension_ parseField_atIndex_ parseGeneralNamesSequence_indent_ parseGeneralNames_indent_ parseGeneralSubtree_index_ parseKeyHeader_ parseKeyUsage_ parseNameConstraints_ parseNetscapeCertType_ parsePolicyConstraints_ parsePrintableBERSequence_label_indent_ parsePrivateKeyUsagePeriod_ parseRelativeDistinguishedName_indent_ parseX509Name_setTitle_indent_ pemEncodedTextData policies policyNames policyString policyValues saveTrustValues saveTrustValuesInDomain_ saveUserTrustValues setCertData_ setCertificate_ setPolicies_ setTrustDomain_ setTrustValues_ setTrust_ tabDelimitedTextData trust trustChanged trustDomain trustValues trustValuesForDomain_ trustValuesForDomain_cached_ userIdentityFieldIndexes SFCertificateData_ivars setOidParser_ SFClient activityStateWithCompletion_ retriggerProximityPairing_ SFCompanionAdvertiser getContinuationStreamsWithEndpointData_completionHandler_ initWithServiceType_ serviceEndpointData serviceType setSupportsStreams_ supportsStreams SFCompanionManager deviceIP disableStreamSupportForIdentifier_ getStreamsForData_withStreamHandler_ managerProxy managerSemaphore retrieveManagerProxy serviceForIdentifier_ setDeviceIP_ setManagerProxy_ setManagerSemaphore_ setStreamHandlers_ signalSemaphore streamDataForIdentifier_ streamHandlers streamToService_withFileHandle_acceptReply_ streamsFromFileHandle_withCompletionHandler_ supportStreamsWithIdentifier_withStreamHandler_ xpcManagerDidInvalidate_ SFCompanionService ipAddress isEqualToService_ managerID messageData nsxpcVersion setIpAddress_ setManagerID_ setNsxpcVersion_ setServiceType_ SFCompanionXPCManager activityAdvertiserProxyForClient_withCompletionHandler_ appleAccountSignedIn appleAccountSignedOut continuityScannerProxyForClient_withCompletionHandler_ interrupted isInvalid listenerResumedToken notifyOfInterruption notifyOfInvalidation notifyOfResume registerObserver_ remoteHotspotSessionForClient_withCompletionHandler_ serviceManagerProxyForIdentifier_client_withCompletionHandler_ setInterrupted_ setInvalid_ setListenerResumedToken_ setXpcSetupQueue_ setupConnection streamsForMessage_withCompletionHandler_ unlockManagerWithCompletionHandler_ unregisterObserver_ xpcSetupQueue SFContinuityScanManager activityPayloadFromDeviceUniqueID_forAdvertisementPayload_command_timeout_withCompletionHandler_ foundDeviceWithDevice_ lostDeviceWithDevice_ receivedAdvertisement_ scanTypes setFoundDevices_ setScanTypes_ SFCoordinatedAlertRequest _timeoutFired SFDevice autoUnlockEnabled autoUnlockWatch batteryInfo bleDevice deviceActionType hasProblem needsKeyboard needsSetup setAutoUnlockEnabled_ setAutoUnlockWatch_ setBleDevice_ setHasProblem_ setNeedsSetup_ setWakeDevice_ setWatchLocked_ updateWithBLEDevice_ wakeDevice watchLocked SFDeviceDiscovery _retryConsole deviceDiscoveryDeviceChanged_changes_ deviceDiscoveryFoundDevice_ deviceDiscoveryLostDevice_ deviceDiscoveryScanStateChanged_ discoveryFlags overrideScreenOff setDiscoveryFlags_ setOverrideScreenOff_ SFDiagnostics _getVersionWithCompletion_ _logControl_completion_ _show_completion_ bluetoothUserInteraction diagnosticBLEModeWithCompletion_ diagnosticControl_completion_ getVersionWithCompletion_ logControl_completion_ show_completion_ unlockTestClientWithDevice_ unlockTestServer SFEventMessage bodyData deviceIDs expectsResponse headerFields setBodyData_ setDeviceIDs_ setExpectsResponse_ setHeaderFields_ SFInternalAdvertisement initWithAdvertisementPayload_options_ setAdvertisementPayload_ SFLDefaults _objectForKey_ _objectForPrivilegedKey_ legacyAsyncServiceName legacyServiceName modernizedListIdentifiers SFLList _addItem_ _applyChanges_ _applyPropertyChanges _insertItem_afterItem_ _moveItem_afterItem_ _orderForPositionAfterItem_ _removeAllItems _removeItem_ _updateItem_ addObserverOnQueue_callback_context_ addObserverOnRunloop_runloopMode_callback_context_ dispatchSyncSerialized_ initWithIdentifier_dataSource_ insertItem_afterItem_ itemByInsertingAfterItem_name_URL_propertiesToSet_propertiesToClear_ itemByInsertingAfterItem_name_aliasPtr_aliasSize_propertiesToSet_propertiesToClear_ itemByInsertingAfterItem_name_bookmark_propertiesToSet_propertiesToClear_ itemByInsertingAfterItem_name_fsRef_propertiesToSet_propertiesToClear_ moveItem_afterItem_ notifyChanges_ removeObserverOnQueue_callback_context_ removeObserverOnRunloop_runloopMode_callback_context_ resumeWithItems_properties_ seedValue setProperty_named_ snapshot updateItem_ SFLListChange initWithType_updatedObject_ listProperties SFLListItem bookmark initWithName_URL_properties_ initWithName_bookmarkData_properties_ setOrder_ synthesizeMissingPropertyValues SFLListItemSnapshot _copyWithZone_ copyBinding copyForSaving copyIconRef copyReslovedURLWithResolutionFlags_error_ initWithItem_inList_ list refreshResolvedProperties resolveWithResolutionFlags_URL_fsRef_ resolveWithResolutionFlags_error_ setBookmark_ setProperty_forName_ updateFromItem_ SFLListManager _reconnect applyChange_toList_reply_ connectionAttempts dumpServerState listWithIdentifier_ listsByIdentifier notifyChanges_toListWithIdentifier_ reconnectionTimer resolveItemWithUUID_inListWithIdentifier_resolutionFlags_reply_ setReconnectionTimer_ setSerialQueue_ suspendLists SFLListObserver initWithTargetQueue_callback_context_ initWithTargetRunloop_runloopMode_callback_context_ notify runloop runloopMode setList_ SFLMutableListItem SFMachPort SFMessage SFOidParser cachedObjectForKey_ parseOidWithDictionary_ parseOid_ printDerThing_thing_ printECDSASigAlgParams_ printOidAsDecimal_ printOid_ printSigAlgParams_ printSigAlg_ SFPINPairSession _clientHeartbeatSend _clientPairSetup_start_ _clientPairVerify_start_ _clientRun _clientSFSessionStart _clientTryPIN_ _handleServerRequest_ _hearbeatTimer clientTryPIN_ handleServerHeartbeat_ handleServerPairSetup_reset_ handleServerPairVerify_reset_ handleServerRequest_ setSfService_ sfService SFPeerDevice SFRemoteHotspotDevice hasDuplicates initWithName_identifier_advertisement_ networkTypeForIncomingType_ setHasDuplicates_ SFRemoteHotspotInfo initWithName_password_channel_ SFRemoteHotspotSession browsing enableHotspotForDevice_withCompletionHandler_ enableRemoteHotspotForDevice_withCompletionHandler_ setBrowsing_ startBrowsing stopBrowsing updatedFoundDeviceList_ SFRemoteInteractionSession _sessionClearText _sessionCommitText _sessionDeleteTextBackward _sessionHandleEvent_ _sessionInsertText_ _sessionSetText_ _sessionStart agent clearText commitText deleteTextBackward remoteInteractionSessionTextSessionDidBegin_ remoteInteractionSessionTextSessionDidChange_ remoteInteractionSessionTextSessionDidEnd_ setAgent_ setTextSessionDidBegin_ setTextSessionDidChange_ setTextSessionDidEnd_ setText_ textSessionDidBegin textSessionDidChange textSessionDidEnd SFRemoteTextSessionInfo returnKeyType secureTextEntry setKeyboardType_ setReturnKeyType_ setSecureTextEntry_ text SFRequestMessage responseHandler setResponseHandler_ SFResponseMessage initWithRequestMessage_ SFService _activated _performActivateSafeChange_ _sendToPeer_type_data_ _sendToPeer_type_unencryptedObject_ clearEncryptionInfoForPeer_ eventMessageHandler peerDisconnectedHandler receivedFramePeerHandler receivedFrameSessionHandler receivedObjectHandler requestMessageHandler responseMessageInternalHandler sendToPeer_flags_object_ sendToPeer_type_data_ serviceError_ servicePeerDisconnected_error_ serviceReceivedEvent_ serviceReceivedFrameType_data_peer_ serviceReceivedRequest_ serviceReceivedResponse_ sessionEndedHandler sessionSecuredHandler sessionStartedHandler setDeviceActionType_ setEncryptionReadKey_readKeyLen_writeKey_writeKeyLen_peer_ setEventMessageHandler_ setNeedsKeyboard_ setPeerDisconnectedHandler_ setReceivedFramePeerHandler_ setReceivedFrameSessionHandler_ setReceivedObjectHandler_ setRequestMessageHandler_ setResponseMessageInternalHandler_ setServiceUUID_ setSessionEndedHandler_ setSessionSecuredHandler_ setSessionStartedHandler_ setSupportsAirPlayReceiver_ supportsAirPlayReceiver updateWithService_ SFServiceSession _pairSetupCompleted_ _pairVerifyCompleted_ clearEncryptionInfo pairSetup_start_ pairVerify_start_ peer receivedEncryptedData_ receivedUnencryptedData_type_ sendEncryptedObject_ setEncryptionReadKey_readKeyLen_writeKey_writeKeyLen_ setPeer_ SFSession _pairSetupTryPIN_ _pairSetupWithFlags_completion_ _pairSetup_start_ _pairVerifyWithFlags_completion_ _pairVerify_start_ _sendEncryptedObject_ _sessionReceivedEncryptedData_ _sessionReceivedUnencryptedData_type_ pairSetupTryPIN_ pairSetupWithFlags_completion_ pairVerifyWithFlags_completion_ receivedFrameHandler sendFrameType_data_ sendFrameType_object_ sendWithFlags_object_ serviceIdentifier sessionError_ sessionReceivedEvent_ sessionReceivedFrameType_data_ sessionReceivedRequest_ sessionReceivedResponse_ setReceivedFrameHandler_ setServiceIdentifier_ SFStateMachine _missingTransitionFromState_toState_ _performTransitionFromState_toState_ _setCurrentState_ _validateTransitionFromState_toState_ applyState_ missingTransitionFromState_toState_ setShouldLogStateTransitions_ setValidTransitions_ shouldLogStateTransitions validTransitions SFSyncManager _didPushKeychainBlobIfDNE_keychainLeafName_ _keychainBlobExists_inDictionary_returnedBlob_ _keychainDictionaryOnDotMacForKeychain_ _recodeKeychainIfBlobDNE_keychainLeafName_didRecode_ _replaceStaleBlobs _signaturesMatchForKeychain_keychainLeafName_ _syncList _updateLogLevel autoCreateKeychainsWithBlobsOnIDisk_ blobChanged_forKeychain_ createAndEnableDotMacKeychainForSyncing_ initSyncList_ keychainName_ keychainSyncList loginKeychainWasReset_forKeychain_syncState_ makeLocalPath_ prepareKeychainToSync_ resetKeychainSyncing runDotMacToolWithArguments_wait_ runProcess_arguments_wait_ runSyncToolWithArguments_wait_ saveSyncList setSyncState_keychain_ syncStateForKeychain_ syncingEnabled updateDictOnIDisk_localFile_dictToWrite_ SFSyncManager_ivars SFWiFiLogger _captureLogs captureLogs SFWirelessSettingsController deviceSupportsWAPI isBluetoothEnabled isWifiEnabled isWirelessAccessPointEnabled isWirelessCarPlayEnabled setBluetoothEnabled_ setWifiEnabled_ SFXPCClient connectionEstablished connection_handleInvocation_isReply_ getRemoteObjectProxyOnQueue_ invalidated machServiceName onqueue_activate onqueue_connectionEstablished onqueue_connectionInterrupted onqueue_connectionInvalidated onqueue_ensureConnectionEstablished onqueue_ensureXPCStarted onqueue_getRemoteObjectProxyOnQueue_ onqueue_interrupted onqueue_invalidate onqueue_invalidated shouldAutomaticallyDispatchIncomingInvocations SecFoundationModVector _connectionDidDie_ addCertificate_toKeychain_ addCertificate_toKeychain_domain_settings_ authorizationValid createKeyPair_algorithm_keySizeInBits_contextHandle_publicKeyUsage_publicKeyAttr_privateKeyUsage_privateKeyAttr_initialAccess_publicKey_privateKey_commonName_ doWithProxy_onError_ obtainAuthorization_ privateKeyPersistentRef proxyWithSemaphore_ publicKeyPersistentRef releaseAuthorization setKeyPrintNamesWithCommonName_forKey_ startProxy stopProxy SystemPowerNotifier notifyDelegate_ rootConnection setRootConnection_ TDSHelperConnectionHandler clearHelper handleHelperEvent_ initWithHelper_ TFontProviderClientXPC callFontProvider fListener fRequests initWithCallback_ setFListener_ setFRequests_ setRunLoopSource_withCurrentRunLoop_ TFontProviderHandler XTCopyFontsForRequest_reply_ callFontProvider_ fProvider fReply fRequest initWithProvider_andPID_ setFProvider_ setFReply_ setFRequest_ TISInputMethodDataFileLoader chooseFormat_ wordList TRUE TUTestState waitWithTimeout_ TXRArrayElement initAsLevel_element_cubemap_dataSourceProvider_ initAsLevel_element_dimensions_pixelFormat_alphaInfo_cubemap_bufferAllocator_ setImage_atFace_ TXRAssetCatalogConfig addFileAttributesForLevel_ addFileAttributesForLevel_face_ addFileAttributesForLevel_face_withOrigin_fileFormat_colorSpace_ addFileAttributesForLevel_withOrigin_fileFormat_colorSpace_ baseFileAttributes displayColorSpace fileAttributesList graphicsFeatureSet initWithTexture_ memory mipmapOption setBaseFileAttributes_ setDisplayColorSpace_ setGraphicsFeatureSet_ setMemory_ setMipmapOption_ TXRAssetCatalogFileAttributes fileFormat setFileFormat_ setOrigin_ TXRAssetCatalogMipFileAttributes doesSpecifyAllFaces specifyAllFaces TXRAssetCatalogParser TXRAssetCatalogSet configs exportAtLocation_error_ interpretation setInterpretation_ TXRDataConverter TXRDataScaler TXRDefaultBuffer initWithData_zone_ map TXRDefaultBufferAllocator newBufferWithLength_ TXRDefaultBufferMap initForBuffer_withBytes_ TXRDeferredElementInfo initAsCubemap_ TXRDeferredImageInfo signalLoaded TXRDeferredMipmapInfo initWithArrayLength_cubemap_ TXRDeferredTextureInfo initWithMipmapLevelCount_arrayLength_cubemap_ mipmaps TXRFileDataSourceProvider _determineFileType_ _parseData_bufferAllocator_options_error_ initWithData_bufferAllocator_options_error_ initWithURL_bufferAllocator_options_error_ provideImageInfoAtLevel_element_face_ TXRImage bytesPerImage deferredProvide initAsLevel_element_face_dataSourceProvider_ initWithBytesPerRow_bytesPerImage_buffer_offset_ TXRImageIndependent alphaInfo dimensions exportToURL_uttype_error_ initWithCGImage_bufferAllocator_options_error_ initWithCGImage_pixelFormat_bufferAllocator_options_error_ initWithDimensions_pixelFormat_alphaInfo_bufferAllocator_ initWithDimensions_pixelFormat_alphaInfo_bytesPerRow_bytesPerImage_buffer_offset_ initWithImage_dimensions_pixelFormat_ initWithImage_dimensions_pixelFormat_alphaInfo_ setAlphaInfo_ TXRImageInfo setBuffer_ setBytesPerImage_ TXRMipmapLevel initAsLevel_arrayLength_cubemap_dataSourceProvider_ initAsLevel_dimensions_pixelFormat_alphaInfo_arrayLength_cubemap_bufferAllocator_ setImage_atElement_atFace_ TXROptions colorSpaceHandling cubemapFromVerticallyStackedImage multiplyAlpha originOperation setColorSpaceHandling_ setCubemapFromVerticallyStackedImage_ setMultiplyAlpha_ setOriginOperation_ TXRParserImageIO parseData_bufferAllocator_options_error_ parsedImageAtLevel_element_face_ textureInfo TXRParserKTX determineFormatFromType_format_internalFormat_baseInternalFormat_ parseImageData_WithOptions_bufferAllocator_ TXRPixelFormatInfo TXRTexture copyWithPixelFormat_options_bufferAllocator_ exportToAssetCatalogWithName_location_error_ exportToURL_error_ generateMipmapsForRange_filter_error_ initWithContentsOfURL_bufferAllocator_options_error_ initWithDataSourceProvider_ initWithDimensions_pixelFormat_alphaInfo_mipmapLevelCount_arrayLength_cubemap_bufferAllocator_ mipmapLevels reformat_gammaDegamma_bufferAllocator_error_ TXRTextureInfo setDimensions_ TestDelegate24722429 URLSession_task_willPerformHTTPRedirection_newRequest_completionHandler_ setServerPort_ TestDelegate24725687 URLSession_task_didCompleteWithError_ TestDelegateParentDirAuthCheck TestDelegatetAuthSlashFirstRequest TheServerPorterHolderOfPower UIBoxcarFilterPointFIFO addPoint_ emitAveragedPoint emitPoint_ initWithFIFO_ initWithFIFO_width_ initWithFIFO_width_spacing_ nextFIFO prevPoints setNextFIFO_ setPrevPoints_ UICollectionViewAnimation addCompletionHandler_ addStartupHandler_ animateFromCurrentPosition deleteAfterAnimation endFraction finalLayoutAttributes initWithView_viewType_finalLayoutAttributes_startFraction_endFraction_animateFromCurrentPostion_deleteAfterAnimation_customAnimations_ rasterizeAfterAnimation resetRasterizationAfterAnimation setRasterizeAfterAnimation_ setResetRasterizationAfterAnimation_ startFraction viewType UICollectionViewIndexMapper _flushPendingDeletes _flushPendingInserts deleteItemAtIndex_ didDeleteIndex_ didInsertIndex_ finishModifications initWithOldIndexCount_newIndexCount_ newIndexAt_ newIndexCount newIndexMap oldIndexAt_ oldIndexCount oldIndexMap UIPointFIFO UIQuadCurvePointFIFO controlPoints emissionHandler emitInterpolatedPoints initWithFIFO_strokeView_ lastPoint setControlPoints_ setEmissionHandler_ setEmitInterpolatedPoints_ setLastPoint_ setPoints_ setUnitScaleForViewSize_normalizedSize_contentScaleFactor_ setUnitScale_ unitScale UIViewAnimationContext animationCount initWithCompletionHandler_ setAnimationCount_ UnitTestBackgroundSessionTester URLSession_dataTask_didReceiveResponse_completionHandler_ initWithConfiguration_result_ startTaskWithURL_ UnitTestPOSTTaskDelegate URLSession_task_needNewBodyStream_ UnitTestRedirectTaskDelegate correctRequestURLSent setCorrectRequestURLSent_ UnitTestSchemeUpgradeTaskDelegate URLSession_task__schemeUpgraded_completionHandler_ initWithTestDisposition_ testPassed_ UnitTestSessionTaskDelegate URLSession_task_didFinishCollectingMetrics_ didFinishCollectingMetricsCompletionBlock setDidFinishCollectingMetricsCompletionBlock_ UnitTestSessionTaskDelegateWithDidCompleteWithError didDidCompleteWithErrorCompletionBlock setDidDidCompleteWithErrorCompletionBlock_ VMUAbstractSerializer VMUArchitecture cpuSubtype cpuType initWithCpuType_cpuSubtype_ is32Bit is64Bit isBigEndian isEqualToArchitecture_ isLittleEndian matchesArchitecture_ VMUBacktrace _symbolicator backtrace backtraceLength dispatchQueueSerialNumber fixupStackWithSamplingContext_symbolicator_ initWithSamplingContext_thread_recordFramePointers_ initWithTask_thread_is64Bit_ setEndTime_ setLengthTime_ setStartTime_ setThreadState_ stackFramePointers thread threadState VMUCallTreeLeafNode addAddress_ addChildCountsIntoNode addTraceEvent_forTraceData_ allChildren browserName callTreeHasBranches chargeLibrariesInSet_toCaller_parentLibrary_ chargeLibrariesToCallers_keepBoundaries_ chargeSystemLibrariesToCallersAndKeepBoundaries_ comparePuttingMainThreadFirst_ compareSizeAndCount_ countFunctionOccurrencesInTree_ filterOutSymbols_ filterOutSymbols_required_ findOrAddChildWithName_address_ findOrAddChildWithName_address_nodeSearchType_isLeafNode_ fullOutputWithThreshold_ fullOutputWithThreshold_showPseudoNodes_ getBrowserName_ initWithName_address_count_numBytes_ invertedNode isMallocBlockContentNode isPseudo largestTopOfStackPath nameWithStringsForSymbol_library_loadAddress_offset_address_suffix_ nameWithoutOffset numChildren parseNameIntoSymbol_library_loadAddress_offset_address_suffix_ printCallTree printCallTreeToFile_ pruneCount_ pruneMallocSize_ pseudoName pseudoNodeTopOfStackChild setNumChildren_ sortedChildrenWithPseudoNode sortedChildrenWithPseudoNode_withCompare_ stringFromCallTreeIndentIfNoBranches_ stringFromCallTreeIndentIfNoBranches_showPseudoNodes_ symbolNameIsUnknown VMUCallTreeNode VMUCallTreePseudoNode VMUCallTreeRoot addBacktrace_ addBacktrace_count_numBytes_ addChildWithName_address_count_numBytes_toNode_ addUniqueChildWithName_address_count_numBytes_toNode_ allBacktracesHaveBeenAdded descriptionStringForAddress_atTime_leafFrame_startOfRecursion_ initWithCallGraphFile_fileHeader_topFunctionsList_binaryImagesList_ initWithSymbolicator_sampler_options_ VMUClassInfo _addFields_ _addVariantAction_withEvaluator_ _applyExtendedLayout_withSize_ _copyWithInstanceSize_superclassOffset_asVariant_mutable_ _demangleClassName _freeLocalIvarList _initWithClass_realizedOnly_infoMap_symbolicator_type_swiftFieldMetadataContext_memoryReader_ _ivarDescription_withSpacing_ _logDescriptionWithSuperclasses_indentation_toLogger_ _parseIvarsAndLayouts _processARRLayout_scanType_ _replaceField_withFields_ _setBinaryPath_ _setClassNameWithAddress_reader_ _setDefaultScanType_ _setFields_ _setIsa_ _setSuperclassInfo_ _totalIvarCount binaryName binaryPath defaultScanType enumerateAllFieldsWithBlock_ enumerateExternalValuesFromObject_withSize_block_ enumerateScanningLocationsForSize_withBlock_ enumerateStoredEntriesForObject_ofSize_externalValues_block_ enumerateSublayoutsForSize_withBlock_ enumerateTypeFieldsWithBlock_ fieldAtOrBeforeOffset_ firstFieldWithName_ fullIvarDescription genericInfo hasCppConstructorOrDestructor hasSpecificLayout hasVariantLayout infoType initWithClassName_binaryPath_type_ initWithClass_infoMap_symbolicator_type_swiftFieldMetadataContext_memoryReader_ initWithClosureContext_typeInfo_infoMap_swiftFieldMetadataContext_ initWithRealizedClass_infoMap_symbolicator_type_swiftFieldMetadataContext_memoryReader_ initWithSerializer_classMap_version_ instanceSize instanceSpecificInfoForObject_ofSize_memoryReader_ instanceSpecificInfoForObject_ofSize_withScanner_memoryReader_ isARR isMetaClass isRealized isRootClass pointerSize remoteIsa scanDescriptionWithSize_ serializeWithClassMap_simpleSerializer_version_ shortIvarDescription superclassInfo typeName VMUClassInfoMap _applyTypeOverlay_ _retainedLinearArrayWithReturnedCount_ addClassInfo_forAddress_ addClassInfosFromMap_ addFieldInfo_ classInfoForAddress_ classInfoForIndex_ enumerateInfosWithBlock_ fieldInfoCount fieldInfoForIndex_ indexForClassInfo_ indexForFieldInfo_ memoizeSwiftField_withName_offset_kind_typeref_ swiftFieldWithName_offset_kind_typeref_ VMUDebugTimer startWithMessage_ VMUDirectedGraph _adjustAdjacencyMap _bfsCore_colors_visitBlock_examineBlock_ _deadNodeMap _dfsCore_colors_visitBlock_examineBlock_ _dumpAdjacencyList _faultDeadNodeMap _internalAccessRawEdgesWithBlock_ _internalAddEdgeFromNode_toNode_withName_ _internalEnumerateEdgesOfNode_withBlock_ _removeEdges_ _renameWithNodeMap_nodeNamespace_edgeMap_edgeNamespace_ _renormalize _reorderEdgesNaturally _searchMainLoop_action_ addEdgeFromNode_toNode_ addGroupNodeForNodes_count_ addNode additionalProperties archiveDictionaryRepresentation_options_ breadthFirstSearch_nodeVisitBlock_edgeVisitBlock_ depthFirstSearch_nodeVisitBlock_edgeVisitBlock_ edgeCount edgeNamespaceSize enumerateEdgesOfNode_withBlock_ enumerateEdgesWithBlock_ enumerateMembersOfGroupNode_withBlock_ enumerateNodesWithBlock_ graphIs64bit initWithArchived_version_options_ initWithNodes_ initWithPlistRepresentation_ invertEdges inverted invertedGraph isNodePresent_ nodeCount nodeNamespaceSize parentGroupForNode_ plistRepresentationWithOptions_ removeMarkedEdges_ removeMarkedNodes_ renormalizedGraph setAdditionalProperties_ setInverted_ subgraphWithMarkedNodes_ ungroupNode_ withEdgeMarkingMap_ withNodeMarkingMap_ VMUFieldInfo _getFieldAtOffset_ _setDestinationLayout_ _setIvarName_ _setOffset_ _setScanType_ _setScannableSize_ _setSize_ _setStride_ _setTypeName_ bitfieldWidth descriptionOfFieldValueInObjectMemory_scanner_ destinationLayout getLeafFieldAtOffset_leafOffset_ initStorageEntryFieldWithName_type_kind_scan_offset_size_stride_subFieldArray_ initStorageInfoFieldWithName_type_kind_scan_offset_size_stride_subFieldArray_ initWithName_type_kind_scan_offset_size_stride_subFieldArray_ initWithName_type_scan_offset_size_ initWithObjcIvar_size_isARC_is64Bit_ isArrayEntries isArraySize isCapture isKeyField isKeysPointer isStorageBitmapPointer isStorageImplPointer isValueField isValuesPointer ivarName scanType scannableSize subFieldArray typedDescription VMUFieldValue initWithField_value_ VMUMachOSection initWithTask_remoteAddress_size_ localAddress mappingSize VMUMutableClassInfo addFields_ addVariant_forField_withEvaluator_ mutateTypeFieldsWithBlock_ replaceField_withFields_ setBinaryPath_ setDefaultScanType_ setFields_ setSuperclassInfo_ setVariantScanType_withEvaluator_ VMUMutableFieldInfo setDestinationLayout_ setIsByref_ setIsCapture_ setIvarName_ setScanType_ setScannableSize_ setTypeName_ VMUNodeToStringMap _indexForString_ setString_forNode_ stringForNode_ uniquedStringCount VMUNonOverlappingRangeArray _mergeAllBitsOfRange_excludingRanges_mergeRanges_ addOrExtendRange_ addRanges_ indexForLocation_ intersectsLocation_ intersectsRange_ largestRange mergeRange_ mergeRange_excludingRanges_ mergeRanges_ mergeRanges_excludingRanges_ rangeForLocation_ ranges removeAllRanges sortAndMergeRanges subrangeNotExcludedBySelfForRange_ subtract_mergeRanges_ sumLengths VMUObjectGraph _compareWithGraph_andMarkOnMatch_ _modifyDerivativeGraphCount_ _rawReferenceInfoWithName_ _refineTypesWithOverlay_ addEdgeFromNode_sourceOffset_withScanType_toNode_destinationOffset_ createMapForIntersectGraph_ createMapForMinusGraph_ enumerateMarkedObjects_withBlock_ enumerateObjectsContainedInCollection_withBlock_ enumerateObjectsOfGroupNode_withBlock_ enumerateObjectsWithBlock_ enumerateReferencesOfNode_withBlock_ enumerateReferencesWithBlock_ indexedClassInfos initWithNodeCount_nodeProvider_ initWithNodesNoCopy_nodeCount_ internalizeNodes markReachableNodesFromRoots_inMap_ nodeDetails_ nodeReferencedFromSourceNode_byIvarWithName_ referenceInfoWithName_ setIndexedClassInfos_ stronglyConnectedComponentSearch_withRecorder_ subgraphWithShortestPathsFromNode_toNodes_ subgraphWithUniquePathsFromNode_toNodes_ VMUObjectIdentifier CFTypeCount ObjCclassCount SwiftClassCount _classInfoWithNonobjectType_binaryPath_ _dlopenLibSwiftRemoteMirrorFromDir_ _dlopenLibSwiftRemoteMirrorNearLibSwiftCoreWithSymbolicator_avoidSystem_ _dlopenLibSwiftRemoteMirrorWithSymbolicator_ _faultClass_ofType_ _populateSwiftReflectionInfo_withTask_ _returnFaultedClass_ofType_ addressOfSymbol_inLibrary_ buildIsaToObjectLabelHandlerMap classInfoForMemory_length_ classInfoForMemory_length_remoteAddress_ classInfoForNonobjectMemory_length_ classInfoForObjectWithRange_ enumerateAllClassInfosWithBlock_ enumerateRealizedClassInfosWithBlock_ findCFTypes findObjCclasses initWithTask_symbolicator_ labelForItemCount_ labelForMallocBlock_ labelForMallocBlock_usingHandlerBlock_ labelForMemory_length_ labelForMemory_length_remoteAddress_ labelForMemory_length_remoteAddress_usingHandlerBlock_ labelForNSArray_ labelForNSCFDictionary_ labelForNSCFSet_ labelForNSCFStringAtRemoteAddress_printDetail_ labelForNSConcreteAttributedString_ labelForNSConcreteData_ labelForNSConcreteHashTable_ labelForNSConcreteMutableData_ labelForNSData_ labelForNSDate_ labelForNSDictionary_ labelForNSInlineData_ labelForNSNumber_ labelForNSPathStore2_ labelForNSSet_ labelForNSString_ labelForNSString_mappedSize_remoteAddress_printDetail_ labelForNSURL_ labelForNSXPCConnection_ labelForNSXPCInterface_ labelForOSDispatchMach_ labelForOSDispatchQueue_ labelForOSTransaction_ labelForOSXPCConnection_ labelForProtocol_ labelForTaggedPointer_ labelFor__NSMallocBlock___ memoryReader objcRuntimeMallocBlocksHash objectLabelHandlerForRemoteIsa_ osMajorMinorVersionString realizedClasses uniquifyStringLabel_stringType_printDetail_ vmRegionRangeForAddress_ VMUObjectLabelHandlerInfo VMUProcInfo _infoFromCommandLine_ compareByName_ compareByUserAppName_ envVars firstArgument isApp isCFM isMachO isNative ppid procTableName realAppName requestedAppName signal_ userAppName valueForEnvVar_ VMUProcList _populateFromSystem addProcInfo_ allNames allPIDs allPathNames allProcInfos appsOnly newestProcInfo newestProcInfoSatisfyingCondition_forTarget_ newestProcInfoSatisfyingCondition_forTarget_withContext_ newestProcInfoWithName_ ownedOnly_ procInfoWithPID_ removeProcInfo_ setAppsOnly_ setOwnedOnly_ setProcInfos_ updateFromSystem VMUProcessDescription _binaryImagesDescriptionForRanges_ _buildInfoDescription _buildVersionDictionary _bundleLock _cpuTypeDescription _extractCrashReporterBinaryImageHintsFromSymbolOwner_withMemory_ _extractDyldInfoFromSymbolOwner_withMemory_ _extractInfoPlistFromSymbolOwner_withMemory_ _libraryLoaded_ _osVersionDictionary _rangesOfBinaryImages_forBacktraces_ _readDataFromMemory_atAddress_size_ _readStringFromMemory_atAddress_ _sanitizeVersion_ _systemVersionDescription analysisToolDescription binaryImageDictionaryForAddress_ binaryImages binaryImagesDescription binaryImagesDescriptionForBacktraces_ clearCrashReporterInfo dateAndVersionDescription initFromCorpse initFromLiveProcess initWithPid_orTask_ initWithPid_orTask_getBinariesList_ isAppleApplication parentProcessName processDescriptionHeader processVersion processVersionDictionary setCrashReporterInfo VMUProcessObjectGraph _deriveObjcClassStructureRanges _descriptionForRegionAddress_withOffset_showSegment_ _detailedNodeOffsetDescription_withSourceNode_destinationNode_alignmentSpacing_ binarySectionNameForAddress_ binarySectionRangeContainingAddress_ contentForNode_ copyUserMarked enumerateReferencesFromDataRegion_atGlobalSymbol_withBlock_ enumerateRegionsWithBlock_ initWithPid_nodes_nodeCount_zoneNames_classInfoMap_regions_pthreadOffsets_userMarked_ labelForNode_ nodeDescription_ nodeDescription_withDestinationNode_referenceInfo_ nodeDescription_withOffset_ nodeOffsetDescription_withSourceNode_destinationNode_ nodeReferencedFromDataRegion_byGlobalSymbol_ rangeForSymbolName_inRegion_ referenceDescription_withSourceNode_destinationNode_alignmentSpacing_ refineEdges_withOptions_markingInvalid_ refineTypesWithOverlay_ regionCount regionSymbolNameForAddress_ regionSymbolRangeContainingAddress_ setBinarySectionName_forRange_ setLabel_forNode_ setRegionSymbolName_forRange_ setSnapshotMachTime_ setThreadName_forRange_ setToolHeaderDescription_ setUserMarked_ shortLabelForMallocNode_ shortNodeDescription_ snapshotMachTime threadNameForAddress_ toolHeaderDescription vmPageSize vmuVMRegionForNode_ zoneCount zoneNameForIndex_ VMURangeArray VMURangeToStringMap _indexForString_insertIfMissing_ rangeContainingAddress_ rangeForString_startingAtAddress_ setString_forRange_ stringForAddress_ VMUSampler _checkDispatchThreadLimits _fixupStacks_ _makeHighPriority _makeTimeshare _runSamplingThread createOutput dispatchQueueNameForSerialNumber_ dispatchQueueNameForSerialNumber_returnedConcurrentFlag_returnedThreadId_ flushData forceStop initWithPID_ initWithPID_options_ initWithPID_orTask_options_ initWithPID_task_processName_is64Bit_options_ initWithTask_options_ initializeSamplingContextWithOptions_ mainThread outputString preloadSymbols recordSampleTo_beginTime_endTime_thread_recordFramePointers_ sampleAllThreadsOnce sampleAllThreadsOnceWithFramePointers_ sampleForDuration_interval_ sampleLimit sampleThread_ samplingInterval setRecordThreadStates_ setSampleLimit_ setSamplingInterval_ setTimeLimit_ stopSampling stopSamplingAndReturnCallNode symbolicator threadDescriptionStringForBacktrace_returnedAddress_ threadNameForThread_ threadNameForThread_returnedThreadId_returnedDispatchQueueSerialNum_ timeLimit waitUntilDone writeOutput_append_ VMUScanOverlay addMetadataRefinementRule_ refinementRules VMUSimpleDeserializer _deserializeValues_ copyDeserializedNullTerminatedBytes copyDeserializedString copyDeserializedStringWithID_ deserialize32 deserialize64 initWithBuffer_length_destructor_ skipFields_ VMUSimpleSerializer _serializeValues_count_ copyContiguousData serialize32_ serialize64_ serializeNullTerminatedBytes_ VMUSourceInfo initWithSymbolicator_address_ VMUStackLogReader enumerateRecordsWithEnumerator_context_ getFramesForAddress_size_inLiteZone_stackFramesBuffer_ liteModeStackIDforAddress_size_ usesLiteMode VMUSymbol sourceInfoForAddress_ VMUSymbolOwnerCache VMUSymbolicator symbolForAddress_ VMUTaskMemoryCache copyRange_to_ flushMemoryCache peekAtAddress_size_returnsBuf_ readPointerAt_value_ startPeeking stopPeeking VMUTaskMemoryScanner _buildRegionPageBlockMaps _callRemoteMallocEnumerators_block_ _findMarkedAbandonedBlocks _fixupBlockIsas _initWithTask_options_ _orderedScanWithScanner_recorder_keepMapped_actions_ _removeFalsePositiveLeakedVMregionsFromNodes_nodeCount_recorder_ _sortAndClassifyBlocks _sortBlocks _withMemoryReaderBlock_ _withOrderedNodeMapper_ _withScanningContext_ abandonedMarkingEnabled addMallocNodesFromTask addMallocNodes_ addRootNodesFromTask classInfoForObjectAtAddress_ debugTimer detachFromTask exactScanningEnabled initWithSelfTaskAndOptions_ mallocNodeCount maxInteriorOffset objectIdentifier orderedNodeTraversal_withBlock_ processSnapshotGraph referenceDescription_withSourceNode_destinationNode_symbolicator_alignmentSpacing_ removeRootReachableNodes saveNodeLabelsInGraph scanNodesForReferences_ scanningMask setAbandonedMarkingEnabled_ setDebugTimer_ setExactScanningEnabled_ setMaxInteriorOffset_ setNodeScanningLogger_ setReferenceScanningLogger_ setSaveNodeLabelsInGraph_ setScanningMask_ zoneNameForNode_ VMUTraceData addEvent_ addOrIncrementXref_withParent_withChild_withSelector_commutative_ buildPCMap_withNumPages_forTask_ freeXrefTable_ functionXref generateXref_withSelector_commutative_ initWithBacktraces_forTask_ libraryXref maxDepth numberForThread_ printXrefs_toString_ readAddressFromFile_has64bitAddresses_needSwap_ symbolForPC_ threadIDs traceForThread_ VMUTraceRecord frames initWithBacktrace_forTask_ initWithTraceRecord_ initWithTraceRecord_withDepth_ seqnum threadID VMUTraceSymbol initWithCString_length_withLine_ initWithPC_withSymbolicator_ library VMUVMRegion addInfoFromRegion_ breakAtLength_ descriptionWithOptions_maximumLength_ descriptionWithOptions_maximumLength_memorySizeDivisor_hasFractionalPageSizes_ getVMRegionData_withSimpleSerializer_ hasSameInfoAsRegion_ initWithVMRegionData_encodedVersion_simpleSerializer_ isSubmap maxProtection protection VMUVMRegionIdentifier _recordRegionsAroundAddress_regionDescriptionOptions_ descriptionForMallocZoneTotalsWithOptions_memorySizeDivisor_ descriptionForRange_ descriptionForRange_options_ descriptionForRegionTotalsWithOptions_ descriptionForRegionTotalsWithOptions_memorySizeDivisor_ descriptionOfRegionsAroundAddress_options_ descriptionOfRegionsAroundAddress_options_maximumLength_memorySizeDivisor_ hasFractionalPageSizes initWithGraph_options_ initWithTask_pid_options_ regions VMUVMRegionRangeInfo setStackIdentifier_ setUserTag_ stackIdentifier userTag VMUVMRegionTracker _regionIndexForAddress_ handleStackLogEvent_ initWithTask_stackLogReader_ vmRegionRangeInfoForRange_ VaryHeaderSupportTaskDelegate setMetrics_ XTypeXPCClient EnsureFontFileAccess_ XTAddFontProvider_ XTClientNotifyFontChange_ XTCopyAvailableFontFamilyNames_options_ XTCopyAvailableFontNames_options_ XTCopyAvailableFonts_options_ XTCopyDuplicateFonts_options_domain_ XTCopyFamilyNamesForLanguage_scope_options_ XTCopyFontForCharacter_scope_options_ XTCopyFontProviders XTCopyFontWithName_scope_options_ XTCopyFontsMatchingRequest_scope_options_ XTCopyLocalizedNameForFonts_name_languageOrder_scope_options_ XTCopyPropertiesForAllFonts_scope_options_ XTCopyPropertiesForFont_keys_scope_options_ XTCopyPropertiesForFontsMatchingRequest_properties_scope_options_ XTCopyPropertiesForFonts_keys_scope_options_ XTCopyPropertyForFonts_key_scope_options_ XTDisableFont_ XTDisableFonts_scope_ XTEnableFont_ XTEnableFonts_scope_ XTExperimentalDataFunnel_scope_options_ XTGetFontScope_ XTPing_ XTRegisterFontDirectory_bookmark_domain_flags_scope_ XTRegisterFonts_flags_scope_sandboxExtensions_failedURLs_errors_ XTRemoveFontProvider_ XTRendezvous_ XTUnregisterFontDirectory_scope_ XTUnregisterFonts_scope_failedURLs_errors_ XTypeServerPID run_errorHandler_ uniqueingDictionaryArray_ uniqueingDictionary_ YES ZoneTotal allocationTotals setAllocationTotals_ ZoneTotalDiff allocationTotalDiffs setAllocationTotalDiffs_ kCFAbsoluteTimeIntervalSince1904 kCFAbsoluteTimeIntervalSince1970 kCFAllocatorDefault kCFAllocatorMalloc kCFAllocatorMallocZone kCFAllocatorNull kCFAllocatorSystemDefault kCFAllocatorUseContext kCFBookmarkResolutionWithoutMountingMask kCFBookmarkResolutionWithoutUIMask kCFBooleanFalse kCFBooleanTrue kCFBuddhistCalendar kCFBundleDevelopmentRegionKey kCFBundleExecutableArchitectureI386 kCFBundleExecutableArchitecturePPC kCFBundleExecutableArchitecturePPC64 kCFBundleExecutableArchitectureX86_64 kCFBundleExecutableKey kCFBundleIdentifierKey kCFBundleInfoDictionaryVersionKey kCFBundleLocalizationsKey kCFBundleNameKey kCFBundleVersionKey kCFCalendarComponentsWrap kCFCalendarUnitDay kCFCalendarUnitEra kCFCalendarUnitHour kCFCalendarUnitMinute kCFCalendarUnitMonth kCFCalendarUnitQuarter kCFCalendarUnitSecond kCFCalendarUnitWeek kCFCalendarUnitWeekOfMonth kCFCalendarUnitWeekOfYear kCFCalendarUnitWeekday kCFCalendarUnitWeekdayOrdinal kCFCalendarUnitYear kCFCalendarUnitYearForWeekOfYear kCFCharacterSetAlphaNumeric kCFCharacterSetCapitalizedLetter kCFCharacterSetControl kCFCharacterSetDecimalDigit kCFCharacterSetDecomposable kCFCharacterSetIllegal kCFCharacterSetLetter kCFCharacterSetLowercaseLetter kCFCharacterSetNewline kCFCharacterSetNonBase kCFCharacterSetPunctuation kCFCharacterSetSymbol kCFCharacterSetUppercaseLetter kCFCharacterSetWhitespace kCFCharacterSetWhitespaceAndNewline kCFChineseCalendar kCFCompareAnchored kCFCompareBackwards kCFCompareCaseInsensitive kCFCompareDiacriticInsensitive kCFCompareEqualTo kCFCompareForcedOrdering kCFCompareGreaterThan kCFCompareLessThan kCFCompareLocalized kCFCompareNonliteral kCFCompareNumerically kCFCompareWidthInsensitive kCFCoreFoundationVersionNumber kCFCoreFoundationVersionNumber10_0 kCFCoreFoundationVersionNumber10_0_3 kCFCoreFoundationVersionNumber10_1 kCFCoreFoundationVersionNumber10_10 kCFCoreFoundationVersionNumber10_10_1 kCFCoreFoundationVersionNumber10_10_2 kCFCoreFoundationVersionNumber10_10_3 kCFCoreFoundationVersionNumber10_10_4 kCFCoreFoundationVersionNumber10_10_5 kCFCoreFoundationVersionNumber10_10_Max kCFCoreFoundationVersionNumber10_11 kCFCoreFoundationVersionNumber10_11_1 kCFCoreFoundationVersionNumber10_11_2 kCFCoreFoundationVersionNumber10_11_3 kCFCoreFoundationVersionNumber10_11_4 kCFCoreFoundationVersionNumber10_11_Max kCFCoreFoundationVersionNumber10_1_1 kCFCoreFoundationVersionNumber10_1_2 kCFCoreFoundationVersionNumber10_1_3 kCFCoreFoundationVersionNumber10_1_4 kCFCoreFoundationVersionNumber10_2 kCFCoreFoundationVersionNumber10_2_1 kCFCoreFoundationVersionNumber10_2_2 kCFCoreFoundationVersionNumber10_2_3 kCFCoreFoundationVersionNumber10_2_4 kCFCoreFoundationVersionNumber10_2_5 kCFCoreFoundationVersionNumber10_2_6 kCFCoreFoundationVersionNumber10_2_7 kCFCoreFoundationVersionNumber10_2_8 kCFCoreFoundationVersionNumber10_3 kCFCoreFoundationVersionNumber10_3_1 kCFCoreFoundationVersionNumber10_3_2 kCFCoreFoundationVersionNumber10_3_3 kCFCoreFoundationVersionNumber10_3_4 kCFCoreFoundationVersionNumber10_3_5 kCFCoreFoundationVersionNumber10_3_6 kCFCoreFoundationVersionNumber10_3_7 kCFCoreFoundationVersionNumber10_3_8 kCFCoreFoundationVersionNumber10_3_9 kCFCoreFoundationVersionNumber10_4 kCFCoreFoundationVersionNumber10_4_1 kCFCoreFoundationVersionNumber10_4_10 kCFCoreFoundationVersionNumber10_4_11 kCFCoreFoundationVersionNumber10_4_2 kCFCoreFoundationVersionNumber10_4_3 kCFCoreFoundationVersionNumber10_4_4_Intel kCFCoreFoundationVersionNumber10_4_4_PowerPC kCFCoreFoundationVersionNumber10_4_5_Intel kCFCoreFoundationVersionNumber10_4_5_PowerPC kCFCoreFoundationVersionNumber10_4_6_Intel kCFCoreFoundationVersionNumber10_4_6_PowerPC kCFCoreFoundationVersionNumber10_4_7 kCFCoreFoundationVersionNumber10_4_8 kCFCoreFoundationVersionNumber10_4_9 kCFCoreFoundationVersionNumber10_5 kCFCoreFoundationVersionNumber10_5_1 kCFCoreFoundationVersionNumber10_5_2 kCFCoreFoundationVersionNumber10_5_3 kCFCoreFoundationVersionNumber10_5_4 kCFCoreFoundationVersionNumber10_5_5 kCFCoreFoundationVersionNumber10_5_6 kCFCoreFoundationVersionNumber10_5_7 kCFCoreFoundationVersionNumber10_5_8 kCFCoreFoundationVersionNumber10_6 kCFCoreFoundationVersionNumber10_6_1 kCFCoreFoundationVersionNumber10_6_2 kCFCoreFoundationVersionNumber10_6_3 kCFCoreFoundationVersionNumber10_6_4 kCFCoreFoundationVersionNumber10_6_5 kCFCoreFoundationVersionNumber10_6_6 kCFCoreFoundationVersionNumber10_6_7 kCFCoreFoundationVersionNumber10_6_8 kCFCoreFoundationVersionNumber10_7 kCFCoreFoundationVersionNumber10_7_1 kCFCoreFoundationVersionNumber10_7_2 kCFCoreFoundationVersionNumber10_7_3 kCFCoreFoundationVersionNumber10_7_4 kCFCoreFoundationVersionNumber10_7_5 kCFCoreFoundationVersionNumber10_8 kCFCoreFoundationVersionNumber10_8_1 kCFCoreFoundationVersionNumber10_8_2 kCFCoreFoundationVersionNumber10_8_3 kCFCoreFoundationVersionNumber10_8_4 kCFCoreFoundationVersionNumber10_9 kCFCoreFoundationVersionNumber10_9_1 kCFCoreFoundationVersionNumber10_9_2 kCFDataSearchAnchored kCFDataSearchBackwards kCFDateFormatterAMSymbol kCFDateFormatterCalendar kCFDateFormatterCalendarName kCFDateFormatterDefaultDate kCFDateFormatterDefaultFormat kCFDateFormatterDoesRelativeDateFormattingKey kCFDateFormatterEraSymbols kCFDateFormatterFullStyle kCFDateFormatterGregorianStartDate kCFDateFormatterIsLenient kCFDateFormatterLongEraSymbols kCFDateFormatterLongStyle kCFDateFormatterMediumStyle kCFDateFormatterMonthSymbols kCFDateFormatterNoStyle kCFDateFormatterPMSymbol kCFDateFormatterQuarterSymbols kCFDateFormatterShortMonthSymbols kCFDateFormatterShortQuarterSymbols kCFDateFormatterShortStandaloneMonthSymbols kCFDateFormatterShortStandaloneQuarterSymbols kCFDateFormatterShortStandaloneWeekdaySymbols kCFDateFormatterShortStyle kCFDateFormatterShortWeekdaySymbols kCFDateFormatterStandaloneMonthSymbols kCFDateFormatterStandaloneQuarterSymbols kCFDateFormatterStandaloneWeekdaySymbols kCFDateFormatterTimeZone kCFDateFormatterTwoDigitStartDate kCFDateFormatterVeryShortMonthSymbols kCFDateFormatterVeryShortStandaloneMonthSymbols kCFDateFormatterVeryShortStandaloneWeekdaySymbols kCFDateFormatterVeryShortWeekdaySymbols kCFDateFormatterWeekdaySymbols kCFErrorDescriptionKey kCFErrorDomainCocoa kCFErrorDomainMach kCFErrorDomainOSStatus kCFErrorDomainPOSIX kCFErrorFilePathKey kCFErrorLocalizedDescriptionKey kCFErrorLocalizedFailureReasonKey kCFErrorLocalizedRecoverySuggestionKey kCFErrorURLKey kCFErrorUnderlyingErrorKey kCFFileDescriptorReadCallBack kCFFileDescriptorWriteCallBack kCFFileSecurityClearAccessControlList kCFFileSecurityClearGroup kCFFileSecurityClearGroupUUID kCFFileSecurityClearMode kCFFileSecurityClearOwner kCFFileSecurityClearOwnerUUID kCFGregorianAllUnits kCFGregorianCalendar kCFGregorianUnitsDays kCFGregorianUnitsHours kCFGregorianUnitsMinutes kCFGregorianUnitsMonths kCFGregorianUnitsSeconds kCFGregorianUnitsYears kCFHebrewCalendar kCFISO8601Calendar kCFISO8601DateFormatWithColonSeparatorInTime kCFISO8601DateFormatWithColonSeparatorInTimeZone kCFISO8601DateFormatWithDashSeparatorInDate kCFISO8601DateFormatWithDay kCFISO8601DateFormatWithFractionalSeconds kCFISO8601DateFormatWithFullDate kCFISO8601DateFormatWithFullTime kCFISO8601DateFormatWithInternetDateTime kCFISO8601DateFormatWithMonth kCFISO8601DateFormatWithSpaceBetweenDateAndTime kCFISO8601DateFormatWithTime kCFISO8601DateFormatWithTimeZone kCFISO8601DateFormatWithWeekOfYear kCFISO8601DateFormatWithYear kCFIndianCalendar kCFIslamicCalendar kCFIslamicCivilCalendar kCFIslamicTabularCalendar kCFIslamicUmmAlQuraCalendar kCFJapaneseCalendar kCFLocaleAlternateQuotationBeginDelimiterKey kCFLocaleAlternateQuotationEndDelimiterKey kCFLocaleCalendar kCFLocaleCalendarIdentifier kCFLocaleCollationIdentifier kCFLocaleCollatorIdentifier kCFLocaleCountryCode kCFLocaleCountryCodeKey kCFLocaleCurrencyCode kCFLocaleCurrencySymbol kCFLocaleCurrentLocaleDidChangeNotification kCFLocaleDecimalSeparator kCFLocaleExemplarCharacterSet kCFLocaleGroupingSeparator kCFLocaleIdentifier kCFLocaleLanguageCode kCFLocaleLanguageCodeKey kCFLocaleLanguageDirectionBottomToTop kCFLocaleLanguageDirectionLeftToRight kCFLocaleLanguageDirectionRightToLeft kCFLocaleLanguageDirectionTopToBottom kCFLocaleLanguageDirectionUnknown kCFLocaleMeasurementSystem kCFLocaleQuotationBeginDelimiterKey kCFLocaleQuotationEndDelimiterKey kCFLocaleScriptCode kCFLocaleUsesMetricSystem kCFLocaleVariantCode kCFMessagePortBecameInvalidError kCFMessagePortIsInvalid kCFMessagePortReceiveTimeout kCFMessagePortSendTimeout kCFMessagePortSuccess kCFMessagePortTransportError kCFNotFound kCFNotificationDeliverImmediately kCFNotificationPostToAllSessions kCFNull kCFNumberCFIndexType kCFNumberCGFloatType kCFNumberCharType kCFNumberDoubleType kCFNumberFloat32Type kCFNumberFloat64Type kCFNumberFloatType kCFNumberFormatterAlwaysShowDecimalSeparator kCFNumberFormatterCurrencyAccountingStyle kCFNumberFormatterCurrencyCode kCFNumberFormatterCurrencyDecimalSeparator kCFNumberFormatterCurrencyGroupingSeparator kCFNumberFormatterCurrencyISOCodeStyle kCFNumberFormatterCurrencyPluralStyle kCFNumberFormatterCurrencyStyle kCFNumberFormatterCurrencySymbol kCFNumberFormatterDecimalSeparator kCFNumberFormatterDecimalStyle kCFNumberFormatterDefaultFormat kCFNumberFormatterExponentSymbol kCFNumberFormatterFormatWidth kCFNumberFormatterGroupingSeparator kCFNumberFormatterGroupingSize kCFNumberFormatterInfinitySymbol kCFNumberFormatterInternationalCurrencySymbol kCFNumberFormatterIsLenient kCFNumberFormatterMaxFractionDigits kCFNumberFormatterMaxIntegerDigits kCFNumberFormatterMaxSignificantDigits kCFNumberFormatterMinFractionDigits kCFNumberFormatterMinIntegerDigits kCFNumberFormatterMinSignificantDigits kCFNumberFormatterMinusSign kCFNumberFormatterMultiplier kCFNumberFormatterNaNSymbol kCFNumberFormatterNegativePrefix kCFNumberFormatterNegativeSuffix kCFNumberFormatterNoStyle kCFNumberFormatterOrdinalStyle kCFNumberFormatterPadAfterPrefix kCFNumberFormatterPadAfterSuffix kCFNumberFormatterPadBeforePrefix kCFNumberFormatterPadBeforeSuffix kCFNumberFormatterPaddingCharacter kCFNumberFormatterPaddingPosition kCFNumberFormatterParseIntegersOnly kCFNumberFormatterPerMillSymbol kCFNumberFormatterPercentStyle kCFNumberFormatterPercentSymbol kCFNumberFormatterPlusSign kCFNumberFormatterPositivePrefix kCFNumberFormatterPositiveSuffix kCFNumberFormatterRoundCeiling kCFNumberFormatterRoundDown kCFNumberFormatterRoundFloor kCFNumberFormatterRoundHalfDown kCFNumberFormatterRoundHalfEven kCFNumberFormatterRoundHalfUp kCFNumberFormatterRoundUp kCFNumberFormatterRoundingIncrement kCFNumberFormatterRoundingMode kCFNumberFormatterScientificStyle kCFNumberFormatterSecondaryGroupingSize kCFNumberFormatterSpellOutStyle kCFNumberFormatterUseGroupingSeparator kCFNumberFormatterUseSignificantDigits kCFNumberFormatterZeroSymbol kCFNumberIntType kCFNumberLongLongType kCFNumberLongType kCFNumberMaxType kCFNumberNSIntegerType kCFNumberNaN kCFNumberNegativeInfinity kCFNumberPositiveInfinity kCFNumberSInt16Type kCFNumberSInt32Type kCFNumberSInt64Type kCFNumberSInt8Type kCFNumberShortType kCFPersianCalendar kCFPreferencesAnyApplication kCFPreferencesAnyHost kCFPreferencesAnyUser kCFPreferencesCurrentApplication kCFPreferencesCurrentHost kCFPreferencesCurrentUser kCFPropertyListBinaryFormat_v1_0 kCFPropertyListImmutable kCFPropertyListMutableContainers kCFPropertyListMutableContainersAndLeaves kCFPropertyListOpenStepFormat kCFPropertyListReadCorruptError kCFPropertyListReadStreamError kCFPropertyListReadUnknownVersionError kCFPropertyListWriteStreamError kCFPropertyListXMLFormat_v1_0 kCFRepublicOfChinaCalendar kCFRunLoopAfterWaiting kCFRunLoopAllActivities kCFRunLoopBeforeSources kCFRunLoopBeforeTimers kCFRunLoopBeforeWaiting kCFRunLoopCommonModes kCFRunLoopDefaultMode kCFRunLoopEntry kCFRunLoopExit kCFRunLoopRunFinished kCFRunLoopRunHandledSource kCFRunLoopRunStopped kCFRunLoopRunTimedOut kCFSocketAcceptCallBack kCFSocketAutomaticallyReenableAcceptCallBack kCFSocketAutomaticallyReenableDataCallBack kCFSocketAutomaticallyReenableReadCallBack kCFSocketAutomaticallyReenableWriteCallBack kCFSocketCloseOnInvalidate kCFSocketCommandKey kCFSocketConnectCallBack kCFSocketDataCallBack kCFSocketError kCFSocketErrorKey kCFSocketLeaveErrors kCFSocketNameKey kCFSocketNoCallBack kCFSocketReadCallBack kCFSocketRegisterCommand kCFSocketResultKey kCFSocketRetrieveCommand kCFSocketSuccess kCFSocketTimeout kCFSocketValueKey kCFSocketWriteCallBack kCFStreamErrorDomainCustom kCFStreamErrorDomainMacOSStatus kCFStreamErrorDomainPOSIX kCFStreamEventCanAcceptBytes kCFStreamEventEndEncountered kCFStreamEventErrorOccurred kCFStreamEventHasBytesAvailable kCFStreamEventNone kCFStreamEventOpenCompleted kCFStreamPropertyAppendToFile kCFStreamPropertyDataWritten kCFStreamPropertyFileCurrentOffset kCFStreamPropertySocketNativeHandle kCFStreamPropertySocketRemoteHostName kCFStreamPropertySocketRemotePortNumber kCFStreamStatusAtEnd kCFStreamStatusClosed kCFStreamStatusError kCFStreamStatusNotOpen kCFStreamStatusOpen kCFStreamStatusOpening kCFStreamStatusReading kCFStreamStatusWriting kCFStringEncodingANSEL kCFStringEncodingASCII kCFStringEncodingBig5 kCFStringEncodingBig5_E kCFStringEncodingBig5_HKSCS_1999 kCFStringEncodingCNS_11643_92_P1 kCFStringEncodingCNS_11643_92_P2 kCFStringEncodingCNS_11643_92_P3 kCFStringEncodingDOSArabic kCFStringEncodingDOSBalticRim kCFStringEncodingDOSCanadianFrench kCFStringEncodingDOSChineseSimplif kCFStringEncodingDOSChineseTrad kCFStringEncodingDOSCyrillic kCFStringEncodingDOSGreek kCFStringEncodingDOSGreek1 kCFStringEncodingDOSGreek2 kCFStringEncodingDOSHebrew kCFStringEncodingDOSIcelandic kCFStringEncodingDOSJapanese kCFStringEncodingDOSKorean kCFStringEncodingDOSLatin1 kCFStringEncodingDOSLatin2 kCFStringEncodingDOSLatinUS kCFStringEncodingDOSNordic kCFStringEncodingDOSPortuguese kCFStringEncodingDOSRussian kCFStringEncodingDOSThai kCFStringEncodingDOSTurkish kCFStringEncodingEBCDIC_CP037 kCFStringEncodingEBCDIC_US kCFStringEncodingEUC_CN kCFStringEncodingEUC_JP kCFStringEncodingEUC_KR kCFStringEncodingEUC_TW kCFStringEncodingGBK_95 kCFStringEncodingGB_18030_2000 kCFStringEncodingGB_2312_80 kCFStringEncodingHZ_GB_2312 kCFStringEncodingISOLatin1 kCFStringEncodingISOLatin10 kCFStringEncodingISOLatin2 kCFStringEncodingISOLatin3 kCFStringEncodingISOLatin4 kCFStringEncodingISOLatin5 kCFStringEncodingISOLatin6 kCFStringEncodingISOLatin7 kCFStringEncodingISOLatin8 kCFStringEncodingISOLatin9 kCFStringEncodingISOLatinArabic kCFStringEncodingISOLatinCyrillic kCFStringEncodingISOLatinGreek kCFStringEncodingISOLatinHebrew kCFStringEncodingISOLatinThai kCFStringEncodingISO_2022_CN kCFStringEncodingISO_2022_CN_EXT kCFStringEncodingISO_2022_JP kCFStringEncodingISO_2022_JP_1 kCFStringEncodingISO_2022_JP_2 kCFStringEncodingISO_2022_JP_3 kCFStringEncodingISO_2022_KR kCFStringEncodingInvalidId kCFStringEncodingJIS_C6226_78 kCFStringEncodingJIS_X0201_76 kCFStringEncodingJIS_X0208_83 kCFStringEncodingJIS_X0208_90 kCFStringEncodingJIS_X0212_90 kCFStringEncodingKOI8_R kCFStringEncodingKOI8_U kCFStringEncodingKSC_5601_87 kCFStringEncodingKSC_5601_92_Johab kCFStringEncodingMacArabic kCFStringEncodingMacArmenian kCFStringEncodingMacBengali kCFStringEncodingMacBurmese kCFStringEncodingMacCeltic kCFStringEncodingMacCentralEurRoman kCFStringEncodingMacChineseSimp kCFStringEncodingMacChineseTrad kCFStringEncodingMacCroatian kCFStringEncodingMacCyrillic kCFStringEncodingMacDevanagari kCFStringEncodingMacDingbats kCFStringEncodingMacEthiopic kCFStringEncodingMacExtArabic kCFStringEncodingMacFarsi kCFStringEncodingMacGaelic kCFStringEncodingMacGeorgian kCFStringEncodingMacGreek kCFStringEncodingMacGujarati kCFStringEncodingMacGurmukhi kCFStringEncodingMacHFS kCFStringEncodingMacHebrew kCFStringEncodingMacIcelandic kCFStringEncodingMacInuit kCFStringEncodingMacJapanese kCFStringEncodingMacKannada kCFStringEncodingMacKhmer kCFStringEncodingMacKorean kCFStringEncodingMacLaotian kCFStringEncodingMacMalayalam kCFStringEncodingMacMongolian kCFStringEncodingMacOriya kCFStringEncodingMacRoman kCFStringEncodingMacRomanLatin1 kCFStringEncodingMacRomanian kCFStringEncodingMacSinhalese kCFStringEncodingMacSymbol kCFStringEncodingMacTamil kCFStringEncodingMacTelugu kCFStringEncodingMacThai kCFStringEncodingMacTibetan kCFStringEncodingMacTurkish kCFStringEncodingMacUkrainian kCFStringEncodingMacVT100 kCFStringEncodingMacVietnamese kCFStringEncodingNextStepJapanese kCFStringEncodingNextStepLatin kCFStringEncodingNonLossyASCII kCFStringEncodingShiftJIS kCFStringEncodingShiftJIS_X0213 kCFStringEncodingShiftJIS_X0213_00 kCFStringEncodingShiftJIS_X0213_MenKuTen kCFStringEncodingUTF16 kCFStringEncodingUTF16BE kCFStringEncodingUTF16LE kCFStringEncodingUTF32 kCFStringEncodingUTF32BE kCFStringEncodingUTF32LE kCFStringEncodingUTF7 kCFStringEncodingUTF7_IMAP kCFStringEncodingUTF8 kCFStringEncodingUnicode kCFStringEncodingVISCII kCFStringEncodingWindowsArabic kCFStringEncodingWindowsBalticRim kCFStringEncodingWindowsCyrillic kCFStringEncodingWindowsGreek kCFStringEncodingWindowsHebrew kCFStringEncodingWindowsKoreanJohab kCFStringEncodingWindowsLatin1 kCFStringEncodingWindowsLatin2 kCFStringEncodingWindowsLatin5 kCFStringEncodingWindowsVietnamese kCFStringNormalizationFormC kCFStringNormalizationFormD kCFStringNormalizationFormKC kCFStringNormalizationFormKD kCFStringTokenizerAttributeLanguage kCFStringTokenizerAttributeLatinTranscription kCFStringTokenizerTokenHasDerivedSubTokensMask kCFStringTokenizerTokenHasHasNumbersMask kCFStringTokenizerTokenHasNonLettersMask kCFStringTokenizerTokenHasSubTokensMask kCFStringTokenizerTokenIsCJWordMask kCFStringTokenizerTokenNone kCFStringTokenizerTokenNormal kCFStringTokenizerUnitLineBreak kCFStringTokenizerUnitParagraph kCFStringTokenizerUnitSentence kCFStringTokenizerUnitWord kCFStringTokenizerUnitWordBoundary kCFStringTransformFullwidthHalfwidth kCFStringTransformHiraganaKatakana kCFStringTransformLatinArabic kCFStringTransformLatinCyrillic kCFStringTransformLatinGreek kCFStringTransformLatinHangul kCFStringTransformLatinHebrew kCFStringTransformLatinHiragana kCFStringTransformLatinKatakana kCFStringTransformLatinThai kCFStringTransformMandarinLatin kCFStringTransformStripCombiningMarks kCFStringTransformStripDiacritics kCFStringTransformToLatin kCFStringTransformToUnicodeName kCFStringTransformToXMLHex kCFTimeZoneNameStyleDaylightSaving kCFTimeZoneNameStyleGeneric kCFTimeZoneNameStyleShortDaylightSaving kCFTimeZoneNameStyleShortGeneric kCFTimeZoneNameStyleShortStandard kCFTimeZoneNameStyleStandard kCFTimeZoneSystemTimeZoneDidChangeNotification kCFTypeArrayCallBacks kCFTypeDictionaryKeyCallBacks kCFTypeDictionaryValueCallBacks kCFTypeSetCallBacks kCFURLAddedToDirectoryDateKey kCFURLApplicationIsScriptableKey kCFURLAttributeModificationDateKey kCFURLBookmarkCreationMinimalBookmarkMask kCFURLBookmarkCreationPreferFileIDResolutionMask kCFURLBookmarkCreationSecurityScopeAllowOnlyReadAccess kCFURLBookmarkCreationSuitableForBookmarkFile kCFURLBookmarkCreationWithSecurityScope kCFURLBookmarkResolutionWithSecurityScope kCFURLBookmarkResolutionWithoutMountingMask kCFURLBookmarkResolutionWithoutUIMask kCFURLComponentFragment kCFURLComponentHost kCFURLComponentNetLocation kCFURLComponentParameterString kCFURLComponentPassword kCFURLComponentPath kCFURLComponentPort kCFURLComponentQuery kCFURLComponentResourceSpecifier kCFURLComponentScheme kCFURLComponentUser kCFURLComponentUserInfo kCFURLContentAccessDateKey kCFURLContentModificationDateKey kCFURLCreationDateKey kCFURLCustomIconKey kCFURLDocumentIdentifierKey kCFURLEffectiveIconKey kCFURLEnumeratorDefaultBehavior kCFURLEnumeratorDescendRecursively kCFURLEnumeratorDirectoryPostOrderSuccess kCFURLEnumeratorEnd kCFURLEnumeratorError kCFURLEnumeratorGenerateFileReferenceURLs kCFURLEnumeratorIncludeDirectoriesPostOrder kCFURLEnumeratorIncludeDirectoriesPreOrder kCFURLEnumeratorSkipInvisibles kCFURLEnumeratorSkipPackageContents kCFURLEnumeratorSuccess kCFURLFileAllocatedSizeKey kCFURLFileDirectoryContents kCFURLFileExists kCFURLFileLastModificationTime kCFURLFileLength kCFURLFileOwnerID kCFURLFilePOSIXMode kCFURLFileResourceIdentifierKey kCFURLFileResourceTypeBlockSpecial kCFURLFileResourceTypeCharacterSpecial kCFURLFileResourceTypeDirectory kCFURLFileResourceTypeKey kCFURLFileResourceTypeNamedPipe kCFURLFileResourceTypeRegular kCFURLFileResourceTypeSocket kCFURLFileResourceTypeSymbolicLink kCFURLFileResourceTypeUnknown kCFURLFileSecurityKey kCFURLFileSizeKey kCFURLGenerationIdentifierKey kCFURLHFSPathStyle kCFURLHTTPStatusCode kCFURLHTTPStatusLine kCFURLHasHiddenExtensionKey kCFURLImproperArgumentsError kCFURLIsAliasFileKey kCFURLIsApplicationKey kCFURLIsDirectoryKey kCFURLIsExcludedFromBackupKey kCFURLIsExecutableKey kCFURLIsHiddenKey kCFURLIsMountTriggerKey kCFURLIsPackageKey kCFURLIsReadableKey kCFURLIsRegularFileKey kCFURLIsSymbolicLinkKey kCFURLIsSystemImmutableKey kCFURLIsUbiquitousItemKey kCFURLIsUserImmutableKey kCFURLIsVolumeKey kCFURLIsWritableKey kCFURLKeysOfUnsetValuesKey kCFURLLabelColorKey kCFURLLabelNumberKey kCFURLLinkCountKey kCFURLLocalizedLabelKey kCFURLLocalizedNameKey kCFURLLocalizedTypeDescriptionKey kCFURLNameKey kCFURLPOSIXPathStyle kCFURLParentDirectoryURLKey kCFURLPathKey kCFURLPreferredIOBlockSizeKey kCFURLPropertyKeyUnavailableError kCFURLQuarantinePropertiesKey kCFURLRemoteHostUnavailableError kCFURLResourceAccessViolationError kCFURLResourceNotFoundError kCFURLTagNamesKey kCFURLTimeoutError kCFURLTotalFileAllocatedSizeKey kCFURLTotalFileSizeKey kCFURLTypeIdentifierKey kCFURLUbiquitousItemDownloadingErrorKey kCFURLUbiquitousItemDownloadingStatusCurrent kCFURLUbiquitousItemDownloadingStatusDownloaded kCFURLUbiquitousItemDownloadingStatusKey kCFURLUbiquitousItemDownloadingStatusNotDownloaded kCFURLUbiquitousItemHasUnresolvedConflictsKey kCFURLUbiquitousItemIsDownloadedKey kCFURLUbiquitousItemIsDownloadingKey kCFURLUbiquitousItemIsUploadedKey kCFURLUbiquitousItemIsUploadingKey kCFURLUbiquitousItemPercentDownloadedKey kCFURLUbiquitousItemPercentUploadedKey kCFURLUbiquitousItemUploadingErrorKey kCFURLUnknownError kCFURLUnknownPropertyKeyError kCFURLUnknownSchemeError kCFURLVolumeAvailableCapacityKey kCFURLVolumeCreationDateKey kCFURLVolumeIdentifierKey kCFURLVolumeIsAutomountedKey kCFURLVolumeIsBrowsableKey kCFURLVolumeIsEjectableKey kCFURLVolumeIsEncryptedKey kCFURLVolumeIsInternalKey kCFURLVolumeIsJournalingKey kCFURLVolumeIsLocalKey kCFURLVolumeIsReadOnlyKey kCFURLVolumeIsRemovableKey kCFURLVolumeIsRootFileSystemKey kCFURLVolumeLocalizedFormatDescriptionKey kCFURLVolumeLocalizedNameKey kCFURLVolumeMaximumFileSizeKey kCFURLVolumeNameKey kCFURLVolumeResourceCountKey kCFURLVolumeSupportsAdvisoryFileLockingKey kCFURLVolumeSupportsCasePreservedNamesKey kCFURLVolumeSupportsCaseSensitiveNamesKey kCFURLVolumeSupportsCompressionKey kCFURLVolumeSupportsExclusiveRenamingKey kCFURLVolumeSupportsExtendedSecurityKey kCFURLVolumeSupportsFileCloningKey kCFURLVolumeSupportsHardLinksKey kCFURLVolumeSupportsJournalingKey kCFURLVolumeSupportsPersistentIDsKey kCFURLVolumeSupportsRenamingKey kCFURLVolumeSupportsRootDirectoryDatesKey kCFURLVolumeSupportsSparseFilesKey kCFURLVolumeSupportsSwapRenamingKey kCFURLVolumeSupportsSymbolicLinksKey kCFURLVolumeSupportsVolumeSizesKey kCFURLVolumeSupportsZeroRunsKey kCFURLVolumeTotalCapacityKey kCFURLVolumeURLForRemountingKey kCFURLVolumeURLKey kCFURLVolumeUUIDStringKey kCFURLWindowsPathStyle kCFUserNotificationAlertHeaderKey kCFUserNotificationAlertMessageKey kCFUserNotificationAlternateButtonTitleKey kCFUserNotificationAlternateResponse kCFUserNotificationCancelResponse kCFUserNotificationCautionAlertLevel kCFUserNotificationCheckBoxTitlesKey kCFUserNotificationDefaultButtonTitleKey kCFUserNotificationDefaultResponse kCFUserNotificationIconURLKey kCFUserNotificationLocalizationURLKey kCFUserNotificationNoDefaultButtonFlag kCFUserNotificationNoteAlertLevel kCFUserNotificationOtherButtonTitleKey kCFUserNotificationOtherResponse kCFUserNotificationPlainAlertLevel kCFUserNotificationPopUpSelectionKey kCFUserNotificationPopUpTitlesKey kCFUserNotificationProgressIndicatorValueKey kCFUserNotificationSoundURLKey kCFUserNotificationStopAlertLevel kCFUserNotificationTextFieldTitlesKey kCFUserNotificationTextFieldValuesKey kCFUserNotificationUseRadioButtonsFlag kCFXMLEntityTypeCharacter kCFXMLEntityTypeParameter kCFXMLEntityTypeParsedExternal kCFXMLEntityTypeParsedInternal kCFXMLEntityTypeUnparsed kCFXMLErrorElementlessDocument kCFXMLErrorEncodingConversionFailure kCFXMLErrorMalformedCDSect kCFXMLErrorMalformedCharacterReference kCFXMLErrorMalformedCloseTag kCFXMLErrorMalformedComment kCFXMLErrorMalformedDTD kCFXMLErrorMalformedDocument kCFXMLErrorMalformedName kCFXMLErrorMalformedParsedCharacterData kCFXMLErrorMalformedProcessingInstruction kCFXMLErrorMalformedStartTag kCFXMLErrorNoData kCFXMLErrorUnexpectedEOF kCFXMLErrorUnknownEncoding kCFXMLNodeCurrentVersion kCFXMLNodeTypeAttribute kCFXMLNodeTypeAttributeListDeclaration kCFXMLNodeTypeCDATASection kCFXMLNodeTypeComment kCFXMLNodeTypeDocument kCFXMLNodeTypeDocumentFragment kCFXMLNodeTypeDocumentType kCFXMLNodeTypeElement kCFXMLNodeTypeElementTypeDeclaration kCFXMLNodeTypeEntity kCFXMLNodeTypeEntityReference kCFXMLNodeTypeNotation kCFXMLNodeTypeProcessingInstruction kCFXMLNodeTypeText kCFXMLNodeTypeWhitespace kCFXMLParserAddImpliedAttributes kCFXMLParserAllOptions kCFXMLParserNoOptions kCFXMLParserReplacePhysicalEntities kCFXMLParserResolveExternalEntities kCFXMLParserSkipMetaData kCFXMLParserSkipWhitespace kCFXMLParserValidateDocument kCFXMLStatusParseInProgress kCFXMLStatusParseNotBegun kCFXMLStatusParseSuccessful kCFXMLTreeErrorDescription kCFXMLTreeErrorLineNumber kCFXMLTreeErrorLocation kCFXMLTreeErrorStatusCode myDeli URLSession_downloadTask_didWriteData_totalBytesWritten_totalBytesExpectedToWrite_ hasCanceled receivedResponse setHasCanceled_ setReceivedResponse_ setSomeError_ someError myDeli2 URLSession_dataTask_didBecomeDownloadTask_ URLSession_downloadTask_didFinishDownloadingToURL_ errorResult setErrorResult_ objc
21,623
c5117344f15465077b5e9e2132b08e385d546fa5
#!/bin/python3.6 def _sum(arr): return sum(arr) def multiply(arr): if not arr: return 1 return arr[0] * multiply(arr[1:])
21,624
4990ba3f7b558837be499d4a3af81bcb7f3ec661
# -*- coding: utf-8 -*- """ GTmetrix Python API Interface Initializer Tests Tests to make sure the initializer catches bad inputs. They still might not work (i.e. inactive API key, etc.), but they'll at least be valid values. TestGTmetrixInitializerCatchesBadData Runs with forced BAD values, test passes if it fails properly. """ from unittest import TestCase from pytest import raises from gtmetrix import settings from gtmetrix.exceptions import GTmetrixAPIKeyIsNone, GTmetrixEmailIsNone, \ GTmetrixInvalidEmail from gtmetrix.interface import GTmetrixInterface from gtmetrix.settings import set_known_good_settings from .utils import restore_settings, save_settings class TestGTmetrixInitializerCatchesBadData(TestCase): """ Tests GTMetrixInterface initializer with purposely bad data. This ensures that the class will throw correct exceptions on bad data. NOTE: The initializer throws exceptions in a particular order so we only test one bad chunk at a time so as not to care about the order of testing within the initializer itself. """ bad_emails = ['email has spaces@example.com', '@example.no.email.address.just.domain.com', 'an.email.with.no.domain.or.at.sign', 'an.email.with.no.domain.with.at.sign@', 'any.other.examples.which.should.fail.find.a.list', ] def setup_method(self, method): """`setup_method` is invoked for every test method.""" save_settings() set_known_good_settings() def teardown_method(self, method): """teardown_method is invoked after every test method.""" restore_settings() def test_initializer_with_bad_emails_passed(self): """Ensure correct exception is raised when invalid email specified.""" for bad_email in self.bad_emails: with raises(GTmetrixInvalidEmail): gt = GTmetrixInterface(bad_email) def test_initializer_with_bad_emails_default(self): """Ensure correct exception is raised for invalid email via settings.""" for bad_email in self.bad_emails: with raises(GTmetrixInvalidEmail): settings.GTMETRIX_REST_API_EMAIL = bad_email gt = GTmetrixInterface() def test_email_is_None(self): """Ensure correct exception is raised when email is None.""" settings.GTMETRIX_REST_API_EMAIL = None with raises(GTmetrixEmailIsNone): gt = GTmetrixInterface() def test_api_key_is_None(self): """Ensure correct exception is raised when API key is None.""" settings.GTMETRIX_REST_API_KEY = None with raises(GTmetrixAPIKeyIsNone): gt = GTmetrixInterface()
21,625
263ad49dfef666d1b9c0774701476b6c5f8f24da
from django import template import mistune register = template.Library() @register.filter def markdown(value): markdown = mistune.Markdown() return markdown(value)
21,626
a77d983713e3f2d305393cefdf9dca4033279c92
#!/usr/bin/env python3 import glob import re import contextlib import os import platform import sys import shutil import subprocess import tarfile import zipfile from os.path import join, abspath, dirname, exists, basename import click import cryptography.fernet # ZipFile and tarfile have slightly different APIs. Fix that. if platform.system() == "Windows": def Archive(name): a = zipfile.ZipFile(name, "w") a.add = a.write return a else: def Archive(name): return tarfile.open(name, "w:gz") PLATFORM_TAG = { "Darwin": "osx", "Windows": "windows", "Linux": "linux", }.get(platform.system(), platform.system()) ROOT_DIR = abspath(join(dirname(__file__), "..")) RELEASE_DIR = join(ROOT_DIR, "release") BUILD_DIR = join(RELEASE_DIR, "build") DIST_DIR = join(RELEASE_DIR, "dist") BDISTS = { "mitmproxy": ["mitmproxy", "mitmdump", "mitmweb"], "pathod": ["pathoc", "pathod"] } if platform.system() == "Windows": BDISTS["mitmproxy"].remove("mitmproxy") TOOLS = [ tool for tools in sorted(BDISTS.values()) for tool in tools ] TAG = os.environ.get("TRAVIS_TAG", os.environ.get("APPVEYOR_REPO_TAG_NAME", None)) BRANCH = os.environ.get("TRAVIS_BRANCH", os.environ.get("APPVEYOR_REPO_BRANCH", None)) if TAG: VERSION = re.sub('^v', '', TAG) UPLOAD_DIR = VERSION elif BRANCH: VERSION = re.sub('^v', '', BRANCH) UPLOAD_DIR = "branches/%s" % VERSION else: print("Could not establish build name - exiting." % BRANCH) sys.exit(0) print("BUILD PLATFORM_TAG=%s" % PLATFORM_TAG) print("BUILD ROOT_DIR=%s" % ROOT_DIR) print("BUILD RELEASE_DIR=%s" % RELEASE_DIR) print("BUILD BUILD_DIR=%s" % BUILD_DIR) print("BUILD DIST_DIR=%s" % DIST_DIR) print("BUILD BDISTS=%s" % BDISTS) print("BUILD TAG=%s" % TAG) print("BUILD BRANCH=%s" % BRANCH) print("BUILD VERSION=%s" % VERSION) print("BUILD UPLOAD_DIR=%s" % UPLOAD_DIR) def archive_name(bdist: str) -> str: if platform.system() == "Windows": ext = "zip" else: ext = "tar.gz" return "{project}-{version}-{platform}.{ext}".format( project=bdist, version=VERSION, platform=PLATFORM_TAG, ext=ext ) @contextlib.contextmanager def chdir(path: str): old_dir = os.getcwd() os.chdir(path) yield os.chdir(old_dir) @click.group(chain=True) def cli(): """ mitmproxy build tool """ pass @cli.command("build") def build(): """ Build a binary distribution """ os.makedirs(DIST_DIR, exist_ok=True) if "WHEEL" in os.environ: whl = build_wheel() else: click.echo("Not building wheels.") if "WHEEL" in os.environ and "DOCKER" in os.environ: # Docker image requires wheels build_docker_image(whl) else: click.echo("Not building Docker image.") if "PYINSTALLER" in os.environ: build_pyinstaller() else: click.echo("Not building PyInstaller packages.") def build_wheel(): click.echo("Building wheel...") subprocess.check_call([ "python", "setup.py", "-q", "bdist_wheel", "--dist-dir", DIST_DIR, ]) whl = glob.glob(join(DIST_DIR, 'mitmproxy-*-py3-none-any.whl'))[0] click.echo("Found wheel package: {}".format(whl)) subprocess.check_call([ "tox", "-e", "wheeltest", "--", whl ]) return whl def build_docker_image(whl): click.echo("Building Docker image...") subprocess.check_call([ "docker", "build", "--build-arg", "WHEEL_MITMPROXY={}".format(os.path.relpath(whl, ROOT_DIR)), "--build-arg", "WHEEL_BASENAME_MITMPROXY={}".format(basename(whl)), "--file", "docker/Dockerfile", "." ]) def build_pyinstaller(): PYINSTALLER_SPEC = join(RELEASE_DIR, "specs") # PyInstaller 3.2 does not bundle pydivert's Windivert binaries PYINSTALLER_HOOKS = join(RELEASE_DIR, "hooks") PYINSTALLER_TEMP = join(BUILD_DIR, "pyinstaller") PYINSTALLER_DIST = join(BUILD_DIR, "binaries", PLATFORM_TAG) # https://virtualenv.pypa.io/en/latest/userguide.html#windows-notes # scripts and executables on Windows go in ENV\Scripts\ instead of ENV/bin/ if platform.system() == "Windows": PYINSTALLER_ARGS = [ # PyInstaller < 3.2 does not handle Python 3.5's ucrt correctly. "-p", r"C:\Program Files (x86)\Windows Kits\10\Redist\ucrt\DLLs\x86", ] else: PYINSTALLER_ARGS = [] if exists(PYINSTALLER_TEMP): shutil.rmtree(PYINSTALLER_TEMP) if exists(PYINSTALLER_DIST): shutil.rmtree(PYINSTALLER_DIST) for bdist, tools in sorted(BDISTS.items()): with Archive(join(DIST_DIR, archive_name(bdist))) as archive: for tool in tools: # We can't have a folder and a file with the same name. if tool == "mitmproxy": tool = "mitmproxy_main" # This is PyInstaller, so it messes up paths. # We need to make sure that we are in the spec folder. with chdir(PYINSTALLER_SPEC): click.echo("Building PyInstaller %s binary..." % tool) excludes = [] if tool != "mitmweb": excludes.append("mitmproxy.tools.web") if tool != "mitmproxy_main": excludes.append("mitmproxy.tools.console") subprocess.check_call( [ "pyinstaller", "--clean", "--workpath", PYINSTALLER_TEMP, "--distpath", PYINSTALLER_DIST, "--additional-hooks-dir", PYINSTALLER_HOOKS, "--onefile", "--console", "--icon", "icon.ico", # This is PyInstaller, so setting a # different log level obviously breaks it :-) # "--log-level", "WARN", ] + [x for e in excludes for x in ["--exclude-module", e]] + PYINSTALLER_ARGS + [tool] ) # Delete the spec file - we're good without. os.remove("{}.spec".format(tool)) # Test if it works at all O:-) executable = join(PYINSTALLER_DIST, tool) if platform.system() == "Windows": executable += ".exe" # Remove _main suffix from mitmproxy executable if "_main" in executable: shutil.move( executable, executable.replace("_main", "") ) executable = executable.replace("_main", "") click.echo("> %s --version" % executable) click.echo(subprocess.check_output([executable, "--version"]).decode()) archive.add(executable, basename(executable)) click.echo("Packed {}.".format(archive_name(bdist))) @cli.command("upload") def upload(): """ Upload build artifacts Uploads the wheels package to PyPi. Uploads the Pyinstaller and wheels packages to the snapshot server. Pushes the Docker image to Docker Hub. """ # Our credentials are only available from within the main repository and not forks. # We need to prevent uploads from all BUT the branches in the main repository. # Pull requests and master-branches of forks are not allowed to upload. is_pull_request = ( ("TRAVIS_PULL_REQUEST" in os.environ and os.environ["TRAVIS_PULL_REQUEST"] != "false") or "APPVEYOR_PULL_REQUEST_NUMBER" in os.environ ) if is_pull_request: click.echo("Refusing to upload artifacts from a pull request!") return if "AWS_ACCESS_KEY_ID" in os.environ: subprocess.check_call([ "aws", "s3", "cp", "--acl", "public-read", DIST_DIR + "/", "s3://snapshots.mitmproxy.org/{}/".format(UPLOAD_DIR), "--recursive", ]) upload_pypi = ( TAG and "WHEEL" in os.environ and "TWINE_USERNAME" in os.environ and "TWINE_PASSWORD" in os.environ ) if upload_pypi: whl = glob.glob(join(DIST_DIR, 'mitmproxy-*-py3-none-any.whl'))[0] click.echo("Uploading {} to PyPi...".format(whl)) subprocess.check_call([ "twine", "upload", whl ]) upload_docker = ( (TAG or BRANCH == "master") and "DOCKER" in os.environ and "DOCKER_USERNAME" in os.environ and "DOCKER_PASSWORD" in os.environ ) if upload_docker: docker_tag = "dev" if BRANCH == "master" else VERSION click.echo("Uploading Docker image to tag={}...".format(docker_tag)) subprocess.check_call([ "docker", "login", "-u", os.environ["DOCKER_USERNAME"], "-p", os.environ["DOCKER_PASSWORD"], ]) subprocess.check_call([ "docker", "push", "mitmproxy/mitmproxy:{}".format(docker_tag), ]) @cli.command("decrypt") @click.argument('infile', type=click.File('rb')) @click.argument('outfile', type=click.File('wb')) @click.argument('key', envvar='RTOOL_KEY') def decrypt(infile, outfile, key): f = cryptography.fernet.Fernet(key.encode()) outfile.write(f.decrypt(infile.read())) if __name__ == "__main__": cli()
21,627
793271925d3ceeb58b65ad4caa4f463d8744227a
# coding=utf-8 import os import sys join = os.path.join base = os.path.dirname(os.path.abspath(os.path.realpath(__file__))) base = os.path.dirname(base) sys.path.append(os.getcwd()) sys.path.append('src/learning_method/bayes')
21,628
643b3cbacd2c448f7669f95c23631a0061257c49
def date_fashion(you, date): if you <= 2 or date <= 2: return 0 elif you > 7 or date > 7: return 2 else: return 1
21,629
705f527dde12f8bf9fd0f0d231b267afcc60f251
# -*- coding: utf-8 -*- """ Created on Sun Jul 28 19:17:34 2019 @author: Logan Rowe """ import numpy as np import os import sys import pandas as pd from pandas.plotting import scatter_matrix from sklearn.ensemble import RandomForestClassifier from sklearn.preprocessing import StandardScaler from sklearn.pipeline import Pipeline,FeatureUnion from sklearn.impute import SimpleImputer from sklearn.model_selection import cross_val_score,GridSearchCV,RandomizedSearchCV from sklearn.model_selection import StratifiedShuffleSplit from sklearn.metrics import precision_score, recall_score, f1_score from sklearn.externals import joblib from scipy.stats import expon,reciprocal import data_prep as dp from imp import reload reload(dp) import matplotlib.pyplot as plt import xgboost ################################################ # LOAD DATA ################################################ data_dir='C:\\Users\\Logan Rowe\\Desktop\\bowtie-defect-identification\\Wafer_Images\\bowtie-training-data' X_raw=np.load(data_dir+'\\std0_std45_sh0-arr_sh45-arr_bow-bool_train.npy') ################################################ # ADD COLUMN NAMES AND CONVERT TO PANDAS DF ################################################ c1=['std0','std45'] c2=['sh0_{0}'.format(str(i)) for i in range(64)] c3=['sh45_{0}'.format(str(i)) for i in range(64)] c4=['bowties'] column_names=c1+c2+c3+c4 seeking=True if seeking: X=dp.numpy_to_pd(X_raw,column_names) # ============================================================================= # SPLIT DATA INTO TEST AND TRAIN BOTH BALANCED # WITH RESPECT TO (NON)BOWTIES # ============================================================================= split=StratifiedShuffleSplit(n_splits=1,test_size=0.2,random_state=42) for train_index, test_index in split.split(X,X['bowties']): train=X.loc[train_index] test=X.loc[test_index] # ========================================================================= # Split the training set into training and validation subsets # ========================================================================= split=StratifiedShuffleSplit(n_splits=1,test_size=0.2,random_state=42) for train_index, test_index in split.split(train,train['bowties']): train=X.loc[train_index] train_val=X.loc[test_index] y_train=train['bowties'] X_train=train.drop(columns='bowties') y_test=test['bowties'] X_test=test.drop(columns='bowties') y_val=train_val['bowties'] X_val=train_val.drop(columns='bowties') pipeline=Pipeline([('Imputer',SimpleImputer(strategy='mean'))]) X_train_trans=pipeline.fit_transform(X_train) X_val_trans=pipeline.fit_transform(X_val) X_test_trans=pipeline.fit_transform(X_test) # ========================================================================= # Convert back to panda dataframe because XGBoost and Scipy dont play nice # ========================================================================= column_names_xgb=['f{}'.format(int(i)) for i in range(130)] X_train_trans=dp.numpy_to_pd(X_train_trans,column_names_xgb) X_val_trans=dp.numpy_to_pd(X_val_trans,column_names_xgb) X_test_trans=dp.numpy_to_pd(X_test_trans,column_names_xgb) param_grid={ 'gamma':[0.05], 'learning_rate':[0.1], 'max_depth':[7], 'min_child_weight':[1], 'n_estimators':[50], 'n_jobs':[-1], 'objective':['binary:logistic'], 'random_state':[42], 'reg_alpha':[0], 'reg_lambda':[1], 'scale_pos_weight':[1], 'subsample':[1], 'verbosity':[1] } xgb_clf=xgboost.XGBClassifier() grid_search=GridSearchCV(xgb_clf,param_grid=param_grid,cv=5,scoring='f1',verbose=2,n_jobs=-1,iid=True) grid_search.fit(X_train_trans,y_train) params=grid_search.best_params_ #clf=xgboost.XGBRFClassifier(**params,n_estimators=100,n_jobs=-1,random_state=42) clf=xgboost.XGBClassifier(**params) clf.fit(X_train_trans,y_train,early_stopping_rounds=10,eval_set=[(X_val_trans,y_val)]) y_test=test['bowties'] X_test=test.drop(columns='bowties') X_test=pipeline.fit_transform(X_test) y_preds=clf.predict(X_test) F_CV=grid_search.best_score_ P,R,F=precision_score(y_test,y_preds),recall_score(y_test,y_preds),f1_score(y_test,y_preds) print(P,R,F,F_CV,params) #0.8374384236453202 0.8808290155440415 0.8585858585858585 0.8345152519028066 {'_Booster': None, 'base_score': 0.5, 'colsample_bylevel': 1, 'colsample_bynode': 0.8, 'colsample_bytree': 1, 'gamma': 0, 'importance_type': 'gain', 'learning_rate': 0.05, 'max_delta_step': 0, 'max_depth': 7, 'min_child_weight': 5, 'n_estimators': 100, 'n_jobs': 1, 'nthread': None, 'objective': 'binary:logistic', 'random_state': 42, 'reg_alpha': 0, 'reg_lambda': 1, 'scale_pos_weight': 1, 'silent': None, 'subsample': 0.8, 'verbosity': 1} #0.8366336633663366 0.8756476683937824 0.8556962025316456 0.8352625965436676 {'_Booster': None, 'base_score': 0.5, 'colsample_bylevel': 1, 'colsample_bynode': 0.8, 'colsample_bytree': 1, 'gamma': 0, 'importance_type': 'gain', 'learning_rate': 0.05, 'max_delta_step': 0, 'max_depth': 6, 'min_child_weight': 5, 'n_estimators': 100, 'n_jobs': 1, 'nthread': None, 'objective': 'binary:logistic', 'random_state': 42, 'reg_alpha': 0, 'reg_lambda': 1, 'scale_pos_weight': 1, 'silent': None, 'subsample': 0.8, 'verbosity': 1} #0.8439024390243902 0.8963730569948186 0.8693467336683416 0.8497798540354795 {'_Booster': None, 'base_score': 0.5, 'colsample_bylevel': 1, 'colsample_bynode': 0.2, 'colsample_bytree': 1, 'gamma': 0, 'importance_type': 'gain', 'learning_rate': 0.05, 'max_delta_step': 0, 'max_depth': 7, 'min_child_weight': 5, 'n_estimators': 100, 'n_jobs': 1, 'nthread': None, 'objective': 'binary:logistic', 'random_state': 42, 'reg_alpha': 0, 'reg_lambda': 1, 'scale_pos_weight': 1, 'silent': None, 'subsample': 0.8, 'verbosity': 1} # ============================================================================= # Run again with more estimators and early stopping to check for over fitting # ============================================================================= params['n_estimators']=100 clf=xgboost.XGBClassifier(**params) eval_set=[(X_train_trans,y_train),(X_val_trans,y_val),(X_test_trans,y_test)] eval_metric=['error','logloss'] clf.fit(X_train_trans,y_train,eval_metric=eval_metric,eval_set=eval_set,verbose=10) evals_result=clf.evals_result() #Errors train_errors=evals_result['validation_0']['error'] val_errors=evals_result['validation_1']['error'] test_errors=evals_result['validation_2']['error'] #Logloss Errors train_errors_log=evals_result['validation_0']['logloss'] val_errors_log=evals_result['validation_1']['logloss'] test_errors_log=evals_result['validation_2']['logloss'] N=np.linspace(1,params['n_estimators'],params['n_estimators']) plt.close('all') #Plot error plt.figure(1) plt.plot(N,val_errors,'b-') plt.plot(N,train_errors,'r-') plt.plot(N,test_errors,'g-') plt.legend(['Validation','Training','Testing']) plt.xlabel('Number of Estimators') plt.ylabel('Error') #Plot logloss error plt.figure(2) plt.plot(N,val_errors_log,'b-') plt.plot(N,train_errors_log,'r-') plt.plot(N,test_errors_log,'g-') plt.legend(['Validation','Training','Testing']) plt.xlabel('Number of Estimators') plt.ylabel('Logloss Error') y_preds=clf.predict(X_test) F_CV=grid_search.best_score_ P,R,F=precision_score(y_test,y_preds),recall_score(y_test,y_preds),f1_score(y_test,y_preds) print(P,R,F,F_CV,params) # ============================================================================= # Based on the logloss curves the optimal number of estimators is # between 46 and 58 so we will run it for 70 and use early stopping # ============================================================================= params['n_estimators']=70 final_params_selected=True if final_params_selected: # ============================================================================= # Combine training and validation sets to increase training data # ============================================================================= X_train_full=pd.concat([X_train_trans,X_val_trans]) y_train_full=pd.concat([y_train,y_val]) clf=xgboost.XGBClassifier(**params) eval_set=[(X_train_trans,y_train),(X_test_trans,y_test)] eval_metric=['error','logloss'] clf.fit(X_train_full,y_train_full,eval_metric=eval_metric,eval_set=eval_set,verbose=5,early_stopping_rounds=5) evals_result=clf.evals_result() #Logloss Errors train_errors_log_2=evals_result['validation_0']['logloss'] test_errors_log_2=evals_result['validation_1']['logloss'] N_2=np.linspace(1,len(test_errors_log_2),len(test_errors_log_2)) #Plot logloss error plt.figure(3) plt.plot(N_2,train_errors_log_2,'r-') plt.plot(N_2,test_errors_log_2,'g-') plt.legend(['Training','Testing']) plt.xlabel('Number of Estimators') plt.ylabel('Logloss Error') y_preds=clf.predict(X_test) F_CV=grid_search.best_score_ P,R,F=precision_score(y_test,y_preds),recall_score(y_test,y_preds),f1_score(y_test,y_preds) print(P,R,F,F_CV,params) joblib.dump(clf,"C:\\Users\\Logan Rowe\\Desktop\\bowtie-defect-identification\\classifiers\\XGBC_img_classifier_.pkl") final_test_results=True if final_test_results: y_pred_proba=clf.predict_proba(X_test) export_full_transformed_dataset=False if export_full_transformed_dataset: processed_data_dir='C:\\Users\\Logan Rowe\\Desktop\\bowtie-defect-identification\\preprocessed_datasets' #Training Data Set training_full=X_train_full training_full['bowties']=y_train_full joblib.dump(training_full,processed_data_dir+'\\XGBC_img_train.pkl') #Testing Data Set testing_full=test joblib.dump(testing_full,processed_data_dir+'\\XGBC_img_test.pkl')
21,630
da79fb76be0820ec1dc48c10de028799ec5cdec2
import os import sys sys.path.append(os.getcwd()+'/../../lib') from process import process_files filename_array = [fn for fn in os.listdir() if '.sh.o' in fn] # print(filename_array) output_file = '{}_conv.png'.format(os.path.basename(os.getcwd())) process_files(filename_array, output_file)
21,631
41f6d24a9c3891639b56eeb0e35aa643ddf67466
f = open("test.txt") print(f.tell()) print(f.readline()) print(f.tell()) print(f.readline()) print(f.tell()) print(f.readline()) f.seek(29) print(f.tell()) print(f.readline()) # not working print(f.readline()) f.close()
21,632
03fbb0cba865ef24aea229c07fa2a9870c626ea3
# -*- coding: utf-8 -*- from datetime import datetime, timedelta from django.core.urlresolvers import reverse from django.test import TestCase from nose import tools from ella.articles.models import Article from ella.core.models.publishable import Publishable from test_ella.test_core import create_basic_categories, create_and_place_a_publishable from test_ella import template_loader from ella_taggit.models import PublishableTag as Tag, PublishableTaggedItem as TaggedItem, \ publishables_with_tag, tag_list class TestTaggingViews(TestCase): def setUp(self): super(TestTaggingViews, self).setUp() create_basic_categories(self) create_and_place_a_publishable(self) def tearDown(self): super(TestTaggingViews, self).tearDown() template_loader.templates = {} def test_publishables_with_tag_returns_tagged_publishable(self): self.only_publishable.tags.set('tag1', 'tag2') tools.assert_equals(2, TaggedItem.objects.count()) t = Tag.objects.get(name='tag1') tools.assert_equals([self.publishable], [p.target for p in publishables_with_tag(t)]) def test_publishables_with_tag_doesnt_return_tagged_publishable_with_future_placement(self): self.only_publishable.tags.set('tag1', 'tag2') tools.assert_equals(2, TaggedItem.objects.count()) self.publishable.publish_from = datetime.now() + timedelta(days=2) self.publishable.save() t = Tag.objects.get(name='tag1') tools.assert_equals([], list(publishables_with_tag(t))) def test_publishables_with_tag_returns_no_objects_when_none_tagged(self): t = Tag.objects.create(name='tag1') tools.assert_equals([], list(publishables_with_tag(t))) def test_tagged_publishables_view(self): self.only_publishable.tags.set('tag1', 'tag2') tools.assert_equals(2, TaggedItem.objects.count()) t = Tag.objects.get(name='tag1') url = reverse('tag', kwargs={'tag': 'tag1'}) template_loader.templates['page/tagging/listing.html'] = '' response = self.client.get(url) tools.assert_equals([self.publishable], [p.target for p in response.context['object_list']]) tools.assert_equals(t, response.context['tag']) class TestTagList(TestCase): def setUp(self): super(TestTagList, self).setUp() create_basic_categories(self) create_and_place_a_publishable(self) def test_tag_list_omits_if_requested(self): self.only_publishable.tags.set('tag1', 'tag2', 'tag3') t1 = Tag.objects.get(name='tag1') t2 = Tag.objects.get(name='tag2') t3 = Tag.objects.get(name='tag3') tools.assert_equals(list(tag_list([self.only_publishable])), [t3, t2, t1]) tools.assert_equals(list(tag_list([self.only_publishable], omit=t1)), [t3, t2]) def test_tag_list_limits_result_count(self): self.only_publishable.tags.set('tag1', 'tag2', 'tag3') tools.assert_equals(len(tag_list([self.only_publishable])), 3) tools.assert_equals(len(tag_list([self.only_publishable], count=2)), 2) def test_tag_list_adheres_to_threshold(self): self.pub = Article.objects.create( title=u'taglist2', slug=u'taglist2', description=u'taglist', category=self.category_nested, publish_from=datetime(2008, 1, 1), published=True ) self.only_pub = self.pub.publishable_ptr self.only_publishable.tags.set('tag1', 'tag2', 'tag3') self.only_pub.tags.set('tag1', 'tag2') t1 = Tag.objects.get(name='tag1') t2 = Tag.objects.get(name='tag2') tools.assert_equals(tag_list([self.only_publishable, self.only_pub], threshold=2), [t2, t1]) def test_tag_list_returns_items_in_order_of_occurence_count(self): self.pub = Article.objects.create( title=u'taglist2', slug=u'taglist2', description=u'taglist', category=self.category_nested, publish_from=datetime(2008, 1, 1), published=True ) self.only_pub = self.pub.publishable_ptr self.pub2 = Article.objects.create( title=u'taglist3', slug=u'taglist3', description=u'taglist', category=self.category_nested, publish_from=datetime(2008, 5, 1), published=True ) self.only_pub2 = self.pub2.publishable_ptr self.only_publishable.tags.set('tag1', 'tag2', 'tag3') self.only_pub.tags.set('tag1', 'tag2') self.only_pub2.tags.set('tag1') t1 = Tag.objects.get(name='tag1') t2 = Tag.objects.get(name='tag2') t3 = Tag.objects.get(name='tag3') tools.assert_equals(tag_list([self.only_publishable, self.only_pub, self.only_pub2]), [t1, t2, t3])
21,633
32945b88bf1bb468491495b16674d8ff49b44b72
from .model_loader import ModelLoader __all__ = ["ModelLoader"]
21,634
074168ce7153cd2320a961c29b42119a9c3a4826
Gemflower Starflower Moonwhisper Diamonddew Gemblossom Silverfrond Oakenheel Nightbreeze Moonbrook Goldpetal xxx
21,635
ff3ab5cda578db4d16c530c9e5cedb5229c90cdb
### GET COMPANY DOMAIN FROM CLEARBIT AUTOCOMPLETE API # This script checks company names in a csv for terms like 'inc' or 'llc' # before calling the api for company domains. import json import urllib import pandas as pd # I didn't need a key for the autocomplete api #clearbit.key = 'sk_0f12e5f43a4c7bf91ffa11890982588c' service_url = 'https://autocomplete.clearbit.com/v1/companies/suggest?' # Read input list file f = 'sampleList.csv' df = pd.read_csv(f) df = df.head(10) #------------------------------------------------------------------------------------------------------------ # Need to check that text is the last word in the string before removal def removeText(company_name): text = ['inc', 'Inc', 'INC', 'llc', 'Llc', 'LLC'] #company_name = company_name.split(' ') last = company_name[-1] for item in text: if item == last: company_name = company_name[:-1] company_name = ' '.join(company_name) return company_name #------------------------------------------------------------------------------------------------------------ def getDomain(company_name): text = ['inc', 'Inc', 'INC', 'llc', 'Llc', 'LLC'] company_name = company_name.split(' ') last = company_name[-1] if last in text: query = removeText(company_name) #print query else: query = company_name #print query params = { 'query': query } url = service_url + urllib.urlencode(params) response = json.loads(urllib.urlopen(url).read()) if len(response) > 0: return response[0]['domain'] #print getDomain(name) #------------------------------------------------------------------------------------------------------------- # Helper function def getDomains(accountName): df['Domain'] = accountName.apply(getDomain) return df #------------------------------------------------------------------------------------------------------------- df = getDomains(df['Account Name']) # What % of domains were retrieved num_names = df['Account Name'].count() num_domains = df['Domain'].count() ratio = float(num_domains) / float(num_names) percent = ratio * 100 print "'%' of domains retrieved:", round(percent, 2) df.to_csv('sampleListInputClearBit.csv', index = False) ### TESTING THIS FUNCTION #print removeText('BLUE CROSS AND BLUE SHIELD OF FLORIDA INC')
21,636
4ba394c6172c4e5470ce259a388ea90524485685
# This prog is to print 1 st max,2nd Max, min values and even and odd values in a different list l1=[10,-5,2,3,10,20,100,9,22] l1.sort() print('1sr Max value',l1[-1]) print('2nd Max value',l1[-2]) print('Minimum value',l1[0]) lodd=[] leven=[] for i in l1: if(i%2==0): leven.append(i) elif (i%3==0): lodd.append(i) else: pass print('Even list',leven) print('odd list',lodd) # Merge two lists l2=[1,2,3,4] l3=[5,6,7,8] l2=l2+l3 l2.sort() print("L2 and L3 merged and sorted",l2) # Sort using sort key sort arguments sort(self,key,reverse) l4=['abcdefghij', 'abcd', 'abcdefg', 'Red'] l4.sort(key=len) # Sorting using length of elements print(l4) l4.sort(reverse=1) # Sorting in reverse order print(l4) # insert the elements into list in such a way it should have square of its numbers square=[] for i in range(1,5): square.append(i**2) print(square) # Swaping of first and last element in a list l1=[1,2,3,4] print('Before Swap',l1) l1[0]=l1[0]+l1[-1] # 5 l1[-1]=l1[0]-l1[-1] # 1 l1[0]=l1[0]-l1[-1] print('After Swap',l1) # Generating random numbers from random module import random a=[] for j in range(10): a.append(random.randint(1,20)) print('Randomised list is: ',a)
21,637
2b8376e329375bfdf523d87d385786037acf5519
# Copyright (C) 2011 Lukas Lalinsky # Distributed under the MIT license, see the LICENSE file for details. from nose.tools import * from tests import prepare_database, with_database from acoustid.data.track import merge_missing_mbids, insert_track @with_database def test_merge_missing_mbids(conn): prepare_database(conn, """ TRUNCATE track_mbid; INSERT INTO track_mbid (track_id, mbid) VALUES (1, '97edb73c-4dac-11e0-9096-0025225356f3'); INSERT INTO track_mbid (track_id, mbid) VALUES (1, 'b81f83ee-4da4-11e0-9ed8-0025225356f3'); INSERT INTO track_mbid (track_id, mbid) VALUES (1, 'd575d506-4da4-11e0-b951-0025225356f3'); INSERT INTO track_mbid (track_id, mbid) VALUES (2, 'd575d506-4da4-11e0-b951-0025225356f3'); INSERT INTO track_mbid (track_id, mbid) VALUES (3, '97edb73c-4dac-11e0-9096-0025225356f3'); INSERT INTO track_mbid (track_id, mbid) VALUES (4, '5d0290a6-4dad-11e0-a47a-0025225356f3'); INSERT INTO musicbrainz.gid_redirect (newid, gid, tbl) VALUES (1, 'd575d506-4da4-11e0-b951-0025225356f3', 3), (2, '5d0290a6-4dad-11e0-a47a-0025225356f3', 3), (99, 'b44dfb2a-4dad-11e0-bae4-0025225356f3', 2); """) merge_missing_mbids(conn) rows = conn.execute("SELECT track_id, mbid FROM track_mbid ORDER BY track_id, mbid").fetchall() expected_rows = [ (1, '97edb73c-4dac-11e0-9096-0025225356f3'), (1, 'b81f83ee-4da4-11e0-9ed8-0025225356f3'), (2, 'b81f83ee-4da4-11e0-9ed8-0025225356f3'), (3, '97edb73c-4dac-11e0-9096-0025225356f3'), (4, '6d885000-4dad-11e0-98ed-0025225356f3'), ] assert_equals(expected_rows, rows) @with_database def test_insert_track(conn): id = insert_track(conn) assert_equals(5, id) id = insert_track(conn) assert_equals(6, id)
21,638
1c0f517b5471c5b66b898731cea0fc7cbd17a19f
from __future__ import print_function, division from builtins import range, input import numpy as np import matplotlib.pyplot as plt from scipy.stats import multivariate_normal as mvn def softplus(x): # log1p(x) == log (1+x) return np.log1p(np.exp(x)) # Создание нейронной сети с размером слоев (4,3,2) # Это упрощенная версия декодера W1 = np.random.randn(4, 3) W2 = np.random.randn(3, 2*2) # поскольку каждый выход должен содержать mean мат. ожидание) и stdev (стандартное отклонение) # Прямой проход делается как обычно в нейронных сетях, за исключением необычной функции softplus def forward(x, W1, W2): hidden = np.tanh(x.dot(W1)) output = hidden.dot(W2) # Не используем активационную функцию mean = output[:2] # Берутся элементы 0 и 1 stdev = softplus(output[2:]) # Берутся элементы 2 и 3 return mean, stdev # Генерируем случайные входы X = np.random.randn(4) # ===== 1) Вычисление параметров гауссианы ===== mean, stdev = forward(X, W1, W2) # ===== 2) Выход прямого прохода - не значение, а распределние q(z) выраженное mean и stdev ==== print("Gaussian 1: Mean = %f, Stdev = %f" % (mean[0], stdev[0])) print("Gaussian 2: Mean = %f, Stdev = %f" % (mean[1], stdev[1])) # ===== 3) Генерация примеров на основе q(z) ===== # RVS принимает ковариацию # Ковариация случайной величины с собой равна её дисперсии, а дисперсия = квадрату стандартного отклонения # Квадратный корень из дисперсии, равный σ\displaystyle \sigma , называется среднеквадрати́ческим отклоне́нием, станда́ртным отклоне́нием или стандартным разбросом. samples = mvn.rvs(mean=mean, cov=stdev**2, size=10000) # Нет описания как обучать веса и как реализовать градиентный спуск # ===== Вывод примеров на график ===== plt.scatter(samples[:, 0], samples[:, 1], alpha=0.5) plt.show()
21,639
1388061eb26dbfb972580fbd7379564a157f9cb3
# Generated by Django 3.2.6 on 2021-09-25 01:04 from django.db import migrations, models class Migration(migrations.Migration): dependencies = [ ("core", "0036_alter_issuenote_note_type"), ] operations = [ migrations.AddField( model_name="issue", name="is_sharepoint_set_up", field=models.BooleanField(default=False), ), ]
21,640
208b579e9c46c1ddb0e5ce10ab7803006b396d79
_base_ = ['vit-base-p16_videomaev2-vit-g-dist-k710-pre_16x4x1_kinetics-400.py'] # model settings model = dict( backbone=dict(embed_dims=384, depth=12, num_heads=6), cls_head=dict(in_channels=384))
21,641
dd4043d393691d2bc5abdff408b51fda7ea6ca21
from mat4py import loadmat data = loadmat(R"C:/Users/Bobby/Documents/Coding/C++/BLE_33/BLE_33/Resources/Data_Sets/ExampleData.mat") #print(data['Gyroscope'][0]) #print(data['Accelerometer'][0]) #print(data['Magnetometer'][0]) #print(data['time'][0]) file1 = open(R"C:/Users/Bobby/Documents/Coding/C++/BLE_33/BLE_33/Resources/Data_Sets/MatlabData.txt","w") sample_size = 125 location = 0 start_location = 0 time_count = 0 time_cutoff = 30 total_data_points = 6959 for count in range(1): for i in range(len(data['Gyroscope'])): if(data['time'][time_count][0] > time_cutoff): break file1.write(str(data['time'][time_count][0])) file1.write(" ") file1.write(str(data['Gyroscope'][start_location + i][0])) file1.write(" ") file1.write(str(data['Gyroscope'][start_location + i][1])) file1.write(" ") file1.write(str(data['Gyroscope'][start_location + i][2])) file1.write(" ") file1.write(str(data['Accelerometer'][start_location + i][0])) file1.write(" ") file1.write(str(data['Accelerometer'][start_location + i][1])) file1.write(" ") file1.write(str(data['Accelerometer'][start_location + i][2])) file1.write(" ") file1.write(str(data['Magnetometer'][start_location + i][0])) file1.write(" ") file1.write(str(data['Magnetometer'][start_location + i][1])) file1.write(" ") file1.write(str(data['Magnetometer'][start_location + i][2])) file1.write("\n") time_count += 1 location += 1 for i in range(location, len(data['Gyroscope'])): file1.write(str(data['time'][time_count][0])) file1.write(" ") file1.write(str(0)) file1.write(" ") file1.write(str(0)) file1.write(" ") file1.write(str(0)) file1.write(" ") file1.write(str(data['Accelerometer'][location][0])) file1.write(" ") file1.write(str(data['Accelerometer'][location][1])) file1.write(" ") file1.write(str(data['Accelerometer'][location][2])) file1.write(" ") file1.write(str(data['Magnetometer'][location][0])) file1.write(" ") file1.write(str(data['Magnetometer'][location][1])) file1.write(" ") file1.write(str(data['Magnetometer'][location][2])) file1.write("\n") time_count += 1 print("Data transfer is complete, closing file.") file1.close()
21,642
7b607f3312e9874cf56d45dc05858332046637b7
# Generated by Django 3.0.8 on 2020-07-21 08:37 from django.db import migrations, models class Migration(migrations.Migration): dependencies = [ ('attempt1', '0005_delete_twonums'), ] operations = [ migrations.AlterField( model_name='newnums', name='numb1', field=models.FloatField(null=True), ), migrations.AlterField( model_name='newnums', name='numb2', field=models.FloatField(null=True), ), ]
21,643
2516321c215b0561cc67e469128a9caa160c9ed7
S = str(input()) Ans = True for i in range(0, len(S)): if (i + 1) % 2 == 0: if S[i] != 'L' and S[i] != 'U' and S[i] != 'D': Ans = False break if (i + 1) % 2 == 1: if S[i] != 'R' and S[i] != 'U' and S[i] != 'D': Ans = False break if Ans == False: print('No') else: print('Yes')
21,644
023eb7c9feb21dc37b17705646a0aa91cde38fc9
#!/usr/bin/env python from __future__ import print_function from sys import stderr, argv from os import path, getuid from time import sleep from getopt import getopt, GetoptError from re import split from BaseHTTPServer import HTTPServer from SimpleHTTPServer import SimpleHTTPRequestHandler from threading import Thread class Main(object): __version = '16.3.10' __name = path.basename(argv[0]) __cwd = path.dirname(path.abspath(argv[0])) __ports = [8080] __servers = [] def __init__(self): self.parse_options() for port in self.__ports: try: port = int(port) except ValueError: self.die('Port needs to be an integer number') if port <= 1024 and not self.is_root(): self.die('Port %s requires root privileges' % port) if not path.isfile('index.html'): self.create_index_html() httpd = HTTPServer(('', port), SimpleHTTPRequestHandler) self.__servers.append(httpd) print('Serving Maintenance HTTP server on %s:%s' % (httpd.socket.getsockname()[0], httpd.socket.getsockname()[1])) Thread(target=httpd.serve_forever).start() try: while True: sleep(.1) except KeyboardInterrupt: for httpd in self.__servers: httpd.shutdown() def parse_options(self): options = None try: options, args = getopt(argv[1:], 'hvp:c', [ 'help', 'version', 'port=', '--create-html' ]) except GetoptError as err: self.die(err) for opt, arg in options: if opt in ('-v', '--version'): self.display_version() exit() if opt in ('-h', '--help'): self.display_usage() exit() if opt in ('-p', '--port'): self.__ports = sorted(split(' +|[.,;]', arg)) if opt in ('-c', '--create-html'): self.create_index_html() self.die() def display_version(self): print('%s version %s' % (self.__name, self.__version)) def display_usage(self): self.display_version() print('''Usage: %s [OPTIONS] AVAILABLE OPTIONS: -h, --help Print this help summary page -v, --version Print version number -p, --port Port number[s] (default: 8080) -c, --create-html Create index.html page and exit''' % self.__name) @staticmethod def die(message=None, code=1): if message is not None: print(message, file=stderr) exit(code) @staticmethod def is_root(): if getuid() == 0: return True else: return False @staticmethod def create_index_html(): print('Creating index.html file: ', end='') html = '''<!doctype html> <meta charset="UTF-8"> <title>Site Maintenance</title> <style> body { text-align: center; padding: 20px; } @media (min-width: 768px){ body{ padding-top: 150px; } } h1 { font-size: 50px; } body { font: 20px Helvetica, sans-serif; color: #333; } article { display: block; text-align: left; max-width: 650px; margin: 0 auto; } a { color: #dc8100; text-decoration: none; } a:hover { color: #333; text-decoration: none; } </style> <body> <article> <h1>Maintenance in progress...</h1> <div> <p>Sorry for the inconvenience but we&rsquo;re performing some maintenance at the moment. If you need to you can always <a href="mailto:infra@wandisco.com?subject=Site Maintenance">email us</a> or <a href="http://helpdesk.wandisco.com" target="_blank">raise an IT ticket</a>, otherwise the site will be back online shortly!</p> <p>&mdash; Infrastructure & IT Team</p> </div> </article> </body>''' fh = open('index.html', 'w') fh.write(html) fh.close() print('DONE') if __name__ == '__main__': app = Main()
21,645
ffe702f89b92b5f3416abc43e2f472a61e629fae
# -*- coding: utf-8 -*- # @Time : 2020/4/4 18:04 # @Author : Monster # @Email : 945534456@qq.com # @File : test_suite.py import unittest import HTMLTestReportCN from class02_unittest.test_demo import test_http #模块名 from class03_excel.test_demo.test_http import TestHttp ##通过do_excel ,Excel表格加载测试数据 from class03_excel.test_demo3.do_excel2 import DoExcel t=DoExcel(r"C:\Users\asus\Desktop\test.xlsx","python") suite = unittest.TestSuite() for i in range(1,t.max_row+1): #创建实例 suite.addTest(TestHttp("test_api",t.get_data(i,1),t.get_data(i,2),eval(t.get_data(i,3)),t.get_data(i,4))) #实例的方法去加载 # #通过loader方式来加载用例 # loader = unittest.TestLoader() # suite.addTest(loader.loadTestsFromModule(test_http)) #执行 with open("test_summer.html","wb") as file: runner = HTMLTestReportCN.HTMLTestRunner(stream=file,verbosity=2,title=None,description=None,tester=None) runner.run(suite)
21,646
84b8bc7513a2f773b1feebed96e955c31a5c4f0b
from sqlalchemy import ForeignKey from sqlalchemy.orm import relationship from database import db class Subject(db.Model): id = db.Column(db.Integer, primary_key=True, autoincrement=True) name = db.Column(db.String(50)) cathedra_id = db.Column(db.Integer, ForeignKey('cathedra.id')) cathedra = relationship("Cathedra") credits = db.Column(db.Integer) def __repr__(self): return '<Subject %r >' % self.name
21,647
d524601a1a2e3016713df039f270baecc2ae5cc1
#!/usr/bin/env python import codecs from lxml import etree from lxml import html import urllib import os tree = etree.parse('blogspot.xml') atom = {'a': 'http://www.w3.org/2005/Atom'} entries = tree.xpath('//a:entry', namespaces=atom) posts = [] for entry in entries: comment = False for el in entry.iter(): if 'id' in el.tag and 'post' in el.text: posts.append(entry) if 'reply' in el.tag: comment = True if comment: posts.pop() for post in posts: for el in post.iter(): if 'content' in el.tag: content = el.text if 'published' in el.tag: date = el.text[:10] if 'title' in el.tag: title = el.text if 'link' in el.tag and el.attrib['rel'] == 'alternate': link = el.attrib['href'] if title is None: # This makes sense because only one is missing title = 'Thinking about educational technology' path = (date.replace('-', '/') + '/' + link[38:-5] + '/') print '* ' + date + ': [' + title + '](/' + path + ')' if not os.path.exists(path): os.makedirs(path) tree = html.fromstring(content) for el in tree.iter(): if 'style' in el.attrib: del(el.attrib['style']) imgs = [img for img in tree.findall('.//img')] badnamer = 1 for img in imgs: if 'width' in img.attrib: del(img.attrib['width']) if 'height' in img.attrib: del(img.attrib['height']) displayed_src = img.attrib['src'] displayed_filename = displayed_src.split('/')[-1] parent = img.getparent() if parent.tag == 'a': link_href = parent.attrib['href'] link_filename = link_href.split('/')[-1] if link_filename == displayed_filename: if not os.path.exists(path + link_filename): urllib.urlretrieve(link_href, path+link_filename) img.attrib['src'] = link_filename parent.attrib['href'] = link_filename else: if not os.path.exists(path + displayed_filename): urllib.urlretrieve(displayed_src, path+displayed_filename) img.attrib['src'] = displayed_filename else: if displayed_src.endswith('=1'): displayed_filename = 'badname' + str(badnamer) + '.png' badnamer += 1 if not os.path.exists(path + displayed_filename): urllib.urlretrieve(displayed_src, displayed_filename) img.attrib['src'] = displayed_filename content = html.tostring(tree, pretty_print=True) with codecs.open(path + 'index.md', 'w', encoding='utf-8') as f: f.write('# ' + title + '\n\n') f.write(content + '\n\n') f.write('*This post was originally hosted [elsewhere](' + link + ').*\n')
21,648
8fd91a3263b5fbc255338b05ef969e7390a4b061
""" Date:28/03/2021 728. Self Dividing Numbers - Leetcode Easy The following program is solved using loops """ class Solution: def selfDividingNumbers(self, left: int, right: int) -> List[int]: Ans=[] for num in range(left,right+1): done=True temp=num while(num): n=num%10 if n==0 or temp%n!=0: done=False break num=num//10 if done: Ans.append(temp) return Ans
21,649
9e3d11486848d5bd27a58d551308f61a51b5d155
"""add new user role Revision ID: f8a44acd0e41 Revises: 526aa91cac98 Create Date: 2019-10-01 14:04:02.769564+00:00 """ from alembic import op import sqlalchemy as sa # revision identifiers, used by Alembic. from faraday.server.models import User revision = 'f8a44acd0e41' down_revision = '526aa91cac98' branch_labels = None depends_on = None def upgrade(): old_type = sa.Enum(*User.ROLES, name='user_roles') new_types = list(set(User.ROLES + ['asset_owner'])) new_options = sorted(new_types) new_type = sa.Enum(*new_options, name='user_roles') tmp_type = sa.Enum(*new_options, name='_user_roles') tmp_type.create(op.get_bind(), checkfirst=False) op.execute('ALTER TABLE faraday_user ALTER COLUMN role TYPE _user_roles' ' USING role::text::_user_roles') old_type.drop(op.get_bind(), checkfirst=False) # Create and convert to the "new" status type new_type.create(op.get_bind(), checkfirst=False) op.execute('ALTER TABLE faraday_user ALTER COLUMN role TYPE user_roles' ' USING role::text::user_roles') tmp_type.drop(op.get_bind(), checkfirst=False) def downgrade(): new_types = list(set(User.ROLES + ['asset_owner'])) new_options = sorted(new_types) new_type = sa.Enum(*new_options, name='user_roles') tmp_type = sa.Enum(*new_options, name='_user_roles') tcr = sa.sql.table('faraday_user', sa.Column('role', new_type, nullable=False)) old_type = sa.Enum(*User.ROLES, name='user_roles') # Convert 'asset_owner' status into 'client' op.execute(tcr.update().where(tcr.c.role == u'asset_owner') .values(status='client')) # Create a temporary "_role" type, convert and drop the "new" type tmp_type.create(op.get_bind(), checkfirst=False) op.execute('ALTER TABLE faraday_user ALTER COLUMN status TYPE _user_roles' ' USING role::text::_user_roles') new_type.drop(op.get_bind(), checkfirst=False) # Create and convert to the "old" role type old_type.create(op.get_bind(), checkfirst=False) op.execute('ALTER TABLE faraday_user ALTER COLUMN role TYPE user_roles' ' USING role::text::user_roles') tmp_type.drop(op.get_bind(), checkfirst=False)
21,650
3b50bf9f74c68dd4fe8a8efdc89cfb4c8022e1f5
import urllib.request from urllib.error import HTTPError, URLError import ssl ssl._create_default_https_context = ssl._create_unverified_context url = 'https://www.baidu.com/search/error.html' try: response = urllib.request.urlopen(url=url) print(response.status) except HTTPError as error: print(error.code) print(error.reason) print(error.headers) except URLError as error: print(error.reason)
21,651
162fb3a4799a054291377341e0ef9ac8be1363f0
#!/usr/bin/env python # Copyright Jim Bosch & Ankit Daftery 2010-2012. # Distributed under the Boost Software License, Version 1.0. # (See accompanying file LICENSE_1_0.txt or copy at # http://www.boost.org/LICENSE_1_0.txt) import dtype_ext import unittest import numpy import sys if (sys.version_info.major >= 3): long = int class DtypeTestCase(unittest.TestCase): def assertEquivalent(self, a, b): return self.assert_(dtype_ext.equivalent(a, b), "%r is not equivalent to %r") def testIntegers(self): for bits in (8, 16, 32, 64): s = getattr(numpy, "int%d" % bits) u = getattr(numpy, "uint%d" % bits) fs = getattr(dtype_ext, "accept_int%d" % bits) fu = getattr(dtype_ext, "accept_uint%d" % bits) self.assertEquivalent(fs(s(1)), numpy.dtype(s)) self.assertEquivalent(fu(u(1)), numpy.dtype(u)) # these should just use the regular Boost.Python converters self.assertEquivalent(fs(True), numpy.dtype(s)) self.assertEquivalent(fu(True), numpy.dtype(u)) self.assertEquivalent(fs(int(1)), numpy.dtype(s)) self.assertEquivalent(fu(int(1)), numpy.dtype(u)) self.assertEquivalent(fs(long(1)), numpy.dtype(s)) self.assertEquivalent(fu(long(1)), numpy.dtype(u)) for name in ("bool_", "byte", "ubyte", "short", "ushort", "intc", "uintc"): t = getattr(numpy, name) ft = getattr(dtype_ext, "accept_%s" % name) self.assertEquivalent(ft(t(1)), numpy.dtype(t)) # these should just use the regular Boost.Python converters self.assertEquivalent(ft(True), numpy.dtype(t)) if name != "bool_": self.assertEquivalent(ft(int(1)), numpy.dtype(t)) self.assertEquivalent(ft(long(1)), numpy.dtype(t)) def testFloats(self): f = numpy.float32 c = numpy.complex64 self.assertEquivalent(dtype_ext.accept_float32(f(numpy.pi)), numpy.dtype(f)) self.assertEquivalent(dtype_ext.accept_complex64(c(1+2j)), numpy.dtype(c)) f = numpy.float64 c = numpy.complex128 self.assertEquivalent(dtype_ext.accept_float64(f(numpy.pi)), numpy.dtype(f)) self.assertEquivalent(dtype_ext.accept_complex128(c(1+2j)), numpy.dtype(c)) if hasattr(numpy, "longdouble") and hasattr(dtype_ext, "accept_longdouble"): f = numpy.longdouble c = numpy.clongdouble self.assertEquivalent(dtype_ext.accept_longdouble(f(numpy.pi)), numpy.dtype(f)) self.assertEquivalent(dtype_ext.accept_clongdouble(c(1+2j)), numpy.dtype(c)) if __name__=="__main__": unittest.main()
21,652
771bef3c3fa9dae3bc9d9175a58288260795a059
"""empty message Revision ID: 1307f911b477 Revises: 44ff61aa24f0 Create Date: 2021-08-30 21:31:19.466186 """ from alembic import op import sqlalchemy as sa # revision identifiers, used by Alembic. revision = '1307f911b477' down_revision = '44ff61aa24f0' branch_labels = None depends_on = None def upgrade(): # ### commands auto generated by Alembic - please adjust! ### op.add_column('active_recall_utilities', sa.Column('created_at', sa.DateTime(), nullable=False)) op.add_column('active_recall_utilities', sa.Column('updated_at', sa.DateTime(), nullable=False)) op.add_column('quiz_cards', sa.Column('created_at', sa.DateTime(), nullable=False)) op.add_column('quiz_cards', sa.Column('updated_at', sa.DateTime(), nullable=False)) op.add_column('quiz_directories', sa.Column('created_at', sa.DateTime(), nullable=False)) op.add_column('quiz_directories', sa.Column('updated_at', sa.DateTime(), nullable=False)) op.add_column('quiz_templates', sa.Column('created_at', sa.DateTime(), nullable=False)) op.add_column('quiz_templates', sa.Column('updated_at', sa.DateTime(), nullable=False)) op.add_column('users', sa.Column('created_at', sa.DateTime(), nullable=False)) op.add_column('users', sa.Column('updated_at', sa.DateTime(), nullable=False)) op.add_column('workspaces', sa.Column('created_at', sa.DateTime(), nullable=False)) op.add_column('workspaces', sa.Column('updated_at', sa.DateTime(), nullable=False)) # ### end Alembic commands ### def downgrade(): # ### commands auto generated by Alembic - please adjust! ### op.drop_column('workspaces', 'updated_at') op.drop_column('workspaces', 'created_at') op.drop_column('users', 'updated_at') op.drop_column('users', 'created_at') op.drop_column('quiz_templates', 'updated_at') op.drop_column('quiz_templates', 'created_at') op.drop_column('quiz_directories', 'updated_at') op.drop_column('quiz_directories', 'created_at') op.drop_column('quiz_cards', 'updated_at') op.drop_column('quiz_cards', 'created_at') op.drop_column('active_recall_utilities', 'updated_at') op.drop_column('active_recall_utilities', 'created_at') # ### end Alembic commands ###
21,653
63973b26579e691d5ce2c4ce97e0cdcb5d614450
import datetime import re import subprocess import time import conplyent import wx from atkysy import atkysyglobal from atm import atmcentral, _smu_interface from atm.static.smu_definitions import * from build import PlatformSiliconTestsuiteGUI # -------------------------------------------------------------- # Live Console-Read Definition (Attempt) # -------------------------------------------------------------- # def popenExecute(cmd): # print("popenExecute") # popen = subprocess.Popen(cmd, stdout=subprocess.PIPE, universal_newlines=True) # for stdoutLine in iter(popen.stdout.readline, ""): # yield stdoutLine # popen.stdout.close() # returnCode = popen.wait() # if returnCode: # raise subprocess.CalledProcessError(returnCode, cmd) # ---------------------------------------------------------------------------------------------------------------------- # For Voltage vs Frequency Testing. # ---------------------------------------------------------------------------------------------------------------------- # Normalizing SUT After Finishing Voltage vs Frequency Testing. def endOfTest(coreSelect, cpuVDD, ipSelection, comPort, coreEnd, outputName): if cpuVDD == 8: if coreSelect == coreEnd: print("\nTest Completed.\nNormalizing System.\n") voltFreqChange(ipSelection, coreSelect, cpuVDD, 4000) subprocess.call(['cmd', '/c', "chiller " + comPort + "-t 25"], shell=True) return True else: print("End of Core-Run.") testResults = open(r".\build\GeneratedFiles\VoltageVsFrequency\Results\VoltageVsFrequencyTestResults_" + str(outputName) + ".txt", "a+") testResults.write("\n") testResults.close() return False # Writing to Voltage vs Frequency Test Results def writeTest(coreSelect, cpuVDD, outputName, coreSelectFreq): cpuVDDtoC = 1.55 - (cpuVDD * 0.00625) testResults = open(r".\build\GeneratedFiles\VoltageVsFrequency\Results\VoltageVsFrequencyTestResults_" + str(outputName) + ".txt", "a+") testResults.write((datetime.datetime.now().strftime('%H:%M')) + " Core" + str(coreSelect) + " " + str(cpuVDDtoC) + " " + str(coreSelectFreq) + "\n") # Changing CPU Voltage and Frequency. def voltFreqChange(ipSelection, coreSelect, cpuVDD, coreSelectFreq): userScript = r".\VoltageVsFrequency\CoreMarginingAdjustable.pl" print("Unlocking Wombat.") atkysyglobal.wombat.unlock(straight=True) print("perl main.pl -user_script=\"" + userScript + "\" -wombat_ip=" + str(ipSelection) + " -coreSelect=" + str(coreSelect) + " -cpuVDD=" + str(cpuVDD) + " -coreSelectFreq=" + str(coreSelectFreq)) subprocess.call("perl main.pl -user_script=\"" + userScript + "\" -wombat_ip=" + str(ipSelection) + " -coreSelect=" + str(coreSelect) + " -cpuVDD=" + str(cpuVDD) + " -coreSelectFreq=" + str(coreSelectFreq), cwd=r"C:\PAPI\Vermeer PAPI") # Reconnecting to Wombat with atKysy. atkysyglobal.wombat.unlock(straight=True) print("Frequency set.") time.sleep(5) # _smu_interface.send_cmd(atmcentral.atm[0], SSP_SMU_MSG.TEST_SetCoreCksFddScalar, 0x0) # _smu_interface.send_cmd(atmcentral.atm[0], SSP_SMU_MSG.TEST_SetL3CksFddScalar, 0x0) # Recovering SUT from Freezing or Crashes. (Fusing if Necessary.) def sutActiveFail(sutIP, ipSelection, fuseSelection, filePath, comPort): print("SUT is down.") subprocess.call("atkysy -w " + ipSelection + " power on") subprocess.call("atkysy -w " + ipSelection + " cold-reset") time.sleep(2) if fuseSelection is True: subprocess.call("atkysy -w " + str(ipSelection) + " fuse -f " + "\"" + str(filePath) + "\"") bootAttempt = 1 for x in range(1, 41): try: if bootAttempt % 4 == 0: if bootAttempt == 40: print("Unable to boot system.") subprocess.call(['cmd', '/c', "chiller " + comPort + "-t 25"], shell=True) return 0 print("System not booting, and will perform another cold-reset/fusing.") subprocess.call("atkysy -w " + ipSelection + " cold-reset ") time.sleep(2) if fuseSelection is True: subprocess.call("atkysy -w " + str(ipSelection) + " fuse -f " + "\"" + str(filePath) + "\"") bootAttempt += 1 continue connection = conplyent.client.add(str(sutIP), 9922) connection.connect(timeout=90) except: print("System still not active. " + str(bootAttempt)) bootAttempt += 1 time.sleep(30) # ---------------------------------------------------------------------------------------------------------------------- # # ---------------------------------------------------------------------------------------------------------------------- class Main(PlatformSiliconTestsuiteGUI.MyFrame1): def __init__(self, parent): PlatformSiliconTestsuiteGUI.MyFrame1.__init__(self, parent) # -------------------------------------------------------------------------------------------------------------- # Window-Resizing Code Snippet # -------------------------------------------------------------------------------------------------------------- self.sizerGUI = wx.BoxSizer(wx.VERTICAL) self.sizerGUI.Add(self.m_panel17, 1, wx.EXPAND) self.SetSizerAndFit(self.sizerGUI) self.m_filePicker3.Hide() # -------------------------------------------------------------------------------------------------------------- # Building Tree # -------------------------------------------------------------------------------------------------------------- platSiTestSuiteRoot = self.m_treeCtrl1.AddRoot("Platform Silicon Test Suite") memNode = self.m_treeCtrl1.AppendItem(platSiTestSuiteRoot, "Memory") atablOverrideNode = self.m_treeCtrl1.AppendItem(memNode, "AT ABL Override") self.m_treeCtrl1.AppendItem(atablOverrideNode, "Force Speed") self.m_treeCtrl1.AppendItem(atablOverrideNode, "Frequency Sweep") self.m_treeCtrl1.AppendItem(atablOverrideNode, "Timing Scale") atDecoderNode = self.m_treeCtrl1.AppendItem(memNode, "AT Decoder") self.m_treeCtrl1.AppendItem(atDecoderNode, "MSB Decoder") self.m_treeCtrl1.AppendItem(atDecoderNode, "PMU Decoder") atKysyNode = self.m_treeCtrl1.AppendItem(memNode, "AT Kysy") self.m_treeCtrl1.AppendItem(atKysyNode, "Fuse") self.m_treeCtrl1.AppendItem(atKysyNode, "Read Clk (SSP+)") self.m_treeCtrl1.AppendItem(atKysyNode, "Read Postcodes (In Real Time)") self.m_treeCtrl1.AppendItem(atKysyNode, "Read VDDs (SSP+)") atmNode = self.m_treeCtrl1.AppendItem(memNode, "ATM") self.m_treeCtrl1.AppendItem(atmNode, "ABL Breakpoint") self.m_treeCtrl1.AppendItem(atmNode, "Address Decode") self.m_treeCtrl1.AppendItem(atmNode, "ATM Config") self.m_treeCtrl1.AppendItem(atmNode, "Enable FClk DPM through Messages") self.m_treeCtrl1.AppendItem(atmNode, "Force MP State") self.m_treeCtrl1.AppendItem(atmNode, "Memory Map") self.m_treeCtrl1.AppendItem(atmNode, "Read MPR") self.m_treeCtrl1.AppendItem(atmNode, "Read MR Commands") self.m_treeCtrl1.AppendItem(atmNode, "Read SPD (MTS Only)") self.m_treeCtrl1.AppendItem(atmNode, "Snapshot") self.m_treeCtrl1.AppendItem(atmNode, "Switch MP States Indefinitely") self.m_treeCtrl1.AppendItem(atmNode, "Unforce MP States") atmDumpsNode = self.m_treeCtrl1.AppendItem(memNode, "ATM Dumps") self.m_treeCtrl1.AppendItem(atmDumpsNode, "SRSM Dump") self.m_treeCtrl1.AppendItem(atmDumpsNode, "UMC Compare") self.m_treeCtrl1.AppendItem(atmDumpsNode, "UMC Dump") atmMiscNode = self.m_treeCtrl1.AppendItem(memNode, "ATM Miscellaneous") self.m_treeCtrl1.AppendItem(atmMiscNode, "Check Memory Configuration Populated") self.m_treeCtrl1.AppendItem(atmMiscNode, "Decode MR Commands") self.m_treeCtrl1.AppendItem(atmMiscNode, "Decode Part Number") self.m_treeCtrl1.AppendItem(atmMiscNode, "ECC Injector") atPMUNode = self.m_treeCtrl1.AppendItem(memNode, "AT PMU") self.m_treeCtrl1.AppendItem(atPMUNode, "Message Block Overrides") self.m_treeCtrl1.AppendItem(atPMUNode, "PMU Breakpoint") self.m_treeCtrl1.AppendItem(atPMUNode, "PMU Tuner") self.m_treeCtrl1.AppendItem(atPMUNode, "Set HDET Level") atRebootNode = self.m_treeCtrl1.AppendItem(memNode, "AT Reboot") self.m_treeCtrl1.AppendItem(atRebootNode, "ABL Parser") self.m_treeCtrl1.AppendItem(atRebootNode, "Functional (Rebooter + 3DMark)") self.m_treeCtrl1.AppendItem(atRebootNode, "MBIST Parser") self.m_treeCtrl1.AppendItem(atRebootNode, "Training Consistency") self.m_treeCtrl1.AppendItem(atRebootNode, "Training Consistency HDTOUT") atRebootMiscNode = self.m_treeCtrl1.AppendItem(memNode, "AT Reboot Miscellaneous") self.m_treeCtrl1.AppendItem(atRebootMiscNode, "Read COM-Port") atRRWNode = self.m_treeCtrl1.AppendItem(memNode, "AT RRW") self.m_treeCtrl1.AppendItem(atRRWNode, "RRW Cont") self.m_treeCtrl1.AppendItem(atRRWNode, "RRW Eye") self.m_treeCtrl1.AppendItem(atRRWNode, "RRW Parse") self.m_treeCtrl1.AppendItem(atRRWNode, "RRW Single") atTestSuiteNode = self.m_treeCtrl1.AppendItem(memNode, "AT Test Suite") self.m_treeCtrl1.AppendItem(atTestSuiteNode, "Margins 1D") self.m_treeCtrl1.AppendItem(atTestSuiteNode, "Margins 2D") powRoot = self.m_treeCtrl1.AppendItem(platSiTestSuiteRoot, "Power") print(powRoot) marginingNode = self.m_treeCtrl1.AppendItem(powRoot, "Margining") self.m_treeCtrl1.AppendItem(marginingNode, "Voltage vs Frequency Margining") self.m_treeCtrl1.Expand(platSiTestSuiteRoot) # ------------------------------------------------------------------------------------------------------------------ # GUI Interactions # ------------------------------------------------------------------------------------------------------------------ # Populating Wombat IP Addresses # ------------------------------------------------------------------------------------------------------------------ wombatList = open(r'./build/GeneratedFiles/WombatList.txt', "r") self.m_choice2.Clear() for item in wombatList: self.m_choice2.Append(item) def renoirSelect(self, event): self.m_statusBar1.SetStatusText("Renoir Selected.") titleIP = re.findall(r"\b\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3}\b", self.GetTitle()) if str(titleIP) == "[]": self.SetTitle("Platform Silicon Test Suite - Renoir") else: self.SetTitle("Platform Silicon Test Suite - Renoir - " + str(titleIP[0])) self.m_menuItem1.Check(True) self.m_menuItem2.Check(False) def vermeerSelect(self, event): self.m_statusBar1.SetStatusText("Vermeer Selected.") titleIP = re.findall(r"\b\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3}\b", self.GetTitle()) if str(titleIP) == "[]": self.SetTitle("Platform Silicon Test Suite - Vermeer") else: self.SetTitle("Platform Silicon Test Suite - Vermeer - " + str(titleIP[0])) self.m_menuItem1.Check(False) self.m_menuItem2.Check(True) def newIPSelect(self, event): self.m_statusBar1.SetStatusText("New Wombat IP Selected.") wombatDialog = wx.TextEntryDialog(self, "", "New Wombat IP") # -------------------------------------------------------------------------------------------------------------- # "Add IP' Dialog Box Interactions. # -------------------------------------------------------------------------------------------------------------- if wombatDialog.ShowModal() == wx.ID_CANCEL: return 0 if wombatDialog.ShowModal() == wx.ID_OK: # Ensuring proper IP is inputted. wombatIP = re.match(r'^(?:(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.){3}' r'(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)$', wombatDialog.GetValue()) if wombatIP is not None: # Checking for IP duplicates. ipCheck = open(r'./build/GeneratedFiles/WombatList.txt', "r") ipFileLines = ipCheck.readlines() for ip in ipFileLines: ipMatch = re.search(wombatDialog.GetValue(), ip) if ipMatch is not None: wx.MessageBox('Wombat IP already exists.', 'IP Duplicate', wx.OK | wx.ICON_INFORMATION) return 0 # Writing IP address into WombatList.txt. wombatList = open(r'./build/GeneratedFiles/WombatList.txt', "a+") wombatList.write("\n" + str(wombatDialog.GetValue())) wombatList.close() # Sorting IP addresses found in WombatList.txt. with open(r'./build/GeneratedFiles/WombatList.txt', "r") as infile: iplist = sorted([i.strip() for i in infile.readlines()], key=lambda x: int(''.join( (lambda a: lambda v: a(a, v))(lambda s, x: x if len(x) == 3 else s(s, '0' + x))(i) for i in x.split('.')))) # Updating WombatList.txt with sorted IP addresses. with open(r'./build/GeneratedFiles/WombatList.txt', "w+") as outfile: outfile.write("\n".join(i for i in iplist)) wombatList.close() self.m_statusBar1.SetStatusText("New Wombat Added.") # Updating Wombat IP address' ChoiceBox. wombatList = open(r'./build/GeneratedFiles/WombatList.txt', "r") self.m_choice2.Clear() for item in wombatList: self.m_choice2.Append(item) else: wx.MessageBox('Please Input a Valid Wombat-IP Address.', 'Error', wx.OK | wx.ICON_ERROR) return 0 def itemSelect(self, event): # -------------------------------------------------------------------------------------------------------------- # Showing Selected Test-Panels # -------------------------------------------------------------------------------------------------------------- # Memory # -------------------------------------------------------------------------------------------------------------- # atKysy # -------------------------------------------------------------------------------------------------------------- if str(self.m_treeCtrl1.GetItemText(event.GetItem())) == "Fuse": self.m_statusBar1.SetStatusText("Fuse Selected.") self.fusePanel.Show() else: self.fusePanel.Hide() if str(self.m_treeCtrl1.GetItemText(event.GetItem())) == "Read Clk (SSP+)": self.m_statusBar1.SetStatusText("Read Clk (SSP+) Selected.") self.readClkPanel.Show() else: self.readClkPanel.Hide() if str(self.m_treeCtrl1.GetItemText(event.GetItem())) == "Read Postcodes (In Real Time)": self.m_statusBar1.SetStatusText("Read Postcodes Selected.") self.readPostCodesPanel.Show() else: self.readPostCodesPanel.Hide() if str(self.m_treeCtrl1.GetItemText(event.GetItem())) == "Read VDDs (SSP+)": self.m_statusBar1.SetStatusText("Read VDDs Selected.") self.readVDDsPanel.Show() else: self.readVDDsPanel.Hide() # -------------------------------------------------------------------------------------------------------------- # atReboot # -------------------------------------------------------------------------------------------------------------- if str(self.m_treeCtrl1.GetItemText(event.GetItem())) == "Training Consistency": self.m_statusBar1.SetStatusText("Training Consistency Selected.") self.trainConPanel.Show() wx.MessageBox('Please ensure that ABL Logging is enabled in SUT\'s BIOS, and that the logger-hardware is ' 'properly communicating with your host.', 'Logging Setup', wx.OK | wx.ICON_WARNING) else: self.trainConPanel.Hide() # -------------------------------------------------------------------------------------------------------------- # Power # -------------------------------------------------------------------------------------------------------------- if str(self.m_treeCtrl1.GetItemText((event.GetItem()))) == "Voltage vs Frequency Margining": self.m_statusBar1.SetStatusText("Voltage vs Frequency Margining Selected.") self.voltVSTempPanel.Show() else: self.voltVSTempPanel.Hide() self.m_gauge1.Hide() # ------------------------------------------------------------------------------------------------------------------ # Reveal Miscellaneous Hidden Elements # ------------------------------------------------------------------------------------------------------------------ def guiInteract(self, event): # -------------------------------------------------------------------------------------------------------------- # Training Consistency Window # -------------------------------------------------------------------------------------------------------------- # Training Consistency "Fuse File" Check Box if self.m_checkBox1.GetValue() is True: self.m_filePicker2.Show() else: self.m_filePicker2.Hide() # Training Consistency "Custom Settings" Check Box if self.m_checkBox12.GetValue() is True: self.m_panel15.Show() else: self.m_panel15.Hide() # Training Consistency "Username/Password" Check Box if self.m_checkBox3.GetValue() is True: self.m_staticText27.Show() self.m_textCtrl15.Show() self.m_staticText28.Show() self.m_textCtrl16.Show() self.SetSizerAndFit(self.sizerGUI, deleteOld=False) self.Layout() else: self.m_staticText27.Hide() self.m_textCtrl15.Hide() self.m_staticText28.Hide() self.m_textCtrl16.Hide() self.SetSizerAndFit(self.sizerGUI, deleteOld=False) self.Layout() # Training Consistency "ABL Timeout" Check Box if self.m_checkBox4.GetValue() is True: self.m_textCtrl17.Show() else: self.m_textCtrl17.Hide() # Training Consistency "1D String" Check Box if self.m_checkBox5.GetValue() is True: self.m_dirPicker1.Show() else: self.m_dirPicker1.Hide() # Training Consistency "2D String" Check Box if self.m_checkBox6.GetValue() is True: self.m_dirPicker2.Show() else: self.m_dirPicker2.Hide() # Training Consistency "End-Flag String" Check Box if self.m_checkBox7.GetValue() is True: self.m_textCtrl18.Show() else: self.m_textCtrl18.Hide() # Training Consistency "Connect to SUT IP" Check Box if self.m_checkBox8.GetValue() is True: self.m_textCtrl19.Show() else: self.m_textCtrl19.Hide() # Training Consistency "MST Loops" Check Box if self.m_checkBox9.GetValue() is True: self.m_textCtrl20.Show() else: self.m_textCtrl20.Hide() # Training Consistency "Memory Snapshot" Check Box if self.m_checkBox10.GetValue() is True: self.m_textCtrl21.Show() else: self.m_textCtrl21.Hide() # -------------------------------------------------------------------------------------------------------------- # Voltage vs Frequency Window # -------------------------------------------------------------------------------------------------------------- # Voltage vs Frequency "Fuse File" Check Box if self.m_checkBox13.GetValue() is True: self.m_filePicker3.Show() else: self.m_filePicker3.Hide() # ------------------------------------------------------------------------------------------------------------------ # Setting Wombat IP in Frame Title and all "Wombat-IP Boxes" # ------------------------------------------------------------------------------------------------------------------ def ipSet(self, ipname): # Setting Frame Title titleIP = re.findall(r"\b\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3}\b", self.GetTitle()) self.m_statusBar1.SetStatusText(str(titleIP)) if str(titleIP) == "[]": self.SetTitle(str(self.GetTitle()) + " - " + str(ipname)) else: newTitle = re.sub(str(titleIP[0]), str(ipname), str(self.GetTitle())) self.SetTitle(newTitle) # ------------------------------------------------------------------------------------------------------------------ # Button-Event Definitions (Test Procedures) # ------------------------------------------------------------------------------------------------------------------ # atKysy # ------------------------------------------------------------------------------------------------------------------ def coldReset(self, event): ipSelection = str(self.m_choice2.GetString(self.m_choice2.GetSelection())).rstrip() wombatIP = re.match(r'^(?:(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.){3}' r'(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)$', ipSelection) if wombatIP is not None: coldResetWombatIP = "-w " + ipSelection + " " self.ipSet(ipSelection) else: wx.MessageBox('Please Input a Valid Wombat-IP Address.', 'Error', wx.OK | wx.ICON_ERROR) return 0 self.m_statusBar1.SetStatusText("Cold-Resetting System.") print("atkysy " + coldResetWombatIP + "cold-reset ") subprocess.call("atkysy " + coldResetWombatIP + "cold-reset ") def fuse(self, event): ipSelection = str(self.m_choice2.GetString(self.m_choice2.GetSelection())).rstrip() wombatIP = re.match(r"^(?:(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.){3}" r"(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)$", ipSelection) if wombatIP is not None: fuseWombatIP = "-w " + ipSelection + " " self.ipSet(ipSelection) else: wx.MessageBox('Please Input a Valid Wombat-IP Address.', 'Error', wx.OK | wx.ICON_ERROR) return 0 self.m_statusBar1.SetStatusText(str(self.m_filePicker1.GetPath())) if self.m_filePicker1.GetPath() is not "": fuseFile = "fuse -f " + "\"" + str(self.m_filePicker1.GetPath()) + "\"" else: wx.MessageBox('Please Choose a Valid Fuse File.', 'Error', wx.OK | wx.ICON_ERROR) return 0 self.m_statusBar1.SetStatusText("Fusing System.") print("atkysy " + fuseWombatIP + fuseFile) subprocess.call("atkysy " + fuseWombatIP + fuseFile) def powerOff(self, event): ipSelection = str(self.m_choice2.GetString(self.m_choice2.GetSelection())).rstrip() wombatIP = re.match(r"^(?:(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.){3}" r"(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)$", ipSelection) if wombatIP is not None: powerOffWombatIP = "-w " + ipSelection + " " self.ipSet(ipSelection) else: wx.MessageBox('Please Input a Valid Wombat-IP Address.', 'Error', wx.OK | wx.ICON_ERROR) return 0 self.m_statusBar1.SetStatusText("Shutting System Down.") print("atkysy " + powerOffWombatIP + "power off") subprocess.call("atkysy " + powerOffWombatIP + "power off") def powerOn(self, event): ipSelection = str(self.m_choice2.GetString(self.m_choice2.GetSelection())).rstrip() wombatIP = re.match(r"^(?:(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.){3}" r"(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)$", ipSelection) if wombatIP is not None: powerOnWombatIP = "-w " + ipSelection + " " self.ipSet(ipSelection) else: wx.MessageBox('Please Input a Valid Wombat-IP Address.', 'Error', wx.OK | wx.ICON_ERROR) return 0 self.m_statusBar1.SetStatusText("Turning System On.") print("atkysy " + powerOnWombatIP + "power on") subprocess.call("atkysy " + powerOnWombatIP + "power on") def readClk(self, event): ipSelection = str(self.m_choice2.GetString(self.m_choice2.GetSelection())).rstrip() wombatIP = re.match(r"^(?:(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.){3}" r"(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)$", ipSelection) if wombatIP is not None: readClkWombatIP = "-w " + ipSelection + " " self.ipSet(ipSelection) else: wx.MessageBox('Please Input a Valid Wombat-IP Address.', 'Error', wx.OK | wx.ICON_ERROR) return 0 self.m_statusBar1.SetStatusText("Reading System Clocks.") print("atkysy " + readClkWombatIP + "read-clk") subprocess.Popen("atkysy " + readClkWombatIP + "read-clk", creationflags=subprocess.CREATE_NEW_CONSOLE, universal_newlines=True) # for line in readClk.stdout: # print(line) def readPostcodes(self, event): ipSelection = str(self.m_choice2.GetString(self.m_choice2.GetSelection())).rstrip() wombatIP = re.match(r"^(?:(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.){3}" r"(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)$", ipSelection) if wombatIP is not None: readPostcodesWombatIP = "-w " + ipSelection + " " self.ipSet(ipSelection) else: wx.MessageBox('Please Input a Valid Wombat-IP Address.', 'Error', wx.OK | wx.ICON_ERROR) return 0 self.m_statusBar1.SetStatusText("Reading Postcodes.") print("atkysy " + readPostcodesWombatIP + "post-read") subprocess.Popen("atkysy " + readPostcodesWombatIP + "post-read", creationflags=subprocess.CREATE_NEW_CONSOLE, universal_newlines=True) def readVDDs(self, event): ipSelection = str(self.m_choice2.GetString(self.m_choice2.GetSelection())).rstrip() wombatIP = re.match(r"^(?:(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.){3}" r"(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)$", ipSelection) if wombatIP is not None: readVDDsWombatIP = "-w " + ipSelection + " " self.ipSet(ipSelection) else: wx.MessageBox('Please Input a Valid Wombat-IP Address.', 'Error', wx.OK | wx.ICON_ERROR) return 0 self.m_statusBar1.SetStatusText("Reading VDDs.") print("atkysy " + readVDDsWombatIP + "read-vdds") subprocess.Popen("atkysy " + readVDDsWombatIP + "read-vdds", creationflags=subprocess.CREATE_NEW_CONSOLE, universal_newlines=True) def unlockWombat(self, event): ipSelection = str(self.m_choice2.GetString(self.m_choice2.GetSelection())).rstrip() wombatIP = re.match(r"^(?:(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.){3}" r"(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)$", ipSelection) if wombatIP is not None: unlockWombatWombatIP = "-w " + ipSelection + " " self.ipSet(ipSelection) else: wx.MessageBox('Please Input a Valid Wombat-IP Address.', 'Error', wx.OK | wx.ICON_ERROR) return 0 self.m_statusBar1.SetStatusText("Unlocking Wombat.") print("atkysy " + unlockWombatWombatIP + "unlock-wombat") subprocess.call("atkysy " + unlockWombatWombatIP + "unlock-wombat") self.m_statusBar1.SetStatusText("Wombat Unlocked.") def warmReset(self, event): ipSelection = str(self.m_choice2.GetString(self.m_choice2.GetSelection())).rstrip() wombatIP = re.match(r'^(?:(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.){3}' r'(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)$', ipSelection) if wombatIP is not None: warmResetWombatIP = "-w " + ipSelection + " " self.ipSet(ipSelection) else: wx.MessageBox('Please Input a Valid Wombat-IP Address.', 'Error', wx.OK | wx.ICON_ERROR) return 0 self.m_statusBar1.SetStatusText("Warm-Resetting System.") print("atkysy " + warmResetWombatIP + "warm-reset ") subprocess.call("atkysy " + warmResetWombatIP + "warm-reset ") # ------------------------------------------------------------------------------------------------------------------ # atReboot # ------------------------------------------------------------------------------------------------------------------ def trainConsistency(self, event): print("Start Training Consistency.\n(This procedure is a work in progress.)") # ------------------------------------------------------------------------------------------------------------------ # Voltage vs Frequency Margining # ------------------------------------------------------------------------------------------------------------------ def voltVsFreqMarg(self, event): global thmCore0, thmCore0Ave, thm, inCstate, cstateDisable, mp1Val, mp1, dfCstateDisable, dfInCstate, thread1, \ thread0 # Creating test results document, if needed. try: open(r".\build\GeneratedFiles\VoltageVsFrequency\Results\VoltageVsFrequencyTestResults_" + str(self.m_textCtrl12.GetValue()) + ".txt", "x") except Exception: print("File name exists, and will be appended.") # Declaring Initial Variable Values. (cpuVDD = 104 = 0.9V) coreSelect = int(self.m_radioBox2.GetString(self.m_radioBox2.GetSelection())) # Core Selection coreEnd = int(self.m_radioBox3.GetString(self.m_radioBox3.GetSelection())) # Core Selection coreArrayValue0 = coreSelect * 2 # CPU Selection on SUT coreArrayValue1 = (coreSelect * 2) + 1 # CPU Selection on SUT cpuVDD = round((1.55 - float(self.m_radioBox4.GetString(self.m_radioBox4.GetSelection()))) / 0.00625, 0) coreSelectFreq = 3600 # MHz ipSelection = str(self.m_choice2.GetString(self.m_choice2.GetCurrentSelection())).rstrip() self.ipSet(ipSelection) sutIP = str(self.m_textCtrl11.GetValue()) fuseSelection = self.m_checkBox13.GetValue() filePath = str(self.m_filePicker3.GetPath()) outputName = str(self.m_textCtrl12.GetValue()) systemHoldTemp = 50 chillerHoldTemp = 10 if self.m_radioBox1.GetSelection() is 1: systemHoldTemp = 70 chillerHoldTemp = 30 if self.m_radioBox1.GetSelection() is 2: systemHoldTemp = 90 chillerHoldTemp = 50 # Setting Initial Chiller Temperature. self.m_statusBar1.SetStatusText("Starting Voltage VS Frequency Margining at " + str(self.m_radioBox1.GetString(self.m_radioBox1.GetSelection()))) comPort = "-p " + str(str(self.m_choice3.GetString(self.m_choice3.GetSelection()))) + " " print((datetime.datetime.now().strftime('%H:%M')) + " - chiller " + comPort + "-t " + str(chillerHoldTemp)) self.m_statusBar1.SetStatusText("Setting Initial Chiller Temperature.") try: subprocess.call(["cmd", "/c", "chiller " + comPort + "-t " + str(chillerHoldTemp)], shell=True) self.m_statusBar1.SetStatusText("Initial Chiller Temperature Reached.") # Setting up Wombat platform, and checking for Wombat errors. atkysyglobal.init_platform(ipSelection, pdm=False) atmcentral.setup_atm(new_atm=True) except RuntimeError: wx.MessageBox("Please turn on system, and try again. Please, also ensure that Wombat is connected to the" "power-jumper on SUT.", 'Error', wx.OK | wx.ICON_ERROR) return 0 # sutActiveFail(str(self.m_textCtrl11.GetValue()), ipSelection, self.m_checkBox13.GetValue(), # str(self.m_filePicker3.GetPath())) except Exception: from atmisc import atlogger atlogger.capture_error() wx.MessageBox("Please verify IP selection.", 'Error', wx.OK | wx.ICON_ERROR) return 0 # Connecting to SUT with Conplyent, and launching Prime95.exe. connection = conplyent.client.add(str(self.m_textCtrl11.GetValue()), 9922) try: connection.connect(timeout=5) print(r"C:\Platform Silicon Testsuite\Voltage vs Frequency\Prime95\TestSuiteBatches\Launch" + str(coreSelect) + ".bat") connection.exec(r"C:\Platform Silicon Testsuite\Voltage vs Frequency\Prime95\TestSuiteBatches\Launch" + str(coreSelect) + ".bat", complete=False) time.sleep(2) except ConnectionError: sutActiveFail(sutIP, ipSelection, fuseSelection, filePath, comPort) # Register path can be found in HDT: Container Tree -> PPR Container # Setting Up to Read MP1. for mp1 in atmcentral.atm.dies(): mp1.setup_register("MP1_LX3_PDEBUGPC", "PPR::MP::MP1CRU::socket{}::{}::MP1MP1::MP1_LX3_PDEBUGPC", iod=True) # Setting Up to Read Temperature. for thm in atmcentral.atm.dies(): thm.setup_register("THM_DIE1_TEMP", "PPR::SMU::THM::socket{}::{}::THM_DIE1_TEMP", iod=True) self.m_statusBar1.SetStatusText("Successfully connected to Wombat and system.") # Reading highest temperature of cores (Active core will be the highest due to affinity being set to it). thm["THM_DIE1_TEMP"].read() thmCore0Ave = (thm["THM_DIE1_TEMP"]["TEMP"]) / 8 - 49 # Reading THM_TMON0_RDIL6_DATA::TEMP register. # for thm in atmcentral.atm.dies(): # thm.setup_register("THM_TMON0_RDIL6_DATA", # "PPR::SMU::THM::socket{}::{}::THM_TMON0_RDIL6_DATA", iod=True) # # Register path can be found in HDT: Container Tree -> PPR Container # thm["THM_TMON0_RDIL6_DATA"].read() # thmCore0 = (thm["THM_TMON0_RDIL6_DATA"]["TEMP"])/8-49 # print(thmCore0) # Reading THM_DIE1_TEMP register. self.m_statusBar1.SetStatusText("Maintaining temperature, and beginning test.") # Setting voltage and frequency using PAPI. voltFreqChange(ipSelection, coreSelect, cpuVDD, coreSelectFreq) # Test-Loop. while True: startTime = datetime.datetime.now() print("Loop start: " + str(startTime)) for i in range(0, 3001): mp1Val = mp1["MP1_LX3_PDEBUGPC"].read() thm["THM_DIE1_TEMP"].read() thmCore0 = round(((thm["THM_DIE1_TEMP"]["TEMP"]) / 8 - 49), 1) thmCore0Ave = round((thmCore0 + thmCore0Ave) / 2) # Temperature control on the average of 150 temperature readings. if i % 150 == 0: print(str(thmCore0Ave) + "°C") if (systemHoldTemp - 2) > thmCore0Ave: if thmCore0Ave - thmCore0 > 4: continue print("Too Cold.") tempAdjustment = (systemHoldTemp - 2) - thmCore0Ave chillerHoldTemp = chillerHoldTemp + tempAdjustment print((datetime.datetime.now().strftime('%H:%M')) + " - chiller " + comPort + "-t " + str(chillerHoldTemp)) subprocess.call(['cmd', '/c', "chiller " + comPort + "-t " + str(chillerHoldTemp)], shell=True) if (systemHoldTemp + 2) < thmCore0Ave: print("Too Hot.") tempAdjustment = thmCore0Ave - (systemHoldTemp + 2) chillerHoldTemp = chillerHoldTemp - tempAdjustment print((datetime.datetime.now().strftime('%H:%M')) + " - chiller " + comPort + "-t " + str(chillerHoldTemp)) subprocess.call(['cmd', '/c', "chiller " + comPort + "-t " + str(chillerHoldTemp)], shell=True) # Reading SUT's Core0 (Thread0 and Thread1) Active-Percentage. try: thread0 = float(connection.core_percentage(timeout=5, max_interval=5)[coreArrayValue0]) except conplyent.ClientTimeout: print("Timed out while running thread0 check...") writeTest(coreSelect, cpuVDD, outputName, coreSelectFreq) sutActiveFail(sutIP, ipSelection, fuseSelection, filePath, comPort) cpuVDD -= 8 coreSelectFreq -= 150 if endOfTest(coreSelect, cpuVDD, ipSelection, comPort, coreEnd, outputName) is True: return 0 elif endOfTest(coreSelect, cpuVDD, ipSelection, comPort, coreEnd, outputName) is False: coreSelect += 1 coreArrayValue0 += 2 coreArrayValue1 += 2 cpuVDD = 104 coreSelectFreq = 3600 connection.connect(timeout=5) voltFreqChange(ipSelection, coreSelect, cpuVDD, coreSelectFreq) print(r"C:\Platform Silicon Testsuite\Voltage vs Frequency\Prime95\TestSuiteBatches" r"\Launch" + str(coreSelect) + ".bat") connection.exec(r"C:\Platform Silicon Testsuite\Voltage vs Frequency\Prime95\TestSuiteBatches" r"\Launch" + str(coreSelect) + ".bat", complete=False) try: thread1 = float(connection.core_percentage(timeout=5, max_interval=5)[coreArrayValue1]) except conplyent.ClientTimeout: print("Timed out while running thread1 check...") writeTest(coreSelect, cpuVDD, outputName, coreSelectFreq) sutActiveFail(sutIP, ipSelection, fuseSelection, filePath, comPort) cpuVDD -= 8 coreSelectFreq -= 150 if endOfTest(coreSelect, cpuVDD, ipSelection, comPort, coreEnd, outputName) is True: return 0 elif endOfTest(coreSelect, cpuVDD, ipSelection, comPort, coreEnd, outputName) is False: coreSelect += 1 coreArrayValue0 += 2 coreArrayValue1 += 2 cpuVDD = 104 coreSelectFreq = 3600 connection.connect(timeout=5) voltFreqChange(ipSelection, coreSelect, cpuVDD, coreSelectFreq) print(r"C:\Platform Silicon Testsuite\Voltage vs Frequency\Prime95\TestSuiteBatches" r"\Launch" + str(coreSelect) + ".bat") connection.exec(r"C:\Platform Silicon Testsuite\Voltage vs Frequency\Prime95\TestSuiteBatches" r"\Launch" + str(coreSelect) + ".bat", complete=False) # Watching for Prime95 Failure/Stop, using SUT's Thread0 and Thread1 Utilization. if thread0 < 90.0 and thread1 < 90.0: primeFail = 0 for failCheck in range(1, 11): try: thread0 = float(connection.core_percentage(timeout=5, max_interval=5)[coreArrayValue0]) except conplyent.ClientTimeout: break try: thread1 = float(connection.core_percentage(timeout=5, max_interval=5)[coreArrayValue1]) except conplyent.ClientTimeout: break if thread0 < 100.0 and thread1 < 100.0: primeFail += 1 if primeFail > 7: print("Prime95 has stopped.") writeTest(coreSelect, cpuVDD, outputName, coreSelectFreq) cpuVDD -= 8 coreSelectFreq -= 150 if endOfTest(coreSelect, cpuVDD, ipSelection, comPort, coreEnd, outputName) is True: return 0 elif endOfTest(coreSelect, cpuVDD, ipSelection, comPort, coreEnd, outputName) is False: coreSelect += 1 coreArrayValue0 += 2 coreArrayValue1 += 2 cpuVDD = 104 coreSelectFreq = 3600 voltFreqChange(ipSelection, coreSelect, cpuVDD, coreSelectFreq) print(r"C:\Platform Silicon Testsuite\Voltage vs Frequency\Prime95\TestSuiteBatches" r"\Launch" + str(coreSelect) + ".bat") connection.exec(r"C:\Platform Silicon Testsuite\Voltage vs Frequency\Prime95" r"\TestSuiteBatches\Launch" + str(coreSelect) + ".bat", complete=False) break # Checking if Test-Loop has Run for 60 Seconds, and Increasing Frequency if Needed. endTime = datetime.datetime.now() timeDuration = endTime - startTime timeDuration = timeDuration.total_seconds() if timeDuration > 60: print("Elapsed Time with Current Setpoints: " + str(timeDuration) + " seconds") coreSelectFreq += 25 print("Increasing frequency to: " + str(coreSelectFreq)) voltFreqChange(ipSelection, coreSelect, cpuVDD, coreSelectFreq) break # Run the program app = wx.App(False) frame = Main(None) frame.Show(True) # start the applications app.MainLoop()
21,654
13dbda298cd6d107595878de98a347dfff930997
import random from shop.product import Product from shop.order_element import OrderElement from shop.order import Order MIN_UNIT_PRICE = 1 MAX_UNIT_PRICE = 30 MIN_PRODUCT_QUANTITY = 1 MAX_PRODUCT_QUANTITY = 10 def generate_order(number_of_products=None): order_elements = [] if number_of_products is None: number_of_products = Order.MAX_ORDER_ELEMENTS for product_number in range(number_of_products): product_name = f"Produkt-{product_number}" category_name = "Inne" unit_price = random.randint(MIN_UNIT_PRICE, MAX_UNIT_PRICE) product = Product(product_name, category_name, unit_price) quantity = random.randint(MIN_PRODUCT_QUANTITY, MAX_PRODUCT_QUANTITY) order_elements.append(OrderElement(product, quantity)) return order_elements
21,655
77252d60b13e123be908ee18fc8841c6badb4734
from PIL import Image, ImageDraw import glob, os #this file is a short test for PIL programming #@TODO remove that from the projects size = 1024, 1024 im = Image.new('RGBA', size) mask = Image.new('RGBA', size, (0, 0, 0, 0)) for i in range(45): comp = Image.new('RGBA', size, (0, 0, 0, 0)) draw = ImageDraw.Draw(comp) draw.line((0, 0) + im.size, fill=(128, 128, 0, 255 - i * 4)) comp = comp.rotate(i * 2, Image.BICUBIC) #alpha = 0.5 #im.paste(comp, (0,0)) im = Image.composite(comp, im, comp) #im = em #im = im.resize((512,512), Image.BICUBIC) im.save('test.png')
21,656
f4a84c504d6e32513a5a2fbc1c8c4d42b41f881e
""" Deploy Spotinst Elastigroups using AWS CloudFormation templates """ from senza.exceptions import SenzaException __version__ = '0.1' class MissingSpotinstAccount(SenzaException): """ Exception raised when failed to map the target cloud account to a spotinst account """ def __init__(self, cloud_account_id: str): self.cloud_account_id = cloud_account_id def __str__(self): return "{cloud_account_id} cloud account was not found in your Spotinst organization ".format_map(vars(self))
21,657
5a0cdbf0c89365dfb67f80f5c05cf25febf50b5a
# coding=utf-8 # from app.db.models.base import DB from sqlalchemy import ( Column, Integer, String, Float, DateTime, func ) class UserModel(DB.Model): __tablename__ = 'tb_user' uid = Column(Integer, primary_key=True) username = Column(String) mobile = Column(Integer) password = Column(String) gender = Column(String) nickname = Column(String) class EmployeeModel(DB.Model): __tablename__ = 'tb_employee' id = Column(Integer, primary_key=True) employeename = Column(String) gender = Column(String) address = Column(String) type = Column(String) mobile = Column(Integer) realname = Column(String) class MenuModel(DB.Model): __tablename__ = 'tb_menu' mid = Column(Integer, primary_key=True) foodname = Column(String) category = Column(String) price = Column(Float) coupon = Column(Float, default=0.0) imagepath = Column(String) intro = Column(String) class OrderModel(DB.Model): __tablename__ = 'dt_order' id = Column(Integer, primary_key=True) oid = Column(String) uid = Column(Integer) eid = Column(Integer) status = Column(String) create_time = Column(DateTime, default=func.now()) update_time = Column(DateTime, default=func.now(), onupdate=func.now()) comment = Column(String) amount = Column(Float) payment_status = Column(String) class OrderDetailModel(DB.Model): __tablename__ = 'mp_order_detail' id = Column(Integer, primary_key=True) oid = Column(Integer) mid = Column(Integer)
21,658
235300b3adf7cec9fb269346249ec81fbead80c1
import numpy as np import argparse from scipy import io, spatial import time from random import shuffle import random from sklearn import preprocessing from sklearn.metrics import confusion_matrix parser = argparse.ArgumentParser(description="DeViSE") parser.add_argument('-data', '--dataset', help='choose between APY/AWA2', default='AWA2', type=str) parser.add_argument('-e', '--epochs', default=100, type=int) parser.add_argument('-es', '--early_stop', default=10, type=int) parser.add_argument('-lr', '--lr', default=0.01, type=float) parser.add_argument('-mr', '--margin', default=1, type=float) parser.add_argument('-seed', '--rand_seed', default=42, type=int) """ Best Values of (lr, mr) found by validation & corr. test accuracies: AWA2 -> (0.5, 100) -> Test Acc : 0.3305 APY -> (2, 1) -> Test Acc : 0.1946 """ class DeViSE(): def __init__(self, args): self.args = args self.args = args random.seed(self.args.rand_seed) np.random.seed(self.args.rand_seed) res101 = io.loadmat('../xlsa17/data/'+self.args.dataset+'/'+'res101.mat') att_splits=io.loadmat('../'+self.args.dataset+'/'+'att_splits.mat') train_loc = [] val_loc = [] test_loc = [] if args.dataset=='APY': cls_splits = np.load('../'+self.args.dataset+'/'+'apy_cs_split.npy', allow_pickle=True).item() all_classes = res101['labels'] allclass_names=att_splits['allclasses_names'] for i, label in enumerate(all_classes): if allclass_names[label-1] in cls_splits['train_cls']: train_loc.append(i) elif allclass_names[label-1] in cls_splits['val_cls']: val_loc.append(i) elif allclass_names[label-1] in cls_splits['test_cls']: test_loc.append(i) elif args.dataset=='AWA2': cls_splits = np.load('../'+self.args.dataset+'/'+'awa_cs_split.npy', allow_pickle=True).item() image_name_list = res101['image_files'] image_names = np.array(['/'.join(y[0][0].split('/')[-2:]) for y in image_name_list]) for i, name in enumerate(image_names): cls_name = name.split('/')[0] if cls_name in cls_splits['train_cls']: train_loc.append(i) elif cls_name in cls_splits['val_cls']: val_loc.append(i) else: test_loc.append(i) feat = res101['features'] # Shape -> (dxN) self.X_train = feat[:, train_loc] self.X_val = feat[:, val_loc] self.X_test = feat[:, test_loc] print('Tr:{}; Val:{}; Ts:{}\n'.format(self.X_train.shape[1], self.X_val.shape[1], self.X_test.shape[1])) labels = res101['labels'] self.labels_train = np.squeeze(labels[train_loc]) self.labels_val = np.squeeze(labels[val_loc]) self.labels_test = np.squeeze(labels[test_loc]) train_labels_seen = np.unique(self.labels_train) val_labels_unseen = np.unique(self.labels_val) test_labels_unseen = np.unique(self.labels_test) i=0 for labels in train_labels_seen: self.labels_train[self.labels_train == labels] = i i+=1 j=0 for labels in val_labels_unseen: self.labels_val[self.labels_val == labels] = j j+=1 k=0 for labels in test_labels_unseen: self.labels_test[self.labels_test == labels] = k k+=1 sig = att_splits['att'] # Shape -> (Number of attributes, Number of Classes) self.train_sig = sig[:, train_labels_seen-1] self.val_sig = sig[:, val_labels_unseen-1] self.test_sig = sig[:, test_labels_unseen-1] def normalizeFeature(self, x): # x = N x d (d:feature dimension, N:number of instances) x = x + 1e-10 feature_norm = np.sum(x**2, axis=1)**0.5 # l2-norm feat = x / feature_norm[:, np.newaxis] return feat def update_W(self, W, idx, train_classes): for j in idx: X_n = self.X_train[:, j] y_n = self.labels_train[j] y_ = train_classes[train_classes!=y_n] XW = np.dot(X_n, W) gt_class_score = np.dot(XW, self.train_sig[:, y_n]) for i, label in enumerate(y_): score = self.args.margin+np.dot(XW, self.train_sig[:, label])-gt_class_score if score>0: Y = np.expand_dims(self.train_sig[:, y_n]-self.train_sig[:, label], axis=0) W += self.args.lr*np.dot(np.expand_dims(X_n, axis=1), Y) break # acc. to the authors, it was practical to stop after first margin violating term was found return W def fit(self): print('Training...\n') best_val_acc = 0.0 best_tr_acc = 0.0 best_val_ep = -1 best_tr_ep = -1 rand_idx = np.arange(self.X_train.shape[1]) W = np.random.rand(self.X_train.shape[0], self.train_sig.shape[0]) W = self.normalizeFeature(W.T).T train_classes = np.unique(self.labels_train) for ep in range(self.args.epochs): start = time.time() shuffle(rand_idx) W = self.update_W(W, rand_idx, train_classes) tr_acc = self.zsl_acc(self.X_train, W, self.labels_train, self.train_sig) val_acc = self.zsl_acc(self.X_val, W, self.labels_val, self.val_sig) end = time.time() elapsed = end-start print('Epoch:{}; Train Acc:{}; Val Acc:{}; Time taken:{:.0f}m {:.0f}s\n'.format(ep+1, tr_acc, val_acc, elapsed//60, elapsed%60)) if val_acc>best_val_acc: best_val_acc = val_acc best_val_ep = ep+1 best_W = np.copy(W) if tr_acc>best_tr_acc: best_tr_ep = ep+1 best_tr_acc = tr_acc if ep+1-best_val_ep>self.args.early_stop: print('Early Stopping by {} epochs. Exiting...'.format(self.args.epochs-(ep+1))) break print('\nBest Val Acc:{} @ Epoch {}. Best Train Acc:{} @ Epoch {}\n'.format(best_val_acc, best_val_ep, best_tr_acc, best_tr_ep)) return best_W def zsl_acc(self, X, W, y_true, sig): # Class Averaged Top-1 Accuarcy XW = np.dot(X.T, W)# N x k dist = 1-spatial.distance.cdist(XW, sig.T, 'cosine')# N x C(no. of classes) predicted_classes = np.array([np.argmax(output) for output in dist]) cm = confusion_matrix(y_true, predicted_classes) cm = cm.astype('float') / cm.sum(axis=1)[:, np.newaxis] acc = sum(cm.diagonal())/sig.shape[1] return acc def evaluate(self): best_W = self.fit() print('Testing...\n') test_acc = self.zsl_acc(self.X_test, best_W, self.labels_test, self.test_sig) print('Test Acc:{}'.format(test_acc)) if __name__ == '__main__': args = parser.parse_args() print('Dataset : {}\n'.format(args.dataset)) clf = DeViSE(args) clf.evaluate()
21,659
b2b93d2af484033cd49e2340014b901f29720694
#project 7 mhs = ['K001:ROSIHAN ARI:1979-09-01:SOLO', 'K002:DWI AMALIA FITRIANI:1979-09-17:KUDUS', 'K003:FAZA FAUZAN:2005-01-28:KARANGANYAR'] print ('=' * 71) print ('NIM \tNAMA MAHASISWA \t\tTANGGAL LAHIR \t\tTEMPAT LAHIR') print ('_' * 71) for data in mhs: pecah = data.split(':') print (pecah[0], end='') print ("\t", pecah[1], end='') pecah2 = pecah[2].split('_') pecah2.reverse() boom = '/'.join(pecah2) if (len(pecah[1]) < 14): print ("\t\t", boom, end='') else: print("\t", boom, end='') print("\t\t", pecah[3])
21,660
8587fa0613dd64eefb83750c8ec55cf95e460feb
from superai.apis.meta_ai.project_ai import ProjectAiApiMixin from typing import Optional import requests from superai.apis.auth import AuthApiMixin from superai.apis.data import DataApiMixin from superai.apis.ground_truth import GroundTruthApiMixin from superai.apis.project import ProjectApiMixin from superai.apis.jobs import JobsApiMixin from superai.apis.data_program import DataProgramApiMixin from superai.apis.meta_ai.model import ModelApiMixin from superai.config import settings from superai.exceptions import SuperAIAuthorizationError, SuperAIEntityDuplicatedError, SuperAIError BASE_URL = settings.get("base_url") class Client( JobsApiMixin, AuthApiMixin, GroundTruthApiMixin, DataApiMixin, DataProgramApiMixin, ProjectApiMixin, ProjectAiApiMixin, ModelApiMixin, ): def __init__(self, api_key: str = None, auth_token: str = None, id_token: str = None, base_url: str = None): self.api_key = api_key self.auth_token = auth_token self.id_token = id_token if base_url is None: self.base_url = BASE_URL else: self.base_url = base_url def request( self, endpoint: str, method: str = "GET", query_params: dict = None, body_params: dict = None, required_api_key: bool = False, required_auth_token: bool = False, required_id_token: bool = False, ) -> Optional[dict]: headers = {} if required_api_key and self.api_key: headers["API-KEY"] = self.api_key if required_auth_token and self.auth_token: headers["AUTH-TOKEN"] = self.auth_token if required_id_token and self.id_token: headers["ID-TOKEN"] = self.id_token resp = requests.request( method, f"{self.base_url}/{endpoint}", params=query_params, json=body_params, headers=headers ) try: resp.raise_for_status() if resp.status_code == 204: return None else: return resp.json() except requests.exceptions.HTTPError as http_e: try: message = http_e.response.json()["message"] except: message = http_e.response.text if http_e.response.status_code == 401: raise SuperAIAuthorizationError( message, http_e.response.status_code, endpoint=f"{self.base_url}/{endpoint}" ) elif http_e.response.status_code == 409: raise SuperAIEntityDuplicatedError( message, http_e.response.status_code, base_url=self.base_url, endpoint=endpoint ) raise SuperAIError(message, http_e.response.status_code)
21,661
51b7b1235705eaee54fdc4a57d2a30a3adb74049
from unittest import TestCase from pypattyrn.behavioral.mediator import Mediator class MediatorTestCase(TestCase): """ Unit testing class for the Mediator class. """ def setUp(self): """ Initialize testing data. """ class Dog(object): self.sound = "" def set_sound(self, sound): self.sound = sound class Cat(object): self.sound = "" def set_sound(self, sound): self.sound = sound self.dog = Dog() self.cat = Cat() def test_connect(self): """ Test connecting a receiver to a signal. @raise AssertionError: If the test fails. """ mediator = Mediator() mediator.connect("set_dog_sound", self.dog.set_sound) self.assertEquals([self.dog.set_sound], mediator.signals["set_dog_sound"]) mediator.connect("set_cat_sound", self.cat.set_sound) self.assertEquals([self.cat.set_sound], mediator.signals["set_cat_sound"]) def test_disconnect(self): """ Test disconnecting a receiver from a signal. @raise AssertionError: If the test fails. """ mediator = Mediator() mediator.connect("set_dog_sound", self.dog.set_sound) self.assertEquals([self.dog.set_sound], mediator.signals["set_dog_sound"]) mediator.disconnect("set_dog_sound", self.dog.set_sound) self.assertEquals([], mediator.signals["set_dog_sound"]) def test_signal(self): """ Test the signal method. @raise AssertionError: If the test fails. """ mediator = Mediator() mediator.connect("set_dog_sound", self.dog.set_sound) mediator.connect("set_cat_sound", self.cat.set_sound) mediator.signal("set_dog_sound", "woof") mediator.signal("set_cat_sound", "meow") self.assertEquals("woof", self.dog.sound) self.assertEquals("meow", self.cat.sound) def test_invalid_disconnect(self): """ Test disconnecting an unconnected receiver. @raise AssertionError: If the test fails. """ mediator = Mediator() try: mediator.disconnect("foo", self.dog.set_sound) mediator.disconnect("bar", self.cat.set_sound) except: raise AssertionError() def test_invalid_signal(self): """ Test sending a signal that no one is connected to. @raise AssertionError: If the test fails. """ mediator = Mediator() try: mediator.signal("foo") except: raise AssertionError()
21,662
c667c46deeffbb41f7ff47a575f7100c84905218
from student_code.simple_baseline_net import SimpleBaselineNet from student_code.experiment_runner_base import ExperimentRunnerBase from student_code.vqa_dataset import VqaDataset import torch class SimpleBaselineExperimentRunner(ExperimentRunnerBase): """ Sets up the Simple Baseline model for training. This class is specifically responsible for creating the model and optimizing it. """ def __init__(self, train_image_dir, train_question_path, train_annotation_path, train_img_feat_path, test_image_dir, test_question_path, test_annotation_path, test_img_feat_path, vocab_path, batch_size, num_epochs, num_data_loader_workers): train_dataset = VqaDataset(image_dir=train_image_dir, question_json_file_path=train_question_path, annotation_json_file_path=train_annotation_path, image_filename_pattern="COCO_train2014_{}.jpg", img_features_dir=train_img_feat_path, vocab_json_filename=vocab_path) val_dataset = VqaDataset(image_dir=test_image_dir, question_json_file_path=test_question_path, annotation_json_file_path=test_annotation_path, image_filename_pattern="COCO_val2014_{}.jpg", img_features_dir=test_img_feat_path, vocab_json_filename=vocab_path) img_feat_size = 1024 #TODO Better way to do this ques_embedding_lr = 0.8 classifier_lr = 0.01 q_vocab_size = train_dataset.q_vocab_size a_vocab_size = train_dataset.a_vocab_size model = SimpleBaselineNet(img_feat_size, q_vocab_size, a_vocab_size) self.optimizer = torch.optim.SGD([{'params': model.fc_ques.parameters(), 'lr': ques_embedding_lr}, {'params': model.classifier.parameters(), 'lr': classifier_lr}]) self.criterion = torch.nn.CrossEntropyLoss() super().__init__(train_dataset, val_dataset, model, batch_size, num_epochs, num_data_loader_workers) def _optimize(self, predicted_answers, true_answer_ids): majority_ans = torch.argmax(true_answer_ids, dim=-1) loss = self.criterion(predicted_answers, majority_ans) self.optimizer.zero_grad() loss.backward() self.optimizer.step() # self._model.fc_ques.weight.data.clamp_(-1500, 1500) # print(torch.min(self._model.fc_ques.weight.grad), torch.max(self._model.fc_ques.weight.grad)) # self._model.classifier.weight.data.clamp_(20, 20) # print(torch.min(self._model.classifier.weight.grad), torch.max(self._model.classifier.weight.grad)) return loss
21,663
b4ba1252b1758c5cf59e9d5ec83f1c26aa3b76e5
# solution1: liberary class Solution: def toLowerCase(self, str: str) -> str: return str.lower() # solution2 class Solution: def toLowerCase(self, str: str) -> str: # string to char list char_list = [char for char in str] for i in range(len(char_list)): if 'A' <= char_list[i] and char_list[i] <= 'Z': # 注意 char 和 int 的互相转换方法 char_list[i] = chr(ord(char_list[i]) - ord('A') + ord('a')) # 注意 char list to string 的转换方法 return ''.join(char_list)
21,664
a71e700fac8b33e67b6edb3fc38899bdf07ad415
import random import time from itertools import product from typing import List from .inverse_client import DetachedClient, DetachedGame, NoGraphicsGame from .strategy import parse_step from .types import NewMatchStep, TickStep from ..mechanic.game import Game class DetachedMadCars: games = [','.join(t) for t in product(Game.MAPS_MAP, Game.CARS_MAP)] def __init__(self): self.inv_game: DetachedGame = None self.clients: List[DetachedClient] = None self.game_infos: List[NewMatchStep] = None self.states: List[TickStep] = None def reset(self) -> List[TickStep]: if self.inv_game is not None: while not self.inv_game.done: self._send_commands(['stop', 'stop']) self.clients = [DetachedClient() for _ in range(2)] games = self.games[:] random.shuffle(games) game = NoGraphicsGame(self.clients, games, extended_save=False) for p in game.all_players: p.lives = 1 self.inv_game = DetachedGame(game) self.game_infos = self._receive_states() self.states = self._receive_states() return self.states def step(self, commands: List[str]) -> (List[TickStep], int, bool): assert self.inv_game is not None assert not self.inv_game.done winner = -1 self._send_commands(commands) if self.inv_game.done: try: winner = self.clients.index(self.inv_game.winner) except ValueError: pass else: self.states = self._receive_states() return self.states, winner, self.inv_game.done def render(self, mode='human'): pass def _send_commands(self, commands: List[str]): assert not self.inv_game.done assert len(commands) == 2 for client, cmd in zip(self.clients, commands): assert cmd in ('left', 'stop', 'right') out = {"command": cmd, 'debug': cmd} client.command_queue.put(out) wait_start_time = time.time() while any(c.message_queue.empty() for c in self.clients) and not self.inv_game.done: time.sleep(0.0001) if wait_start_time + 60 < time.time(): raise RuntimeError('wait_start_time + 60 < time.time()') def _receive_states(self) -> List[TickStep or NewMatchStep]: assert not self.inv_game.done out = [c.message_queue.get(timeout=60) for c in self.clients] steps = [parse_step(dict(type=type, params=params)) for (type, params) in out] return steps
21,665
d6be405995e6438777ef9ee2442a8fd63e1a2d85
# import datetime # today = datetime.datetime.now() # # for the user # print(str(today)) # # output: 2019-11-12 12:42:53.634735 # # for the developer, repr shows more info about the object # print(repr(today)) # # output: datetime.datetime(2019, 11, 12, 12, 42, 53, 634735) class someClass: ex1 = 0 ex2 = 0 def f(self, val): ex1 = val self.ex2 = val def main(): someInstance = someClass() print("Instance ex1 and 2") print(someInstance.ex1) print(someInstance.ex2) someInstance.f(100) print("Instance ex1 and 2 after") print(someInstance.ex1) print(someInstance.ex2) print("And the original") print(someClass.ex1) print(someClass.ex2) main()
21,666
c787489488fa1c855a5dc5eecb88315ced8314e7
# # Loading test data # model_name = temp_model_name # model_data = pd.read_csv('exported_model_files/dataframes/'+model_name+'.csv',dtype=str) # test_data_t7_temp = test_data_t7.copy()[list(model_data.columns)] # # # Loading model files # pkl_file = open('exported_model_files/metadata/'+model_name+'_cat', 'rb') # index_dict = pickle.load(pkl_file) # new_vector = np.zeros(len(index_dict)) # # pkl_file = open('exported_model_files/models/'+model_name+'.pkl', 'rb') # model = pickle.load(pkl_file) # # # Preparing Loading data # test_array = np.array(test_data_t7_temp.drop(axis=1,columns=["program"])) # test_actual = np.array(test_data_t7_temp["program"]) # # def get_mclass_accuracy(temp_model_name,model,test_array,test_actual): # test_pred = [] # for i in range(len(test_array)): # test_pred.append(model.predict([test_array[i]])) # accuracy = metrics.accuracy_score(test_pred,test_actual) # return accuracy # # def get_mclass_t3(temp_model_name,model,test_array,test_actual): # t3_scores = [] # for i in range(len(test_array)): # prediction = model.predict_proba([test_array[i]]) # probs = sort_probability_dict(retrieve_prediction_labels(model,prediction))[2][:3] # n_probs = [] # for prob in probs: # n_probs.append(INDEX_PROGRAM[prob]) # try: # t3 = (1/n_probs.index(test_actual[i])) # except: # t3 = 0 # t3_scores.append(t3) # # return mean(t3_scores) # # def get_mclass_rr(temp_model_name,model,test_array,test_actual): # rr_scores = [] # for i in range(len(test_array)): # prediction = model.predict_proba([test_array[i]]) # probs = sort_probability_dict(retrieve_prediction_labels(model,prediction))[2] # n_probs = [] # for prob in probs: # n_probs.append(INDEX_PROGRAM[prob]) # try: # rr = (1/n_probs.index(test_actual[i])) # except: # rr = 0 # rr_scores.append(rr) # return mean(rr_scores) model_name = temp_model_name model_data = pd.read_csv('exported_model_files/dataframes/'+model_name+'.csv',dtype=str) test_data_t7_temp = test_data_t7.copy()[list(model_data.columns)] # Getting average accuracy score test_array = np.array(test_data_t7_temp.drop(axis=1,columns=["program"])) test_actual = np.array(test_data_t7_temp["program"]) def get_bclass_accuracy(test_array,model_name,test_actual): test_pred = [] for i in range(len(test_array)): predicted = INDEX_PROGRAM[sort_probability_dict(binary_predict_proba(test_array[i],model_name))[2][0]] test_pred.append(predicted) accuracy = metrics.accuracy_score(test_pred,test_actual) return accuracy def get_bclass_t3(test_array,model_name,test_actual): t3_scores = [] for i in range(len(test_array)): probs = sort_probability_dict(binary_predict_proba(test_array[i],model_name))[2][:3] n_probs = [] for prob in probs: n_probs.append(INDEX_PROGRAM[prob]) try: t3 = (1/n_probs.index(test_actual[i])) except: t3 = 0 t3_scores.append(t3) return mean(t3_scores) def get_bclass_rr(test_array,model_name,test_actual): rr_scores = [] for i in range(len(test_array)): probs = sort_probability_dict(binary_predict_proba(test_array[i],model_name))[2] n_probs = [] for prob in probs: n_probs.append(INDEX_PROGRAM[prob]) try: rr = (1/n_probs.index(test_actual[i])) except: rr = 0 rr_scores.append(rr) return mean(rr_scores)
21,667
1abee9ad7b8f2bb7946dbbf7eaf120d65ece1a96
import logging.handlers # 创建日志器 import time logger = logging.getLogger("mylogger") logger.setLevel(level=logging.DEBUG) # 创建处理器 log1 = logging.StreamHandler() log2 = logging.handlers.TimedRotatingFileHandler( filename="../log/test_01.log", when="M", interval=1, backupCount=2, encoding="utf-8") # 创建格式化器 formatter = logging.Formatter(fmt='%(asctime)s %(levelname)s [%(name)s] ' '[%(filename)s(%(funcName)s:%(lineno)d)] - %(message)s') # 给处理器设置 log1.setFormatter(formatter) log2.setFormatter(formatter) logger.addHandler(log1) logger.addHandler(log2) while True: logger.debug("哈哈哈哈哈!!!!!!!") time.sleep(1)
21,668
6aa9bf541e9d34ccddfbbb2788c1bcbd7e6811f4
import cv2 import os import numpy as np from mb_aligner.common.detectors.blob_detector_2d import BlobDetector2D from mb_aligner.common.matcher import FeaturesMatcher from rh_logger.api import logger import logging import rh_logger from mb_aligner.common.thread_local_storage_lru import ThreadLocalStorageLRU import tinyr import mb_aligner.common.ransac class PreMatch3DFullSectionThenMfovsThumbsBlobs(object): """ Performs a section to section pre-matching by detecting blobs in each section, then performing a global section matching, and then a per-mfov (of sec1) local refinement of the matches. """ OVERLAP_DELTAS = np.array([[0, 0], [0, -10000], [-5000, 5000], [5000, 5000]]) # The location of the points relative to the center of an mfov def __init__(self, **kwargs): self._kwargs = kwargs self._blob_detector = BlobDetector2D.create_detector(**self._kwargs.get("blob_detector", {})) self._matcher = FeaturesMatcher(BlobDetector2D.create_matcher, **self._kwargs.get("matcher_params", {})) @staticmethod def detect_mfov_blobs(blob_detector_args, mfov): """ Receives a tilespec of an mfov (all the tiles in that mfov), detects the blobs on each of the thumbnails of the mfov tiles, and returns the locations of the blobs (in stitched global coordinates), and their descriptors. """ thread_local_store = ThreadLocalStorageLRU() if 'blob_detector' not in thread_local_store.keys(): # Initialize the blob_detector, and store it in the local thread storage blob_detector = BlobDetector2D.create_detector(**blob_detector_args) thread_local_store['blob_detector'] = blob_detector else: blob_detector = thread_local_store['blob_detector'] # blob_detector = getattr(threadLocal, 'blob_detector', None) # if blob_detector is None: # # Initialize the blob_detector, and store it in the local thread storage # blob_detector = BlobDetector2D.create_detector(**blob_detector_args) # threadLocal.blob_detector = blob_detector all_kps_descs = [[], []] for tile in mfov.tiles(): thumb_img_fname = "thumbnail_{}.jpg".format(os.path.splitext(os.path.basename(tile.img_fname))[0]) thumb_img_fname = os.path.join(os.path.dirname(tile.img_fname), thumb_img_fname) # Read the tile thumb_img = cv2.imread(thumb_img_fname, 0) kps, descs = blob_detector.detectAndCompute(thumb_img) if len(kps) == 0: continue kps_pts = np.empty((len(kps), 2), dtype=np.float64) for kp_i, kp in enumerate(kps): kps_pts[kp_i][:] = kp.pt # upsample the thumbnail coordinates to original tile coordinates us_x = tile.width / thumb_img.shape[1] us_y = tile.height / thumb_img.shape[0] kps_pts[:, 0] *= us_x kps_pts[:, 1] *= us_y # Apply the transformation to the points assert(len(tile.transforms) == 1) model = tile.transforms[0] kps_pts = model.apply(kps_pts) all_kps_descs[0].extend(kps_pts) all_kps_descs[1].extend(descs) logger.report_event("Found {} blobs in section {}, mfov {}".format(len(all_kps_descs[0]), mfov.layer, mfov.mfov_index), log_level=logging.INFO) return mfov.mfov_index, all_kps_descs def compute_section_blobs(self, sec, sec_cache, pool): # Create nested caches is needed if "pre_match_blobs" not in sec_cache: #sec_cache.create_dict("pre_match_blobs") sec_cache["pre_match_blobs"] = {} total_features_num = 0 # create the mfovs blob computation jobs async_results = [] for mfov in sec.mfovs(): if mfov in sec_cache["pre_match_blobs"]: continue res = pool.apply_async(PreMatch3DFullSectionThenMfovsThumbsBlobs.detect_mfov_blobs, (self._kwargs.get("blob_detector", {}), mfov)) async_results.append(res) for res in async_results: mfov_index, mfov_kps_descs = res.get() #sec_cache["pre_match_blobs"].create_dict(mfov_index) sec_cache["pre_match_blobs"][mfov_index] = mfov_kps_descs total_features_num += len(mfov_kps_descs[0]) return total_features_num @staticmethod def collect_all_features(sec_cache): # TODO - need to see if pre-allocation can improve speed all_kps_arrays = [kps_descs[0] for kps_descs in sec_cache["pre_match_blobs"].values() if len(kps_descs[0]) > 0] all_descs_arrays = [kps_descs[1] for kps_descs in sec_cache["pre_match_blobs"].values() if len(kps_descs[1]) > 0] return np.vstack(all_kps_arrays), np.vstack(all_descs_arrays) @staticmethod def get_overlapping_mfovs(mfov1, sec2, sec1_to_sec2_model, sec2_rtree): # TODO - for single beam data, it might be better to take the boundaries of all tiles in mfov1, # and return their overlapping mfovs on sec2 # Take mfov1's center mfov1_center = np.array([ (mfov1.bbox[0] + mfov1.bbox[1]) / 2, (mfov1.bbox[2] + mfov1.bbox[3]) / 2 ]) # Add the triangle points sec1_points = PreMatch3DFullSectionThenMfovsThumbsBlobs.OVERLAP_DELTAS + mfov1_center sec1_on_sec2_points = sec1_to_sec2_model.apply(sec1_points) overlapping_mfovs = set() for sec1_on_sec2_point in sec1_on_sec2_points: rect_res = sec2_rtree.search([sec1_on_sec2_point[0], sec1_on_sec2_point[0] + 1, sec1_on_sec2_point[1], sec1_on_sec2_point[1] + 1]) for other_t in rect_res: overlapping_mfovs.add(other_t.mfov_index) return overlapping_mfovs @staticmethod def match_mfovs_features(matcher_params, sec1_cache, sec2_cache, mfovs1, mfovs2): """ Matches the features in mfovs1 (of sec1) to the features in mfovs2 (of sec2). This method is run by a process that loads the matcher from its local thread storage. """ thread_local_store = ThreadLocalStorageLRU() if 'matcher' in thread_local_store.keys(): matcher = thread_local_store['matcher'] else: # Initialize the matcher, and store it in the local thread storage matcher = FeaturesMatcher(BlobDetector2D.create_matcher, **matcher_params) thread_local_store['matcher'] = matcher # matcher = getattr(threadLocal, 'matcher', None) # if matcher is None: # # Initialize the matcher, and store it in the local thread storage # matcher = FeaturesMatcher(BlobDetector2D.create_matcher, **matcher_params) # threadLocal.matcher = matcher def get_kps_descs(mfovs, sec_cache): mfovs = list(mfovs) if len(mfovs) == 1: mfovs_kps = np.array(sec_cache["pre_match_blobs"][mfovs[0]][0]) mfovs_descs = np.array(sec_cache["pre_match_blobs"][mfovs[0]][1]) else: mfovs_kps_arrays = [] mfovs_descs_arrays = [] for mfov in mfovs: kps_descs = sec_cache["pre_match_blobs"][mfov] if len(kps_descs[0]) > 0: mfovs_kps_arrays.append(kps_descs[0]) mfovs_descs_arrays.append(kps_descs[1]) if len(mfovs_kps_arrays) == 0: mfovs_kps = np.array([]) mfovs_descs = np.array([]) elif len(mfovs_kps_arrays) == 1: mfovs_kps = mfovs_kps_arrays[0] mfovs_descs = mfovs_descs_arrays[0] else: mfovs_kps = np.vstack(mfovs_kps_arrays) mfovs_descs = np.vstack(mfovs_descs_arrays) return np.array(mfovs_kps), np.array(mfovs_descs) mfovs1_kps, mfovs1_descs = get_kps_descs(mfovs1, sec1_cache) mfovs2_kps, mfovs2_descs = get_kps_descs(mfovs2, sec2_cache) model, filtered_matches = matcher.match_and_filter(mfovs1_kps, mfovs1_descs, mfovs2_kps, mfovs2_descs) return mfovs1, model, filtered_matches def pre_match_sections(self, sec1, sec2, sec1_cache, sec2_cache, pool): """ Performs a section to section pre-matching by detecting blobs in each section, then performing a global section matching, and then a per-mfov (of sec1) refinement of the matches. Returns a map between an mfov of sec1, and a tuple that holds its transformation model to sec2, and the filtered_matches """ pre_match_res = {} # dispatch blob computation sec1_features_num = self.compute_section_blobs(sec1, sec1_cache, pool) sec2_features_num = self.compute_section_blobs(sec2, sec2_cache, pool) # compute a section to section global affine transform # collect all features for each section sec1_kps, sec1_descs = PreMatch3DFullSectionThenMfovsThumbsBlobs.collect_all_features(sec1_cache) sec2_kps, sec2_descs = PreMatch3DFullSectionThenMfovsThumbsBlobs.collect_all_features(sec2_cache) global_model, global_filtered_matches = self._matcher.match_and_filter(sec1_kps, sec1_descs, sec2_kps, sec2_descs) if global_model is None: logger.report_event("No global model found between section {} (all mfovs) and section {} (all mfovs)".format(sec1.canonical_section_name, sec2.canonical_section_name), log_level=logging.WARNING) # TODO - write to log, and return None return None logger.report_event("Global model found between section {} (all mfovs) and section {} (all mfovs):\n{}".format(sec1.canonical_section_name, sec2.canonical_section_name, global_model.get_matrix()), log_level=logging.INFO) print("DECOMPOSED MATRIX: ", mb_aligner.common.ransac.decompose_affine_matrix(global_model.get_matrix())) if sec1.mfovs_num == 1: logger.report_event("Section {} has a single mfov, using the global model between section {} and section {}:\n{}".format(sec1.canonical_section_name, sec1.canonical_section_name, sec2.canonical_section_name, global_model.get_matrix()), log_level=logging.INFO) mfov_index = next(sec1.mfovs()).mfov_index pre_match_res[mfov_index] = (global_model, global_filtered_matches) return pre_match_res # Create section2 tile's bounding box rtree, so it would be faster to search it # TODO - maybe store it in cache, because it might be used by other comparisons of this section sec2_rtree = tinyr.RTree(interleaved=False, max_cap=5, min_cap=2) for t in sec2.tiles(): sec2_rtree.insert(t, t.bbox) # refine the global transform to a local one async_results = [] for mfov1 in sec1.mfovs(): # find overlapping mfovs in sec2 mfovs2 = PreMatch3DFullSectionThenMfovsThumbsBlobs.get_overlapping_mfovs(mfov1, sec2, global_model, sec2_rtree) logger.report_event("Finding local model between section {} (mfov {}) and section {} (mfovs {})".format(sec1.canonical_section_name, mfov1.mfov_index, sec2.canonical_section_name, mfovs2), log_level=logging.INFO) # Note - the match_mfovs_features only reads from secX_cache, so we can send secX_cache._dict (the manager's part of that) res = pool.apply_async(PreMatch3DFullSectionThenMfovsThumbsBlobs.match_mfovs_features, (self._kwargs.get("matcher_params", {}), sec1_cache._dict, sec2_cache._dict, [mfov1.mfov_index], mfovs2)) async_results.append(res) for res in async_results: mfovs1, mfovs1_model, mfovs1_filtered_matches = res.get() assert(len(mfovs1) == 1) mfov_index = mfovs1[0] if mfovs1_model is None: logger.report_event("No local model found between section {} (mfov {}) and section {}".format(sec1.canonical_section_name, mfov_index, sec2.canonical_section_name), log_level=logging.INFO) else: logger.report_event("Found local model between section {} (mfov {}) and section {}:\n{}".format(sec1.canonical_section_name, mfov_index, sec2.canonical_section_name, mfovs1_model.get_matrix()), log_level=logging.INFO) print("DECOMPOSED MATRIX: ", mb_aligner.common.ransac.decompose_affine_matrix(mfovs1_model.get_matrix())) pre_match_res[mfov_index] = (mfovs1_model, mfovs1_filtered_matches) return pre_match_res # @staticmethod # def create(**params): # """ # Returns the object of the pre-matcher, the classname, and a list of method names that are supported. # """ # new_obj = PreMatch3DFullSectionThenMfovsThumbsBlobs(**params) # return [new_obj, new_obj.__classname__, ["_pre_match_compute_mfov_blobs", "_pre_match_sections_local"]] TRIANGLE_DELTAS = np.array([[0, -10000], [-5000, 5000], [5000, 5000]]) # The location of the points relative to the center of an mfov def find_triangle_angles(p1, p2, p3): A = p2 - p1 B = p3 - p2 C = p1 - p3 angles = [] for e1, e2 in ((A, -B), (B, -C), (C, -A)): num = np.dot(e1, e2) denom = np.linalg.norm(e1) * np.linalg.norm(e2) angles.append(np.arccos(num/denom) * 180 / np.pi) return angles def triangles_similarity_compartor(tri_angles1, dist_thresh, center2, model2): #logger.report_event("RANSAC threshold met: checking triangles similarity", log_level=logging.INFO) tri_angles2 = find_triangle_angles(*model2.apply(center2 + TRIANGLE_DELTAS)) dists = np.abs([a - b for a,b in zip(tri_angles1, tri_angles2)]) if np.any(dists > dist_thresh): #logger.report_event("Similarity threshold wasn't met - initial transform angles: {}, current transform angles: {}".format(tri_angles1, tri_angles2), log_level=logging.INFO) return False return True
21,669
57ede05b83504d2ca650f466a88bd19486886d6c
from datetime import datetime from itsdangerous import TimedJSONWebSignatureSerializer as Serializer from flaskblog import db, login_manager, app from flask_login import UserMixin @login_manager.user_loader def load_user(user_id): return User.query.get(int(user_id)) class User(db.Model, UserMixin): id = db.Column(db.Integer, primary_key=True) username = db.Column(db.String(20), unique=True, nullable=False) email = db.Column(db.String(120), unique=True, nullable=False) image_file = db.Column(db.String(20), nullable=False, default='default.jpg') password = db.Column(db.String(60), nullable=False) posts = db.relationship('Post', backref='author', lazy=True) liked = db.relationship('PostLike',foreign_keys='PostLike.user_id', backref='user', lazy='dynamic') saved = db.relationship('PostSave',foreign_keys='PostSave.user_id', backref='user', lazy='dynamic') unliked = db.relationship('PostUnLike',foreign_keys='PostUnLike.user_id', backref='user', lazy='dynamic') commented = db.relationship('PostComment',foreign_keys='PostComment.user_id',backref='user',lazy='dynamic') image = db.relationship('PostComment',foreign_keys='PostComment.user_id',backref='img',lazy=True) confirmed = db.Column(db.Boolean, nullable=False, default=False) followed = db.relationship('Follow', foreign_keys='Follow.follower_id', backref=db.backref('follower', lazy='joined'), lazy='dynamic', cascade='all, delete-orphan') followers = db.relationship('Follow', foreign_keys='Follow.followed_id', backref=db.backref('followed', lazy='joined'), lazy='dynamic', cascade='all, delete-orphan') #---------------------------------------------------------------------------------- #follow def follow(self, user): if not self.is_following(user): f = Follow(follower=self, followed=user) db.session.add(f) def unfollow(self, user): f = self.followed.filter_by(followed_id=user.id).first() if f: db.session.delete(f) def is_following(self, user): if user.id is None: return False return self.followed.filter_by( followed_id=user.id).first() is not None def is_followed_by(self, user): if user.id is None: return False return self.followers.filter_by( follower_id=user.id).first() is not None #--------------------------------------------------------------------------- #like def like_post(self, post): if not self.has_liked_post(post): like = PostLike(user_id=self.id, post_id=post.id) db.session.add(like) def has_liked_post(self, post): return PostLike.query.filter( PostLike.user_id == self.id, PostLike.post_id == post.id).count() > 0 def like1_post(self, post): if self.has_liked_post(post): PostLike.query.filter_by( user_id=self.id, post_id=post.id).delete() def unlike_post(self, post): if not self.has_unliked_post(post): unlike = PostUnLike(user_id=self.id,post_id=post.id) db.session.add(unlike) def unlike1_post(self, post): if self.has_unliked_post(post): PostUnLike.query.filter_by( user_id=self.id, post_id=post.id).delete() def has_unliked_post(self, post): return PostUnLike.query.filter( PostUnLike.user_id == self.id, PostUnLike.post_id == post.id).count() > 0 #--------------------------------------------------------------------------------------------- #save def save_post(self, post): if not self.has_saved_post(post): save = PostSave(user_id=self.id, post_id=post.id) db.session.add(save) def has_saved_post(self, post): return PostSave.query.filter( PostSave.user_id == self.id, PostSave.post_id == post.id).count() > 0 def unsave_post(self, post): if self.has_saved_post(post): PostSave.query.filter_by( user_id=self.id, post_id=post.id).delete() #------------------------------------------------------------------------------------ def get_reset_token(self, expires_sec=1800): s = Serializer(app.config['SECRET_KEY'], expires_sec) return s.dumps({'user_id': self.id}).decode('utf-8') @staticmethod def verify_reset_token(token): s = Serializer(app.config['SECRET_KEY']) try: user_id = s.loads(token)['user_id'] except: return None return User.query.get(user_id) def __repr__(self): return f"User('{self.username}', '{self.email}', '{self.image_file}','{self.confirmed}')" class Post(db.Model,UserMixin): __searchable__ = ['title', 'content'] id = db.Column(db.Integer, primary_key=True) title = db.Column(db.String(100), nullable=False) date_posted = db.Column(db.DateTime, nullable=False, default=datetime.utcnow) content = db.Column(db.Text, nullable=False) user_id = db.Column(db.Integer, db.ForeignKey('user.id'), nullable=False) likes = db.relationship('PostLike', backref='post', lazy='dynamic') unlikes = db.relationship('PostUnLike', backref='post', lazy='dynamic') comments = db.relationship('PostComment',backref='post',lazy='dynamic') saves = db.relationship('PostSave', backref='post', lazy='dynamic') image = db.Column(db.String(100)) def __repr__(self): return f"Post('{self.title}','{self.date_posted}','{self.comments}','{self.image}')" class PostLike(db.Model): __tablename__ = 'post_like' id = db.Column(db.Integer, primary_key=True) user_id = db.Column(db.Integer, db.ForeignKey('user.id')) post_id = db.Column(db.Integer, db.ForeignKey('post.id')) def __repr__(self): return f"Like('{self.user_id}','{self.post_id}')" class PostUnLike(db.Model): __tablename__ = 'post_unlike' id = db.Column(db.Integer, primary_key=True) user_id = db.Column(db.Integer, db.ForeignKey('user.id')) post_id = db.Column(db.Integer, db.ForeignKey('post.id')) def __repr__(self): return f"Unlike('{self.user_id}','{self.post_id}')" class PostComment(db.Model): id = db.Column(db.Integer, primary_key=True) user_id = db.Column(db.Integer, db.ForeignKey('user.id')) user_name = db.Column(db.String(20), db.ForeignKey('user.username')) post_id = db.Column(db.Integer, db.ForeignKey('post.id')) content = db.Column(db.Text, nullable=False) date_posted = db.Column(db.DateTime, nullable=False, default=datetime.utcnow) def __repr__(self): return f"Comment('{self.user_id}','{self.post_id}','{self.date_posted}','{self.content}')" class Follow(db.Model): __tablename__ = 'follows' follower_id = db.Column(db.Integer, db.ForeignKey('user.id'),primary_key=True) followed_id = db.Column(db.Integer, db.ForeignKey('user.id'),primary_key=True) timestamp = db.Column(db.DateTime, default=datetime.utcnow) def __repr__(self): return f"Follow('{self.follower_id}','{self.followed_id}')" class PostSave(db.Model): __tablename__ = 'post_save' id = db.Column(db.Integer, primary_key=True) user_id = db.Column(db.Integer, db.ForeignKey('user.id')) post_id = db.Column(db.Integer, db.ForeignKey('post.id')) def __repr__(self): return f"Save('{self.user_id}','{self.post_id}')"
21,670
e258ffd1167ca950ab69a4dd6fd8e3de544a4cec
import serial import matplotlib.pyplot as plt import numpy as np import time #import pdb #pdb.set_trace #pd = '/dev/cu.usbmodem1411' pd = "/dev/cu.wchusbserial1410" #pd = "/dev/tty.usbmodem1421" def worker(): p = serial.Serial(port= pd, baudrate=115200, bytesize=serial.EIGHTBITS, parity=serial.PARITY_NONE, timeout=None) p.flush() time.sleep(0.1) #plt.axis([0, 10, 0, 1]) plt.ion() samples = 2048 y = np.zeros(samples) i = 0 fs = 2000.0 # sampling frequency f_ext = 500.#59.96 # frequency being measured xtick= np.linspace(-fs/2., fs/2., 11) f = np.linspace(-fs/2., fs/2., samples) print "starting loop" while(1): try: plt.clf() plt.xlabel("Freq(Hz)") #plt.xticks(xtick) plt.xlim(0, 1024) #plt.ylim(-10, 100) i = 0 while i < samples: value1 = p.read() value2 = p.read() try: v = ord(value1[0])*256 + ord(value2[0]) y[i] = float(v)*(5./1023.0) i = i +1 except ValueError: pass y = y - y.mean() Y = np.abs(np.fft.fft(y)) fd = Y[:samples/2].argmax() Y = np.fft.fftshift(Y) plt.title("Fd: %s | Meas. F: %.3f Hz | Actual F: %.3f \n Expec. Fs: %.3f | Actual Fs: %.3f Hz"%(fd, fs * fd/samples, f_ext, fs, f_ext * samples/fd )) plt.plot(f, Y) #print time.time() - st plt.pause(1.0/100.) except KeyboardInterrupt: plt.close() p.flush() p.close() break worker()
21,671
ace486651ceda5ffe85317eee050e6b955b8b452
#!/usr/bin/env python # coding: utf-8 from pymouse import PyMouseEvent,PyMouse import json import traceback import threading def callfun(self): pass class Mzmouse(PyMouseEvent): """docstring for Mzmouse""" def __init__(self,callback=callfun): super(Mzmouse, self).__init__() self.callback=callback self.mzpymouse=PyMouse() self.mouseevent=[] tm1=threading.Thread(target=self.clientmove) tm1.setDaemon(True) tm1.start() def click(self, x, y, button, press): # print "click x:%s,y:%s,button:%s,press:%s" % (x, y, button, press) retevent={} retevent={"type":"click","x":x,"y":y,"button":button,"press":press} self.callback(retevent) def move(self,x,y): # print "move x:%s,y:%s" % (x,y) retevent={} retevent={"type":"move","x":x,"y":y} self.callback(retevent) def scroll(self, x, y, vertical, horizontal): # print "scroll x:%s,y:%s,vertical:%s,horizontal:%s" % (x, y, vertical, horizontal) retevent={} retevent={"type":"scroll","x":x,"y":y,"vertical":vertical,"horizontal":horizontal} self.callback(retevent) def clientmove(self,event=False): # print event # event=event.strip("\n") # revents=event.split("\n") # print len(revents) # print revents while True: try: if len(self.mouseevent)>0: tm1=threading.Thread(target=self.mousemoveactive,args=[self.mouseevent.pop(0),]) tm1.setDaemon(True) tm1.start() # for e in range(0,len(revents),6): # # print e # eventobj=json.loads(revents[e]) # # self.mousemoveactive(eventobj) # tm1=threading.Thread(target=self.mousemoveactive,args=[eventobj,]) # tm1.setDaemon(True) # tm1.start() # if e+1<len(revents): # # self.mousemoveactive(json.loads(revents[e+1])) # tm2=threading.Thread(target=self.mousemoveactive,args=[json.loads(revents[e+1]),]) # tm2.setDaemon(True) # tm2.start() # if e+1<len(revents): # # self.mousemoveactive(json.loads(revents[e+1])) # tm3=threading.Thread(target=self.mousemoveactive,args=[json.loads(revents[e+1]),]) # tm3.setDaemon(True) # tm3.start() # if e+1<len(revents): # # self.mousemoveactive(json.loads(revents[e+1])) # tm4=threading.Thread(target=self.mousemoveactive,args=[json.loads(revents[e+1]),]) # tm4.setDaemon(True) # tm4.start() # if e+1<len(revents): # # self.mousemoveactive(json.loads(revents[e+1])) # tm5=threading.Thread(target=self.mousemoveactive,args=[json.loads(revents[e+1]),]) # tm5.setDaemon(True) # tm5.start() # if e+1<len(revents): # # self.mousemoveactive(json.loads(revents[e+1])) # tm6=threading.Thread(target=self.mousemoveactive,args=[json.loads(revents[e+1]),]) # tm6.setDaemon(True) # tm6.start() # if e+1<len(revents): # # self.mousemoveactive(json.loads(revents[e+1])) # tm7=threading.Thread(target=self.mousemoveactive,args=[json.loads(revents[e+1]),]) # tm7.setDaemon(True) # tm7.start() # if e+1<len(revents): # # self.mousemoveactive(json.loads(revents[e+1])) # tm8=threading.Thread(target=self.mousemoveactive,args=[json.loads(revents[e+1]),]) # tm8.setDaemon(True) # tm8.start() # if e+1<len(revents): # # self.mousemoveactive(json.loads(revents[e+1])) # tm9=threading.Thread(target=self.mousemoveactive,args=[json.loads(revents[e+1]),]) # tm9.setDaemon(True) # tm9.start() # if e+1<len(revents): # # self.mousemoveactive(json.loads(revents[e+1])) # tm10=threading.Thread(target=self.mousemoveactive,args=[json.loads(revents[e+1]),]) # tm10.setDaemon(True) # tm10.start() # print eventobj # if eventobj['type']=='move': # # print eventobj # tm=threading.Thread(target=self.mzpymouse.move,args=[int(eventobj['x']),int(eventobj['y'])]) # tm.start() # # self.mzpymouse.move(int(eventobj['x']),int(eventobj['y'])) # elif eventobj['type']=='click': # if eventobj['press']: # self.mzpymouse.press(int(eventobj['x']),int(eventobj['y']),int(eventobj['button'])) # else: # self.mzpymouse.release(int(eventobj['x']),int(eventobj['y']),int(eventobj['button'])) # elif eventobj['type']=='scroll': # self.mzpymouse.scroll( vertical=eventobj['vertical'], horizontal=eventobj['horizontal']) except: print (event) print (traceback.format_exc()) # if eventobj['type']=='move': # self.mzpymouse.move(int(eventobj['x']),int(eventobj['y'])) def mousemoveactive(self,eventobj): if eventobj['type']=='move': # print eventobj tm=threading.Thread(target=self.mzpymouse.move,args=[int(eventobj['x']),int(eventobj['y'])]) tm.start() # self.mzpymouse.move(int(eventobj['x']),int(eventobj['y'])) elif eventobj['type']=='click': if eventobj['press']: self.mzpymouse.press(int(eventobj['x']),int(eventobj['y']),int(eventobj['button'])) else: self.mzpymouse.release(int(eventobj['x']),int(eventobj['y']),int(eventobj['button'])) elif eventobj['type']=='scroll': self.mzpymouse.scroll( vertical=eventobj['vertical'], horizontal=eventobj['horizontal']) if __name__ == '__main__': mzmou=Mzmouse() mzmou.run() # {"y": 955, "x": 704, "button": 1, "type": "click", "press": true} # {"y": 955, "x": 704, "button": 1, "type": "click", "press": false}
21,672
203a32b08a4e1f97bd924e25aec88ccb408f2081
from typing import NamedTuple import re class Token(NamedTuple): type: str value: str line: int paramaters: tuple def tokenize(code): keywords = {'LET', 'IF', 'JUMP', 'CALL', 'RETURN', 'PRINT', } patterns = { 'LET': r'LET (R[0-9]) := (.+)', 'IF': r'IF (R[0-9]) ([\=\<\>]) (R[0-9]) (.+)', 'JUMP': r'JUMP (.+)', 'CALL': r'CALL (.+)', 'LABEL': r'([A-Za-z0-9]+):', 'PRINT': r'PRINT (.+)', 'RETURN': r'RETURN', } line_num = 1 for line in code.split('\n'): if (re.match(r'^($|\n|\n\r|\r\n)', line)): continue for (kind, pattern) in patterns.items(): match = re.match(pattern, line) if match: if kind == 'LET': if (re.match(r'\d+', match.group(2))): value = 'AssignStatement' parameters = (match.group(1), match.group(2), line_num) else: value = 'AssignCalcStatement' parameters = (match.group(1), match.group(2), line_num) elif kind == 'IF': value = "IfStatement" parameters = (match.group(1), match.group(2), match.group(3), match.group(4), line_num) elif kind == 'JUMP': value = 'JumpStatement' parameters = (match.group(1), line_num) elif kind == 'CALL': value = 'CallStatement' parameters = (match.group(1), line_num) elif kind == 'LABEL': value = 'LabelStatement' parameters = (match.group(1), line_num) elif kind == 'PRINT': value = 'PrintStatement' parameters = (match.group(1), line_num) elif kind == 'RETURN': value = 'ReturnStatement' parameters = (line_num,) yield Token(kind, value, line_num, parameters) line_num += 1
21,673
3d7fe664461ab515870e02fc3f1173f36fdc243f
from elasticsearch import Elasticsearch import json class SearchEngine: def __init__(self, esEndpoint: list, queryOptions): try: if esEndpoint is not None: self.es: Elasticsearch = Elasticsearch(hosts=esEndpoint) self.prevIdx = None self.prevDocCnt = 0 else: Exception except Exception as e: print(e) def insertMapping(self): if self.es.indices.exists(index='lst_test'): pass else: # 1. Mapping File Search with open('/Users/jinokku/PycharmProjects/pythonProject/mapping/mapping.json', 'r') as f: # 2. Read File And Parsing mapping = json.load(f) # 3. Call ES API '_mapping' resp = self.es.indices.create(index="list_test", body=mapping) # 4. Check Result def getPrevIdxDocCnt(self): # 1. Call ES API '_cat/indices/INDEX_NAME' # 2. SET Last INDEX_NAME 'doc.count' at self.prevIdx = None pass def getPrevIdxAlias(self): pass if __name__ == '__main__': esAddr: list = ['localhost:9200'] elastic: SearchEngine = SearchEngine(esAddr) es: Elasticsearch = elastic.es elastic.insertMapping()
21,674
5dc1ac545b92b8b3d3c9d622d0137845016a8114
a=int(input("Enter Number for 3 digit :")) print(""" """) b=int(input("Enter The Number : "))
21,675
f64e50e118560637c18af64e7c45a1652bcc30ae
''' Helper functions and such ''' import math def outOfBounds(coords, walls): if coords[0] < 1 or coords[0] > walls[0]-2 or coords[1] < 1 or coords[1] > walls[1]-2: return True return False def manhattanDist(coord1, coord2): return abs(coord1[0] - coord2[0]) + abs(coord1[1] - coord2[1]) def euclidDist(coord1, coord2): return math.sqrt(pow(coord1[0] - coord2[0], 2) + pow(coord1[1] - coord2[1], 2)) def sigmoid(x): return 80 / (1 + math.exp(-(x-400)/100.0)) def vectorAdd(coord1, coord2): return [coord1[0] + coord2[0], coord1[1] + coord2[1]] class Dirs: UP = 'up' DOWN = 'down' LEFT = 'left' RIGHT = 'right' class Counter(dict): def __getitem__(self, idx): self.setdefault(idx, 0) return dict.__getitem__(self, idx) def __mul__(self, y): sum = 0 x = self if len(x) > len(y): x,y = y,x for key in x: if key not in y: continue sum += x[key] * y[key] return sum
21,676
6fa0e413b861ac96151cded5c29be3011eb0c882
# -*- coding: utf-8 -*- import scrapy from scrapy.linkextractors import LinkExtractor from scrapy_splash import SplashRequest import time import demjson class GastroItem(scrapy.Item): # define the fields for your item here like: title = scrapy.Field() articleno = scrapy.Field() price = scrapy.Field() url=scrapy.Field() brand=scrapy.Field() breadcrumb=scrapy.Field() description=scrapy.Field() class QuotesSpider(scrapy.Spider): name = "denodo_splash" allowed_domains = ['la4th.org'] start_urls = ['http://www.gastro24.de/Eisportionierer-aus-Edelstahl-von-Stoeckel-in-verschiedenen-Groessen'] def parse(self, response): script = """ function main(splash) ids=splash.args.id #print(ids) local url = splash.args.url assert(splash:go(url)) assert(splash:wait(10)) #assert(splash:runjs("$(".."'"..ids.."'"..").click()")) #assert(splash:wait(10)) return { html = splash:html() } end """ url="http://www.la4th.org/OpinionsByLodgedYear.aspx" yield scrapy.Request(url, self.parse_link, meta={ 'splash': { 'args': {'lua_source': script }, 'endpoint': 'execute' } }) def parse_link(self,response): #print response.meta['splash']['args']['id'] #cost=response.xpath('//div[@class="differential_price section_box well"]/ul/li/div/span//text()').extract()[1] #print "THE COST IS : ",cost f1=open('sample_denodo.html','w') f1.write(response.body) f1.close() print response.body
21,677
1603e8d1773a25670bc1e9a53482d65cc14091fa
# Generated by the protocol buffer compiler. DO NOT EDIT! # source: server.proto import sys _b = sys.version_info[0] < 3 and (lambda x: x) or (lambda x: x.encode('latin1')) from google.protobuf import descriptor as _descriptor from google.protobuf import message as _message from google.protobuf import reflection as _reflection from google.protobuf import symbol_database as _symbol_database # @@protoc_insertion_point(imports) _sym_db = _symbol_database.Default() DESCRIPTOR = _descriptor.FileDescriptor( name='server.proto', package='', syntax='proto3', serialized_options=None, serialized_pb=_b( '\n\x11room_server.proto\".\n\x0b\x43ommonReply\x12\x0c\n\x04\x63ode\x18\x01 \x01(\x05\x12\x11\n\terror_msg\x18\x02 \x01(\t\"E\n\rJoinRoomReply\x12\x1c\n\x06\x63ommon\x18\x01 \x01(\x0b\x32\x0c.CommonReply\x12\x16\n\x0egame_record_id\x18\x02 \x01(\x05\"8\n\x15RandomJoinRoomRequest\x12\x11\n\tplayer_id\x18\x02 \x01(\x05\x12\x0c\n\x04type\x18\x03 \x01(\x05\"p\n\x0fJoinRoomRequest\x12\x11\n\tplayer_id\x18\x02 \x01(\x05\x12\x0c\n\x04type\x18\x03 \x01(\t\x12\x13\n\x0broom_number\x18\x04 \x01(\x05\x12\x15\n\rneed_password\x18\x05 \x01(\x05\x12\x10\n\x08password\x18\x06 \x01(\x05\"g\n\x11\x43reateRoomRequest\x12\x11\n\tplayer_id\x18\x01 \x01(\x05\x12\x0c\n\x04type\x18\x02 \x01(\x05\x12\x11\n\tscript_id\x18\x03 \x01(\x05\x12\x0c\n\x04lock\x18\x04 \x01(\x08\x12\x10\n\x08password\x18\x05 \x01(\t\"\'\n\x12RollOutRoomRequest\x12\x11\n\tplayer_id\x18\x02 \x01(\x05\"R\n\x12KicksPlayerRequest\x12\x11\n\tplayer_id\x18\x02 \x01(\x05\x12\x0f\n\x07room_id\x18\x03 \x01(\x05\x12\x18\n\x10target_player_id\x18\x04 \x01(\x05\x32\x94\x02\n\nRoomServer\x12:\n\x0eRandomJoinRoom\x12\x16.RandomJoinRoomRequest\x1a\x0e.JoinRoomReply\"\x00\x12.\n\x08JoinRoom\x12\x10.JoinRoomRequest\x1a\x0e.JoinRoomReply\"\x00\x12\x32\n\nCreateRoom\x12\x12.CreateRoomRequest\x1a\x0e.JoinRoomReply\"\x00\x12\x32\n\x0bRollOutRoom\x12\x13.RollOutRoomRequest\x1a\x0c.CommonReply\"\x00\x12\x32\n\x0bKicksPlayer\x12\x13.KicksPlayerRequest\x1a\x0c.CommonReply\"\x00\x62\x06proto3') ) _COMMONREPLY = _descriptor.Descriptor( name='CommonReply', full_name='CommonReply', filename=None, file=DESCRIPTOR, containing_type=None, fields=[ _descriptor.FieldDescriptor( name='code', full_name='CommonReply.code', index=0, number=1, type=5, cpp_type=1, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, serialized_options=None, file=DESCRIPTOR), _descriptor.FieldDescriptor( name='error_msg', full_name='CommonReply.error_msg', index=1, number=2, type=9, cpp_type=9, label=1, has_default_value=False, default_value=_b("").decode('utf-8'), message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, serialized_options=None, file=DESCRIPTOR), ], extensions=[ ], nested_types=[], enum_types=[ ], serialized_options=None, is_extendable=False, syntax='proto3', extension_ranges=[], oneofs=[ ], serialized_start=21, serialized_end=67, ) _JOINROOMREPLY = _descriptor.Descriptor( name='JoinRoomReply', full_name='JoinRoomReply', filename=None, file=DESCRIPTOR, containing_type=None, fields=[ _descriptor.FieldDescriptor( name='common', full_name='JoinRoomReply.common', index=0, number=1, type=11, cpp_type=10, label=1, has_default_value=False, default_value=None, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, serialized_options=None, file=DESCRIPTOR), _descriptor.FieldDescriptor( name='game_record_id', full_name='JoinRoomReply.game_record_id', index=1, number=2, type=5, cpp_type=1, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, serialized_options=None, file=DESCRIPTOR), ], extensions=[ ], nested_types=[], enum_types=[ ], serialized_options=None, is_extendable=False, syntax='proto3', extension_ranges=[], oneofs=[ ], serialized_start=69, serialized_end=138, ) _RANDOMJOINROOMREQUEST = _descriptor.Descriptor( name='RandomJoinRoomRequest', full_name='RandomJoinRoomRequest', filename=None, file=DESCRIPTOR, containing_type=None, fields=[ _descriptor.FieldDescriptor( name='player_id', full_name='RandomJoinRoomRequest.player_id', index=0, number=2, type=5, cpp_type=1, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, serialized_options=None, file=DESCRIPTOR), _descriptor.FieldDescriptor( name='type', full_name='RandomJoinRoomRequest.type', index=1, number=3, type=5, cpp_type=1, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, serialized_options=None, file=DESCRIPTOR), ], extensions=[ ], nested_types=[], enum_types=[ ], serialized_options=None, is_extendable=False, syntax='proto3', extension_ranges=[], oneofs=[ ], serialized_start=140, serialized_end=196, ) _JOINROOMREQUEST = _descriptor.Descriptor( name='JoinRoomRequest', full_name='JoinRoomRequest', filename=None, file=DESCRIPTOR, containing_type=None, fields=[ _descriptor.FieldDescriptor( name='player_id', full_name='JoinRoomRequest.player_id', index=0, number=2, type=5, cpp_type=1, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, serialized_options=None, file=DESCRIPTOR), _descriptor.FieldDescriptor( name='type', full_name='JoinRoomRequest.type', index=1, number=3, type=9, cpp_type=9, label=1, has_default_value=False, default_value=_b("").decode('utf-8'), message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, serialized_options=None, file=DESCRIPTOR), _descriptor.FieldDescriptor( name='room_number', full_name='JoinRoomRequest.room_number', index=2, number=4, type=5, cpp_type=1, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, serialized_options=None, file=DESCRIPTOR), _descriptor.FieldDescriptor( name='need_password', full_name='JoinRoomRequest.need_password', index=3, number=5, type=5, cpp_type=1, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, serialized_options=None, file=DESCRIPTOR), _descriptor.FieldDescriptor( name='password', full_name='JoinRoomRequest.password', index=4, number=6, type=5, cpp_type=1, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, serialized_options=None, file=DESCRIPTOR), ], extensions=[ ], nested_types=[], enum_types=[ ], serialized_options=None, is_extendable=False, syntax='proto3', extension_ranges=[], oneofs=[ ], serialized_start=198, serialized_end=310, ) _CREATEROOMREQUEST = _descriptor.Descriptor( name='CreateRoomRequest', full_name='CreateRoomRequest', filename=None, file=DESCRIPTOR, containing_type=None, fields=[ _descriptor.FieldDescriptor( name='player_id', full_name='CreateRoomRequest.player_id', index=0, number=1, type=5, cpp_type=1, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, serialized_options=None, file=DESCRIPTOR), _descriptor.FieldDescriptor( name='type', full_name='CreateRoomRequest.type', index=1, number=2, type=5, cpp_type=1, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, serialized_options=None, file=DESCRIPTOR), _descriptor.FieldDescriptor( name='script_id', full_name='CreateRoomRequest.script_id', index=2, number=3, type=5, cpp_type=1, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, serialized_options=None, file=DESCRIPTOR), _descriptor.FieldDescriptor( name='lock', full_name='CreateRoomRequest.lock', index=3, number=4, type=8, cpp_type=7, label=1, has_default_value=False, default_value=False, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, serialized_options=None, file=DESCRIPTOR), _descriptor.FieldDescriptor( name='password', full_name='CreateRoomRequest.password', index=4, number=5, type=9, cpp_type=9, label=1, has_default_value=False, default_value=_b("").decode('utf-8'), message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, serialized_options=None, file=DESCRIPTOR), ], extensions=[ ], nested_types=[], enum_types=[ ], serialized_options=None, is_extendable=False, syntax='proto3', extension_ranges=[], oneofs=[ ], serialized_start=312, serialized_end=415, ) _ROLLOUTROOMREQUEST = _descriptor.Descriptor( name='RollOutRoomRequest', full_name='RollOutRoomRequest', filename=None, file=DESCRIPTOR, containing_type=None, fields=[ _descriptor.FieldDescriptor( name='player_id', full_name='RollOutRoomRequest.player_id', index=0, number=2, type=5, cpp_type=1, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, serialized_options=None, file=DESCRIPTOR), ], extensions=[ ], nested_types=[], enum_types=[ ], serialized_options=None, is_extendable=False, syntax='proto3', extension_ranges=[], oneofs=[ ], serialized_start=417, serialized_end=456, ) _KICKSPLAYERREQUEST = _descriptor.Descriptor( name='KicksPlayerRequest', full_name='KicksPlayerRequest', filename=None, file=DESCRIPTOR, containing_type=None, fields=[ _descriptor.FieldDescriptor( name='player_id', full_name='KicksPlayerRequest.player_id', index=0, number=2, type=5, cpp_type=1, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, serialized_options=None, file=DESCRIPTOR), _descriptor.FieldDescriptor( name='room_id', full_name='KicksPlayerRequest.room_id', index=1, number=3, type=5, cpp_type=1, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, serialized_options=None, file=DESCRIPTOR), _descriptor.FieldDescriptor( name='target_player_id', full_name='KicksPlayerRequest.target_player_id', index=2, number=4, type=5, cpp_type=1, label=1, has_default_value=False, default_value=0, message_type=None, enum_type=None, containing_type=None, is_extension=False, extension_scope=None, serialized_options=None, file=DESCRIPTOR), ], extensions=[ ], nested_types=[], enum_types=[ ], serialized_options=None, is_extendable=False, syntax='proto3', extension_ranges=[], oneofs=[ ], serialized_start=458, serialized_end=540, ) _JOINROOMREPLY.fields_by_name['common'].message_type = _COMMONREPLY DESCRIPTOR.message_types_by_name['CommonReply'] = _COMMONREPLY DESCRIPTOR.message_types_by_name['JoinRoomReply'] = _JOINROOMREPLY DESCRIPTOR.message_types_by_name['RandomJoinRoomRequest'] = _RANDOMJOINROOMREQUEST DESCRIPTOR.message_types_by_name['JoinRoomRequest'] = _JOINROOMREQUEST DESCRIPTOR.message_types_by_name['CreateRoomRequest'] = _CREATEROOMREQUEST DESCRIPTOR.message_types_by_name['RollOutRoomRequest'] = _ROLLOUTROOMREQUEST DESCRIPTOR.message_types_by_name['KicksPlayerRequest'] = _KICKSPLAYERREQUEST _sym_db.RegisterFileDescriptor(DESCRIPTOR) CommonReply = _reflection.GeneratedProtocolMessageType('CommonReply', (_message.Message,), dict( DESCRIPTOR=_COMMONREPLY, __module__='room_server_pb2' # @@protoc_insertion_point(class_scope:CommonReply) )) _sym_db.RegisterMessage(CommonReply) JoinRoomReply = _reflection.GeneratedProtocolMessageType('JoinRoomReply', (_message.Message,), dict( DESCRIPTOR=_JOINROOMREPLY, __module__='room_server_pb2' # @@protoc_insertion_point(class_scope:JoinRoomReply) )) _sym_db.RegisterMessage(JoinRoomReply) RandomJoinRoomRequest = _reflection.GeneratedProtocolMessageType('RandomJoinRoomRequest', (_message.Message,), dict( DESCRIPTOR=_RANDOMJOINROOMREQUEST, __module__='room_server_pb2' # @@protoc_insertion_point(class_scope:RandomJoinRoomRequest) )) _sym_db.RegisterMessage(RandomJoinRoomRequest) JoinRoomRequest = _reflection.GeneratedProtocolMessageType('JoinRoomRequest', (_message.Message,), dict( DESCRIPTOR=_JOINROOMREQUEST, __module__='room_server_pb2' # @@protoc_insertion_point(class_scope:JoinRoomRequest) )) _sym_db.RegisterMessage(JoinRoomRequest) CreateRoomRequest = _reflection.GeneratedProtocolMessageType('CreateRoomRequest', (_message.Message,), dict( DESCRIPTOR=_CREATEROOMREQUEST, __module__='room_server_pb2' # @@protoc_insertion_point(class_scope:CreateRoomRequest) )) _sym_db.RegisterMessage(CreateRoomRequest) RollOutRoomRequest = _reflection.GeneratedProtocolMessageType('RollOutRoomRequest', (_message.Message,), dict( DESCRIPTOR=_ROLLOUTROOMREQUEST, __module__='room_server_pb2' # @@protoc_insertion_point(class_scope:RollOutRoomRequest) )) _sym_db.RegisterMessage(RollOutRoomRequest) KicksPlayerRequest = _reflection.GeneratedProtocolMessageType('KicksPlayerRequest', (_message.Message,), dict( DESCRIPTOR=_KICKSPLAYERREQUEST, __module__='room_server_pb2' # @@protoc_insertion_point(class_scope:KicksPlayerRequest) )) _sym_db.RegisterMessage(KicksPlayerRequest) _ROOMSERVER = _descriptor.ServiceDescriptor( name='RoomServer', full_name='RoomServer', file=DESCRIPTOR, index=0, serialized_options=None, serialized_start=543, serialized_end=819, methods=[ _descriptor.MethodDescriptor( name='RandomJoinRoom', full_name='RoomServer.RandomJoinRoom', index=0, containing_service=None, input_type=_RANDOMJOINROOMREQUEST, output_type=_JOINROOMREPLY, serialized_options=None, ), _descriptor.MethodDescriptor( name='JoinRoom', full_name='RoomServer.JoinRoom', index=1, containing_service=None, input_type=_JOINROOMREQUEST, output_type=_JOINROOMREPLY, serialized_options=None, ), _descriptor.MethodDescriptor( name='CreateRoom', full_name='RoomServer.CreateRoom', index=2, containing_service=None, input_type=_CREATEROOMREQUEST, output_type=_JOINROOMREPLY, serialized_options=None, ), _descriptor.MethodDescriptor( name='RollOutRoom', full_name='RoomServer.RollOutRoom', index=3, containing_service=None, input_type=_ROLLOUTROOMREQUEST, output_type=_COMMONREPLY, serialized_options=None, ), _descriptor.MethodDescriptor( name='KicksPlayer', full_name='RoomServer.KicksPlayer', index=4, containing_service=None, input_type=_KICKSPLAYERREQUEST, output_type=_COMMONREPLY, serialized_options=None, ), ]) _sym_db.RegisterServiceDescriptor(_ROOMSERVER) DESCRIPTOR.services_by_name['RoomServer'] = _ROOMSERVER # @@protoc_insertion_point(module_scope)
21,678
1a09f4d7f613825586cd56e81f4faeb7333a00cc
""" Utility functions """ import io import numpy as np import pandas as pd from missionbio.mosaic.plotting import mpimg, plt, require_seaborn, sns @require_seaborn def static_fig(fig, figsize=(7, 7), scale=3, ax=None): """ Convert plotly figure to matplotlib. Parameters ---------- fig : plotly.graph_objects.Figure figsize : 2-tuple The size of the matplotlib figure in case no axis is provided. scale : float (default: 3) The scale factor used when exporting the figure. A value greater than 1 increases the resolution of the plotly figure and a value less than 1 reduces the resolution of the plotly figure. ax : matplotlib.pyplot.axis The axis to show the image on. """ i = fig.to_image(format='png', scale=scale) i = io.BytesIO(i) i = mpimg.imread(i, format='png') if ax is None: sns.set(style='white') plt.figure(figsize=figsize) plt.imshow(i) plt.axis('off') ax = plt.gca() else: ax.imshow(i) return ax def get_indexes(from_list, find_list): """ Find the intersection of arrays. Parameters ---------- from_list : list-like The list for which indexes are to be found. find_list : list-like The list containing values which are to be matched in `from_list`. Returns ------- indexes Returns the indexes in from_list for values that are found in find_list. Notes ----- get_indexes is much faster than `np.where(np.isin(from_list, find_list))`, but it uses more memory since it duplicates the data. """ df_find = pd.DataFrame(find_list, columns=['value']) df_from = pd.DataFrame(list(zip(from_list, np.arange(len(from_list)))), columns=['value', 'index']) indexes = pd.merge(df_from, df_find, on='value', how='inner')['index'].values return indexes def clipped_values(values): """ Cut at the 1st and 99th percentiles. Parameters ---------- values : list-like List of float or int values. Returns ------- 2-tuple It contains the values corresponding to the 1st percentile and 99th percentile of the given values. """ values = np.sort(values) val_99 = values[int(0.99 * len(values))] val_1 = values[int(0.01 * len(values))] return val_1, val_99 def extend_docs(cls): """ Extend the superclass documentation to subclass. Parameters ---------- f : function function to decorate Raises ------ ValueError Raise exception if seaborn could not be imported. Also ---- Can be used as a decorator. """ import types for name, func in vars(cls).items(): if isinstance(func, types.FunctionType) and not func.__doc__: print(func, 'needs doc') for parent in cls.__bases__: parfunc = getattr(parent, name, None) if parfunc and getattr(parfunc, '__doc__', None): func.__doc__ = parfunc.__doc__ break elif isinstance(func, types.FunctionType): for parent in cls.__bases__: parfunc = getattr(parent, name, None) if parfunc and getattr(parfunc, '__doc__', None): func.__doc__ += parfunc.__doc__ break return cls
21,679
47aec6226d84017f05028cd3f3ffc8cb942e34fb
""" Downloads the MovieLens dataset, ETLs it into Parquet, trains an ALS model, and uses the ALS model to train a Keras neural network. See README.rst for more details. """ import os import click import mlflow from mlflow.entities import RunStatus from mlflow.tracking import MlflowClient from mlflow.tracking.fluent import _get_experiment_id from mlflow.utils import mlflow_tags from mlflow.utils.logging_utils import eprint def _already_ran(entry_point_name, parameters, git_commit, experiment_id=None): """Best-effort detection of if a run with the given entrypoint name, parameters, and experiment id already ran. The run must have completed successfully and have at least the parameters provided. """ experiment_id = experiment_id if experiment_id is not None else _get_experiment_id() client = MlflowClient() all_runs = reversed(client.search_runs([experiment_id])) for run in all_runs: tags = run.data.tags if tags.get(mlflow_tags.MLFLOW_PROJECT_ENTRY_POINT, None) != entry_point_name: continue match_failed = False for param_key, param_value in parameters.items(): run_value = run.data.params.get(param_key) if run_value != param_value: match_failed = True break if match_failed: continue if run.info.to_proto().status != RunStatus.FINISHED: eprint( ("Run matched, but is not FINISHED, so skipping (run_id={}, status={})").format( run.info.run_id, run.info.status ) ) continue previous_version = tags.get(mlflow_tags.MLFLOW_GIT_COMMIT, None) if git_commit != previous_version: eprint( "Run matched, but has a different source version, so skipping " f"(found={previous_version}, expected={git_commit})" ) continue return client.get_run(run.info.run_id) eprint("No matching run has been found.") return None # TODO(aaron): This is not great because it doesn't account for: # - changes in code # - changes in dependant steps def _get_or_run(entrypoint, parameters, git_commit, use_cache=True): existing_run = _already_ran(entrypoint, parameters, git_commit) if use_cache and existing_run: print(f"Found existing run for entrypoint={entrypoint} and parameters={parameters}") return existing_run print(f"Launching new run for entrypoint={entrypoint} and parameters={parameters}") submitted_run = mlflow.run(".", entrypoint, parameters=parameters, env_manager="local") return MlflowClient().get_run(submitted_run.run_id) @click.command() @click.option("--als-max-iter", default=10, type=int) @click.option("--keras-hidden-units", default=20, type=int) @click.option("--max-row-limit", default=100000, type=int) def workflow(als_max_iter, keras_hidden_units, max_row_limit): # Note: The entrypoint names are defined in MLproject. The artifact directories # are documented by each step's .py file. with mlflow.start_run() as active_run: os.environ["SPARK_CONF_DIR"] = os.path.abspath(".") git_commit = active_run.data.tags.get(mlflow_tags.MLFLOW_GIT_COMMIT) load_raw_data_run = _get_or_run("load_raw_data", {}, git_commit) ratings_csv_uri = os.path.join(load_raw_data_run.info.artifact_uri, "ratings-csv-dir") etl_data_run = _get_or_run( "etl_data", {"ratings_csv": ratings_csv_uri, "max_row_limit": max_row_limit}, git_commit ) ratings_parquet_uri = os.path.join(etl_data_run.info.artifact_uri, "ratings-parquet-dir") # We specify a spark-defaults.conf to override the default driver memory. ALS requires # significant memory. The driver memory property cannot be set by the application itself. als_run = _get_or_run( "als", {"ratings_data": ratings_parquet_uri, "max_iter": str(als_max_iter)}, git_commit ) als_model_uri = os.path.join(als_run.info.artifact_uri, "als-model") keras_params = { "ratings_data": ratings_parquet_uri, "als_model_uri": als_model_uri, "hidden_units": keras_hidden_units, } _get_or_run("train_keras", keras_params, git_commit, use_cache=False) if __name__ == "__main__": workflow()
21,680
37907964daa6a5e3a25f7399b8e1514f191c1d3c
import json from django.contrib import messages from django.shortcuts import render from .forms import RegistrationForm from request.clients import client_public_get_courses from request.clients import client_public_get_course from request.clients import client_public_get_container from request.clients import enroll_student from request.clients import client_public_exist_container from request.clients import client_public_run_container from request.clients import get_user_detail from request.clients import client_professor_get_port_80_container from request.clients import client_professor_exist_course from request.clients import client_professor_get_port_3306_container from request.utils import get_professor def public_page(request): courses_in_api = json.loads((client_public_get_courses()).decode('utf-8')) current_courses = [] if len(courses_in_api) == 0: messages.error(request, "There are no courses currently") if len(courses_in_api) > 0 : for i in range(0, len(courses_in_api)): course = courses_in_api[i] response_1_enc= client_public_exist_container(course['id_course']) response_1 = response_1_enc.decode('utf-8') if response_1 == '200': response_2_enc = client_public_run_container(course['id_course']) response_2 = response_2_enc.decode('utf-8') if response_2 == 'true': course['professor_name'] = get_professor(course['professor_course']) id_course = course['id_course'] container_enc = client_public_get_container(id_course) container_str = container_enc.decode('utf-8') container = json.loads(container_str) port_80_container = (client_professor_get_port_80_container(id_course)).decode('utf-8') url = 'http://localhost:' + port_80_container + '/domjudge/public/login.php' course['url'] = url current_courses.append(course) if len(current_courses) == 0: messages.error(request, "There's no courses currently.") context={ "current_courses": current_courses, } return render(request, "public/get_courses.html", context) def enroll_course(request, id_course): context = {} response1 = client_professor_exist_course(id_course).decode('utf-8') response2 = client_public_exist_container(id_course).decode('utf-8') if response1 == '200' and response2 == '200': course_enc = client_public_get_course(id_course) course_str = ((course_enc).decode('utf-8')).replace('ó','ó') course = json.loads(course_str ) course['professor_name'] = get_professor(course['professor_course']) registration_form = RegistrationForm() context = { "course": course, "registration_form": registration_form, } container_enc = client_public_get_container(id_course) container_str = container_enc.decode('utf-8') container = json.loads(container_str) # ------- getting port 3306 from container ------------> port_number_3306_container = client_professor_get_port_3306_container(id_course).decode('utf-8') # ------- register student on course ------------> if request.method == 'POST': registration_form = RegistrationForm(request.POST) if registration_form.is_valid(): code_student = request.POST['code_student'] name_student = request.POST['name_student'] lastname_student = request.POST['lastname_student'] email_student = request.POST['email_student'] data = { "name_container": id_course, "port_number_3306_container":port_number_3306_container, "code_student" : code_student, "name_student" : name_student, "lastname_student" : lastname_student, "email_student" : email_student, } data_enc = (json.dumps(data)).encode('utf-8') response3 = enroll_student(data_enc) print("response3") print(response3) if response3.decode('utf-8') == '201': messages.success(request, "You have been successfully registered.") else: messages.error(request, "You could not be registered.") return render(request, "public/enroll_course.html", context)
21,681
de94c992a7248ed55d3a74d3c1d5178d3482cc8a
from django.urls import path, re_path from app import views urlpatterns = [ path('', views.home, name='home'), path('signup/', views.signup, name='signup'), path('signin/', views.signin, name='signin'), path('disconnect/', views.disconnect, name="disconnect"), path('contact/', views.contact, name='contact'), re_path(r'^gig_detail/(?P<id>[0-9]+)/$', views.gig_detail, name='gig_detail'), path('gig_mygigs/', views.gig_mygigs, name='gig_mygigs'), path('gig_create/', views.gig_create, name="gig_create"), re_path(r'^gig_edit/(?P<id>[0-9]+)/$', views.gig_edit, name='gig_edit'), re_path(r'^gig_search/$', views.gig_search, name='gig_search'), re_path(r'^profile/(?P<username>\w+)/$', views.profile, name='profile'), path('account/', views.account, name='account'), re_path(r'^personal_info/(?P<username>\w+)/$', views.personal_info, name='personal_info'), path('ajax/load-cities/', views.load_cities, name='ajax_load_cities'), # AJAX path('ajax/load-localities/', views.load_localities, name='ajax_load_localities'), # AJAX path('ajax/load-areas/', views.load_areas, name='ajax_load_areas'), # AJAX path('ajax/load-subareas/', views.load_subareas, name='ajax_load_subareas'), # AJAX ]
21,682
22cb13b221d3981d3b20b5d6f8d642549d984231
import pymongo myclient = pymongo.MongoClient("mongodb://127.0.0.1:27017") dblist = myclient.list_database_names() if 'test' in dblist: print('The database exists') mydb = myclient["test"] colList = mydb.list_collection_names() if 'customers' in colList: mycol = mydb['customers'] print('The collection exists') # Find the first document in the customers collection: firstRecord = mycol.find_one() print(firstRecord) # Find all records from customer collection for record in mycol.find(): print(record) # Return only the names and addresses, not the _ids for record in mycol.find({},{"_id":0, "first_name": 1, "address": 1}): print(record) # When finding documents in a collection, you can filter the result by using a query object. # The first argument of the find() method is a query object, and is used to limit the search myquery = {"address.city":"Boston"} mydoc = mycol.find(myquery) for record in mydoc: print(record) # To make advanced queries you can use modifiers as values in the query object. # E.g. to find the documents where the "age" field is lesser than 40, use the leser than modifier : { "$lt" : 40 }; myquery = { "age": { "$lt" : 40 } } mydoc = mycol.find(myquery) for record in mydoc: print(record) # To find only the documents where the "first_name" starts with letter 'J", use the regular expression {"$regex": "^J"} myquery = { "first_name": {"$regex": "^J" } } mydoc = mycol.find(myquery) for record in mydoc: print(record) # Use the sort() method to sort the result in ascending or descending order. # The sort() method takes one parameter for "fieldname" and one parameter for "direction" (ascending is the default direction) mydoc = mycol.find().sort("first_name") for record in mydoc: print(record) # Now in descending order mydoc = mycol.find().sort("first_name",-1) for record in mydoc: print(record) # To delete one document, we use the delete_one() method. # The first parameter fo the delete_one() method is a query object defining which document to delete # myquery = {"address.city":"Boston"} # mycol.delete_one(myquery) # To delete more than one document, use the delete_many() method. # The first parameter of the delete_many() method is a query object defining which document to delte # myquery = { "fist_name": { "$regex": "^J" } } # countofRecordDeleted = mycol.delete_many(myquery) # print(countofRecordDeleted.deleted_count, "documents deleted.") # To delete all documents in a collection, pass an empty query object to the delete_many() method: # countofRecordDeleted = mycol.delete_many({}) # print(countofRecordDeleted.deleted_count, " documents deleted.") # You can delete a table or collection as is called in MongoDB, by using the drop() method # mycol.drop() # You can update a record, or document as it is called in MongoDB, by using the update_one() method. # The first parameter of the update_one() method is query object defining which document to update. # The second parameter is an object defining the new values of the document. # Change the adderess 'address': 'street': '22 School st' to 'address': 'street': '21 School st' myquery = { "address.street" : "22 School st" } newValues = { "$set" : {"address.street" : "21 School st" } } mycol.update_one(myquery, newValues) for document in mycol.find(): print(document) # To update all documents that meets the criteria of the query use the update_man() method # myquery = { "first_name" : { "$regex" : "^J" } } # newValues = { "$set" : "XYX" } # updatedDocCount = mycol.update_many(myquery, newValues) # print(updatedDocCount.modified_count, "documents updated") # To limit the result in MongoDB, use the limit() method # The limit() method takes one parameter, a number defining how many documents to return # Limit the result to only return 5 documents: myresult = mycol.find().limit(5) for document in myresult: print(document)
21,683
051a4c450bfe3c26c2478a56412e79a2791db084
# Generated by Django 2.2 on 2020-04-23 01:09 from django.db import migrations, models class Migration(migrations.Migration): dependencies = [ ('LAMProcessData', '0068_remove_rawstock_use_up'), ] operations = [ migrations.AlterField( model_name='rawstocksendretrieve', name='send_addition', field=models.ManyToManyField(blank=True, null=True, related_name='RawStockSendAddition_Send', to='LAMProcessData.RawStockSendAddition'), ), ]
21,684
00a72b16daed559a17985ead5be28fb4abf1c092
# coding: utf-8 # ## Import Packages # In[1]: import matplotlib.image as mpimg import matplotlib.pyplot as plt import numpy as np import cv2 import glob import time from sklearn.svm import LinearSVC from sklearn.preprocessing import StandardScaler from skimage.feature import hog get_ipython().run_line_magic('matplotlib', 'inline') # Reminder to self: when we use PNG together with `mpimg.imread`, the intensity of the pixels is between 0 and 1 (requiring a normalization) and the channels in the RGB order, if the image is JPEG and we use that same method, the intensity is between 0 and 255 ( in which case no normalization is required). For PNG images you can use `cv2.imread` which already leaves the intensity between 0 and 255 (however with the channels in the order BGR) or use `mpimg.imread` and do normalization. # ## Define Detection Functions # These are largely derived from the "Object Detection" Lesson # In[2]: # Define a function to return HOG features and visualization def get_hog_features(img, orient, pix_per_cell, cell_per_block, vis=False, feature_vec=True): # Call with two outputs if vis==True if vis == True: features, hog_image = hog(img, orientations=orient, pixels_per_cell=(pix_per_cell, pix_per_cell), block_norm= 'L2-Hys', cells_per_block=(cell_per_block, cell_per_block), transform_sqrt=True, visualise=vis, feature_vector=feature_vec) return features, hog_image # Otherwise call with one output else: features = hog(img, orientations=orient, pixels_per_cell=(pix_per_cell, pix_per_cell), cells_per_block=(cell_per_block, cell_per_block), block_norm= 'L2-Hys', transform_sqrt=True, visualise=vis, feature_vector=feature_vec) return features # Define a function to compute binned color features def bin_spatial(img, size=(32, 32)): # Use cv2.resize().ravel() to create the feature vector features = cv2.resize(img, size).ravel() # Return the feature vector return features # Define a function to compute color histogram features # NEED TO CHANGE bins_range if reading .png files with mpimg! def color_hist(img, nbins=32, bins_range=(0, 256)): # Compute the histogram of the color channels separately channel1_hist = np.histogram(img[:,:,0], bins=nbins, range=bins_range) channel2_hist = np.histogram(img[:,:,1], bins=nbins, range=bins_range) channel3_hist = np.histogram(img[:,:,2], bins=nbins, range=bins_range) # Concatenate the histograms into a single feature vector hist_features = np.concatenate((channel1_hist[0], channel2_hist[0], channel3_hist[0])) # Return the individual histograms, bin_centers and feature vector return hist_features # Define a function to convert color spaces def convert_color(img, color_space='RGB'): if color_space != 'RGB': if color_space == 'HSV': return cv2.cvtColor(img, cv2.COLOR_RGB2HSV) elif color_space == 'LUV': return cv2.cvtColor(img, cv2.COLOR_RGB2LUV) elif color_space == 'HLS': return cv2.cvtColor(img, cv2.COLOR_RGB2HLS) elif color_space == 'YUV': return cv2.cvtColor(img, cv2.COLOR_RGB2YUV) elif color_space == 'YCrCb': return cv2.cvtColor(img, cv2.COLOR_RGB2YCrCb) else: return np.copy(img) # Define a function to extract features from a list of images # Have this function call bin_spatial() and color_hist() def extract_features(imgs, color_space='RGB', spatial_size=(32, 32), hist_bins=32, orient=9, pix_per_cell=8, cell_per_block=2, hog_channel=0, spatial_feat=True, hist_feat=True, hog_feat=True): # Create a list to append feature vectors to features = [] # Iterate through the list of images for file in imgs: file_features = [] # Read in each one by one image = mpimg.imread(file) # apply color conversion if other than 'RGB' feature_image = convert_color(image, color_space=color_space) if spatial_feat == True: spatial_features = bin_spatial(feature_image, size=spatial_size) file_features.append(spatial_features) if hist_feat == True: # Apply color_hist() hist_features = color_hist(feature_image, nbins=hist_bins) file_features.append(hist_features) if hog_feat == True: # Call get_hog_features() with vis=False, feature_vec=True if hog_channel == 'ALL': hog_features = [] for channel in range(feature_image.shape[2]): hog_features.append(get_hog_features(feature_image[:,:,channel], orient, pix_per_cell, cell_per_block, vis=False, feature_vec=True)) hog_features = np.ravel(hog_features) else: hog_features = get_hog_features(feature_image[:,:,hog_channel], orient, pix_per_cell, cell_per_block, vis=False, feature_vec=True) # Append the new feature vector to the features list file_features.append(hog_features) features.append(np.concatenate(file_features)) # Return list of feature vectors return features # Define a function that takes an image, # start and stop positions in both x and y, # window size (x and y dimensions), # and overlap fraction (for both x and y) def slide_window(img, x_start_stop=[None, None], y_start_stop=[None, None], xy_window=(64, 64), xy_overlap=(0.5, 0.5)): # If x and/or y start/stop positions not defined, set to image size if x_start_stop[0] == None: x_start_stop[0] = 0 if x_start_stop[1] == None: x_start_stop[1] = img.shape[1] if y_start_stop[0] == None: y_start_stop[0] = 0 if y_start_stop[1] == None: y_start_stop[1] = img.shape[0] # Compute the span of the region to be searched xspan = x_start_stop[1] - x_start_stop[0] yspan = y_start_stop[1] - y_start_stop[0] # Compute the number of pixels per step in x/y nx_pix_per_step = np.int(xy_window[0]*(1 - xy_overlap[0])) ny_pix_per_step = np.int(xy_window[1]*(1 - xy_overlap[1])) # Compute the number of windows in x/y nx_buffer = np.int(xy_window[0]*(xy_overlap[0])) ny_buffer = np.int(xy_window[1]*(xy_overlap[1])) nx_windows = np.int((xspan-nx_buffer)/nx_pix_per_step) ny_windows = np.int((yspan-ny_buffer)/ny_pix_per_step) # Initialize a list to append window positions to window_list = [] # Loop through finding x and y window positions # Note: you could vectorize this step, but in practice # you'll be considering windows one by one with your # classifier, so looping makes sense for ys in range(ny_windows): for xs in range(nx_windows): # Calculate window position startx = xs*nx_pix_per_step + x_start_stop[0] endx = startx + xy_window[0] starty = ys*ny_pix_per_step + y_start_stop[0] endy = starty + xy_window[1] # Append window position to list window_list.append(((startx, starty), (endx, endy))) # Return the list of windows return window_list # Define a function to draw bounding boxes def draw_boxes(img, bboxes, color=(0, 0, 255), thick=6): # Make a copy of the image imcopy = np.copy(img) # Iterate through the bounding boxes for bbox in bboxes: # Draw a rectangle given bbox coordinates cv2.rectangle(imcopy, bbox[0], bbox[1], color, thick) # Return the image copy with boxes drawn return imcopy # Define a function to extract features from a single image window # This function is very similar to extract_features() # just for a single image rather than list of images def single_img_features(img, color_space='RGB', spatial_size=(32, 32), hist_bins=32, orient=9, pix_per_cell=8, cell_per_block=2, hog_channel=0, spatial_feat=True, hist_feat=True, hog_feat=True): #1) Define an empty list to receive features img_features = [] #2) Apply color conversion if other than 'RGB' feature_image = convert_color(image, color_space=color_space) #3) Compute spatial features if flag is set if spatial_feat == True: spatial_features = bin_spatial(feature_image, size=spatial_size) #4) Append features to list img_features.append(spatial_features) #5) Compute histogram features if flag is set if hist_feat == True: hist_features = color_hist(feature_image, nbins=hist_bins) #6) Append features to list img_features.append(hist_features) #7) Compute HOG features if flag is set if hog_feat == True: if hog_channel == 'ALL': hog_features = [] for channel in range(feature_image.shape[2]): hog_features.extend(get_hog_features(feature_image[:,:,channel], orient, pix_per_cell, cell_per_block, vis=False, feature_vec=True)) else: hog_features = get_hog_features(feature_image[:,:,hog_channel], orient, pix_per_cell, cell_per_block, vis=False, feature_vec=True) #8) Append features to list img_features.append(hog_features) #9) Return concatenated array of features return np.concatenate(img_features) # Define a function you will pass an image # and the list of windows to be searched (output of slide_windows()) def search_windows(img, windows, clf, scaler, color_space='RGB', spatial_size=(32, 32), hist_bins=32, hist_range=(0, 256), orient=9, pix_per_cell=8, cell_per_block=2, hog_channel=0, spatial_feat=True, hist_feat=True, hog_feat=True): #1) Create an empty list to receive positive detection windows on_windows = [] #2) Iterate over all windows in the list for window in windows: #3) Extract the test window from original image test_img = cv2.resize(img[window[0][1]:window[1][1], window[0][0]:window[1][0]], (64, 64)) #4) Extract features for that window using single_img_features() features = single_img_features(test_img, color_space=color_space, spatial_size=spatial_size, hist_bins=hist_bins, orient=orient, pix_per_cell=pix_per_cell, cell_per_block=cell_per_block, hog_channel=hog_channel, spatial_feat=spatial_feat, hist_feat=hist_feat, hog_feat=hog_feat) #5) Scale extracted features to be fed to classifier test_features = scaler.transform(np.array(features).reshape(1, -1)) #6) Predict using your classifier prediction = clf.predict(test_features) #7) If positive (prediction == 1) then save the window if prediction == 1: on_windows.append(window) #8) Return windows for positive detections return on_windows # ## Data Exploration # In[3]: # Read in training data sets car_files = glob.glob('./vehicles/*/*.png') noncar_files = glob.glob('./non-vehicles/*/*.png') num_car_files = len(car_files) num_noncar_files = len(noncar_files) print('{} Car images in data set'.format(num_car_files)) print('{} Non-car images in data set'.format(num_noncar_files)) # In[4]: car_subsample = [] noncar_subsample = [] # for ind in range(3): # rand_ind_c = np.random.randint(0, num_car_files) # rand_ind_n = np.random.randint(0, num_noncar_files) # The above lines were originally used, but to preserve predictability I froze the random indices for rand_ind_c, rand_ind_n in ((1208,5594),(2641,8582),(4217,2820),(5757,4035)): car_subsample.append(car_files[rand_ind_c]) noncar_subsample.append(noncar_files[rand_ind_n]) random_car_img = mpimg.imread(car_files[rand_ind_c]) random_noncar_img = mpimg.imread(noncar_files[rand_ind_n]) f, (ax1, ax2) = plt.subplots(1, 2, figsize=(10, 5)) f.tight_layout() ax1.imshow(random_car_img) ax1.set_title('Random Car', fontsize=20) ax2.imshow(random_noncar_img) ax2.set_title('Random Noncar', fontsize=20) plt.savefig('./output_images/random_images_{}_{}'.format(rand_ind_c, rand_ind_n)) # ## Feature Extraction # ### Color Exploration # In[5]: # Define a function that takes a list of images (same type), adds up their histograms for each color channel # and prints out the images as well as the histograms def aggregate_histogram(image_list, color_space, nbins=32, bins_range=(0, 256)): hist_vals = np.zeros((3,nbins)) for image in image_list: orig_img = mpimg.imread(image)*255 # convert from 0-1 scaled img = convert_color(orig_img, color_space=color_space) hist_vals[0] = hist_vals[0] + np.histogram(img[:,:,0], bins=nbins, range=bins_range)[0] hist_vals[1] = hist_vals[1] + np.histogram(img[:,:,1], bins=nbins, range=bins_range)[0] hist_vals[2] = hist_vals[2] + np.histogram(img[:,:,2], bins=nbins, range=bins_range)[0] c_up = [i for i, c in enumerate(color_space) if c.isupper()] bin_edges = np.histogram(img[:,:,0], bins=nbins, range=bins_range)[1] bin_centers = (bin_edges[1:] + bin_edges[0:len(bin_edges)-1])/2 fig = plt.figure(figsize=(20,4)) plt.subplot(131) plt.bar(bin_centers, hist_vals[0]) plt.xlim(0, 256) plt.ylim(0, 500*len(image_list)) plt.title('{} Histogram'.format(color_space[:c_up[1]])) plt.subplot(132) plt.bar(bin_centers, hist_vals[1]) plt.xlim(0, 256) plt.ylim(0, 500*len(image_list)) plt.title('{} Histogram'.format(color_space[c_up[1]:c_up[2]])) plt.subplot(133) plt.bar(bin_centers, hist_vals[2]) plt.xlim(0, 256) plt.ylim(0, 500*len(image_list)) plt.title('{} Histogram'.format(color_space[c_up[2]:])) return bin_centers, hist_vals color_spaces = ['RGB','HSV','YCrCb','LUV', 'HLS', 'YUV'] import random car_samples = [random.choice(car_files) for i in range(100)] noncar_samples = [random.choice(noncar_files) for i in range(100)] for color in color_spaces: car_centers, car_values = aggregate_histogram(car_samples, color) plt.suptitle('Car histograms - {}'.format(color)) # plt.savefig('./output_images/car_histograms_{}'.format(color)) // freeze for output consistency noncar_centers, noncar_values = aggregate_histogram(noncar_samples, color) plt.suptitle('Noncar histograms - {}'.format(color)) # plt.savefig('./output_images/noncar_histograms_{}'.format(color)) # ### HOG Parameters # In[6]: # Function that accepts an image and a color space and HOG images of all channels def hog_plotter(image_name, color_space, orient=8, pix_per_cell=8, cell_per_block=2): img = mpimg.imread(image_name) color_image = convert_color(img, color_space=color_space) _, hog_image1 = get_hog_features(color_image[:,:,0], orient, pix_per_cell, cell_per_block, vis=True, feature_vec=True) _, hog_image2 = get_hog_features(color_image[:,:,1], orient, pix_per_cell, cell_per_block, vis=True, feature_vec=True) _, hog_image3 = get_hog_features(color_image[:,:,2], orient, pix_per_cell, cell_per_block, vis=True, feature_vec=True) fig = plt.figure(figsize=(20,3)) plt.subplot(141) plt.imshow(color_image) plt.subplot(142) plt.imshow(hog_image1) plt.subplot(143) plt.imshow(hog_image2) plt.subplot(144) plt.imshow(hog_image3) # In[7]: for ind in range(len(car_subsample)): car_image_name = car_subsample[ind] hog_plotter(car_image_name, 'RGB') plt.suptitle('Car Hog - RGB') plt.savefig('./output_images/car_{}_hog_RGB'.format(car_image_name.split('/')[-1][:-4])) noncar_image_name = noncar_subsample[ind] hog_plotter(noncar_image_name, 'RGB') plt.suptitle('Noncar Hog - RGB') plt.savefig('./output_images/noncar_{}_hog_RGB'.format(noncar_image_name.split('/')[-1][:-4])) hog_plotter(car_image_name, 'HLS') plt.suptitle('Car Hog - HLS') plt.savefig('./output_images/car_{}_hog_HLS'.format(car_image_name.split('/')[-1][:-4])) hog_plotter(noncar_image_name, 'HLS') plt.suptitle('Noncar Hog - HLS') plt.savefig('./output_images/noncar_{}_hog_HLS'.format(noncar_image_name.split('/')[-1][:-4])) # #### Trying fitting more pixels per cell # In[30]: for ind in range(len(car_subsample)): car_image_name = car_subsample[ind] noncar_image_name = noncar_subsample[ind] hog_plotter(car_image_name, 'RGB', pix_per_cell=16) plt.suptitle('Car Hog - RGB, 16 pixels/cell') plt.savefig('./output_images/car_{}_hog_RGB_pix{}'.format(car_image_name.split('/')[-1][:-4], 16)) hog_plotter(noncar_image_name, 'RGB', pix_per_cell=16) plt.suptitle('Noncar Hog - RGB, 16 pixels/cell') plt.savefig('./output_images/noncar_{}_hog_RGB_pix{}'.format(noncar_image_name.split('/')[-1][:-4], 16)) # #### Less Cells per block # In[8]: for ind in range(len(car_subsample)): car_image_name = car_subsample[ind] noncar_image_name = noncar_subsample[ind] hog_plotter(car_image_name, 'RGB', pix_per_cell=16, cell_per_block=1) plt.suptitle('Car Hog - RGB, 1 cell/block') plt.savefig('./output_images/car_{}_hog_RGB_pix16_blk1'.format(car_image_name.split('/')[-1][:-4], 16)) hog_plotter(noncar_image_name, 'RGB', pix_per_cell=16, cell_per_block=1) plt.suptitle('Noncar Hog - RGB, 1 cell/block') plt.savefig('./output_images/noncar_{}_hog_RGB_pix16_blk1'.format(noncar_image_name.split('/')[-1][:-4], 16)) # ### Training the linear classifier # In[10]: from sklearn.model_selection import train_test_split hist_bins = 32 orient = 9 pix_per_cell = 16 cell_per_block = 4 color_space = 'YCrCb' spatial_size = (32,32) spatial_feat = False car_features = extract_features(car_files, color_space=color_space, hist_bins=hist_bins, spatial_size=spatial_size, orient=orient, pix_per_cell=pix_per_cell, cell_per_block=cell_per_block, hog_channel='ALL', spatial_feat=spatial_feat, hist_feat=True, hog_feat = True) notcar_features = extract_features(noncar_files, color_space=color_space, hist_bins=hist_bins, orient=orient, pix_per_cell=pix_per_cell, cell_per_block=cell_per_block, hog_channel='ALL', spatial_feat=spatial_feat, hist_feat=True, hog_feat = True) # Create an array stack of feature vectors X = np.vstack((car_features, notcar_features)).astype(np.float64) # Define the labels vector y = np.hstack((np.ones(len(car_features)), np.zeros(len(notcar_features)))) # Split up data into randomized training and test sets rand_state = np.random.randint(0, 100) X_train, X_test, y_train, y_test = train_test_split( X, y, test_size=0.2, random_state=rand_state) # Fit a per-column scaler only on the training data X_scaler = StandardScaler().fit(X_train) # Apply the scaler to X_train and X_test X_train = X_scaler.transform(X_train) X_test = X_scaler.transform(X_test) print('Feature vector length:', len(X_train[0])) # Use a linear SVC svc = LinearSVC() # Check the training time for the SVC t=time.time() svc.fit(X_train, y_train) t2 = time.time() print(round(t2-t, 2), 'Seconds to train SVC...') # Check the score of the SVC print('Test Accuracy of SVC = ', round(svc.score(X_test, y_test), 4)) # Check the prediction time for a single sample t=time.time() n_predict = 10 print('My SVC predicts: ', svc.predict(X_test[0:n_predict])) print('For these',n_predict, 'labels: ', y_test[0:n_predict]) t2 = time.time() print(round(t2-t, 5), 'Seconds to predict', n_predict,'labels with SVC') # ## Sliding Window Search # In[119]: get_ipython().run_line_magic('matplotlib', 'notebook') fig = plt.figure(figsize=(15,12)) plt.imshow(img) # In[11]: # Define a single function that can extract features using hog sub-sampling and make predictions def find_cars(img, color_space, xstart, xstop, ystart, ystop, scale, svc, X_scaler, orient, pix_per_cell, cell_per_block, spatial_size, hist_bins, spatial_feat): # draw_img = np.copy(img) img = img.astype(np.float32)/255 img_tosearch = img[ystart:ystop,xstart:xstop,:] ctrans_tosearch = convert_color(img_tosearch, color_space=color_space) if scale != 1: imshape = ctrans_tosearch.shape ctrans_tosearch = cv2.resize(ctrans_tosearch, (np.int(imshape[1]/scale), np.int(imshape[0]/scale))) ch1 = ctrans_tosearch[:,:,0] ch2 = ctrans_tosearch[:,:,1] ch3 = ctrans_tosearch[:,:,2] # Define blocks and steps as above nxblocks = (ch1.shape[1] // pix_per_cell) - cell_per_block + 1 nyblocks = (ch1.shape[0] // pix_per_cell) - cell_per_block + 1 nfeat_per_block = orient*cell_per_block**2 # 64 was the orginal sampling rate, with 8 cells and 8 pix per cell window = pix_per_cell*cell_per_block nblocks_per_window = (window // pix_per_cell) - cell_per_block + 1 cells_per_step = 2 # Instead of overlap, define how many cells to step nxsteps = (nxblocks - nblocks_per_window) // cells_per_step + 1 nysteps = (nyblocks - nblocks_per_window) // cells_per_step + 1 # Compute individual channel HOG features for the entire image hog1 = get_hog_features(ch1, orient, pix_per_cell, cell_per_block, feature_vec=False) hog2 = get_hog_features(ch2, orient, pix_per_cell, cell_per_block, feature_vec=False) hog3 = get_hog_features(ch3, orient, pix_per_cell, cell_per_block, feature_vec=False) bboxes = [] for xb in range(nxsteps): for yb in range(nysteps): ypos = yb*cells_per_step xpos = xb*cells_per_step # Extract HOG for this patch hog_feat1 = hog1[ypos:ypos+nblocks_per_window, xpos:xpos+nblocks_per_window].ravel() hog_feat2 = hog2[ypos:ypos+nblocks_per_window, xpos:xpos+nblocks_per_window].ravel() hog_feat3 = hog3[ypos:ypos+nblocks_per_window, xpos:xpos+nblocks_per_window].ravel() hog_features = np.hstack((hog_feat1, hog_feat2, hog_feat3)) xleft = xpos*pix_per_cell ytop = ypos*pix_per_cell # Extract the image patch subimg = cv2.resize(ctrans_tosearch[ytop:ytop+window, xleft:xleft+window], (64,64)) # Get color features spatial_features = bin_spatial(subimg, size=spatial_size) hist_features = color_hist(subimg, nbins=hist_bins) # Scale features and make a prediction if spatial_feat: test_features = X_scaler.transform(np.hstack((hist_features, spatial_features, hog_features)).reshape(1, -1)) else: test_features = X_scaler.transform(np.hstack((hist_features, hog_features)).reshape(1, -1)) #test_features = X_scaler.transform(np.hstack((shape_feat, hist_feat)).reshape(1, -1)) test_prediction = svc.predict(test_features) if test_prediction == 1: xbox_left = np.int(xleft*scale) ytop_draw = np.int(ytop*scale) win_draw = np.int(window*scale) bboxes.append(((xbox_left + xstart, ytop_draw+ystart),(xbox_left+win_draw+xstart,ytop_draw+win_draw+ystart))) # cv2.rectangle(draw_img,(xbox_left + xstart, ytop_draw+ystart),(xbox_left+win_draw+xstart,ytop_draw+win_draw+ystart),(0,0,255),6) return bboxes # ### Playing around with windows and scale # In[12]: def tiered_window_search(image): bboxes = [] xstart = 500 xstop = 850 ystart = 400 ystop = 475 scale = 0.5 bboxes = bboxes + find_cars(image, color_space, xstart, xstop, ystart, ystop, scale, svc, X_scaler, orient, pix_per_cell, cell_per_block, spatial_size, hist_bins, spatial_feat) xstart = 0 xstop = 1200 ystart = 400 ystop = 550 scale = 1 bboxes = bboxes + find_cars(image, color_space, xstart, xstop, ystart, ystop, scale, svc, X_scaler, orient, pix_per_cell, cell_per_block, spatial_size, hist_bins, spatial_feat) ystart = 400 ystop = 650 scale = 1.5 bboxes = bboxes + find_cars(image, color_space, xstart, xstop, ystart, ystop, scale, svc, X_scaler, orient, pix_per_cell, cell_per_block, spatial_size, hist_bins, spatial_feat) ystart = 450 ystop = 700 scale = 2 bboxes = bboxes + find_cars(image, color_space, xstart, xstop, ystart, ystop, scale, svc, X_scaler, orient, pix_per_cell, cell_per_block, spatial_size, hist_bins, spatial_feat) return bboxes # In[13]: get_ipython().run_line_magic('matplotlib', 'inline') test_files = glob.glob('./test_images/*.jpg') for filename in test_files: img = mpimg.imread(filename) draw_img = np.copy(img) bboxes = tiered_window_search(img) for bbx in bboxes: cv2.rectangle(draw_img,bbx[0],bbx[1],(0,0,255),6) fig = plt.figure(figsize=(15,9)) plt.imshow(draw_img) plt.savefig('output_images/test_bboxes_{}'.format(filename.split('/')[-1])) # ## Video Generation # In[14]: # Import everything needed to edit/save/watch video clips from moviepy.editor import VideoFileClip from IPython.display import HTML import os # In[15]: def tiered_window_search_video(img): draw_img = np.copy(img) bboxes = [] xstart = 500 xstop = 850 ystart = 400 ystop = 475 scale = 0.5 bboxes = bboxes + find_cars(img, color_space, xstart, xstop, ystart, ystop, scale, svc, X_scaler, orient, pix_per_cell, cell_per_block, spatial_size, hist_bins, spatial_feat) xstart = 0 xstop = 1200 ystart = 400 ystop = 550 scale = 1 bboxes = bboxes + find_cars(img, color_space, xstart, xstop, ystart, ystop, scale, svc, X_scaler, orient, pix_per_cell, cell_per_block, spatial_size, hist_bins, spatial_feat) ystart = 400 ystop = 650 scale = 1.5 bboxes = bboxes + find_cars(img, color_space, xstart, xstop, ystart, ystop, scale, svc, X_scaler, orient, pix_per_cell, cell_per_block, spatial_size, hist_bins, spatial_feat) ystart = 450 ystop = 700 scale = 2 bboxes = bboxes + find_cars(img, color_space, xstart, xstop, ystart, ystop, scale, svc, X_scaler, orient, pix_per_cell, cell_per_block, spatial_size, hist_bins, spatial_feat) for bbx in bboxes: cv2.rectangle(draw_img,bbx[0],bbx[1],(0,0,255),6) return draw_img # In[19]: out_video_dir = "output_video_images" if not os.path.exists(out_video_dir): os.mkdir(out_video_dir) video_output = out_video_dir + '/vehicles_rough2.mp4' ## To speed up the testing process you may want to try your pipeline on a shorter subclip of the video ## To do so add .subclip(start_second,end_second) to the end of the line below ## Where start_second and end_second are integer values representing the start and end of the subclip ## You may also uncomment the following line for a subclip of the first 5 seconds # clip1 = VideoFileClip("test_videos/solidWhiteRight.mp4").subclip(0,5) video_clip = VideoFileClip("project_video.mp4") clip = video_clip.fl_image(tiered_window_search_video) #NOTE: this function expects color images!! get_ipython().run_line_magic('time', 'clip.write_videofile(video_output, audio=False)') # In[20]: HTML(""" <video width="960" height="540" controls> <source src="{0}"> </video> """.format(video_output)) # In[29]: from scipy.ndimage.measurements import label # Define a function that generates a heatmap from a list of bboxes def add_heat(heatmap, bbox_list): # Iterate through list of bboxes for box in bbox_list: # Add += 1 for all pixels inside each bbox # Assuming each "box" takes the form ((x1, y1), (x2, y2)) heatmap[box[0][1]:box[1][1], box[0][0]:box[1][0]] += 1 # Return updated heatmap return heatmap # Define a function that thresholds heatmap to filter out noise def apply_threshold(heatmap, threshold): # Zero out pixels below the threshold heatmap[heatmap <= threshold] = 0 # Return thresholded map return heatmap from scipy.ndimage.measurements import label # Define a function that draws bboxes around an image with distinct features def draw_labeled_bboxes(img, labels): labels = label(img) # Iterate through all detected cars for car_number in range(1, labels[1]+1): # Find pixels with each car_number label value nonzero = (labels[0] == car_number).nonzero() # Identify x and y values of those pixels nonzeroy = np.array(nonzero[0]) nonzerox = np.array(nonzero[1]) # Define a bounding box based on min/max x and y bbox = ((np.min(nonzerox), np.min(nonzeroy)), (np.max(nonzerox), np.max(nonzeroy))) # Draw the box on the image cv2.rectangle(img, bbox[0], bbox[1], (0,255,), 20) # Return the image return img def tiered_window_search_smoothed(img): global recent_heat_maps, frame_ind draw_img = np.copy(img) bboxes = [] xstart = 500 xstop = 850 ystart = 400 ystop = 475 scale = 0.5 bboxes = bboxes + find_cars(img, color_space, xstart, xstop, ystart, ystop, scale, svc, X_scaler, orient, pix_per_cell, cell_per_block, spatial_size, hist_bins, spatial_feat) xstart = 0 xstop = 1200 ystart = 400 ystop = 550 scale = 1 bboxes = bboxes + find_cars(img, color_space, xstart, xstop, ystart, ystop, scale, svc, X_scaler, orient, pix_per_cell, cell_per_block, spatial_size, hist_bins, spatial_feat) ystart = 400 ystop = 650 scale = 1.5 bboxes = bboxes + find_cars(img, color_space, xstart, xstop, ystart, ystop, scale, svc, X_scaler, orient, pix_per_cell, cell_per_block, spatial_size, hist_bins, spatial_feat) ystart = 450 ystop = 700 scale = 2 bboxes = bboxes + find_cars(img, color_space, xstart, xstop, ystart, ystop, scale, svc, X_scaler, orient, pix_per_cell, cell_per_block, spatial_size, hist_bins, spatial_feat) if (frame_ind == 0): recent_heat_map = np.zeros_like(img[:,:,0]).astype(np.float) heat_map = add_heat(recent_heat_map, bboxes) heat_map = apply_threshold(heat_map,1) labels = label(heat_map) draw_img = draw_labeled_bboxes(draw_img, labels) recent_heat_map = apply_threshold(recent_heat_map, 1) frame_ind = 0 return draw_img # In[30]: frame_ind = 0 out_video_dir = "output_video_images" if not os.path.exists(out_video_dir): os.mkdir(out_video_dir) video_output = out_video_dir + '/vehicles_filtered.mp4' ## To speed up the testing process you may want to try your pipeline on a shorter subclip of the video ## To do so add .subclip(start_second,end_second) to the end of the line below ## Where start_second and end_second are integer values representing the start and end of the subclip ## You may also uncomment the following line for a subclip of the first 5 seconds # clip1 = VideoFileClip("test_videos/solidWhiteRight.mp4").subclip(0,5) video_clip = VideoFileClip("project_video.mp4") clip = video_clip.fl_image(tiered_window_search_smoothed) #NOTE: this function expects color images!! get_ipython().run_line_magic('time', 'clip.write_videofile(video_output, audio=False)') # In[31]: HTML(""" <video width="960" height="540" controls> <source src="{0}"> </video> """.format(video_output))
21,685
6870189132d0436599583b1ecceedfe6e97f74d7
from fractions import gcd import random # Computes Euler's totient for n. def phi(n): b=n-1 c=0 while b: if not gcd(n,b)-1: c+=1 b-=1 return c # Computes the factorization of n. def find_prime_factors(n): i = 2 factors = [] while i * i <= n: if n % i: i += 1 else: n //= i factors.append(i) if n > 1: factors.append(n) return factors # Computes the primitive roots of n. def primitive_roots(n): prim_roots = [] phi_n = phi(n) prime_factors = find_prime_factors(phi_n) k = len(prime_factors) for i in range(1,n): found = True for j in range(1,k): ai = pow(i, phi_n/prime_factors[j],n) if ai == 1: found = False break if found: prim_roots.append(i) return prim_roots # main _ test if __name__ == "__main__": p = 17 print (phi(p)) print(primitive_roots(p))
21,686
4767bdb1efd8cdaa3e3c5e396e9aa52e10b0ca66
import pandas as pd import numpy as np import json, requests pd.set_option("display.max_rows", 1000) def print_wrapped(data, ncols=3): """A helper function to wrap data columns for easier viewing.""" nrows = len(data) labels = data.index n_split_rows = int(np.ceil(nrows / ncols)) for r in range(0, nrows, ncols): for c in range(ncols): try: numstr = '{}'.format(data[r + c]) tabs = [' '] * (20 - len(labels[r + c]) - len(numstr)) print(labels[r + c] + "".join(tabs) + numstr, end='\t') except: pass print() filename = 'raw_iowa_data.csv' url = 'https://data.iowa.gov/resource/spsw-4jax.json' options = '?$select=date,county,sum(sale_dollars),sum(sale_liters)&$group=date,county&$limit=10&$offset=1500' myResponse = requests.get(url + options, verify=True) print(myResponse.content.decode('utf-8')) def getCityDailyData(offset=0): """ A function to pull the data from the api Args: offset (optional, default 0): An offset to the records (if there are more than 50,000) Returns: A JSON array with the results. """ url = 'https://data.iowa.gov/resource/spsw-4jax.json' selectQuery = '?$select=date,county,sum(sale_dollars),sum(sale_liters)&$group=date,county' limitQuery = '&$limit=50000' if offset > 0: offset = '&$offset={}'.format(offset) query = url + selectQuery + limitQuery + offset else: query = url + selectQuery + limitQuery # Send the query to the API endpoint myResponse = requests.get(query, verify=True) jData = '' # For successful API call, response code will be 200 (OK) try: if (myResponse.ok): jData = json.loads(myResponse.content.decode('utf-8')) print("The response contains {0} properties".format(len(jData))) else: print(myResponse.status_code) print(myResponse.headers) except: print(myResponse.status_code) print(myResponse.headers) return jData # end of get city data function data_set1 = getCityDailyData() count = len(data_set1) offset = count # this is going to run through as many times as needed to get all the data from the api while True: data_set2 = getCityDailyData(count) count = count + len(data_set2) ildfs = pd.json_normalize(data_set1) ildfs2 = pd.json_normalize(data_set2) # creates a CSV when it fishes if len(data_set2) < offset: df = ildfs.append(ildfs2) df.head() df.to_csv(filename, index=False) print('\n') break
21,687
6cd35bd1b34be5cb2518aaa7ad93107dfe34a740
#!/usr/bin/env python # RUN: python copy_cards.py --channel bWbj_T import os, sys, time,math import subprocess from random import randint from optparse import OptionParser parser = OptionParser() parser.add_option("--channel", type="str", dest="chan", help="channel: it should contain particle and chirality") (options, args) = parser.parse_args() channel = options.chan #channel="bWbj_YL" """ mass=(800 , 1000 , 1400) width=(10 , 20 , 30) base="_M800GeV_W10p" toMass="_M" toWidth="GeV_W" pp="p" """ slash="/" cust="_customizecards.dat" proc="_proc_card.dat" EM="_extramodels.dat" run="_run_card.dat" run="_run_card.dat" decay="_madspin_card.dat" """ fprocess = open('../../submit_'+str(channel)+'.sh', 'w') fprocess.write('#!/bin/bash \n') fsetup = open('../../setup_'+str(channel)+'.sh', 'w') fsetup.write('#!/bin/bash \n') fsetup.write('mkdir '+channel+'\n') frun = open('../../run_'+str(channel)+'.sh', 'w') frun.write('#!/bin/bash \n') """ filist = "list_VBF_HH_SM.dat" fl = open(filist, 'r+') linesp = fl.readlines() # get all lines as a list (array) print "read ",filist counter=1 par=[] for linep in linesp: #for m in range(0,len(mass)): #for w in range(0,len(width)): print linep ll = [] counterp =0 tokens = linep.split() for token in tokens: num = "" num_char="." num_char2="-" num_char3="e" for char in token: if char.isdigit() or (char in num_char) or (char in num_char2) or (char in num_char3): num = num + char try: ll.append(float(num)) except ValueError: pass #if (counterp == 4) : #par.append(float(ll[0])) #counterp += 1 string = str(ll[0]) + " "+str(ll[1]) + " "+str(ll[2]) print "point "+ str(counter)+" = " +string+"\n" # folderbase= "" #channel+slash folderbaseMW=channel+"_"+str(1) filecustbase = folderbase+folderbaseMW+slash+folderbaseMW+cust fileprocbase = folderbase+folderbaseMW+slash+folderbaseMW+proc fileEMbase = folderbase+folderbaseMW+slash+folderbaseMW+EM filerunbase = folderbase+folderbaseMW+slash+folderbaseMW+run filedecaybase = folderbase+folderbaseMW+slash+folderbaseMW+decay # folder= "" folderMW=channel+"_"+str(counter) print folderbaseMW procMW=folderMW+proc filecust = folder+folderMW+slash+folderMW+cust fileproc = folder+folderMW+slash+folderMW+proc fileEM = folder+folderMW+slash+folderMW+EM filerun = folder+folderMW+slash+folderMW+run filedecay = folder+folderMW+slash+folderMW+decay # process = subprocess.Popen(["mkdir "+folder+folderMW],shell=True,stdout=subprocess.PIPE) out = process.stdout.read() process = subprocess.Popen(["cp "+fileprocbase+" "+fileproc+"; "+\ "cp "+filecustbase+" "+filecust+"; "+\ "cp "+fileEMbase+" "+fileEM+"; "+\ "cp "+filedecaybase+" "+filedecay+"; "+\ "cp "+filerunbase+" "+filerun+"; "\ ],shell=True,stdout=subprocess.PIPE) out = process.stdout.read() # print fileproc with open(fileproc, 'r+') as f: content = f.read() f.seek(0) f.truncate() f.write(content.replace('output SM_VBF_HH_1 -nojpeg','output SM_VBF_HH_'+str(counter)+' -nojpeg')) print filecust with open(filecust, 'r+') as fp: content = fp.read() fp.seek(0) fp.truncate() fp.write(content.replace('set param_card new 1 0.5','set param_card new 1 '+str(ll[1]))) with open(filecust, 'r+') as fp1: content = fp1.read() fp1.seek(0) fp1.truncate() fp1.write(content.replace('set param_card new 2 0.5','set param_card new 2 '+str(ll[2]))) with open(filecust, 'r+') as fp2: content = fp2.read() fp2.seek(0) fp2.truncate() fp2.write(content.replace('set param_card new 3 1.0','set param_card new 3 '+str(ll[0]))) counter+=1 #with open(filecust, 'r+') as fp: # content = fp.read() # fp.seek(0) # fp.truncate() # fp.write(content.replace('80.0', str(float(mass[m]*width[w]/100)))) #################################################################################### # make scripts to run ################################################################################### """ fprocess.write('./gridpack_generation.sh '+channel+toMass+str(mass[m])+toWidth+str(width[w])+"p cards/singleVLQ_wide/"+\ channel+slash+channel+toMass+str(mass[m])+toWidth+str(width[w])+'p 1nh & \n') dirrun=channel+slash+channel+toMass+str(mass[m])+toWidth+str(width[w])+'p' fsetup.write('mkdir '+dirrun+" \n"+\ 'mv '+channel+toMass+str(mass[m])+toWidth+str(width[w])+'p_tarball.tar.xz ' +dirrun+" \n"+\ 'cd '+dirrun+"\n"+\ 'tar xvfJ '+channel+toMass+str(mass[m])+toWidth+str(width[w])+'p_tarball.tar.xz &\n'+\ 'cd - \n') frun.write('cp cards/singleVLQ_wide/runcmsgrid_PDF4LHC.sh '+dirrun+'\n'+\ 'cd '+dirrun+"\n"+\ './runcmsgrid.sh 30000 '+str(randint(0,10000)) +' 10 > output_'+channel+toMass+str(mass[m])+toWidth+str(width[w])+'p &\n'+\ 'cd - \n') """ #fprocess.close()
21,688
8a01e3abaff9f2421df4a16a1df2c4c6092bb75c
import pygame import random pygame.init() win=pygame.display.set_mode((500,200)) pygame.display.set_caption('AI_PATH_FINDER') x1=10 y1=150 x2=30 y2=130 x3=15 y3=180 x4=28 y4=180 x5=0 y5=185 xog=600 yog=155 xoa=600 yoa=110 xgo=600 ygo=193 isduck=False width_vary_ground=random.randrange(10,50) width_vary_air=random.randrange(10,50) vel=5 animation_count=0 run=True jump_count=10 is_jump=False score=0 with open('high_score.txt','r+')as f: h_score=f.readline() h_score=int(h_score) while run: font = pygame.font.Font('freesansbold.ttf', 32) text = font.render('score: '+str(score), True, (0,0,0), (255,255,255)) textRect = text.get_rect() text1 = font.render('Hscore: '+str(h_score), True, (0,0,0), (255,255,255)) textRect1 = text1.get_rect() textRect1.center = (390,15) #exit the game!!!!!!!!!!!!!!!!!!!! for event in pygame.event.get(): #print(event) if event.type==pygame.QUIT: run=False keys=pygame.key.get_pressed() if not(is_jump): if keys[pygame.K_SPACE]: is_jump=True if keys[pygame.K_DOWN]: isduck=1 if isduck==True: temp=155 y2=temp else: isduck=0 temp=130 y2=temp else: print(jump_count) if jump_count>=-10: neg=1 if jump_count<0: neg=-1 y1-=(jump_count**2)*0.2*neg y2-=(jump_count**2)*0.2*neg y3-=(jump_count**2)*0.2*neg y4-=(jump_count**2)*0.2*neg jump_count-=1 else: is_jump=False jump_count=10 pygame.time.delay(20) win.fill((255,255,255)) win.blit(text, textRect) win.blit(text1, textRect1) #get key pressed !!!!!!!!!!!!!!!!!!!! pygame.draw.rect(win,(0,0,0),(x1,y1,30,30)) pygame.draw.rect(win,(0,0,0),(x2,y2,20,20)) if animation_count%10==0: pygame.draw.rect(win,(0,0,0),(x3+1000,y3+1000,4,5)) pygame.draw.rect(win,(0,0,0),(x4,y4,4,5)) else: pygame.draw.rect(win,(0,0,0),(x3,y3,4,5)) pygame.draw.rect(win,(0,0,0),(x4+1000,y4+1000,4,5)) if (xog-xoa)<=100 or (xoa-xog)>=-100: xoa=xog+600 pygame.draw.rect(win,(0,0,0),(x5,y5,600,5)) pygame.draw.rect(win,(0,0,0),(xog,yog,width_vary_ground,30)) pygame.draw.rect(win,(0,0,0),(xoa,yoa,width_vary_air,30)) pygame.draw.rect(win,(0,0,0),(xgo,ygo,10,10)) xog=xog-vel xgo=xgo-vel xoa=xoa-vel if xog<0: score=score+10 xog=random.randrange(500,2000) xgo=random.randrange(500,600) width_vary_ground=random.randrange(10,50) binary=random.randint(1,2) if binary==1: vel=vel+(random.randint(1,10)/10) elif binary==2: vel=vel-(random.randint(1,6)/10) if xoa<0: score=score+10 xoa=random.randrange(500,2000) print(yoa) yoa=random.randrange(90,110) width_vary_air=random.randrange(10,50) binary=random.randint(1,2) if binary==1: vel=vel+(random.randint(1,10)/10) elif binary==2: vel=vel-(random.randint(1,6)/10) if x2-xoa>=-200: print(y1-yoa) if (x1-xog>=-2 and y1-yog>=-2) or (x3-xog>=-2 and y4-yog>=-2) or (x2-xoa>=-2 and y2-yoa<=20 ): print('game over') if score>h_score: with open('high_score.txt','r+')as f: f.writelines(str(score)) break pygame.display.update() animation_count+=5 pygame.quit()
21,689
5bf592017f58505a022a293eb7561878dd962ab4
import requests # data links available from # https://research.stlouisfed.org/econ/mccracken/fred-databases/ url = 'https://s3.amazonaws.com/files.fred.stlouisfed.org/fred-md/monthly/current.csv' r = requests.get(url, allow_redirects=True) open('data/current.csv', 'wb').write(r.content)
21,690
ad946ac7b903d595acf265ac8d404204c16a26ad
#!/usr/bin/python3 # -*- coding=utf-8 -*- import tensorflow as tf from tensorflow.keras import backend as K def yolo2_boxes_to_corners(box_xy, box_wh): """Convert YOLOv2 box predictions to bounding box corners.""" box_mins = box_xy - (box_wh / 2.) box_maxes = box_xy + (box_wh / 2.) return K.concatenate([ box_mins[..., 1:2], # y_min box_mins[..., 0:1], # x_min box_maxes[..., 1:2], # y_max box_maxes[..., 0:1] # x_max ]) def yolo2_filter_boxes(boxes, box_confidence, box_class_probs, threshold=.6): """Filter YOLOv2 boxes based on object and class confidence.""" box_scores = box_confidence * box_class_probs box_classes = K.argmax(box_scores, axis=-1) box_class_scores = K.max(box_scores, axis=-1) prediction_mask = box_class_scores >= threshold # TODO: Expose tf.boolean_mask to Keras backend? boxes = tf.boolean_mask(boxes, prediction_mask) scores = tf.boolean_mask(box_class_scores, prediction_mask) classes = tf.boolean_mask(box_classes, prediction_mask) return boxes, scores, classes def yolo2_decode(feats, anchors, num_classes, input_shape, scale_x_y=None, calc_loss=False): """Decode final layer features to bounding box parameters.""" num_anchors = len(anchors) # Reshape to batch, height, width, num_anchors, box_params. anchors_tensor = K.reshape(K.constant(anchors), [1, 1, 1, num_anchors, 2]) grid_shape = K.shape(feats)[1:3] # height, width grid_y = K.tile(K.reshape(K.arange(0, stop=grid_shape[0]), [-1, 1, 1, 1]), [1, grid_shape[1], 1, 1]) grid_x = K.tile(K.reshape(K.arange(0, stop=grid_shape[1]), [1, -1, 1, 1]), [grid_shape[0], 1, 1, 1]) grid = K.concatenate([grid_x, grid_y]) grid = K.cast(grid, K.dtype(feats)) feats = K.reshape( feats, [-1, grid_shape[0], grid_shape[1], num_anchors, num_classes + 5]) # Adjust preditions to each spatial grid point and anchor size. if scale_x_y: # Eliminate grid sensitivity trick involved in YOLOv4 # # Reference Paper & code: # "YOLOv4: Optimal Speed and Accuracy of Object Detection" # https://arxiv.org/abs/2004.10934 # https://github.com/opencv/opencv/issues/17148 # box_xy_tmp = K.sigmoid(feats[..., :2]) * scale_x_y - (scale_x_y - 1) / 2 box_xy = (box_xy_tmp + grid) / K.cast(grid_shape[..., ::-1], K.dtype(feats)) else: box_xy = (K.sigmoid(feats[..., :2]) + grid) / K.cast(grid_shape[..., ::-1], K.dtype(feats)) #box_wh = K.exp(feats[..., 2:4]) * anchors_tensor / K.cast(grid_shape[..., ::-1], K.dtype(feats)) box_wh = K.exp(feats[..., 2:4]) * anchors_tensor / K.cast(input_shape[..., ::-1], K.dtype(feats)) box_confidence = K.sigmoid(feats[..., 4:5]) box_class_probs = K.softmax(feats[..., 5:]) if calc_loss == True: return grid, feats, box_xy, box_wh return box_xy, box_wh, box_confidence, box_class_probs def yolo2_eval(yolo_outputs, image_shape, max_boxes=10, score_threshold=.6, iou_threshold=.5): """Evaluate YOLOv2 model on given input batch and return filtered boxes.""" box_xy, box_wh, box_confidence, box_class_probs = yolo_outputs boxes = yolo2_boxes_to_corners(box_xy, box_wh) boxes, scores, classes = yolo2_filter_boxes( boxes, box_confidence, box_class_probs, threshold=score_threshold) # Scale boxes back to original image shape. height = image_shape[0] width = image_shape[1] image_dims = K.stack([height, width, height, width]) image_dims = K.reshape(image_dims, [1, 4]) boxes = boxes * image_dims # TODO: Something must be done about this ugly hack! max_boxes_tensor = K.constant(max_boxes, dtype='int32') K.get_session().run(tf.variables_initializer([max_boxes_tensor])) nms_index = tf.image.non_max_suppression( boxes, scores, max_boxes_tensor, iou_threshold=iou_threshold) boxes = K.gather(boxes, nms_index) scores = K.gather(scores, nms_index) classes = K.gather(classes, nms_index) return boxes, scores, classes def yolo2_correct_boxes(box_xy, box_wh, input_shape, image_shape): '''Get corrected boxes''' input_shape = K.cast(input_shape, K.dtype(box_xy)) image_shape = K.cast(image_shape, K.dtype(box_xy)) #reshape the image_shape tensor to align with boxes dimension image_shape = K.reshape(image_shape, [-1, 1, 1, 1, 2]) new_shape = K.round(image_shape * K.min(input_shape/image_shape)) offset = (input_shape-new_shape)/2./input_shape scale = input_shape/new_shape # reverse offset/scale to match (w,h) order offset = offset[..., ::-1] scale = scale[..., ::-1] box_xy = (box_xy - offset) * scale box_wh *= scale box_mins = box_xy - (box_wh / 2.) box_maxes = box_xy + (box_wh / 2.) boxes = K.concatenate([ box_mins[..., 0:1], # x_min box_mins[..., 1:2], # y_min box_maxes[..., 0:1], # x_max box_maxes[..., 1:2] # y_max ]) # Scale boxes back to original image shape. image_wh = image_shape[..., ::-1] boxes *= K.concatenate([image_wh, image_wh]) return boxes def batched_yolo2_boxes_and_scores(feats, anchors, num_classes, input_shape, image_shape, scale_x_y): '''Process Conv layer output''' box_xy, box_wh, box_confidence, box_class_probs = yolo2_decode(feats, anchors, num_classes, input_shape, scale_x_y=scale_x_y) num_anchors = len(anchors) grid_shape = K.shape(feats)[1:3] # height, width total_anchor_num = grid_shape[0] * grid_shape[1] * num_anchors boxes = yolo2_correct_boxes(box_xy, box_wh, input_shape, image_shape) boxes = K.reshape(boxes, [-1, total_anchor_num, 4]) # check if only 1 class for different score box_scores = tf.cond(K.equal(K.constant(value=num_classes, dtype='int32'), 1), lambda: box_confidence, lambda: box_confidence * box_class_probs) box_scores = K.reshape(box_scores, [-1, total_anchor_num, num_classes]) return boxes, box_scores def batched_yolo2_postprocess(args, anchors, num_classes, max_boxes=100, confidence=0.1, iou_threshold=0.4, elim_grid_sense=False): """Postprocess for YOLOv2 model on given input and return filtered boxes.""" yolo_outputs = args[0] image_shape = args[1] scale_x_y = 1.05 if elim_grid_sense else None input_shape = K.shape(yolo_outputs)[1:3] * 32 batch_size = K.shape(image_shape)[0] # batch size, tensor boxes, box_scores = batched_yolo2_boxes_and_scores(yolo_outputs, anchors, num_classes, input_shape, image_shape, scale_x_y) mask = box_scores >= confidence max_boxes_tensor = K.constant(max_boxes, dtype='int32') def single_image_nms(b, batch_boxes, batch_scores, batch_classes): boxes_ = [] scores_ = [] classes_ = [] for c in range(num_classes): # TODO: use keras backend instead of tf. class_boxes = tf.boolean_mask(boxes[b], mask[b, :, c]) class_box_scores = tf.boolean_mask(box_scores[b, :, c], mask[b, :, c]) nms_index = tf.image.non_max_suppression( class_boxes, class_box_scores, max_boxes_tensor, iou_threshold=iou_threshold) class_boxes = K.gather(class_boxes, nms_index) class_box_scores = K.gather(class_box_scores, nms_index) classes = K.ones_like(class_box_scores, 'int32') * c boxes_.append(class_boxes) scores_.append(class_box_scores) classes_.append(classes) boxes_ = K.concatenate(boxes_, axis=0) scores_ = K.concatenate(scores_, axis=0) classes_ = K.concatenate(classes_, axis=0) batch_boxes = batch_boxes.write(b, boxes_) batch_scores = batch_scores.write(b, scores_) batch_classes = batch_classes.write(b, classes_) return b+1, batch_boxes, batch_scores, batch_classes batch_boxes = tf.TensorArray(K.dtype(boxes), size=1, dynamic_size=True) batch_scores = tf.TensorArray(K.dtype(box_scores), size=1, dynamic_size=True) batch_classes = tf.TensorArray(dtype=tf.int32, size=1, dynamic_size=True) _, batch_boxes, batch_scores, batch_classes = tf.while_loop(lambda b,*args: b<batch_size, single_image_nms, [0, batch_boxes, batch_scores, batch_classes]) batch_boxes = batch_boxes.stack() batch_scores = batch_scores.stack() batch_classes = batch_classes.stack() return batch_boxes, batch_scores, batch_classes
21,691
a559b7f539a8af3667c2e64c106ba117c4751451
# Copyright 2022 The go-python Authors. All rights reserved. # Use of this source code is governed by a BSD-style # license that can be found in the LICENSE file. import time now = time.time() now = time.time_ns() now = time.clock() def notimplemented(fn, *args, **kwargs): try: fn(*args, **kwargs) print("error for %s(%s, %s)" % (fn,args,kwargs)) except NotImplementedError: pass notimplemented(time.clock_gettime) notimplemented(time.clock_settime) print("# sleep") time.sleep(0.1) try: time.sleep(-1) print("no error sleep(-1)") except ValueError as e: print("caught error: %s" % (e,)) pass try: time.sleep("1") print("no error sleep('1')") except TypeError as e: print("caught error: %s" % (e,)) pass notimplemented(time.gmtime) notimplemented(time.localtime) notimplemented(time.asctime) notimplemented(time.ctime) notimplemented(time.mktime, 1) notimplemented(time.strftime) notimplemented(time.strptime) notimplemented(time.tzset) notimplemented(time.monotonic) notimplemented(time.process_time) notimplemented(time.perf_counter) notimplemented(time.get_clock_info) print("OK")
21,692
bbb8f7ccd29630dc2c663fd4014b0905be9034b4
import networkx as nx import numpy as np import random import math class Grid: # n: the grid will be sqrt(n) x sqrt(n) # p: each node on the grid will have a probability p of not existing def __init__(self, n, p): self.n = n self.p = p self.G = self.constructGrid() self.removeNodes() self.G = self.largest() self.m = len(self.G) # constructGrid: returns G, a networkx grid graph with 'n' nodes and dimensions sqrt(n) x sqrt(n) # assignNodes: returns V, an array [0, 1, ..., n - 1] # assignEdges: returns E, an array consisting of edges for a grid graph with 'n' nodes # removeNodes: removes nodes with probability 'p' def constructGrid(self): G = nx.Graph() G.add_nodes_from(self.assignNodes()) G.add_edges_from(self.assignEdges()) return G def assignNodes(self): V = [] for v in range(self.n): V.append(v) return V def assignEdges(self): E = [] s = math.sqrt(self.n) """ 1. do not add any edges to node n - 1 2. if node v is on the right side of the grid, only add a DOWN edge 3. if node v is on the lower side of the grid, only add a RIGHT edge 4. otherwise, add a RIGHT edge and a DOWN edge to node v """ for v in range(self.n): if v == self.n - 1: pass elif v > self.n - s - 1 and v < self.n - 1: E.append((v, v + 1)) elif v % s == s - 1 and v != 0: E.append((v, v + s)) else: E.append((v, v + 1)) E.append((v, v + s)) return E def removeNodes(self): for v in range(self.n): if(random.uniform(0,1) < self.p): self.G.remove_node(v) # displays the graph G def displayGraph(self): # assign coordinate positions to each node in 'G' # p[v] = (x,y) implies that node v is at position (x,y) pos = self.assignPos() # draw and display graph 'G' plt.figure(1,figsize=(20,20)) nx.draw(self.G, pos, node_size=1) plt.show() # pos: a dictionary where pos[v] = (x,y) implies that the position of node v is (x, y) in a grid graph # if the node doesn't exist, don't bother with adding it to the dictionary def assignPos(self): s = math.sqrt(self.n) pos = {0:(0,0)} count = 0 y = 0 for v in range(self.n): count += 1 if count % s == 1 and v != 0: y += 1 pos[v] = (int(v % s), -y) # remove all the positions for nodes that don't exist for v in range(self.n): if v not in self.G.nodes: del pos[v] return pos # displays histogram of G's connected component sizes def largest(self): # generate a sorted list of connected components, largest first cc = sorted(nx.connected_components(self.G), key=len, reverse=True) return self.G.subgraph(cc[0])
21,693
0cf57e7c4c14f241e2378330e41487e32c0dc4ab
from numpy import * from loadData import * def trainNB0(trainMatrix,trainCategory): numTrainDocs = len(trainMatrix) numWords = len(trainMatrix[0]) pAbusive = sum(trainCategory)/float(numTrainDocs) p0Num = ones(numWords); p1Num = ones(numWords) #change to ones() p0Denom = 2.0; p1Denom = 2.0 #change to 2.0 for i in range(numTrainDocs): if trainCategory[i] == 1: p1Num += trainMatrix[i] p1Denom += sum(trainMatrix[i]) else: p0Num += trainMatrix[i] p0Denom += sum(trainMatrix[i]) p1Vect = log(p1Num/p1Denom) #change to log() p0Vect = log(p0Num/p0Denom) #change to log() return p0Vect,p1Vect,pAbusive def classifyNB(vec2Classify, p0Vec, p1Vec, pClass1): #print vec2Classify # [0 1 0 0 0 0 0 0 0 0 0 1 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 1] #print p0Vec """[-2.56494936 -2.56494936 -2.56494936 -3.25809654 -3.25809654 -2.56494936 -2.56494936 -2.56494936 -3.25809654 -2.56494936 -2.56494936 -2.56494936 -2.56494936 -3.25809654 -3.25809654 -2.15948425 -3.25809654 -3.25809654 -2.56494936 -3.25809654 -2.56494936 -2.56494936 -3.25809654 -2.56494936 -2.56494936 -2.56494936 -3.25809654 -2.56494936 -3.25809654 -2.56494936 -2.56494936 -1.87180218]""" #print p1Vec """[-3.04452244 -3.04452244 -3.04452244 -2.35137526 -2.35137526 -3.04452244 -3.04452244 -3.04452244 -2.35137526 -2.35137526 -3.04452244 -3.04452244 -3.04452244 -2.35137526 -2.35137526 -2.35137526 -2.35137526 -2.35137526 -3.04452244 -1.94591015 -3.04452244 -2.35137526 -2.35137526 -3.04452244 -1.94591015 -3.04452244 -1.65822808 -3.04452244 -2.35137526 -3.04452244 -3.04452244 -3.04452244]""" #print vec2Classify * p1Vec """ [-0. -3.04452244 -0. -0. -0. -0. -0. -0. -0. -0. -0. -3.04452244 -0. -0. -0. -0. -0. -0. -0. -0. -0. -0. -0. -0. -0. -0. -0. -0. -0. -0. -0. -3.04452244] """ #print sum(vec2Classify * p1Vec) # -9.13356731317 p1 = sum(vec2Classify * p1Vec) + log(pClass1) #element-wise mult p0 = sum(vec2Classify * p0Vec) + log(1.0 - pClass1) if p1 > p0: return 1 else: return 0 def testingNB(): listOPosts,listClasses = loadDataSet() myVocabList = createVocabList(listOPosts) trainMat=[] for postinDoc in listOPosts: trainMat.append(setOfWords2Vec(myVocabList, postinDoc)) p0V,p1V,pAb = trainNB0(array(trainMat),array(listClasses)) """ print array(trainMat) [[0 0 1 0 0 0 1 0 0 0 1 0 0 0 0 0 0 0 1 0 0 0 0 1 1 0 0 0 0 0 0 1] [0 0 0 0 0 0 0 0 1 0 0 0 0 0 1 1 0 0 0 0 0 1 1 0 1 0 1 0 1 0 0 0] [1 1 0 0 0 1 0 1 0 0 0 1 0 0 0 1 0 0 0 0 0 0 0 0 0 0 0 1 0 0 0 1] [0 0 0 1 0 0 0 0 0 1 0 0 0 0 0 0 0 1 0 1 0 0 0 0 0 0 1 0 0 0 0 0] [0 0 0 0 0 0 0 0 0 1 0 0 1 0 0 1 0 0 0 0 1 1 0 0 0 1 0 0 0 1 1 1] [0 0 0 0 1 0 0 0 0 0 0 0 0 1 0 0 1 0 0 1 0 0 0 0 1 0 1 0 0 0 0 0]] """ testEntry = ['love', 'my', 'dalmation'] thisDoc = array(setOfWords2Vec(myVocabList, testEntry)) print testEntry,'classified as: ',classifyNB(thisDoc,p0V,p1V,pAb) """ testEntry = ['stupid', 'garbage'] thisDoc = array(setOfWords2Vec(myVocabList, testEntry)) print testEntry,'classified as: ',classifyNB(thisDoc,p0V,p1V,pAb) """ #testingNB() #['love', 'my', 'dalmation'] classified as: 0 #['stupid', 'garbage'] classified as: 1
21,694
e42b76d2fdf7d3aa3761bd5f147665f4a7b83093
import cv2 import numpy as np import glob, os from global_Var import * def loadVideo_byName(videoName): video = [] img_folder_path = dataPath + videoName + "/img/" for file in glob.glob(img_folder_path + "*.jpg"): img = cv2.imread(file) video.append(img) os.chdir("./") return video def loadVideo_byPath(videopath): video = [] img_folder_path = videopath for file in glob.glob(img_folder_path + "*.jpg"): img = cv2.imread(file) video.append(img) os.chdir("./") return video def loadVideoFrame(videoName, frame): os.chdir(dataPath + videoName) file = glob.glob("*.jpg") img = cv2.imread(file[frame]) return img def loadVideoGt(videoName): # read gt_file_path = dataPath + videoName + "/" + gtFileName gt = np.loadtxt(gt_file_path,delimiter=",") return gt
21,695
f74a7582eb11506cb0892f86dc064c55cdccfd72
import os import time import json from flask import Flask, render_template, request from flask_socketio import SocketIO, emit # from helper import * from helper import winner, terminal, minimax, initial_state, result # Use /python3 app.py/ to run app = Flask(__name__) app.config["SECRET_KEY"] = os.getenv("SECRET_KEY") socketio = SocketIO(app, async_mode = None) # Ensure templates are auto-reloaded app.config["TEMPLATES_AUTO_RELOAD"] = True @app.after_request def after_request(response): response.headers["Cache-Control"] = "no-cache, no-store, must-revalidate" response.headers["Expires"] = 0 response.headers["Pragma"] = "no-cache" return response @socketio.on("reset") def reset_board(): """Send the empty state of the board to reset the game""" board = initial_state() emit("update", board) @socketio.on("action") def make_move(json): """Send the state of the board after the desired move is made""" res = result(json["board"], tuple(json["move"])) emit("update", res) @socketio.on("check_status") def board_status(board): """Check the board to see if the game is over and send the result""" if terminal(board): victor = winner(board) if victor is not None: emit("game_over", "winner: " + victor) else: emit("game_over", "Draw") @socketio.on("get_ai_move") def generate_ai_move(board): """Determine the optimal move for the AI to make and the send it""" if terminal(board): # if the game is over, do nothing pass else: move = minimax(board) # use minimax algorithm to generate optimal move res = result(board, move[0]) emit("update", res) # @socketio.on("new_message") # def sent_message(json): # """Handle a new message being sent""" # # Log the timestamp # my_time = time.strftime('%H:%M:%S on %d/%m/%y') # # Assemble data into a dict # my_data = {"user": json["user"], "msg" : json["msg"], "my_time": my_time} # # Add data to the messages of the channel # my_messages[json["channel"]].append(my_data) # # Store only the 100 most recent messages per channel # if len(my_messages[json["channel"]]) > 100: # my_messages[json["channel"]].pop(0) # # Pass the timestamp, message and username to the template # emit("announce message", my_data) # @socketio.on("get_messages") # def all_messages(channel): # if channel in my_messages: # data = my_messages # emit("broadcast messages", data) @app.route("/") def index(): return render_template("home.html") if __name__ == "__main__": socketio.run(app, debug = True)
21,696
f10b52059c2b836101b6cd07e0eb02d55812110e
import config # config.py has important imformation import json # library for handling JSON data import time # module for sleep operation import requests # for making HTTP requests from boltiot import Bolt # importing Bolt from boltiot module myBolt = Bolt(config.API_KEY, config.DEVICE_ID) def get_LDR_reading(): pin = "A0" try: response = myBolt.analogRead(pin) # Reading data from LDR data = json.loads(response) # Extracting the data from response if (data["success"] != 1): # Failure in Reading print("Request to Read Unsuccessful") print("\nResponse got --> ", data) return -1 # -1 means failure sensor_value = int(data["value"]) # Getting the LDR value return sensor_value except Exception as e: print("Something went wrong while returning value") print(e) return -1 def send_telegram_message(message): url = "https://api.telegram.org/" + config.telegram_bot_id + "/sendMessage" data = {"chat_id": config.telegram_chat_id, "text": message} try: response = requests.request("POST", url, params=data) telegram_data = json.loads(response.text) return telegram_data["ok"] except Exception as e: print("Error occured while sending Telegram Message") print(e) return False while (True): sensor_value = get_LDR_reading() print("Reading LDR Sensor Value:: --> ", sensor_value) if sensor_value == -1: print("\nCould not read. Skipping\n") time.sleep(10) continue if sensor_value < 500: # 500 is the threshold value print("\nIntruder!!!!!!!\n") print("Buzzer Activated\n") myBolt.digitalWrite(1, "HIGH") # Activating Buzzer message = "Alert! Someone entered the room. Contact the police !" telegram_status = send_telegram_message(message) # Sending Message via Telegram print("This is Telegram status:",telegram_status) time.sleep(1) # Buzzer buzzes for 15 seconds myBolt.digitalWrite('1', "LOW") # Buzzer deactivated print("Buzzer Deactivated") else: print("\nNo Burglar Yet") time.sleep(1) # Since in free account, only limited API calls allowed # if pro bolt account, then make time.sleep(1) for more accuracy
21,697
5cb1640354990c0ee47787567041cee90cfb0525
#write a python program to remove an item from a tuple m=input("how many item in tuple:") #input number of elements x=input("enter %s comma seperated elements:"%m) #input elements list=x.split(",") tuple1=tuple(list) print(tuple1) #print a tuple item=input("enter an item to remove:") #input item to remove index=tuple1.index(item) #find index of given item tuple2=tuple1[0:index]+tuple1[index+1:] #removal process print("after removal of %item:",tuple2) #display tuple after removal of specified item #output how many item in tuple:3 enter 3 comma seperated elements:21,6,9 ('21', '6', '9') enter an item to remove:21 after removal of %item: ('6', '9')
21,698
1226fe85b03b9e1c0c222ce0cd4cf067a65b1be8
import asyncio import aiomysql import logging # import aiofiles from jinja2 import Template, Environment, FileSystemLoader from webQ.utils.config import * async def create_pool(loop, **kw): """ 创建连接池 :param loop: :param kw: :return: """ logging.info('create database connection pool...') global __pool __pool = await aiomysql.create_pool( host=kw.get('host', HOST), port=kw.get('port', PORT), user=kw.get('user', USER), password=kw.get('password', PASSWORD), db=kw.get('db', ''), charset=kw.get('charset', 'utf8'), autocommit=kw.get('autocommit', True), maxsize=kw.get('maxsize', 10), minsize=kw.get('minsize', 1), loop=loop ) # __pool = await aiomysql.create_pool( # host=kw.get('host', '172.16.4.110'), # port=kw.get('port', 3306), # user=kw.get('user', 'root'), # password=kw.get('password', 'zyjs2018!'), # db=kw.get('db', ''), # charset=kw.get('charset', 'utf8'), # autocommit=kw.get('autocommit', True), # maxsize=kw.get('maxsize', 10), # minsize=kw.get('minsize', 1), # loop=loop # ) async def select(p_sql, param): """ execute your sql what's input :param p_sql: :param param: :return: """ global __pool async with __pool.acquire() as conn: async with conn.cursor() as cur: SQL = p_sql await cur.execute(SQL, param) r = await cur.fetchall() return r async def gettable(table_schema): """ xxx :return: """ sql = """ select TABLE_NAME from INFORMATION_SCHEMA.TABLES where table_schema=%s and table_type = 'VIEW' """ result = await select(p_sql=sql, param=(table_schema)) return result async def getmodel(table_schema, table_name): """ xxx :return: """ sql = f""" select concat("class ",upper(table_name),"(Model):") as orm_head from INFORMATION_SCHEMA.TABLES where table_name='{table_name}' and table_schema='{table_schema}' union all select concat(" __table__ = '",table_name,"'") as orm_mid from INFORMATION_SCHEMA.TABLES where table_name='{table_name}' and table_schema='{table_schema}' union all select case when instr(table_name,'tree')>0 then " __tree__ = True" else "" end as orm_mid from INFORMATION_SCHEMA.TABLES where table_name='{table_name}' and table_schema='{table_schema}' union all select concat(" ",column_name, case when column_name='id' then " = StringField(primary_key=True,ddl='varchar(200)')" else " = StringField(ddl='varchar(200)')" end) as orm_body from INFORMATION_SCHEMA.COLUMNS where table_name='{table_name}' and table_schema='{table_schema}' """ result = await select(p_sql=sql, param=()) return result async def example_test(loop): await create_pool(loop=loop) result = await select(p_sql='select * from dbtable where remark= %s', param=('测试表四00')) print(result) def read_template(dict_string): """ :param dict_string: {'models_string':xxxx} :return: """ # env = Environment(loader=FileSystemLoader('../templates')) env = Environment(loader=FileSystemLoader(templates_path)) template = env.get_template('model.template') genmodel = template.render(dict_string) return genmodel # with open('model.template', 'r') as f: # template_string = f.read() # model_temlplate = Template(template=template_string) # genmodel = model_temlplate.substitute(dict_string) # return genmodel async def run(loop): table_schema = SCHEMA # table_schema = 'zyjs_dwc_20181101' # table_schema = 'rbac' await create_pool(loop=loop, kw={'db': table_schema}) # 创建连接池 table_name_list = await gettable(table_schema=table_schema) models_string = '' for table_name in table_name_list: ''' 获取table name 然后循环获取列 ''' models = await getmodel(table_schema=table_schema, table_name=table_name[0]) for model_row in models: ''' 获取列 然后循环拼接model字符 ''' models_string += model_row[0] + '\n' models_string += '\n\n' dict_string = dict(models_string=models_string) # print(dict_string) # with open('../generated_file/mymodel_view.py', 'w', encoding='utf8') as f: # f.write(read_template(dict_string=dict_string)) with open(os.path.join(file_path, 'gen_model_view.py'), 'w', encoding='utf8') as f: f.write(read_template(dict_string=dict_string)) # 缓存model文件 with open(os.path.join(cache_path, 'cache_model_view.py'), 'w', encoding='utf8') as f: f.write(read_template(dict_string=dict_string)) logging.info('完成生成!!!') if __name__ == '__main__': loop = asyncio.get_event_loop() # loop.run_until_complete(example_test(loop=loop)) loop.run_until_complete(run(loop=loop))
21,699
8a21f975a6f4120f0834ccf37ea88e025c153cce
import rospy from communication.msg import target_positions_msg from communication.msg import robots_speeds_msg from math import * from control_utils import * orientation = 1 i_error_distance = [[],[],[]] i_error_angle = [[],[],[]] integral_distance = [0,0,0] integral_angle = [0,0,0] magnitude_anterior = 0 def position_control(robot): global i_error_distance relative_target = convertTargetPositions(robot) if relative_target[1] > 0: orientation = 1 else: orientation = -1 error_angle = calculateErrorAngle(relative_target,orientation) error_magnitude = calculateDistance(relative_target) if len(i_error_distance[robot.id]) > 10000: del i_error_distance[robot.id][0] del i_error_angle[robot.id][0] i_error_distance[robot.id].append(error_magnitude) i_error_angle[robot.id].append(error_angle) integral_distance[robot.id] = sum(i_error_distance[robot.id]) integral_angle[robot.id] = sum(i_error_distance[robot.id]) if error_magnitude > 0.2: u = orientation*0.6 else: u = (robot.kp_u * error_magnitude+ robot.ki_u*integral_distance[robot.id])*orientation w = robot.kp_w * error_angle + robot.ki_w*integral_angle[robot.id] if error_magnitude < 0.08: u = 0 w = 0 return u, w