content
stringlengths
7
1.05M
fixed_cases
stringlengths
1
1.28M
""" http://www.geeksforgeeks.org/merge-sort/ https://www.programiz.com/dsa/merge-sort """ def merge_sort(arr): if len(arr) > 1: mid = len(arr) // 2 L = arr[:mid] R = arr[mid:] merge_sort(L) merge_sort(R) i = j = k = 0 if i < len(L) and j < len(R): if L[i] < R[j]: arr[k] = L[i] i += 1 else: arr[k] = R[j] j += 1 k += 1 while i < len(L): arr[k] = L[i] i += 1 k += 1 while j < len(R): arr[k] = R[j] j += 1 k += 1 if __name__ == "__main__": array = [12, 11, 13, 5, 6, 7] # array = [1, 12, 9, 5, 6, 10] merge_sort(array) print ("Sorted array is {}".format(array))
""" http://www.geeksforgeeks.org/merge-sort/ https://www.programiz.com/dsa/merge-sort """ def merge_sort(arr): if len(arr) > 1: mid = len(arr) // 2 l = arr[:mid] r = arr[mid:] merge_sort(L) merge_sort(R) i = j = k = 0 if i < len(L) and j < len(R): if L[i] < R[j]: arr[k] = L[i] i += 1 else: arr[k] = R[j] j += 1 k += 1 while i < len(L): arr[k] = L[i] i += 1 k += 1 while j < len(R): arr[k] = R[j] j += 1 k += 1 if __name__ == '__main__': array = [12, 11, 13, 5, 6, 7] merge_sort(array) print('Sorted array is {}'.format(array))
class Solution: def splitArray(self, nums): """ :type nums: List[int] :rtype: bool """ # (0, i - 1), (i + 1, j - 1), (j + 1, k - 1) and (k + 1, n - 1) # P[i] = P[j] - P[i+1] = P[k] - P[j+1] = P[-1] - P[k+1] P = [0] for x in nums: P.append(P[-1] + x) N = len(nums) d = collections.defaultdict(list) for i, u in enumerate(P): d[u].append(i) for j in range(1, N - 1): for k in range(j + 1, N - 1): for i in d[P[-1] - P[k + 1]]: if i > j: break if P[i] == P[j] - P[i + 1] == P[k] - P[j + 1]: return True return False
class Solution: def split_array(self, nums): """ :type nums: List[int] :rtype: bool """ p = [0] for x in nums: P.append(P[-1] + x) n = len(nums) d = collections.defaultdict(list) for (i, u) in enumerate(P): d[u].append(i) for j in range(1, N - 1): for k in range(j + 1, N - 1): for i in d[P[-1] - P[k + 1]]: if i > j: break if P[i] == P[j] - P[i + 1] == P[k] - P[j + 1]: return True return False
# # @lc app=leetcode id=938 lang=python3 # # [938] Range Sum of BST # # @lc code=start # Definition for a binary tree node. # class TreeNode: # def __init__(self, val=0, left=None, right=None): # self.val = val # self.left = left # self.right = right class Solution: def rangeSumBST(self, root: TreeNode, L: int, R: int) -> int: self.ans = 0 self.finder(root, L, R) return self.ans def finder(self, root, l, r): if not root: return if l <= root.val <= r: self.ans += root.val if root.val >= r: self.finder(root.left, l, r) elif root.val <= l: self.finder(root.right, l, r) else: self.finder(root.left, l, r) self.finder(root.right, l, r) # @lc code=end
class Solution: def range_sum_bst(self, root: TreeNode, L: int, R: int) -> int: self.ans = 0 self.finder(root, L, R) return self.ans def finder(self, root, l, r): if not root: return if l <= root.val <= r: self.ans += root.val if root.val >= r: self.finder(root.left, l, r) elif root.val <= l: self.finder(root.right, l, r) else: self.finder(root.left, l, r) self.finder(root.right, l, r)
protists_chlorophyta = ["volvox", "actinastrum", "hydrodictyon", "spirogyra"] print("The first three items in the list are:") for protist in protists_chlorophyta[:3]: print(protist.title()) protists_chlorophyta = ["volvox", "actinastrum", "hydrodictyon", "spirogyra"] print("The items in the middle of the list are:") for protist in protists_chlorophyta[1:3]: print(protist.title()) protists_chlorophyta = ["volvox", "actinastrum", "hydrodictyon", "spirogyra"] print("The last three items in the list are:") for protist in protists_chlorophyta[-3:]: print(protist.title())
protists_chlorophyta = ['volvox', 'actinastrum', 'hydrodictyon', 'spirogyra'] print('The first three items in the list are:') for protist in protists_chlorophyta[:3]: print(protist.title()) protists_chlorophyta = ['volvox', 'actinastrum', 'hydrodictyon', 'spirogyra'] print('The items in the middle of the list are:') for protist in protists_chlorophyta[1:3]: print(protist.title()) protists_chlorophyta = ['volvox', 'actinastrum', 'hydrodictyon', 'spirogyra'] print('The last three items in the list are:') for protist in protists_chlorophyta[-3:]: print(protist.title())
#This program demonstrates creation of bank account using OOP #Reference: https://www.udemy.com/the-python-mega-course/learn/v4/t/lecture/5170352?start=0 class Account: def __init__(self, filepath): #filepath stands for a value that is taken from balance.txt self.fp=filepath #this makes filepath an instance variable, which allows filepath to be used anywhere inside of class with open(filepath, 'r') as file: self.balance=int(file.read()) #store a read data into var named balance def withdraw(self, amount): #self.balance=self.balance - amount self.balance -= amount def deposit(self, amount): #self.balance=self.balance + amount self.balance += amount def commit(self): #this basically 'commits' changes to the balance.txt, otherwise value in that file will never change with open(self.fp, 'w') as file: file.write(str(self.balance)) account=Account("balance.txt") #create object from blueprint Account() print(account.balance) account.deposit(100) print(account.balance) account.commit()
class Account: def __init__(self, filepath): self.fp = filepath with open(filepath, 'r') as file: self.balance = int(file.read()) def withdraw(self, amount): self.balance -= amount def deposit(self, amount): self.balance += amount def commit(self): with open(self.fp, 'w') as file: file.write(str(self.balance)) account = account('balance.txt') print(account.balance) account.deposit(100) print(account.balance) account.commit()
def fuel(mass): try: mass_int = int(mass) return max(int(mass_int / 3) - 2, 0) except ValueError: return 0 def fuel_recursive(mass): try: mass_int = int(mass) fuel_mass = fuel(mass_int) fuel_total = fuel_mass while fuel_mass > 0: fuel_mass = fuel(fuel_mass) fuel_total += fuel_mass return fuel_total except ValueError: return 0 def solve(): f = open("input/day01.txt", "r") masses = f.readlines() f.close() print("Part 1") print(f" Fuel for modules: {sum(map(fuel, masses))}") print() print("Part 2") print(f" Fuel for modules: {sum(map(fuel_recursive, masses))}")
def fuel(mass): try: mass_int = int(mass) return max(int(mass_int / 3) - 2, 0) except ValueError: return 0 def fuel_recursive(mass): try: mass_int = int(mass) fuel_mass = fuel(mass_int) fuel_total = fuel_mass while fuel_mass > 0: fuel_mass = fuel(fuel_mass) fuel_total += fuel_mass return fuel_total except ValueError: return 0 def solve(): f = open('input/day01.txt', 'r') masses = f.readlines() f.close() print('Part 1') print(f' Fuel for modules: {sum(map(fuel, masses))}') print() print('Part 2') print(f' Fuel for modules: {sum(map(fuel_recursive, masses))}')
# The test # For (3,4,5) representing (a,b,c) # For (3,4,5) a + b + c = 12 is true # a < b < c is true for (3,4,5) # a2 + b2 = c2 is true for (3,4,5) # For (3,4,5) a + b + c = 12 # Ultimately, fink the product abc. # - Iterate through (a,b) until a^2 + b^2 = c^2 # - Test if a < b < c # - Test if a + b + c = 1000 # (3,4,5) 3^2 + 4^2 = 5^2 9 + 16 = 25 # (6,8,10) 6^2 + 8^2 = 10^2 36 + 64 = 100 # Tst # sum_of_triplets = 12 sum_of_triplets = 1000 def main(): a = 1 # while a + b + c < sum_of_triplets: while True: # Find primitive triplet for 'a' using Platonic sequence a, b, c = platonic_sequence(a) # Init a multiplier to loop through in case the answer is not primitive k = 0 # Continuously loop to evaluate primitive multiplied by coefficient while (k * (a + b + c)) < sum_of_triplets: k += 1 if k * (a + b + c) == sum_of_triplets and a < b < c: # A solution has been found; inform the world print("Primitive Triplet: ", a, b, c) a = k * a b = k * b c = k * c print("Primitive Multiplier:", k) print("Solution Triplet: ", a,b,c) print("a + b + c:", a + b + c) print("a * b * c:", a * b * c) exit() # Increment 'a' before being processed at the start of the loop a += 1 def platonic_sequence(_a): _b = _c = 0 # Check if even or odd, then use the appropriate formulae if _a % 2 == 1: _b = (_a ** 2 - 1) / 2 _c = (_a ** 2 + 1) / 2 elif _a % 2 == 0: _b = (_a / 2) ** 2 - 1 _c = (_a / 2) ** 2 + 1 return int(_a), int(_b), int(_c) if __name__ == "__main__": main()
sum_of_triplets = 1000 def main(): a = 1 while True: (a, b, c) = platonic_sequence(a) k = 0 while k * (a + b + c) < sum_of_triplets: k += 1 if k * (a + b + c) == sum_of_triplets and a < b < c: print('Primitive Triplet: ', a, b, c) a = k * a b = k * b c = k * c print('Primitive Multiplier:', k) print('Solution Triplet: ', a, b, c) print('a + b + c:', a + b + c) print('a * b * c:', a * b * c) exit() a += 1 def platonic_sequence(_a): _b = _c = 0 if _a % 2 == 1: _b = (_a ** 2 - 1) / 2 _c = (_a ** 2 + 1) / 2 elif _a % 2 == 0: _b = (_a / 2) ** 2 - 1 _c = (_a / 2) ** 2 + 1 return (int(_a), int(_b), int(_c)) if __name__ == '__main__': main()
ntos = { 1: 'one', 2: 'two', 3: 'three', 4: 'four', 5: 'five', 6: 'six', 7: 'seven', 8: 'eight', 9: 'nine', 10: 'ten', 11: 'eleven', 12: 'twelve', 13: 'thirteen', 14: 'fourteen', 15: 'fifteen', 16: 'sixteen', 17: 'seventeen', 18: 'eighteen', 19: 'nineteen', 20: 'twenty', 30: 'thirty'} for i in range(1, 10): ntos[20 + i] = f'{ntos[20]} {ntos[i]}' h, m = int(input()), int(input()) res = '' if m == 0: res = f'{ntos[h]} o\' clock' elif m == 1: res = f'{ntos[m]} minute past {ntos[h]}' elif m == 15: res = f'quarter past {ntos[h]}' elif m == 30: res = f'half past {ntos[h]}' elif m == 45: res = f'quarter to {ntos[h % 12 + 1]}' elif 1 <= m <= 30: res = f'{ntos[m]} minutes past {ntos[h]}' else: res = f'{ntos[60-m]} minutes to {ntos[h % 12 + 1]}' print(res)
ntos = {1: 'one', 2: 'two', 3: 'three', 4: 'four', 5: 'five', 6: 'six', 7: 'seven', 8: 'eight', 9: 'nine', 10: 'ten', 11: 'eleven', 12: 'twelve', 13: 'thirteen', 14: 'fourteen', 15: 'fifteen', 16: 'sixteen', 17: 'seventeen', 18: 'eighteen', 19: 'nineteen', 20: 'twenty', 30: 'thirty'} for i in range(1, 10): ntos[20 + i] = f'{ntos[20]} {ntos[i]}' (h, m) = (int(input()), int(input())) res = '' if m == 0: res = f"{ntos[h]} o' clock" elif m == 1: res = f'{ntos[m]} minute past {ntos[h]}' elif m == 15: res = f'quarter past {ntos[h]}' elif m == 30: res = f'half past {ntos[h]}' elif m == 45: res = f'quarter to {ntos[h % 12 + 1]}' elif 1 <= m <= 30: res = f'{ntos[m]} minutes past {ntos[h]}' else: res = f'{ntos[60 - m]} minutes to {ntos[h % 12 + 1]}' print(res)
# A python module for example purposes myName = "mymod module for examples" def add(a,b): return a + b def multiply(a,b): return a * b
my_name = 'mymod module for examples' def add(a, b): return a + b def multiply(a, b): return a * b
#Setting Directory morsealpha={ "A" : ".-", "B" : "-...", "C" : "-.-.", "D" : "-..", "E" : ".", "F" : "..-.", "G" : "--.", "H" : "....", "I" : "..", "J" : ".---", "K" : "-.-", "L" : ".-..", "M" : "--", "N" : "-.", "O" : "---", "P" : ".--.", "Q" : "--.-", "R" : ".-.", "S" : "...", "T" : "-", "U" : "..-", "V" : "...-", "W" : ".--", "X" : "-..-", "Y" : "-.--", "Z" : "--..", " " : "/", "0" : "-----", "1" : ".----", "2" : "..---", "3" : "...--", "4" : "....-", "5" : ".....", "6" : "-....", "7" : "--...", "8" : "---..", "9" : "----.", "." : ".-.-.-", "," : "--..--", "?" : "..--..", "!" : "..--.", ":" : "---...", "'" : ".---.", "=" : "-...-", '"' : ".-..-." } #Asking for String Sen = input("Enter string: ") #Checking if number is valid if not Sen.numeric(): #Making string uppercase to convert Sen = Sen.upper() #Control loop prints each letter w/ a space in between for x in range(len(Sen)) : #morsealpha[Sen[x]] prints the xth letter but converted using the Directory print(morsealpha[Sen[x]], end="") else: #Telling user the input is Invalid print("Invalid input")
morsealpha = {'A': '.-', 'B': '-...', 'C': '-.-.', 'D': '-..', 'E': '.', 'F': '..-.', 'G': '--.', 'H': '....', 'I': '..', 'J': '.---', 'K': '-.-', 'L': '.-..', 'M': '--', 'N': '-.', 'O': '---', 'P': '.--.', 'Q': '--.-', 'R': '.-.', 'S': '...', 'T': '-', 'U': '..-', 'V': '...-', 'W': '.--', 'X': '-..-', 'Y': '-.--', 'Z': '--..', ' ': '/', '0': '-----', '1': '.----', '2': '..---', '3': '...--', '4': '....-', '5': '.....', '6': '-....', '7': '--...', '8': '---..', '9': '----.', '.': '.-.-.-', ',': '--..--', '?': '..--..', '!': '..--.', ':': '---...', "'": '.---.', '=': '-...-', '"': '.-..-.'} sen = input('Enter string: ') if not Sen.numeric(): sen = Sen.upper() for x in range(len(Sen)): print(morsealpha[Sen[x]], end='') else: print('Invalid input')
nome = input("Digite seu nome: ") s = input("Digite seu sexo(M/N): ").upper() while s != 'M' != 'F': s = input("Digite seu sexo novamente: ").upper()
nome = input('Digite seu nome: ') s = input('Digite seu sexo(M/N): ').upper() while s != 'M' != 'F': s = input('Digite seu sexo novamente: ').upper()
# THIS FILE IS AUTO-GENERATED. PLEASE DO NOT MODIFY# version file for ldap3 # generated on 2020-09-07 08:48:35.409733 # on system uname_result(system='Windows', node='ELITE10GC', release='10', version='10.0.19041', machine='AMD64', processor='Intel64 Family 6 Model 58 Stepping 9, GenuineIntel') # with Python 3.8.5 - ('tags/v3.8.5:580fbb0', 'Jul 20 2020 15:57:54') - MSC v.1924 64 bit (AMD64) # __version__ = '2.8.1' __author__ = 'Giovanni Cannata' __email__ = 'cannatag@gmail.com' __url__ = 'https://github.com/cannatag/ldap3' __description__ = 'A strictly RFC 4510 conforming LDAP V3 pure Python client library' __status__ = '5 - Production/Stable' __license__ = 'LGPL v3'
__version__ = '2.8.1' __author__ = 'Giovanni Cannata' __email__ = 'cannatag@gmail.com' __url__ = 'https://github.com/cannatag/ldap3' __description__ = 'A strictly RFC 4510 conforming LDAP V3 pure Python client library' __status__ = '5 - Production/Stable' __license__ = 'LGPL v3'
def parse_bool(val, default): if not val: return default if type(val) == bool: return val if type(val) == str: if val.lower() in ["1", "true"]: return True if val.lower() in ["0", "false"]: return False raise ValueError(f"{val} can not be interpreted as boolean")
def parse_bool(val, default): if not val: return default if type(val) == bool: return val if type(val) == str: if val.lower() in ['1', 'true']: return True if val.lower() in ['0', 'false']: return False raise value_error(f'{val} can not be interpreted as boolean')
class RhinoObjectEventArgs(EventArgs): # no doc ObjectId = property(lambda self: object(), lambda self, v: None, lambda self: None) """Get: ObjectId(self: RhinoObjectEventArgs) -> Guid """ TheObject = property(lambda self: object(), lambda self, v: None, lambda self: None) """Get: TheObject(self: RhinoObjectEventArgs) -> RhinoObject """
class Rhinoobjecteventargs(EventArgs): object_id = property(lambda self: object(), lambda self, v: None, lambda self: None) 'Get: ObjectId(self: RhinoObjectEventArgs) -> Guid\n\n\n\n' the_object = property(lambda self: object(), lambda self, v: None, lambda self: None) 'Get: TheObject(self: RhinoObjectEventArgs) -> RhinoObject\n\n\n\n'
def ficha(nome='<desconhecido>', gol=0): print(f'O jogador {nome} fez {gol} gol(s) no campeonato.') #programa principal n = str(input('Digite o nome do jogador: ')) g = str(input('Quantos gols no campeonato: ')) if g.isnumeric(): g = int(g) else: g = 0 if n.strip() == '': ficha(gol=g) else: ficha(n, g)
def ficha(nome='<desconhecido>', gol=0): print(f'O jogador {nome} fez {gol} gol(s) no campeonato.') n = str(input('Digite o nome do jogador: ')) g = str(input('Quantos gols no campeonato: ')) if g.isnumeric(): g = int(g) else: g = 0 if n.strip() == '': ficha(gol=g) else: ficha(n, g)
count=0 while count<5 : print(count, "is less than 5") count= count +1 else : print(count, "is greater than 5")
count = 0 while count < 5: print(count, 'is less than 5') count = count + 1 else: print(count, 'is greater than 5')
def merge(x, y): if len(x) == 0: return y if len(y) == 0: return x if x[0] <= y[0]: return [x[0]] + merge(x[1:], y) else: return [y[0]] + merge(x, y[1:]) #Solution without slice and concat, which are O(n) in python def merge2(x, y): if len(x) == 0: return y if len(y) == 0: return x last = y.pop() if x[-1] < y[-1] else x.pop() # 'merged' is required because the append method is in place merged = merge2(x, y) merged.append(last) return merged x = [2, 4, 6] y = [1, 3, 5] assert merge(x, y) == [1, 2, 3, 4, 5, 6] assert merge2(x, y) == [1, 2, 3, 4, 5, 6]
def merge(x, y): if len(x) == 0: return y if len(y) == 0: return x if x[0] <= y[0]: return [x[0]] + merge(x[1:], y) else: return [y[0]] + merge(x, y[1:]) def merge2(x, y): if len(x) == 0: return y if len(y) == 0: return x last = y.pop() if x[-1] < y[-1] else x.pop() merged = merge2(x, y) merged.append(last) return merged x = [2, 4, 6] y = [1, 3, 5] assert merge(x, y) == [1, 2, 3, 4, 5, 6] assert merge2(x, y) == [1, 2, 3, 4, 5, 6]
#!/usr/bin/env python # # ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ # # Jiao Lin # California Institute of Technology # (C) 2007 All Rights Reserved # # {LicenseText} # # ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ # class AbstractBinding: def compositescatterer(self, shape, elements, geometer): raise NotImplementedError def scatterercontainer(self): raise NotImplementedError def geometer(self): raise NotImplementedError def position(self, x,y,z): """create binding's representation of position vector """ raise NotImplementedError def orientation(self, rotmat): """convert rotation matrix numpy instance to binding\'s representation of rotation matrix """ raise NotImplementedError def unite(self, shapes): raise NotImplementedError def intersect(self, shapes): raise NotImplementedError def subtract(self, shape1, shape2): raise NotImplementedError def dilate(self, shape, scale): raise NotImplementedError def rotate(self, shape, rotmat): raise NotImplementedError def translate(self, shape, vector): raise NotImplementedError def block(self, diagonal): raise NotImplementedError def sphere(self, radius): raise NotImplementedError def cylinder(self, radius, height): raise NotImplementedError pass # end of AbstractBinding # version __id__ = "$Id$" # End of file
class Abstractbinding: def compositescatterer(self, shape, elements, geometer): raise NotImplementedError def scatterercontainer(self): raise NotImplementedError def geometer(self): raise NotImplementedError def position(self, x, y, z): """create binding's representation of position vector """ raise NotImplementedError def orientation(self, rotmat): """convert rotation matrix numpy instance to binding's representation of rotation matrix """ raise NotImplementedError def unite(self, shapes): raise NotImplementedError def intersect(self, shapes): raise NotImplementedError def subtract(self, shape1, shape2): raise NotImplementedError def dilate(self, shape, scale): raise NotImplementedError def rotate(self, shape, rotmat): raise NotImplementedError def translate(self, shape, vector): raise NotImplementedError def block(self, diagonal): raise NotImplementedError def sphere(self, radius): raise NotImplementedError def cylinder(self, radius, height): raise NotImplementedError pass __id__ = '$Id$'
try: user_number = int(input("Enter a number: ")) res = 10/user_number except ValueError: print("You did not enter a number!") except ZeroDivisionError: print("Enter a number different from zero (0)!")
try: user_number = int(input('Enter a number: ')) res = 10 / user_number except ValueError: print('You did not enter a number!') except ZeroDivisionError: print('Enter a number different from zero (0)!')
#!/usr/bin/env python # -*- coding: utf-8 -*- __author__ = "nebula" class RabbitmqCtx(object): _instance = None def __init__(self): self._amqp_url = "amqp://guest:guest@localhost:5672/" @property def amqp_url(self): return self._amqp_url @amqp_url.setter def amqp_url(self, amqp_url): self._amqp_url = amqp_url @staticmethod def get_instance(): if not RabbitmqCtx._instance: RabbitmqCtx._instance = RabbitmqCtx() return RabbitmqCtx._instance def __str__(self): return "RabbitmqCtx[amqp_url={}]".format(self._amqp_url)
__author__ = 'nebula' class Rabbitmqctx(object): _instance = None def __init__(self): self._amqp_url = 'amqp://guest:guest@localhost:5672/' @property def amqp_url(self): return self._amqp_url @amqp_url.setter def amqp_url(self, amqp_url): self._amqp_url = amqp_url @staticmethod def get_instance(): if not RabbitmqCtx._instance: RabbitmqCtx._instance = rabbitmq_ctx() return RabbitmqCtx._instance def __str__(self): return 'RabbitmqCtx[amqp_url={}]'.format(self._amqp_url)
class Item: def __init__(self, kind, variable): super(Item, self).__init__() self.variable = variable self.kind = kind class Request: def __init__(self, operation, length): super(Request, self).__init__() self.operation = operation self.length = length class Schedule: """ operations represents list of ops to be executed as part of self locktable represents table of requested data items and transactions in system memory tids represents tids of all transactions in system memory """ def __init__(self, operations, locktable, tids): super(Schedule, self).__init__() self.locktable = locktable self.operations = operations self.tids = tids class Operation: """ kind represents kind of data operation (read/write represented by False/True) item represents data item being altered by Transaction tid represents transaction self belongs to """ def __init__(self, kind, item, tid): super(Operation, self).__init__() self.kind = kind self.item = item self.tid = tid class Transaction: def __init__(self, tid, kind): super(Transaction, self).__init__() self.tid = tid self.kind = kind
class Item: def __init__(self, kind, variable): super(Item, self).__init__() self.variable = variable self.kind = kind class Request: def __init__(self, operation, length): super(Request, self).__init__() self.operation = operation self.length = length class Schedule: """ operations represents list of ops to be executed as part of self locktable represents table of requested data items and transactions in system memory tids represents tids of all transactions in system memory """ def __init__(self, operations, locktable, tids): super(Schedule, self).__init__() self.locktable = locktable self.operations = operations self.tids = tids class Operation: """ kind represents kind of data operation (read/write represented by False/True) item represents data item being altered by Transaction tid represents transaction self belongs to """ def __init__(self, kind, item, tid): super(Operation, self).__init__() self.kind = kind self.item = item self.tid = tid class Transaction: def __init__(self, tid, kind): super(Transaction, self).__init__() self.tid = tid self.kind = kind
# Truth and guesses should be lists of (commit_id, classification_id) def score(truth, guesses): truth = dict(truth) correct_matches = 0 incorrect_matches = 0 for commit_id, classification_id in guesses: assert(commit_id in truth) if truth[commit_id] == classification_id: correct_matches += 1 else: incorrect_matches += 1 precision = float(correct_matches) + (correct_matches + incorrect_matches) recall = float(correct_matches) + len(truth) f1 = (2 * precision * recall) / (precision + recall) return {'precision': precision, 'recall': recall, 'f1':f1}
def score(truth, guesses): truth = dict(truth) correct_matches = 0 incorrect_matches = 0 for (commit_id, classification_id) in guesses: assert commit_id in truth if truth[commit_id] == classification_id: correct_matches += 1 else: incorrect_matches += 1 precision = float(correct_matches) + (correct_matches + incorrect_matches) recall = float(correct_matches) + len(truth) f1 = 2 * precision * recall / (precision + recall) return {'precision': precision, 'recall': recall, 'f1': f1}
class MyQueue(object): def __init__(self): """ Initialize your data structure here. """ self.data = [] def push(self, x): """ Push element x to the back of queue. :type x: int :rtype: None """ stack = [x] tmp = [] while self.data: tmp.append(self.data.pop()) while tmp: stack.append(tmp.pop()) self.data = stack def pop(self): """ Removes the element from in front of queue and returns that element. :rtype: int """ return self.data.pop() def peek(self): """ Get the front element. :rtype: int """ return self.data[-1] def empty(self): """ Returns whether the queue is empty. :rtype: bool """ return len(self.data) == 0 def test_myqueue(): q = MyQueue() q.push(1) q.push(2) q.push(3) assert 1 == q.peek() assert 1 == q.pop() assert q.empty() is False
class Myqueue(object): def __init__(self): """ Initialize your data structure here. """ self.data = [] def push(self, x): """ Push element x to the back of queue. :type x: int :rtype: None """ stack = [x] tmp = [] while self.data: tmp.append(self.data.pop()) while tmp: stack.append(tmp.pop()) self.data = stack def pop(self): """ Removes the element from in front of queue and returns that element. :rtype: int """ return self.data.pop() def peek(self): """ Get the front element. :rtype: int """ return self.data[-1] def empty(self): """ Returns whether the queue is empty. :rtype: bool """ return len(self.data) == 0 def test_myqueue(): q = my_queue() q.push(1) q.push(2) q.push(3) assert 1 == q.peek() assert 1 == q.pop() assert q.empty() is False
#coding:utf-8 # Define no-op plugin methods def pre_build_page(page, context, data): """ Called prior to building a page. :param page: The page about to be built :param context: The context for this page (you can modify this, but you must return it) :param data: The raw body for this page (you can modify this). :returns: Modified (or not) context and data. """ return context, data def post_build_page(page): """ Called after building a page. :param page: The page that was just built. :returns: None """ pass def pre_build_static(static): """ Called before building (copying to the build folder) a static file. :param static: The static file about to be built. :returns: None """ pass def post_build_static(static): """ Called after building (copying to the build folder) a static file. :param static: The static file that was just built. :returns: None """ pass def pre_build(site): """ Called prior to building the site, after loading configuration and plugins. A good time to register your externals. :param site: The site about to be built. :returns: None """ pass def post_build(site): """ Called after building the site. :param site: The site that was just built. :returns: None """ pass
def pre_build_page(page, context, data): """ Called prior to building a page. :param page: The page about to be built :param context: The context for this page (you can modify this, but you must return it) :param data: The raw body for this page (you can modify this). :returns: Modified (or not) context and data. """ return (context, data) def post_build_page(page): """ Called after building a page. :param page: The page that was just built. :returns: None """ pass def pre_build_static(static): """ Called before building (copying to the build folder) a static file. :param static: The static file about to be built. :returns: None """ pass def post_build_static(static): """ Called after building (copying to the build folder) a static file. :param static: The static file that was just built. :returns: None """ pass def pre_build(site): """ Called prior to building the site, after loading configuration and plugins. A good time to register your externals. :param site: The site about to be built. :returns: None """ pass def post_build(site): """ Called after building the site. :param site: The site that was just built. :returns: None """ pass
class A(object): def __init__(self): pass def _internal_use(self): pass def __method_name(self): pass
class A(object): def __init__(self): pass def _internal_use(self): pass def __method_name(self): pass
#https://leetcode.com/explore/learn/card/queue-stack/239/conclusion/1393/ # According to Trial 68 ms and 14.5 mb # 95.45% time and 21.71% space class Solution: def floodFill(self, image: List[List[int]], sr: int, sc: int, newColor: int) -> List[List[int]]: stack = [(sr,sc)] visited = {} valid_path_val = image[sr][sc] while stack: row, col = stack.pop() if image[row][col] == valid_path_val and not visited.get((row, col)): image[row][col] = newColor if row+1 < len(image): stack.append((row+1,col)) if row-1 >= 0: stack.append((row-1,col)) if col-1 >= 0: stack.append((row,col-1)) if col+1 < len(image[0]): stack.append((row,col+1)) visited[(row, col)] = True return image
class Solution: def flood_fill(self, image: List[List[int]], sr: int, sc: int, newColor: int) -> List[List[int]]: stack = [(sr, sc)] visited = {} valid_path_val = image[sr][sc] while stack: (row, col) = stack.pop() if image[row][col] == valid_path_val and (not visited.get((row, col))): image[row][col] = newColor if row + 1 < len(image): stack.append((row + 1, col)) if row - 1 >= 0: stack.append((row - 1, col)) if col - 1 >= 0: stack.append((row, col - 1)) if col + 1 < len(image[0]): stack.append((row, col + 1)) visited[row, col] = True return image
# Copyright (c) 2009 The Chromium Authors. All rights reserved. # Use of this source code is governed by a BSD-style license that can be # found in the LICENSE file. { 'variables': { 'feature_defines': [ 'ENABLE_CHANNEL_MESSAGING=1', 'ENABLE_DATABASE=1', 'ENABLE_DATAGRID=1', 'ENABLE_DASHBOARD_SUPPORT=0', 'ENABLE_JAVASCRIPT_DEBUGGER=0', 'ENABLE_JSC_MULTIPLE_THREADS=0', 'ENABLE_ICONDATABASE=0', 'ENABLE_XSLT=1', 'ENABLE_XPATH=1', 'ENABLE_SVG=1', 'ENABLE_SVG_ANIMATION=1', 'ENABLE_SVG_AS_IMAGE=1', 'ENABLE_SVG_USE=1', 'ENABLE_SVG_FOREIGN_OBJECT=1', 'ENABLE_SVG_FONTS=1', 'ENABLE_VIDEO=1', 'ENABLE_WORKERS=1', ], 'non_feature_defines': [ 'BUILDING_CHROMIUM__=1', 'USE_GOOGLE_URL_LIBRARY=1', 'USE_SYSTEM_MALLOC=1', ], 'webcore_include_dirs': [ '../third_party/WebKit/WebCore/accessibility', '../third_party/WebKit/WebCore/accessibility/chromium', '../third_party/WebKit/WebCore/bindings/v8', '../third_party/WebKit/WebCore/bindings/v8/custom', '../third_party/WebKit/WebCore/css', '../third_party/WebKit/WebCore/dom', '../third_party/WebKit/WebCore/dom/default', '../third_party/WebKit/WebCore/editing', '../third_party/WebKit/WebCore/history', '../third_party/WebKit/WebCore/html', '../third_party/WebKit/WebCore/inspector', '../third_party/WebKit/WebCore/loader', '../third_party/WebKit/WebCore/loader/appcache', '../third_party/WebKit/WebCore/loader/archive', '../third_party/WebKit/WebCore/loader/icon', '../third_party/WebKit/WebCore/page', '../third_party/WebKit/WebCore/page/animation', '../third_party/WebKit/WebCore/page/chromium', '../third_party/WebKit/WebCore/platform', '../third_party/WebKit/WebCore/platform/animation', '../third_party/WebKit/WebCore/platform/chromium', '../third_party/WebKit/WebCore/platform/graphics', '../third_party/WebKit/WebCore/platform/graphics/chromium', '../third_party/WebKit/WebCore/platform/graphics/opentype', '../third_party/WebKit/WebCore/platform/graphics/skia', '../third_party/WebKit/WebCore/platform/graphics/transforms', '../third_party/WebKit/WebCore/platform/image-decoders', '../third_party/WebKit/WebCore/platform/image-decoders/bmp', '../third_party/WebKit/WebCore/platform/image-decoders/gif', '../third_party/WebKit/WebCore/platform/image-decoders/ico', '../third_party/WebKit/WebCore/platform/image-decoders/jpeg', '../third_party/WebKit/WebCore/platform/image-decoders/png', '../third_party/WebKit/WebCore/platform/image-decoders/skia', '../third_party/WebKit/WebCore/platform/image-decoders/xbm', '../third_party/WebKit/WebCore/platform/image-encoders/skia', '../third_party/WebKit/WebCore/platform/network', '../third_party/WebKit/WebCore/platform/network/chromium', '../third_party/WebKit/WebCore/platform/sql', '../third_party/WebKit/WebCore/platform/text', '../third_party/WebKit/WebCore/plugins', '../third_party/WebKit/WebCore/rendering', '../third_party/WebKit/WebCore/rendering/style', '../third_party/WebKit/WebCore/storage', '../third_party/WebKit/WebCore/svg', '../third_party/WebKit/WebCore/svg/animation', '../third_party/WebKit/WebCore/svg/graphics', '../third_party/WebKit/WebCore/workers', '../third_party/WebKit/WebCore/xml', ], 'conditions': [ ['OS=="linux"', { 'non_feature_defines': [ # Mozilla on Linux effectively uses uname -sm, but when running # 32-bit x86 code on an x86_64 processor, it uses # "Linux i686 (x86_64)". Matching that would require making a # run-time determination. 'WEBCORE_NAVIGATOR_PLATFORM="Linux i686"', ], }], ['OS=="mac"', { 'non_feature_defines': [ # Ensure that only Leopard features are used when doing the Mac build. 'BUILDING_ON_LEOPARD', # Match Safari and Mozilla on Mac x86. 'WEBCORE_NAVIGATOR_PLATFORM="MacIntel"', ], 'webcore_include_dirs+': [ # platform/graphics/cg and mac needs to come before # platform/graphics/chromium so that the Mac build picks up the # version of ImageBufferData.h in the cg directory and # FontPlatformData.h in the mac directory. The + prepends this # directory to the list. # TODO(port): This shouldn't need to be prepended. # TODO(port): Eliminate dependency on platform/graphics/mac and # related directories. # platform/graphics/cg may need to stick around, though. '../third_party/WebKit/WebCore/platform/graphics/cg', '../third_party/WebKit/WebCore/platform/graphics/mac', ], 'webcore_include_dirs': [ # TODO(port): Eliminate dependency on platform/mac and related # directories. '../third_party/WebKit/WebCore/loader/archive/cf', '../third_party/WebKit/WebCore/platform/mac', '../third_party/WebKit/WebCore/platform/text/mac', ], }], ['OS=="win"', { 'non_feature_defines': [ 'CRASH=__debugbreak', # Match Safari and Mozilla on Windows. 'WEBCORE_NAVIGATOR_PLATFORM="Win32"', ], 'webcore_include_dirs': [ '../third_party/WebKit/WebCore/page/win', '../third_party/WebKit/WebCore/platform/graphics/win', '../third_party/WebKit/WebCore/platform/text/win', '../third_party/WebKit/WebCore/platform/win', ], }], ], }, 'includes': [ '../build/common.gypi', ], 'targets': [ { # Currently, builders assume webkit.sln builds test_shell on windows. # We should change this, but for now allows trybot runs. # for now. 'target_name': 'pull_in_test_shell', 'type': 'none', 'conditions': [ ['OS=="win"', { 'dependencies': [ 'tools/test_shell/test_shell.gyp:*', 'activex_shim_dll/activex_shim_dll.gyp:*', ], }], ], }, { # This target creates config.h suitable for a WebKit-V8 build and # copies a few other files around as needed. 'target_name': 'config', 'type': 'none', 'msvs_guid': '2E2D3301-2EC4-4C0F-B889-87073B30F673', 'actions': [ { 'action_name': 'config.h', 'inputs': [ 'config.h.in', ], 'outputs': [ '<(SHARED_INTERMEDIATE_DIR)/webkit/config.h', ], # TODO(bradnelson): npapi.h, npruntime.h, npruntime_priv.h, and # stdint.h shouldn't be in the SHARED_INTERMEDIATE_DIR, it's very # global. 'action': ['python', 'build/action_jsconfig.py', 'v8', '<(SHARED_INTERMEDIATE_DIR)/webkit', '<@(_inputs)'], 'conditions': [ ['OS=="win"', { 'inputs': [ '../third_party/WebKit/WebCore/bridge/npapi.h', '../third_party/WebKit/WebCore/bridge/npruntime.h', '../third_party/WebKit/WebCore/bindings/v8/npruntime_priv.h', '../third_party/WebKit/JavaScriptCore/os-win32/stdint.h', ], }], ], }, ], 'direct_dependent_settings': { 'defines': [ '<@(feature_defines)', '<@(non_feature_defines)', ], # Always prepend the directory containing config.h. This is important, # because WebKit/JavaScriptCore has a config.h in it too. The JSC # config.h shouldn't be used, and its directory winds up in # include_dirs in wtf and its dependents. If the directory containing # the real config.h weren't prepended, other targets might wind up # picking up the wrong config.h, which can result in build failures or # even random runtime problems due to different components being built # with different configurations. # # The rightmost + is present because this direct_dependent_settings # section gets merged into the (nonexistent) target_defaults one, # eating the rightmost +. 'include_dirs++': [ '<(SHARED_INTERMEDIATE_DIR)/webkit', ], }, 'conditions': [ ['OS=="win"', { 'dependencies': ['../build/win/system.gyp:cygwin'], 'direct_dependent_settings': { 'defines': [ '__STD_C', '_CRT_SECURE_NO_DEPRECATE', '_SCL_SECURE_NO_DEPRECATE', ], 'include_dirs': [ '../third_party/WebKit/JavaScriptCore/os-win32', 'build/JavaScriptCore', ], }, }], ], }, { 'target_name': 'wtf', 'type': '<(library)', 'msvs_guid': 'AA8A5A85-592B-4357-BC60-E0E91E026AF6', 'dependencies': [ 'config', '../third_party/icu38/icu38.gyp:icui18n', '../third_party/icu38/icu38.gyp:icuuc', ], 'include_dirs': [ '../third_party/WebKit/JavaScriptCore', '../third_party/WebKit/JavaScriptCore/wtf', '../third_party/WebKit/JavaScriptCore/wtf/unicode', ], 'sources': [ '../third_party/WebKit/JavaScriptCore/wtf/chromium/ChromiumThreading.h', '../third_party/WebKit/JavaScriptCore/wtf/chromium/MainThreadChromium.cpp', '../third_party/WebKit/JavaScriptCore/wtf/gtk/MainThreadGtk.cpp', '../third_party/WebKit/JavaScriptCore/wtf/mac/MainThreadMac.mm', '../third_party/WebKit/JavaScriptCore/wtf/qt/MainThreadQt.cpp', '../third_party/WebKit/JavaScriptCore/wtf/unicode/icu/CollatorICU.cpp', '../third_party/WebKit/JavaScriptCore/wtf/unicode/icu/UnicodeIcu.h', '../third_party/WebKit/JavaScriptCore/wtf/unicode/qt4/UnicodeQt4.h', '../third_party/WebKit/JavaScriptCore/wtf/unicode/Collator.h', '../third_party/WebKit/JavaScriptCore/wtf/unicode/CollatorDefault.cpp', '../third_party/WebKit/JavaScriptCore/wtf/unicode/UTF8.cpp', '../third_party/WebKit/JavaScriptCore/wtf/unicode/UTF8.h', '../third_party/WebKit/JavaScriptCore/wtf/unicode/Unicode.h', '../third_party/WebKit/JavaScriptCore/wtf/win/MainThreadWin.cpp', '../third_party/WebKit/JavaScriptCore/wtf/wx/MainThreadWx.cpp', '../third_party/WebKit/JavaScriptCore/wtf/ASCIICType.h', '../third_party/WebKit/JavaScriptCore/wtf/AVLTree.h', '../third_party/WebKit/JavaScriptCore/wtf/AlwaysInline.h', '../third_party/WebKit/JavaScriptCore/wtf/Assertions.cpp', '../third_party/WebKit/JavaScriptCore/wtf/Assertions.h', '../third_party/WebKit/JavaScriptCore/wtf/ByteArray.cpp', '../third_party/WebKit/JavaScriptCore/wtf/ByteArray.h', '../third_party/WebKit/JavaScriptCore/wtf/CurrentTime.h', '../third_party/WebKit/JavaScriptCore/wtf/CrossThreadRefCounted.h', '../third_party/WebKit/JavaScriptCore/wtf/DateMath.cpp', '../third_party/WebKit/JavaScriptCore/wtf/DateMath.h', '../third_party/WebKit/JavaScriptCore/wtf/Deque.h', '../third_party/WebKit/JavaScriptCore/wtf/DisallowCType.h', '../third_party/WebKit/JavaScriptCore/wtf/FastMalloc.cpp', '../third_party/WebKit/JavaScriptCore/wtf/FastMalloc.h', '../third_party/WebKit/JavaScriptCore/wtf/Forward.h', '../third_party/WebKit/JavaScriptCore/wtf/GOwnPtr.cpp', '../third_party/WebKit/JavaScriptCore/wtf/GOwnPtr.h', '../third_party/WebKit/JavaScriptCore/wtf/GetPtr.h', '../third_party/WebKit/JavaScriptCore/wtf/HashCountedSet.h', '../third_party/WebKit/JavaScriptCore/wtf/HashFunctions.h', '../third_party/WebKit/JavaScriptCore/wtf/HashIterators.h', '../third_party/WebKit/JavaScriptCore/wtf/HashMap.h', '../third_party/WebKit/JavaScriptCore/wtf/HashSet.h', '../third_party/WebKit/JavaScriptCore/wtf/HashTable.cpp', '../third_party/WebKit/JavaScriptCore/wtf/HashTable.h', '../third_party/WebKit/JavaScriptCore/wtf/HashTraits.h', '../third_party/WebKit/JavaScriptCore/wtf/ListHashSet.h', '../third_party/WebKit/JavaScriptCore/wtf/ListRefPtr.h', '../third_party/WebKit/JavaScriptCore/wtf/Locker.h', '../third_party/WebKit/JavaScriptCore/wtf/MainThread.cpp', '../third_party/WebKit/JavaScriptCore/wtf/MainThread.h', '../third_party/WebKit/JavaScriptCore/wtf/MallocZoneSupport.h', '../third_party/WebKit/JavaScriptCore/wtf/MathExtras.h', '../third_party/WebKit/JavaScriptCore/wtf/MessageQueue.h', '../third_party/WebKit/JavaScriptCore/wtf/Noncopyable.h', '../third_party/WebKit/JavaScriptCore/wtf/NotFound.h', '../third_party/WebKit/JavaScriptCore/wtf/OwnArrayPtr.h', '../third_party/WebKit/JavaScriptCore/wtf/OwnPtr.h', '../third_party/WebKit/JavaScriptCore/wtf/OwnPtrCommon.h', '../third_party/WebKit/JavaScriptCore/wtf/OwnPtrWin.cpp', '../third_party/WebKit/JavaScriptCore/wtf/PassOwnPtr.h', '../third_party/WebKit/JavaScriptCore/wtf/PassRefPtr.h', '../third_party/WebKit/JavaScriptCore/wtf/Platform.h', '../third_party/WebKit/JavaScriptCore/wtf/PtrAndFlags.h', '../third_party/WebKit/JavaScriptCore/wtf/RandomNumber.cpp', '../third_party/WebKit/JavaScriptCore/wtf/RandomNumber.h', '../third_party/WebKit/JavaScriptCore/wtf/RandomNumberSeed.h', '../third_party/WebKit/JavaScriptCore/wtf/RefCounted.h', '../third_party/WebKit/JavaScriptCore/wtf/RefCountedLeakCounter.cpp', '../third_party/WebKit/JavaScriptCore/wtf/RefCountedLeakCounter.h', '../third_party/WebKit/JavaScriptCore/wtf/RefPtr.h', '../third_party/WebKit/JavaScriptCore/wtf/RefPtrHashMap.h', '../third_party/WebKit/JavaScriptCore/wtf/RetainPtr.h', '../third_party/WebKit/JavaScriptCore/wtf/StdLibExtras.h', '../third_party/WebKit/JavaScriptCore/wtf/StringExtras.h', '../third_party/WebKit/JavaScriptCore/wtf/TCPackedCache.h', '../third_party/WebKit/JavaScriptCore/wtf/TCPageMap.h', '../third_party/WebKit/JavaScriptCore/wtf/TCSpinLock.h', '../third_party/WebKit/JavaScriptCore/wtf/TCSystemAlloc.cpp', '../third_party/WebKit/JavaScriptCore/wtf/TCSystemAlloc.h', '../third_party/WebKit/JavaScriptCore/wtf/ThreadSpecific.h', '../third_party/WebKit/JavaScriptCore/wtf/ThreadSpecificWin.cpp', '../third_party/WebKit/JavaScriptCore/wtf/Threading.cpp', '../third_party/WebKit/JavaScriptCore/wtf/Threading.h', '../third_party/WebKit/JavaScriptCore/wtf/ThreadingGtk.cpp', '../third_party/WebKit/JavaScriptCore/wtf/ThreadingNone.cpp', '../third_party/WebKit/JavaScriptCore/wtf/ThreadingPthreads.cpp', '../third_party/WebKit/JavaScriptCore/wtf/ThreadingQt.cpp', '../third_party/WebKit/JavaScriptCore/wtf/ThreadingWin.cpp', '../third_party/WebKit/JavaScriptCore/wtf/TypeTraits.cpp', '../third_party/WebKit/JavaScriptCore/wtf/TypeTraits.h', '../third_party/WebKit/JavaScriptCore/wtf/UnusedParam.h', '../third_party/WebKit/JavaScriptCore/wtf/Vector.h', '../third_party/WebKit/JavaScriptCore/wtf/VectorTraits.h', '../third_party/WebKit/JavaScriptCore/wtf/dtoa.cpp', '../third_party/WebKit/JavaScriptCore/wtf/dtoa.h', 'build/precompiled_webkit.cc', 'build/precompiled_webkit.h', ], 'sources!': [ # GLib/GTK, even though its name doesn't really indicate. '../third_party/WebKit/JavaScriptCore/wtf/GOwnPtr.cpp', ], 'sources/': [ ['exclude', '(Default|Gtk|Mac|None|Qt|Win|Wx)\\.(cpp|mm)$'], ], 'direct_dependent_settings': { 'include_dirs': [ '../third_party/WebKit/JavaScriptCore', '../third_party/WebKit/JavaScriptCore/wtf', ], }, 'export_dependent_settings': [ 'config', '../third_party/icu38/icu38.gyp:icui18n', '../third_party/icu38/icu38.gyp:icuuc', ], 'configurations': { 'Debug': { 'msvs_precompiled_header': 'build/precompiled_webkit.h', 'msvs_precompiled_source': 'build/precompiled_webkit.cc', }, }, 'msvs_disabled_warnings': [4127, 4355, 4510, 4512, 4610, 4706], 'conditions': [ ['OS=="win"', { 'sources/': [ ['exclude', 'ThreadingPthreads\\.cpp$'], ['include', 'Thread(ing|Specific)Win\\.cpp$'] ], 'include_dirs': [ 'build', '../third_party/WebKit/JavaScriptCore/kjs', '../third_party/WebKit/JavaScriptCore/API', # These 3 do not seem to exist. '../third_party/WebKit/JavaScriptCore/bindings', '../third_party/WebKit/JavaScriptCore/bindings/c', '../third_party/WebKit/JavaScriptCore/bindings/jni', 'pending', 'pending/wtf', ], 'include_dirs!': [ '<(SHARED_INTERMEDIATE_DIR)/webkit', ], }, { # OS != "win" 'sources!': [ 'build/precompiled_webkit.cc', 'build/precompiled_webkit.h', ], }], ['OS=="linux"', { 'defines': ['WTF_USE_PTHREADS=1'], 'direct_dependent_settings': { 'defines': ['WTF_USE_PTHREADS=1'], }, }], ], }, { 'target_name': 'pcre', 'type': '<(library)', 'dependencies': [ 'config', 'wtf', ], 'msvs_guid': '49909552-0B0C-4C14-8CF6-DB8A2ADE0934', 'actions': [ { 'action_name': 'dftables', 'inputs': [ '../third_party/WebKit/JavaScriptCore/pcre/dftables', ], 'outputs': [ '<(INTERMEDIATE_DIR)/chartables.c', ], 'action': ['perl', '-w', '<@(_inputs)', '<@(_outputs)'], }, ], 'include_dirs': [ '<(INTERMEDIATE_DIR)', ], 'sources': [ '../third_party/WebKit/JavaScriptCore/pcre/pcre.h', '../third_party/WebKit/JavaScriptCore/pcre/pcre_compile.cpp', '../third_party/WebKit/JavaScriptCore/pcre/pcre_exec.cpp', '../third_party/WebKit/JavaScriptCore/pcre/pcre_internal.h', '../third_party/WebKit/JavaScriptCore/pcre/pcre_tables.cpp', '../third_party/WebKit/JavaScriptCore/pcre/pcre_ucp_searchfuncs.cpp', '../third_party/WebKit/JavaScriptCore/pcre/pcre_xclass.cpp', '../third_party/WebKit/JavaScriptCore/pcre/ucpinternal.h', '../third_party/WebKit/JavaScriptCore/pcre/ucptable.cpp', ], 'sources!': [ # ucptable.cpp is #included by pcre_ucp_searchfunchs.cpp and is not # intended to be compiled directly. '../third_party/WebKit/JavaScriptCore/pcre/ucptable.cpp', ], 'export_dependent_settings': [ 'wtf', ], 'conditions': [ ['OS=="win"', { 'dependencies': ['../build/win/system.gyp:cygwin'], }], ], }, { 'target_name': 'webcore', 'type': '<(library)', 'msvs_guid': '1C16337B-ACF3-4D03-AA90-851C5B5EADA6', 'dependencies': [ 'config', 'pcre', 'wtf', '../build/temp_gyp/googleurl.gyp:googleurl', '../skia/skia.gyp:skia', '../third_party/libjpeg/libjpeg.gyp:libjpeg', '../third_party/libpng/libpng.gyp:libpng', '../third_party/libxml/libxml.gyp:libxml', '../third_party/libxslt/libxslt.gyp:libxslt', '../third_party/npapi/npapi.gyp:npapi', '../third_party/sqlite/sqlite.gyp:sqlite', ], 'actions': [ # Actions to build derived sources. { 'action_name': 'CSSPropertyNames', 'inputs': [ '../third_party/WebKit/WebCore/css/makeprop.pl', '../third_party/WebKit/WebCore/css/CSSPropertyNames.in', '../third_party/WebKit/WebCore/css/SVGCSSPropertyNames.in', ], 'outputs': [ '<(INTERMEDIATE_DIR)/CSSPropertyNames.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/CSSPropertyNames.h', ], 'action': ['python', 'build/action_csspropertynames.py', '<@(_outputs)', '--', '<@(_inputs)'], }, { 'action_name': 'CSSValueKeywords', 'inputs': [ '../third_party/WebKit/WebCore/css/makevalues.pl', '../third_party/WebKit/WebCore/css/CSSValueKeywords.in', '../third_party/WebKit/WebCore/css/SVGCSSValueKeywords.in', ], 'outputs': [ '<(INTERMEDIATE_DIR)/CSSValueKeywords.c', '<(SHARED_INTERMEDIATE_DIR)/webkit/CSSValueKeywords.h', ], 'action': ['python', 'build/action_cssvaluekeywords.py', '<@(_outputs)', '--', '<@(_inputs)'], }, { 'action_name': 'HTMLNames', 'inputs': [ '../third_party/WebKit/WebCore/dom/make_names.pl', '../third_party/WebKit/WebCore/html/HTMLTagNames.in', '../third_party/WebKit/WebCore/html/HTMLAttributeNames.in', ], 'outputs': [ '<(INTERMEDIATE_DIR)/HTMLNames.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/HTMLNames.h', '<(INTERMEDIATE_DIR)/HTMLElementFactory.cpp', # Pass --wrapperFactory to make_names to get these (JSC build?) #'<(INTERMEDIATE_DIR)/JSHTMLElementWrapperFactory.cpp', #'<(INTERMEDIATE_DIR)/JSHTMLElementWrapperFactory.h', ], 'action': ['python', 'build/action_makenames.py', '<@(_outputs)', '--', '<@(_inputs)', '--', '--factory', '--extraDefines', '<(feature_defines)'], 'process_outputs_as_sources': 1, }, { 'action_name': 'SVGNames', 'inputs': [ '../third_party/WebKit/WebCore/dom/make_names.pl', '../third_party/WebKit/WebCore/svg/svgtags.in', '../third_party/WebKit/WebCore/svg/svgattrs.in', ], 'outputs': [ '<(INTERMEDIATE_DIR)/SVGNames.cpp', '<(INTERMEDIATE_DIR)/SVGNames.h', '<(INTERMEDIATE_DIR)/SVGElementFactory.cpp', '<(INTERMEDIATE_DIR)/SVGElementFactory.h', # Pass --wrapperFactory to make_names to get these (JSC build?) #'<(INTERMEDIATE_DIR)/JSSVGElementWrapperFactory.cpp', #'<(INTERMEDIATE_DIR)/JSSVGElementWrapperFactory.h', ], 'action': ['python', 'build/action_makenames.py', '<@(_outputs)', '--', '<@(_inputs)', '--', '--factory', '--extraDefines', '<(feature_defines)'], 'process_outputs_as_sources': 1, }, { 'action_name': 'UserAgentStyleSheets', 'inputs': [ '../third_party/WebKit/WebCore/css/make-css-file-arrays.pl', '../third_party/WebKit/WebCore/css/html.css', '../third_party/WebKit/WebCore/css/quirks.css', '../third_party/WebKit/WebCore/css/view-source.css', '../third_party/WebKit/WebCore/css/themeChromiumLinux.css', '../third_party/WebKit/WebCore/css/themeWin.css', '../third_party/WebKit/WebCore/css/themeWinQuirks.css', '../third_party/WebKit/WebCore/css/svg.css', '../third_party/WebKit/WebCore/css/mediaControls.css', '../third_party/WebKit/WebCore/css/mediaControlsChromium.css', ], 'outputs': [ '<(INTERMEDIATE_DIR)/UserAgentStyleSheets.h', '<(INTERMEDIATE_DIR)/UserAgentStyleSheetsData.cpp', ], 'action': ['python', 'build/action_useragentstylesheets.py', '<@(_outputs)', '--', '<@(_inputs)'], 'process_outputs_as_sources': 1, }, { 'action_name': 'XLinkNames', 'inputs': [ '../third_party/WebKit/WebCore/dom/make_names.pl', '../third_party/WebKit/WebCore/svg/xlinkattrs.in', ], 'outputs': [ '<(INTERMEDIATE_DIR)/XLinkNames.cpp', '<(INTERMEDIATE_DIR)/XLinkNames.h', ], 'action': ['python', 'build/action_makenames.py', '<@(_outputs)', '--', '<@(_inputs)', '--', '--extraDefines', '<(feature_defines)'], 'process_outputs_as_sources': 1, }, { 'action_name': 'XMLNames', 'inputs': [ '../third_party/WebKit/WebCore/dom/make_names.pl', '../third_party/WebKit/WebCore/xml/xmlattrs.in', ], 'outputs': [ '<(INTERMEDIATE_DIR)/XMLNames.cpp', '<(INTERMEDIATE_DIR)/XMLNames.h', ], 'action': ['python', 'build/action_makenames.py', '<@(_outputs)', '--', '<@(_inputs)', '--', '--extraDefines', '<(feature_defines)'], 'process_outputs_as_sources': 1, }, { 'action_name': 'tokenizer', 'inputs': [ '../third_party/WebKit/WebCore/css/maketokenizer', '../third_party/WebKit/WebCore/css/tokenizer.flex', ], 'outputs': [ '<(INTERMEDIATE_DIR)/tokenizer.cpp', ], 'action': ['python', 'build/action_maketokenizer.py', '<@(_outputs)', '--', '<@(_inputs)'], }, ], 'rules': [ # Rules to build derived sources. { 'rule_name': 'bison', 'extension': 'y', 'outputs': [ '<(INTERMEDIATE_DIR)/<(RULE_INPUT_ROOT).cpp', '<(INTERMEDIATE_DIR)/<(RULE_INPUT_ROOT).h' ], 'action': ['python', 'build/rule_bison.py', '<(RULE_INPUT_PATH)', '<(INTERMEDIATE_DIR)'], 'process_outputs_as_sources': 1, }, { 'rule_name': 'gperf', 'extension': 'gperf', # gperf output is only ever #included by other source files. As # such, process_outputs_as_sources is off. Some gperf output is # #included as *.c and some as *.cpp. Since there's no way to tell # which one will be needed in a rule definition, declare both as # outputs. The harness script will generate one file and copy it to # the other. # # This rule places outputs in SHARED_INTERMEDIATE_DIR because glue # needs access to HTMLEntityNames.c. 'outputs': [ '<(SHARED_INTERMEDIATE_DIR)/webkit/<(RULE_INPUT_ROOT).c', '<(SHARED_INTERMEDIATE_DIR)/webkit/<(RULE_INPUT_ROOT).cpp', ], 'action': ['python', 'build/rule_gperf.py', '<(RULE_INPUT_PATH)', '<(SHARED_INTERMEDIATE_DIR)/webkit'], 'process_outputs_as_sources': 0, }, # Rule to build generated JavaScript (V8) bindings from .idl source. { 'rule_name': 'binding', 'extension': 'idl', 'msvs_external_rule': 1, 'inputs': [ '../third_party/WebKit/WebCore/bindings/scripts/generate-bindings.pl', '../third_party/WebKit/WebCore/bindings/scripts/CodeGenerator.pm', '../third_party/WebKit/WebCore/bindings/scripts/CodeGeneratorV8.pm', '../third_party/WebKit/WebCore/bindings/scripts/IDLParser.pm', '../third_party/WebKit/WebCore/bindings/scripts/IDLStructure.pm', ], 'outputs': [ '<(INTERMEDIATE_DIR)/bindings/V8<(RULE_INPUT_ROOT).cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/bindings/V8<(RULE_INPUT_ROOT).h', ], 'variables': { 'generator_include_dirs': [ '--include', '../third_party/WebKit/WebCore/css', '--include', '../third_party/WebKit/WebCore/dom', '--include', '../third_party/WebKit/WebCore/html', '--include', '../third_party/WebKit/WebCore/page', '--include', '../third_party/WebKit/WebCore/plugins', '--include', '../third_party/WebKit/WebCore/svg', '--include', '../third_party/WebKit/WebCore/xml', ], }, 'action': ['python', 'build/rule_binding.py', '<(RULE_INPUT_PATH)', '<(INTERMEDIATE_DIR)/bindings', '<(SHARED_INTERMEDIATE_DIR)/webkit/bindings', '--', '<@(_inputs)', '--', '--defines', '<(feature_defines) LANGUAGE_JAVASCRIPT V8_BINDING', '--generator', 'V8', '<@(generator_include_dirs)'], # They are included by DerivedSourcesAllInOne.cpp instead. 'process_outputs_as_sources': 0, 'message': 'Generating binding from <(RULE_INPUT_PATH)', }, ], 'include_dirs': [ '<(INTERMEDIATE_DIR)', '<(SHARED_INTERMEDIATE_DIR)/webkit', '<(SHARED_INTERMEDIATE_DIR)/webkit/bindings', 'port/bindings/v8', '<@(webcore_include_dirs)', ], 'sources': [ # bison rule '../third_party/WebKit/WebCore/css/CSSGrammar.y', '../third_party/WebKit/WebCore/xml/XPathGrammar.y', # gperf rule '../third_party/WebKit/WebCore/html/DocTypeStrings.gperf', '../third_party/WebKit/WebCore/html/HTMLEntityNames.gperf', '../third_party/WebKit/WebCore/platform/ColorData.gperf', # binding rule # I've put every .idl in the WebCore tree into this list. There are # exclude patterns and lists that follow to pluck out the few to not # build. '../third_party/WebKit/WebCore/css/CSSCharsetRule.idl', '../third_party/WebKit/WebCore/css/CSSFontFaceRule.idl', '../third_party/WebKit/WebCore/css/CSSImportRule.idl', '../third_party/WebKit/WebCore/css/CSSMediaRule.idl', '../third_party/WebKit/WebCore/css/CSSPageRule.idl', '../third_party/WebKit/WebCore/css/CSSPrimitiveValue.idl', '../third_party/WebKit/WebCore/css/CSSRule.idl', '../third_party/WebKit/WebCore/css/CSSRuleList.idl', '../third_party/WebKit/WebCore/css/CSSStyleDeclaration.idl', '../third_party/WebKit/WebCore/css/CSSStyleRule.idl', '../third_party/WebKit/WebCore/css/CSSStyleSheet.idl', '../third_party/WebKit/WebCore/css/CSSUnknownRule.idl', '../third_party/WebKit/WebCore/css/CSSValue.idl', '../third_party/WebKit/WebCore/css/CSSValueList.idl', '../third_party/WebKit/WebCore/css/CSSVariablesDeclaration.idl', '../third_party/WebKit/WebCore/css/CSSVariablesRule.idl', '../third_party/WebKit/WebCore/css/Counter.idl', '../third_party/WebKit/WebCore/css/MediaList.idl', '../third_party/WebKit/WebCore/css/RGBColor.idl', '../third_party/WebKit/WebCore/css/Rect.idl', '../third_party/WebKit/WebCore/css/StyleSheet.idl', '../third_party/WebKit/WebCore/css/StyleSheetList.idl', '../third_party/WebKit/WebCore/css/WebKitCSSKeyframeRule.idl', '../third_party/WebKit/WebCore/css/WebKitCSSKeyframesRule.idl', '../third_party/WebKit/WebCore/css/WebKitCSSMatrix.idl', '../third_party/WebKit/WebCore/css/WebKitCSSTransformValue.idl', '../third_party/WebKit/WebCore/dom/Attr.idl', '../third_party/WebKit/WebCore/dom/CDATASection.idl', '../third_party/WebKit/WebCore/dom/CharacterData.idl', '../third_party/WebKit/WebCore/dom/ClientRect.idl', '../third_party/WebKit/WebCore/dom/ClientRectList.idl', '../third_party/WebKit/WebCore/dom/Clipboard.idl', '../third_party/WebKit/WebCore/dom/Comment.idl', '../third_party/WebKit/WebCore/dom/DOMCoreException.idl', '../third_party/WebKit/WebCore/dom/DOMImplementation.idl', '../third_party/WebKit/WebCore/dom/Document.idl', '../third_party/WebKit/WebCore/dom/DocumentFragment.idl', '../third_party/WebKit/WebCore/dom/DocumentType.idl', '../third_party/WebKit/WebCore/dom/Element.idl', '../third_party/WebKit/WebCore/dom/Entity.idl', '../third_party/WebKit/WebCore/dom/EntityReference.idl', '../third_party/WebKit/WebCore/dom/Event.idl', '../third_party/WebKit/WebCore/dom/EventException.idl', '../third_party/WebKit/WebCore/dom/EventListener.idl', '../third_party/WebKit/WebCore/dom/EventTarget.idl', '../third_party/WebKit/WebCore/dom/KeyboardEvent.idl', '../third_party/WebKit/WebCore/dom/MessageChannel.idl', '../third_party/WebKit/WebCore/dom/MessageEvent.idl', '../third_party/WebKit/WebCore/dom/MessagePort.idl', '../third_party/WebKit/WebCore/dom/MouseEvent.idl', '../third_party/WebKit/WebCore/dom/MutationEvent.idl', '../third_party/WebKit/WebCore/dom/NamedNodeMap.idl', '../third_party/WebKit/WebCore/dom/Node.idl', '../third_party/WebKit/WebCore/dom/NodeFilter.idl', '../third_party/WebKit/WebCore/dom/NodeIterator.idl', '../third_party/WebKit/WebCore/dom/NodeList.idl', '../third_party/WebKit/WebCore/dom/Notation.idl', '../third_party/WebKit/WebCore/dom/OverflowEvent.idl', '../third_party/WebKit/WebCore/dom/ProcessingInstruction.idl', '../third_party/WebKit/WebCore/dom/ProgressEvent.idl', '../third_party/WebKit/WebCore/dom/Range.idl', '../third_party/WebKit/WebCore/dom/RangeException.idl', '../third_party/WebKit/WebCore/dom/Text.idl', '../third_party/WebKit/WebCore/dom/TextEvent.idl', '../third_party/WebKit/WebCore/dom/TreeWalker.idl', '../third_party/WebKit/WebCore/dom/UIEvent.idl', '../third_party/WebKit/WebCore/dom/WebKitAnimationEvent.idl', '../third_party/WebKit/WebCore/dom/WebKitTransitionEvent.idl', '../third_party/WebKit/WebCore/dom/WheelEvent.idl', '../third_party/WebKit/WebCore/html/CanvasGradient.idl', '../third_party/WebKit/WebCore/html/CanvasPattern.idl', '../third_party/WebKit/WebCore/html/CanvasPixelArray.idl', '../third_party/WebKit/WebCore/html/CanvasRenderingContext2D.idl', '../third_party/WebKit/WebCore/html/DataGridColumn.idl', '../third_party/WebKit/WebCore/html/DataGridColumnList.idl', '../third_party/WebKit/WebCore/html/File.idl', '../third_party/WebKit/WebCore/html/FileList.idl', '../third_party/WebKit/WebCore/html/HTMLAnchorElement.idl', '../third_party/WebKit/WebCore/html/HTMLAppletElement.idl', '../third_party/WebKit/WebCore/html/HTMLAreaElement.idl', '../third_party/WebKit/WebCore/html/HTMLAudioElement.idl', '../third_party/WebKit/WebCore/html/HTMLBRElement.idl', '../third_party/WebKit/WebCore/html/HTMLBaseElement.idl', '../third_party/WebKit/WebCore/html/HTMLBaseFontElement.idl', '../third_party/WebKit/WebCore/html/HTMLBlockquoteElement.idl', '../third_party/WebKit/WebCore/html/HTMLBodyElement.idl', '../third_party/WebKit/WebCore/html/HTMLButtonElement.idl', '../third_party/WebKit/WebCore/html/HTMLCanvasElement.idl', '../third_party/WebKit/WebCore/html/HTMLCollection.idl', '../third_party/WebKit/WebCore/html/HTMLDListElement.idl', '../third_party/WebKit/WebCore/html/HTMLDataGridCellElement.idl', '../third_party/WebKit/WebCore/html/HTMLDataGridColElement.idl', '../third_party/WebKit/WebCore/html/HTMLDataGridElement.idl', '../third_party/WebKit/WebCore/html/HTMLDataGridRowElement.idl', '../third_party/WebKit/WebCore/html/HTMLDirectoryElement.idl', '../third_party/WebKit/WebCore/html/HTMLDivElement.idl', '../third_party/WebKit/WebCore/html/HTMLDocument.idl', '../third_party/WebKit/WebCore/html/HTMLElement.idl', '../third_party/WebKit/WebCore/html/HTMLEmbedElement.idl', '../third_party/WebKit/WebCore/html/HTMLFieldSetElement.idl', '../third_party/WebKit/WebCore/html/HTMLFontElement.idl', '../third_party/WebKit/WebCore/html/HTMLFormElement.idl', '../third_party/WebKit/WebCore/html/HTMLFrameElement.idl', '../third_party/WebKit/WebCore/html/HTMLFrameSetElement.idl', '../third_party/WebKit/WebCore/html/HTMLHRElement.idl', '../third_party/WebKit/WebCore/html/HTMLHeadElement.idl', '../third_party/WebKit/WebCore/html/HTMLHeadingElement.idl', '../third_party/WebKit/WebCore/html/HTMLHtmlElement.idl', '../third_party/WebKit/WebCore/html/HTMLIFrameElement.idl', '../third_party/WebKit/WebCore/html/HTMLImageElement.idl', '../third_party/WebKit/WebCore/html/HTMLInputElement.idl', '../third_party/WebKit/WebCore/html/HTMLIsIndexElement.idl', '../third_party/WebKit/WebCore/html/HTMLLIElement.idl', '../third_party/WebKit/WebCore/html/HTMLLabelElement.idl', '../third_party/WebKit/WebCore/html/HTMLLegendElement.idl', '../third_party/WebKit/WebCore/html/HTMLLinkElement.idl', '../third_party/WebKit/WebCore/html/HTMLMapElement.idl', '../third_party/WebKit/WebCore/html/HTMLMarqueeElement.idl', '../third_party/WebKit/WebCore/html/HTMLMediaElement.idl', '../third_party/WebKit/WebCore/html/HTMLMenuElement.idl', '../third_party/WebKit/WebCore/html/HTMLMetaElement.idl', '../third_party/WebKit/WebCore/html/HTMLModElement.idl', '../third_party/WebKit/WebCore/html/HTMLOListElement.idl', '../third_party/WebKit/WebCore/html/HTMLObjectElement.idl', '../third_party/WebKit/WebCore/html/HTMLOptGroupElement.idl', '../third_party/WebKit/WebCore/html/HTMLOptionElement.idl', '../third_party/WebKit/WebCore/html/HTMLOptionsCollection.idl', '../third_party/WebKit/WebCore/html/HTMLParagraphElement.idl', '../third_party/WebKit/WebCore/html/HTMLParamElement.idl', '../third_party/WebKit/WebCore/html/HTMLPreElement.idl', '../third_party/WebKit/WebCore/html/HTMLQuoteElement.idl', '../third_party/WebKit/WebCore/html/HTMLScriptElement.idl', '../third_party/WebKit/WebCore/html/HTMLSelectElement.idl', '../third_party/WebKit/WebCore/html/HTMLSourceElement.idl', '../third_party/WebKit/WebCore/html/HTMLStyleElement.idl', '../third_party/WebKit/WebCore/html/HTMLTableCaptionElement.idl', '../third_party/WebKit/WebCore/html/HTMLTableCellElement.idl', '../third_party/WebKit/WebCore/html/HTMLTableColElement.idl', '../third_party/WebKit/WebCore/html/HTMLTableElement.idl', '../third_party/WebKit/WebCore/html/HTMLTableRowElement.idl', '../third_party/WebKit/WebCore/html/HTMLTableSectionElement.idl', '../third_party/WebKit/WebCore/html/HTMLTextAreaElement.idl', '../third_party/WebKit/WebCore/html/HTMLTitleElement.idl', '../third_party/WebKit/WebCore/html/HTMLUListElement.idl', '../third_party/WebKit/WebCore/html/HTMLVideoElement.idl', '../third_party/WebKit/WebCore/html/ImageData.idl', '../third_party/WebKit/WebCore/html/MediaError.idl', '../third_party/WebKit/WebCore/html/TextMetrics.idl', '../third_party/WebKit/WebCore/html/TimeRanges.idl', '../third_party/WebKit/WebCore/html/VoidCallback.idl', '../third_party/WebKit/WebCore/inspector/InspectorController.idl', '../third_party/WebKit/WebCore/inspector/JavaScriptCallFrame.idl', '../third_party/WebKit/WebCore/loader/appcache/DOMApplicationCache.idl', '../third_party/WebKit/WebCore/page/AbstractView.idl', '../third_party/WebKit/WebCore/page/BarInfo.idl', '../third_party/WebKit/WebCore/page/Console.idl', '../third_party/WebKit/WebCore/page/DOMSelection.idl', '../third_party/WebKit/WebCore/page/DOMWindow.idl', '../third_party/WebKit/WebCore/page/Geolocation.idl', '../third_party/WebKit/WebCore/page/Geoposition.idl', '../third_party/WebKit/WebCore/page/History.idl', '../third_party/WebKit/WebCore/page/Location.idl', '../third_party/WebKit/WebCore/page/Navigator.idl', '../third_party/WebKit/WebCore/page/PositionCallback.idl', '../third_party/WebKit/WebCore/page/PositionError.idl', '../third_party/WebKit/WebCore/page/PositionErrorCallback.idl', '../third_party/WebKit/WebCore/page/Screen.idl', '../third_party/WebKit/WebCore/page/WebKitPoint.idl', '../third_party/WebKit/WebCore/page/WorkerNavigator.idl', '../third_party/WebKit/WebCore/plugins/MimeType.idl', '../third_party/WebKit/WebCore/plugins/MimeTypeArray.idl', '../third_party/WebKit/WebCore/plugins/Plugin.idl', '../third_party/WebKit/WebCore/plugins/PluginArray.idl', '../third_party/WebKit/WebCore/storage/Database.idl', '../third_party/WebKit/WebCore/storage/SQLError.idl', '../third_party/WebKit/WebCore/storage/SQLResultSet.idl', '../third_party/WebKit/WebCore/storage/SQLResultSetRowList.idl', '../third_party/WebKit/WebCore/storage/SQLTransaction.idl', '../third_party/WebKit/WebCore/storage/Storage.idl', '../third_party/WebKit/WebCore/storage/StorageEvent.idl', '../third_party/WebKit/WebCore/svg/ElementTimeControl.idl', '../third_party/WebKit/WebCore/svg/SVGAElement.idl', '../third_party/WebKit/WebCore/svg/SVGAltGlyphElement.idl', '../third_party/WebKit/WebCore/svg/SVGAngle.idl', '../third_party/WebKit/WebCore/svg/SVGAnimateColorElement.idl', '../third_party/WebKit/WebCore/svg/SVGAnimateElement.idl', '../third_party/WebKit/WebCore/svg/SVGAnimateTransformElement.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedAngle.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedBoolean.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedEnumeration.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedInteger.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedLength.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedLengthList.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedNumber.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedNumberList.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedPathData.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedPoints.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedPreserveAspectRatio.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedRect.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedString.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedTransformList.idl', '../third_party/WebKit/WebCore/svg/SVGAnimationElement.idl', '../third_party/WebKit/WebCore/svg/SVGCircleElement.idl', '../third_party/WebKit/WebCore/svg/SVGClipPathElement.idl', '../third_party/WebKit/WebCore/svg/SVGColor.idl', '../third_party/WebKit/WebCore/svg/SVGComponentTransferFunctionElement.idl', '../third_party/WebKit/WebCore/svg/SVGCursorElement.idl', '../third_party/WebKit/WebCore/svg/SVGDefinitionSrcElement.idl', '../third_party/WebKit/WebCore/svg/SVGDefsElement.idl', '../third_party/WebKit/WebCore/svg/SVGDescElement.idl', '../third_party/WebKit/WebCore/svg/SVGDocument.idl', '../third_party/WebKit/WebCore/svg/SVGElement.idl', '../third_party/WebKit/WebCore/svg/SVGElementInstance.idl', '../third_party/WebKit/WebCore/svg/SVGElementInstanceList.idl', '../third_party/WebKit/WebCore/svg/SVGEllipseElement.idl', '../third_party/WebKit/WebCore/svg/SVGException.idl', '../third_party/WebKit/WebCore/svg/SVGExternalResourcesRequired.idl', '../third_party/WebKit/WebCore/svg/SVGFEBlendElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEColorMatrixElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEComponentTransferElement.idl', '../third_party/WebKit/WebCore/svg/SVGFECompositeElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEDiffuseLightingElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEDisplacementMapElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEDistantLightElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEFloodElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEFuncAElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEFuncBElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEFuncGElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEFuncRElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEGaussianBlurElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEImageElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEMergeElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEMergeNodeElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEOffsetElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEPointLightElement.idl', '../third_party/WebKit/WebCore/svg/SVGFESpecularLightingElement.idl', '../third_party/WebKit/WebCore/svg/SVGFESpotLightElement.idl', '../third_party/WebKit/WebCore/svg/SVGFETileElement.idl', '../third_party/WebKit/WebCore/svg/SVGFETurbulenceElement.idl', '../third_party/WebKit/WebCore/svg/SVGFilterElement.idl', '../third_party/WebKit/WebCore/svg/SVGFilterPrimitiveStandardAttributes.idl', '../third_party/WebKit/WebCore/svg/SVGFitToViewBox.idl', '../third_party/WebKit/WebCore/svg/SVGFontElement.idl', '../third_party/WebKit/WebCore/svg/SVGFontFaceElement.idl', '../third_party/WebKit/WebCore/svg/SVGFontFaceFormatElement.idl', '../third_party/WebKit/WebCore/svg/SVGFontFaceNameElement.idl', '../third_party/WebKit/WebCore/svg/SVGFontFaceSrcElement.idl', '../third_party/WebKit/WebCore/svg/SVGFontFaceUriElement.idl', '../third_party/WebKit/WebCore/svg/SVGForeignObjectElement.idl', '../third_party/WebKit/WebCore/svg/SVGGElement.idl', '../third_party/WebKit/WebCore/svg/SVGGlyphElement.idl', '../third_party/WebKit/WebCore/svg/SVGGradientElement.idl', '../third_party/WebKit/WebCore/svg/SVGHKernElement.idl', '../third_party/WebKit/WebCore/svg/SVGImageElement.idl', '../third_party/WebKit/WebCore/svg/SVGLangSpace.idl', '../third_party/WebKit/WebCore/svg/SVGLength.idl', '../third_party/WebKit/WebCore/svg/SVGLengthList.idl', '../third_party/WebKit/WebCore/svg/SVGLineElement.idl', '../third_party/WebKit/WebCore/svg/SVGLinearGradientElement.idl', '../third_party/WebKit/WebCore/svg/SVGLocatable.idl', '../third_party/WebKit/WebCore/svg/SVGMarkerElement.idl', '../third_party/WebKit/WebCore/svg/SVGMaskElement.idl', '../third_party/WebKit/WebCore/svg/SVGMatrix.idl', '../third_party/WebKit/WebCore/svg/SVGMetadataElement.idl', '../third_party/WebKit/WebCore/svg/SVGMissingGlyphElement.idl', '../third_party/WebKit/WebCore/svg/SVGNumber.idl', '../third_party/WebKit/WebCore/svg/SVGNumberList.idl', '../third_party/WebKit/WebCore/svg/SVGPaint.idl', '../third_party/WebKit/WebCore/svg/SVGPathElement.idl', '../third_party/WebKit/WebCore/svg/SVGPathSeg.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegArcAbs.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegArcRel.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegClosePath.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubicAbs.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubicRel.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubicSmoothAbs.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubicSmoothRel.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadraticAbs.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadraticRel.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadraticSmoothAbs.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadraticSmoothRel.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoAbs.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoHorizontalAbs.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoHorizontalRel.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoRel.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoVerticalAbs.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoVerticalRel.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegList.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegMovetoAbs.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegMovetoRel.idl', '../third_party/WebKit/WebCore/svg/SVGPatternElement.idl', '../third_party/WebKit/WebCore/svg/SVGPoint.idl', '../third_party/WebKit/WebCore/svg/SVGPointList.idl', '../third_party/WebKit/WebCore/svg/SVGPolygonElement.idl', '../third_party/WebKit/WebCore/svg/SVGPolylineElement.idl', '../third_party/WebKit/WebCore/svg/SVGPreserveAspectRatio.idl', '../third_party/WebKit/WebCore/svg/SVGRadialGradientElement.idl', '../third_party/WebKit/WebCore/svg/SVGRect.idl', '../third_party/WebKit/WebCore/svg/SVGRectElement.idl', '../third_party/WebKit/WebCore/svg/SVGRenderingIntent.idl', '../third_party/WebKit/WebCore/svg/SVGSVGElement.idl', '../third_party/WebKit/WebCore/svg/SVGScriptElement.idl', '../third_party/WebKit/WebCore/svg/SVGSetElement.idl', '../third_party/WebKit/WebCore/svg/SVGStopElement.idl', '../third_party/WebKit/WebCore/svg/SVGStringList.idl', '../third_party/WebKit/WebCore/svg/SVGStylable.idl', '../third_party/WebKit/WebCore/svg/SVGStyleElement.idl', '../third_party/WebKit/WebCore/svg/SVGSwitchElement.idl', '../third_party/WebKit/WebCore/svg/SVGSymbolElement.idl', '../third_party/WebKit/WebCore/svg/SVGTRefElement.idl', '../third_party/WebKit/WebCore/svg/SVGTSpanElement.idl', '../third_party/WebKit/WebCore/svg/SVGTests.idl', '../third_party/WebKit/WebCore/svg/SVGTextContentElement.idl', '../third_party/WebKit/WebCore/svg/SVGTextElement.idl', '../third_party/WebKit/WebCore/svg/SVGTextPathElement.idl', '../third_party/WebKit/WebCore/svg/SVGTextPositioningElement.idl', '../third_party/WebKit/WebCore/svg/SVGTitleElement.idl', '../third_party/WebKit/WebCore/svg/SVGTransform.idl', '../third_party/WebKit/WebCore/svg/SVGTransformList.idl', '../third_party/WebKit/WebCore/svg/SVGTransformable.idl', '../third_party/WebKit/WebCore/svg/SVGURIReference.idl', '../third_party/WebKit/WebCore/svg/SVGUnitTypes.idl', '../third_party/WebKit/WebCore/svg/SVGUseElement.idl', '../third_party/WebKit/WebCore/svg/SVGViewElement.idl', '../third_party/WebKit/WebCore/svg/SVGViewSpec.idl', '../third_party/WebKit/WebCore/svg/SVGZoomAndPan.idl', '../third_party/WebKit/WebCore/svg/SVGZoomEvent.idl', '../third_party/WebKit/WebCore/workers/Worker.idl', '../third_party/WebKit/WebCore/workers/WorkerContext.idl', '../third_party/WebKit/WebCore/workers/WorkerLocation.idl', '../third_party/WebKit/WebCore/xml/DOMParser.idl', '../third_party/WebKit/WebCore/xml/XMLHttpRequest.idl', '../third_party/WebKit/WebCore/xml/XMLHttpRequestException.idl', '../third_party/WebKit/WebCore/xml/XMLHttpRequestProgressEvent.idl', '../third_party/WebKit/WebCore/xml/XMLHttpRequestUpload.idl', '../third_party/WebKit/WebCore/xml/XMLSerializer.idl', '../third_party/WebKit/WebCore/xml/XPathEvaluator.idl', '../third_party/WebKit/WebCore/xml/XPathException.idl', '../third_party/WebKit/WebCore/xml/XPathExpression.idl', '../third_party/WebKit/WebCore/xml/XPathNSResolver.idl', '../third_party/WebKit/WebCore/xml/XPathResult.idl', '../third_party/WebKit/WebCore/xml/XSLTProcessor.idl', 'port/bindings/v8/UndetectableHTMLCollection.idl', # This file includes all the .cpp files generated from the above idl. '../third_party/WebKit/WebCore/bindings/v8/DerivedSourcesAllInOne.cpp', # V8 bindings not generated from .idl source. '../third_party/WebKit/WebCore/bindings/v8/custom/V8AttrCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CanvasPixelArrayCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CanvasRenderingContext2DCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8ClientRectListCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8ClipboardCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CSSStyleDeclarationCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomBinding.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomBinding.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomEventListener.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomEventListener.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLStatementCallback.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLStatementCallback.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLStatementErrorCallback.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLStatementErrorCallback.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLTransactionCallback.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLTransactionCallback.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLTransactionErrorCallback.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLTransactionErrorCallback.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomVoidCallback.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomVoidCallback.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomXPathNSResolver.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomXPathNSResolver.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8DatabaseCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8DocumentLocationCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8DOMParserConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8DOMWindowCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8DocumentCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8ElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8EventCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLAudioElementConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLCanvasElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLCollectionCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLDataGridElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLDocumentCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLFormElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLFrameElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLFrameSetElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLIFrameElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLImageElementConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLInputElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLOptionElementConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLOptionsCollectionCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLPlugInElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLSelectElementCollectionCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLSelectElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLSelectElementCustom.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8InspectorControllerCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8LocationCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8MessageChannelConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8MessagePortCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8NamedNodeMapCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8NamedNodesCollection.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8NamedNodesCollection.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8NavigatorCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8NodeCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8NodeFilterCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8NodeIteratorCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8NodeListCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8SQLResultSetRowListCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8SQLTransactionCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8SVGElementInstanceCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8SVGLengthCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8SVGMatrixCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8StyleSheetListCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8TreeWalkerCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8WebKitCSSMatrixConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8WebKitPointConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8WorkerContextCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8WorkerCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8XMLHttpRequestConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8XMLHttpRequestCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8XMLHttpRequestUploadCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8XMLSerializerConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8XPathEvaluatorConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8XSLTProcessorCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/DOMObjectsInclude.h', '../third_party/WebKit/WebCore/bindings/v8/ScheduledAction.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScheduledAction.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptCachedFrameData.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptCallFrame.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptCallFrame.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptCallStack.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptCallStack.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptController.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptController.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptEventListener.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptEventListener.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptFunctionCall.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptFunctionCall.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptInstance.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptInstance.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptObject.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptObject.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptObjectQuarantine.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptObjectQuarantine.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptScope.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptScope.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptSourceCode.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptState.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptState.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptString.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptValue.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptValue.h', '../third_party/WebKit/WebCore/bindings/v8/V8AbstractEventListener.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8AbstractEventListener.h', '../third_party/WebKit/WebCore/bindings/v8/V8Binding.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8Binding.h', '../third_party/WebKit/WebCore/bindings/v8/V8Collection.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8Collection.h', '../third_party/WebKit/WebCore/bindings/v8/V8DOMMap.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8DOMMap.h', '../third_party/WebKit/WebCore/bindings/v8/V8DOMWrapper.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8DOMWrapper.h', '../third_party/WebKit/WebCore/bindings/v8/V8EventListenerList.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8EventListenerList.h', '../third_party/WebKit/WebCore/bindings/v8/V8GCController.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8GCController.h', '../third_party/WebKit/WebCore/bindings/v8/V8Helpers.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8Helpers.h', '../third_party/WebKit/WebCore/bindings/v8/V8Index.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8Index.h', '../third_party/WebKit/WebCore/bindings/v8/V8IsolatedWorld.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8IsolatedWorld.h', '../third_party/WebKit/WebCore/bindings/v8/V8LazyEventListener.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8LazyEventListener.h', '../third_party/WebKit/WebCore/bindings/v8/V8NodeFilterCondition.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8NodeFilterCondition.h', '../third_party/WebKit/WebCore/bindings/v8/V8ObjectEventListener.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8ObjectEventListener.h', '../third_party/WebKit/WebCore/bindings/v8/V8Proxy.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8Proxy.h', '../third_party/WebKit/WebCore/bindings/v8/V8SVGPODTypeWrapper.h', '../third_party/WebKit/WebCore/bindings/v8/V8Utilities.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8Utilities.h', '../third_party/WebKit/WebCore/bindings/v8/V8WorkerContextEventListener.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8WorkerContextEventListener.h', '../third_party/WebKit/WebCore/bindings/v8/V8WorkerContextObjectEventListener.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8WorkerContextObjectEventListener.h', '../third_party/WebKit/WebCore/bindings/v8/WorkerContextExecutionProxy.h', '../third_party/WebKit/WebCore/bindings/v8/WorkerContextExecutionProxy.cpp', '../third_party/WebKit/WebCore/bindings/v8/WorkerScriptController.h', '../third_party/WebKit/WebCore/bindings/v8/WorkerScriptController.cpp', '../third_party/WebKit/WebCore/bindings/v8/npruntime.cpp', '../third_party/WebKit/WebCore/bindings/v8/npruntime_impl.h', '../third_party/WebKit/WebCore/bindings/v8/npruntime_internal.h', '../third_party/WebKit/WebCore/bindings/v8/npruntime_priv.h', 'extensions/v8/gc_extension.cc', 'extensions/v8/gc_extension.h', 'extensions/v8/gears_extension.cc', 'extensions/v8/gears_extension.h', 'extensions/v8/interval_extension.cc', 'extensions/v8/interval_extension.h', 'extensions/v8/playback_extension.cc', 'extensions/v8/playback_extension.h', 'extensions/v8/profiler_extension.cc', 'extensions/v8/profiler_extension.h', 'extensions/v8/benchmarking_extension.cc', 'extensions/v8/benchmarking_extension.h', 'port/bindings/v8/RGBColor.cpp', 'port/bindings/v8/RGBColor.h', 'port/bindings/v8/NPV8Object.cpp', 'port/bindings/v8/NPV8Object.h', 'port/bindings/v8/V8NPUtils.cpp', 'port/bindings/v8/V8NPUtils.h', 'port/bindings/v8/V8NPObject.cpp', 'port/bindings/v8/V8NPObject.h', # This list contains every .cpp, .h, .m, and .mm file in the # subdirectories of ../third_party/WebKit/WebCore, excluding the # ForwardingHeaders, bindings, bridge, icu, and wml subdirectories. # Exclusions are handled in the sources! and sources/ sections that # follow, some within conditions sections. '../third_party/WebKit/WebCore/accessibility/AXObjectCache.cpp', '../third_party/WebKit/WebCore/accessibility/AXObjectCache.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityARIAGrid.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityARIAGrid.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityARIAGridCell.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityARIAGridCell.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityARIAGridRow.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityARIAGridRow.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityImageMapLink.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityImageMapLink.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityList.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityList.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityListBox.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityListBox.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityListBoxOption.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityListBoxOption.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityObject.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityObject.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityRenderObject.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityRenderObject.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityTable.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityTable.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityTableCell.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityTableCell.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityTableColumn.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityTableColumn.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityTableHeaderContainer.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityTableHeaderContainer.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityTableRow.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityTableRow.h', '../third_party/WebKit/WebCore/accessibility/chromium/AXObjectCacheChromium.cpp', '../third_party/WebKit/WebCore/accessibility/chromium/AccessibilityObjectChromium.cpp', '../third_party/WebKit/WebCore/accessibility/chromium/AccessibilityObjectWrapper.h', '../third_party/WebKit/WebCore/accessibility/gtk/AXObjectCacheAtk.cpp', '../third_party/WebKit/WebCore/accessibility/gtk/AccessibilityObjectAtk.cpp', '../third_party/WebKit/WebCore/accessibility/gtk/AccessibilityObjectWrapperAtk.cpp', '../third_party/WebKit/WebCore/accessibility/gtk/AccessibilityObjectWrapperAtk.h', '../third_party/WebKit/WebCore/accessibility/qt/AccessibilityObjectQt.cpp', '../third_party/WebKit/WebCore/accessibility/mac/AXObjectCacheMac.mm', '../third_party/WebKit/WebCore/accessibility/mac/AccessibilityObjectMac.mm', '../third_party/WebKit/WebCore/accessibility/mac/AccessibilityObjectWrapper.h', '../third_party/WebKit/WebCore/accessibility/mac/AccessibilityObjectWrapper.mm', '../third_party/WebKit/WebCore/accessibility/win/AXObjectCacheWin.cpp', '../third_party/WebKit/WebCore/accessibility/win/AccessibilityObjectWin.cpp', '../third_party/WebKit/WebCore/accessibility/win/AccessibilityObjectWrapperWin.h', '../third_party/WebKit/WebCore/accessibility/wx/AccessibilityObjectWx.cpp', '../third_party/WebKit/WebCore/css/CSSBorderImageValue.cpp', '../third_party/WebKit/WebCore/css/CSSBorderImageValue.h', '../third_party/WebKit/WebCore/css/CSSCanvasValue.cpp', '../third_party/WebKit/WebCore/css/CSSCanvasValue.h', '../third_party/WebKit/WebCore/css/CSSCharsetRule.cpp', '../third_party/WebKit/WebCore/css/CSSCharsetRule.h', '../third_party/WebKit/WebCore/css/CSSComputedStyleDeclaration.cpp', '../third_party/WebKit/WebCore/css/CSSComputedStyleDeclaration.h', '../third_party/WebKit/WebCore/css/CSSCursorImageValue.cpp', '../third_party/WebKit/WebCore/css/CSSCursorImageValue.h', '../third_party/WebKit/WebCore/css/CSSFontFace.cpp', '../third_party/WebKit/WebCore/css/CSSFontFace.h', '../third_party/WebKit/WebCore/css/CSSFontFaceRule.cpp', '../third_party/WebKit/WebCore/css/CSSFontFaceRule.h', '../third_party/WebKit/WebCore/css/CSSFontFaceSource.cpp', '../third_party/WebKit/WebCore/css/CSSFontFaceSource.h', '../third_party/WebKit/WebCore/css/CSSFontFaceSrcValue.cpp', '../third_party/WebKit/WebCore/css/CSSFontFaceSrcValue.h', '../third_party/WebKit/WebCore/css/CSSFontSelector.cpp', '../third_party/WebKit/WebCore/css/CSSFontSelector.h', '../third_party/WebKit/WebCore/css/CSSFunctionValue.cpp', '../third_party/WebKit/WebCore/css/CSSFunctionValue.h', '../third_party/WebKit/WebCore/css/CSSGradientValue.cpp', '../third_party/WebKit/WebCore/css/CSSGradientValue.h', '../third_party/WebKit/WebCore/css/CSSHelper.cpp', '../third_party/WebKit/WebCore/css/CSSHelper.h', '../third_party/WebKit/WebCore/css/CSSImageGeneratorValue.cpp', '../third_party/WebKit/WebCore/css/CSSImageGeneratorValue.h', '../third_party/WebKit/WebCore/css/CSSImageValue.cpp', '../third_party/WebKit/WebCore/css/CSSImageValue.h', '../third_party/WebKit/WebCore/css/CSSImportRule.cpp', '../third_party/WebKit/WebCore/css/CSSImportRule.h', '../third_party/WebKit/WebCore/css/CSSInheritedValue.cpp', '../third_party/WebKit/WebCore/css/CSSInheritedValue.h', '../third_party/WebKit/WebCore/css/CSSInitialValue.cpp', '../third_party/WebKit/WebCore/css/CSSInitialValue.h', '../third_party/WebKit/WebCore/css/CSSMediaRule.cpp', '../third_party/WebKit/WebCore/css/CSSMediaRule.h', '../third_party/WebKit/WebCore/css/CSSMutableStyleDeclaration.cpp', '../third_party/WebKit/WebCore/css/CSSMutableStyleDeclaration.h', '../third_party/WebKit/WebCore/css/CSSNamespace.h', '../third_party/WebKit/WebCore/css/CSSPageRule.cpp', '../third_party/WebKit/WebCore/css/CSSPageRule.h', '../third_party/WebKit/WebCore/css/CSSParser.cpp', '../third_party/WebKit/WebCore/css/CSSParser.h', '../third_party/WebKit/WebCore/css/CSSParserValues.cpp', '../third_party/WebKit/WebCore/css/CSSParserValues.h', '../third_party/WebKit/WebCore/css/CSSPrimitiveValue.cpp', '../third_party/WebKit/WebCore/css/CSSPrimitiveValue.h', '../third_party/WebKit/WebCore/css/CSSPrimitiveValueMappings.h', '../third_party/WebKit/WebCore/css/CSSProperty.cpp', '../third_party/WebKit/WebCore/css/CSSProperty.h', '../third_party/WebKit/WebCore/css/CSSPropertyLonghand.cpp', '../third_party/WebKit/WebCore/css/CSSPropertyLonghand.h', '../third_party/WebKit/WebCore/css/CSSQuirkPrimitiveValue.h', '../third_party/WebKit/WebCore/css/CSSReflectValue.cpp', '../third_party/WebKit/WebCore/css/CSSReflectValue.h', '../third_party/WebKit/WebCore/css/CSSReflectionDirection.h', '../third_party/WebKit/WebCore/css/CSSRule.cpp', '../third_party/WebKit/WebCore/css/CSSRule.h', '../third_party/WebKit/WebCore/css/CSSRuleList.cpp', '../third_party/WebKit/WebCore/css/CSSRuleList.h', '../third_party/WebKit/WebCore/css/CSSSegmentedFontFace.cpp', '../third_party/WebKit/WebCore/css/CSSSegmentedFontFace.h', '../third_party/WebKit/WebCore/css/CSSSelector.cpp', '../third_party/WebKit/WebCore/css/CSSSelector.h', '../third_party/WebKit/WebCore/css/CSSSelectorList.cpp', '../third_party/WebKit/WebCore/css/CSSSelectorList.h', '../third_party/WebKit/WebCore/css/CSSStyleDeclaration.cpp', '../third_party/WebKit/WebCore/css/CSSStyleDeclaration.h', '../third_party/WebKit/WebCore/css/CSSStyleRule.cpp', '../third_party/WebKit/WebCore/css/CSSStyleRule.h', '../third_party/WebKit/WebCore/css/CSSStyleSelector.cpp', '../third_party/WebKit/WebCore/css/CSSStyleSelector.h', '../third_party/WebKit/WebCore/css/CSSStyleSheet.cpp', '../third_party/WebKit/WebCore/css/CSSStyleSheet.h', '../third_party/WebKit/WebCore/css/CSSTimingFunctionValue.cpp', '../third_party/WebKit/WebCore/css/CSSTimingFunctionValue.h', '../third_party/WebKit/WebCore/css/CSSUnicodeRangeValue.cpp', '../third_party/WebKit/WebCore/css/CSSUnicodeRangeValue.h', '../third_party/WebKit/WebCore/css/CSSUnknownRule.h', '../third_party/WebKit/WebCore/css/CSSValue.h', '../third_party/WebKit/WebCore/css/CSSValueList.cpp', '../third_party/WebKit/WebCore/css/CSSValueList.h', '../third_party/WebKit/WebCore/css/CSSVariableDependentValue.cpp', '../third_party/WebKit/WebCore/css/CSSVariableDependentValue.h', '../third_party/WebKit/WebCore/css/CSSVariablesDeclaration.cpp', '../third_party/WebKit/WebCore/css/CSSVariablesDeclaration.h', '../third_party/WebKit/WebCore/css/CSSVariablesRule.cpp', '../third_party/WebKit/WebCore/css/CSSVariablesRule.h', '../third_party/WebKit/WebCore/css/Counter.h', '../third_party/WebKit/WebCore/css/DashboardRegion.h', '../third_party/WebKit/WebCore/css/FontFamilyValue.cpp', '../third_party/WebKit/WebCore/css/FontFamilyValue.h', '../third_party/WebKit/WebCore/css/FontValue.cpp', '../third_party/WebKit/WebCore/css/FontValue.h', '../third_party/WebKit/WebCore/css/MediaFeatureNames.cpp', '../third_party/WebKit/WebCore/css/MediaFeatureNames.h', '../third_party/WebKit/WebCore/css/MediaList.cpp', '../third_party/WebKit/WebCore/css/MediaList.h', '../third_party/WebKit/WebCore/css/MediaQuery.cpp', '../third_party/WebKit/WebCore/css/MediaQuery.h', '../third_party/WebKit/WebCore/css/MediaQueryEvaluator.cpp', '../third_party/WebKit/WebCore/css/MediaQueryEvaluator.h', '../third_party/WebKit/WebCore/css/MediaQueryExp.cpp', '../third_party/WebKit/WebCore/css/MediaQueryExp.h', '../third_party/WebKit/WebCore/css/Pair.h', '../third_party/WebKit/WebCore/css/Rect.h', '../third_party/WebKit/WebCore/css/SVGCSSComputedStyleDeclaration.cpp', '../third_party/WebKit/WebCore/css/SVGCSSParser.cpp', '../third_party/WebKit/WebCore/css/SVGCSSStyleSelector.cpp', '../third_party/WebKit/WebCore/css/ShadowValue.cpp', '../third_party/WebKit/WebCore/css/ShadowValue.h', '../third_party/WebKit/WebCore/css/StyleBase.cpp', '../third_party/WebKit/WebCore/css/StyleBase.h', '../third_party/WebKit/WebCore/css/StyleList.cpp', '../third_party/WebKit/WebCore/css/StyleList.h', '../third_party/WebKit/WebCore/css/StyleSheet.cpp', '../third_party/WebKit/WebCore/css/StyleSheet.h', '../third_party/WebKit/WebCore/css/StyleSheetList.cpp', '../third_party/WebKit/WebCore/css/StyleSheetList.h', '../third_party/WebKit/WebCore/css/WebKitCSSKeyframeRule.cpp', '../third_party/WebKit/WebCore/css/WebKitCSSKeyframeRule.h', '../third_party/WebKit/WebCore/css/WebKitCSSKeyframesRule.cpp', '../third_party/WebKit/WebCore/css/WebKitCSSKeyframesRule.h', '../third_party/WebKit/WebCore/css/WebKitCSSMatrix.cpp', '../third_party/WebKit/WebCore/css/WebKitCSSMatrix.h', '../third_party/WebKit/WebCore/css/WebKitCSSTransformValue.cpp', '../third_party/WebKit/WebCore/css/WebKitCSSTransformValue.h', '../third_party/WebKit/WebCore/dom/default/PlatformMessagePortChannel.cpp', '../third_party/WebKit/WebCore/dom/default/PlatformMessagePortChannel.h', '../third_party/WebKit/WebCore/dom/ActiveDOMObject.cpp', '../third_party/WebKit/WebCore/dom/ActiveDOMObject.h', '../third_party/WebKit/WebCore/dom/Attr.cpp', '../third_party/WebKit/WebCore/dom/Attr.h', '../third_party/WebKit/WebCore/dom/Attribute.cpp', '../third_party/WebKit/WebCore/dom/Attribute.h', '../third_party/WebKit/WebCore/dom/BeforeTextInsertedEvent.cpp', '../third_party/WebKit/WebCore/dom/BeforeTextInsertedEvent.h', '../third_party/WebKit/WebCore/dom/BeforeUnloadEvent.cpp', '../third_party/WebKit/WebCore/dom/BeforeUnloadEvent.h', '../third_party/WebKit/WebCore/dom/CDATASection.cpp', '../third_party/WebKit/WebCore/dom/CDATASection.h', '../third_party/WebKit/WebCore/dom/CSSMappedAttributeDeclaration.cpp', '../third_party/WebKit/WebCore/dom/CSSMappedAttributeDeclaration.h', '../third_party/WebKit/WebCore/dom/CharacterData.cpp', '../third_party/WebKit/WebCore/dom/CharacterData.h', '../third_party/WebKit/WebCore/dom/CheckedRadioButtons.cpp', '../third_party/WebKit/WebCore/dom/CheckedRadioButtons.h', '../third_party/WebKit/WebCore/dom/ChildNodeList.cpp', '../third_party/WebKit/WebCore/dom/ChildNodeList.h', '../third_party/WebKit/WebCore/dom/ClassNames.cpp', '../third_party/WebKit/WebCore/dom/ClassNames.h', '../third_party/WebKit/WebCore/dom/ClassNodeList.cpp', '../third_party/WebKit/WebCore/dom/ClassNodeList.h', '../third_party/WebKit/WebCore/dom/ClientRect.cpp', '../third_party/WebKit/WebCore/dom/ClientRect.h', '../third_party/WebKit/WebCore/dom/ClientRectList.cpp', '../third_party/WebKit/WebCore/dom/ClientRectList.h', '../third_party/WebKit/WebCore/dom/Clipboard.cpp', '../third_party/WebKit/WebCore/dom/Clipboard.h', '../third_party/WebKit/WebCore/dom/ClipboardAccessPolicy.h', '../third_party/WebKit/WebCore/dom/ClipboardEvent.cpp', '../third_party/WebKit/WebCore/dom/ClipboardEvent.h', '../third_party/WebKit/WebCore/dom/Comment.cpp', '../third_party/WebKit/WebCore/dom/Comment.h', '../third_party/WebKit/WebCore/dom/ContainerNode.cpp', '../third_party/WebKit/WebCore/dom/ContainerNode.h', '../third_party/WebKit/WebCore/dom/ContainerNodeAlgorithms.h', '../third_party/WebKit/WebCore/dom/DOMCoreException.h', '../third_party/WebKit/WebCore/dom/DOMImplementation.cpp', '../third_party/WebKit/WebCore/dom/DOMImplementation.h', '../third_party/WebKit/WebCore/dom/DocPtr.h', '../third_party/WebKit/WebCore/dom/Document.cpp', '../third_party/WebKit/WebCore/dom/Document.h', '../third_party/WebKit/WebCore/dom/DocumentFragment.cpp', '../third_party/WebKit/WebCore/dom/DocumentFragment.h', '../third_party/WebKit/WebCore/dom/DocumentMarker.h', '../third_party/WebKit/WebCore/dom/DocumentType.cpp', '../third_party/WebKit/WebCore/dom/DocumentType.h', '../third_party/WebKit/WebCore/dom/DynamicNodeList.cpp', '../third_party/WebKit/WebCore/dom/DynamicNodeList.h', '../third_party/WebKit/WebCore/dom/EditingText.cpp', '../third_party/WebKit/WebCore/dom/EditingText.h', '../third_party/WebKit/WebCore/dom/Element.cpp', '../third_party/WebKit/WebCore/dom/Element.h', '../third_party/WebKit/WebCore/dom/ElementRareData.h', '../third_party/WebKit/WebCore/dom/Entity.cpp', '../third_party/WebKit/WebCore/dom/Entity.h', '../third_party/WebKit/WebCore/dom/EntityReference.cpp', '../third_party/WebKit/WebCore/dom/EntityReference.h', '../third_party/WebKit/WebCore/dom/Event.cpp', '../third_party/WebKit/WebCore/dom/Event.h', '../third_party/WebKit/WebCore/dom/EventException.h', '../third_party/WebKit/WebCore/dom/EventListener.h', '../third_party/WebKit/WebCore/dom/EventNames.cpp', '../third_party/WebKit/WebCore/dom/EventNames.h', '../third_party/WebKit/WebCore/dom/EventTarget.cpp', '../third_party/WebKit/WebCore/dom/EventTarget.h', '../third_party/WebKit/WebCore/dom/ExceptionBase.cpp', '../third_party/WebKit/WebCore/dom/ExceptionBase.h', '../third_party/WebKit/WebCore/dom/ExceptionCode.cpp', '../third_party/WebKit/WebCore/dom/ExceptionCode.h', '../third_party/WebKit/WebCore/dom/InputElement.cpp', '../third_party/WebKit/WebCore/dom/InputElement.h', '../third_party/WebKit/WebCore/dom/KeyboardEvent.cpp', '../third_party/WebKit/WebCore/dom/KeyboardEvent.h', '../third_party/WebKit/WebCore/dom/MappedAttribute.cpp', '../third_party/WebKit/WebCore/dom/MappedAttribute.h', '../third_party/WebKit/WebCore/dom/MappedAttributeEntry.h', '../third_party/WebKit/WebCore/dom/MessageChannel.cpp', '../third_party/WebKit/WebCore/dom/MessageChannel.h', '../third_party/WebKit/WebCore/dom/MessageEvent.cpp', '../third_party/WebKit/WebCore/dom/MessageEvent.h', '../third_party/WebKit/WebCore/dom/MessagePort.cpp', '../third_party/WebKit/WebCore/dom/MessagePort.h', '../third_party/WebKit/WebCore/dom/MessagePortChannel.cpp', '../third_party/WebKit/WebCore/dom/MessagePortChannel.h', '../third_party/WebKit/WebCore/dom/MouseEvent.cpp', '../third_party/WebKit/WebCore/dom/MouseEvent.h', '../third_party/WebKit/WebCore/dom/MouseRelatedEvent.cpp', '../third_party/WebKit/WebCore/dom/MouseRelatedEvent.h', '../third_party/WebKit/WebCore/dom/MutationEvent.cpp', '../third_party/WebKit/WebCore/dom/MutationEvent.h', '../third_party/WebKit/WebCore/dom/NameNodeList.cpp', '../third_party/WebKit/WebCore/dom/NameNodeList.h', '../third_party/WebKit/WebCore/dom/NamedAttrMap.cpp', '../third_party/WebKit/WebCore/dom/NamedAttrMap.h', '../third_party/WebKit/WebCore/dom/NamedMappedAttrMap.cpp', '../third_party/WebKit/WebCore/dom/NamedMappedAttrMap.h', '../third_party/WebKit/WebCore/dom/NamedNodeMap.h', '../third_party/WebKit/WebCore/dom/Node.cpp', '../third_party/WebKit/WebCore/dom/Node.h', '../third_party/WebKit/WebCore/dom/NodeFilter.cpp', '../third_party/WebKit/WebCore/dom/NodeFilter.h', '../third_party/WebKit/WebCore/dom/NodeFilterCondition.cpp', '../third_party/WebKit/WebCore/dom/NodeFilterCondition.h', '../third_party/WebKit/WebCore/dom/NodeIterator.cpp', '../third_party/WebKit/WebCore/dom/NodeIterator.h', '../third_party/WebKit/WebCore/dom/NodeList.h', '../third_party/WebKit/WebCore/dom/NodeRareData.h', '../third_party/WebKit/WebCore/dom/NodeRenderStyle.h', '../third_party/WebKit/WebCore/dom/NodeWithIndex.h', '../third_party/WebKit/WebCore/dom/Notation.cpp', '../third_party/WebKit/WebCore/dom/Notation.h', '../third_party/WebKit/WebCore/dom/OptionElement.cpp', '../third_party/WebKit/WebCore/dom/OptionElement.h', '../third_party/WebKit/WebCore/dom/OptionGroupElement.cpp', '../third_party/WebKit/WebCore/dom/OptionGroupElement.h', '../third_party/WebKit/WebCore/dom/OverflowEvent.cpp', '../third_party/WebKit/WebCore/dom/OverflowEvent.h', '../third_party/WebKit/WebCore/dom/Position.cpp', '../third_party/WebKit/WebCore/dom/Position.h', '../third_party/WebKit/WebCore/dom/PositionIterator.cpp', '../third_party/WebKit/WebCore/dom/PositionIterator.h', '../third_party/WebKit/WebCore/dom/ProcessingInstruction.cpp', '../third_party/WebKit/WebCore/dom/ProcessingInstruction.h', '../third_party/WebKit/WebCore/dom/ProgressEvent.cpp', '../third_party/WebKit/WebCore/dom/ProgressEvent.h', '../third_party/WebKit/WebCore/dom/QualifiedName.cpp', '../third_party/WebKit/WebCore/dom/QualifiedName.h', '../third_party/WebKit/WebCore/dom/Range.cpp', '../third_party/WebKit/WebCore/dom/Range.h', '../third_party/WebKit/WebCore/dom/RangeBoundaryPoint.h', '../third_party/WebKit/WebCore/dom/RangeException.h', '../third_party/WebKit/WebCore/dom/RegisteredEventListener.cpp', '../third_party/WebKit/WebCore/dom/RegisteredEventListener.h', '../third_party/WebKit/WebCore/dom/ScriptElement.cpp', '../third_party/WebKit/WebCore/dom/ScriptElement.h', '../third_party/WebKit/WebCore/dom/ScriptExecutionContext.cpp', '../third_party/WebKit/WebCore/dom/ScriptExecutionContext.h', '../third_party/WebKit/WebCore/dom/SelectElement.cpp', '../third_party/WebKit/WebCore/dom/SelectElement.h', '../third_party/WebKit/WebCore/dom/SelectorNodeList.cpp', '../third_party/WebKit/WebCore/dom/SelectorNodeList.h', '../third_party/WebKit/WebCore/dom/StaticNodeList.cpp', '../third_party/WebKit/WebCore/dom/StaticNodeList.h', '../third_party/WebKit/WebCore/dom/StaticStringList.cpp', '../third_party/WebKit/WebCore/dom/StaticStringList.h', '../third_party/WebKit/WebCore/dom/StyleElement.cpp', '../third_party/WebKit/WebCore/dom/StyleElement.h', '../third_party/WebKit/WebCore/dom/StyledElement.cpp', '../third_party/WebKit/WebCore/dom/StyledElement.h', '../third_party/WebKit/WebCore/dom/TagNodeList.cpp', '../third_party/WebKit/WebCore/dom/TagNodeList.h', '../third_party/WebKit/WebCore/dom/Text.cpp', '../third_party/WebKit/WebCore/dom/Text.h', '../third_party/WebKit/WebCore/dom/TextEvent.cpp', '../third_party/WebKit/WebCore/dom/TextEvent.h', '../third_party/WebKit/WebCore/dom/Tokenizer.h', '../third_party/WebKit/WebCore/dom/Traversal.cpp', '../third_party/WebKit/WebCore/dom/Traversal.h', '../third_party/WebKit/WebCore/dom/TreeWalker.cpp', '../third_party/WebKit/WebCore/dom/TreeWalker.h', '../third_party/WebKit/WebCore/dom/UIEvent.cpp', '../third_party/WebKit/WebCore/dom/UIEvent.h', '../third_party/WebKit/WebCore/dom/UIEventWithKeyState.cpp', '../third_party/WebKit/WebCore/dom/UIEventWithKeyState.h', '../third_party/WebKit/WebCore/dom/WebKitAnimationEvent.cpp', '../third_party/WebKit/WebCore/dom/WebKitAnimationEvent.h', '../third_party/WebKit/WebCore/dom/WebKitTransitionEvent.cpp', '../third_party/WebKit/WebCore/dom/WebKitTransitionEvent.h', '../third_party/WebKit/WebCore/dom/WheelEvent.cpp', '../third_party/WebKit/WebCore/dom/WheelEvent.h', '../third_party/WebKit/WebCore/dom/XMLTokenizer.cpp', '../third_party/WebKit/WebCore/dom/XMLTokenizer.h', '../third_party/WebKit/WebCore/dom/XMLTokenizerLibxml2.cpp', '../third_party/WebKit/WebCore/dom/XMLTokenizerScope.cpp', '../third_party/WebKit/WebCore/dom/XMLTokenizerScope.h', '../third_party/WebKit/WebCore/dom/XMLTokenizerQt.cpp', '../third_party/WebKit/WebCore/editing/android/EditorAndroid.cpp', '../third_party/WebKit/WebCore/editing/chromium/EditorChromium.cpp', '../third_party/WebKit/WebCore/editing/mac/EditorMac.mm', '../third_party/WebKit/WebCore/editing/mac/SelectionControllerMac.mm', '../third_party/WebKit/WebCore/editing/qt/EditorQt.cpp', '../third_party/WebKit/WebCore/editing/wx/EditorWx.cpp', '../third_party/WebKit/WebCore/editing/AppendNodeCommand.cpp', '../third_party/WebKit/WebCore/editing/AppendNodeCommand.h', '../third_party/WebKit/WebCore/editing/ApplyStyleCommand.cpp', '../third_party/WebKit/WebCore/editing/ApplyStyleCommand.h', '../third_party/WebKit/WebCore/editing/BreakBlockquoteCommand.cpp', '../third_party/WebKit/WebCore/editing/BreakBlockquoteCommand.h', '../third_party/WebKit/WebCore/editing/CompositeEditCommand.cpp', '../third_party/WebKit/WebCore/editing/CompositeEditCommand.h', '../third_party/WebKit/WebCore/editing/CreateLinkCommand.cpp', '../third_party/WebKit/WebCore/editing/CreateLinkCommand.h', '../third_party/WebKit/WebCore/editing/DeleteButton.cpp', '../third_party/WebKit/WebCore/editing/DeleteButton.h', '../third_party/WebKit/WebCore/editing/DeleteButtonController.cpp', '../third_party/WebKit/WebCore/editing/DeleteButtonController.h', '../third_party/WebKit/WebCore/editing/DeleteFromTextNodeCommand.cpp', '../third_party/WebKit/WebCore/editing/DeleteFromTextNodeCommand.h', '../third_party/WebKit/WebCore/editing/DeleteSelectionCommand.cpp', '../third_party/WebKit/WebCore/editing/DeleteSelectionCommand.h', '../third_party/WebKit/WebCore/editing/EditAction.h', '../third_party/WebKit/WebCore/editing/EditCommand.cpp', '../third_party/WebKit/WebCore/editing/EditCommand.h', '../third_party/WebKit/WebCore/editing/Editor.cpp', '../third_party/WebKit/WebCore/editing/Editor.h', '../third_party/WebKit/WebCore/editing/EditorCommand.cpp', '../third_party/WebKit/WebCore/editing/EditorDeleteAction.h', '../third_party/WebKit/WebCore/editing/EditorInsertAction.h', '../third_party/WebKit/WebCore/editing/FormatBlockCommand.cpp', '../third_party/WebKit/WebCore/editing/FormatBlockCommand.h', '../third_party/WebKit/WebCore/editing/HTMLInterchange.cpp', '../third_party/WebKit/WebCore/editing/HTMLInterchange.h', '../third_party/WebKit/WebCore/editing/IndentOutdentCommand.cpp', '../third_party/WebKit/WebCore/editing/IndentOutdentCommand.h', '../third_party/WebKit/WebCore/editing/InsertIntoTextNodeCommand.cpp', '../third_party/WebKit/WebCore/editing/InsertIntoTextNodeCommand.h', '../third_party/WebKit/WebCore/editing/InsertLineBreakCommand.cpp', '../third_party/WebKit/WebCore/editing/InsertLineBreakCommand.h', '../third_party/WebKit/WebCore/editing/InsertListCommand.cpp', '../third_party/WebKit/WebCore/editing/InsertListCommand.h', '../third_party/WebKit/WebCore/editing/InsertNodeBeforeCommand.cpp', '../third_party/WebKit/WebCore/editing/InsertNodeBeforeCommand.h', '../third_party/WebKit/WebCore/editing/InsertParagraphSeparatorCommand.cpp', '../third_party/WebKit/WebCore/editing/InsertParagraphSeparatorCommand.h', '../third_party/WebKit/WebCore/editing/InsertTextCommand.cpp', '../third_party/WebKit/WebCore/editing/InsertTextCommand.h', '../third_party/WebKit/WebCore/editing/JoinTextNodesCommand.cpp', '../third_party/WebKit/WebCore/editing/JoinTextNodesCommand.h', '../third_party/WebKit/WebCore/editing/MergeIdenticalElementsCommand.cpp', '../third_party/WebKit/WebCore/editing/MergeIdenticalElementsCommand.h', '../third_party/WebKit/WebCore/editing/ModifySelectionListLevel.cpp', '../third_party/WebKit/WebCore/editing/ModifySelectionListLevel.h', '../third_party/WebKit/WebCore/editing/MoveSelectionCommand.cpp', '../third_party/WebKit/WebCore/editing/MoveSelectionCommand.h', '../third_party/WebKit/WebCore/editing/RemoveCSSPropertyCommand.cpp', '../third_party/WebKit/WebCore/editing/RemoveCSSPropertyCommand.h', '../third_party/WebKit/WebCore/editing/RemoveFormatCommand.cpp', '../third_party/WebKit/WebCore/editing/RemoveFormatCommand.h', '../third_party/WebKit/WebCore/editing/RemoveNodeCommand.cpp', '../third_party/WebKit/WebCore/editing/RemoveNodeCommand.h', '../third_party/WebKit/WebCore/editing/RemoveNodePreservingChildrenCommand.cpp', '../third_party/WebKit/WebCore/editing/RemoveNodePreservingChildrenCommand.h', '../third_party/WebKit/WebCore/editing/ReplaceNodeWithSpanCommand.cpp', '../third_party/WebKit/WebCore/editing/ReplaceNodeWithSpanCommand.h', '../third_party/WebKit/WebCore/editing/ReplaceSelectionCommand.cpp', '../third_party/WebKit/WebCore/editing/ReplaceSelectionCommand.h', '../third_party/WebKit/WebCore/editing/SelectionController.cpp', '../third_party/WebKit/WebCore/editing/SelectionController.h', '../third_party/WebKit/WebCore/editing/SetNodeAttributeCommand.cpp', '../third_party/WebKit/WebCore/editing/SetNodeAttributeCommand.h', '../third_party/WebKit/WebCore/editing/SmartReplace.cpp', '../third_party/WebKit/WebCore/editing/SmartReplace.h', '../third_party/WebKit/WebCore/editing/SmartReplaceCF.cpp', '../third_party/WebKit/WebCore/editing/SmartReplaceICU.cpp', '../third_party/WebKit/WebCore/editing/SplitElementCommand.cpp', '../third_party/WebKit/WebCore/editing/SplitElementCommand.h', '../third_party/WebKit/WebCore/editing/SplitTextNodeCommand.cpp', '../third_party/WebKit/WebCore/editing/SplitTextNodeCommand.h', '../third_party/WebKit/WebCore/editing/SplitTextNodeContainingElementCommand.cpp', '../third_party/WebKit/WebCore/editing/SplitTextNodeContainingElementCommand.h', '../third_party/WebKit/WebCore/editing/TextAffinity.h', '../third_party/WebKit/WebCore/editing/TextGranularity.h', '../third_party/WebKit/WebCore/editing/TextIterator.cpp', '../third_party/WebKit/WebCore/editing/TextIterator.h', '../third_party/WebKit/WebCore/editing/TypingCommand.cpp', '../third_party/WebKit/WebCore/editing/TypingCommand.h', '../third_party/WebKit/WebCore/editing/UnlinkCommand.cpp', '../third_party/WebKit/WebCore/editing/UnlinkCommand.h', '../third_party/WebKit/WebCore/editing/VisiblePosition.cpp', '../third_party/WebKit/WebCore/editing/VisiblePosition.h', '../third_party/WebKit/WebCore/editing/VisibleSelection.cpp', '../third_party/WebKit/WebCore/editing/VisibleSelection.h', '../third_party/WebKit/WebCore/editing/WrapContentsInDummySpanCommand.cpp', '../third_party/WebKit/WebCore/editing/WrapContentsInDummySpanCommand.h', '../third_party/WebKit/WebCore/editing/htmlediting.cpp', '../third_party/WebKit/WebCore/editing/htmlediting.h', '../third_party/WebKit/WebCore/editing/markup.cpp', '../third_party/WebKit/WebCore/editing/markup.h', '../third_party/WebKit/WebCore/editing/visible_units.cpp', '../third_party/WebKit/WebCore/editing/visible_units.h', '../third_party/WebKit/WebCore/history/mac/HistoryItemMac.mm', '../third_party/WebKit/WebCore/history/BackForwardList.cpp', '../third_party/WebKit/WebCore/history/BackForwardList.h', '../third_party/WebKit/WebCore/history/BackForwardListChromium.cpp', '../third_party/WebKit/WebCore/history/CachedFrame.cpp', '../third_party/WebKit/WebCore/history/CachedFrame.h', '../third_party/WebKit/WebCore/history/CachedFramePlatformData.h', '../third_party/WebKit/WebCore/history/CachedPage.cpp', '../third_party/WebKit/WebCore/history/CachedPage.h', '../third_party/WebKit/WebCore/history/HistoryItem.cpp', '../third_party/WebKit/WebCore/history/HistoryItem.h', '../third_party/WebKit/WebCore/history/PageCache.cpp', '../third_party/WebKit/WebCore/history/PageCache.h', '../third_party/WebKit/WebCore/html/CanvasGradient.cpp', '../third_party/WebKit/WebCore/html/CanvasGradient.h', '../third_party/WebKit/WebCore/html/CanvasPattern.cpp', '../third_party/WebKit/WebCore/html/CanvasPattern.h', '../third_party/WebKit/WebCore/html/CanvasPixelArray.cpp', '../third_party/WebKit/WebCore/html/CanvasPixelArray.h', '../third_party/WebKit/WebCore/html/CanvasRenderingContext2D.cpp', '../third_party/WebKit/WebCore/html/CanvasRenderingContext2D.h', '../third_party/WebKit/WebCore/html/CanvasStyle.cpp', '../third_party/WebKit/WebCore/html/CanvasStyle.h', '../third_party/WebKit/WebCore/html/CollectionCache.cpp', '../third_party/WebKit/WebCore/html/CollectionCache.h', '../third_party/WebKit/WebCore/html/CollectionType.h', '../third_party/WebKit/WebCore/html/DataGridColumn.cpp', '../third_party/WebKit/WebCore/html/DataGridColumn.h', '../third_party/WebKit/WebCore/html/DOMDataGridDataSource.cpp', '../third_party/WebKit/WebCore/html/DOMDataGridDataSource.h', '../third_party/WebKit/WebCore/html/DataGridColumnList.cpp', '../third_party/WebKit/WebCore/html/DataGridColumnList.h', '../third_party/WebKit/WebCore/html/File.cpp', '../third_party/WebKit/WebCore/html/File.h', '../third_party/WebKit/WebCore/html/FileList.cpp', '../third_party/WebKit/WebCore/html/FileList.h', '../third_party/WebKit/WebCore/html/FormDataList.cpp', '../third_party/WebKit/WebCore/html/FormDataList.h', '../third_party/WebKit/WebCore/html/HTMLAnchorElement.cpp', '../third_party/WebKit/WebCore/html/HTMLAnchorElement.h', '../third_party/WebKit/WebCore/html/HTMLAppletElement.cpp', '../third_party/WebKit/WebCore/html/HTMLAppletElement.h', '../third_party/WebKit/WebCore/html/HTMLAreaElement.cpp', '../third_party/WebKit/WebCore/html/HTMLAreaElement.h', '../third_party/WebKit/WebCore/html/HTMLAudioElement.cpp', '../third_party/WebKit/WebCore/html/HTMLAudioElement.h', '../third_party/WebKit/WebCore/html/HTMLBRElement.cpp', '../third_party/WebKit/WebCore/html/HTMLBRElement.h', '../third_party/WebKit/WebCore/html/HTMLBaseElement.cpp', '../third_party/WebKit/WebCore/html/HTMLBaseElement.h', '../third_party/WebKit/WebCore/html/HTMLBaseFontElement.cpp', '../third_party/WebKit/WebCore/html/HTMLBaseFontElement.h', '../third_party/WebKit/WebCore/html/HTMLBlockquoteElement.cpp', '../third_party/WebKit/WebCore/html/HTMLBlockquoteElement.h', '../third_party/WebKit/WebCore/html/HTMLBodyElement.cpp', '../third_party/WebKit/WebCore/html/HTMLBodyElement.h', '../third_party/WebKit/WebCore/html/HTMLButtonElement.cpp', '../third_party/WebKit/WebCore/html/HTMLButtonElement.h', '../third_party/WebKit/WebCore/html/HTMLCanvasElement.cpp', '../third_party/WebKit/WebCore/html/HTMLCanvasElement.h', '../third_party/WebKit/WebCore/html/HTMLCollection.cpp', '../third_party/WebKit/WebCore/html/HTMLCollection.h', '../third_party/WebKit/WebCore/html/HTMLDListElement.cpp', '../third_party/WebKit/WebCore/html/HTMLDListElement.h', '../third_party/WebKit/WebCore/html/HTMLDataGridCellElement.cpp', '../third_party/WebKit/WebCore/html/HTMLDataGridCellElement.h', '../third_party/WebKit/WebCore/html/HTMLDataGridColElement.cpp', '../third_party/WebKit/WebCore/html/HTMLDataGridColElement.h', '../third_party/WebKit/WebCore/html/HTMLDataGridElement.cpp', '../third_party/WebKit/WebCore/html/HTMLDataGridElement.h', '../third_party/WebKit/WebCore/html/HTMLDataGridRowElement.cpp', '../third_party/WebKit/WebCore/html/HTMLDataGridRowElement.h', '../third_party/WebKit/WebCore/html/HTMLDirectoryElement.cpp', '../third_party/WebKit/WebCore/html/HTMLDirectoryElement.h', '../third_party/WebKit/WebCore/html/HTMLDivElement.cpp', '../third_party/WebKit/WebCore/html/HTMLDivElement.h', '../third_party/WebKit/WebCore/html/HTMLDocument.cpp', '../third_party/WebKit/WebCore/html/HTMLDocument.h', '../third_party/WebKit/WebCore/html/HTMLElement.cpp', '../third_party/WebKit/WebCore/html/HTMLElement.h', '../third_party/WebKit/WebCore/html/HTMLEmbedElement.cpp', '../third_party/WebKit/WebCore/html/HTMLEmbedElement.h', '../third_party/WebKit/WebCore/html/HTMLFieldSetElement.cpp', '../third_party/WebKit/WebCore/html/HTMLFieldSetElement.h', '../third_party/WebKit/WebCore/html/HTMLFontElement.cpp', '../third_party/WebKit/WebCore/html/HTMLFontElement.h', '../third_party/WebKit/WebCore/html/HTMLFormCollection.cpp', '../third_party/WebKit/WebCore/html/HTMLFormCollection.h', '../third_party/WebKit/WebCore/html/HTMLFormControlElement.cpp', '../third_party/WebKit/WebCore/html/HTMLFormControlElement.h', '../third_party/WebKit/WebCore/html/HTMLFormElement.cpp', '../third_party/WebKit/WebCore/html/HTMLFormElement.h', '../third_party/WebKit/WebCore/html/HTMLFrameElement.cpp', '../third_party/WebKit/WebCore/html/HTMLFrameElement.h', '../third_party/WebKit/WebCore/html/HTMLFrameElementBase.cpp', '../third_party/WebKit/WebCore/html/HTMLFrameElementBase.h', '../third_party/WebKit/WebCore/html/HTMLFrameOwnerElement.cpp', '../third_party/WebKit/WebCore/html/HTMLFrameOwnerElement.h', '../third_party/WebKit/WebCore/html/HTMLFrameSetElement.cpp', '../third_party/WebKit/WebCore/html/HTMLFrameSetElement.h', '../third_party/WebKit/WebCore/html/HTMLHRElement.cpp', '../third_party/WebKit/WebCore/html/HTMLHRElement.h', '../third_party/WebKit/WebCore/html/HTMLHeadElement.cpp', '../third_party/WebKit/WebCore/html/HTMLHeadElement.h', '../third_party/WebKit/WebCore/html/HTMLHeadingElement.cpp', '../third_party/WebKit/WebCore/html/HTMLHeadingElement.h', '../third_party/WebKit/WebCore/html/HTMLHtmlElement.cpp', '../third_party/WebKit/WebCore/html/HTMLHtmlElement.h', '../third_party/WebKit/WebCore/html/HTMLIFrameElement.cpp', '../third_party/WebKit/WebCore/html/HTMLIFrameElement.h', '../third_party/WebKit/WebCore/html/HTMLImageElement.cpp', '../third_party/WebKit/WebCore/html/HTMLImageElement.h', '../third_party/WebKit/WebCore/html/HTMLImageLoader.cpp', '../third_party/WebKit/WebCore/html/HTMLImageLoader.h', '../third_party/WebKit/WebCore/html/HTMLInputElement.cpp', '../third_party/WebKit/WebCore/html/HTMLInputElement.h', '../third_party/WebKit/WebCore/html/HTMLIsIndexElement.cpp', '../third_party/WebKit/WebCore/html/HTMLIsIndexElement.h', '../third_party/WebKit/WebCore/html/HTMLKeygenElement.cpp', '../third_party/WebKit/WebCore/html/HTMLKeygenElement.h', '../third_party/WebKit/WebCore/html/HTMLLIElement.cpp', '../third_party/WebKit/WebCore/html/HTMLLIElement.h', '../third_party/WebKit/WebCore/html/HTMLLabelElement.cpp', '../third_party/WebKit/WebCore/html/HTMLLabelElement.h', '../third_party/WebKit/WebCore/html/HTMLLegendElement.cpp', '../third_party/WebKit/WebCore/html/HTMLLegendElement.h', '../third_party/WebKit/WebCore/html/HTMLLinkElement.cpp', '../third_party/WebKit/WebCore/html/HTMLLinkElement.h', '../third_party/WebKit/WebCore/html/HTMLMapElement.cpp', '../third_party/WebKit/WebCore/html/HTMLMapElement.h', '../third_party/WebKit/WebCore/html/HTMLMarqueeElement.cpp', '../third_party/WebKit/WebCore/html/HTMLMarqueeElement.h', '../third_party/WebKit/WebCore/html/HTMLMediaElement.cpp', '../third_party/WebKit/WebCore/html/HTMLMediaElement.h', '../third_party/WebKit/WebCore/html/HTMLMenuElement.cpp', '../third_party/WebKit/WebCore/html/HTMLMenuElement.h', '../third_party/WebKit/WebCore/html/HTMLMetaElement.cpp', '../third_party/WebKit/WebCore/html/HTMLMetaElement.h', '../third_party/WebKit/WebCore/html/HTMLModElement.cpp', '../third_party/WebKit/WebCore/html/HTMLModElement.h', '../third_party/WebKit/WebCore/html/HTMLNameCollection.cpp', '../third_party/WebKit/WebCore/html/HTMLNameCollection.h', '../third_party/WebKit/WebCore/html/HTMLOListElement.cpp', '../third_party/WebKit/WebCore/html/HTMLOListElement.h', '../third_party/WebKit/WebCore/html/HTMLObjectElement.cpp', '../third_party/WebKit/WebCore/html/HTMLObjectElement.h', '../third_party/WebKit/WebCore/html/HTMLOptGroupElement.cpp', '../third_party/WebKit/WebCore/html/HTMLOptGroupElement.h', '../third_party/WebKit/WebCore/html/HTMLOptionElement.cpp', '../third_party/WebKit/WebCore/html/HTMLOptionElement.h', '../third_party/WebKit/WebCore/html/HTMLOptionsCollection.cpp', '../third_party/WebKit/WebCore/html/HTMLOptionsCollection.h', '../third_party/WebKit/WebCore/html/HTMLParagraphElement.cpp', '../third_party/WebKit/WebCore/html/HTMLParagraphElement.h', '../third_party/WebKit/WebCore/html/HTMLParamElement.cpp', '../third_party/WebKit/WebCore/html/HTMLParamElement.h', '../third_party/WebKit/WebCore/html/HTMLParser.cpp', '../third_party/WebKit/WebCore/html/HTMLParser.h', '../third_party/WebKit/WebCore/html/HTMLParserErrorCodes.cpp', '../third_party/WebKit/WebCore/html/HTMLParserErrorCodes.h', '../third_party/WebKit/WebCore/html/HTMLPlugInElement.cpp', '../third_party/WebKit/WebCore/html/HTMLPlugInElement.h', '../third_party/WebKit/WebCore/html/HTMLPlugInImageElement.cpp', '../third_party/WebKit/WebCore/html/HTMLPlugInImageElement.h', '../third_party/WebKit/WebCore/html/HTMLPreElement.cpp', '../third_party/WebKit/WebCore/html/HTMLPreElement.h', '../third_party/WebKit/WebCore/html/HTMLQuoteElement.cpp', '../third_party/WebKit/WebCore/html/HTMLQuoteElement.h', '../third_party/WebKit/WebCore/html/HTMLScriptElement.cpp', '../third_party/WebKit/WebCore/html/HTMLScriptElement.h', '../third_party/WebKit/WebCore/html/HTMLSelectElement.cpp', '../third_party/WebKit/WebCore/html/HTMLSelectElement.h', '../third_party/WebKit/WebCore/html/HTMLSourceElement.cpp', '../third_party/WebKit/WebCore/html/HTMLSourceElement.h', '../third_party/WebKit/WebCore/html/HTMLStyleElement.cpp', '../third_party/WebKit/WebCore/html/HTMLStyleElement.h', '../third_party/WebKit/WebCore/html/HTMLTableCaptionElement.cpp', '../third_party/WebKit/WebCore/html/HTMLTableCaptionElement.h', '../third_party/WebKit/WebCore/html/HTMLTableCellElement.cpp', '../third_party/WebKit/WebCore/html/HTMLTableCellElement.h', '../third_party/WebKit/WebCore/html/HTMLTableColElement.cpp', '../third_party/WebKit/WebCore/html/HTMLTableColElement.h', '../third_party/WebKit/WebCore/html/HTMLTableElement.cpp', '../third_party/WebKit/WebCore/html/HTMLTableElement.h', '../third_party/WebKit/WebCore/html/HTMLTablePartElement.cpp', '../third_party/WebKit/WebCore/html/HTMLTablePartElement.h', '../third_party/WebKit/WebCore/html/HTMLTableRowElement.cpp', '../third_party/WebKit/WebCore/html/HTMLTableRowElement.h', '../third_party/WebKit/WebCore/html/HTMLTableRowsCollection.cpp', '../third_party/WebKit/WebCore/html/HTMLTableRowsCollection.h', '../third_party/WebKit/WebCore/html/HTMLTableSectionElement.cpp', '../third_party/WebKit/WebCore/html/HTMLTableSectionElement.h', '../third_party/WebKit/WebCore/html/HTMLTextAreaElement.cpp', '../third_party/WebKit/WebCore/html/HTMLTextAreaElement.h', '../third_party/WebKit/WebCore/html/HTMLTitleElement.cpp', '../third_party/WebKit/WebCore/html/HTMLTitleElement.h', '../third_party/WebKit/WebCore/html/HTMLTokenizer.cpp', '../third_party/WebKit/WebCore/html/HTMLTokenizer.h', '../third_party/WebKit/WebCore/html/HTMLUListElement.cpp', '../third_party/WebKit/WebCore/html/HTMLUListElement.h', '../third_party/WebKit/WebCore/html/HTMLVideoElement.cpp', '../third_party/WebKit/WebCore/html/HTMLVideoElement.h', '../third_party/WebKit/WebCore/html/HTMLViewSourceDocument.cpp', '../third_party/WebKit/WebCore/html/HTMLViewSourceDocument.h', '../third_party/WebKit/WebCore/html/ImageData.cpp', '../third_party/WebKit/WebCore/html/ImageData.h', '../third_party/WebKit/WebCore/html/MediaError.h', '../third_party/WebKit/WebCore/html/PreloadScanner.cpp', '../third_party/WebKit/WebCore/html/PreloadScanner.h', '../third_party/WebKit/WebCore/html/TextMetrics.h', '../third_party/WebKit/WebCore/html/TimeRanges.cpp', '../third_party/WebKit/WebCore/html/TimeRanges.h', '../third_party/WebKit/WebCore/html/VoidCallback.h', '../third_party/WebKit/WebCore/inspector/InspectorClient.h', '../third_party/WebKit/WebCore/inspector/ConsoleMessage.cpp', '../third_party/WebKit/WebCore/inspector/ConsoleMessage.h', '../third_party/WebKit/WebCore/inspector/InspectorController.cpp', '../third_party/WebKit/WebCore/inspector/InspectorController.h', '../third_party/WebKit/WebCore/inspector/InspectorDatabaseResource.cpp', '../third_party/WebKit/WebCore/inspector/InspectorDatabaseResource.h', '../third_party/WebKit/WebCore/inspector/InspectorDOMStorageResource.cpp', '../third_party/WebKit/WebCore/inspector/InspectorDOMStorageResource.h', '../third_party/WebKit/WebCore/inspector/InspectorFrontend.cpp', '../third_party/WebKit/WebCore/inspector/InspectorFrontend.h', '../third_party/WebKit/WebCore/inspector/InspectorJSONObject.cpp', '../third_party/WebKit/WebCore/inspector/InspectorJSONObject.h', '../third_party/WebKit/WebCore/inspector/InspectorResource.cpp', '../third_party/WebKit/WebCore/inspector/InspectorResource.h', '../third_party/WebKit/WebCore/inspector/JavaScriptCallFrame.cpp', '../third_party/WebKit/WebCore/inspector/JavaScriptCallFrame.h', '../third_party/WebKit/WebCore/inspector/JavaScriptDebugListener.h', '../third_party/WebKit/WebCore/inspector/JavaScriptDebugServer.cpp', '../third_party/WebKit/WebCore/inspector/JavaScriptDebugServer.h', '../third_party/WebKit/WebCore/inspector/JavaScriptProfile.cpp', '../third_party/WebKit/WebCore/inspector/JavaScriptProfile.h', '../third_party/WebKit/WebCore/inspector/JavaScriptProfileNode.cpp', '../third_party/WebKit/WebCore/inspector/JavaScriptProfileNode.h', '../third_party/WebKit/WebCore/loader/appcache/ApplicationCache.cpp', '../third_party/WebKit/WebCore/loader/appcache/ApplicationCache.h', '../third_party/WebKit/WebCore/loader/appcache/ApplicationCacheGroup.cpp', '../third_party/WebKit/WebCore/loader/appcache/ApplicationCacheGroup.h', '../third_party/WebKit/WebCore/loader/appcache/ApplicationCacheResource.cpp', '../third_party/WebKit/WebCore/loader/appcache/ApplicationCacheResource.h', '../third_party/WebKit/WebCore/loader/appcache/ApplicationCacheStorage.cpp', '../third_party/WebKit/WebCore/loader/appcache/ApplicationCacheStorage.h', '../third_party/WebKit/WebCore/loader/appcache/DOMApplicationCache.cpp', '../third_party/WebKit/WebCore/loader/appcache/DOMApplicationCache.h', '../third_party/WebKit/WebCore/loader/appcache/ManifestParser.cpp', '../third_party/WebKit/WebCore/loader/appcache/ManifestParser.h', '../third_party/WebKit/WebCore/loader/archive/cf/LegacyWebArchive.cpp', '../third_party/WebKit/WebCore/loader/archive/cf/LegacyWebArchive.h', '../third_party/WebKit/WebCore/loader/archive/cf/LegacyWebArchiveMac.mm', '../third_party/WebKit/WebCore/loader/archive/Archive.h', '../third_party/WebKit/WebCore/loader/archive/ArchiveFactory.cpp', '../third_party/WebKit/WebCore/loader/archive/ArchiveFactory.h', '../third_party/WebKit/WebCore/loader/archive/ArchiveResource.cpp', '../third_party/WebKit/WebCore/loader/archive/ArchiveResource.h', '../third_party/WebKit/WebCore/loader/archive/ArchiveResourceCollection.cpp', '../third_party/WebKit/WebCore/loader/archive/ArchiveResourceCollection.h', '../third_party/WebKit/WebCore/loader/icon/IconDatabase.cpp', '../third_party/WebKit/WebCore/loader/icon/IconDatabase.h', '../third_party/WebKit/WebCore/loader/icon/IconDatabaseClient.h', '../third_party/WebKit/WebCore/loader/icon/IconDatabaseNone.cpp', '../third_party/WebKit/WebCore/loader/icon/IconFetcher.cpp', '../third_party/WebKit/WebCore/loader/icon/IconFetcher.h', '../third_party/WebKit/WebCore/loader/icon/IconLoader.cpp', '../third_party/WebKit/WebCore/loader/icon/IconLoader.h', '../third_party/WebKit/WebCore/loader/icon/IconRecord.cpp', '../third_party/WebKit/WebCore/loader/icon/IconRecord.h', '../third_party/WebKit/WebCore/loader/icon/PageURLRecord.cpp', '../third_party/WebKit/WebCore/loader/icon/PageURLRecord.h', '../third_party/WebKit/WebCore/loader/mac/DocumentLoaderMac.cpp', '../third_party/WebKit/WebCore/loader/mac/LoaderNSURLExtras.h', '../third_party/WebKit/WebCore/loader/mac/LoaderNSURLExtras.mm', '../third_party/WebKit/WebCore/loader/mac/ResourceLoaderMac.mm', '../third_party/WebKit/WebCore/loader/win/DocumentLoaderWin.cpp', '../third_party/WebKit/WebCore/loader/win/FrameLoaderWin.cpp', '../third_party/WebKit/WebCore/loader/Cache.cpp', '../third_party/WebKit/WebCore/loader/Cache.h', '../third_party/WebKit/WebCore/loader/CachePolicy.h', '../third_party/WebKit/WebCore/loader/CachedCSSStyleSheet.cpp', '../third_party/WebKit/WebCore/loader/CachedCSSStyleSheet.h', '../third_party/WebKit/WebCore/loader/CachedFont.cpp', '../third_party/WebKit/WebCore/loader/CachedFont.h', '../third_party/WebKit/WebCore/loader/CachedImage.cpp', '../third_party/WebKit/WebCore/loader/CachedImage.h', '../third_party/WebKit/WebCore/loader/CachedResource.cpp', '../third_party/WebKit/WebCore/loader/CachedResource.h', '../third_party/WebKit/WebCore/loader/CachedResourceClient.h', '../third_party/WebKit/WebCore/loader/CachedResourceClientWalker.cpp', '../third_party/WebKit/WebCore/loader/CachedResourceClientWalker.h', '../third_party/WebKit/WebCore/loader/CachedResourceHandle.cpp', '../third_party/WebKit/WebCore/loader/CachedResourceHandle.h', '../third_party/WebKit/WebCore/loader/CachedScript.cpp', '../third_party/WebKit/WebCore/loader/CachedScript.h', '../third_party/WebKit/WebCore/loader/CachedXBLDocument.cpp', '../third_party/WebKit/WebCore/loader/CachedXBLDocument.h', '../third_party/WebKit/WebCore/loader/CachedXSLStyleSheet.cpp', '../third_party/WebKit/WebCore/loader/CachedXSLStyleSheet.h', '../third_party/WebKit/WebCore/loader/CrossOriginAccessControl.cpp', '../third_party/WebKit/WebCore/loader/CrossOriginAccessControl.h', '../third_party/WebKit/WebCore/loader/CrossOriginPreflightResultCache.cpp', '../third_party/WebKit/WebCore/loader/CrossOriginPreflightResultCache.h', '../third_party/WebKit/WebCore/loader/DocLoader.cpp', '../third_party/WebKit/WebCore/loader/DocLoader.h', '../third_party/WebKit/WebCore/loader/DocumentLoader.cpp', '../third_party/WebKit/WebCore/loader/DocumentLoader.h', '../third_party/WebKit/WebCore/loader/DocumentThreadableLoader.cpp', '../third_party/WebKit/WebCore/loader/DocumentThreadableLoader.h', '../third_party/WebKit/WebCore/loader/EmptyClients.h', '../third_party/WebKit/WebCore/loader/FTPDirectoryDocument.cpp', '../third_party/WebKit/WebCore/loader/FTPDirectoryDocument.h', '../third_party/WebKit/WebCore/loader/FTPDirectoryParser.cpp', '../third_party/WebKit/WebCore/loader/FTPDirectoryParser.h', '../third_party/WebKit/WebCore/loader/FormState.cpp', '../third_party/WebKit/WebCore/loader/FormState.h', '../third_party/WebKit/WebCore/loader/FrameLoader.cpp', '../third_party/WebKit/WebCore/loader/FrameLoader.h', '../third_party/WebKit/WebCore/loader/FrameLoaderClient.h', '../third_party/WebKit/WebCore/loader/FrameLoaderTypes.h', '../third_party/WebKit/WebCore/loader/ImageDocument.cpp', '../third_party/WebKit/WebCore/loader/ImageDocument.h', '../third_party/WebKit/WebCore/loader/ImageLoader.cpp', '../third_party/WebKit/WebCore/loader/ImageLoader.h', '../third_party/WebKit/WebCore/loader/MainResourceLoader.cpp', '../third_party/WebKit/WebCore/loader/MainResourceLoader.h', '../third_party/WebKit/WebCore/loader/MediaDocument.cpp', '../third_party/WebKit/WebCore/loader/MediaDocument.h', '../third_party/WebKit/WebCore/loader/NavigationAction.cpp', '../third_party/WebKit/WebCore/loader/NavigationAction.h', '../third_party/WebKit/WebCore/loader/NetscapePlugInStreamLoader.cpp', '../third_party/WebKit/WebCore/loader/NetscapePlugInStreamLoader.h', '../third_party/WebKit/WebCore/loader/PluginDocument.cpp', '../third_party/WebKit/WebCore/loader/PluginDocument.h', '../third_party/WebKit/WebCore/loader/ProgressTracker.cpp', '../third_party/WebKit/WebCore/loader/ProgressTracker.h', '../third_party/WebKit/WebCore/loader/Request.cpp', '../third_party/WebKit/WebCore/loader/Request.h', '../third_party/WebKit/WebCore/loader/ResourceLoader.cpp', '../third_party/WebKit/WebCore/loader/ResourceLoader.h', '../third_party/WebKit/WebCore/loader/SubresourceLoader.cpp', '../third_party/WebKit/WebCore/loader/SubresourceLoader.h', '../third_party/WebKit/WebCore/loader/SubresourceLoaderClient.h', '../third_party/WebKit/WebCore/loader/SubstituteData.h', '../third_party/WebKit/WebCore/loader/SubstituteResource.h', '../third_party/WebKit/WebCore/loader/TextDocument.cpp', '../third_party/WebKit/WebCore/loader/TextDocument.h', '../third_party/WebKit/WebCore/loader/TextResourceDecoder.cpp', '../third_party/WebKit/WebCore/loader/TextResourceDecoder.h', '../third_party/WebKit/WebCore/loader/ThreadableLoader.cpp', '../third_party/WebKit/WebCore/loader/ThreadableLoader.h', '../third_party/WebKit/WebCore/loader/ThreadableLoaderClient.h', '../third_party/WebKit/WebCore/loader/ThreadableLoaderClientWrapper.h', '../third_party/WebKit/WebCore/loader/UserStyleSheetLoader.cpp', '../third_party/WebKit/WebCore/loader/UserStyleSheetLoader.h', '../third_party/WebKit/WebCore/loader/WorkerThreadableLoader.cpp', '../third_party/WebKit/WebCore/loader/WorkerThreadableLoader.h', '../third_party/WebKit/WebCore/loader/loader.cpp', '../third_party/WebKit/WebCore/loader/loader.h', '../third_party/WebKit/WebCore/page/animation/AnimationBase.cpp', '../third_party/WebKit/WebCore/page/animation/AnimationBase.h', '../third_party/WebKit/WebCore/page/animation/AnimationController.cpp', '../third_party/WebKit/WebCore/page/animation/AnimationController.h', '../third_party/WebKit/WebCore/page/animation/AnimationControllerPrivate.h', '../third_party/WebKit/WebCore/page/animation/CompositeAnimation.cpp', '../third_party/WebKit/WebCore/page/animation/CompositeAnimation.h', '../third_party/WebKit/WebCore/page/animation/ImplicitAnimation.cpp', '../third_party/WebKit/WebCore/page/animation/ImplicitAnimation.h', '../third_party/WebKit/WebCore/page/animation/KeyframeAnimation.cpp', '../third_party/WebKit/WebCore/page/animation/KeyframeAnimation.h', '../third_party/WebKit/WebCore/page/chromium/ChromeClientChromium.h', '../third_party/WebKit/WebCore/page/chromium/DragControllerChromium.cpp', '../third_party/WebKit/WebCore/page/chromium/EventHandlerChromium.cpp', '../third_party/WebKit/WebCore/page/chromium/FrameChromium.cpp', '../third_party/WebKit/WebCore/page/chromium/FrameChromium.h', '../third_party/WebKit/WebCore/page/gtk/DragControllerGtk.cpp', '../third_party/WebKit/WebCore/page/gtk/EventHandlerGtk.cpp', '../third_party/WebKit/WebCore/page/gtk/FrameGtk.cpp', '../third_party/WebKit/WebCore/page/mac/ChromeMac.mm', '../third_party/WebKit/WebCore/page/mac/DragControllerMac.mm', '../third_party/WebKit/WebCore/page/mac/EventHandlerMac.mm', '../third_party/WebKit/WebCore/page/mac/FrameMac.mm', '../third_party/WebKit/WebCore/page/mac/PageMac.cpp', '../third_party/WebKit/WebCore/page/mac/WebCoreFrameView.h', '../third_party/WebKit/WebCore/page/mac/WebCoreKeyboardUIMode.h', '../third_party/WebKit/WebCore/page/mac/WebCoreViewFactory.h', '../third_party/WebKit/WebCore/page/mac/WebCoreViewFactory.m', '../third_party/WebKit/WebCore/page/mac/WebDashboardRegion.h', '../third_party/WebKit/WebCore/page/mac/WebDashboardRegion.m', '../third_party/WebKit/WebCore/page/qt/DragControllerQt.cpp', '../third_party/WebKit/WebCore/page/qt/EventHandlerQt.cpp', '../third_party/WebKit/WebCore/page/qt/FrameQt.cpp', '../third_party/WebKit/WebCore/page/win/DragControllerWin.cpp', '../third_party/WebKit/WebCore/page/win/EventHandlerWin.cpp', '../third_party/WebKit/WebCore/page/win/FrameCGWin.cpp', '../third_party/WebKit/WebCore/page/win/FrameCairoWin.cpp', '../third_party/WebKit/WebCore/page/win/FrameWin.cpp', '../third_party/WebKit/WebCore/page/win/FrameWin.h', '../third_party/WebKit/WebCore/page/win/PageWin.cpp', '../third_party/WebKit/WebCore/page/wx/DragControllerWx.cpp', '../third_party/WebKit/WebCore/page/wx/EventHandlerWx.cpp', '../third_party/WebKit/WebCore/page/BarInfo.cpp', '../third_party/WebKit/WebCore/page/BarInfo.h', '../third_party/WebKit/WebCore/page/Chrome.cpp', '../third_party/WebKit/WebCore/page/Chrome.h', '../third_party/WebKit/WebCore/page/ChromeClient.h', '../third_party/WebKit/WebCore/page/Console.cpp', '../third_party/WebKit/WebCore/page/Console.h', '../third_party/WebKit/WebCore/page/ContextMenuClient.h', '../third_party/WebKit/WebCore/page/ContextMenuController.cpp', '../third_party/WebKit/WebCore/page/ContextMenuController.h', '../third_party/WebKit/WebCore/page/Coordinates.cpp', '../third_party/WebKit/WebCore/page/DOMSelection.cpp', '../third_party/WebKit/WebCore/page/DOMSelection.h', '../third_party/WebKit/WebCore/page/DOMTimer.cpp', '../third_party/WebKit/WebCore/page/DOMTimer.h', '../third_party/WebKit/WebCore/page/DOMWindow.cpp', '../third_party/WebKit/WebCore/page/DOMWindow.h', '../third_party/WebKit/WebCore/page/DragActions.h', '../third_party/WebKit/WebCore/page/DragClient.h', '../third_party/WebKit/WebCore/page/DragController.cpp', '../third_party/WebKit/WebCore/page/DragController.h', '../third_party/WebKit/WebCore/page/EditorClient.h', '../third_party/WebKit/WebCore/page/EventHandler.cpp', '../third_party/WebKit/WebCore/page/EventHandler.h', '../third_party/WebKit/WebCore/page/FocusController.cpp', '../third_party/WebKit/WebCore/page/FocusController.h', '../third_party/WebKit/WebCore/page/FocusDirection.h', '../third_party/WebKit/WebCore/page/Frame.cpp', '../third_party/WebKit/WebCore/page/Frame.h', '../third_party/WebKit/WebCore/page/FrameLoadRequest.h', '../third_party/WebKit/WebCore/page/FrameTree.cpp', '../third_party/WebKit/WebCore/page/FrameTree.h', '../third_party/WebKit/WebCore/page/FrameView.cpp', '../third_party/WebKit/WebCore/page/FrameView.h', '../third_party/WebKit/WebCore/page/Geolocation.cpp', '../third_party/WebKit/WebCore/page/Geolocation.h', '../third_party/WebKit/WebCore/page/Geoposition.cpp', '../third_party/WebKit/WebCore/page/Geoposition.h', '../third_party/WebKit/WebCore/page/History.cpp', '../third_party/WebKit/WebCore/page/History.h', '../third_party/WebKit/WebCore/page/Location.cpp', '../third_party/WebKit/WebCore/page/Location.h', '../third_party/WebKit/WebCore/page/MouseEventWithHitTestResults.cpp', '../third_party/WebKit/WebCore/page/MouseEventWithHitTestResults.h', '../third_party/WebKit/WebCore/page/Navigator.cpp', '../third_party/WebKit/WebCore/page/Navigator.h', '../third_party/WebKit/WebCore/page/NavigatorBase.cpp', '../third_party/WebKit/WebCore/page/NavigatorBase.h', '../third_party/WebKit/WebCore/page/Page.cpp', '../third_party/WebKit/WebCore/page/Page.h', '../third_party/WebKit/WebCore/page/PageGroup.cpp', '../third_party/WebKit/WebCore/page/PageGroup.h', '../third_party/WebKit/WebCore/page/PageGroupLoadDeferrer.cpp', '../third_party/WebKit/WebCore/page/PageGroupLoadDeferrer.h', '../third_party/WebKit/WebCore/page/PositionCallback.h', '../third_party/WebKit/WebCore/page/PositionError.h', '../third_party/WebKit/WebCore/page/PositionErrorCallback.h', '../third_party/WebKit/WebCore/page/PositionOptions.h', '../third_party/WebKit/WebCore/page/PrintContext.cpp', '../third_party/WebKit/WebCore/page/PrintContext.h', '../third_party/WebKit/WebCore/page/Screen.cpp', '../third_party/WebKit/WebCore/page/Screen.h', '../third_party/WebKit/WebCore/page/SecurityOrigin.cpp', '../third_party/WebKit/WebCore/page/SecurityOrigin.h', '../third_party/WebKit/WebCore/page/SecurityOriginHash.h', '../third_party/WebKit/WebCore/page/Settings.cpp', '../third_party/WebKit/WebCore/page/Settings.h', '../third_party/WebKit/WebCore/page/WebKitPoint.h', '../third_party/WebKit/WebCore/page/WindowFeatures.cpp', '../third_party/WebKit/WebCore/page/WindowFeatures.h', '../third_party/WebKit/WebCore/page/WorkerNavigator.cpp', '../third_party/WebKit/WebCore/page/WorkerNavigator.h', '../third_party/WebKit/WebCore/page/XSSAuditor.cpp', '../third_party/WebKit/WebCore/page/XSSAuditor.h', '../third_party/WebKit/WebCore/platform/animation/Animation.cpp', '../third_party/WebKit/WebCore/platform/animation/Animation.h', '../third_party/WebKit/WebCore/platform/animation/AnimationList.cpp', '../third_party/WebKit/WebCore/platform/animation/AnimationList.h', '../third_party/WebKit/WebCore/platform/animation/TimingFunction.h', '../third_party/WebKit/WebCore/platform/cf/FileSystemCF.cpp', '../third_party/WebKit/WebCore/platform/cf/KURLCFNet.cpp', '../third_party/WebKit/WebCore/platform/cf/SchedulePair.cpp', '../third_party/WebKit/WebCore/platform/cf/SchedulePair.h', '../third_party/WebKit/WebCore/platform/cf/SharedBufferCF.cpp', '../third_party/WebKit/WebCore/platform/chromium/ChromiumBridge.h', '../third_party/WebKit/WebCore/platform/chromium/ChromiumDataObject.cpp', '../third_party/WebKit/WebCore/platform/chromium/ChromiumDataObject.h', '../third_party/WebKit/WebCore/platform/chromium/ClipboardChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/ClipboardChromium.h', '../third_party/WebKit/WebCore/platform/chromium/ClipboardChromiumLinux.cpp', '../third_party/WebKit/WebCore/platform/chromium/ClipboardChromiumMac.cpp', '../third_party/WebKit/WebCore/platform/chromium/ClipboardChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/chromium/ClipboardUtilitiesChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/ClipboardUtilitiesChromium.h', '../third_party/WebKit/WebCore/platform/chromium/ContextMenuChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/ContextMenuItemChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/CursorChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/DragDataChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/DragDataRef.h', '../third_party/WebKit/WebCore/platform/chromium/DragImageChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/DragImageRef.h', '../third_party/WebKit/WebCore/platform/chromium/FileChooserChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/FileSystemChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/FileSystemChromiumLinux.cpp', '../third_party/WebKit/WebCore/platform/chromium/FileSystemChromiumMac.mm', '../third_party/WebKit/WebCore/platform/chromium/FileSystemChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/chromium/FramelessScrollView.cpp', '../third_party/WebKit/WebCore/platform/chromium/FramelessScrollView.h', '../third_party/WebKit/WebCore/platform/chromium/FramelessScrollViewClient.h', '../third_party/WebKit/WebCore/platform/chromium/KeyCodeConversion.h', '../third_party/WebKit/WebCore/platform/chromium/KeyCodeConversionGtk.cpp', '../third_party/WebKit/WebCore/platform/chromium/KeyboardCodesPosix.h', '../third_party/WebKit/WebCore/platform/chromium/KeyboardCodesWin.h', '../third_party/WebKit/WebCore/platform/chromium/Language.cpp', '../third_party/WebKit/WebCore/platform/chromium/LinkHashChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/MimeTypeRegistryChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/PasteboardChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/PasteboardPrivate.h', '../third_party/WebKit/WebCore/platform/chromium/PlatformCursor.h', '../third_party/WebKit/WebCore/platform/chromium/PlatformKeyboardEventChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/PlatformScreenChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/PlatformWidget.h', '../third_party/WebKit/WebCore/platform/chromium/PopupMenuChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/PopupMenuChromium.h', '../third_party/WebKit/WebCore/platform/chromium/PopupMenuPrivate.h', '../third_party/WebKit/WebCore/platform/chromium/SSLKeyGeneratorChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/ScrollbarThemeChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/ScrollbarThemeChromium.h', '../third_party/WebKit/WebCore/platform/chromium/ScrollbarThemeChromiumLinux.cpp', '../third_party/WebKit/WebCore/platform/chromium/ScrollbarThemeChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/chromium/SearchPopupMenuChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/SharedTimerChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/SoundChromiumPosix.cpp', '../third_party/WebKit/WebCore/platform/chromium/SoundChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/chromium/SuddenTerminationChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/SystemTimeChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/TemporaryLinkStubs.cpp', '../third_party/WebKit/WebCore/platform/chromium/WidgetChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/WindowsVersion.cpp', '../third_party/WebKit/WebCore/platform/chromium/WindowsVersion.h', '../third_party/WebKit/WebCore/platform/graphics/cairo/CairoPath.h', '../third_party/WebKit/WebCore/platform/graphics/cairo/FontCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/cairo/GradientCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/cairo/GraphicsContextCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/cairo/GraphicsContextPlatformPrivateCairo.h', '../third_party/WebKit/WebCore/platform/graphics/cairo/ImageBufferCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/cairo/ImageBufferData.h', '../third_party/WebKit/WebCore/platform/graphics/cairo/ImageCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/cairo/ImageSourceCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/cairo/PathCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/cairo/PatternCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/cairo/TransformationMatrixCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/ColorCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/FloatPointCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/FloatRectCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/FloatSizeCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/GradientCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/GraphicsContextCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/GraphicsContextPlatformPrivateCG.h', '../third_party/WebKit/WebCore/platform/graphics/cg/ImageBufferCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/ImageBufferData.h', '../third_party/WebKit/WebCore/platform/graphics/cg/ImageCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/ImageSourceCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/ImageSourceCG.h', '../third_party/WebKit/WebCore/platform/graphics/cg/ImageSourceCGMac.mm', '../third_party/WebKit/WebCore/platform/graphics/cg/ImageSourceCGWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/IntPointCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/IntRectCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/IntSizeCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/PDFDocumentImage.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/PDFDocumentImage.h', '../third_party/WebKit/WebCore/platform/graphics/cg/PathCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/PatternCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/TransformationMatrixCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontCacheChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontCacheLinux.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontCustomPlatformData.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontCustomPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontLinux.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontPlatformDataChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontPlatformDataChromiumWin.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontPlatformDataLinux.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontPlatformDataLinux.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontUtilsChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontUtilsChromiumWin.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/GlyphPageTreeNodeChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/GlyphPageTreeNodeLinux.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/IconChromiumLinux.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/IconChromiumMac.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/IconChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/ImageBufferData.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/ImageChromiumMac.mm', '../third_party/WebKit/WebCore/platform/graphics/chromium/MediaPlayerPrivateChromium.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/PlatformIcon.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/SimpleFontDataChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/SimpleFontDataLinux.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/TransparencyWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/TransparencyWin.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/UniscribeHelper.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/UniscribeHelper.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/UniscribeHelperTextRun.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/UniscribeHelperTextRun.h', '../third_party/WebKit/WebCore/platform/graphics/filters/FEBlend.cpp', '../third_party/WebKit/WebCore/platform/graphics/filters/FEBlend.h', '../third_party/WebKit/WebCore/platform/graphics/filters/FEColorMatrix.cpp', '../third_party/WebKit/WebCore/platform/graphics/filters/FEColorMatrix.h', '../third_party/WebKit/WebCore/platform/graphics/filters/FEComponentTransfer.cpp', '../third_party/WebKit/WebCore/platform/graphics/filters/FEComponentTransfer.h', '../third_party/WebKit/WebCore/platform/graphics/filters/FEComposite.cpp', '../third_party/WebKit/WebCore/platform/graphics/filters/FEComposite.h', '../third_party/WebKit/WebCore/platform/graphics/filters/SourceAlpha.cpp', '../third_party/WebKit/WebCore/platform/graphics/filters/SourceAlpha.h', '../third_party/WebKit/WebCore/platform/graphics/filters/SourceGraphic.cpp', '../third_party/WebKit/WebCore/platform/graphics/filters/SourceGraphic.h', '../third_party/WebKit/WebCore/platform/graphics/gtk/ColorGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/FontCacheGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/FontCustomPlatformData.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/FontCustomPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/gtk/FontCustomPlatformDataPango.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/FontGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/FontPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/gtk/FontPlatformDataGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/FontPlatformDataPango.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/GlyphPageTreeNodeGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/GlyphPageTreeNodePango.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/IconGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/ImageGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/IntPointGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/IntRectGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/MediaPlayerPrivateGStreamer.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/MediaPlayerPrivateGStreamer.h', '../third_party/WebKit/WebCore/platform/graphics/gtk/SimpleFontDataGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/SimpleFontDataPango.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/VideoSinkGStreamer.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/VideoSinkGStreamer.h', '../third_party/WebKit/WebCore/platform/graphics/mac/ColorMac.h', '../third_party/WebKit/WebCore/platform/graphics/mac/ColorMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/CoreTextController.cpp', '../third_party/WebKit/WebCore/platform/graphics/mac/CoreTextController.h', '../third_party/WebKit/WebCore/platform/graphics/mac/FloatPointMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/FloatRectMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/FloatSizeMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/FontCacheMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/FontCustomPlatformData.cpp', '../third_party/WebKit/WebCore/platform/graphics/mac/FontCustomPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/mac/FontMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/FontMacATSUI.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/FontMacCoreText.cpp', '../third_party/WebKit/WebCore/platform/graphics/mac/FontPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/mac/FontPlatformDataMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/GlyphPageTreeNodeMac.cpp', '../third_party/WebKit/WebCore/platform/graphics/mac/GraphicsContextMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/GraphicsLayerCA.h', '../third_party/WebKit/WebCore/platform/graphics/mac/GraphicsLayerCA.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/IconMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/ImageMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/IntPointMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/IntRectMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/IntSizeMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/MediaPlayerPrivateQTKit.h', '../third_party/WebKit/WebCore/platform/graphics/mac/MediaPlayerPrivateQTKit.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/MediaPlayerProxy.h', '../third_party/WebKit/WebCore/platform/graphics/mac/SimpleFontDataMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/WebLayer.h', '../third_party/WebKit/WebCore/platform/graphics/mac/WebLayer.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/WebTiledLayer.h', '../third_party/WebKit/WebCore/platform/graphics/mac/WebTiledLayer.mm', '../third_party/WebKit/WebCore/platform/graphics/MediaPlayer.cpp', '../third_party/WebKit/WebCore/platform/graphics/opentype/OpenTypeUtilities.cpp', '../third_party/WebKit/WebCore/platform/graphics/opentype/OpenTypeUtilities.h', '../third_party/WebKit/WebCore/platform/graphics/qt/ColorQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/FloatPointQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/FloatRectQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/FontCacheQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/FontCustomPlatformData.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/FontCustomPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/qt/FontFallbackListQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/FontPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/qt/FontPlatformDataQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/FontQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/FontQt43.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/GlyphPageTreeNodeQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/GradientQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/GraphicsContextQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/IconQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/ImageBufferData.h', '../third_party/WebKit/WebCore/platform/graphics/qt/ImageBufferQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/ImageDecoderQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/ImageDecoderQt.h', '../third_party/WebKit/WebCore/platform/graphics/qt/ImageQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/ImageSourceQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/IntPointQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/IntRectQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/IntSizeQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/MediaPlayerPrivatePhonon.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/MediaPlayerPrivatePhonon.h', '../third_party/WebKit/WebCore/platform/graphics/qt/PathQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/PatternQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/SimpleFontDataQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/StillImageQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/StillImageQt.h', '../third_party/WebKit/WebCore/platform/graphics/qt/TransformationMatrixQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/BitmapImageSingleFrameSkia.h', '../third_party/WebKit/WebCore/platform/graphics/skia/FloatPointSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/FloatRectSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/GradientSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/GraphicsContextPlatformPrivate.h', '../third_party/WebKit/WebCore/platform/graphics/skia/GraphicsContextSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/ImageBufferSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/ImageSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/ImageSourceSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/ImageSourceSkia.h', '../third_party/WebKit/WebCore/platform/graphics/skia/IntPointSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/IntRectSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/NativeImageSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/NativeImageSkia.h', '../third_party/WebKit/WebCore/platform/graphics/skia/PathSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/PatternSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/PlatformContextSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/PlatformContextSkia.h', '../third_party/WebKit/WebCore/platform/graphics/skia/PlatformGraphics.h', '../third_party/WebKit/WebCore/platform/graphics/skia/SkiaFontWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/SkiaFontWin.h', '../third_party/WebKit/WebCore/platform/graphics/skia/SkiaUtils.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/SkiaUtils.h', '../third_party/WebKit/WebCore/platform/graphics/skia/TransformationMatrixSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/IdentityTransformOperation.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/Matrix3DTransformOperation.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/Matrix3DTransformOperation.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/MatrixTransformOperation.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/MatrixTransformOperation.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/PerspectiveTransformOperation.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/PerspectiveTransformOperation.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/RotateTransformOperation.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/RotateTransformOperation.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/ScaleTransformOperation.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/ScaleTransformOperation.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/SkewTransformOperation.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/SkewTransformOperation.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/TransformOperation.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/TransformOperations.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/TransformOperations.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/TransformationMatrix.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/TransformationMatrix.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/TranslateTransformOperation.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/TranslateTransformOperation.h', '../third_party/WebKit/WebCore/platform/graphics/win/ColorSafari.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/FontCGWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/FontCacheWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/FontCustomPlatformData.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/FontCustomPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/win/FontCustomPlatformDataCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/FontCustomPlatformDataCairo.h', '../third_party/WebKit/WebCore/platform/graphics/win/FontDatabase.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/FontDatabase.h', '../third_party/WebKit/WebCore/platform/graphics/win/FontPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/win/FontPlatformDataCGWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/FontPlatformDataCairoWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/FontPlatformDataWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/FontWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/GlyphPageTreeNodeCGWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/GlyphPageTreeNodeCairoWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/GraphicsContextCGWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/GraphicsContextCairoWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/GraphicsContextWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/IconWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/ImageCGWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/ImageCairoWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/ImageWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/IntPointWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/IntRectWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/IntSizeWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/MediaPlayerPrivateQuickTimeWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/MediaPlayerPrivateQuickTimeWin.h', '../third_party/WebKit/WebCore/platform/graphics/win/QTMovieWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/QTMovieWin.h', '../third_party/WebKit/WebCore/platform/graphics/win/QTMovieWinTimer.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/QTMovieWinTimer.h', '../third_party/WebKit/WebCore/platform/graphics/win/SimpleFontDataCGWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/SimpleFontDataCairoWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/SimpleFontDataWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/UniscribeController.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/UniscribeController.h', '../third_party/WebKit/WebCore/platform/graphics/wx/ColorWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/FloatRectWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/FontCacheWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/FontPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/wx/FontPlatformDataWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/FontWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/GlyphMapWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/GradientWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/GraphicsContextWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/ImageBufferData.h', '../third_party/WebKit/WebCore/platform/graphics/wx/ImageBufferWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/ImageSourceWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/ImageWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/IntPointWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/IntRectWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/PathWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/PenWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/SimpleFontDataWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/TransformationMatrixWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/BitmapImage.cpp', '../third_party/WebKit/WebCore/platform/graphics/BitmapImage.h', '../third_party/WebKit/WebCore/platform/graphics/Color.cpp', '../third_party/WebKit/WebCore/platform/graphics/Color.h', '../third_party/WebKit/WebCore/platform/graphics/DashArray.h', '../third_party/WebKit/WebCore/platform/graphics/FloatPoint.cpp', '../third_party/WebKit/WebCore/platform/graphics/FloatPoint.h', '../third_party/WebKit/WebCore/platform/graphics/FloatPoint3D.cpp', '../third_party/WebKit/WebCore/platform/graphics/FloatPoint3D.h', '../third_party/WebKit/WebCore/platform/graphics/FloatQuad.cpp', '../third_party/WebKit/WebCore/platform/graphics/FloatQuad.h', '../third_party/WebKit/WebCore/platform/graphics/FloatRect.cpp', '../third_party/WebKit/WebCore/platform/graphics/FloatRect.h', '../third_party/WebKit/WebCore/platform/graphics/FloatSize.cpp', '../third_party/WebKit/WebCore/platform/graphics/FloatSize.h', '../third_party/WebKit/WebCore/platform/graphics/Font.cpp', '../third_party/WebKit/WebCore/platform/graphics/Font.h', '../third_party/WebKit/WebCore/platform/graphics/FontCache.cpp', '../third_party/WebKit/WebCore/platform/graphics/FontCache.h', '../third_party/WebKit/WebCore/platform/graphics/FontData.cpp', '../third_party/WebKit/WebCore/platform/graphics/FontData.h', '../third_party/WebKit/WebCore/platform/graphics/FontDescription.cpp', '../third_party/WebKit/WebCore/platform/graphics/FontDescription.h', '../third_party/WebKit/WebCore/platform/graphics/FontFallbackList.cpp', '../third_party/WebKit/WebCore/platform/graphics/FontFallbackList.h', '../third_party/WebKit/WebCore/platform/graphics/FontFamily.cpp', '../third_party/WebKit/WebCore/platform/graphics/FontFamily.h', '../third_party/WebKit/WebCore/platform/graphics/FontFastPath.cpp', '../third_party/WebKit/WebCore/platform/graphics/FontRenderingMode.h', '../third_party/WebKit/WebCore/platform/graphics/FontSelector.h', '../third_party/WebKit/WebCore/platform/graphics/FontTraitsMask.h', '../third_party/WebKit/WebCore/platform/graphics/GeneratedImage.cpp', '../third_party/WebKit/WebCore/platform/graphics/GeneratedImage.h', '../third_party/WebKit/WebCore/platform/graphics/Generator.h', '../third_party/WebKit/WebCore/platform/graphics/GlyphBuffer.h', '../third_party/WebKit/WebCore/platform/graphics/GlyphPageTreeNode.cpp', '../third_party/WebKit/WebCore/platform/graphics/GlyphPageTreeNode.h', '../third_party/WebKit/WebCore/platform/graphics/GlyphWidthMap.cpp', '../third_party/WebKit/WebCore/platform/graphics/GlyphWidthMap.h', '../third_party/WebKit/WebCore/platform/graphics/Gradient.cpp', '../third_party/WebKit/WebCore/platform/graphics/Gradient.h', '../third_party/WebKit/WebCore/platform/graphics/GraphicsContext.cpp', '../third_party/WebKit/WebCore/platform/graphics/GraphicsContext.h', '../third_party/WebKit/WebCore/platform/graphics/GraphicsContextPrivate.h', '../third_party/WebKit/WebCore/platform/graphics/GraphicsLayer.cpp', '../third_party/WebKit/WebCore/platform/graphics/GraphicsLayer.h', '../third_party/WebKit/WebCore/platform/graphics/GraphicsLayerClient.h', '../third_party/WebKit/WebCore/platform/graphics/GraphicsTypes.cpp', '../third_party/WebKit/WebCore/platform/graphics/GraphicsTypes.h', '../third_party/WebKit/WebCore/platform/graphics/Icon.h', '../third_party/WebKit/WebCore/platform/graphics/Image.cpp', '../third_party/WebKit/WebCore/platform/graphics/Image.h', '../third_party/WebKit/WebCore/platform/graphics/ImageBuffer.h', '../third_party/WebKit/WebCore/platform/graphics/ImageObserver.h', '../third_party/WebKit/WebCore/platform/graphics/ImageSource.h', '../third_party/WebKit/WebCore/platform/graphics/IntPoint.h', '../third_party/WebKit/WebCore/platform/graphics/IntRect.cpp', '../third_party/WebKit/WebCore/platform/graphics/IntRect.h', '../third_party/WebKit/WebCore/platform/graphics/IntSize.h', '../third_party/WebKit/WebCore/platform/graphics/IntSizeHash.h', '../third_party/WebKit/WebCore/platform/graphics/MediaPlayer.cpp', '../third_party/WebKit/WebCore/platform/graphics/MediaPlayer.h', '../third_party/WebKit/WebCore/platform/graphics/MediaPlayerPrivate.h', '../third_party/WebKit/WebCore/platform/graphics/Path.cpp', '../third_party/WebKit/WebCore/platform/graphics/Path.h', '../third_party/WebKit/WebCore/platform/graphics/PathTraversalState.cpp', '../third_party/WebKit/WebCore/platform/graphics/PathTraversalState.h', '../third_party/WebKit/WebCore/platform/graphics/Pattern.cpp', '../third_party/WebKit/WebCore/platform/graphics/Pattern.h', '../third_party/WebKit/WebCore/platform/graphics/Pen.cpp', '../third_party/WebKit/WebCore/platform/graphics/Pen.h', '../third_party/WebKit/WebCore/platform/graphics/SegmentedFontData.cpp', '../third_party/WebKit/WebCore/platform/graphics/SegmentedFontData.h', '../third_party/WebKit/WebCore/platform/graphics/SimpleFontData.cpp', '../third_party/WebKit/WebCore/platform/graphics/SimpleFontData.h', '../third_party/WebKit/WebCore/platform/graphics/StringTruncator.cpp', '../third_party/WebKit/WebCore/platform/graphics/StringTruncator.h', '../third_party/WebKit/WebCore/platform/graphics/StrokeStyleApplier.h', '../third_party/WebKit/WebCore/platform/graphics/TextRun.h', '../third_party/WebKit/WebCore/platform/graphics/UnitBezier.h', '../third_party/WebKit/WebCore/platform/graphics/WidthIterator.cpp', '../third_party/WebKit/WebCore/platform/graphics/WidthIterator.h', '../third_party/WebKit/WebCore/platform/gtk/ClipboardGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/ClipboardGtk.h', '../third_party/WebKit/WebCore/platform/gtk/ContextMenuGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/ContextMenuItemGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/CursorGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/CursorGtk.h', '../third_party/WebKit/WebCore/platform/gtk/DragDataGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/DragImageGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/EventLoopGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/FileChooserGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/FileSystemGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/GeolocationServiceGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/GeolocationServiceGtk.h', '../third_party/WebKit/WebCore/platform/gtk/KURLGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/KeyEventGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/KeyboardCodes.h', '../third_party/WebKit/WebCore/platform/gtk/Language.cpp', '../third_party/WebKit/WebCore/platform/gtk/LocalizedStringsGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/LoggingGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/MIMETypeRegistryGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/MouseEventGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/PasteboardGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/PasteboardHelper.h', '../third_party/WebKit/WebCore/platform/gtk/PlatformScreenGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/PopupMenuGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/RenderThemeGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/RenderThemeGtk.h', '../third_party/WebKit/WebCore/platform/gtk/ScrollViewGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/ScrollbarGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/ScrollbarGtk.h', '../third_party/WebKit/WebCore/platform/gtk/ScrollbarThemeGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/ScrollbarThemeGtk.h', '../third_party/WebKit/WebCore/platform/gtk/SearchPopupMenuGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/SharedBufferGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/SharedTimerGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/SoundGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/TemporaryLinkStubs.cpp', '../third_party/WebKit/WebCore/platform/gtk/WheelEventGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/WidgetGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/gtkdrawing.h', '../third_party/WebKit/WebCore/platform/gtk/guriescape.h', '../third_party/WebKit/WebCore/platform/image-decoders/ImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageReader.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageReader.h', '../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageReader.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageReader.h', '../third_party/WebKit/WebCore/platform/image-decoders/ico/ICOImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/ico/ICOImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/jpeg/JPEGImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/jpeg/JPEGImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/png/PNGImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/png/PNGImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/xbm/XBMImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/xbm/XBMImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/crc32.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/deflate.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/inffast.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/inffixed.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/inflate.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/inftrees.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/mozzconf.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/trees.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/zconf.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/zlib.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/zutil.h', '../third_party/WebKit/WebCore/platform/image-decoders/skia/ImageDecoderSkia.cpp', '../third_party/WebKit/WebCore/platform/image-encoders/skia/PNGImageEncoder.cpp', '../third_party/WebKit/WebCore/platform/image-encoders/skia/PNGImageEncoder.h', '../third_party/WebKit/WebCore/platform/mac/AutodrainedPool.mm', '../third_party/WebKit/WebCore/platform/mac/BlockExceptions.h', '../third_party/WebKit/WebCore/platform/mac/BlockExceptions.mm', '../third_party/WebKit/WebCore/platform/mac/ClipboardMac.h', '../third_party/WebKit/WebCore/platform/mac/ClipboardMac.mm', '../third_party/WebKit/WebCore/platform/mac/ContextMenuItemMac.mm', '../third_party/WebKit/WebCore/platform/mac/ContextMenuMac.mm', '../third_party/WebKit/WebCore/platform/mac/CookieJar.mm', '../third_party/WebKit/WebCore/platform/mac/CursorMac.mm', '../third_party/WebKit/WebCore/platform/mac/DragDataMac.mm', '../third_party/WebKit/WebCore/platform/mac/DragImageMac.mm', '../third_party/WebKit/WebCore/platform/mac/EventLoopMac.mm', '../third_party/WebKit/WebCore/platform/mac/FileChooserMac.mm', '../third_party/WebKit/WebCore/platform/mac/FileSystemMac.mm', '../third_party/WebKit/WebCore/platform/mac/FoundationExtras.h', '../third_party/WebKit/WebCore/platform/mac/KURLMac.mm', '../third_party/WebKit/WebCore/platform/mac/KeyEventMac.mm', '../third_party/WebKit/WebCore/platform/mac/Language.mm', '../third_party/WebKit/WebCore/platform/mac/LocalCurrentGraphicsContext.h', '../third_party/WebKit/WebCore/platform/mac/LocalCurrentGraphicsContext.mm', '../third_party/WebKit/WebCore/platform/mac/LocalizedStringsMac.mm', '../third_party/WebKit/WebCore/platform/mac/LoggingMac.mm', '../third_party/WebKit/WebCore/platform/mac/MIMETypeRegistryMac.mm', '../third_party/WebKit/WebCore/platform/mac/PasteboardHelper.h', '../third_party/WebKit/WebCore/platform/mac/PasteboardMac.mm', '../third_party/WebKit/WebCore/platform/mac/PlatformMouseEventMac.mm', '../third_party/WebKit/WebCore/platform/mac/PlatformScreenMac.mm', '../third_party/WebKit/WebCore/platform/mac/PopupMenuMac.mm', '../third_party/WebKit/WebCore/platform/mac/PurgeableBufferMac.cpp', '../third_party/WebKit/WebCore/platform/mac/SSLKeyGeneratorMac.mm', '../third_party/WebKit/WebCore/platform/mac/SchedulePairMac.mm', '../third_party/WebKit/WebCore/platform/mac/ScrollViewMac.mm', '../third_party/WebKit/WebCore/platform/mac/ScrollbarThemeMac.h', '../third_party/WebKit/WebCore/platform/mac/ScrollbarThemeMac.mm', '../third_party/WebKit/WebCore/platform/mac/SearchPopupMenuMac.mm', '../third_party/WebKit/WebCore/platform/mac/SharedBufferMac.mm', '../third_party/WebKit/WebCore/platform/mac/SharedTimerMac.mm', '../third_party/WebKit/WebCore/platform/mac/SoftLinking.h', '../third_party/WebKit/WebCore/platform/mac/SoundMac.mm', '../third_party/WebKit/WebCore/platform/mac/SystemTimeMac.cpp', '../third_party/WebKit/WebCore/platform/mac/ThemeMac.h', '../third_party/WebKit/WebCore/platform/mac/ThemeMac.mm', '../third_party/WebKit/WebCore/platform/mac/ThreadCheck.mm', '../third_party/WebKit/WebCore/platform/mac/WebCoreKeyGenerator.h', '../third_party/WebKit/WebCore/platform/mac/WebCoreKeyGenerator.m', '../third_party/WebKit/WebCore/platform/mac/WebCoreNSStringExtras.h', '../third_party/WebKit/WebCore/platform/mac/WebCoreNSStringExtras.mm', '../third_party/WebKit/WebCore/platform/mac/WebCoreObjCExtras.h', '../third_party/WebKit/WebCore/platform/mac/WebCoreObjCExtras.mm', '../third_party/WebKit/WebCore/platform/mac/WebCoreSystemInterface.h', '../third_party/WebKit/WebCore/platform/mac/WebCoreSystemInterface.mm', '../third_party/WebKit/WebCore/platform/mac/WebCoreView.h', '../third_party/WebKit/WebCore/platform/mac/WebCoreView.m', '../third_party/WebKit/WebCore/platform/mac/WebFontCache.h', '../third_party/WebKit/WebCore/platform/mac/WebFontCache.mm', '../third_party/WebKit/WebCore/platform/mac/WheelEventMac.mm', '../third_party/WebKit/WebCore/platform/mac/WidgetMac.mm', '../third_party/WebKit/WebCore/platform/network/cf/AuthenticationCF.cpp', '../third_party/WebKit/WebCore/platform/network/cf/AuthenticationCF.h', '../third_party/WebKit/WebCore/platform/network/cf/AuthenticationChallenge.h', '../third_party/WebKit/WebCore/platform/network/cf/DNSCFNet.cpp', '../third_party/WebKit/WebCore/platform/network/cf/FormDataStreamCFNet.cpp', '../third_party/WebKit/WebCore/platform/network/cf/FormDataStreamCFNet.h', '../third_party/WebKit/WebCore/platform/network/cf/ResourceError.h', '../third_party/WebKit/WebCore/platform/network/cf/ResourceErrorCF.cpp', '../third_party/WebKit/WebCore/platform/network/cf/ResourceHandleCFNet.cpp', '../third_party/WebKit/WebCore/platform/network/cf/ResourceRequest.h', '../third_party/WebKit/WebCore/platform/network/cf/ResourceRequestCFNet.cpp', '../third_party/WebKit/WebCore/platform/network/cf/ResourceRequestCFNet.h', '../third_party/WebKit/WebCore/platform/network/cf/ResourceResponse.h', '../third_party/WebKit/WebCore/platform/network/cf/ResourceResponseCFNet.cpp', '../third_party/WebKit/WebCore/platform/network/cf/ResourceResponseCFNet.h', '../third_party/WebKit/WebCore/platform/network/chromium/AuthenticationChallenge.h', '../third_party/WebKit/WebCore/platform/network/chromium/AuthenticationChallengeChromium.cpp', '../third_party/WebKit/WebCore/platform/network/chromium/CookieJarChromium.cpp', '../third_party/WebKit/WebCore/platform/network/chromium/DNSChromium.cpp', '../third_party/WebKit/WebCore/platform/network/chromium/NetworkStateNotifierChromium.cpp', '../third_party/WebKit/WebCore/platform/network/chromium/NetworkStateNotifierPrivate.h', '../third_party/WebKit/WebCore/platform/network/chromium/ResourceError.h', '../third_party/WebKit/WebCore/platform/network/chromium/ResourceRequest.h', '../third_party/WebKit/WebCore/platform/network/chromium/ResourceResponse.h', '../third_party/WebKit/WebCore/platform/network/curl/AuthenticationChallenge.h', '../third_party/WebKit/WebCore/platform/network/curl/CookieJarCurl.cpp', '../third_party/WebKit/WebCore/platform/network/curl/DNSCurl.cpp', '../third_party/WebKit/WebCore/platform/network/curl/FormDataStreamCurl.cpp', '../third_party/WebKit/WebCore/platform/network/curl/FormDataStreamCurl.h', '../third_party/WebKit/WebCore/platform/network/curl/ResourceError.h', '../third_party/WebKit/WebCore/platform/network/curl/ResourceHandleCurl.cpp', '../third_party/WebKit/WebCore/platform/network/curl/ResourceHandleManager.cpp', '../third_party/WebKit/WebCore/platform/network/curl/ResourceHandleManager.h', '../third_party/WebKit/WebCore/platform/network/curl/ResourceRequest.h', '../third_party/WebKit/WebCore/platform/network/curl/ResourceResponse.h', '../third_party/WebKit/WebCore/platform/network/mac/AuthenticationChallenge.h', '../third_party/WebKit/WebCore/platform/network/mac/AuthenticationMac.h', '../third_party/WebKit/WebCore/platform/network/mac/AuthenticationMac.mm', '../third_party/WebKit/WebCore/platform/network/mac/FormDataStreamMac.h', '../third_party/WebKit/WebCore/platform/network/mac/FormDataStreamMac.mm', '../third_party/WebKit/WebCore/platform/network/mac/NetworkStateNotifierMac.cpp', '../third_party/WebKit/WebCore/platform/network/mac/ResourceError.h', '../third_party/WebKit/WebCore/platform/network/mac/ResourceErrorMac.mm', '../third_party/WebKit/WebCore/platform/network/mac/ResourceHandleMac.mm', '../third_party/WebKit/WebCore/platform/network/mac/ResourceRequest.h', '../third_party/WebKit/WebCore/platform/network/mac/ResourceRequestMac.mm', '../third_party/WebKit/WebCore/platform/network/mac/ResourceResponse.h', '../third_party/WebKit/WebCore/platform/network/mac/ResourceResponseMac.mm', '../third_party/WebKit/WebCore/platform/network/mac/WebCoreURLResponse.h', '../third_party/WebKit/WebCore/platform/network/mac/WebCoreURLResponse.mm', '../third_party/WebKit/WebCore/platform/network/qt/AuthenticationChallenge.h', '../third_party/WebKit/WebCore/platform/network/qt/QNetworkReplyHandler.cpp', '../third_party/WebKit/WebCore/platform/network/qt/QNetworkReplyHandler.h', '../third_party/WebKit/WebCore/platform/network/qt/ResourceError.h', '../third_party/WebKit/WebCore/platform/network/qt/ResourceHandleQt.cpp', '../third_party/WebKit/WebCore/platform/network/qt/ResourceRequest.h', '../third_party/WebKit/WebCore/platform/network/qt/ResourceRequestQt.cpp', '../third_party/WebKit/WebCore/platform/network/qt/ResourceResponse.h', '../third_party/WebKit/WebCore/platform/network/soup/AuthenticationChallenge.h', '../third_party/WebKit/WebCore/platform/network/soup/CookieJarSoup.cpp', '../third_party/WebKit/WebCore/platform/network/soup/CookieJarSoup.h', '../third_party/WebKit/WebCore/platform/network/soup/DNSSoup.cpp', '../third_party/WebKit/WebCore/platform/network/soup/ResourceError.h', '../third_party/WebKit/WebCore/platform/network/soup/ResourceHandleSoup.cpp', '../third_party/WebKit/WebCore/platform/network/soup/ResourceRequest.h', '../third_party/WebKit/WebCore/platform/network/soup/ResourceResponse.h', '../third_party/WebKit/WebCore/platform/network/soup/webkit-soup-auth-dialog.c', '../third_party/WebKit/WebCore/platform/network/soup/webkit-soup-auth-dialog.h', '../third_party/WebKit/WebCore/platform/network/win/CookieJarCFNetWin.cpp', '../third_party/WebKit/WebCore/platform/network/win/CookieJarWin.cpp', '../third_party/WebKit/WebCore/platform/network/win/CookieStorageWin.cpp', '../third_party/WebKit/WebCore/platform/network/win/CookieStorageWin.h', '../third_party/WebKit/WebCore/platform/network/win/NetworkStateNotifierWin.cpp', '../third_party/WebKit/WebCore/platform/network/win/ResourceHandleWin.cpp', '../third_party/WebKit/WebCore/platform/network/win/ResourceHandleWin.h', '../third_party/WebKit/WebCore/platform/network/AuthenticationChallengeBase.cpp', '../third_party/WebKit/WebCore/platform/network/AuthenticationChallengeBase.h', '../third_party/WebKit/WebCore/platform/network/Credential.cpp', '../third_party/WebKit/WebCore/platform/network/Credential.h', '../third_party/WebKit/WebCore/platform/network/DNS.h', '../third_party/WebKit/WebCore/platform/network/FormData.cpp', '../third_party/WebKit/WebCore/platform/network/FormData.h', '../third_party/WebKit/WebCore/platform/network/FormDataBuilder.cpp', '../third_party/WebKit/WebCore/platform/network/FormDataBuilder.h', '../third_party/WebKit/WebCore/platform/network/HTTPHeaderMap.cpp', '../third_party/WebKit/WebCore/platform/network/HTTPHeaderMap.h', '../third_party/WebKit/WebCore/platform/network/HTTPParsers.cpp', '../third_party/WebKit/WebCore/platform/network/HTTPParsers.h', '../third_party/WebKit/WebCore/platform/network/NetworkStateNotifier.cpp', '../third_party/WebKit/WebCore/platform/network/NetworkStateNotifier.h', '../third_party/WebKit/WebCore/platform/network/ProtectionSpace.cpp', '../third_party/WebKit/WebCore/platform/network/ProtectionSpace.h', '../third_party/WebKit/WebCore/platform/network/ResourceErrorBase.cpp', '../third_party/WebKit/WebCore/platform/network/ResourceErrorBase.h', '../third_party/WebKit/WebCore/platform/network/ResourceHandleClient.h', '../third_party/WebKit/WebCore/platform/network/ResourceHandleInternal.h', '../third_party/WebKit/WebCore/platform/network/ResourceRequestBase.cpp', '../third_party/WebKit/WebCore/platform/network/ResourceRequestBase.h', '../third_party/WebKit/WebCore/platform/network/ResourceResponseBase.cpp', '../third_party/WebKit/WebCore/platform/network/ResourceResponseBase.h', '../third_party/WebKit/WebCore/platform/posix/FileSystemPOSIX.cpp', '../third_party/WebKit/WebCore/platform/qt/ClipboardQt.cpp', '../third_party/WebKit/WebCore/platform/qt/ClipboardQt.h', '../third_party/WebKit/WebCore/platform/qt/ContextMenuItemQt.cpp', '../third_party/WebKit/WebCore/platform/qt/ContextMenuQt.cpp', '../third_party/WebKit/WebCore/platform/qt/CookieJarQt.cpp', '../third_party/WebKit/WebCore/platform/qt/CursorQt.cpp', '../third_party/WebKit/WebCore/platform/qt/DragDataQt.cpp', '../third_party/WebKit/WebCore/platform/qt/DragImageQt.cpp', '../third_party/WebKit/WebCore/platform/qt/EventLoopQt.cpp', '../third_party/WebKit/WebCore/platform/qt/FileChooserQt.cpp', '../third_party/WebKit/WebCore/platform/qt/FileSystemQt.cpp', '../third_party/WebKit/WebCore/platform/qt/KURLQt.cpp', '../third_party/WebKit/WebCore/platform/qt/KeyboardCodes.h', '../third_party/WebKit/WebCore/platform/qt/Localizations.cpp', '../third_party/WebKit/WebCore/platform/qt/LoggingQt.cpp', '../third_party/WebKit/WebCore/platform/qt/MIMETypeRegistryQt.cpp', '../third_party/WebKit/WebCore/platform/qt/MenuEventProxy.h', '../third_party/WebKit/WebCore/platform/qt/PasteboardQt.cpp', '../third_party/WebKit/WebCore/platform/qt/PlatformKeyboardEventQt.cpp', '../third_party/WebKit/WebCore/platform/qt/PlatformMouseEventQt.cpp', '../third_party/WebKit/WebCore/platform/qt/PlatformScreenQt.cpp', '../third_party/WebKit/WebCore/platform/qt/PopupMenuQt.cpp', '../third_party/WebKit/WebCore/platform/qt/QWebPopup.cpp', '../third_party/WebKit/WebCore/platform/qt/QWebPopup.h', '../third_party/WebKit/WebCore/platform/qt/RenderThemeQt.cpp', '../third_party/WebKit/WebCore/platform/qt/RenderThemeQt.h', '../third_party/WebKit/WebCore/platform/qt/ScreenQt.cpp', '../third_party/WebKit/WebCore/platform/qt/ScrollViewQt.cpp', '../third_party/WebKit/WebCore/platform/qt/ScrollbarQt.cpp', '../third_party/WebKit/WebCore/platform/qt/ScrollbarThemeQt.cpp', '../third_party/WebKit/WebCore/platform/qt/ScrollbarThemeQt.h', '../third_party/WebKit/WebCore/platform/qt/SearchPopupMenuQt.cpp', '../third_party/WebKit/WebCore/platform/qt/SharedBufferQt.cpp', '../third_party/WebKit/WebCore/platform/qt/SharedTimerQt.cpp', '../third_party/WebKit/WebCore/platform/qt/SoundQt.cpp', '../third_party/WebKit/WebCore/platform/qt/TemporaryLinkStubs.cpp', '../third_party/WebKit/WebCore/platform/qt/WheelEventQt.cpp', '../third_party/WebKit/WebCore/platform/qt/WidgetQt.cpp', '../third_party/WebKit/WebCore/platform/sql/SQLValue.cpp', '../third_party/WebKit/WebCore/platform/sql/SQLValue.h', '../third_party/WebKit/WebCore/platform/sql/SQLiteAuthorizer.cpp', '../third_party/WebKit/WebCore/platform/sql/SQLiteDatabase.cpp', '../third_party/WebKit/WebCore/platform/sql/SQLiteDatabase.h', '../third_party/WebKit/WebCore/platform/sql/SQLiteFileSystem.h', '../third_party/WebKit/WebCore/platform/sql/SQLiteFileSystem.cpp', '../third_party/WebKit/WebCore/platform/sql/SQLiteStatement.cpp', '../third_party/WebKit/WebCore/platform/sql/SQLiteStatement.h', '../third_party/WebKit/WebCore/platform/sql/SQLiteTransaction.cpp', '../third_party/WebKit/WebCore/platform/sql/SQLiteTransaction.h', '../third_party/WebKit/WebCore/platform/symbian/FloatPointSymbian.cpp', '../third_party/WebKit/WebCore/platform/symbian/FloatRectSymbian.cpp', '../third_party/WebKit/WebCore/platform/symbian/IntPointSymbian.cpp', '../third_party/WebKit/WebCore/platform/symbian/IntRectSymbian.cpp', '../third_party/WebKit/WebCore/platform/symbian/IntSizeSymbian.cpp', '../third_party/WebKit/WebCore/platform/text/cf/StringCF.cpp', '../third_party/WebKit/WebCore/platform/text/cf/StringImplCF.cpp', '../third_party/WebKit/WebCore/platform/text/chromium/TextBreakIteratorInternalICUChromium.cpp', '../third_party/WebKit/WebCore/platform/text/gtk/TextBreakIteratorInternalICUGtk.cpp', '../third_party/WebKit/WebCore/platform/text/mac/CharsetData.h', '../third_party/WebKit/WebCore/platform/text/mac/ShapeArabic.c', '../third_party/WebKit/WebCore/platform/text/mac/ShapeArabic.h', '../third_party/WebKit/WebCore/platform/text/mac/StringImplMac.mm', '../third_party/WebKit/WebCore/platform/text/mac/StringMac.mm', '../third_party/WebKit/WebCore/platform/text/mac/TextBoundaries.mm', '../third_party/WebKit/WebCore/platform/text/mac/TextBreakIteratorInternalICUMac.mm', '../third_party/WebKit/WebCore/platform/text/mac/TextCodecMac.cpp', '../third_party/WebKit/WebCore/platform/text/mac/TextCodecMac.h', '../third_party/WebKit/WebCore/platform/text/qt/StringQt.cpp', '../third_party/WebKit/WebCore/platform/text/qt/TextBoundaries.cpp', '../third_party/WebKit/WebCore/platform/text/qt/TextBreakIteratorQt.cpp', '../third_party/WebKit/WebCore/platform/text/qt/TextCodecQt.cpp', '../third_party/WebKit/WebCore/platform/text/qt/TextCodecQt.h', '../third_party/WebKit/WebCore/platform/text/symbian/StringImplSymbian.cpp', '../third_party/WebKit/WebCore/platform/text/symbian/StringSymbian.cpp', '../third_party/WebKit/WebCore/platform/text/win/TextBreakIteratorInternalICUWin.cpp', '../third_party/WebKit/WebCore/platform/text/wx/StringWx.cpp', '../third_party/WebKit/WebCore/platform/text/AtomicString.cpp', '../third_party/WebKit/WebCore/platform/text/AtomicString.h', '../third_party/WebKit/WebCore/platform/text/AtomicStringHash.h', '../third_party/WebKit/WebCore/platform/text/AtomicStringImpl.h', '../third_party/WebKit/WebCore/platform/text/Base64.cpp', '../third_party/WebKit/WebCore/platform/text/Base64.h', '../third_party/WebKit/WebCore/platform/text/BidiContext.cpp', '../third_party/WebKit/WebCore/platform/text/BidiContext.h', '../third_party/WebKit/WebCore/platform/text/BidiResolver.h', '../third_party/WebKit/WebCore/platform/text/CString.cpp', '../third_party/WebKit/WebCore/platform/text/CString.h', '../third_party/WebKit/WebCore/platform/text/CharacterNames.h', '../third_party/WebKit/WebCore/platform/text/ParserUtilities.h', '../third_party/WebKit/WebCore/platform/text/PlatformString.h', '../third_party/WebKit/WebCore/platform/text/RegularExpression.cpp', '../third_party/WebKit/WebCore/platform/text/RegularExpression.h', '../third_party/WebKit/WebCore/platform/text/SegmentedString.cpp', '../third_party/WebKit/WebCore/platform/text/SegmentedString.h', '../third_party/WebKit/WebCore/platform/text/String.cpp', '../third_party/WebKit/WebCore/platform/text/StringBuffer.h', '../third_party/WebKit/WebCore/platform/text/StringBuilder.cpp', '../third_party/WebKit/WebCore/platform/text/StringBuilder.h', '../third_party/WebKit/WebCore/platform/text/StringHash.h', '../third_party/WebKit/WebCore/platform/text/StringImpl.cpp', '../third_party/WebKit/WebCore/platform/text/StringImpl.h', '../third_party/WebKit/WebCore/platform/text/TextBoundaries.h', '../third_party/WebKit/WebCore/platform/text/TextBoundariesICU.cpp', '../third_party/WebKit/WebCore/platform/text/TextBreakIterator.h', '../third_party/WebKit/WebCore/platform/text/TextBreakIteratorICU.cpp', '../third_party/WebKit/WebCore/platform/text/TextBreakIteratorInternalICU.h', '../third_party/WebKit/WebCore/platform/text/TextCodec.cpp', '../third_party/WebKit/WebCore/platform/text/TextCodec.h', '../third_party/WebKit/WebCore/platform/text/TextCodecICU.cpp', '../third_party/WebKit/WebCore/platform/text/TextCodecICU.h', '../third_party/WebKit/WebCore/platform/text/TextCodecLatin1.cpp', '../third_party/WebKit/WebCore/platform/text/TextCodecLatin1.h', '../third_party/WebKit/WebCore/platform/text/TextCodecUTF16.cpp', '../third_party/WebKit/WebCore/platform/text/TextCodecUTF16.h', '../third_party/WebKit/WebCore/platform/text/TextCodecUserDefined.cpp', '../third_party/WebKit/WebCore/platform/text/TextCodecUserDefined.h', '../third_party/WebKit/WebCore/platform/text/TextDirection.h', '../third_party/WebKit/WebCore/platform/text/TextEncoding.cpp', '../third_party/WebKit/WebCore/platform/text/TextEncoding.h', '../third_party/WebKit/WebCore/platform/text/TextEncodingDetector.h', '../third_party/WebKit/WebCore/platform/text/TextEncodingDetectorICU.cpp', '../third_party/WebKit/WebCore/platform/text/TextEncodingRegistry.cpp', '../third_party/WebKit/WebCore/platform/text/TextEncodingRegistry.h', '../third_party/WebKit/WebCore/platform/text/TextStream.cpp', '../third_party/WebKit/WebCore/platform/text/TextStream.h', '../third_party/WebKit/WebCore/platform/text/UnicodeRange.cpp', '../third_party/WebKit/WebCore/platform/text/UnicodeRange.h', '../third_party/WebKit/WebCore/platform/win/BString.cpp', '../third_party/WebKit/WebCore/platform/win/BString.h', '../third_party/WebKit/WebCore/platform/win/COMPtr.h', '../third_party/WebKit/WebCore/platform/win/ClipboardUtilitiesWin.cpp', '../third_party/WebKit/WebCore/platform/win/ClipboardUtilitiesWin.h', '../third_party/WebKit/WebCore/platform/win/ClipboardWin.cpp', '../third_party/WebKit/WebCore/platform/win/ClipboardWin.h', '../third_party/WebKit/WebCore/platform/win/ContextMenuItemWin.cpp', '../third_party/WebKit/WebCore/platform/win/ContextMenuWin.cpp', '../third_party/WebKit/WebCore/platform/win/CursorWin.cpp', '../third_party/WebKit/WebCore/platform/win/DragDataWin.cpp', '../third_party/WebKit/WebCore/platform/win/DragImageCGWin.cpp', '../third_party/WebKit/WebCore/platform/win/DragImageCairoWin.cpp', '../third_party/WebKit/WebCore/platform/win/DragImageWin.cpp', '../third_party/WebKit/WebCore/platform/win/EditorWin.cpp', '../third_party/WebKit/WebCore/platform/win/EventLoopWin.cpp', '../third_party/WebKit/WebCore/platform/win/FileChooserWin.cpp', '../third_party/WebKit/WebCore/platform/win/FileSystemWin.cpp', '../third_party/WebKit/WebCore/platform/win/GDIObjectCounter.cpp', '../third_party/WebKit/WebCore/platform/win/GDIObjectCounter.h', '../third_party/WebKit/WebCore/platform/win/KeyEventWin.cpp', '../third_party/WebKit/WebCore/platform/win/Language.cpp', '../third_party/WebKit/WebCore/platform/win/LoggingWin.cpp', '../third_party/WebKit/WebCore/platform/win/MIMETypeRegistryWin.cpp', '../third_party/WebKit/WebCore/platform/win/PasteboardWin.cpp', '../third_party/WebKit/WebCore/platform/win/PlatformMouseEventWin.cpp', '../third_party/WebKit/WebCore/platform/win/PlatformScreenWin.cpp', '../third_party/WebKit/WebCore/platform/win/PlatformScrollBar.h', '../third_party/WebKit/WebCore/platform/win/PlatformScrollBarWin.cpp', '../third_party/WebKit/WebCore/platform/win/PopupMenuWin.cpp', '../third_party/WebKit/WebCore/platform/win/ScrollbarThemeSafari.cpp', '../third_party/WebKit/WebCore/platform/win/ScrollbarThemeSafari.h', '../third_party/WebKit/WebCore/platform/win/ScrollbarThemeWin.cpp', '../third_party/WebKit/WebCore/platform/win/ScrollbarThemeWin.h', '../third_party/WebKit/WebCore/platform/win/SearchPopupMenuWin.cpp', '../third_party/WebKit/WebCore/platform/win/SharedBufferWin.cpp', '../third_party/WebKit/WebCore/platform/win/SharedTimerWin.cpp', '../third_party/WebKit/WebCore/platform/win/SoftLinking.h', '../third_party/WebKit/WebCore/platform/win/SoundWin.cpp', '../third_party/WebKit/WebCore/platform/win/SystemTimeWin.cpp', '../third_party/WebKit/WebCore/platform/win/TemporaryLinkStubs.cpp', '../third_party/WebKit/WebCore/platform/win/WCDataObject.cpp', '../third_party/WebKit/WebCore/platform/win/WCDataObject.h', '../third_party/WebKit/WebCore/platform/win/WebCoreTextRenderer.cpp', '../third_party/WebKit/WebCore/platform/win/WebCoreTextRenderer.h', '../third_party/WebKit/WebCore/platform/win/WheelEventWin.cpp', '../third_party/WebKit/WebCore/platform/win/WidgetWin.cpp', '../third_party/WebKit/WebCore/platform/win/WindowMessageBroadcaster.cpp', '../third_party/WebKit/WebCore/platform/win/WindowMessageBroadcaster.h', '../third_party/WebKit/WebCore/platform/win/WindowMessageListener.h', '../third_party/WebKit/WebCore/platform/wx/wxcode/gtk/fontprops.cpp', '../third_party/WebKit/WebCore/platform/wx/wxcode/gtk/non-kerned-drawing.cpp', '../third_party/WebKit/WebCore/platform/wx/wxcode/mac/carbon/fontprops.cpp', '../third_party/WebKit/WebCore/platform/wx/wxcode/mac/carbon/non-kerned-drawing.cpp', '../third_party/WebKit/WebCore/platform/wx/wxcode/win/fontprops.cpp', '../third_party/WebKit/WebCore/platform/wx/wxcode/win/non-kerned-drawing.cpp', '../third_party/WebKit/WebCore/platform/wx/wxcode/fontprops.cpp', '../third_party/WebKit/WebCore/platform/wx/wxcode/fontprops.h', '../third_party/WebKit/WebCore/platform/wx/wxcode/non-kerned-drawing.h', '../third_party/WebKit/WebCore/platform/wx/ClipboardWx.cpp', '../third_party/WebKit/WebCore/platform/wx/ClipboardWx.h', '../third_party/WebKit/WebCore/platform/wx/ContextMenuItemWx.cpp', '../third_party/WebKit/WebCore/platform/wx/ContextMenuWx.cpp', '../third_party/WebKit/WebCore/platform/wx/CursorWx.cpp', '../third_party/WebKit/WebCore/platform/wx/DragDataWx.cpp', '../third_party/WebKit/WebCore/platform/wx/DragImageWx.cpp', '../third_party/WebKit/WebCore/platform/wx/EventLoopWx.cpp', '../third_party/WebKit/WebCore/platform/wx/FileSystemWx.cpp', '../third_party/WebKit/WebCore/platform/wx/KeyEventWin.cpp', '../third_party/WebKit/WebCore/platform/wx/KeyboardCodes.h', '../third_party/WebKit/WebCore/platform/wx/KeyboardEventWx.cpp', '../third_party/WebKit/WebCore/platform/wx/LocalizedStringsWx.cpp', '../third_party/WebKit/WebCore/platform/wx/LoggingWx.cpp', '../third_party/WebKit/WebCore/platform/wx/MimeTypeRegistryWx.cpp', '../third_party/WebKit/WebCore/platform/wx/MouseEventWx.cpp', '../third_party/WebKit/WebCore/platform/wx/MouseWheelEventWx.cpp', '../third_party/WebKit/WebCore/platform/wx/PasteboardWx.cpp', '../third_party/WebKit/WebCore/platform/wx/PopupMenuWx.cpp', '../third_party/WebKit/WebCore/platform/wx/RenderThemeWx.cpp', '../third_party/WebKit/WebCore/platform/wx/ScreenWx.cpp', '../third_party/WebKit/WebCore/platform/wx/ScrollViewWx.cpp', '../third_party/WebKit/WebCore/platform/wx/SharedTimerWx.cpp', '../third_party/WebKit/WebCore/platform/wx/SoundWx.cpp', '../third_party/WebKit/WebCore/platform/wx/TemporaryLinkStubs.cpp', '../third_party/WebKit/WebCore/platform/wx/WidgetWx.cpp', '../third_party/WebKit/WebCore/platform/Arena.cpp', '../third_party/WebKit/WebCore/platform/Arena.h', '../third_party/WebKit/WebCore/platform/AutodrainedPool.h', '../third_party/WebKit/WebCore/platform/ContentType.cpp', '../third_party/WebKit/WebCore/platform/ContentType.h', '../third_party/WebKit/WebCore/platform/ContextMenu.cpp', '../third_party/WebKit/WebCore/platform/ContextMenu.h', '../third_party/WebKit/WebCore/platform/ContextMenuItem.h', '../third_party/WebKit/WebCore/platform/CookieJar.h', '../third_party/WebKit/WebCore/platform/CrossThreadCopier.h', '../third_party/WebKit/WebCore/platform/CrossThreadCopier.cpp', '../third_party/WebKit/WebCore/platform/Cursor.h', '../third_party/WebKit/WebCore/platform/DeprecatedPtrList.h', '../third_party/WebKit/WebCore/platform/DeprecatedPtrListImpl.cpp', '../third_party/WebKit/WebCore/platform/DeprecatedPtrListImpl.h', '../third_party/WebKit/WebCore/platform/DragData.cpp', '../third_party/WebKit/WebCore/platform/DragData.h', '../third_party/WebKit/WebCore/platform/DragImage.cpp', '../third_party/WebKit/WebCore/platform/DragImage.h', '../third_party/WebKit/WebCore/platform/EventLoop.h', '../third_party/WebKit/WebCore/platform/FileChooser.cpp', '../third_party/WebKit/WebCore/platform/FileChooser.h', '../third_party/WebKit/WebCore/platform/FileSystem.h', '../third_party/WebKit/WebCore/platform/FloatConversion.h', '../third_party/WebKit/WebCore/platform/GeolocationService.cpp', '../third_party/WebKit/WebCore/platform/GeolocationService.h', '../third_party/WebKit/WebCore/platform/HostWindow.h', '../third_party/WebKit/WebCore/platform/KeyboardCodes.h', '../third_party/WebKit/WebCore/platform/KURL.cpp', '../third_party/WebKit/WebCore/platform/KURL.h', '../third_party/WebKit/WebCore/platform/KURLGoogle.cpp', '../third_party/WebKit/WebCore/platform/KURLGooglePrivate.h', '../third_party/WebKit/WebCore/platform/KURLHash.h', '../third_party/WebKit/WebCore/platform/Language.h', '../third_party/WebKit/WebCore/platform/Length.cpp', '../third_party/WebKit/WebCore/platform/Length.h', '../third_party/WebKit/WebCore/platform/LengthBox.h', '../third_party/WebKit/WebCore/platform/LengthSize.h', '../third_party/WebKit/WebCore/platform/LinkHash.cpp', '../third_party/WebKit/WebCore/platform/LinkHash.h', '../third_party/WebKit/WebCore/platform/LocalizedStrings.h', '../third_party/WebKit/WebCore/platform/Logging.cpp', '../third_party/WebKit/WebCore/platform/Logging.h', '../third_party/WebKit/WebCore/platform/MIMETypeRegistry.cpp', '../third_party/WebKit/WebCore/platform/MIMETypeRegistry.h', '../third_party/WebKit/WebCore/platform/NotImplemented.h', '../third_party/WebKit/WebCore/platform/Pasteboard.h', '../third_party/WebKit/WebCore/platform/PlatformKeyboardEvent.h', '../third_party/WebKit/WebCore/platform/PlatformMenuDescription.h', '../third_party/WebKit/WebCore/platform/PlatformMouseEvent.h', '../third_party/WebKit/WebCore/platform/PlatformScreen.h', '../third_party/WebKit/WebCore/platform/PlatformWheelEvent.h', '../third_party/WebKit/WebCore/platform/PopupMenu.h', '../third_party/WebKit/WebCore/platform/PopupMenuClient.h', '../third_party/WebKit/WebCore/platform/PopupMenuStyle.h', '../third_party/WebKit/WebCore/platform/PurgeableBuffer.h', '../third_party/WebKit/WebCore/platform/SSLKeyGenerator.h', '../third_party/WebKit/WebCore/platform/ScrollTypes.h', '../third_party/WebKit/WebCore/platform/ScrollView.cpp', '../third_party/WebKit/WebCore/platform/ScrollView.h', '../third_party/WebKit/WebCore/platform/Scrollbar.cpp', '../third_party/WebKit/WebCore/platform/Scrollbar.h', '../third_party/WebKit/WebCore/platform/ScrollbarClient.h', '../third_party/WebKit/WebCore/platform/ScrollbarTheme.h', '../third_party/WebKit/WebCore/platform/ScrollbarThemeComposite.cpp', '../third_party/WebKit/WebCore/platform/ScrollbarThemeComposite.h', '../third_party/WebKit/WebCore/platform/SearchPopupMenu.h', '../third_party/WebKit/WebCore/platform/SharedBuffer.cpp', '../third_party/WebKit/WebCore/platform/SharedBuffer.h', '../third_party/WebKit/WebCore/platform/SharedTimer.h', '../third_party/WebKit/WebCore/platform/Sound.h', '../third_party/WebKit/WebCore/platform/StaticConstructors.h', '../third_party/WebKit/WebCore/platform/SystemTime.h', '../third_party/WebKit/WebCore/platform/Theme.cpp', '../third_party/WebKit/WebCore/platform/Theme.h', '../third_party/WebKit/WebCore/platform/ThemeTypes.h', '../third_party/WebKit/WebCore/platform/ThreadCheck.h', '../third_party/WebKit/WebCore/platform/ThreadGlobalData.cpp', '../third_party/WebKit/WebCore/platform/ThreadGlobalData.h', '../third_party/WebKit/WebCore/platform/ThreadTimers.cpp', '../third_party/WebKit/WebCore/platform/ThreadTimers.h', '../third_party/WebKit/WebCore/platform/Timer.cpp', '../third_party/WebKit/WebCore/platform/Timer.h', '../third_party/WebKit/WebCore/platform/TreeShared.h', '../third_party/WebKit/WebCore/platform/Widget.cpp', '../third_party/WebKit/WebCore/platform/Widget.h', '../third_party/WebKit/WebCore/plugins/chromium/PluginDataChromium.cpp', '../third_party/WebKit/WebCore/plugins/gtk/PluginDataGtk.cpp', '../third_party/WebKit/WebCore/plugins/gtk/PluginPackageGtk.cpp', '../third_party/WebKit/WebCore/plugins/gtk/PluginViewGtk.cpp', '../third_party/WebKit/WebCore/plugins/gtk/gtk2xtbin.h', '../third_party/WebKit/WebCore/plugins/gtk/xembed.h', '../third_party/WebKit/WebCore/plugins/mac/PluginDataMac.mm', '../third_party/WebKit/WebCore/plugins/mac/PluginPackageMac.cpp', '../third_party/WebKit/WebCore/plugins/mac/PluginViewMac.cpp', '../third_party/WebKit/WebCore/plugins/qt/PluginDataQt.cpp', '../third_party/WebKit/WebCore/plugins/qt/PluginPackageQt.cpp', '../third_party/WebKit/WebCore/plugins/qt/PluginViewQt.cpp', '../third_party/WebKit/WebCore/plugins/win/PluginDataWin.cpp', '../third_party/WebKit/WebCore/plugins/win/PluginDatabaseWin.cpp', '../third_party/WebKit/WebCore/plugins/win/PluginMessageThrottlerWin.cpp', '../third_party/WebKit/WebCore/plugins/win/PluginMessageThrottlerWin.h', '../third_party/WebKit/WebCore/plugins/win/PluginPackageWin.cpp', '../third_party/WebKit/WebCore/plugins/win/PluginViewWin.cpp', '../third_party/WebKit/WebCore/plugins/wx/PluginDataWx.cpp', '../third_party/WebKit/WebCore/plugins/wx/PluginPackageWx.cpp', '../third_party/WebKit/WebCore/plugins/wx/PluginViewWx.cpp', '../third_party/WebKit/WebCore/plugins/MimeType.cpp', '../third_party/WebKit/WebCore/plugins/MimeType.h', '../third_party/WebKit/WebCore/plugins/MimeTypeArray.cpp', '../third_party/WebKit/WebCore/plugins/MimeTypeArray.h', '../third_party/WebKit/WebCore/plugins/Plugin.cpp', '../third_party/WebKit/WebCore/plugins/Plugin.h', '../third_party/WebKit/WebCore/plugins/PluginArray.cpp', '../third_party/WebKit/WebCore/plugins/PluginArray.h', '../third_party/WebKit/WebCore/plugins/PluginData.cpp', '../third_party/WebKit/WebCore/plugins/PluginData.h', '../third_party/WebKit/WebCore/plugins/PluginDatabase.cpp', '../third_party/WebKit/WebCore/plugins/PluginDatabase.h', '../third_party/WebKit/WebCore/plugins/PluginDebug.h', '../third_party/WebKit/WebCore/plugins/PluginInfoStore.cpp', '../third_party/WebKit/WebCore/plugins/PluginInfoStore.h', '../third_party/WebKit/WebCore/plugins/PluginMainThreadScheduler.cpp', '../third_party/WebKit/WebCore/plugins/PluginMainThreadScheduler.h', '../third_party/WebKit/WebCore/plugins/PluginPackage.cpp', '../third_party/WebKit/WebCore/plugins/PluginPackage.h', '../third_party/WebKit/WebCore/plugins/PluginQuirkSet.h', '../third_party/WebKit/WebCore/plugins/PluginStream.cpp', '../third_party/WebKit/WebCore/plugins/PluginStream.h', '../third_party/WebKit/WebCore/plugins/PluginView.cpp', '../third_party/WebKit/WebCore/plugins/PluginView.h', '../third_party/WebKit/WebCore/plugins/npapi.cpp', '../third_party/WebKit/WebCore/plugins/npfunctions.h', '../third_party/WebKit/WebCore/rendering/style/BindingURI.cpp', '../third_party/WebKit/WebCore/rendering/style/BindingURI.h', '../third_party/WebKit/WebCore/rendering/style/BorderData.h', '../third_party/WebKit/WebCore/rendering/style/BorderValue.h', '../third_party/WebKit/WebCore/rendering/style/CollapsedBorderValue.h', '../third_party/WebKit/WebCore/rendering/style/ContentData.cpp', '../third_party/WebKit/WebCore/rendering/style/ContentData.h', '../third_party/WebKit/WebCore/rendering/style/CounterContent.h', '../third_party/WebKit/WebCore/rendering/style/CounterDirectives.cpp', '../third_party/WebKit/WebCore/rendering/style/CounterDirectives.h', '../third_party/WebKit/WebCore/rendering/style/CursorData.h', '../third_party/WebKit/WebCore/rendering/style/CursorList.h', '../third_party/WebKit/WebCore/rendering/style/DataRef.h', '../third_party/WebKit/WebCore/rendering/style/FillLayer.cpp', '../third_party/WebKit/WebCore/rendering/style/FillLayer.h', '../third_party/WebKit/WebCore/rendering/style/KeyframeList.cpp', '../third_party/WebKit/WebCore/rendering/style/KeyframeList.h', '../third_party/WebKit/WebCore/rendering/style/NinePieceImage.cpp', '../third_party/WebKit/WebCore/rendering/style/NinePieceImage.h', '../third_party/WebKit/WebCore/rendering/style/OutlineValue.h', '../third_party/WebKit/WebCore/rendering/style/RenderStyle.cpp', '../third_party/WebKit/WebCore/rendering/style/RenderStyle.h', '../third_party/WebKit/WebCore/rendering/style/RenderStyleConstants.h', '../third_party/WebKit/WebCore/rendering/style/SVGRenderStyle.cpp', '../third_party/WebKit/WebCore/rendering/style/SVGRenderStyle.h', '../third_party/WebKit/WebCore/rendering/style/SVGRenderStyleDefs.cpp', '../third_party/WebKit/WebCore/rendering/style/SVGRenderStyleDefs.h', '../third_party/WebKit/WebCore/rendering/style/ShadowData.cpp', '../third_party/WebKit/WebCore/rendering/style/ShadowData.h', '../third_party/WebKit/WebCore/rendering/style/StyleBackgroundData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleBackgroundData.h', '../third_party/WebKit/WebCore/rendering/style/StyleBoxData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleBoxData.h', '../third_party/WebKit/WebCore/rendering/style/StyleCachedImage.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleCachedImage.h', '../third_party/WebKit/WebCore/rendering/style/StyleDashboardRegion.h', '../third_party/WebKit/WebCore/rendering/style/StyleFlexibleBoxData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleFlexibleBoxData.h', '../third_party/WebKit/WebCore/rendering/style/StyleGeneratedImage.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleGeneratedImage.h', '../third_party/WebKit/WebCore/rendering/style/StyleImage.h', '../third_party/WebKit/WebCore/rendering/style/StyleInheritedData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleInheritedData.h', '../third_party/WebKit/WebCore/rendering/style/StyleMarqueeData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleMarqueeData.h', '../third_party/WebKit/WebCore/rendering/style/StyleMultiColData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleMultiColData.h', '../third_party/WebKit/WebCore/rendering/style/StyleRareInheritedData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleRareInheritedData.h', '../third_party/WebKit/WebCore/rendering/style/StyleRareNonInheritedData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleRareNonInheritedData.h', '../third_party/WebKit/WebCore/rendering/style/StyleReflection.h', '../third_party/WebKit/WebCore/rendering/style/StyleSurroundData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleSurroundData.h', '../third_party/WebKit/WebCore/rendering/style/StyleTransformData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleTransformData.h', '../third_party/WebKit/WebCore/rendering/style/StyleVisualData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleVisualData.h', '../third_party/WebKit/WebCore/rendering/AutoTableLayout.cpp', '../third_party/WebKit/WebCore/rendering/AutoTableLayout.h', '../third_party/WebKit/WebCore/rendering/CounterNode.cpp', '../third_party/WebKit/WebCore/rendering/CounterNode.h', '../third_party/WebKit/WebCore/rendering/EllipsisBox.cpp', '../third_party/WebKit/WebCore/rendering/EllipsisBox.h', '../third_party/WebKit/WebCore/rendering/FixedTableLayout.cpp', '../third_party/WebKit/WebCore/rendering/FixedTableLayout.h', '../third_party/WebKit/WebCore/rendering/GapRects.h', '../third_party/WebKit/WebCore/rendering/HitTestRequest.h', '../third_party/WebKit/WebCore/rendering/HitTestResult.cpp', '../third_party/WebKit/WebCore/rendering/HitTestResult.h', '../third_party/WebKit/WebCore/rendering/InlineBox.cpp', '../third_party/WebKit/WebCore/rendering/InlineBox.h', '../third_party/WebKit/WebCore/rendering/InlineFlowBox.cpp', '../third_party/WebKit/WebCore/rendering/InlineFlowBox.h', '../third_party/WebKit/WebCore/rendering/InlineRunBox.h', '../third_party/WebKit/WebCore/rendering/InlineTextBox.cpp', '../third_party/WebKit/WebCore/rendering/InlineTextBox.h', '../third_party/WebKit/WebCore/rendering/LayoutState.cpp', '../third_party/WebKit/WebCore/rendering/LayoutState.h', '../third_party/WebKit/WebCore/rendering/MediaControlElements.cpp', '../third_party/WebKit/WebCore/rendering/MediaControlElements.h', '../third_party/WebKit/WebCore/rendering/PointerEventsHitRules.cpp', '../third_party/WebKit/WebCore/rendering/PointerEventsHitRules.h', '../third_party/WebKit/WebCore/rendering/RenderApplet.cpp', '../third_party/WebKit/WebCore/rendering/RenderApplet.h', '../third_party/WebKit/WebCore/rendering/RenderArena.cpp', '../third_party/WebKit/WebCore/rendering/RenderArena.h', '../third_party/WebKit/WebCore/rendering/RenderBR.cpp', '../third_party/WebKit/WebCore/rendering/RenderBR.h', '../third_party/WebKit/WebCore/rendering/RenderBlock.cpp', '../third_party/WebKit/WebCore/rendering/RenderBlock.h', '../third_party/WebKit/WebCore/rendering/RenderBox.cpp', '../third_party/WebKit/WebCore/rendering/RenderBox.h', '../third_party/WebKit/WebCore/rendering/RenderBoxModelObject.cpp', '../third_party/WebKit/WebCore/rendering/RenderBoxModelObject.h', '../third_party/WebKit/WebCore/rendering/RenderButton.cpp', '../third_party/WebKit/WebCore/rendering/RenderButton.h', '../third_party/WebKit/WebCore/rendering/RenderCounter.cpp', '../third_party/WebKit/WebCore/rendering/RenderCounter.h', '../third_party/WebKit/WebCore/rendering/RenderDataGrid.cpp', '../third_party/WebKit/WebCore/rendering/RenderDataGrid.h', '../third_party/WebKit/WebCore/rendering/RenderFieldset.cpp', '../third_party/WebKit/WebCore/rendering/RenderFieldset.h', '../third_party/WebKit/WebCore/rendering/RenderFileUploadControl.cpp', '../third_party/WebKit/WebCore/rendering/RenderFileUploadControl.h', '../third_party/WebKit/WebCore/rendering/RenderFlexibleBox.cpp', '../third_party/WebKit/WebCore/rendering/RenderFlexibleBox.h', '../third_party/WebKit/WebCore/rendering/RenderForeignObject.cpp', '../third_party/WebKit/WebCore/rendering/RenderForeignObject.h', '../third_party/WebKit/WebCore/rendering/RenderFrame.cpp', '../third_party/WebKit/WebCore/rendering/RenderFrame.h', '../third_party/WebKit/WebCore/rendering/RenderFrameSet.cpp', '../third_party/WebKit/WebCore/rendering/RenderFrameSet.h', '../third_party/WebKit/WebCore/rendering/RenderHTMLCanvas.cpp', '../third_party/WebKit/WebCore/rendering/RenderHTMLCanvas.h', '../third_party/WebKit/WebCore/rendering/RenderImage.cpp', '../third_party/WebKit/WebCore/rendering/RenderImage.h', '../third_party/WebKit/WebCore/rendering/RenderImageGeneratedContent.cpp', '../third_party/WebKit/WebCore/rendering/RenderImageGeneratedContent.h', '../third_party/WebKit/WebCore/rendering/RenderInline.cpp', '../third_party/WebKit/WebCore/rendering/RenderInline.h', '../third_party/WebKit/WebCore/rendering/RenderLayer.cpp', '../third_party/WebKit/WebCore/rendering/RenderLayer.h', '../third_party/WebKit/WebCore/rendering/RenderLayerBacking.cpp', '../third_party/WebKit/WebCore/rendering/RenderLayerBacking.h', '../third_party/WebKit/WebCore/rendering/RenderLayerCompositor.cpp', '../third_party/WebKit/WebCore/rendering/RenderLayerCompositor.h', '../third_party/WebKit/WebCore/rendering/RenderLineBoxList.cpp', '../third_party/WebKit/WebCore/rendering/RenderLineBoxList.h', '../third_party/WebKit/WebCore/rendering/RenderListBox.cpp', '../third_party/WebKit/WebCore/rendering/RenderListBox.h', '../third_party/WebKit/WebCore/rendering/RenderListItem.cpp', '../third_party/WebKit/WebCore/rendering/RenderListItem.h', '../third_party/WebKit/WebCore/rendering/RenderListMarker.cpp', '../third_party/WebKit/WebCore/rendering/RenderListMarker.h', '../third_party/WebKit/WebCore/rendering/RenderMarquee.cpp', '../third_party/WebKit/WebCore/rendering/RenderMarquee.h', '../third_party/WebKit/WebCore/rendering/RenderMedia.cpp', '../third_party/WebKit/WebCore/rendering/RenderMedia.h', '../third_party/WebKit/WebCore/rendering/RenderMenuList.cpp', '../third_party/WebKit/WebCore/rendering/RenderMenuList.h', '../third_party/WebKit/WebCore/rendering/RenderObject.cpp', '../third_party/WebKit/WebCore/rendering/RenderObject.h', '../third_party/WebKit/WebCore/rendering/RenderObjectChildList.cpp', '../third_party/WebKit/WebCore/rendering/RenderObjectChildList.h', '../third_party/WebKit/WebCore/rendering/RenderPart.cpp', '../third_party/WebKit/WebCore/rendering/RenderPart.h', '../third_party/WebKit/WebCore/rendering/RenderPartObject.cpp', '../third_party/WebKit/WebCore/rendering/RenderPartObject.h', '../third_party/WebKit/WebCore/rendering/RenderPath.cpp', '../third_party/WebKit/WebCore/rendering/RenderPath.h', '../third_party/WebKit/WebCore/rendering/RenderReplaced.cpp', '../third_party/WebKit/WebCore/rendering/RenderReplaced.h', '../third_party/WebKit/WebCore/rendering/RenderReplica.cpp', '../third_party/WebKit/WebCore/rendering/RenderReplica.h', '../third_party/WebKit/WebCore/rendering/RenderSVGBlock.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGBlock.h', '../third_party/WebKit/WebCore/rendering/RenderSVGContainer.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGContainer.h', '../third_party/WebKit/WebCore/rendering/RenderSVGGradientStop.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGGradientStop.h', '../third_party/WebKit/WebCore/rendering/RenderSVGHiddenContainer.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGHiddenContainer.h', '../third_party/WebKit/WebCore/rendering/RenderSVGImage.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGImage.h', '../third_party/WebKit/WebCore/rendering/RenderSVGInline.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGInline.h', '../third_party/WebKit/WebCore/rendering/RenderSVGInlineText.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGInlineText.h', '../third_party/WebKit/WebCore/rendering/RenderSVGModelObject.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGModelObject.h', '../third_party/WebKit/WebCore/rendering/RenderSVGRoot.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGRoot.h', '../third_party/WebKit/WebCore/rendering/RenderSVGTSpan.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGTSpan.h', '../third_party/WebKit/WebCore/rendering/RenderSVGText.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGText.h', '../third_party/WebKit/WebCore/rendering/RenderSVGTextPath.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGTextPath.h', '../third_party/WebKit/WebCore/rendering/RenderSVGTransformableContainer.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGTransformableContainer.h', '../third_party/WebKit/WebCore/rendering/RenderSVGViewportContainer.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGViewportContainer.h', '../third_party/WebKit/WebCore/rendering/RenderScrollbar.cpp', '../third_party/WebKit/WebCore/rendering/RenderScrollbar.h', '../third_party/WebKit/WebCore/rendering/RenderScrollbarPart.cpp', '../third_party/WebKit/WebCore/rendering/RenderScrollbarPart.h', '../third_party/WebKit/WebCore/rendering/RenderScrollbarTheme.cpp', '../third_party/WebKit/WebCore/rendering/RenderScrollbarTheme.h', '../third_party/WebKit/WebCore/rendering/RenderSelectionInfo.h', '../third_party/WebKit/WebCore/rendering/RenderSlider.cpp', '../third_party/WebKit/WebCore/rendering/RenderSlider.h', '../third_party/WebKit/WebCore/rendering/RenderTable.cpp', '../third_party/WebKit/WebCore/rendering/RenderTable.h', '../third_party/WebKit/WebCore/rendering/RenderTableCell.cpp', '../third_party/WebKit/WebCore/rendering/RenderTableCell.h', '../third_party/WebKit/WebCore/rendering/RenderTableCol.cpp', '../third_party/WebKit/WebCore/rendering/RenderTableCol.h', '../third_party/WebKit/WebCore/rendering/RenderTableRow.cpp', '../third_party/WebKit/WebCore/rendering/RenderTableRow.h', '../third_party/WebKit/WebCore/rendering/RenderTableSection.cpp', '../third_party/WebKit/WebCore/rendering/RenderTableSection.h', '../third_party/WebKit/WebCore/rendering/RenderText.cpp', '../third_party/WebKit/WebCore/rendering/RenderText.h', '../third_party/WebKit/WebCore/rendering/RenderTextControl.cpp', '../third_party/WebKit/WebCore/rendering/RenderTextControl.h', '../third_party/WebKit/WebCore/rendering/RenderTextControlMultiLine.cpp', '../third_party/WebKit/WebCore/rendering/RenderTextControlMultiLine.h', '../third_party/WebKit/WebCore/rendering/RenderTextControlSingleLine.cpp', '../third_party/WebKit/WebCore/rendering/RenderTextControlSingleLine.h', '../third_party/WebKit/WebCore/rendering/RenderTextFragment.cpp', '../third_party/WebKit/WebCore/rendering/RenderTextFragment.h', '../third_party/WebKit/WebCore/rendering/RenderTheme.cpp', '../third_party/WebKit/WebCore/rendering/RenderTheme.h', '../third_party/WebKit/WebCore/rendering/RenderThemeChromiumSkia.cpp', '../third_party/WebKit/WebCore/rendering/RenderThemeChromiumSkia.h', '../third_party/WebKit/WebCore/rendering/RenderThemeChromiumLinux.cpp', '../third_party/WebKit/WebCore/rendering/RenderThemeChromiumLinux.h', '../third_party/WebKit/WebCore/rendering/RenderThemeChromiumMac.h', '../third_party/WebKit/WebCore/rendering/RenderThemeChromiumMac.mm', '../third_party/WebKit/WebCore/rendering/RenderThemeChromiumWin.cpp', '../third_party/WebKit/WebCore/rendering/RenderThemeChromiumWin.h', '../third_party/WebKit/WebCore/rendering/RenderThemeMac.h', '../third_party/WebKit/WebCore/rendering/RenderThemeMac.mm', '../third_party/WebKit/WebCore/rendering/RenderThemeSafari.cpp', '../third_party/WebKit/WebCore/rendering/RenderThemeSafari.h', '../third_party/WebKit/WebCore/rendering/RenderThemeWin.cpp', '../third_party/WebKit/WebCore/rendering/RenderThemeWin.h', '../third_party/WebKit/WebCore/rendering/RenderTreeAsText.cpp', '../third_party/WebKit/WebCore/rendering/RenderTreeAsText.h', '../third_party/WebKit/WebCore/rendering/RenderVideo.cpp', '../third_party/WebKit/WebCore/rendering/RenderVideo.h', '../third_party/WebKit/WebCore/rendering/RenderView.cpp', '../third_party/WebKit/WebCore/rendering/RenderView.h', '../third_party/WebKit/WebCore/rendering/RenderWidget.cpp', '../third_party/WebKit/WebCore/rendering/RenderWidget.h', '../third_party/WebKit/WebCore/rendering/RenderWordBreak.cpp', '../third_party/WebKit/WebCore/rendering/RenderWordBreak.h', '../third_party/WebKit/WebCore/rendering/RootInlineBox.cpp', '../third_party/WebKit/WebCore/rendering/RootInlineBox.h', '../third_party/WebKit/WebCore/rendering/ScrollBehavior.cpp', '../third_party/WebKit/WebCore/rendering/ScrollBehavior.h', '../third_party/WebKit/WebCore/rendering/SVGCharacterLayoutInfo.cpp', '../third_party/WebKit/WebCore/rendering/SVGCharacterLayoutInfo.h', '../third_party/WebKit/WebCore/rendering/SVGInlineFlowBox.cpp', '../third_party/WebKit/WebCore/rendering/SVGInlineFlowBox.h', '../third_party/WebKit/WebCore/rendering/SVGInlineTextBox.cpp', '../third_party/WebKit/WebCore/rendering/SVGInlineTextBox.h', '../third_party/WebKit/WebCore/rendering/SVGRenderSupport.cpp', '../third_party/WebKit/WebCore/rendering/SVGRenderSupport.h', '../third_party/WebKit/WebCore/rendering/SVGRenderTreeAsText.cpp', '../third_party/WebKit/WebCore/rendering/SVGRenderTreeAsText.h', '../third_party/WebKit/WebCore/rendering/SVGRootInlineBox.cpp', '../third_party/WebKit/WebCore/rendering/SVGRootInlineBox.h', '../third_party/WebKit/WebCore/rendering/TableLayout.h', '../third_party/WebKit/WebCore/rendering/TextControlInnerElements.cpp', '../third_party/WebKit/WebCore/rendering/TextControlInnerElements.h', '../third_party/WebKit/WebCore/rendering/TransformState.cpp', '../third_party/WebKit/WebCore/rendering/TransformState.h', '../third_party/WebKit/WebCore/rendering/bidi.cpp', '../third_party/WebKit/WebCore/rendering/bidi.h', '../third_party/WebKit/WebCore/rendering/break_lines.cpp', '../third_party/WebKit/WebCore/rendering/break_lines.h', '../third_party/WebKit/WebCore/storage/ChangeVersionWrapper.cpp', '../third_party/WebKit/WebCore/storage/ChangeVersionWrapper.h', '../third_party/WebKit/WebCore/storage/Database.cpp', '../third_party/WebKit/WebCore/storage/Database.h', '../third_party/WebKit/WebCore/storage/DatabaseAuthorizer.cpp', '../third_party/WebKit/WebCore/storage/DatabaseAuthorizer.h', '../third_party/WebKit/WebCore/storage/DatabaseDetails.h', '../third_party/WebKit/WebCore/storage/DatabaseTask.cpp', '../third_party/WebKit/WebCore/storage/DatabaseTask.h', '../third_party/WebKit/WebCore/storage/DatabaseThread.cpp', '../third_party/WebKit/WebCore/storage/DatabaseThread.h', '../third_party/WebKit/WebCore/storage/DatabaseTracker.cpp', '../third_party/WebKit/WebCore/storage/DatabaseTracker.h', '../third_party/WebKit/WebCore/storage/DatabaseTrackerClient.h', '../third_party/WebKit/WebCore/storage/LocalStorage.cpp', '../third_party/WebKit/WebCore/storage/LocalStorage.h', '../third_party/WebKit/WebCore/storage/LocalStorageArea.cpp', '../third_party/WebKit/WebCore/storage/LocalStorageArea.h', '../third_party/WebKit/WebCore/storage/LocalStorageTask.cpp', '../third_party/WebKit/WebCore/storage/LocalStorageTask.h', '../third_party/WebKit/WebCore/storage/LocalStorageThread.cpp', '../third_party/WebKit/WebCore/storage/LocalStorageThread.h', '../third_party/WebKit/WebCore/storage/OriginQuotaManager.cpp', '../third_party/WebKit/WebCore/storage/OriginQuotaManager.h', '../third_party/WebKit/WebCore/storage/OriginUsageRecord.cpp', '../third_party/WebKit/WebCore/storage/OriginUsageRecord.h', '../third_party/WebKit/WebCore/storage/SQLError.h', '../third_party/WebKit/WebCore/storage/SQLResultSet.cpp', '../third_party/WebKit/WebCore/storage/SQLResultSet.h', '../third_party/WebKit/WebCore/storage/SQLResultSetRowList.cpp', '../third_party/WebKit/WebCore/storage/SQLResultSetRowList.h', '../third_party/WebKit/WebCore/storage/SQLStatement.cpp', '../third_party/WebKit/WebCore/storage/SQLStatement.h', '../third_party/WebKit/WebCore/storage/SQLStatementCallback.h', '../third_party/WebKit/WebCore/storage/SQLStatementErrorCallback.h', '../third_party/WebKit/WebCore/storage/SQLTransaction.cpp', '../third_party/WebKit/WebCore/storage/SQLTransaction.h', '../third_party/WebKit/WebCore/storage/SQLTransactionCallback.h', '../third_party/WebKit/WebCore/storage/SQLTransactionErrorCallback.h', '../third_party/WebKit/WebCore/storage/SessionStorage.cpp', '../third_party/WebKit/WebCore/storage/SessionStorage.h', '../third_party/WebKit/WebCore/storage/SessionStorageArea.cpp', '../third_party/WebKit/WebCore/storage/SessionStorageArea.h', '../third_party/WebKit/WebCore/storage/Storage.cpp', '../third_party/WebKit/WebCore/storage/Storage.h', '../third_party/WebKit/WebCore/storage/StorageArea.h', '../third_party/WebKit/WebCore/storage/StorageEvent.cpp', '../third_party/WebKit/WebCore/storage/StorageEvent.h', '../third_party/WebKit/WebCore/storage/StorageMap.cpp', '../third_party/WebKit/WebCore/storage/StorageMap.h', '../third_party/WebKit/WebCore/svg/animation/SMILTime.cpp', '../third_party/WebKit/WebCore/svg/animation/SMILTime.h', '../third_party/WebKit/WebCore/svg/animation/SMILTimeContainer.cpp', '../third_party/WebKit/WebCore/svg/animation/SMILTimeContainer.h', '../third_party/WebKit/WebCore/svg/animation/SVGSMILElement.cpp', '../third_party/WebKit/WebCore/svg/animation/SVGSMILElement.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGDistantLightSource.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEConvolveMatrix.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEConvolveMatrix.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEDiffuseLighting.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEDiffuseLighting.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEDisplacementMap.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEDisplacementMap.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEFlood.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEFlood.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEGaussianBlur.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEGaussianBlur.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEImage.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEImage.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEMerge.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEMerge.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEMorphology.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEMorphology.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEOffset.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEOffset.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFESpecularLighting.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFESpecularLighting.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFETile.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFETile.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFETurbulence.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFETurbulence.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFilterEffect.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFilterEffect.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGLightSource.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGLightSource.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGPointLightSource.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGSpotLightSource.h', '../third_party/WebKit/WebCore/svg/graphics/SVGImage.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGImage.h', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServer.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServer.h', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerGradient.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerGradient.h', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerLinearGradient.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerLinearGradient.h', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerPattern.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerPattern.h', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerRadialGradient.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerRadialGradient.h', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerSolid.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerSolid.h', '../third_party/WebKit/WebCore/svg/graphics/SVGResource.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGResource.h', '../third_party/WebKit/WebCore/svg/graphics/SVGResourceClipper.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGResourceClipper.h', '../third_party/WebKit/WebCore/svg/graphics/SVGResourceFilter.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGResourceFilter.h', '../third_party/WebKit/WebCore/svg/graphics/SVGResourceListener.h', '../third_party/WebKit/WebCore/svg/graphics/SVGResourceMarker.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGResourceMarker.h', '../third_party/WebKit/WebCore/svg/graphics/SVGResourceMasker.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGResourceMasker.h', '../third_party/WebKit/WebCore/svg/ColorDistance.cpp', '../third_party/WebKit/WebCore/svg/ColorDistance.h', '../third_party/WebKit/WebCore/svg/ElementTimeControl.h', '../third_party/WebKit/WebCore/svg/Filter.cpp', '../third_party/WebKit/WebCore/svg/Filter.h', '../third_party/WebKit/WebCore/svg/FilterBuilder.h', '../third_party/WebKit/WebCore/svg/FilterBuilder.cpp', '../third_party/WebKit/WebCore/svg/FilterEffect.cpp', '../third_party/WebKit/WebCore/svg/FilterEffect.h', '../third_party/WebKit/WebCore/svg/GradientAttributes.h', '../third_party/WebKit/WebCore/svg/LinearGradientAttributes.h', '../third_party/WebKit/WebCore/svg/PatternAttributes.h', '../third_party/WebKit/WebCore/svg/RadialGradientAttributes.h', '../third_party/WebKit/WebCore/svg/SVGAElement.cpp', '../third_party/WebKit/WebCore/svg/SVGAElement.h', '../third_party/WebKit/WebCore/svg/SVGAllInOne.cpp', '../third_party/WebKit/WebCore/svg/SVGAltGlyphElement.cpp', '../third_party/WebKit/WebCore/svg/SVGAltGlyphElement.h', '../third_party/WebKit/WebCore/svg/SVGAngle.cpp', '../third_party/WebKit/WebCore/svg/SVGAngle.h', '../third_party/WebKit/WebCore/svg/SVGAnimateColorElement.cpp', '../third_party/WebKit/WebCore/svg/SVGAnimateColorElement.h', '../third_party/WebKit/WebCore/svg/SVGAnimateElement.cpp', '../third_party/WebKit/WebCore/svg/SVGAnimateElement.h', '../third_party/WebKit/WebCore/svg/SVGAnimateMotionElement.cpp', '../third_party/WebKit/WebCore/svg/SVGAnimateMotionElement.h', '../third_party/WebKit/WebCore/svg/SVGAnimateTransformElement.cpp', '../third_party/WebKit/WebCore/svg/SVGAnimateTransformElement.h', '../third_party/WebKit/WebCore/svg/SVGAnimatedPathData.cpp', '../third_party/WebKit/WebCore/svg/SVGAnimatedPathData.h', '../third_party/WebKit/WebCore/svg/SVGAnimatedPoints.cpp', '../third_party/WebKit/WebCore/svg/SVGAnimatedPoints.h', '../third_party/WebKit/WebCore/svg/SVGAnimatedProperty.h', '../third_party/WebKit/WebCore/svg/SVGAnimatedTemplate.h', '../third_party/WebKit/WebCore/svg/SVGAnimationElement.cpp', '../third_party/WebKit/WebCore/svg/SVGAnimationElement.h', '../third_party/WebKit/WebCore/svg/SVGCircleElement.cpp', '../third_party/WebKit/WebCore/svg/SVGCircleElement.h', '../third_party/WebKit/WebCore/svg/SVGClipPathElement.cpp', '../third_party/WebKit/WebCore/svg/SVGClipPathElement.h', '../third_party/WebKit/WebCore/svg/SVGColor.cpp', '../third_party/WebKit/WebCore/svg/SVGColor.h', '../third_party/WebKit/WebCore/svg/SVGComponentTransferFunctionElement.cpp', '../third_party/WebKit/WebCore/svg/SVGComponentTransferFunctionElement.h', '../third_party/WebKit/WebCore/svg/SVGCursorElement.cpp', '../third_party/WebKit/WebCore/svg/SVGCursorElement.h', '../third_party/WebKit/WebCore/svg/SVGDefinitionSrcElement.cpp', '../third_party/WebKit/WebCore/svg/SVGDefinitionSrcElement.h', '../third_party/WebKit/WebCore/svg/SVGDefsElement.cpp', '../third_party/WebKit/WebCore/svg/SVGDefsElement.h', '../third_party/WebKit/WebCore/svg/SVGDescElement.cpp', '../third_party/WebKit/WebCore/svg/SVGDescElement.h', '../third_party/WebKit/WebCore/svg/SVGDocument.cpp', '../third_party/WebKit/WebCore/svg/SVGDocument.h', '../third_party/WebKit/WebCore/svg/SVGDocumentExtensions.cpp', '../third_party/WebKit/WebCore/svg/SVGDocumentExtensions.h', '../third_party/WebKit/WebCore/svg/SVGElement.cpp', '../third_party/WebKit/WebCore/svg/SVGElement.h', '../third_party/WebKit/WebCore/svg/SVGElementInstance.cpp', '../third_party/WebKit/WebCore/svg/SVGElementInstance.h', '../third_party/WebKit/WebCore/svg/SVGElementInstanceList.cpp', '../third_party/WebKit/WebCore/svg/SVGElementInstanceList.h', '../third_party/WebKit/WebCore/svg/SVGEllipseElement.cpp', '../third_party/WebKit/WebCore/svg/SVGEllipseElement.h', '../third_party/WebKit/WebCore/svg/SVGException.h', '../third_party/WebKit/WebCore/svg/SVGExternalResourcesRequired.cpp', '../third_party/WebKit/WebCore/svg/SVGExternalResourcesRequired.h', '../third_party/WebKit/WebCore/svg/SVGFEBlendElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEBlendElement.h', '../third_party/WebKit/WebCore/svg/SVGFEColorMatrixElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEColorMatrixElement.h', '../third_party/WebKit/WebCore/svg/SVGFEComponentTransferElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEComponentTransferElement.h', '../third_party/WebKit/WebCore/svg/SVGFECompositeElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFECompositeElement.h', '../third_party/WebKit/WebCore/svg/SVGFEDiffuseLightingElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEDiffuseLightingElement.h', '../third_party/WebKit/WebCore/svg/SVGFEDisplacementMapElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEDisplacementMapElement.h', '../third_party/WebKit/WebCore/svg/SVGFEDistantLightElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEDistantLightElement.h', '../third_party/WebKit/WebCore/svg/SVGFEFloodElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEFloodElement.h', '../third_party/WebKit/WebCore/svg/SVGFEFuncAElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEFuncAElement.h', '../third_party/WebKit/WebCore/svg/SVGFEFuncBElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEFuncBElement.h', '../third_party/WebKit/WebCore/svg/SVGFEFuncGElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEFuncGElement.h', '../third_party/WebKit/WebCore/svg/SVGFEFuncRElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEFuncRElement.h', '../third_party/WebKit/WebCore/svg/SVGFEGaussianBlurElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEGaussianBlurElement.h', '../third_party/WebKit/WebCore/svg/SVGFEImageElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEImageElement.h', '../third_party/WebKit/WebCore/svg/SVGFELightElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFELightElement.h', '../third_party/WebKit/WebCore/svg/SVGFEMergeElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEMergeElement.h', '../third_party/WebKit/WebCore/svg/SVGFEMergeNodeElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEMergeNodeElement.h', '../third_party/WebKit/WebCore/svg/SVGFEOffsetElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEOffsetElement.h', '../third_party/WebKit/WebCore/svg/SVGFEPointLightElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEPointLightElement.h', '../third_party/WebKit/WebCore/svg/SVGFESpecularLightingElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFESpecularLightingElement.h', '../third_party/WebKit/WebCore/svg/SVGFESpotLightElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFESpotLightElement.h', '../third_party/WebKit/WebCore/svg/SVGFETileElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFETileElement.h', '../third_party/WebKit/WebCore/svg/SVGFETurbulenceElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFETurbulenceElement.h', '../third_party/WebKit/WebCore/svg/SVGFilterElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFilterElement.h', '../third_party/WebKit/WebCore/svg/SVGFilterPrimitiveStandardAttributes.cpp', '../third_party/WebKit/WebCore/svg/SVGFilterPrimitiveStandardAttributes.h', '../third_party/WebKit/WebCore/svg/SVGFitToViewBox.cpp', '../third_party/WebKit/WebCore/svg/SVGFitToViewBox.h', '../third_party/WebKit/WebCore/svg/SVGFont.cpp', '../third_party/WebKit/WebCore/svg/SVGFontData.cpp', '../third_party/WebKit/WebCore/svg/SVGFontData.h', '../third_party/WebKit/WebCore/svg/SVGFontElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFontElement.h', '../third_party/WebKit/WebCore/svg/SVGFontFaceElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFontFaceElement.h', '../third_party/WebKit/WebCore/svg/SVGFontFaceFormatElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFontFaceFormatElement.h', '../third_party/WebKit/WebCore/svg/SVGFontFaceNameElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFontFaceNameElement.h', '../third_party/WebKit/WebCore/svg/SVGFontFaceSrcElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFontFaceSrcElement.h', '../third_party/WebKit/WebCore/svg/SVGFontFaceUriElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFontFaceUriElement.h', '../third_party/WebKit/WebCore/svg/SVGForeignObjectElement.cpp', '../third_party/WebKit/WebCore/svg/SVGForeignObjectElement.h', '../third_party/WebKit/WebCore/svg/SVGGElement.cpp', '../third_party/WebKit/WebCore/svg/SVGGElement.h', '../third_party/WebKit/WebCore/svg/SVGGlyphElement.cpp', '../third_party/WebKit/WebCore/svg/SVGGlyphElement.h', '../third_party/WebKit/WebCore/svg/SVGGlyphMap.h', '../third_party/WebKit/WebCore/svg/SVGGradientElement.cpp', '../third_party/WebKit/WebCore/svg/SVGGradientElement.h', '../third_party/WebKit/WebCore/svg/SVGHKernElement.cpp', '../third_party/WebKit/WebCore/svg/SVGHKernElement.h', '../third_party/WebKit/WebCore/svg/SVGImageElement.cpp', '../third_party/WebKit/WebCore/svg/SVGImageElement.h', '../third_party/WebKit/WebCore/svg/SVGImageLoader.cpp', '../third_party/WebKit/WebCore/svg/SVGImageLoader.h', '../third_party/WebKit/WebCore/svg/SVGLangSpace.cpp', '../third_party/WebKit/WebCore/svg/SVGLangSpace.h', '../third_party/WebKit/WebCore/svg/SVGLength.cpp', '../third_party/WebKit/WebCore/svg/SVGLength.h', '../third_party/WebKit/WebCore/svg/SVGLengthList.cpp', '../third_party/WebKit/WebCore/svg/SVGLengthList.h', '../third_party/WebKit/WebCore/svg/SVGLineElement.cpp', '../third_party/WebKit/WebCore/svg/SVGLineElement.h', '../third_party/WebKit/WebCore/svg/SVGLinearGradientElement.cpp', '../third_party/WebKit/WebCore/svg/SVGLinearGradientElement.h', '../third_party/WebKit/WebCore/svg/SVGList.h', '../third_party/WebKit/WebCore/svg/SVGListTraits.h', '../third_party/WebKit/WebCore/svg/SVGLocatable.cpp', '../third_party/WebKit/WebCore/svg/SVGLocatable.h', '../third_party/WebKit/WebCore/svg/SVGMPathElement.cpp', '../third_party/WebKit/WebCore/svg/SVGMPathElement.h', '../third_party/WebKit/WebCore/svg/SVGMarkerElement.cpp', '../third_party/WebKit/WebCore/svg/SVGMarkerElement.h', '../third_party/WebKit/WebCore/svg/SVGMaskElement.cpp', '../third_party/WebKit/WebCore/svg/SVGMaskElement.h', '../third_party/WebKit/WebCore/svg/SVGMetadataElement.cpp', '../third_party/WebKit/WebCore/svg/SVGMetadataElement.h', '../third_party/WebKit/WebCore/svg/SVGMissingGlyphElement.cpp', '../third_party/WebKit/WebCore/svg/SVGMissingGlyphElement.h', '../third_party/WebKit/WebCore/svg/SVGNumberList.cpp', '../third_party/WebKit/WebCore/svg/SVGNumberList.h', '../third_party/WebKit/WebCore/svg/SVGPaint.cpp', '../third_party/WebKit/WebCore/svg/SVGPaint.h', '../third_party/WebKit/WebCore/svg/SVGParserUtilities.cpp', '../third_party/WebKit/WebCore/svg/SVGParserUtilities.h', '../third_party/WebKit/WebCore/svg/SVGPathElement.cpp', '../third_party/WebKit/WebCore/svg/SVGPathElement.h', '../third_party/WebKit/WebCore/svg/SVGPathSeg.h', '../third_party/WebKit/WebCore/svg/SVGPathSegArc.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegArc.h', '../third_party/WebKit/WebCore/svg/SVGPathSegClosePath.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegClosePath.h', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubic.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubic.h', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubicSmooth.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubicSmooth.h', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadratic.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadratic.h', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadraticSmooth.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadraticSmooth.h', '../third_party/WebKit/WebCore/svg/SVGPathSegLineto.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegLineto.h', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoHorizontal.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoHorizontal.h', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoVertical.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoVertical.h', '../third_party/WebKit/WebCore/svg/SVGPathSegList.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegList.h', '../third_party/WebKit/WebCore/svg/SVGPathSegMoveto.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegMoveto.h', '../third_party/WebKit/WebCore/svg/SVGPatternElement.cpp', '../third_party/WebKit/WebCore/svg/SVGPatternElement.h', '../third_party/WebKit/WebCore/svg/SVGPointList.cpp', '../third_party/WebKit/WebCore/svg/SVGPointList.h', '../third_party/WebKit/WebCore/svg/SVGPolyElement.cpp', '../third_party/WebKit/WebCore/svg/SVGPolyElement.h', '../third_party/WebKit/WebCore/svg/SVGPolygonElement.cpp', '../third_party/WebKit/WebCore/svg/SVGPolygonElement.h', '../third_party/WebKit/WebCore/svg/SVGPolylineElement.cpp', '../third_party/WebKit/WebCore/svg/SVGPolylineElement.h', '../third_party/WebKit/WebCore/svg/SVGPreserveAspectRatio.cpp', '../third_party/WebKit/WebCore/svg/SVGPreserveAspectRatio.h', '../third_party/WebKit/WebCore/svg/SVGRadialGradientElement.cpp', '../third_party/WebKit/WebCore/svg/SVGRadialGradientElement.h', '../third_party/WebKit/WebCore/svg/SVGRectElement.cpp', '../third_party/WebKit/WebCore/svg/SVGRectElement.h', '../third_party/WebKit/WebCore/svg/SVGRenderingIntent.h', '../third_party/WebKit/WebCore/svg/SVGSVGElement.cpp', '../third_party/WebKit/WebCore/svg/SVGSVGElement.h', '../third_party/WebKit/WebCore/svg/SVGScriptElement.cpp', '../third_party/WebKit/WebCore/svg/SVGScriptElement.h', '../third_party/WebKit/WebCore/svg/SVGSetElement.cpp', '../third_party/WebKit/WebCore/svg/SVGSetElement.h', '../third_party/WebKit/WebCore/svg/SVGStopElement.cpp', '../third_party/WebKit/WebCore/svg/SVGStopElement.h', '../third_party/WebKit/WebCore/svg/SVGStringList.cpp', '../third_party/WebKit/WebCore/svg/SVGStringList.h', '../third_party/WebKit/WebCore/svg/SVGStylable.cpp', '../third_party/WebKit/WebCore/svg/SVGStylable.h', '../third_party/WebKit/WebCore/svg/SVGStyleElement.cpp', '../third_party/WebKit/WebCore/svg/SVGStyleElement.h', '../third_party/WebKit/WebCore/svg/SVGStyledElement.cpp', '../third_party/WebKit/WebCore/svg/SVGStyledElement.h', '../third_party/WebKit/WebCore/svg/SVGStyledLocatableElement.cpp', '../third_party/WebKit/WebCore/svg/SVGStyledLocatableElement.h', '../third_party/WebKit/WebCore/svg/SVGStyledTransformableElement.cpp', '../third_party/WebKit/WebCore/svg/SVGStyledTransformableElement.h', '../third_party/WebKit/WebCore/svg/SVGSwitchElement.cpp', '../third_party/WebKit/WebCore/svg/SVGSwitchElement.h', '../third_party/WebKit/WebCore/svg/SVGSymbolElement.cpp', '../third_party/WebKit/WebCore/svg/SVGSymbolElement.h', '../third_party/WebKit/WebCore/svg/SVGTRefElement.cpp', '../third_party/WebKit/WebCore/svg/SVGTRefElement.h', '../third_party/WebKit/WebCore/svg/SVGTSpanElement.cpp', '../third_party/WebKit/WebCore/svg/SVGTSpanElement.h', '../third_party/WebKit/WebCore/svg/SVGTests.cpp', '../third_party/WebKit/WebCore/svg/SVGTests.h', '../third_party/WebKit/WebCore/svg/SVGTextContentElement.cpp', '../third_party/WebKit/WebCore/svg/SVGTextContentElement.h', '../third_party/WebKit/WebCore/svg/SVGTextElement.cpp', '../third_party/WebKit/WebCore/svg/SVGTextElement.h', '../third_party/WebKit/WebCore/svg/SVGTextPathElement.cpp', '../third_party/WebKit/WebCore/svg/SVGTextPathElement.h', '../third_party/WebKit/WebCore/svg/SVGTextPositioningElement.cpp', '../third_party/WebKit/WebCore/svg/SVGTextPositioningElement.h', '../third_party/WebKit/WebCore/svg/SVGTitleElement.cpp', '../third_party/WebKit/WebCore/svg/SVGTitleElement.h', '../third_party/WebKit/WebCore/svg/SVGTransform.cpp', '../third_party/WebKit/WebCore/svg/SVGTransform.h', '../third_party/WebKit/WebCore/svg/SVGTransformDistance.cpp', '../third_party/WebKit/WebCore/svg/SVGTransformDistance.h', '../third_party/WebKit/WebCore/svg/SVGTransformList.cpp', '../third_party/WebKit/WebCore/svg/SVGTransformList.h', '../third_party/WebKit/WebCore/svg/SVGTransformable.cpp', '../third_party/WebKit/WebCore/svg/SVGTransformable.h', '../third_party/WebKit/WebCore/svg/SVGURIReference.cpp', '../third_party/WebKit/WebCore/svg/SVGURIReference.h', '../third_party/WebKit/WebCore/svg/SVGUnitTypes.h', '../third_party/WebKit/WebCore/svg/SVGUseElement.cpp', '../third_party/WebKit/WebCore/svg/SVGUseElement.h', '../third_party/WebKit/WebCore/svg/SVGViewElement.cpp', '../third_party/WebKit/WebCore/svg/SVGViewElement.h', '../third_party/WebKit/WebCore/svg/SVGViewSpec.cpp', '../third_party/WebKit/WebCore/svg/SVGViewSpec.h', '../third_party/WebKit/WebCore/svg/SVGZoomAndPan.cpp', '../third_party/WebKit/WebCore/svg/SVGZoomAndPan.h', '../third_party/WebKit/WebCore/svg/SVGZoomEvent.cpp', '../third_party/WebKit/WebCore/svg/SVGZoomEvent.h', '../third_party/WebKit/WebCore/svg/SynchronizableTypeWrapper.h', '../third_party/WebKit/WebCore/workers/GenericWorkerTask.h', '../third_party/WebKit/WebCore/workers/Worker.cpp', '../third_party/WebKit/WebCore/workers/Worker.h', '../third_party/WebKit/WebCore/workers/WorkerContext.cpp', '../third_party/WebKit/WebCore/workers/WorkerContext.h', '../third_party/WebKit/WebCore/workers/WorkerContextProxy.h', '../third_party/WebKit/WebCore/workers/WorkerLoaderProxy.h', '../third_party/WebKit/WebCore/workers/WorkerLocation.cpp', '../third_party/WebKit/WebCore/workers/WorkerLocation.h', '../third_party/WebKit/WebCore/workers/WorkerMessagingProxy.cpp', '../third_party/WebKit/WebCore/workers/WorkerMessagingProxy.h', '../third_party/WebKit/WebCore/workers/WorkerObjectProxy.h', '../third_party/WebKit/WebCore/workers/WorkerRunLoop.cpp', '../third_party/WebKit/WebCore/workers/WorkerRunLoop.h', '../third_party/WebKit/WebCore/workers/WorkerScriptLoader.cpp', '../third_party/WebKit/WebCore/workers/WorkerScriptLoader.h', '../third_party/WebKit/WebCore/workers/WorkerScriptLoaderClient.h', '../third_party/WebKit/WebCore/workers/WorkerThread.cpp', '../third_party/WebKit/WebCore/workers/WorkerThread.h', '../third_party/WebKit/WebCore/xml/DOMParser.cpp', '../third_party/WebKit/WebCore/xml/DOMParser.h', '../third_party/WebKit/WebCore/xml/NativeXPathNSResolver.cpp', '../third_party/WebKit/WebCore/xml/NativeXPathNSResolver.h', '../third_party/WebKit/WebCore/xml/XMLHttpRequest.cpp', '../third_party/WebKit/WebCore/xml/XMLHttpRequest.h', '../third_party/WebKit/WebCore/xml/XMLHttpRequestException.h', '../third_party/WebKit/WebCore/xml/XMLHttpRequestProgressEvent.h', '../third_party/WebKit/WebCore/xml/XMLHttpRequestUpload.cpp', '../third_party/WebKit/WebCore/xml/XMLHttpRequestUpload.h', '../third_party/WebKit/WebCore/xml/XMLSerializer.cpp', '../third_party/WebKit/WebCore/xml/XMLSerializer.h', '../third_party/WebKit/WebCore/xml/XPathEvaluator.cpp', '../third_party/WebKit/WebCore/xml/XPathEvaluator.h', '../third_party/WebKit/WebCore/xml/XPathException.h', '../third_party/WebKit/WebCore/xml/XPathExpression.cpp', '../third_party/WebKit/WebCore/xml/XPathExpression.h', '../third_party/WebKit/WebCore/xml/XPathExpressionNode.cpp', '../third_party/WebKit/WebCore/xml/XPathExpressionNode.h', '../third_party/WebKit/WebCore/xml/XPathFunctions.cpp', '../third_party/WebKit/WebCore/xml/XPathFunctions.h', '../third_party/WebKit/WebCore/xml/XPathNSResolver.cpp', '../third_party/WebKit/WebCore/xml/XPathNSResolver.h', '../third_party/WebKit/WebCore/xml/XPathNamespace.cpp', '../third_party/WebKit/WebCore/xml/XPathNamespace.h', '../third_party/WebKit/WebCore/xml/XPathNodeSet.cpp', '../third_party/WebKit/WebCore/xml/XPathNodeSet.h', '../third_party/WebKit/WebCore/xml/XPathParser.cpp', '../third_party/WebKit/WebCore/xml/XPathParser.h', '../third_party/WebKit/WebCore/xml/XPathPath.cpp', '../third_party/WebKit/WebCore/xml/XPathPath.h', '../third_party/WebKit/WebCore/xml/XPathPredicate.cpp', '../third_party/WebKit/WebCore/xml/XPathPredicate.h', '../third_party/WebKit/WebCore/xml/XPathResult.cpp', '../third_party/WebKit/WebCore/xml/XPathResult.h', '../third_party/WebKit/WebCore/xml/XPathStep.cpp', '../third_party/WebKit/WebCore/xml/XPathStep.h', '../third_party/WebKit/WebCore/xml/XPathUtil.cpp', '../third_party/WebKit/WebCore/xml/XPathUtil.h', '../third_party/WebKit/WebCore/xml/XPathValue.cpp', '../third_party/WebKit/WebCore/xml/XPathValue.h', '../third_party/WebKit/WebCore/xml/XPathVariableReference.cpp', '../third_party/WebKit/WebCore/xml/XPathVariableReference.h', '../third_party/WebKit/WebCore/xml/XSLImportRule.cpp', '../third_party/WebKit/WebCore/xml/XSLImportRule.h', '../third_party/WebKit/WebCore/xml/XSLStyleSheet.cpp', '../third_party/WebKit/WebCore/xml/XSLStyleSheet.h', '../third_party/WebKit/WebCore/xml/XSLTExtensions.cpp', '../third_party/WebKit/WebCore/xml/XSLTExtensions.h', '../third_party/WebKit/WebCore/xml/XSLTProcessor.cpp', '../third_party/WebKit/WebCore/xml/XSLTProcessor.h', '../third_party/WebKit/WebCore/xml/XSLTUnicodeSort.cpp', '../third_party/WebKit/WebCore/xml/XSLTUnicodeSort.h', # For WebCoreSystemInterface, Mac-only. '../third_party/WebKit/WebKit/mac/WebCoreSupport/WebSystemInterface.m', ], 'sources/': [ # Don't build bindings for storage/database. ['exclude', '/third_party/WebKit/WebCore/storage/Storage[^/]*\\.idl$'], # SVG_FILTERS only. ['exclude', '/third_party/WebKit/WebCore/svg/SVG(FE|Filter)[^/]*\\.idl$'], # Fortunately, many things can be excluded by using broad patterns. # Exclude things that don't apply to the Chromium platform on the basis # of their enclosing directories and tags at the ends of their # filenames. ['exclude', '/(android|cairo|cf|cg|curl|gtk|linux|mac|opentype|posix|qt|soup|symbian|win|wx)/'], ['exclude', '(?<!Chromium)(SVGAllInOne|Android|Cairo|CF|CG|Curl|Gtk|Linux|Mac|OpenType|POSIX|Posix|Qt|Safari|Soup|Symbian|Win|Wx)\\.(cpp|mm?)$'], # JSC-only. ['exclude', '/third_party/WebKit/WebCore/inspector/JavaScript[^/]*\\.cpp$'], # ENABLE_OFFLINE_WEB_APPLICATIONS only. ['exclude', '/third_party/WebKit/WebCore/loader/appcache/'], # SVG_FILTERS only. ['exclude', '/third_party/WebKit/WebCore/(platform|svg)/graphics/filters/'], ['exclude', '/third_party/WebKit/WebCore/svg/Filter[^/]*\\.cpp$'], ['exclude', '/third_party/WebKit/WebCore/svg/SVG(FE|Filter)[^/]*\\.cpp$'], # Exclude some, but not all, of storage. ['exclude', '/third_party/WebKit/WebCore/storage/(Local|Session)Storage[^/]*\\.cpp$'], ], 'sources!': [ # Custom bindings in bindings/v8/custom exist for these. '../third_party/WebKit/WebCore/dom/EventListener.idl', '../third_party/WebKit/WebCore/dom/EventTarget.idl', '../third_party/WebKit/WebCore/html/VoidCallback.idl', # JSC-only. '../third_party/WebKit/WebCore/inspector/JavaScriptCallFrame.idl', # ENABLE_OFFLINE_WEB_APPLICATIONS only. '../third_party/WebKit/WebCore/loader/appcache/DOMApplicationCache.idl', # ENABLE_GEOLOCATION only. '../third_party/WebKit/WebCore/page/Geolocation.idl', '../third_party/WebKit/WebCore/page/Geoposition.idl', '../third_party/WebKit/WebCore/page/PositionCallback.idl', '../third_party/WebKit/WebCore/page/PositionError.idl', '../third_party/WebKit/WebCore/page/PositionErrorCallback.idl', # Bindings with custom Objective-C implementations. '../third_party/WebKit/WebCore/page/AbstractView.idl', # TODO(mark): I don't know why all of these are excluded. # Extra SVG bindings to exclude. '../third_party/WebKit/WebCore/svg/ElementTimeControl.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedPathData.idl', '../third_party/WebKit/WebCore/svg/SVGComponentTransferFunctionElement.idl', '../third_party/WebKit/WebCore/svg/SVGExternalResourcesRequired.idl', '../third_party/WebKit/WebCore/svg/SVGFitToViewBox.idl', '../third_party/WebKit/WebCore/svg/SVGHKernElement.idl', '../third_party/WebKit/WebCore/svg/SVGLangSpace.idl', '../third_party/WebKit/WebCore/svg/SVGLocatable.idl', '../third_party/WebKit/WebCore/svg/SVGStylable.idl', '../third_party/WebKit/WebCore/svg/SVGTests.idl', '../third_party/WebKit/WebCore/svg/SVGTransformable.idl', '../third_party/WebKit/WebCore/svg/SVGViewSpec.idl', '../third_party/WebKit/WebCore/svg/SVGZoomAndPan.idl', # TODO(mark): I don't know why these are excluded, either. # Someone (me?) should figure it out and add appropriate comments. '../third_party/WebKit/WebCore/css/CSSUnknownRule.idl', # A few things can't be excluded by patterns. List them individually. # Use history/BackForwardListChromium.cpp instead. '../third_party/WebKit/WebCore/history/BackForwardList.cpp', # Use loader/icon/IconDatabaseNone.cpp instead. '../third_party/WebKit/WebCore/loader/icon/IconDatabase.cpp', # Use platform/KURLGoogle.cpp instead. '../third_party/WebKit/WebCore/platform/KURL.cpp', # Use platform/MIMETypeRegistryChromium.cpp instead. '../third_party/WebKit/WebCore/platform/MIMETypeRegistry.cpp', # USE_NEW_THEME only. '../third_party/WebKit/WebCore/platform/Theme.cpp', # Exclude some, but not all, of plugins. '../third_party/WebKit/WebCore/plugins/PluginDatabase.cpp', '../third_party/WebKit/WebCore/plugins/PluginInfoStore.cpp', '../third_party/WebKit/WebCore/plugins/PluginMainThreadScheduler.cpp', '../third_party/WebKit/WebCore/plugins/PluginPackage.cpp', '../third_party/WebKit/WebCore/plugins/PluginStream.cpp', '../third_party/WebKit/WebCore/plugins/PluginView.cpp', '../third_party/WebKit/WebCore/plugins/npapi.cpp', # Use LinkHashChromium.cpp instead '../third_party/WebKit/WebCore/platform/LinkHash.cpp', # Don't build these. # TODO(mark): I don't know exactly why these are excluded. It would # be nice to provide more explicit comments. Some of these do actually # compile. '../third_party/WebKit/WebCore/dom/StaticStringList.cpp', '../third_party/WebKit/WebCore/loader/icon/IconFetcher.cpp', '../third_party/WebKit/WebCore/loader/UserStyleSheetLoader.cpp', '../third_party/WebKit/WebCore/platform/graphics/GraphicsLayer.cpp', '../third_party/WebKit/WebCore/platform/graphics/RenderLayerBacking.cpp', '../third_party/WebKit/WebCore/platform/graphics/RenderLayerCompositor.cpp', ], 'direct_dependent_settings': { 'include_dirs': [ '<(SHARED_INTERMEDIATE_DIR)/webkit', '<(SHARED_INTERMEDIATE_DIR)/webkit/bindings', 'port/bindings/v8', '<@(webcore_include_dirs)', ], 'mac_framework_dirs': [ '$(SDKROOT)/System/Library/Frameworks/ApplicationServices.framework/Frameworks', ], }, 'export_dependent_settings': [ 'wtf', '../build/temp_gyp/googleurl.gyp:googleurl', '../skia/skia.gyp:skia', '../third_party/npapi/npapi.gyp:npapi', ], 'link_settings': { 'mac_bundle_resources': [ '../third_party/WebKit/WebCore/Resources/aliasCursor.png', '../third_party/WebKit/WebCore/Resources/cellCursor.png', '../third_party/WebKit/WebCore/Resources/contextMenuCursor.png', '../third_party/WebKit/WebCore/Resources/copyCursor.png', '../third_party/WebKit/WebCore/Resources/crossHairCursor.png', '../third_party/WebKit/WebCore/Resources/eastResizeCursor.png', '../third_party/WebKit/WebCore/Resources/eastWestResizeCursor.png', '../third_party/WebKit/WebCore/Resources/helpCursor.png', '../third_party/WebKit/WebCore/Resources/linkCursor.png', '../third_party/WebKit/WebCore/Resources/missingImage.png', '../third_party/WebKit/WebCore/Resources/moveCursor.png', '../third_party/WebKit/WebCore/Resources/noDropCursor.png', '../third_party/WebKit/WebCore/Resources/noneCursor.png', '../third_party/WebKit/WebCore/Resources/northEastResizeCursor.png', '../third_party/WebKit/WebCore/Resources/northEastSouthWestResizeCursor.png', '../third_party/WebKit/WebCore/Resources/northResizeCursor.png', '../third_party/WebKit/WebCore/Resources/northSouthResizeCursor.png', '../third_party/WebKit/WebCore/Resources/northWestResizeCursor.png', '../third_party/WebKit/WebCore/Resources/northWestSouthEastResizeCursor.png', '../third_party/WebKit/WebCore/Resources/notAllowedCursor.png', '../third_party/WebKit/WebCore/Resources/progressCursor.png', '../third_party/WebKit/WebCore/Resources/southEastResizeCursor.png', '../third_party/WebKit/WebCore/Resources/southResizeCursor.png', '../third_party/WebKit/WebCore/Resources/southWestResizeCursor.png', '../third_party/WebKit/WebCore/Resources/verticalTextCursor.png', '../third_party/WebKit/WebCore/Resources/waitCursor.png', '../third_party/WebKit/WebCore/Resources/westResizeCursor.png', '../third_party/WebKit/WebCore/Resources/zoomInCursor.png', '../third_party/WebKit/WebCore/Resources/zoomOutCursor.png', ], }, 'hard_dependency': 1, 'mac_framework_dirs': [ '$(SDKROOT)/System/Library/Frameworks/ApplicationServices.framework/Frameworks', ], 'msvs_disabled_warnings': [ 4138, 4244, 4291, 4305, 4344, 4355, 4521, 4099, ], 'scons_line_length' : 1, 'xcode_settings': { # Some Mac-specific parts of WebKit won't compile without having this # prefix header injected. # TODO(mark): make this a first-class setting. 'GCC_PREFIX_HEADER': '../third_party/WebKit/WebCore/WebCorePrefix.h', }, 'conditions': [ ['javascript_engine=="v8"', { 'dependencies': [ '../v8/tools/gyp/v8.gyp:v8', ], 'export_dependent_settings': [ '../v8/tools/gyp/v8.gyp:v8', ], }], ['OS=="linux"', { 'dependencies': [ '../build/linux/system.gyp:fontconfig', '../build/linux/system.gyp:gtk', ], 'sources': [ '../third_party/WebKit/WebCore/platform/graphics/chromium/VDMXParser.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/HarfbuzzSkia.cpp', ], 'sources!': [ # Not yet ported to Linux. '../third_party/WebKit/WebCore/platform/graphics/chromium/FontCustomPlatformData.cpp', ], 'sources/': [ # Cherry-pick files excluded by the broader regular expressions above. ['include', 'third_party/WebKit/WebCore/platform/chromium/KeyCodeConversionGtk\\.cpp$'], ['include', 'third_party/WebKit/WebCore/platform/graphics/chromium/FontCacheLinux\\.cpp$'], ['include', 'third_party/WebKit/WebCore/platform/graphics/chromium/FontLinux\\.cpp$'], ['include', 'third_party/WebKit/WebCore/platform/graphics/chromium/FontPlatformDataLinux\\.cpp$'], ['include', 'third_party/WebKit/WebCore/platform/graphics/chromium/GlyphPageTreeNodeLinux\\.cpp$'], ['include', 'third_party/WebKit/WebCore/platform/graphics/chromium/SimpleFontDataLinux\\.cpp$'], ], 'cflags': [ # -Wno-multichar for: # .../WebCore/platform/image-decoders/bmp/BMPImageDecoder.cpp '-Wno-multichar', # WebCore does not work with strict aliasing enabled. # https://bugs.webkit.org/show_bug.cgi?id=25864 '-fno-strict-aliasing', ], }], ['OS=="mac"', { 'actions': [ { # Allow framework-style #include of # <WebCore/WebCoreSystemInterface.h>. 'action_name': 'WebCoreSystemInterface.h', 'inputs': [ '../third_party/WebKit/WebCore/platform/mac/WebCoreSystemInterface.h', ], 'outputs': [ '<(INTERMEDIATE_DIR)/WebCore/WebCoreSystemInterface.h', ], 'action': ['cp', '<@(_inputs)', '<@(_outputs)'], }, ], 'include_dirs': [ '../third_party/WebKit/WebKitLibraries', ], 'sources/': [ # Additional files from the WebCore Mac build that are presently # used in the WebCore Chromium Mac build too. # The Mac build is PLATFORM_CF but does not use CFNetwork. ['include', 'CF\\.cpp$'], ['exclude', '/network/cf/'], # The Mac build is PLATFORM_CG too. platform/graphics/cg is the # only place that CG files we want to build are located, and not # all of them even have a CG suffix, so just add them by a # regexp matching their directory. ['include', '/platform/graphics/cg/[^/]*(?<!Win)?\\.(cpp|mm?)$'], # Use native Mac font code from WebCore. ['include', '/platform/(graphics/)?mac/[^/]*Font[^/]*\\.(cpp|mm?)$'], # Cherry-pick some files that can't be included by broader regexps. # Some of these are used instead of Chromium platform files, see # the specific exclusions in the "sources!" list below. ['include', '/third_party/WebKit/WebCore/loader/archive/cf/LegacyWebArchive\\.cpp$'], ['include', '/third_party/WebKit/WebCore/platform/graphics/mac/ColorMac\\.mm$'], ['include', '/third_party/WebKit/WebCore/platform/graphics/mac/GlyphPageTreeNodeMac\\.cpp$'], ['include', '/third_party/WebKit/WebCore/platform/graphics/mac/GraphicsContextMac\\.mm$'], ['include', '/third_party/WebKit/WebCore/platform/mac/BlockExceptions\\.mm$'], ['include', '/third_party/WebKit/WebCore/platform/mac/LocalCurrentGraphicsContext\\.mm$'], ['include', '/third_party/WebKit/WebCore/platform/mac/PurgeableBufferMac\\.cpp$'], ['include', '/third_party/WebKit/WebCore/platform/mac/ScrollbarThemeMac\\.mm$'], ['include', '/third_party/WebKit/WebCore/platform/mac/WebCoreSystemInterface\\.mm$'], ['include', '/third_party/WebKit/WebCore/platform/mac/WebCoreTextRenderer\\.mm$'], ['include', '/third_party/WebKit/WebCore/platform/text/mac/ShapeArabic\\.c$'], ['include', '/third_party/WebKit/WebCore/platform/text/mac/String(Impl)?Mac\\.mm$'], ['include', '/third_party/WebKit/WebKit/mac/WebCoreSupport/WebSystemInterface\\.m$'], ], 'sources!': [ # The Mac currently uses FontCustomPlatformData.cpp from # platform/graphics/mac, included by regex above, instead. '../third_party/WebKit/WebCore/platform/graphics/chromium/FontCustomPlatformData.cpp', # The Mac currently uses ScrollbarThemeMac.mm, included by regex # above, instead of ScrollbarThemeChromium.cpp. '../third_party/WebKit/WebCore/platform/chromium/ScrollbarThemeChromium.cpp', # These Skia files aren't currently built on the Mac, which uses # CoreGraphics directly for this portion of graphics handling. '../third_party/WebKit/WebCore/platform/graphics/skia/FloatPointSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/FloatRectSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/GradientSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/GraphicsContextSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/ImageBufferSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/ImageSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/ImageSourceSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/IntPointSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/IntRectSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/PathSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/PatternSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/TransformationMatrixSkia.cpp', # RenderThemeChromiumSkia is not used on mac since RenderThemeChromiumMac # does not reference the Skia code that is used by Windows and Linux. '../third_party/WebKit/WebCore/rendering/RenderThemeChromiumSkia.cpp', # Skia image-decoders are also not used on mac. CoreGraphics # is used directly instead. '../third_party/WebKit/WebCore/platform/image-decoders/ImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageReader.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageReader.h', '../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageReader.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageReader.h', '../third_party/WebKit/WebCore/platform/image-decoders/ico/ICOImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/ico/ICOImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/jpeg/JPEGImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/jpeg/JPEGImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/png/PNGImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/png/PNGImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/skia/ImageDecoderSkia.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/xbm/XBMImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/xbm/XBMImageDecoder.h', ], 'link_settings': { 'libraries': [ '../third_party/WebKit/WebKitLibraries/libWebKitSystemInterfaceLeopard.a', ], }, 'direct_dependent_settings': { 'include_dirs': [ '../third_party/WebKit/WebKitLibraries', '../third_party/WebKit/WebKit/mac/WebCoreSupport', ], }, }], ['OS=="win"', { 'dependencies': ['../build/win/system.gyp:cygwin'], 'sources/': [ ['exclude', 'Posix\\.cpp$'], ['include', '/opentype/'], ['include', '/TransparencyWin\\.cpp$'], ['include', '/SkiaFontWin\\.cpp$'], ], 'defines': [ '__PRETTY_FUNCTION__=__FUNCTION__', 'DISABLE_ACTIVEX_TYPE_CONVERSION_MPLAYER2', ], # This is needed because Event.h in this directory is blocked # by a system header on windows. 'include_dirs++': ['../third_party/WebKit/WebCore/dom'], 'direct_dependent_settings': { 'include_dirs+++': ['../third_party/WebKit/WebCore/dom'], }, }], ['OS!="linux"', {'sources/': [['exclude', '(Gtk|Linux)\\.cpp$']]}], ['OS!="mac"', {'sources/': [['exclude', 'Mac\\.(cpp|mm?)$']]}], ['OS!="win"', { 'sources/': [ ['exclude', 'Win\\.cpp$'], ['exclude', '/(Windows|Uniscribe)[^/]*\\.cpp$'] ], }], ], }, { 'target_name': 'webkit', 'type': '<(library)', 'msvs_guid': '5ECEC9E5-8F23-47B6-93E0-C3B328B3BE65', 'dependencies': [ 'webcore', ], 'include_dirs': [ 'api/public', 'api/src', ], 'defines': [ 'WEBKIT_IMPLEMENTATION', ], 'sources': [ 'api/public/gtk/WebInputEventFactory.h', 'api/public/x11/WebScreenInfoFactory.h', 'api/public/mac/WebInputEventFactory.h', 'api/public/mac/WebScreenInfoFactory.h', 'api/public/WebCache.h', 'api/public/WebCanvas.h', 'api/public/WebClipboard.h', 'api/public/WebColor.h', 'api/public/WebCommon.h', 'api/public/WebConsoleMessage.h', 'api/public/WebCString.h', 'api/public/WebCursorInfo.h', 'api/public/WebData.h', 'api/public/WebDataSource.h', 'api/public/WebDragData.h', 'api/public/WebFindOptions.h', 'api/public/WebForm.h', 'api/public/WebHistoryItem.h', 'api/public/WebHTTPBody.h', 'api/public/WebImage.h', 'api/public/WebInputEvent.h', 'api/public/WebKit.h', 'api/public/WebKitClient.h', 'api/public/WebMediaPlayer.h', 'api/public/WebMediaPlayerClient.h', 'api/public/WebMimeRegistry.h', 'api/public/WebNavigationType.h', 'api/public/WebNonCopyable.h', 'api/public/WebPluginListBuilder.h', 'api/public/WebPoint.h', 'api/public/WebRect.h', 'api/public/WebScreenInfo.h', 'api/public/WebScriptSource.h', 'api/public/WebSize.h', 'api/public/WebString.h', 'api/public/WebURL.h', 'api/public/WebURLError.h', 'api/public/WebURLLoader.h', 'api/public/WebURLLoaderClient.h', 'api/public/WebURLRequest.h', 'api/public/WebURLResponse.h', 'api/public/WebVector.h', 'api/public/win/WebInputEventFactory.h', 'api/public/win/WebSandboxSupport.h', 'api/public/win/WebScreenInfoFactory.h', 'api/public/win/WebScreenInfoFactory.h', 'api/src/ChromiumBridge.cpp', 'api/src/ChromiumCurrentTime.cpp', 'api/src/ChromiumThreading.cpp', 'api/src/gtk/WebFontInfo.cpp', 'api/src/gtk/WebFontInfo.h', 'api/src/gtk/WebInputEventFactory.cpp', 'api/src/x11/WebScreenInfoFactory.cpp', 'api/src/mac/WebInputEventFactory.mm', 'api/src/mac/WebScreenInfoFactory.mm', 'api/src/MediaPlayerPrivateChromium.cpp', 'api/src/ResourceHandle.cpp', 'api/src/TemporaryGlue.h', 'api/src/WebCache.cpp', 'api/src/WebCString.cpp', 'api/src/WebCursorInfo.cpp', 'api/src/WebData.cpp', 'api/src/WebDragData.cpp', 'api/src/WebForm.cpp', 'api/src/WebHistoryItem.cpp', 'api/src/WebHTTPBody.cpp', 'api/src/WebImageCG.cpp', 'api/src/WebImageSkia.cpp', 'api/src/WebInputEvent.cpp', 'api/src/WebKit.cpp', 'api/src/WebMediaPlayerClientImpl.cpp', 'api/src/WebMediaPlayerClientImpl.h', 'api/src/WebPluginListBuilderImpl.cpp', 'api/src/WebPluginListBuilderImpl.h', 'api/src/WebString.cpp', 'api/src/WebURL.cpp', 'api/src/WebURLRequest.cpp', 'api/src/WebURLRequestPrivate.h', 'api/src/WebURLResponse.cpp', 'api/src/WebURLResponsePrivate.h', 'api/src/WebURLError.cpp', 'api/src/WrappedResourceRequest.h', 'api/src/WrappedResourceResponse.h', 'api/src/win/WebInputEventFactory.cpp', 'api/src/win/WebScreenInfoFactory.cpp', ], 'conditions': [ ['OS=="linux"', { 'dependencies': [ '../build/linux/system.gyp:x11', '../build/linux/system.gyp:gtk', ], 'include_dirs': [ 'api/public/x11', 'api/public/gtk', 'api/public/linux', ], }, { # else: OS!="linux" 'sources/': [ ['exclude', '/gtk/'], ['exclude', '/x11/'], ], }], ['OS=="mac"', { 'include_dirs': [ 'api/public/mac', ], 'sources/': [ ['exclude', 'Skia\\.cpp$'], ], }, { # else: OS!="mac" 'sources/': [ ['exclude', '/mac/'], ['exclude', 'CG\\.cpp$'], ], }], ['OS=="win"', { 'include_dirs': [ 'api/public/win', ], }, { # else: OS!="win" 'sources/': [['exclude', '/win/']], }], ], }, { 'target_name': 'webkit_resources', 'type': 'none', 'msvs_guid': '0B469837-3D46-484A-AFB3-C5A6C68730B9', 'variables': { 'grit_path': '../tools/grit/grit.py', 'grit_out_dir': '<(SHARED_INTERMEDIATE_DIR)/webkit', }, 'actions': [ { 'action_name': 'webkit_resources', 'variables': { 'input_path': 'glue/webkit_resources.grd', }, 'inputs': [ '<(input_path)', ], 'outputs': [ '<(grit_out_dir)/grit/webkit_resources.h', '<(grit_out_dir)/webkit_resources.pak', '<(grit_out_dir)/webkit_resources.rc', ], 'action': ['python', '<(grit_path)', '-i', '<(input_path)', 'build', '-o', '<(grit_out_dir)'], 'message': 'Generating resources from <(input_path)', }, ], 'direct_dependent_settings': { 'include_dirs': [ '<(SHARED_INTERMEDIATE_DIR)/webkit', ], }, 'conditions': [ ['OS=="win"', { 'dependencies': ['../build/win/system.gyp:cygwin'], }], ], }, { 'target_name': 'webkit_strings', 'type': 'none', 'msvs_guid': '60B43839-95E6-4526-A661-209F16335E0E', 'variables': { 'grit_path': '../tools/grit/grit.py', 'grit_out_dir': '<(SHARED_INTERMEDIATE_DIR)/webkit', }, 'actions': [ { 'action_name': 'webkit_strings', 'variables': { 'input_path': 'glue/webkit_strings.grd', }, 'inputs': [ '<(input_path)', ], 'outputs': [ '<(grit_out_dir)/grit/webkit_strings.h', '<(grit_out_dir)/webkit_strings_da.pak', '<(grit_out_dir)/webkit_strings_da.rc', '<(grit_out_dir)/webkit_strings_en-US.pak', '<(grit_out_dir)/webkit_strings_en-US.rc', '<(grit_out_dir)/webkit_strings_he.pak', '<(grit_out_dir)/webkit_strings_he.rc', '<(grit_out_dir)/webkit_strings_zh-TW.pak', '<(grit_out_dir)/webkit_strings_zh-TW.rc', ], 'action': ['python', '<(grit_path)', '-i', '<(input_path)', 'build', '-o', '<(grit_out_dir)'], 'message': 'Generating resources from <(input_path)', }, ], 'direct_dependent_settings': { 'include_dirs': [ '<(SHARED_INTERMEDIATE_DIR)/webkit', ], }, 'conditions': [ ['OS=="win"', { 'dependencies': ['../build/win/system.gyp:cygwin'], }], ], }, { 'target_name': 'glue', 'type': '<(library)', 'msvs_guid': 'C66B126D-0ECE-4CA2-B6DC-FA780AFBBF09', 'dependencies': [ '../net/net.gyp:net', 'inspector_resources', 'webcore', 'webkit', 'webkit_resources', 'webkit_strings', ], 'actions': [ { 'action_name': 'webkit_version', 'inputs': [ 'build/webkit_version.py', '../third_party/WebKit/WebCore/Configurations/Version.xcconfig', ], 'outputs': [ '<(INTERMEDIATE_DIR)/webkit_version.h', ], 'action': ['python', '<@(_inputs)', '<(INTERMEDIATE_DIR)'], }, ], 'include_dirs': [ '<(INTERMEDIATE_DIR)', '<(SHARED_INTERMEDIATE_DIR)/webkit', ], 'sources': [ # This list contains all .h, .cc, and .mm files in glue except for # those in the test subdirectory and those with unittest in in their # names. 'glue/devtools/devtools_rpc.cc', 'glue/devtools/devtools_rpc.h', 'glue/devtools/devtools_rpc_js.h', 'glue/devtools/bound_object.cc', 'glue/devtools/bound_object.h', 'glue/devtools/debugger_agent.h', 'glue/devtools/debugger_agent_impl.cc', 'glue/devtools/debugger_agent_impl.h', 'glue/devtools/debugger_agent_manager.cc', 'glue/devtools/debugger_agent_manager.h', 'glue/devtools/dom_agent.h', 'glue/devtools/dom_agent_impl.cc', 'glue/devtools/dom_agent_impl.h', 'glue/devtools/tools_agent.h', 'glue/media/media_resource_loader_bridge_factory.cc', 'glue/media/media_resource_loader_bridge_factory.h', 'glue/media/simple_data_source.cc', 'glue/media/simple_data_source.h', 'glue/media/video_renderer_impl.cc', 'glue/media/video_renderer_impl.h', 'glue/plugins/mozilla_extensions.cc', 'glue/plugins/mozilla_extensions.h', 'glue/plugins/nphostapi.h', 'glue/plugins/gtk_plugin_container.h', 'glue/plugins/gtk_plugin_container.cc', 'glue/plugins/gtk_plugin_container_manager.h', 'glue/plugins/gtk_plugin_container_manager.cc', 'glue/plugins/plugin_constants_win.h', 'glue/plugins/plugin_host.cc', 'glue/plugins/plugin_host.h', 'glue/plugins/plugin_instance.cc', 'glue/plugins/plugin_instance.h', 'glue/plugins/plugin_lib.cc', 'glue/plugins/plugin_lib.h', 'glue/plugins/plugin_lib_linux.cc', 'glue/plugins/plugin_lib_mac.mm', 'glue/plugins/plugin_lib_win.cc', 'glue/plugins/plugin_list.cc', 'glue/plugins/plugin_list.h', 'glue/plugins/plugin_list_linux.cc', 'glue/plugins/plugin_list_mac.mm', 'glue/plugins/plugin_list_win.cc', 'glue/plugins/plugin_stream.cc', 'glue/plugins/plugin_stream.h', 'glue/plugins/plugin_stream_posix.cc', 'glue/plugins/plugin_stream_url.cc', 'glue/plugins/plugin_stream_url.h', 'glue/plugins/plugin_stream_win.cc', 'glue/plugins/plugin_string_stream.cc', 'glue/plugins/plugin_string_stream.h', 'glue/plugins/plugin_stubs.cc', 'glue/plugins/webplugin_delegate_impl.cc', 'glue/plugins/webplugin_delegate_impl.h', 'glue/plugins/webplugin_delegate_impl_gtk.cc', 'glue/plugins/webplugin_delegate_impl_mac.mm', 'glue/alt_404_page_resource_fetcher.cc', 'glue/alt_404_page_resource_fetcher.h', 'glue/alt_error_page_resource_fetcher.cc', 'glue/alt_error_page_resource_fetcher.h', 'glue/autocomplete_input_listener.h', 'glue/autofill_form.cc', 'glue/autofill_form.h', 'glue/back_forward_list_client_impl.cc', 'glue/back_forward_list_client_impl.h', 'glue/chrome_client_impl.cc', 'glue/chrome_client_impl.h', 'glue/chromium_bridge_impl.cc', 'glue/context_menu.h', 'glue/context_menu_client_impl.cc', 'glue/context_menu_client_impl.h', 'glue/cpp_binding_example.cc', 'glue/cpp_binding_example.h', 'glue/cpp_bound_class.cc', 'glue/cpp_bound_class.h', 'glue/cpp_variant.cc', 'glue/cpp_variant.h', 'glue/dom_operations.cc', 'glue/dom_operations.h', 'glue/dom_operations_private.h', 'glue/dom_serializer.cc', 'glue/dom_serializer.h', 'glue/dom_serializer_delegate.h', 'glue/dragclient_impl.cc', 'glue/dragclient_impl.h', 'glue/editor_client_impl.cc', 'glue/editor_client_impl.h', 'glue/entity_map.cc', 'glue/entity_map.h', 'glue/event_conversion.cc', 'glue/event_conversion.h', 'glue/feed_preview.cc', 'glue/feed_preview.h', 'glue/form_data.h', 'glue/glue_accessibility_object.cc', 'glue/glue_accessibility_object.h', 'glue/glue_serialize.cc', 'glue/glue_serialize.h', 'glue/glue_util.cc', 'glue/glue_util.h', 'glue/image_decoder.cc', 'glue/image_decoder.h', 'glue/image_resource_fetcher.cc', 'glue/image_resource_fetcher.h', 'glue/inspector_client_impl.cc', 'glue/inspector_client_impl.h', 'glue/localized_strings.cc', 'glue/multipart_response_delegate.cc', 'glue/multipart_response_delegate.h', 'glue/npruntime_util.cc', 'glue/npruntime_util.h', 'glue/password_autocomplete_listener.cc', 'glue/password_autocomplete_listener.h', 'glue/password_form.h', 'glue/password_form_dom_manager.cc', 'glue/password_form_dom_manager.h', 'glue/resource_fetcher.cc', 'glue/resource_fetcher.h', 'glue/resource_loader_bridge.cc', 'glue/resource_loader_bridge.h', 'glue/resource_type.h', 'glue/scoped_clipboard_writer_glue.h', 'glue/searchable_form_data.cc', 'glue/searchable_form_data.h', 'glue/simple_webmimeregistry_impl.cc', 'glue/simple_webmimeregistry_impl.h', 'glue/stacking_order_iterator.cc', 'glue/stacking_order_iterator.h', 'glue/temporary_glue.cc', 'glue/webaccessibility.h', 'glue/webaccessibilitymanager.h', 'glue/webaccessibilitymanager_impl.cc', 'glue/webaccessibilitymanager_impl.h', 'glue/webappcachecontext.cc', 'glue/webappcachecontext.h', 'glue/webclipboard_impl.cc', 'glue/webclipboard_impl.h', 'glue/webcursor.cc', 'glue/webcursor.h', 'glue/webcursor_gtk.cc', 'glue/webcursor_gtk_data.h', 'glue/webcursor_mac.mm', 'glue/webcursor_win.cc', 'glue/webdatasource_impl.cc', 'glue/webdatasource_impl.h', 'glue/webdevtoolsagent.h', 'glue/webdevtoolsagent_delegate.h', 'glue/webdevtoolsagent_impl.cc', 'glue/webdevtoolsagent_impl.h', 'glue/webdevtoolsclient.h', 'glue/webdevtoolsclient_delegate.h', 'glue/webdevtoolsclient_impl.cc', 'glue/webdevtoolsclient_impl.h', 'glue/webdropdata.cc', 'glue/webdropdata_win.cc', 'glue/webdropdata.h', 'glue/webframe.h', 'glue/webframe_impl.cc', 'glue/webframe_impl.h', 'glue/webframeloaderclient_impl.cc', 'glue/webframeloaderclient_impl.h', 'glue/webkit_glue.cc', 'glue/webkit_glue.h', 'glue/webkitclient_impl.cc', 'glue/webkitclient_impl.h', 'glue/webmediaplayer_impl.h', 'glue/webmediaplayer_impl.cc', 'glue/webmenurunner_mac.h', 'glue/webmenurunner_mac.mm', 'glue/webplugin.h', 'glue/webplugin_delegate.cc', 'glue/webplugin_delegate.h', 'glue/webplugin_impl.cc', 'glue/webplugin_impl.h', 'glue/webplugininfo.h', 'glue/webpreferences.h', 'glue/webtextinput.h', 'glue/webtextinput_impl.cc', 'glue/webtextinput_impl.h', 'glue/webthemeengine_impl_win.cc', 'glue/weburlloader_impl.cc', 'glue/weburlloader_impl.h', 'glue/webview.h', 'glue/webview_delegate.cc', 'glue/webview_delegate.h', 'glue/webview_impl.cc', 'glue/webview_impl.h', 'glue/webwidget.h', 'glue/webwidget_delegate.h', 'glue/webwidget_impl.cc', 'glue/webwidget_impl.h', 'glue/webworker_impl.cc', 'glue/webworker_impl.h', 'glue/webworkerclient_impl.cc', 'glue/webworkerclient_impl.h', 'glue/window_open_disposition.h', ], # When glue is a dependency, it needs to be a hard dependency. # Dependents may rely on files generated by this target or one of its # own hard dependencies. 'hard_dependency': 1, 'export_dependent_settings': [ 'webcore', ], 'conditions': [ ['OS=="linux"', { 'dependencies': [ '../build/linux/system.gyp:gtk', ], 'export_dependent_settings': [ # Users of webcursor.h need the GTK include path. '../build/linux/system.gyp:gtk', ], 'sources!': [ 'glue/plugins/plugin_stubs.cc', ], }, { # else: OS!="linux" 'sources/': [['exclude', '_(linux|gtk)(_data)?\\.cc$'], ['exclude', r'/gtk_']], }], ['OS!="mac"', { 'sources/': [['exclude', '_mac\\.(cc|mm)$']] }], ['OS!="win"', { 'sources/': [['exclude', '_win\\.cc$']], 'sources!': [ # TODO(port): Mac uses webplugin_delegate_impl_mac.cc and GTK uses # webplugin_delegate_impl_gtk.cc. Seems like this should be # renamed webplugin_delegate_impl_win.cc, then we could get rid # of the explicit exclude. 'glue/plugins/webplugin_delegate_impl.cc', # These files are Windows-only now but may be ported to other # platforms. 'glue/glue_accessibility_object.cc', 'glue/glue_accessibility_object.h', 'glue/plugins/mozilla_extensions.cc', 'glue/plugins/webplugin_delegate_impl.cc', 'glue/webaccessibility.h', 'glue/webaccessibilitymanager.h', 'glue/webaccessibilitymanager_impl.cc', 'glue/webaccessibilitymanager_impl.cc', 'glue/webaccessibilitymanager_impl.h', 'glue/webthemeengine_impl_win.cc', ], }, { # else: OS=="win" 'sources/': [['exclude', '_posix\\.cc$']], 'dependencies': [ '../build/win/system.gyp:cygwin', 'activex_shim/activex_shim.gyp:activex_shim', 'default_plugin/default_plugin.gyp:default_plugin', ], 'sources!': [ 'glue/plugins/plugin_stubs.cc', ], }], ], }, { 'target_name': 'inspector_resources', 'type': 'none', 'msvs_guid': '5330F8EE-00F5-D65C-166E-E3150171055D', 'copies': [ { 'destination': '<(PRODUCT_DIR)/resources/inspector', 'files': [ 'glue/devtools/js/base.js', 'glue/devtools/js/debugger_agent.js', 'glue/devtools/js/devtools.css', 'glue/devtools/js/devtools.html', 'glue/devtools/js/devtools.js', 'glue/devtools/js/devtools_callback.js', 'glue/devtools/js/devtools_host_stub.js', 'glue/devtools/js/dom_agent.js', 'glue/devtools/js/inject.js', 'glue/devtools/js/inspector_controller.js', 'glue/devtools/js/inspector_controller_impl.js', 'glue/devtools/js/profiler_processor.js', 'glue/devtools/js/tests.js', '../third_party/WebKit/WebCore/inspector/front-end/BottomUpProfileDataGridTree.js', '../third_party/WebKit/WebCore/inspector/front-end/Breakpoint.js', '../third_party/WebKit/WebCore/inspector/front-end/BreakpointsSidebarPane.js', '../third_party/WebKit/WebCore/inspector/front-end/CallStackSidebarPane.js', '../third_party/WebKit/WebCore/inspector/front-end/Console.js', '../third_party/WebKit/WebCore/inspector/front-end/Database.js', '../third_party/WebKit/WebCore/inspector/front-end/DatabaseQueryView.js', '../third_party/WebKit/WebCore/inspector/front-end/DatabasesPanel.js', '../third_party/WebKit/WebCore/inspector/front-end/DatabaseTableView.js', '../third_party/WebKit/WebCore/inspector/front-end/DataGrid.js', '../third_party/WebKit/WebCore/inspector/front-end/ElementsPanel.js', '../third_party/WebKit/WebCore/inspector/front-end/ElementsTreeOutline.js', '../third_party/WebKit/WebCore/inspector/front-end/FontView.js', '../third_party/WebKit/WebCore/inspector/front-end/ImageView.js', '../third_party/WebKit/WebCore/inspector/front-end/inspector.css', '../third_party/WebKit/WebCore/inspector/front-end/inspector.html', '../third_party/WebKit/WebCore/inspector/front-end/inspector.js', '../third_party/WebKit/WebCore/inspector/front-end/KeyboardShortcut.js', '../third_party/WebKit/WebCore/inspector/front-end/MetricsSidebarPane.js', '../third_party/WebKit/WebCore/inspector/front-end/Object.js', '../third_party/WebKit/WebCore/inspector/front-end/ObjectPropertiesSection.js', '../third_party/WebKit/WebCore/inspector/front-end/Panel.js', '../third_party/WebKit/WebCore/inspector/front-end/PanelEnablerView.js', '../third_party/WebKit/WebCore/inspector/front-end/Placard.js', '../third_party/WebKit/WebCore/inspector/front-end/ProfilesPanel.js', '../third_party/WebKit/WebCore/inspector/front-end/ProfileDataGridTree.js', '../third_party/WebKit/WebCore/inspector/front-end/ProfileView.js', '../third_party/WebKit/WebCore/inspector/front-end/PropertiesSection.js', '../third_party/WebKit/WebCore/inspector/front-end/PropertiesSidebarPane.js', '../third_party/WebKit/WebCore/inspector/front-end/Resource.js', '../third_party/WebKit/WebCore/inspector/front-end/ResourceCategory.js', '../third_party/WebKit/WebCore/inspector/front-end/ResourcesPanel.js', '../third_party/WebKit/WebCore/inspector/front-end/ResourceView.js', '../third_party/WebKit/WebCore/inspector/front-end/ScopeChainSidebarPane.js', '../third_party/WebKit/WebCore/inspector/front-end/Script.js', '../third_party/WebKit/WebCore/inspector/front-end/ScriptsPanel.js', '../third_party/WebKit/WebCore/inspector/front-end/ScriptView.js', '../third_party/WebKit/WebCore/inspector/front-end/SidebarPane.js', '../third_party/WebKit/WebCore/inspector/front-end/SidebarTreeElement.js', '../third_party/WebKit/WebCore/inspector/front-end/SourceFrame.js', '../third_party/WebKit/WebCore/inspector/front-end/SourceView.js', '../third_party/WebKit/WebCore/inspector/front-end/StylesSidebarPane.js', '../third_party/WebKit/WebCore/inspector/front-end/TextPrompt.js', '../third_party/WebKit/WebCore/inspector/front-end/TopDownProfileDataGridTree.js', '../third_party/WebKit/WebCore/inspector/front-end/treeoutline.js', '../third_party/WebKit/WebCore/inspector/front-end/utilities.js', '../third_party/WebKit/WebCore/inspector/front-end/View.js', '../v8/tools/codemap.js', '../v8/tools/consarray.js', '../v8/tools/csvparser.js', '../v8/tools/logreader.js', '../v8/tools/profile.js', '../v8/tools/profile_view.js', '../v8/tools/splaytree.js', ], }, { 'destination': '<(PRODUCT_DIR)/resources/inspector/Images', 'files': [ '../third_party/WebKit/WebCore/inspector/front-end/Images/back.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/checker.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/clearConsoleButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/closeButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/consoleButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/database.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/databasesIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/databaseTable.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/debuggerContinue.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/debuggerPause.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/debuggerStepInto.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/debuggerStepOut.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/debuggerStepOver.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallDown.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallDownBlack.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallDownWhite.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallRight.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallRightBlack.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallRightDown.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallRightDownBlack.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallRightDownWhite.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallRightWhite.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/dockButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/elementsIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/enableButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/errorIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/errorMediumIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/excludeButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/focusButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/forward.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/glossyHeader.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/glossyHeaderPressed.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/glossyHeaderSelected.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/glossyHeaderSelectedPressed.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/goArrow.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/graphLabelCalloutLeft.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/graphLabelCalloutRight.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/largerResourcesButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/nodeSearchButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/paneBottomGrow.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/paneBottomGrowActive.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/paneGrowHandleLine.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/pauseOnExceptionButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/percentButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/profileGroupIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/profileIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/profilesIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/profileSmallIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/profilesSilhouette.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/radioDot.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/recordButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/reloadButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourceCSSIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourceDocumentIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourceDocumentIconSmall.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourceJSIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourcePlainIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourcePlainIconSmall.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourcesIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourcesSilhouette.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourcesSizeGraphIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourcesTimeGraphIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/scriptsIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/scriptsSilhouette.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/searchSmallBlue.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/searchSmallBrightBlue.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/searchSmallGray.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/searchSmallWhite.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/segment.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/segmentEnd.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/segmentHover.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/segmentHoverEnd.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/segmentSelected.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/segmentSelectedEnd.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/splitviewDimple.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/splitviewDividerBackground.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarBackground.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarBottomBackground.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarMenuButton.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarMenuButtonSelected.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarResizerHorizontal.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarResizerVertical.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillBlue.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillGray.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillGreen.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillOrange.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillPurple.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillRed.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillYellow.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillBlue.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillGray.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillGreen.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillOrange.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillPurple.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillRed.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillYellow.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/tipBalloon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/tipBalloonBottom.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/tipIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/tipIconPressed.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/toolbarItemSelected.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/treeDownTriangleBlack.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/treeDownTriangleWhite.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/treeRightTriangleBlack.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/treeRightTriangleWhite.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/treeUpTriangleBlack.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/treeUpTriangleWhite.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/userInputIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/userInputPreviousIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/warningIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/warningMediumIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/warningsErrors.png', ], }, ], }, ], }
{'variables': {'feature_defines': ['ENABLE_CHANNEL_MESSAGING=1', 'ENABLE_DATABASE=1', 'ENABLE_DATAGRID=1', 'ENABLE_DASHBOARD_SUPPORT=0', 'ENABLE_JAVASCRIPT_DEBUGGER=0', 'ENABLE_JSC_MULTIPLE_THREADS=0', 'ENABLE_ICONDATABASE=0', 'ENABLE_XSLT=1', 'ENABLE_XPATH=1', 'ENABLE_SVG=1', 'ENABLE_SVG_ANIMATION=1', 'ENABLE_SVG_AS_IMAGE=1', 'ENABLE_SVG_USE=1', 'ENABLE_SVG_FOREIGN_OBJECT=1', 'ENABLE_SVG_FONTS=1', 'ENABLE_VIDEO=1', 'ENABLE_WORKERS=1'], 'non_feature_defines': ['BUILDING_CHROMIUM__=1', 'USE_GOOGLE_URL_LIBRARY=1', 'USE_SYSTEM_MALLOC=1'], 'webcore_include_dirs': ['../third_party/WebKit/WebCore/accessibility', '../third_party/WebKit/WebCore/accessibility/chromium', '../third_party/WebKit/WebCore/bindings/v8', '../third_party/WebKit/WebCore/bindings/v8/custom', '../third_party/WebKit/WebCore/css', '../third_party/WebKit/WebCore/dom', '../third_party/WebKit/WebCore/dom/default', '../third_party/WebKit/WebCore/editing', '../third_party/WebKit/WebCore/history', '../third_party/WebKit/WebCore/html', '../third_party/WebKit/WebCore/inspector', '../third_party/WebKit/WebCore/loader', '../third_party/WebKit/WebCore/loader/appcache', '../third_party/WebKit/WebCore/loader/archive', '../third_party/WebKit/WebCore/loader/icon', '../third_party/WebKit/WebCore/page', '../third_party/WebKit/WebCore/page/animation', '../third_party/WebKit/WebCore/page/chromium', '../third_party/WebKit/WebCore/platform', '../third_party/WebKit/WebCore/platform/animation', '../third_party/WebKit/WebCore/platform/chromium', '../third_party/WebKit/WebCore/platform/graphics', '../third_party/WebKit/WebCore/platform/graphics/chromium', '../third_party/WebKit/WebCore/platform/graphics/opentype', '../third_party/WebKit/WebCore/platform/graphics/skia', '../third_party/WebKit/WebCore/platform/graphics/transforms', '../third_party/WebKit/WebCore/platform/image-decoders', '../third_party/WebKit/WebCore/platform/image-decoders/bmp', '../third_party/WebKit/WebCore/platform/image-decoders/gif', '../third_party/WebKit/WebCore/platform/image-decoders/ico', '../third_party/WebKit/WebCore/platform/image-decoders/jpeg', '../third_party/WebKit/WebCore/platform/image-decoders/png', '../third_party/WebKit/WebCore/platform/image-decoders/skia', '../third_party/WebKit/WebCore/platform/image-decoders/xbm', '../third_party/WebKit/WebCore/platform/image-encoders/skia', '../third_party/WebKit/WebCore/platform/network', '../third_party/WebKit/WebCore/platform/network/chromium', '../third_party/WebKit/WebCore/platform/sql', '../third_party/WebKit/WebCore/platform/text', '../third_party/WebKit/WebCore/plugins', '../third_party/WebKit/WebCore/rendering', '../third_party/WebKit/WebCore/rendering/style', '../third_party/WebKit/WebCore/storage', '../third_party/WebKit/WebCore/svg', '../third_party/WebKit/WebCore/svg/animation', '../third_party/WebKit/WebCore/svg/graphics', '../third_party/WebKit/WebCore/workers', '../third_party/WebKit/WebCore/xml'], 'conditions': [['OS=="linux"', {'non_feature_defines': ['WEBCORE_NAVIGATOR_PLATFORM="Linux i686"']}], ['OS=="mac"', {'non_feature_defines': ['BUILDING_ON_LEOPARD', 'WEBCORE_NAVIGATOR_PLATFORM="MacIntel"'], 'webcore_include_dirs+': ['../third_party/WebKit/WebCore/platform/graphics/cg', '../third_party/WebKit/WebCore/platform/graphics/mac'], 'webcore_include_dirs': ['../third_party/WebKit/WebCore/loader/archive/cf', '../third_party/WebKit/WebCore/platform/mac', '../third_party/WebKit/WebCore/platform/text/mac']}], ['OS=="win"', {'non_feature_defines': ['CRASH=__debugbreak', 'WEBCORE_NAVIGATOR_PLATFORM="Win32"'], 'webcore_include_dirs': ['../third_party/WebKit/WebCore/page/win', '../third_party/WebKit/WebCore/platform/graphics/win', '../third_party/WebKit/WebCore/platform/text/win', '../third_party/WebKit/WebCore/platform/win']}]]}, 'includes': ['../build/common.gypi'], 'targets': [{'target_name': 'pull_in_test_shell', 'type': 'none', 'conditions': [['OS=="win"', {'dependencies': ['tools/test_shell/test_shell.gyp:*', 'activex_shim_dll/activex_shim_dll.gyp:*']}]]}, {'target_name': 'config', 'type': 'none', 'msvs_guid': '2E2D3301-2EC4-4C0F-B889-87073B30F673', 'actions': [{'action_name': 'config.h', 'inputs': ['config.h.in'], 'outputs': ['<(SHARED_INTERMEDIATE_DIR)/webkit/config.h'], 'action': ['python', 'build/action_jsconfig.py', 'v8', '<(SHARED_INTERMEDIATE_DIR)/webkit', '<@(_inputs)'], 'conditions': [['OS=="win"', {'inputs': ['../third_party/WebKit/WebCore/bridge/npapi.h', '../third_party/WebKit/WebCore/bridge/npruntime.h', '../third_party/WebKit/WebCore/bindings/v8/npruntime_priv.h', '../third_party/WebKit/JavaScriptCore/os-win32/stdint.h']}]]}], 'direct_dependent_settings': {'defines': ['<@(feature_defines)', '<@(non_feature_defines)'], 'include_dirs++': ['<(SHARED_INTERMEDIATE_DIR)/webkit']}, 'conditions': [['OS=="win"', {'dependencies': ['../build/win/system.gyp:cygwin'], 'direct_dependent_settings': {'defines': ['__STD_C', '_CRT_SECURE_NO_DEPRECATE', '_SCL_SECURE_NO_DEPRECATE'], 'include_dirs': ['../third_party/WebKit/JavaScriptCore/os-win32', 'build/JavaScriptCore']}}]]}, {'target_name': 'wtf', 'type': '<(library)', 'msvs_guid': 'AA8A5A85-592B-4357-BC60-E0E91E026AF6', 'dependencies': ['config', '../third_party/icu38/icu38.gyp:icui18n', '../third_party/icu38/icu38.gyp:icuuc'], 'include_dirs': ['../third_party/WebKit/JavaScriptCore', '../third_party/WebKit/JavaScriptCore/wtf', '../third_party/WebKit/JavaScriptCore/wtf/unicode'], 'sources': ['../third_party/WebKit/JavaScriptCore/wtf/chromium/ChromiumThreading.h', '../third_party/WebKit/JavaScriptCore/wtf/chromium/MainThreadChromium.cpp', '../third_party/WebKit/JavaScriptCore/wtf/gtk/MainThreadGtk.cpp', '../third_party/WebKit/JavaScriptCore/wtf/mac/MainThreadMac.mm', '../third_party/WebKit/JavaScriptCore/wtf/qt/MainThreadQt.cpp', '../third_party/WebKit/JavaScriptCore/wtf/unicode/icu/CollatorICU.cpp', '../third_party/WebKit/JavaScriptCore/wtf/unicode/icu/UnicodeIcu.h', '../third_party/WebKit/JavaScriptCore/wtf/unicode/qt4/UnicodeQt4.h', '../third_party/WebKit/JavaScriptCore/wtf/unicode/Collator.h', '../third_party/WebKit/JavaScriptCore/wtf/unicode/CollatorDefault.cpp', '../third_party/WebKit/JavaScriptCore/wtf/unicode/UTF8.cpp', '../third_party/WebKit/JavaScriptCore/wtf/unicode/UTF8.h', '../third_party/WebKit/JavaScriptCore/wtf/unicode/Unicode.h', '../third_party/WebKit/JavaScriptCore/wtf/win/MainThreadWin.cpp', '../third_party/WebKit/JavaScriptCore/wtf/wx/MainThreadWx.cpp', '../third_party/WebKit/JavaScriptCore/wtf/ASCIICType.h', '../third_party/WebKit/JavaScriptCore/wtf/AVLTree.h', '../third_party/WebKit/JavaScriptCore/wtf/AlwaysInline.h', '../third_party/WebKit/JavaScriptCore/wtf/Assertions.cpp', '../third_party/WebKit/JavaScriptCore/wtf/Assertions.h', '../third_party/WebKit/JavaScriptCore/wtf/ByteArray.cpp', '../third_party/WebKit/JavaScriptCore/wtf/ByteArray.h', '../third_party/WebKit/JavaScriptCore/wtf/CurrentTime.h', '../third_party/WebKit/JavaScriptCore/wtf/CrossThreadRefCounted.h', '../third_party/WebKit/JavaScriptCore/wtf/DateMath.cpp', '../third_party/WebKit/JavaScriptCore/wtf/DateMath.h', '../third_party/WebKit/JavaScriptCore/wtf/Deque.h', '../third_party/WebKit/JavaScriptCore/wtf/DisallowCType.h', '../third_party/WebKit/JavaScriptCore/wtf/FastMalloc.cpp', '../third_party/WebKit/JavaScriptCore/wtf/FastMalloc.h', '../third_party/WebKit/JavaScriptCore/wtf/Forward.h', '../third_party/WebKit/JavaScriptCore/wtf/GOwnPtr.cpp', '../third_party/WebKit/JavaScriptCore/wtf/GOwnPtr.h', '../third_party/WebKit/JavaScriptCore/wtf/GetPtr.h', '../third_party/WebKit/JavaScriptCore/wtf/HashCountedSet.h', '../third_party/WebKit/JavaScriptCore/wtf/HashFunctions.h', '../third_party/WebKit/JavaScriptCore/wtf/HashIterators.h', '../third_party/WebKit/JavaScriptCore/wtf/HashMap.h', '../third_party/WebKit/JavaScriptCore/wtf/HashSet.h', '../third_party/WebKit/JavaScriptCore/wtf/HashTable.cpp', '../third_party/WebKit/JavaScriptCore/wtf/HashTable.h', '../third_party/WebKit/JavaScriptCore/wtf/HashTraits.h', '../third_party/WebKit/JavaScriptCore/wtf/ListHashSet.h', '../third_party/WebKit/JavaScriptCore/wtf/ListRefPtr.h', '../third_party/WebKit/JavaScriptCore/wtf/Locker.h', '../third_party/WebKit/JavaScriptCore/wtf/MainThread.cpp', '../third_party/WebKit/JavaScriptCore/wtf/MainThread.h', '../third_party/WebKit/JavaScriptCore/wtf/MallocZoneSupport.h', '../third_party/WebKit/JavaScriptCore/wtf/MathExtras.h', '../third_party/WebKit/JavaScriptCore/wtf/MessageQueue.h', '../third_party/WebKit/JavaScriptCore/wtf/Noncopyable.h', '../third_party/WebKit/JavaScriptCore/wtf/NotFound.h', '../third_party/WebKit/JavaScriptCore/wtf/OwnArrayPtr.h', '../third_party/WebKit/JavaScriptCore/wtf/OwnPtr.h', '../third_party/WebKit/JavaScriptCore/wtf/OwnPtrCommon.h', '../third_party/WebKit/JavaScriptCore/wtf/OwnPtrWin.cpp', '../third_party/WebKit/JavaScriptCore/wtf/PassOwnPtr.h', '../third_party/WebKit/JavaScriptCore/wtf/PassRefPtr.h', '../third_party/WebKit/JavaScriptCore/wtf/Platform.h', '../third_party/WebKit/JavaScriptCore/wtf/PtrAndFlags.h', '../third_party/WebKit/JavaScriptCore/wtf/RandomNumber.cpp', '../third_party/WebKit/JavaScriptCore/wtf/RandomNumber.h', '../third_party/WebKit/JavaScriptCore/wtf/RandomNumberSeed.h', '../third_party/WebKit/JavaScriptCore/wtf/RefCounted.h', '../third_party/WebKit/JavaScriptCore/wtf/RefCountedLeakCounter.cpp', '../third_party/WebKit/JavaScriptCore/wtf/RefCountedLeakCounter.h', '../third_party/WebKit/JavaScriptCore/wtf/RefPtr.h', '../third_party/WebKit/JavaScriptCore/wtf/RefPtrHashMap.h', '../third_party/WebKit/JavaScriptCore/wtf/RetainPtr.h', '../third_party/WebKit/JavaScriptCore/wtf/StdLibExtras.h', '../third_party/WebKit/JavaScriptCore/wtf/StringExtras.h', '../third_party/WebKit/JavaScriptCore/wtf/TCPackedCache.h', '../third_party/WebKit/JavaScriptCore/wtf/TCPageMap.h', '../third_party/WebKit/JavaScriptCore/wtf/TCSpinLock.h', '../third_party/WebKit/JavaScriptCore/wtf/TCSystemAlloc.cpp', '../third_party/WebKit/JavaScriptCore/wtf/TCSystemAlloc.h', '../third_party/WebKit/JavaScriptCore/wtf/ThreadSpecific.h', '../third_party/WebKit/JavaScriptCore/wtf/ThreadSpecificWin.cpp', '../third_party/WebKit/JavaScriptCore/wtf/Threading.cpp', '../third_party/WebKit/JavaScriptCore/wtf/Threading.h', '../third_party/WebKit/JavaScriptCore/wtf/ThreadingGtk.cpp', '../third_party/WebKit/JavaScriptCore/wtf/ThreadingNone.cpp', '../third_party/WebKit/JavaScriptCore/wtf/ThreadingPthreads.cpp', '../third_party/WebKit/JavaScriptCore/wtf/ThreadingQt.cpp', '../third_party/WebKit/JavaScriptCore/wtf/ThreadingWin.cpp', '../third_party/WebKit/JavaScriptCore/wtf/TypeTraits.cpp', '../third_party/WebKit/JavaScriptCore/wtf/TypeTraits.h', '../third_party/WebKit/JavaScriptCore/wtf/UnusedParam.h', '../third_party/WebKit/JavaScriptCore/wtf/Vector.h', '../third_party/WebKit/JavaScriptCore/wtf/VectorTraits.h', '../third_party/WebKit/JavaScriptCore/wtf/dtoa.cpp', '../third_party/WebKit/JavaScriptCore/wtf/dtoa.h', 'build/precompiled_webkit.cc', 'build/precompiled_webkit.h'], 'sources!': ['../third_party/WebKit/JavaScriptCore/wtf/GOwnPtr.cpp'], 'sources/': [['exclude', '(Default|Gtk|Mac|None|Qt|Win|Wx)\\.(cpp|mm)$']], 'direct_dependent_settings': {'include_dirs': ['../third_party/WebKit/JavaScriptCore', '../third_party/WebKit/JavaScriptCore/wtf']}, 'export_dependent_settings': ['config', '../third_party/icu38/icu38.gyp:icui18n', '../third_party/icu38/icu38.gyp:icuuc'], 'configurations': {'Debug': {'msvs_precompiled_header': 'build/precompiled_webkit.h', 'msvs_precompiled_source': 'build/precompiled_webkit.cc'}}, 'msvs_disabled_warnings': [4127, 4355, 4510, 4512, 4610, 4706], 'conditions': [['OS=="win"', {'sources/': [['exclude', 'ThreadingPthreads\\.cpp$'], ['include', 'Thread(ing|Specific)Win\\.cpp$']], 'include_dirs': ['build', '../third_party/WebKit/JavaScriptCore/kjs', '../third_party/WebKit/JavaScriptCore/API', '../third_party/WebKit/JavaScriptCore/bindings', '../third_party/WebKit/JavaScriptCore/bindings/c', '../third_party/WebKit/JavaScriptCore/bindings/jni', 'pending', 'pending/wtf'], 'include_dirs!': ['<(SHARED_INTERMEDIATE_DIR)/webkit']}, {'sources!': ['build/precompiled_webkit.cc', 'build/precompiled_webkit.h']}], ['OS=="linux"', {'defines': ['WTF_USE_PTHREADS=1'], 'direct_dependent_settings': {'defines': ['WTF_USE_PTHREADS=1']}}]]}, {'target_name': 'pcre', 'type': '<(library)', 'dependencies': ['config', 'wtf'], 'msvs_guid': '49909552-0B0C-4C14-8CF6-DB8A2ADE0934', 'actions': [{'action_name': 'dftables', 'inputs': ['../third_party/WebKit/JavaScriptCore/pcre/dftables'], 'outputs': ['<(INTERMEDIATE_DIR)/chartables.c'], 'action': ['perl', '-w', '<@(_inputs)', '<@(_outputs)']}], 'include_dirs': ['<(INTERMEDIATE_DIR)'], 'sources': ['../third_party/WebKit/JavaScriptCore/pcre/pcre.h', '../third_party/WebKit/JavaScriptCore/pcre/pcre_compile.cpp', '../third_party/WebKit/JavaScriptCore/pcre/pcre_exec.cpp', '../third_party/WebKit/JavaScriptCore/pcre/pcre_internal.h', '../third_party/WebKit/JavaScriptCore/pcre/pcre_tables.cpp', '../third_party/WebKit/JavaScriptCore/pcre/pcre_ucp_searchfuncs.cpp', '../third_party/WebKit/JavaScriptCore/pcre/pcre_xclass.cpp', '../third_party/WebKit/JavaScriptCore/pcre/ucpinternal.h', '../third_party/WebKit/JavaScriptCore/pcre/ucptable.cpp'], 'sources!': ['../third_party/WebKit/JavaScriptCore/pcre/ucptable.cpp'], 'export_dependent_settings': ['wtf'], 'conditions': [['OS=="win"', {'dependencies': ['../build/win/system.gyp:cygwin']}]]}, {'target_name': 'webcore', 'type': '<(library)', 'msvs_guid': '1C16337B-ACF3-4D03-AA90-851C5B5EADA6', 'dependencies': ['config', 'pcre', 'wtf', '../build/temp_gyp/googleurl.gyp:googleurl', '../skia/skia.gyp:skia', '../third_party/libjpeg/libjpeg.gyp:libjpeg', '../third_party/libpng/libpng.gyp:libpng', '../third_party/libxml/libxml.gyp:libxml', '../third_party/libxslt/libxslt.gyp:libxslt', '../third_party/npapi/npapi.gyp:npapi', '../third_party/sqlite/sqlite.gyp:sqlite'], 'actions': [{'action_name': 'CSSPropertyNames', 'inputs': ['../third_party/WebKit/WebCore/css/makeprop.pl', '../third_party/WebKit/WebCore/css/CSSPropertyNames.in', '../third_party/WebKit/WebCore/css/SVGCSSPropertyNames.in'], 'outputs': ['<(INTERMEDIATE_DIR)/CSSPropertyNames.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/CSSPropertyNames.h'], 'action': ['python', 'build/action_csspropertynames.py', '<@(_outputs)', '--', '<@(_inputs)']}, {'action_name': 'CSSValueKeywords', 'inputs': ['../third_party/WebKit/WebCore/css/makevalues.pl', '../third_party/WebKit/WebCore/css/CSSValueKeywords.in', '../third_party/WebKit/WebCore/css/SVGCSSValueKeywords.in'], 'outputs': ['<(INTERMEDIATE_DIR)/CSSValueKeywords.c', '<(SHARED_INTERMEDIATE_DIR)/webkit/CSSValueKeywords.h'], 'action': ['python', 'build/action_cssvaluekeywords.py', '<@(_outputs)', '--', '<@(_inputs)']}, {'action_name': 'HTMLNames', 'inputs': ['../third_party/WebKit/WebCore/dom/make_names.pl', '../third_party/WebKit/WebCore/html/HTMLTagNames.in', '../third_party/WebKit/WebCore/html/HTMLAttributeNames.in'], 'outputs': ['<(INTERMEDIATE_DIR)/HTMLNames.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/HTMLNames.h', '<(INTERMEDIATE_DIR)/HTMLElementFactory.cpp'], 'action': ['python', 'build/action_makenames.py', '<@(_outputs)', '--', '<@(_inputs)', '--', '--factory', '--extraDefines', '<(feature_defines)'], 'process_outputs_as_sources': 1}, {'action_name': 'SVGNames', 'inputs': ['../third_party/WebKit/WebCore/dom/make_names.pl', '../third_party/WebKit/WebCore/svg/svgtags.in', '../third_party/WebKit/WebCore/svg/svgattrs.in'], 'outputs': ['<(INTERMEDIATE_DIR)/SVGNames.cpp', '<(INTERMEDIATE_DIR)/SVGNames.h', '<(INTERMEDIATE_DIR)/SVGElementFactory.cpp', '<(INTERMEDIATE_DIR)/SVGElementFactory.h'], 'action': ['python', 'build/action_makenames.py', '<@(_outputs)', '--', '<@(_inputs)', '--', '--factory', '--extraDefines', '<(feature_defines)'], 'process_outputs_as_sources': 1}, {'action_name': 'UserAgentStyleSheets', 'inputs': ['../third_party/WebKit/WebCore/css/make-css-file-arrays.pl', '../third_party/WebKit/WebCore/css/html.css', '../third_party/WebKit/WebCore/css/quirks.css', '../third_party/WebKit/WebCore/css/view-source.css', '../third_party/WebKit/WebCore/css/themeChromiumLinux.css', '../third_party/WebKit/WebCore/css/themeWin.css', '../third_party/WebKit/WebCore/css/themeWinQuirks.css', '../third_party/WebKit/WebCore/css/svg.css', '../third_party/WebKit/WebCore/css/mediaControls.css', '../third_party/WebKit/WebCore/css/mediaControlsChromium.css'], 'outputs': ['<(INTERMEDIATE_DIR)/UserAgentStyleSheets.h', '<(INTERMEDIATE_DIR)/UserAgentStyleSheetsData.cpp'], 'action': ['python', 'build/action_useragentstylesheets.py', '<@(_outputs)', '--', '<@(_inputs)'], 'process_outputs_as_sources': 1}, {'action_name': 'XLinkNames', 'inputs': ['../third_party/WebKit/WebCore/dom/make_names.pl', '../third_party/WebKit/WebCore/svg/xlinkattrs.in'], 'outputs': ['<(INTERMEDIATE_DIR)/XLinkNames.cpp', '<(INTERMEDIATE_DIR)/XLinkNames.h'], 'action': ['python', 'build/action_makenames.py', '<@(_outputs)', '--', '<@(_inputs)', '--', '--extraDefines', '<(feature_defines)'], 'process_outputs_as_sources': 1}, {'action_name': 'XMLNames', 'inputs': ['../third_party/WebKit/WebCore/dom/make_names.pl', '../third_party/WebKit/WebCore/xml/xmlattrs.in'], 'outputs': ['<(INTERMEDIATE_DIR)/XMLNames.cpp', '<(INTERMEDIATE_DIR)/XMLNames.h'], 'action': ['python', 'build/action_makenames.py', '<@(_outputs)', '--', '<@(_inputs)', '--', '--extraDefines', '<(feature_defines)'], 'process_outputs_as_sources': 1}, {'action_name': 'tokenizer', 'inputs': ['../third_party/WebKit/WebCore/css/maketokenizer', '../third_party/WebKit/WebCore/css/tokenizer.flex'], 'outputs': ['<(INTERMEDIATE_DIR)/tokenizer.cpp'], 'action': ['python', 'build/action_maketokenizer.py', '<@(_outputs)', '--', '<@(_inputs)']}], 'rules': [{'rule_name': 'bison', 'extension': 'y', 'outputs': ['<(INTERMEDIATE_DIR)/<(RULE_INPUT_ROOT).cpp', '<(INTERMEDIATE_DIR)/<(RULE_INPUT_ROOT).h'], 'action': ['python', 'build/rule_bison.py', '<(RULE_INPUT_PATH)', '<(INTERMEDIATE_DIR)'], 'process_outputs_as_sources': 1}, {'rule_name': 'gperf', 'extension': 'gperf', 'outputs': ['<(SHARED_INTERMEDIATE_DIR)/webkit/<(RULE_INPUT_ROOT).c', '<(SHARED_INTERMEDIATE_DIR)/webkit/<(RULE_INPUT_ROOT).cpp'], 'action': ['python', 'build/rule_gperf.py', '<(RULE_INPUT_PATH)', '<(SHARED_INTERMEDIATE_DIR)/webkit'], 'process_outputs_as_sources': 0}, {'rule_name': 'binding', 'extension': 'idl', 'msvs_external_rule': 1, 'inputs': ['../third_party/WebKit/WebCore/bindings/scripts/generate-bindings.pl', '../third_party/WebKit/WebCore/bindings/scripts/CodeGenerator.pm', '../third_party/WebKit/WebCore/bindings/scripts/CodeGeneratorV8.pm', '../third_party/WebKit/WebCore/bindings/scripts/IDLParser.pm', '../third_party/WebKit/WebCore/bindings/scripts/IDLStructure.pm'], 'outputs': ['<(INTERMEDIATE_DIR)/bindings/V8<(RULE_INPUT_ROOT).cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/bindings/V8<(RULE_INPUT_ROOT).h'], 'variables': {'generator_include_dirs': ['--include', '../third_party/WebKit/WebCore/css', '--include', '../third_party/WebKit/WebCore/dom', '--include', '../third_party/WebKit/WebCore/html', '--include', '../third_party/WebKit/WebCore/page', '--include', '../third_party/WebKit/WebCore/plugins', '--include', '../third_party/WebKit/WebCore/svg', '--include', '../third_party/WebKit/WebCore/xml']}, 'action': ['python', 'build/rule_binding.py', '<(RULE_INPUT_PATH)', '<(INTERMEDIATE_DIR)/bindings', '<(SHARED_INTERMEDIATE_DIR)/webkit/bindings', '--', '<@(_inputs)', '--', '--defines', '<(feature_defines) LANGUAGE_JAVASCRIPT V8_BINDING', '--generator', 'V8', '<@(generator_include_dirs)'], 'process_outputs_as_sources': 0, 'message': 'Generating binding from <(RULE_INPUT_PATH)'}], 'include_dirs': ['<(INTERMEDIATE_DIR)', '<(SHARED_INTERMEDIATE_DIR)/webkit', '<(SHARED_INTERMEDIATE_DIR)/webkit/bindings', 'port/bindings/v8', '<@(webcore_include_dirs)'], 'sources': ['../third_party/WebKit/WebCore/css/CSSGrammar.y', '../third_party/WebKit/WebCore/xml/XPathGrammar.y', '../third_party/WebKit/WebCore/html/DocTypeStrings.gperf', '../third_party/WebKit/WebCore/html/HTMLEntityNames.gperf', '../third_party/WebKit/WebCore/platform/ColorData.gperf', '../third_party/WebKit/WebCore/css/CSSCharsetRule.idl', '../third_party/WebKit/WebCore/css/CSSFontFaceRule.idl', '../third_party/WebKit/WebCore/css/CSSImportRule.idl', '../third_party/WebKit/WebCore/css/CSSMediaRule.idl', '../third_party/WebKit/WebCore/css/CSSPageRule.idl', '../third_party/WebKit/WebCore/css/CSSPrimitiveValue.idl', '../third_party/WebKit/WebCore/css/CSSRule.idl', '../third_party/WebKit/WebCore/css/CSSRuleList.idl', '../third_party/WebKit/WebCore/css/CSSStyleDeclaration.idl', '../third_party/WebKit/WebCore/css/CSSStyleRule.idl', '../third_party/WebKit/WebCore/css/CSSStyleSheet.idl', '../third_party/WebKit/WebCore/css/CSSUnknownRule.idl', '../third_party/WebKit/WebCore/css/CSSValue.idl', '../third_party/WebKit/WebCore/css/CSSValueList.idl', '../third_party/WebKit/WebCore/css/CSSVariablesDeclaration.idl', '../third_party/WebKit/WebCore/css/CSSVariablesRule.idl', '../third_party/WebKit/WebCore/css/Counter.idl', '../third_party/WebKit/WebCore/css/MediaList.idl', '../third_party/WebKit/WebCore/css/RGBColor.idl', '../third_party/WebKit/WebCore/css/Rect.idl', '../third_party/WebKit/WebCore/css/StyleSheet.idl', '../third_party/WebKit/WebCore/css/StyleSheetList.idl', '../third_party/WebKit/WebCore/css/WebKitCSSKeyframeRule.idl', '../third_party/WebKit/WebCore/css/WebKitCSSKeyframesRule.idl', '../third_party/WebKit/WebCore/css/WebKitCSSMatrix.idl', '../third_party/WebKit/WebCore/css/WebKitCSSTransformValue.idl', '../third_party/WebKit/WebCore/dom/Attr.idl', '../third_party/WebKit/WebCore/dom/CDATASection.idl', '../third_party/WebKit/WebCore/dom/CharacterData.idl', '../third_party/WebKit/WebCore/dom/ClientRect.idl', '../third_party/WebKit/WebCore/dom/ClientRectList.idl', '../third_party/WebKit/WebCore/dom/Clipboard.idl', '../third_party/WebKit/WebCore/dom/Comment.idl', '../third_party/WebKit/WebCore/dom/DOMCoreException.idl', '../third_party/WebKit/WebCore/dom/DOMImplementation.idl', '../third_party/WebKit/WebCore/dom/Document.idl', '../third_party/WebKit/WebCore/dom/DocumentFragment.idl', '../third_party/WebKit/WebCore/dom/DocumentType.idl', '../third_party/WebKit/WebCore/dom/Element.idl', '../third_party/WebKit/WebCore/dom/Entity.idl', '../third_party/WebKit/WebCore/dom/EntityReference.idl', '../third_party/WebKit/WebCore/dom/Event.idl', '../third_party/WebKit/WebCore/dom/EventException.idl', '../third_party/WebKit/WebCore/dom/EventListener.idl', '../third_party/WebKit/WebCore/dom/EventTarget.idl', '../third_party/WebKit/WebCore/dom/KeyboardEvent.idl', '../third_party/WebKit/WebCore/dom/MessageChannel.idl', '../third_party/WebKit/WebCore/dom/MessageEvent.idl', '../third_party/WebKit/WebCore/dom/MessagePort.idl', '../third_party/WebKit/WebCore/dom/MouseEvent.idl', '../third_party/WebKit/WebCore/dom/MutationEvent.idl', '../third_party/WebKit/WebCore/dom/NamedNodeMap.idl', '../third_party/WebKit/WebCore/dom/Node.idl', '../third_party/WebKit/WebCore/dom/NodeFilter.idl', '../third_party/WebKit/WebCore/dom/NodeIterator.idl', '../third_party/WebKit/WebCore/dom/NodeList.idl', '../third_party/WebKit/WebCore/dom/Notation.idl', '../third_party/WebKit/WebCore/dom/OverflowEvent.idl', '../third_party/WebKit/WebCore/dom/ProcessingInstruction.idl', '../third_party/WebKit/WebCore/dom/ProgressEvent.idl', '../third_party/WebKit/WebCore/dom/Range.idl', '../third_party/WebKit/WebCore/dom/RangeException.idl', '../third_party/WebKit/WebCore/dom/Text.idl', '../third_party/WebKit/WebCore/dom/TextEvent.idl', '../third_party/WebKit/WebCore/dom/TreeWalker.idl', '../third_party/WebKit/WebCore/dom/UIEvent.idl', '../third_party/WebKit/WebCore/dom/WebKitAnimationEvent.idl', '../third_party/WebKit/WebCore/dom/WebKitTransitionEvent.idl', '../third_party/WebKit/WebCore/dom/WheelEvent.idl', '../third_party/WebKit/WebCore/html/CanvasGradient.idl', '../third_party/WebKit/WebCore/html/CanvasPattern.idl', '../third_party/WebKit/WebCore/html/CanvasPixelArray.idl', '../third_party/WebKit/WebCore/html/CanvasRenderingContext2D.idl', '../third_party/WebKit/WebCore/html/DataGridColumn.idl', '../third_party/WebKit/WebCore/html/DataGridColumnList.idl', '../third_party/WebKit/WebCore/html/File.idl', '../third_party/WebKit/WebCore/html/FileList.idl', '../third_party/WebKit/WebCore/html/HTMLAnchorElement.idl', '../third_party/WebKit/WebCore/html/HTMLAppletElement.idl', '../third_party/WebKit/WebCore/html/HTMLAreaElement.idl', '../third_party/WebKit/WebCore/html/HTMLAudioElement.idl', '../third_party/WebKit/WebCore/html/HTMLBRElement.idl', '../third_party/WebKit/WebCore/html/HTMLBaseElement.idl', '../third_party/WebKit/WebCore/html/HTMLBaseFontElement.idl', '../third_party/WebKit/WebCore/html/HTMLBlockquoteElement.idl', '../third_party/WebKit/WebCore/html/HTMLBodyElement.idl', '../third_party/WebKit/WebCore/html/HTMLButtonElement.idl', '../third_party/WebKit/WebCore/html/HTMLCanvasElement.idl', '../third_party/WebKit/WebCore/html/HTMLCollection.idl', '../third_party/WebKit/WebCore/html/HTMLDListElement.idl', '../third_party/WebKit/WebCore/html/HTMLDataGridCellElement.idl', '../third_party/WebKit/WebCore/html/HTMLDataGridColElement.idl', '../third_party/WebKit/WebCore/html/HTMLDataGridElement.idl', '../third_party/WebKit/WebCore/html/HTMLDataGridRowElement.idl', '../third_party/WebKit/WebCore/html/HTMLDirectoryElement.idl', '../third_party/WebKit/WebCore/html/HTMLDivElement.idl', '../third_party/WebKit/WebCore/html/HTMLDocument.idl', '../third_party/WebKit/WebCore/html/HTMLElement.idl', '../third_party/WebKit/WebCore/html/HTMLEmbedElement.idl', '../third_party/WebKit/WebCore/html/HTMLFieldSetElement.idl', '../third_party/WebKit/WebCore/html/HTMLFontElement.idl', '../third_party/WebKit/WebCore/html/HTMLFormElement.idl', '../third_party/WebKit/WebCore/html/HTMLFrameElement.idl', '../third_party/WebKit/WebCore/html/HTMLFrameSetElement.idl', '../third_party/WebKit/WebCore/html/HTMLHRElement.idl', '../third_party/WebKit/WebCore/html/HTMLHeadElement.idl', '../third_party/WebKit/WebCore/html/HTMLHeadingElement.idl', '../third_party/WebKit/WebCore/html/HTMLHtmlElement.idl', '../third_party/WebKit/WebCore/html/HTMLIFrameElement.idl', '../third_party/WebKit/WebCore/html/HTMLImageElement.idl', '../third_party/WebKit/WebCore/html/HTMLInputElement.idl', '../third_party/WebKit/WebCore/html/HTMLIsIndexElement.idl', '../third_party/WebKit/WebCore/html/HTMLLIElement.idl', '../third_party/WebKit/WebCore/html/HTMLLabelElement.idl', '../third_party/WebKit/WebCore/html/HTMLLegendElement.idl', '../third_party/WebKit/WebCore/html/HTMLLinkElement.idl', '../third_party/WebKit/WebCore/html/HTMLMapElement.idl', '../third_party/WebKit/WebCore/html/HTMLMarqueeElement.idl', '../third_party/WebKit/WebCore/html/HTMLMediaElement.idl', '../third_party/WebKit/WebCore/html/HTMLMenuElement.idl', '../third_party/WebKit/WebCore/html/HTMLMetaElement.idl', '../third_party/WebKit/WebCore/html/HTMLModElement.idl', '../third_party/WebKit/WebCore/html/HTMLOListElement.idl', '../third_party/WebKit/WebCore/html/HTMLObjectElement.idl', '../third_party/WebKit/WebCore/html/HTMLOptGroupElement.idl', '../third_party/WebKit/WebCore/html/HTMLOptionElement.idl', '../third_party/WebKit/WebCore/html/HTMLOptionsCollection.idl', '../third_party/WebKit/WebCore/html/HTMLParagraphElement.idl', '../third_party/WebKit/WebCore/html/HTMLParamElement.idl', '../third_party/WebKit/WebCore/html/HTMLPreElement.idl', '../third_party/WebKit/WebCore/html/HTMLQuoteElement.idl', '../third_party/WebKit/WebCore/html/HTMLScriptElement.idl', '../third_party/WebKit/WebCore/html/HTMLSelectElement.idl', '../third_party/WebKit/WebCore/html/HTMLSourceElement.idl', '../third_party/WebKit/WebCore/html/HTMLStyleElement.idl', '../third_party/WebKit/WebCore/html/HTMLTableCaptionElement.idl', '../third_party/WebKit/WebCore/html/HTMLTableCellElement.idl', '../third_party/WebKit/WebCore/html/HTMLTableColElement.idl', '../third_party/WebKit/WebCore/html/HTMLTableElement.idl', '../third_party/WebKit/WebCore/html/HTMLTableRowElement.idl', '../third_party/WebKit/WebCore/html/HTMLTableSectionElement.idl', '../third_party/WebKit/WebCore/html/HTMLTextAreaElement.idl', '../third_party/WebKit/WebCore/html/HTMLTitleElement.idl', '../third_party/WebKit/WebCore/html/HTMLUListElement.idl', '../third_party/WebKit/WebCore/html/HTMLVideoElement.idl', '../third_party/WebKit/WebCore/html/ImageData.idl', '../third_party/WebKit/WebCore/html/MediaError.idl', '../third_party/WebKit/WebCore/html/TextMetrics.idl', '../third_party/WebKit/WebCore/html/TimeRanges.idl', '../third_party/WebKit/WebCore/html/VoidCallback.idl', '../third_party/WebKit/WebCore/inspector/InspectorController.idl', '../third_party/WebKit/WebCore/inspector/JavaScriptCallFrame.idl', '../third_party/WebKit/WebCore/loader/appcache/DOMApplicationCache.idl', '../third_party/WebKit/WebCore/page/AbstractView.idl', '../third_party/WebKit/WebCore/page/BarInfo.idl', '../third_party/WebKit/WebCore/page/Console.idl', '../third_party/WebKit/WebCore/page/DOMSelection.idl', '../third_party/WebKit/WebCore/page/DOMWindow.idl', '../third_party/WebKit/WebCore/page/Geolocation.idl', '../third_party/WebKit/WebCore/page/Geoposition.idl', '../third_party/WebKit/WebCore/page/History.idl', '../third_party/WebKit/WebCore/page/Location.idl', '../third_party/WebKit/WebCore/page/Navigator.idl', '../third_party/WebKit/WebCore/page/PositionCallback.idl', '../third_party/WebKit/WebCore/page/PositionError.idl', '../third_party/WebKit/WebCore/page/PositionErrorCallback.idl', '../third_party/WebKit/WebCore/page/Screen.idl', '../third_party/WebKit/WebCore/page/WebKitPoint.idl', '../third_party/WebKit/WebCore/page/WorkerNavigator.idl', '../third_party/WebKit/WebCore/plugins/MimeType.idl', '../third_party/WebKit/WebCore/plugins/MimeTypeArray.idl', '../third_party/WebKit/WebCore/plugins/Plugin.idl', '../third_party/WebKit/WebCore/plugins/PluginArray.idl', '../third_party/WebKit/WebCore/storage/Database.idl', '../third_party/WebKit/WebCore/storage/SQLError.idl', '../third_party/WebKit/WebCore/storage/SQLResultSet.idl', '../third_party/WebKit/WebCore/storage/SQLResultSetRowList.idl', '../third_party/WebKit/WebCore/storage/SQLTransaction.idl', '../third_party/WebKit/WebCore/storage/Storage.idl', '../third_party/WebKit/WebCore/storage/StorageEvent.idl', '../third_party/WebKit/WebCore/svg/ElementTimeControl.idl', '../third_party/WebKit/WebCore/svg/SVGAElement.idl', '../third_party/WebKit/WebCore/svg/SVGAltGlyphElement.idl', '../third_party/WebKit/WebCore/svg/SVGAngle.idl', '../third_party/WebKit/WebCore/svg/SVGAnimateColorElement.idl', '../third_party/WebKit/WebCore/svg/SVGAnimateElement.idl', '../third_party/WebKit/WebCore/svg/SVGAnimateTransformElement.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedAngle.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedBoolean.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedEnumeration.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedInteger.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedLength.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedLengthList.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedNumber.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedNumberList.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedPathData.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedPoints.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedPreserveAspectRatio.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedRect.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedString.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedTransformList.idl', '../third_party/WebKit/WebCore/svg/SVGAnimationElement.idl', '../third_party/WebKit/WebCore/svg/SVGCircleElement.idl', '../third_party/WebKit/WebCore/svg/SVGClipPathElement.idl', '../third_party/WebKit/WebCore/svg/SVGColor.idl', '../third_party/WebKit/WebCore/svg/SVGComponentTransferFunctionElement.idl', '../third_party/WebKit/WebCore/svg/SVGCursorElement.idl', '../third_party/WebKit/WebCore/svg/SVGDefinitionSrcElement.idl', '../third_party/WebKit/WebCore/svg/SVGDefsElement.idl', '../third_party/WebKit/WebCore/svg/SVGDescElement.idl', '../third_party/WebKit/WebCore/svg/SVGDocument.idl', '../third_party/WebKit/WebCore/svg/SVGElement.idl', '../third_party/WebKit/WebCore/svg/SVGElementInstance.idl', '../third_party/WebKit/WebCore/svg/SVGElementInstanceList.idl', '../third_party/WebKit/WebCore/svg/SVGEllipseElement.idl', '../third_party/WebKit/WebCore/svg/SVGException.idl', '../third_party/WebKit/WebCore/svg/SVGExternalResourcesRequired.idl', '../third_party/WebKit/WebCore/svg/SVGFEBlendElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEColorMatrixElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEComponentTransferElement.idl', '../third_party/WebKit/WebCore/svg/SVGFECompositeElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEDiffuseLightingElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEDisplacementMapElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEDistantLightElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEFloodElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEFuncAElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEFuncBElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEFuncGElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEFuncRElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEGaussianBlurElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEImageElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEMergeElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEMergeNodeElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEOffsetElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEPointLightElement.idl', '../third_party/WebKit/WebCore/svg/SVGFESpecularLightingElement.idl', '../third_party/WebKit/WebCore/svg/SVGFESpotLightElement.idl', '../third_party/WebKit/WebCore/svg/SVGFETileElement.idl', '../third_party/WebKit/WebCore/svg/SVGFETurbulenceElement.idl', '../third_party/WebKit/WebCore/svg/SVGFilterElement.idl', '../third_party/WebKit/WebCore/svg/SVGFilterPrimitiveStandardAttributes.idl', '../third_party/WebKit/WebCore/svg/SVGFitToViewBox.idl', '../third_party/WebKit/WebCore/svg/SVGFontElement.idl', '../third_party/WebKit/WebCore/svg/SVGFontFaceElement.idl', '../third_party/WebKit/WebCore/svg/SVGFontFaceFormatElement.idl', '../third_party/WebKit/WebCore/svg/SVGFontFaceNameElement.idl', '../third_party/WebKit/WebCore/svg/SVGFontFaceSrcElement.idl', '../third_party/WebKit/WebCore/svg/SVGFontFaceUriElement.idl', '../third_party/WebKit/WebCore/svg/SVGForeignObjectElement.idl', '../third_party/WebKit/WebCore/svg/SVGGElement.idl', '../third_party/WebKit/WebCore/svg/SVGGlyphElement.idl', '../third_party/WebKit/WebCore/svg/SVGGradientElement.idl', '../third_party/WebKit/WebCore/svg/SVGHKernElement.idl', '../third_party/WebKit/WebCore/svg/SVGImageElement.idl', '../third_party/WebKit/WebCore/svg/SVGLangSpace.idl', '../third_party/WebKit/WebCore/svg/SVGLength.idl', '../third_party/WebKit/WebCore/svg/SVGLengthList.idl', '../third_party/WebKit/WebCore/svg/SVGLineElement.idl', '../third_party/WebKit/WebCore/svg/SVGLinearGradientElement.idl', '../third_party/WebKit/WebCore/svg/SVGLocatable.idl', '../third_party/WebKit/WebCore/svg/SVGMarkerElement.idl', '../third_party/WebKit/WebCore/svg/SVGMaskElement.idl', '../third_party/WebKit/WebCore/svg/SVGMatrix.idl', '../third_party/WebKit/WebCore/svg/SVGMetadataElement.idl', '../third_party/WebKit/WebCore/svg/SVGMissingGlyphElement.idl', '../third_party/WebKit/WebCore/svg/SVGNumber.idl', '../third_party/WebKit/WebCore/svg/SVGNumberList.idl', '../third_party/WebKit/WebCore/svg/SVGPaint.idl', '../third_party/WebKit/WebCore/svg/SVGPathElement.idl', '../third_party/WebKit/WebCore/svg/SVGPathSeg.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegArcAbs.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegArcRel.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegClosePath.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubicAbs.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubicRel.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubicSmoothAbs.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubicSmoothRel.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadraticAbs.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadraticRel.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadraticSmoothAbs.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadraticSmoothRel.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoAbs.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoHorizontalAbs.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoHorizontalRel.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoRel.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoVerticalAbs.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoVerticalRel.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegList.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegMovetoAbs.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegMovetoRel.idl', '../third_party/WebKit/WebCore/svg/SVGPatternElement.idl', '../third_party/WebKit/WebCore/svg/SVGPoint.idl', '../third_party/WebKit/WebCore/svg/SVGPointList.idl', '../third_party/WebKit/WebCore/svg/SVGPolygonElement.idl', '../third_party/WebKit/WebCore/svg/SVGPolylineElement.idl', '../third_party/WebKit/WebCore/svg/SVGPreserveAspectRatio.idl', '../third_party/WebKit/WebCore/svg/SVGRadialGradientElement.idl', '../third_party/WebKit/WebCore/svg/SVGRect.idl', '../third_party/WebKit/WebCore/svg/SVGRectElement.idl', '../third_party/WebKit/WebCore/svg/SVGRenderingIntent.idl', '../third_party/WebKit/WebCore/svg/SVGSVGElement.idl', '../third_party/WebKit/WebCore/svg/SVGScriptElement.idl', '../third_party/WebKit/WebCore/svg/SVGSetElement.idl', '../third_party/WebKit/WebCore/svg/SVGStopElement.idl', '../third_party/WebKit/WebCore/svg/SVGStringList.idl', '../third_party/WebKit/WebCore/svg/SVGStylable.idl', '../third_party/WebKit/WebCore/svg/SVGStyleElement.idl', '../third_party/WebKit/WebCore/svg/SVGSwitchElement.idl', '../third_party/WebKit/WebCore/svg/SVGSymbolElement.idl', '../third_party/WebKit/WebCore/svg/SVGTRefElement.idl', '../third_party/WebKit/WebCore/svg/SVGTSpanElement.idl', '../third_party/WebKit/WebCore/svg/SVGTests.idl', '../third_party/WebKit/WebCore/svg/SVGTextContentElement.idl', '../third_party/WebKit/WebCore/svg/SVGTextElement.idl', '../third_party/WebKit/WebCore/svg/SVGTextPathElement.idl', '../third_party/WebKit/WebCore/svg/SVGTextPositioningElement.idl', '../third_party/WebKit/WebCore/svg/SVGTitleElement.idl', '../third_party/WebKit/WebCore/svg/SVGTransform.idl', '../third_party/WebKit/WebCore/svg/SVGTransformList.idl', '../third_party/WebKit/WebCore/svg/SVGTransformable.idl', '../third_party/WebKit/WebCore/svg/SVGURIReference.idl', '../third_party/WebKit/WebCore/svg/SVGUnitTypes.idl', '../third_party/WebKit/WebCore/svg/SVGUseElement.idl', '../third_party/WebKit/WebCore/svg/SVGViewElement.idl', '../third_party/WebKit/WebCore/svg/SVGViewSpec.idl', '../third_party/WebKit/WebCore/svg/SVGZoomAndPan.idl', '../third_party/WebKit/WebCore/svg/SVGZoomEvent.idl', '../third_party/WebKit/WebCore/workers/Worker.idl', '../third_party/WebKit/WebCore/workers/WorkerContext.idl', '../third_party/WebKit/WebCore/workers/WorkerLocation.idl', '../third_party/WebKit/WebCore/xml/DOMParser.idl', '../third_party/WebKit/WebCore/xml/XMLHttpRequest.idl', '../third_party/WebKit/WebCore/xml/XMLHttpRequestException.idl', '../third_party/WebKit/WebCore/xml/XMLHttpRequestProgressEvent.idl', '../third_party/WebKit/WebCore/xml/XMLHttpRequestUpload.idl', '../third_party/WebKit/WebCore/xml/XMLSerializer.idl', '../third_party/WebKit/WebCore/xml/XPathEvaluator.idl', '../third_party/WebKit/WebCore/xml/XPathException.idl', '../third_party/WebKit/WebCore/xml/XPathExpression.idl', '../third_party/WebKit/WebCore/xml/XPathNSResolver.idl', '../third_party/WebKit/WebCore/xml/XPathResult.idl', '../third_party/WebKit/WebCore/xml/XSLTProcessor.idl', 'port/bindings/v8/UndetectableHTMLCollection.idl', '../third_party/WebKit/WebCore/bindings/v8/DerivedSourcesAllInOne.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8AttrCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CanvasPixelArrayCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CanvasRenderingContext2DCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8ClientRectListCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8ClipboardCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CSSStyleDeclarationCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomBinding.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomBinding.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomEventListener.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomEventListener.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLStatementCallback.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLStatementCallback.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLStatementErrorCallback.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLStatementErrorCallback.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLTransactionCallback.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLTransactionCallback.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLTransactionErrorCallback.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLTransactionErrorCallback.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomVoidCallback.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomVoidCallback.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomXPathNSResolver.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomXPathNSResolver.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8DatabaseCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8DocumentLocationCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8DOMParserConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8DOMWindowCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8DocumentCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8ElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8EventCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLAudioElementConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLCanvasElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLCollectionCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLDataGridElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLDocumentCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLFormElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLFrameElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLFrameSetElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLIFrameElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLImageElementConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLInputElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLOptionElementConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLOptionsCollectionCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLPlugInElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLSelectElementCollectionCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLSelectElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLSelectElementCustom.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8InspectorControllerCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8LocationCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8MessageChannelConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8MessagePortCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8NamedNodeMapCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8NamedNodesCollection.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8NamedNodesCollection.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8NavigatorCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8NodeCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8NodeFilterCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8NodeIteratorCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8NodeListCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8SQLResultSetRowListCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8SQLTransactionCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8SVGElementInstanceCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8SVGLengthCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8SVGMatrixCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8StyleSheetListCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8TreeWalkerCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8WebKitCSSMatrixConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8WebKitPointConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8WorkerContextCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8WorkerCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8XMLHttpRequestConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8XMLHttpRequestCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8XMLHttpRequestUploadCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8XMLSerializerConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8XPathEvaluatorConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8XSLTProcessorCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/DOMObjectsInclude.h', '../third_party/WebKit/WebCore/bindings/v8/ScheduledAction.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScheduledAction.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptCachedFrameData.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptCallFrame.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptCallFrame.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptCallStack.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptCallStack.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptController.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptController.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptEventListener.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptEventListener.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptFunctionCall.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptFunctionCall.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptInstance.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptInstance.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptObject.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptObject.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptObjectQuarantine.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptObjectQuarantine.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptScope.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptScope.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptSourceCode.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptState.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptState.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptString.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptValue.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptValue.h', '../third_party/WebKit/WebCore/bindings/v8/V8AbstractEventListener.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8AbstractEventListener.h', '../third_party/WebKit/WebCore/bindings/v8/V8Binding.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8Binding.h', '../third_party/WebKit/WebCore/bindings/v8/V8Collection.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8Collection.h', '../third_party/WebKit/WebCore/bindings/v8/V8DOMMap.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8DOMMap.h', '../third_party/WebKit/WebCore/bindings/v8/V8DOMWrapper.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8DOMWrapper.h', '../third_party/WebKit/WebCore/bindings/v8/V8EventListenerList.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8EventListenerList.h', '../third_party/WebKit/WebCore/bindings/v8/V8GCController.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8GCController.h', '../third_party/WebKit/WebCore/bindings/v8/V8Helpers.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8Helpers.h', '../third_party/WebKit/WebCore/bindings/v8/V8Index.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8Index.h', '../third_party/WebKit/WebCore/bindings/v8/V8IsolatedWorld.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8IsolatedWorld.h', '../third_party/WebKit/WebCore/bindings/v8/V8LazyEventListener.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8LazyEventListener.h', '../third_party/WebKit/WebCore/bindings/v8/V8NodeFilterCondition.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8NodeFilterCondition.h', '../third_party/WebKit/WebCore/bindings/v8/V8ObjectEventListener.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8ObjectEventListener.h', '../third_party/WebKit/WebCore/bindings/v8/V8Proxy.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8Proxy.h', '../third_party/WebKit/WebCore/bindings/v8/V8SVGPODTypeWrapper.h', '../third_party/WebKit/WebCore/bindings/v8/V8Utilities.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8Utilities.h', '../third_party/WebKit/WebCore/bindings/v8/V8WorkerContextEventListener.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8WorkerContextEventListener.h', '../third_party/WebKit/WebCore/bindings/v8/V8WorkerContextObjectEventListener.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8WorkerContextObjectEventListener.h', '../third_party/WebKit/WebCore/bindings/v8/WorkerContextExecutionProxy.h', '../third_party/WebKit/WebCore/bindings/v8/WorkerContextExecutionProxy.cpp', '../third_party/WebKit/WebCore/bindings/v8/WorkerScriptController.h', '../third_party/WebKit/WebCore/bindings/v8/WorkerScriptController.cpp', '../third_party/WebKit/WebCore/bindings/v8/npruntime.cpp', '../third_party/WebKit/WebCore/bindings/v8/npruntime_impl.h', '../third_party/WebKit/WebCore/bindings/v8/npruntime_internal.h', '../third_party/WebKit/WebCore/bindings/v8/npruntime_priv.h', 'extensions/v8/gc_extension.cc', 'extensions/v8/gc_extension.h', 'extensions/v8/gears_extension.cc', 'extensions/v8/gears_extension.h', 'extensions/v8/interval_extension.cc', 'extensions/v8/interval_extension.h', 'extensions/v8/playback_extension.cc', 'extensions/v8/playback_extension.h', 'extensions/v8/profiler_extension.cc', 'extensions/v8/profiler_extension.h', 'extensions/v8/benchmarking_extension.cc', 'extensions/v8/benchmarking_extension.h', 'port/bindings/v8/RGBColor.cpp', 'port/bindings/v8/RGBColor.h', 'port/bindings/v8/NPV8Object.cpp', 'port/bindings/v8/NPV8Object.h', 'port/bindings/v8/V8NPUtils.cpp', 'port/bindings/v8/V8NPUtils.h', 'port/bindings/v8/V8NPObject.cpp', 'port/bindings/v8/V8NPObject.h', '../third_party/WebKit/WebCore/accessibility/AXObjectCache.cpp', '../third_party/WebKit/WebCore/accessibility/AXObjectCache.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityARIAGrid.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityARIAGrid.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityARIAGridCell.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityARIAGridCell.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityARIAGridRow.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityARIAGridRow.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityImageMapLink.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityImageMapLink.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityList.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityList.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityListBox.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityListBox.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityListBoxOption.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityListBoxOption.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityObject.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityObject.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityRenderObject.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityRenderObject.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityTable.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityTable.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityTableCell.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityTableCell.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityTableColumn.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityTableColumn.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityTableHeaderContainer.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityTableHeaderContainer.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityTableRow.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityTableRow.h', '../third_party/WebKit/WebCore/accessibility/chromium/AXObjectCacheChromium.cpp', '../third_party/WebKit/WebCore/accessibility/chromium/AccessibilityObjectChromium.cpp', '../third_party/WebKit/WebCore/accessibility/chromium/AccessibilityObjectWrapper.h', '../third_party/WebKit/WebCore/accessibility/gtk/AXObjectCacheAtk.cpp', '../third_party/WebKit/WebCore/accessibility/gtk/AccessibilityObjectAtk.cpp', '../third_party/WebKit/WebCore/accessibility/gtk/AccessibilityObjectWrapperAtk.cpp', '../third_party/WebKit/WebCore/accessibility/gtk/AccessibilityObjectWrapperAtk.h', '../third_party/WebKit/WebCore/accessibility/qt/AccessibilityObjectQt.cpp', '../third_party/WebKit/WebCore/accessibility/mac/AXObjectCacheMac.mm', '../third_party/WebKit/WebCore/accessibility/mac/AccessibilityObjectMac.mm', '../third_party/WebKit/WebCore/accessibility/mac/AccessibilityObjectWrapper.h', '../third_party/WebKit/WebCore/accessibility/mac/AccessibilityObjectWrapper.mm', '../third_party/WebKit/WebCore/accessibility/win/AXObjectCacheWin.cpp', '../third_party/WebKit/WebCore/accessibility/win/AccessibilityObjectWin.cpp', '../third_party/WebKit/WebCore/accessibility/win/AccessibilityObjectWrapperWin.h', '../third_party/WebKit/WebCore/accessibility/wx/AccessibilityObjectWx.cpp', '../third_party/WebKit/WebCore/css/CSSBorderImageValue.cpp', '../third_party/WebKit/WebCore/css/CSSBorderImageValue.h', '../third_party/WebKit/WebCore/css/CSSCanvasValue.cpp', '../third_party/WebKit/WebCore/css/CSSCanvasValue.h', '../third_party/WebKit/WebCore/css/CSSCharsetRule.cpp', '../third_party/WebKit/WebCore/css/CSSCharsetRule.h', '../third_party/WebKit/WebCore/css/CSSComputedStyleDeclaration.cpp', '../third_party/WebKit/WebCore/css/CSSComputedStyleDeclaration.h', '../third_party/WebKit/WebCore/css/CSSCursorImageValue.cpp', '../third_party/WebKit/WebCore/css/CSSCursorImageValue.h', '../third_party/WebKit/WebCore/css/CSSFontFace.cpp', '../third_party/WebKit/WebCore/css/CSSFontFace.h', '../third_party/WebKit/WebCore/css/CSSFontFaceRule.cpp', '../third_party/WebKit/WebCore/css/CSSFontFaceRule.h', '../third_party/WebKit/WebCore/css/CSSFontFaceSource.cpp', '../third_party/WebKit/WebCore/css/CSSFontFaceSource.h', '../third_party/WebKit/WebCore/css/CSSFontFaceSrcValue.cpp', '../third_party/WebKit/WebCore/css/CSSFontFaceSrcValue.h', '../third_party/WebKit/WebCore/css/CSSFontSelector.cpp', '../third_party/WebKit/WebCore/css/CSSFontSelector.h', '../third_party/WebKit/WebCore/css/CSSFunctionValue.cpp', '../third_party/WebKit/WebCore/css/CSSFunctionValue.h', '../third_party/WebKit/WebCore/css/CSSGradientValue.cpp', '../third_party/WebKit/WebCore/css/CSSGradientValue.h', '../third_party/WebKit/WebCore/css/CSSHelper.cpp', '../third_party/WebKit/WebCore/css/CSSHelper.h', '../third_party/WebKit/WebCore/css/CSSImageGeneratorValue.cpp', '../third_party/WebKit/WebCore/css/CSSImageGeneratorValue.h', '../third_party/WebKit/WebCore/css/CSSImageValue.cpp', '../third_party/WebKit/WebCore/css/CSSImageValue.h', '../third_party/WebKit/WebCore/css/CSSImportRule.cpp', '../third_party/WebKit/WebCore/css/CSSImportRule.h', '../third_party/WebKit/WebCore/css/CSSInheritedValue.cpp', '../third_party/WebKit/WebCore/css/CSSInheritedValue.h', '../third_party/WebKit/WebCore/css/CSSInitialValue.cpp', '../third_party/WebKit/WebCore/css/CSSInitialValue.h', '../third_party/WebKit/WebCore/css/CSSMediaRule.cpp', '../third_party/WebKit/WebCore/css/CSSMediaRule.h', '../third_party/WebKit/WebCore/css/CSSMutableStyleDeclaration.cpp', '../third_party/WebKit/WebCore/css/CSSMutableStyleDeclaration.h', '../third_party/WebKit/WebCore/css/CSSNamespace.h', '../third_party/WebKit/WebCore/css/CSSPageRule.cpp', '../third_party/WebKit/WebCore/css/CSSPageRule.h', '../third_party/WebKit/WebCore/css/CSSParser.cpp', '../third_party/WebKit/WebCore/css/CSSParser.h', '../third_party/WebKit/WebCore/css/CSSParserValues.cpp', '../third_party/WebKit/WebCore/css/CSSParserValues.h', '../third_party/WebKit/WebCore/css/CSSPrimitiveValue.cpp', '../third_party/WebKit/WebCore/css/CSSPrimitiveValue.h', '../third_party/WebKit/WebCore/css/CSSPrimitiveValueMappings.h', '../third_party/WebKit/WebCore/css/CSSProperty.cpp', '../third_party/WebKit/WebCore/css/CSSProperty.h', '../third_party/WebKit/WebCore/css/CSSPropertyLonghand.cpp', '../third_party/WebKit/WebCore/css/CSSPropertyLonghand.h', '../third_party/WebKit/WebCore/css/CSSQuirkPrimitiveValue.h', '../third_party/WebKit/WebCore/css/CSSReflectValue.cpp', '../third_party/WebKit/WebCore/css/CSSReflectValue.h', '../third_party/WebKit/WebCore/css/CSSReflectionDirection.h', '../third_party/WebKit/WebCore/css/CSSRule.cpp', '../third_party/WebKit/WebCore/css/CSSRule.h', '../third_party/WebKit/WebCore/css/CSSRuleList.cpp', '../third_party/WebKit/WebCore/css/CSSRuleList.h', '../third_party/WebKit/WebCore/css/CSSSegmentedFontFace.cpp', '../third_party/WebKit/WebCore/css/CSSSegmentedFontFace.h', '../third_party/WebKit/WebCore/css/CSSSelector.cpp', '../third_party/WebKit/WebCore/css/CSSSelector.h', '../third_party/WebKit/WebCore/css/CSSSelectorList.cpp', '../third_party/WebKit/WebCore/css/CSSSelectorList.h', '../third_party/WebKit/WebCore/css/CSSStyleDeclaration.cpp', '../third_party/WebKit/WebCore/css/CSSStyleDeclaration.h', '../third_party/WebKit/WebCore/css/CSSStyleRule.cpp', '../third_party/WebKit/WebCore/css/CSSStyleRule.h', '../third_party/WebKit/WebCore/css/CSSStyleSelector.cpp', '../third_party/WebKit/WebCore/css/CSSStyleSelector.h', '../third_party/WebKit/WebCore/css/CSSStyleSheet.cpp', '../third_party/WebKit/WebCore/css/CSSStyleSheet.h', '../third_party/WebKit/WebCore/css/CSSTimingFunctionValue.cpp', '../third_party/WebKit/WebCore/css/CSSTimingFunctionValue.h', '../third_party/WebKit/WebCore/css/CSSUnicodeRangeValue.cpp', '../third_party/WebKit/WebCore/css/CSSUnicodeRangeValue.h', '../third_party/WebKit/WebCore/css/CSSUnknownRule.h', '../third_party/WebKit/WebCore/css/CSSValue.h', '../third_party/WebKit/WebCore/css/CSSValueList.cpp', '../third_party/WebKit/WebCore/css/CSSValueList.h', '../third_party/WebKit/WebCore/css/CSSVariableDependentValue.cpp', '../third_party/WebKit/WebCore/css/CSSVariableDependentValue.h', '../third_party/WebKit/WebCore/css/CSSVariablesDeclaration.cpp', '../third_party/WebKit/WebCore/css/CSSVariablesDeclaration.h', '../third_party/WebKit/WebCore/css/CSSVariablesRule.cpp', '../third_party/WebKit/WebCore/css/CSSVariablesRule.h', '../third_party/WebKit/WebCore/css/Counter.h', '../third_party/WebKit/WebCore/css/DashboardRegion.h', '../third_party/WebKit/WebCore/css/FontFamilyValue.cpp', '../third_party/WebKit/WebCore/css/FontFamilyValue.h', '../third_party/WebKit/WebCore/css/FontValue.cpp', '../third_party/WebKit/WebCore/css/FontValue.h', '../third_party/WebKit/WebCore/css/MediaFeatureNames.cpp', '../third_party/WebKit/WebCore/css/MediaFeatureNames.h', '../third_party/WebKit/WebCore/css/MediaList.cpp', '../third_party/WebKit/WebCore/css/MediaList.h', '../third_party/WebKit/WebCore/css/MediaQuery.cpp', '../third_party/WebKit/WebCore/css/MediaQuery.h', '../third_party/WebKit/WebCore/css/MediaQueryEvaluator.cpp', '../third_party/WebKit/WebCore/css/MediaQueryEvaluator.h', '../third_party/WebKit/WebCore/css/MediaQueryExp.cpp', '../third_party/WebKit/WebCore/css/MediaQueryExp.h', '../third_party/WebKit/WebCore/css/Pair.h', '../third_party/WebKit/WebCore/css/Rect.h', '../third_party/WebKit/WebCore/css/SVGCSSComputedStyleDeclaration.cpp', '../third_party/WebKit/WebCore/css/SVGCSSParser.cpp', '../third_party/WebKit/WebCore/css/SVGCSSStyleSelector.cpp', '../third_party/WebKit/WebCore/css/ShadowValue.cpp', '../third_party/WebKit/WebCore/css/ShadowValue.h', '../third_party/WebKit/WebCore/css/StyleBase.cpp', '../third_party/WebKit/WebCore/css/StyleBase.h', '../third_party/WebKit/WebCore/css/StyleList.cpp', '../third_party/WebKit/WebCore/css/StyleList.h', '../third_party/WebKit/WebCore/css/StyleSheet.cpp', '../third_party/WebKit/WebCore/css/StyleSheet.h', '../third_party/WebKit/WebCore/css/StyleSheetList.cpp', '../third_party/WebKit/WebCore/css/StyleSheetList.h', '../third_party/WebKit/WebCore/css/WebKitCSSKeyframeRule.cpp', '../third_party/WebKit/WebCore/css/WebKitCSSKeyframeRule.h', '../third_party/WebKit/WebCore/css/WebKitCSSKeyframesRule.cpp', '../third_party/WebKit/WebCore/css/WebKitCSSKeyframesRule.h', '../third_party/WebKit/WebCore/css/WebKitCSSMatrix.cpp', '../third_party/WebKit/WebCore/css/WebKitCSSMatrix.h', '../third_party/WebKit/WebCore/css/WebKitCSSTransformValue.cpp', '../third_party/WebKit/WebCore/css/WebKitCSSTransformValue.h', '../third_party/WebKit/WebCore/dom/default/PlatformMessagePortChannel.cpp', '../third_party/WebKit/WebCore/dom/default/PlatformMessagePortChannel.h', '../third_party/WebKit/WebCore/dom/ActiveDOMObject.cpp', '../third_party/WebKit/WebCore/dom/ActiveDOMObject.h', '../third_party/WebKit/WebCore/dom/Attr.cpp', '../third_party/WebKit/WebCore/dom/Attr.h', '../third_party/WebKit/WebCore/dom/Attribute.cpp', '../third_party/WebKit/WebCore/dom/Attribute.h', '../third_party/WebKit/WebCore/dom/BeforeTextInsertedEvent.cpp', '../third_party/WebKit/WebCore/dom/BeforeTextInsertedEvent.h', '../third_party/WebKit/WebCore/dom/BeforeUnloadEvent.cpp', '../third_party/WebKit/WebCore/dom/BeforeUnloadEvent.h', '../third_party/WebKit/WebCore/dom/CDATASection.cpp', '../third_party/WebKit/WebCore/dom/CDATASection.h', '../third_party/WebKit/WebCore/dom/CSSMappedAttributeDeclaration.cpp', '../third_party/WebKit/WebCore/dom/CSSMappedAttributeDeclaration.h', '../third_party/WebKit/WebCore/dom/CharacterData.cpp', '../third_party/WebKit/WebCore/dom/CharacterData.h', '../third_party/WebKit/WebCore/dom/CheckedRadioButtons.cpp', '../third_party/WebKit/WebCore/dom/CheckedRadioButtons.h', '../third_party/WebKit/WebCore/dom/ChildNodeList.cpp', '../third_party/WebKit/WebCore/dom/ChildNodeList.h', '../third_party/WebKit/WebCore/dom/ClassNames.cpp', '../third_party/WebKit/WebCore/dom/ClassNames.h', '../third_party/WebKit/WebCore/dom/ClassNodeList.cpp', '../third_party/WebKit/WebCore/dom/ClassNodeList.h', '../third_party/WebKit/WebCore/dom/ClientRect.cpp', '../third_party/WebKit/WebCore/dom/ClientRect.h', '../third_party/WebKit/WebCore/dom/ClientRectList.cpp', '../third_party/WebKit/WebCore/dom/ClientRectList.h', '../third_party/WebKit/WebCore/dom/Clipboard.cpp', '../third_party/WebKit/WebCore/dom/Clipboard.h', '../third_party/WebKit/WebCore/dom/ClipboardAccessPolicy.h', '../third_party/WebKit/WebCore/dom/ClipboardEvent.cpp', '../third_party/WebKit/WebCore/dom/ClipboardEvent.h', '../third_party/WebKit/WebCore/dom/Comment.cpp', '../third_party/WebKit/WebCore/dom/Comment.h', '../third_party/WebKit/WebCore/dom/ContainerNode.cpp', '../third_party/WebKit/WebCore/dom/ContainerNode.h', '../third_party/WebKit/WebCore/dom/ContainerNodeAlgorithms.h', '../third_party/WebKit/WebCore/dom/DOMCoreException.h', '../third_party/WebKit/WebCore/dom/DOMImplementation.cpp', '../third_party/WebKit/WebCore/dom/DOMImplementation.h', '../third_party/WebKit/WebCore/dom/DocPtr.h', '../third_party/WebKit/WebCore/dom/Document.cpp', '../third_party/WebKit/WebCore/dom/Document.h', '../third_party/WebKit/WebCore/dom/DocumentFragment.cpp', '../third_party/WebKit/WebCore/dom/DocumentFragment.h', '../third_party/WebKit/WebCore/dom/DocumentMarker.h', '../third_party/WebKit/WebCore/dom/DocumentType.cpp', '../third_party/WebKit/WebCore/dom/DocumentType.h', '../third_party/WebKit/WebCore/dom/DynamicNodeList.cpp', '../third_party/WebKit/WebCore/dom/DynamicNodeList.h', '../third_party/WebKit/WebCore/dom/EditingText.cpp', '../third_party/WebKit/WebCore/dom/EditingText.h', '../third_party/WebKit/WebCore/dom/Element.cpp', '../third_party/WebKit/WebCore/dom/Element.h', '../third_party/WebKit/WebCore/dom/ElementRareData.h', '../third_party/WebKit/WebCore/dom/Entity.cpp', '../third_party/WebKit/WebCore/dom/Entity.h', '../third_party/WebKit/WebCore/dom/EntityReference.cpp', '../third_party/WebKit/WebCore/dom/EntityReference.h', '../third_party/WebKit/WebCore/dom/Event.cpp', '../third_party/WebKit/WebCore/dom/Event.h', '../third_party/WebKit/WebCore/dom/EventException.h', '../third_party/WebKit/WebCore/dom/EventListener.h', '../third_party/WebKit/WebCore/dom/EventNames.cpp', '../third_party/WebKit/WebCore/dom/EventNames.h', '../third_party/WebKit/WebCore/dom/EventTarget.cpp', '../third_party/WebKit/WebCore/dom/EventTarget.h', '../third_party/WebKit/WebCore/dom/ExceptionBase.cpp', '../third_party/WebKit/WebCore/dom/ExceptionBase.h', '../third_party/WebKit/WebCore/dom/ExceptionCode.cpp', '../third_party/WebKit/WebCore/dom/ExceptionCode.h', '../third_party/WebKit/WebCore/dom/InputElement.cpp', '../third_party/WebKit/WebCore/dom/InputElement.h', '../third_party/WebKit/WebCore/dom/KeyboardEvent.cpp', '../third_party/WebKit/WebCore/dom/KeyboardEvent.h', '../third_party/WebKit/WebCore/dom/MappedAttribute.cpp', '../third_party/WebKit/WebCore/dom/MappedAttribute.h', '../third_party/WebKit/WebCore/dom/MappedAttributeEntry.h', '../third_party/WebKit/WebCore/dom/MessageChannel.cpp', '../third_party/WebKit/WebCore/dom/MessageChannel.h', '../third_party/WebKit/WebCore/dom/MessageEvent.cpp', '../third_party/WebKit/WebCore/dom/MessageEvent.h', '../third_party/WebKit/WebCore/dom/MessagePort.cpp', '../third_party/WebKit/WebCore/dom/MessagePort.h', '../third_party/WebKit/WebCore/dom/MessagePortChannel.cpp', '../third_party/WebKit/WebCore/dom/MessagePortChannel.h', '../third_party/WebKit/WebCore/dom/MouseEvent.cpp', '../third_party/WebKit/WebCore/dom/MouseEvent.h', '../third_party/WebKit/WebCore/dom/MouseRelatedEvent.cpp', '../third_party/WebKit/WebCore/dom/MouseRelatedEvent.h', '../third_party/WebKit/WebCore/dom/MutationEvent.cpp', '../third_party/WebKit/WebCore/dom/MutationEvent.h', '../third_party/WebKit/WebCore/dom/NameNodeList.cpp', '../third_party/WebKit/WebCore/dom/NameNodeList.h', '../third_party/WebKit/WebCore/dom/NamedAttrMap.cpp', '../third_party/WebKit/WebCore/dom/NamedAttrMap.h', '../third_party/WebKit/WebCore/dom/NamedMappedAttrMap.cpp', '../third_party/WebKit/WebCore/dom/NamedMappedAttrMap.h', '../third_party/WebKit/WebCore/dom/NamedNodeMap.h', '../third_party/WebKit/WebCore/dom/Node.cpp', '../third_party/WebKit/WebCore/dom/Node.h', '../third_party/WebKit/WebCore/dom/NodeFilter.cpp', '../third_party/WebKit/WebCore/dom/NodeFilter.h', '../third_party/WebKit/WebCore/dom/NodeFilterCondition.cpp', '../third_party/WebKit/WebCore/dom/NodeFilterCondition.h', '../third_party/WebKit/WebCore/dom/NodeIterator.cpp', '../third_party/WebKit/WebCore/dom/NodeIterator.h', '../third_party/WebKit/WebCore/dom/NodeList.h', '../third_party/WebKit/WebCore/dom/NodeRareData.h', '../third_party/WebKit/WebCore/dom/NodeRenderStyle.h', '../third_party/WebKit/WebCore/dom/NodeWithIndex.h', '../third_party/WebKit/WebCore/dom/Notation.cpp', '../third_party/WebKit/WebCore/dom/Notation.h', '../third_party/WebKit/WebCore/dom/OptionElement.cpp', '../third_party/WebKit/WebCore/dom/OptionElement.h', '../third_party/WebKit/WebCore/dom/OptionGroupElement.cpp', '../third_party/WebKit/WebCore/dom/OptionGroupElement.h', '../third_party/WebKit/WebCore/dom/OverflowEvent.cpp', '../third_party/WebKit/WebCore/dom/OverflowEvent.h', '../third_party/WebKit/WebCore/dom/Position.cpp', '../third_party/WebKit/WebCore/dom/Position.h', '../third_party/WebKit/WebCore/dom/PositionIterator.cpp', '../third_party/WebKit/WebCore/dom/PositionIterator.h', '../third_party/WebKit/WebCore/dom/ProcessingInstruction.cpp', '../third_party/WebKit/WebCore/dom/ProcessingInstruction.h', '../third_party/WebKit/WebCore/dom/ProgressEvent.cpp', '../third_party/WebKit/WebCore/dom/ProgressEvent.h', '../third_party/WebKit/WebCore/dom/QualifiedName.cpp', '../third_party/WebKit/WebCore/dom/QualifiedName.h', '../third_party/WebKit/WebCore/dom/Range.cpp', '../third_party/WebKit/WebCore/dom/Range.h', '../third_party/WebKit/WebCore/dom/RangeBoundaryPoint.h', '../third_party/WebKit/WebCore/dom/RangeException.h', '../third_party/WebKit/WebCore/dom/RegisteredEventListener.cpp', '../third_party/WebKit/WebCore/dom/RegisteredEventListener.h', '../third_party/WebKit/WebCore/dom/ScriptElement.cpp', '../third_party/WebKit/WebCore/dom/ScriptElement.h', '../third_party/WebKit/WebCore/dom/ScriptExecutionContext.cpp', '../third_party/WebKit/WebCore/dom/ScriptExecutionContext.h', '../third_party/WebKit/WebCore/dom/SelectElement.cpp', '../third_party/WebKit/WebCore/dom/SelectElement.h', '../third_party/WebKit/WebCore/dom/SelectorNodeList.cpp', '../third_party/WebKit/WebCore/dom/SelectorNodeList.h', '../third_party/WebKit/WebCore/dom/StaticNodeList.cpp', '../third_party/WebKit/WebCore/dom/StaticNodeList.h', '../third_party/WebKit/WebCore/dom/StaticStringList.cpp', '../third_party/WebKit/WebCore/dom/StaticStringList.h', '../third_party/WebKit/WebCore/dom/StyleElement.cpp', '../third_party/WebKit/WebCore/dom/StyleElement.h', '../third_party/WebKit/WebCore/dom/StyledElement.cpp', '../third_party/WebKit/WebCore/dom/StyledElement.h', '../third_party/WebKit/WebCore/dom/TagNodeList.cpp', '../third_party/WebKit/WebCore/dom/TagNodeList.h', '../third_party/WebKit/WebCore/dom/Text.cpp', '../third_party/WebKit/WebCore/dom/Text.h', '../third_party/WebKit/WebCore/dom/TextEvent.cpp', '../third_party/WebKit/WebCore/dom/TextEvent.h', '../third_party/WebKit/WebCore/dom/Tokenizer.h', '../third_party/WebKit/WebCore/dom/Traversal.cpp', '../third_party/WebKit/WebCore/dom/Traversal.h', '../third_party/WebKit/WebCore/dom/TreeWalker.cpp', '../third_party/WebKit/WebCore/dom/TreeWalker.h', '../third_party/WebKit/WebCore/dom/UIEvent.cpp', '../third_party/WebKit/WebCore/dom/UIEvent.h', '../third_party/WebKit/WebCore/dom/UIEventWithKeyState.cpp', '../third_party/WebKit/WebCore/dom/UIEventWithKeyState.h', '../third_party/WebKit/WebCore/dom/WebKitAnimationEvent.cpp', '../third_party/WebKit/WebCore/dom/WebKitAnimationEvent.h', '../third_party/WebKit/WebCore/dom/WebKitTransitionEvent.cpp', '../third_party/WebKit/WebCore/dom/WebKitTransitionEvent.h', '../third_party/WebKit/WebCore/dom/WheelEvent.cpp', '../third_party/WebKit/WebCore/dom/WheelEvent.h', '../third_party/WebKit/WebCore/dom/XMLTokenizer.cpp', '../third_party/WebKit/WebCore/dom/XMLTokenizer.h', '../third_party/WebKit/WebCore/dom/XMLTokenizerLibxml2.cpp', '../third_party/WebKit/WebCore/dom/XMLTokenizerScope.cpp', '../third_party/WebKit/WebCore/dom/XMLTokenizerScope.h', '../third_party/WebKit/WebCore/dom/XMLTokenizerQt.cpp', '../third_party/WebKit/WebCore/editing/android/EditorAndroid.cpp', '../third_party/WebKit/WebCore/editing/chromium/EditorChromium.cpp', '../third_party/WebKit/WebCore/editing/mac/EditorMac.mm', '../third_party/WebKit/WebCore/editing/mac/SelectionControllerMac.mm', '../third_party/WebKit/WebCore/editing/qt/EditorQt.cpp', '../third_party/WebKit/WebCore/editing/wx/EditorWx.cpp', '../third_party/WebKit/WebCore/editing/AppendNodeCommand.cpp', '../third_party/WebKit/WebCore/editing/AppendNodeCommand.h', '../third_party/WebKit/WebCore/editing/ApplyStyleCommand.cpp', '../third_party/WebKit/WebCore/editing/ApplyStyleCommand.h', '../third_party/WebKit/WebCore/editing/BreakBlockquoteCommand.cpp', '../third_party/WebKit/WebCore/editing/BreakBlockquoteCommand.h', '../third_party/WebKit/WebCore/editing/CompositeEditCommand.cpp', '../third_party/WebKit/WebCore/editing/CompositeEditCommand.h', '../third_party/WebKit/WebCore/editing/CreateLinkCommand.cpp', '../third_party/WebKit/WebCore/editing/CreateLinkCommand.h', '../third_party/WebKit/WebCore/editing/DeleteButton.cpp', '../third_party/WebKit/WebCore/editing/DeleteButton.h', '../third_party/WebKit/WebCore/editing/DeleteButtonController.cpp', '../third_party/WebKit/WebCore/editing/DeleteButtonController.h', '../third_party/WebKit/WebCore/editing/DeleteFromTextNodeCommand.cpp', '../third_party/WebKit/WebCore/editing/DeleteFromTextNodeCommand.h', '../third_party/WebKit/WebCore/editing/DeleteSelectionCommand.cpp', '../third_party/WebKit/WebCore/editing/DeleteSelectionCommand.h', '../third_party/WebKit/WebCore/editing/EditAction.h', '../third_party/WebKit/WebCore/editing/EditCommand.cpp', '../third_party/WebKit/WebCore/editing/EditCommand.h', '../third_party/WebKit/WebCore/editing/Editor.cpp', '../third_party/WebKit/WebCore/editing/Editor.h', '../third_party/WebKit/WebCore/editing/EditorCommand.cpp', '../third_party/WebKit/WebCore/editing/EditorDeleteAction.h', '../third_party/WebKit/WebCore/editing/EditorInsertAction.h', '../third_party/WebKit/WebCore/editing/FormatBlockCommand.cpp', '../third_party/WebKit/WebCore/editing/FormatBlockCommand.h', '../third_party/WebKit/WebCore/editing/HTMLInterchange.cpp', '../third_party/WebKit/WebCore/editing/HTMLInterchange.h', '../third_party/WebKit/WebCore/editing/IndentOutdentCommand.cpp', '../third_party/WebKit/WebCore/editing/IndentOutdentCommand.h', '../third_party/WebKit/WebCore/editing/InsertIntoTextNodeCommand.cpp', '../third_party/WebKit/WebCore/editing/InsertIntoTextNodeCommand.h', '../third_party/WebKit/WebCore/editing/InsertLineBreakCommand.cpp', '../third_party/WebKit/WebCore/editing/InsertLineBreakCommand.h', '../third_party/WebKit/WebCore/editing/InsertListCommand.cpp', '../third_party/WebKit/WebCore/editing/InsertListCommand.h', '../third_party/WebKit/WebCore/editing/InsertNodeBeforeCommand.cpp', '../third_party/WebKit/WebCore/editing/InsertNodeBeforeCommand.h', '../third_party/WebKit/WebCore/editing/InsertParagraphSeparatorCommand.cpp', '../third_party/WebKit/WebCore/editing/InsertParagraphSeparatorCommand.h', '../third_party/WebKit/WebCore/editing/InsertTextCommand.cpp', '../third_party/WebKit/WebCore/editing/InsertTextCommand.h', '../third_party/WebKit/WebCore/editing/JoinTextNodesCommand.cpp', '../third_party/WebKit/WebCore/editing/JoinTextNodesCommand.h', '../third_party/WebKit/WebCore/editing/MergeIdenticalElementsCommand.cpp', '../third_party/WebKit/WebCore/editing/MergeIdenticalElementsCommand.h', '../third_party/WebKit/WebCore/editing/ModifySelectionListLevel.cpp', '../third_party/WebKit/WebCore/editing/ModifySelectionListLevel.h', '../third_party/WebKit/WebCore/editing/MoveSelectionCommand.cpp', '../third_party/WebKit/WebCore/editing/MoveSelectionCommand.h', '../third_party/WebKit/WebCore/editing/RemoveCSSPropertyCommand.cpp', '../third_party/WebKit/WebCore/editing/RemoveCSSPropertyCommand.h', '../third_party/WebKit/WebCore/editing/RemoveFormatCommand.cpp', '../third_party/WebKit/WebCore/editing/RemoveFormatCommand.h', '../third_party/WebKit/WebCore/editing/RemoveNodeCommand.cpp', '../third_party/WebKit/WebCore/editing/RemoveNodeCommand.h', '../third_party/WebKit/WebCore/editing/RemoveNodePreservingChildrenCommand.cpp', '../third_party/WebKit/WebCore/editing/RemoveNodePreservingChildrenCommand.h', '../third_party/WebKit/WebCore/editing/ReplaceNodeWithSpanCommand.cpp', '../third_party/WebKit/WebCore/editing/ReplaceNodeWithSpanCommand.h', '../third_party/WebKit/WebCore/editing/ReplaceSelectionCommand.cpp', '../third_party/WebKit/WebCore/editing/ReplaceSelectionCommand.h', '../third_party/WebKit/WebCore/editing/SelectionController.cpp', '../third_party/WebKit/WebCore/editing/SelectionController.h', '../third_party/WebKit/WebCore/editing/SetNodeAttributeCommand.cpp', '../third_party/WebKit/WebCore/editing/SetNodeAttributeCommand.h', '../third_party/WebKit/WebCore/editing/SmartReplace.cpp', '../third_party/WebKit/WebCore/editing/SmartReplace.h', '../third_party/WebKit/WebCore/editing/SmartReplaceCF.cpp', '../third_party/WebKit/WebCore/editing/SmartReplaceICU.cpp', '../third_party/WebKit/WebCore/editing/SplitElementCommand.cpp', '../third_party/WebKit/WebCore/editing/SplitElementCommand.h', '../third_party/WebKit/WebCore/editing/SplitTextNodeCommand.cpp', '../third_party/WebKit/WebCore/editing/SplitTextNodeCommand.h', '../third_party/WebKit/WebCore/editing/SplitTextNodeContainingElementCommand.cpp', '../third_party/WebKit/WebCore/editing/SplitTextNodeContainingElementCommand.h', '../third_party/WebKit/WebCore/editing/TextAffinity.h', '../third_party/WebKit/WebCore/editing/TextGranularity.h', '../third_party/WebKit/WebCore/editing/TextIterator.cpp', '../third_party/WebKit/WebCore/editing/TextIterator.h', '../third_party/WebKit/WebCore/editing/TypingCommand.cpp', '../third_party/WebKit/WebCore/editing/TypingCommand.h', '../third_party/WebKit/WebCore/editing/UnlinkCommand.cpp', '../third_party/WebKit/WebCore/editing/UnlinkCommand.h', '../third_party/WebKit/WebCore/editing/VisiblePosition.cpp', '../third_party/WebKit/WebCore/editing/VisiblePosition.h', '../third_party/WebKit/WebCore/editing/VisibleSelection.cpp', '../third_party/WebKit/WebCore/editing/VisibleSelection.h', '../third_party/WebKit/WebCore/editing/WrapContentsInDummySpanCommand.cpp', '../third_party/WebKit/WebCore/editing/WrapContentsInDummySpanCommand.h', '../third_party/WebKit/WebCore/editing/htmlediting.cpp', '../third_party/WebKit/WebCore/editing/htmlediting.h', '../third_party/WebKit/WebCore/editing/markup.cpp', '../third_party/WebKit/WebCore/editing/markup.h', '../third_party/WebKit/WebCore/editing/visible_units.cpp', '../third_party/WebKit/WebCore/editing/visible_units.h', '../third_party/WebKit/WebCore/history/mac/HistoryItemMac.mm', '../third_party/WebKit/WebCore/history/BackForwardList.cpp', '../third_party/WebKit/WebCore/history/BackForwardList.h', '../third_party/WebKit/WebCore/history/BackForwardListChromium.cpp', '../third_party/WebKit/WebCore/history/CachedFrame.cpp', '../third_party/WebKit/WebCore/history/CachedFrame.h', '../third_party/WebKit/WebCore/history/CachedFramePlatformData.h', '../third_party/WebKit/WebCore/history/CachedPage.cpp', '../third_party/WebKit/WebCore/history/CachedPage.h', '../third_party/WebKit/WebCore/history/HistoryItem.cpp', '../third_party/WebKit/WebCore/history/HistoryItem.h', '../third_party/WebKit/WebCore/history/PageCache.cpp', '../third_party/WebKit/WebCore/history/PageCache.h', '../third_party/WebKit/WebCore/html/CanvasGradient.cpp', '../third_party/WebKit/WebCore/html/CanvasGradient.h', '../third_party/WebKit/WebCore/html/CanvasPattern.cpp', '../third_party/WebKit/WebCore/html/CanvasPattern.h', '../third_party/WebKit/WebCore/html/CanvasPixelArray.cpp', '../third_party/WebKit/WebCore/html/CanvasPixelArray.h', '../third_party/WebKit/WebCore/html/CanvasRenderingContext2D.cpp', '../third_party/WebKit/WebCore/html/CanvasRenderingContext2D.h', '../third_party/WebKit/WebCore/html/CanvasStyle.cpp', '../third_party/WebKit/WebCore/html/CanvasStyle.h', '../third_party/WebKit/WebCore/html/CollectionCache.cpp', '../third_party/WebKit/WebCore/html/CollectionCache.h', '../third_party/WebKit/WebCore/html/CollectionType.h', '../third_party/WebKit/WebCore/html/DataGridColumn.cpp', '../third_party/WebKit/WebCore/html/DataGridColumn.h', '../third_party/WebKit/WebCore/html/DOMDataGridDataSource.cpp', '../third_party/WebKit/WebCore/html/DOMDataGridDataSource.h', '../third_party/WebKit/WebCore/html/DataGridColumnList.cpp', '../third_party/WebKit/WebCore/html/DataGridColumnList.h', '../third_party/WebKit/WebCore/html/File.cpp', '../third_party/WebKit/WebCore/html/File.h', '../third_party/WebKit/WebCore/html/FileList.cpp', '../third_party/WebKit/WebCore/html/FileList.h', '../third_party/WebKit/WebCore/html/FormDataList.cpp', '../third_party/WebKit/WebCore/html/FormDataList.h', '../third_party/WebKit/WebCore/html/HTMLAnchorElement.cpp', '../third_party/WebKit/WebCore/html/HTMLAnchorElement.h', '../third_party/WebKit/WebCore/html/HTMLAppletElement.cpp', '../third_party/WebKit/WebCore/html/HTMLAppletElement.h', '../third_party/WebKit/WebCore/html/HTMLAreaElement.cpp', '../third_party/WebKit/WebCore/html/HTMLAreaElement.h', '../third_party/WebKit/WebCore/html/HTMLAudioElement.cpp', '../third_party/WebKit/WebCore/html/HTMLAudioElement.h', '../third_party/WebKit/WebCore/html/HTMLBRElement.cpp', '../third_party/WebKit/WebCore/html/HTMLBRElement.h', '../third_party/WebKit/WebCore/html/HTMLBaseElement.cpp', '../third_party/WebKit/WebCore/html/HTMLBaseElement.h', '../third_party/WebKit/WebCore/html/HTMLBaseFontElement.cpp', '../third_party/WebKit/WebCore/html/HTMLBaseFontElement.h', '../third_party/WebKit/WebCore/html/HTMLBlockquoteElement.cpp', '../third_party/WebKit/WebCore/html/HTMLBlockquoteElement.h', '../third_party/WebKit/WebCore/html/HTMLBodyElement.cpp', '../third_party/WebKit/WebCore/html/HTMLBodyElement.h', '../third_party/WebKit/WebCore/html/HTMLButtonElement.cpp', '../third_party/WebKit/WebCore/html/HTMLButtonElement.h', '../third_party/WebKit/WebCore/html/HTMLCanvasElement.cpp', '../third_party/WebKit/WebCore/html/HTMLCanvasElement.h', '../third_party/WebKit/WebCore/html/HTMLCollection.cpp', '../third_party/WebKit/WebCore/html/HTMLCollection.h', '../third_party/WebKit/WebCore/html/HTMLDListElement.cpp', '../third_party/WebKit/WebCore/html/HTMLDListElement.h', '../third_party/WebKit/WebCore/html/HTMLDataGridCellElement.cpp', '../third_party/WebKit/WebCore/html/HTMLDataGridCellElement.h', '../third_party/WebKit/WebCore/html/HTMLDataGridColElement.cpp', '../third_party/WebKit/WebCore/html/HTMLDataGridColElement.h', '../third_party/WebKit/WebCore/html/HTMLDataGridElement.cpp', '../third_party/WebKit/WebCore/html/HTMLDataGridElement.h', '../third_party/WebKit/WebCore/html/HTMLDataGridRowElement.cpp', '../third_party/WebKit/WebCore/html/HTMLDataGridRowElement.h', '../third_party/WebKit/WebCore/html/HTMLDirectoryElement.cpp', '../third_party/WebKit/WebCore/html/HTMLDirectoryElement.h', '../third_party/WebKit/WebCore/html/HTMLDivElement.cpp', '../third_party/WebKit/WebCore/html/HTMLDivElement.h', '../third_party/WebKit/WebCore/html/HTMLDocument.cpp', '../third_party/WebKit/WebCore/html/HTMLDocument.h', '../third_party/WebKit/WebCore/html/HTMLElement.cpp', '../third_party/WebKit/WebCore/html/HTMLElement.h', '../third_party/WebKit/WebCore/html/HTMLEmbedElement.cpp', '../third_party/WebKit/WebCore/html/HTMLEmbedElement.h', '../third_party/WebKit/WebCore/html/HTMLFieldSetElement.cpp', '../third_party/WebKit/WebCore/html/HTMLFieldSetElement.h', '../third_party/WebKit/WebCore/html/HTMLFontElement.cpp', '../third_party/WebKit/WebCore/html/HTMLFontElement.h', '../third_party/WebKit/WebCore/html/HTMLFormCollection.cpp', '../third_party/WebKit/WebCore/html/HTMLFormCollection.h', '../third_party/WebKit/WebCore/html/HTMLFormControlElement.cpp', '../third_party/WebKit/WebCore/html/HTMLFormControlElement.h', '../third_party/WebKit/WebCore/html/HTMLFormElement.cpp', '../third_party/WebKit/WebCore/html/HTMLFormElement.h', '../third_party/WebKit/WebCore/html/HTMLFrameElement.cpp', '../third_party/WebKit/WebCore/html/HTMLFrameElement.h', '../third_party/WebKit/WebCore/html/HTMLFrameElementBase.cpp', '../third_party/WebKit/WebCore/html/HTMLFrameElementBase.h', '../third_party/WebKit/WebCore/html/HTMLFrameOwnerElement.cpp', '../third_party/WebKit/WebCore/html/HTMLFrameOwnerElement.h', '../third_party/WebKit/WebCore/html/HTMLFrameSetElement.cpp', '../third_party/WebKit/WebCore/html/HTMLFrameSetElement.h', '../third_party/WebKit/WebCore/html/HTMLHRElement.cpp', '../third_party/WebKit/WebCore/html/HTMLHRElement.h', '../third_party/WebKit/WebCore/html/HTMLHeadElement.cpp', '../third_party/WebKit/WebCore/html/HTMLHeadElement.h', '../third_party/WebKit/WebCore/html/HTMLHeadingElement.cpp', '../third_party/WebKit/WebCore/html/HTMLHeadingElement.h', '../third_party/WebKit/WebCore/html/HTMLHtmlElement.cpp', '../third_party/WebKit/WebCore/html/HTMLHtmlElement.h', '../third_party/WebKit/WebCore/html/HTMLIFrameElement.cpp', '../third_party/WebKit/WebCore/html/HTMLIFrameElement.h', '../third_party/WebKit/WebCore/html/HTMLImageElement.cpp', '../third_party/WebKit/WebCore/html/HTMLImageElement.h', '../third_party/WebKit/WebCore/html/HTMLImageLoader.cpp', '../third_party/WebKit/WebCore/html/HTMLImageLoader.h', '../third_party/WebKit/WebCore/html/HTMLInputElement.cpp', '../third_party/WebKit/WebCore/html/HTMLInputElement.h', '../third_party/WebKit/WebCore/html/HTMLIsIndexElement.cpp', '../third_party/WebKit/WebCore/html/HTMLIsIndexElement.h', '../third_party/WebKit/WebCore/html/HTMLKeygenElement.cpp', '../third_party/WebKit/WebCore/html/HTMLKeygenElement.h', '../third_party/WebKit/WebCore/html/HTMLLIElement.cpp', '../third_party/WebKit/WebCore/html/HTMLLIElement.h', '../third_party/WebKit/WebCore/html/HTMLLabelElement.cpp', '../third_party/WebKit/WebCore/html/HTMLLabelElement.h', '../third_party/WebKit/WebCore/html/HTMLLegendElement.cpp', '../third_party/WebKit/WebCore/html/HTMLLegendElement.h', '../third_party/WebKit/WebCore/html/HTMLLinkElement.cpp', '../third_party/WebKit/WebCore/html/HTMLLinkElement.h', '../third_party/WebKit/WebCore/html/HTMLMapElement.cpp', '../third_party/WebKit/WebCore/html/HTMLMapElement.h', '../third_party/WebKit/WebCore/html/HTMLMarqueeElement.cpp', '../third_party/WebKit/WebCore/html/HTMLMarqueeElement.h', '../third_party/WebKit/WebCore/html/HTMLMediaElement.cpp', '../third_party/WebKit/WebCore/html/HTMLMediaElement.h', '../third_party/WebKit/WebCore/html/HTMLMenuElement.cpp', '../third_party/WebKit/WebCore/html/HTMLMenuElement.h', '../third_party/WebKit/WebCore/html/HTMLMetaElement.cpp', '../third_party/WebKit/WebCore/html/HTMLMetaElement.h', '../third_party/WebKit/WebCore/html/HTMLModElement.cpp', '../third_party/WebKit/WebCore/html/HTMLModElement.h', '../third_party/WebKit/WebCore/html/HTMLNameCollection.cpp', '../third_party/WebKit/WebCore/html/HTMLNameCollection.h', '../third_party/WebKit/WebCore/html/HTMLOListElement.cpp', '../third_party/WebKit/WebCore/html/HTMLOListElement.h', '../third_party/WebKit/WebCore/html/HTMLObjectElement.cpp', '../third_party/WebKit/WebCore/html/HTMLObjectElement.h', '../third_party/WebKit/WebCore/html/HTMLOptGroupElement.cpp', '../third_party/WebKit/WebCore/html/HTMLOptGroupElement.h', '../third_party/WebKit/WebCore/html/HTMLOptionElement.cpp', '../third_party/WebKit/WebCore/html/HTMLOptionElement.h', '../third_party/WebKit/WebCore/html/HTMLOptionsCollection.cpp', '../third_party/WebKit/WebCore/html/HTMLOptionsCollection.h', '../third_party/WebKit/WebCore/html/HTMLParagraphElement.cpp', '../third_party/WebKit/WebCore/html/HTMLParagraphElement.h', '../third_party/WebKit/WebCore/html/HTMLParamElement.cpp', '../third_party/WebKit/WebCore/html/HTMLParamElement.h', '../third_party/WebKit/WebCore/html/HTMLParser.cpp', '../third_party/WebKit/WebCore/html/HTMLParser.h', '../third_party/WebKit/WebCore/html/HTMLParserErrorCodes.cpp', '../third_party/WebKit/WebCore/html/HTMLParserErrorCodes.h', '../third_party/WebKit/WebCore/html/HTMLPlugInElement.cpp', '../third_party/WebKit/WebCore/html/HTMLPlugInElement.h', '../third_party/WebKit/WebCore/html/HTMLPlugInImageElement.cpp', '../third_party/WebKit/WebCore/html/HTMLPlugInImageElement.h', '../third_party/WebKit/WebCore/html/HTMLPreElement.cpp', '../third_party/WebKit/WebCore/html/HTMLPreElement.h', '../third_party/WebKit/WebCore/html/HTMLQuoteElement.cpp', '../third_party/WebKit/WebCore/html/HTMLQuoteElement.h', '../third_party/WebKit/WebCore/html/HTMLScriptElement.cpp', '../third_party/WebKit/WebCore/html/HTMLScriptElement.h', '../third_party/WebKit/WebCore/html/HTMLSelectElement.cpp', '../third_party/WebKit/WebCore/html/HTMLSelectElement.h', '../third_party/WebKit/WebCore/html/HTMLSourceElement.cpp', '../third_party/WebKit/WebCore/html/HTMLSourceElement.h', '../third_party/WebKit/WebCore/html/HTMLStyleElement.cpp', '../third_party/WebKit/WebCore/html/HTMLStyleElement.h', '../third_party/WebKit/WebCore/html/HTMLTableCaptionElement.cpp', '../third_party/WebKit/WebCore/html/HTMLTableCaptionElement.h', '../third_party/WebKit/WebCore/html/HTMLTableCellElement.cpp', '../third_party/WebKit/WebCore/html/HTMLTableCellElement.h', '../third_party/WebKit/WebCore/html/HTMLTableColElement.cpp', '../third_party/WebKit/WebCore/html/HTMLTableColElement.h', '../third_party/WebKit/WebCore/html/HTMLTableElement.cpp', '../third_party/WebKit/WebCore/html/HTMLTableElement.h', '../third_party/WebKit/WebCore/html/HTMLTablePartElement.cpp', '../third_party/WebKit/WebCore/html/HTMLTablePartElement.h', '../third_party/WebKit/WebCore/html/HTMLTableRowElement.cpp', '../third_party/WebKit/WebCore/html/HTMLTableRowElement.h', '../third_party/WebKit/WebCore/html/HTMLTableRowsCollection.cpp', '../third_party/WebKit/WebCore/html/HTMLTableRowsCollection.h', '../third_party/WebKit/WebCore/html/HTMLTableSectionElement.cpp', '../third_party/WebKit/WebCore/html/HTMLTableSectionElement.h', '../third_party/WebKit/WebCore/html/HTMLTextAreaElement.cpp', '../third_party/WebKit/WebCore/html/HTMLTextAreaElement.h', '../third_party/WebKit/WebCore/html/HTMLTitleElement.cpp', '../third_party/WebKit/WebCore/html/HTMLTitleElement.h', '../third_party/WebKit/WebCore/html/HTMLTokenizer.cpp', '../third_party/WebKit/WebCore/html/HTMLTokenizer.h', '../third_party/WebKit/WebCore/html/HTMLUListElement.cpp', '../third_party/WebKit/WebCore/html/HTMLUListElement.h', '../third_party/WebKit/WebCore/html/HTMLVideoElement.cpp', '../third_party/WebKit/WebCore/html/HTMLVideoElement.h', '../third_party/WebKit/WebCore/html/HTMLViewSourceDocument.cpp', '../third_party/WebKit/WebCore/html/HTMLViewSourceDocument.h', '../third_party/WebKit/WebCore/html/ImageData.cpp', '../third_party/WebKit/WebCore/html/ImageData.h', '../third_party/WebKit/WebCore/html/MediaError.h', '../third_party/WebKit/WebCore/html/PreloadScanner.cpp', '../third_party/WebKit/WebCore/html/PreloadScanner.h', '../third_party/WebKit/WebCore/html/TextMetrics.h', '../third_party/WebKit/WebCore/html/TimeRanges.cpp', '../third_party/WebKit/WebCore/html/TimeRanges.h', '../third_party/WebKit/WebCore/html/VoidCallback.h', '../third_party/WebKit/WebCore/inspector/InspectorClient.h', '../third_party/WebKit/WebCore/inspector/ConsoleMessage.cpp', '../third_party/WebKit/WebCore/inspector/ConsoleMessage.h', '../third_party/WebKit/WebCore/inspector/InspectorController.cpp', '../third_party/WebKit/WebCore/inspector/InspectorController.h', '../third_party/WebKit/WebCore/inspector/InspectorDatabaseResource.cpp', '../third_party/WebKit/WebCore/inspector/InspectorDatabaseResource.h', '../third_party/WebKit/WebCore/inspector/InspectorDOMStorageResource.cpp', '../third_party/WebKit/WebCore/inspector/InspectorDOMStorageResource.h', '../third_party/WebKit/WebCore/inspector/InspectorFrontend.cpp', '../third_party/WebKit/WebCore/inspector/InspectorFrontend.h', '../third_party/WebKit/WebCore/inspector/InspectorJSONObject.cpp', '../third_party/WebKit/WebCore/inspector/InspectorJSONObject.h', '../third_party/WebKit/WebCore/inspector/InspectorResource.cpp', '../third_party/WebKit/WebCore/inspector/InspectorResource.h', '../third_party/WebKit/WebCore/inspector/JavaScriptCallFrame.cpp', '../third_party/WebKit/WebCore/inspector/JavaScriptCallFrame.h', '../third_party/WebKit/WebCore/inspector/JavaScriptDebugListener.h', '../third_party/WebKit/WebCore/inspector/JavaScriptDebugServer.cpp', '../third_party/WebKit/WebCore/inspector/JavaScriptDebugServer.h', '../third_party/WebKit/WebCore/inspector/JavaScriptProfile.cpp', '../third_party/WebKit/WebCore/inspector/JavaScriptProfile.h', '../third_party/WebKit/WebCore/inspector/JavaScriptProfileNode.cpp', '../third_party/WebKit/WebCore/inspector/JavaScriptProfileNode.h', '../third_party/WebKit/WebCore/loader/appcache/ApplicationCache.cpp', '../third_party/WebKit/WebCore/loader/appcache/ApplicationCache.h', '../third_party/WebKit/WebCore/loader/appcache/ApplicationCacheGroup.cpp', '../third_party/WebKit/WebCore/loader/appcache/ApplicationCacheGroup.h', '../third_party/WebKit/WebCore/loader/appcache/ApplicationCacheResource.cpp', '../third_party/WebKit/WebCore/loader/appcache/ApplicationCacheResource.h', '../third_party/WebKit/WebCore/loader/appcache/ApplicationCacheStorage.cpp', '../third_party/WebKit/WebCore/loader/appcache/ApplicationCacheStorage.h', '../third_party/WebKit/WebCore/loader/appcache/DOMApplicationCache.cpp', '../third_party/WebKit/WebCore/loader/appcache/DOMApplicationCache.h', '../third_party/WebKit/WebCore/loader/appcache/ManifestParser.cpp', '../third_party/WebKit/WebCore/loader/appcache/ManifestParser.h', '../third_party/WebKit/WebCore/loader/archive/cf/LegacyWebArchive.cpp', '../third_party/WebKit/WebCore/loader/archive/cf/LegacyWebArchive.h', '../third_party/WebKit/WebCore/loader/archive/cf/LegacyWebArchiveMac.mm', '../third_party/WebKit/WebCore/loader/archive/Archive.h', '../third_party/WebKit/WebCore/loader/archive/ArchiveFactory.cpp', '../third_party/WebKit/WebCore/loader/archive/ArchiveFactory.h', '../third_party/WebKit/WebCore/loader/archive/ArchiveResource.cpp', '../third_party/WebKit/WebCore/loader/archive/ArchiveResource.h', '../third_party/WebKit/WebCore/loader/archive/ArchiveResourceCollection.cpp', '../third_party/WebKit/WebCore/loader/archive/ArchiveResourceCollection.h', '../third_party/WebKit/WebCore/loader/icon/IconDatabase.cpp', '../third_party/WebKit/WebCore/loader/icon/IconDatabase.h', '../third_party/WebKit/WebCore/loader/icon/IconDatabaseClient.h', '../third_party/WebKit/WebCore/loader/icon/IconDatabaseNone.cpp', '../third_party/WebKit/WebCore/loader/icon/IconFetcher.cpp', '../third_party/WebKit/WebCore/loader/icon/IconFetcher.h', '../third_party/WebKit/WebCore/loader/icon/IconLoader.cpp', '../third_party/WebKit/WebCore/loader/icon/IconLoader.h', '../third_party/WebKit/WebCore/loader/icon/IconRecord.cpp', '../third_party/WebKit/WebCore/loader/icon/IconRecord.h', '../third_party/WebKit/WebCore/loader/icon/PageURLRecord.cpp', '../third_party/WebKit/WebCore/loader/icon/PageURLRecord.h', '../third_party/WebKit/WebCore/loader/mac/DocumentLoaderMac.cpp', '../third_party/WebKit/WebCore/loader/mac/LoaderNSURLExtras.h', '../third_party/WebKit/WebCore/loader/mac/LoaderNSURLExtras.mm', '../third_party/WebKit/WebCore/loader/mac/ResourceLoaderMac.mm', '../third_party/WebKit/WebCore/loader/win/DocumentLoaderWin.cpp', '../third_party/WebKit/WebCore/loader/win/FrameLoaderWin.cpp', '../third_party/WebKit/WebCore/loader/Cache.cpp', '../third_party/WebKit/WebCore/loader/Cache.h', '../third_party/WebKit/WebCore/loader/CachePolicy.h', '../third_party/WebKit/WebCore/loader/CachedCSSStyleSheet.cpp', '../third_party/WebKit/WebCore/loader/CachedCSSStyleSheet.h', '../third_party/WebKit/WebCore/loader/CachedFont.cpp', '../third_party/WebKit/WebCore/loader/CachedFont.h', '../third_party/WebKit/WebCore/loader/CachedImage.cpp', '../third_party/WebKit/WebCore/loader/CachedImage.h', '../third_party/WebKit/WebCore/loader/CachedResource.cpp', '../third_party/WebKit/WebCore/loader/CachedResource.h', '../third_party/WebKit/WebCore/loader/CachedResourceClient.h', '../third_party/WebKit/WebCore/loader/CachedResourceClientWalker.cpp', '../third_party/WebKit/WebCore/loader/CachedResourceClientWalker.h', '../third_party/WebKit/WebCore/loader/CachedResourceHandle.cpp', '../third_party/WebKit/WebCore/loader/CachedResourceHandle.h', '../third_party/WebKit/WebCore/loader/CachedScript.cpp', '../third_party/WebKit/WebCore/loader/CachedScript.h', '../third_party/WebKit/WebCore/loader/CachedXBLDocument.cpp', '../third_party/WebKit/WebCore/loader/CachedXBLDocument.h', '../third_party/WebKit/WebCore/loader/CachedXSLStyleSheet.cpp', '../third_party/WebKit/WebCore/loader/CachedXSLStyleSheet.h', '../third_party/WebKit/WebCore/loader/CrossOriginAccessControl.cpp', '../third_party/WebKit/WebCore/loader/CrossOriginAccessControl.h', '../third_party/WebKit/WebCore/loader/CrossOriginPreflightResultCache.cpp', '../third_party/WebKit/WebCore/loader/CrossOriginPreflightResultCache.h', '../third_party/WebKit/WebCore/loader/DocLoader.cpp', '../third_party/WebKit/WebCore/loader/DocLoader.h', '../third_party/WebKit/WebCore/loader/DocumentLoader.cpp', '../third_party/WebKit/WebCore/loader/DocumentLoader.h', '../third_party/WebKit/WebCore/loader/DocumentThreadableLoader.cpp', '../third_party/WebKit/WebCore/loader/DocumentThreadableLoader.h', '../third_party/WebKit/WebCore/loader/EmptyClients.h', '../third_party/WebKit/WebCore/loader/FTPDirectoryDocument.cpp', '../third_party/WebKit/WebCore/loader/FTPDirectoryDocument.h', '../third_party/WebKit/WebCore/loader/FTPDirectoryParser.cpp', '../third_party/WebKit/WebCore/loader/FTPDirectoryParser.h', '../third_party/WebKit/WebCore/loader/FormState.cpp', '../third_party/WebKit/WebCore/loader/FormState.h', '../third_party/WebKit/WebCore/loader/FrameLoader.cpp', '../third_party/WebKit/WebCore/loader/FrameLoader.h', '../third_party/WebKit/WebCore/loader/FrameLoaderClient.h', '../third_party/WebKit/WebCore/loader/FrameLoaderTypes.h', '../third_party/WebKit/WebCore/loader/ImageDocument.cpp', '../third_party/WebKit/WebCore/loader/ImageDocument.h', '../third_party/WebKit/WebCore/loader/ImageLoader.cpp', '../third_party/WebKit/WebCore/loader/ImageLoader.h', '../third_party/WebKit/WebCore/loader/MainResourceLoader.cpp', '../third_party/WebKit/WebCore/loader/MainResourceLoader.h', '../third_party/WebKit/WebCore/loader/MediaDocument.cpp', '../third_party/WebKit/WebCore/loader/MediaDocument.h', '../third_party/WebKit/WebCore/loader/NavigationAction.cpp', '../third_party/WebKit/WebCore/loader/NavigationAction.h', '../third_party/WebKit/WebCore/loader/NetscapePlugInStreamLoader.cpp', '../third_party/WebKit/WebCore/loader/NetscapePlugInStreamLoader.h', '../third_party/WebKit/WebCore/loader/PluginDocument.cpp', '../third_party/WebKit/WebCore/loader/PluginDocument.h', '../third_party/WebKit/WebCore/loader/ProgressTracker.cpp', '../third_party/WebKit/WebCore/loader/ProgressTracker.h', '../third_party/WebKit/WebCore/loader/Request.cpp', '../third_party/WebKit/WebCore/loader/Request.h', '../third_party/WebKit/WebCore/loader/ResourceLoader.cpp', '../third_party/WebKit/WebCore/loader/ResourceLoader.h', '../third_party/WebKit/WebCore/loader/SubresourceLoader.cpp', '../third_party/WebKit/WebCore/loader/SubresourceLoader.h', '../third_party/WebKit/WebCore/loader/SubresourceLoaderClient.h', '../third_party/WebKit/WebCore/loader/SubstituteData.h', '../third_party/WebKit/WebCore/loader/SubstituteResource.h', '../third_party/WebKit/WebCore/loader/TextDocument.cpp', '../third_party/WebKit/WebCore/loader/TextDocument.h', '../third_party/WebKit/WebCore/loader/TextResourceDecoder.cpp', '../third_party/WebKit/WebCore/loader/TextResourceDecoder.h', '../third_party/WebKit/WebCore/loader/ThreadableLoader.cpp', '../third_party/WebKit/WebCore/loader/ThreadableLoader.h', '../third_party/WebKit/WebCore/loader/ThreadableLoaderClient.h', '../third_party/WebKit/WebCore/loader/ThreadableLoaderClientWrapper.h', '../third_party/WebKit/WebCore/loader/UserStyleSheetLoader.cpp', '../third_party/WebKit/WebCore/loader/UserStyleSheetLoader.h', '../third_party/WebKit/WebCore/loader/WorkerThreadableLoader.cpp', '../third_party/WebKit/WebCore/loader/WorkerThreadableLoader.h', '../third_party/WebKit/WebCore/loader/loader.cpp', '../third_party/WebKit/WebCore/loader/loader.h', '../third_party/WebKit/WebCore/page/animation/AnimationBase.cpp', '../third_party/WebKit/WebCore/page/animation/AnimationBase.h', '../third_party/WebKit/WebCore/page/animation/AnimationController.cpp', '../third_party/WebKit/WebCore/page/animation/AnimationController.h', '../third_party/WebKit/WebCore/page/animation/AnimationControllerPrivate.h', '../third_party/WebKit/WebCore/page/animation/CompositeAnimation.cpp', '../third_party/WebKit/WebCore/page/animation/CompositeAnimation.h', '../third_party/WebKit/WebCore/page/animation/ImplicitAnimation.cpp', '../third_party/WebKit/WebCore/page/animation/ImplicitAnimation.h', '../third_party/WebKit/WebCore/page/animation/KeyframeAnimation.cpp', '../third_party/WebKit/WebCore/page/animation/KeyframeAnimation.h', '../third_party/WebKit/WebCore/page/chromium/ChromeClientChromium.h', '../third_party/WebKit/WebCore/page/chromium/DragControllerChromium.cpp', '../third_party/WebKit/WebCore/page/chromium/EventHandlerChromium.cpp', '../third_party/WebKit/WebCore/page/chromium/FrameChromium.cpp', '../third_party/WebKit/WebCore/page/chromium/FrameChromium.h', '../third_party/WebKit/WebCore/page/gtk/DragControllerGtk.cpp', '../third_party/WebKit/WebCore/page/gtk/EventHandlerGtk.cpp', '../third_party/WebKit/WebCore/page/gtk/FrameGtk.cpp', '../third_party/WebKit/WebCore/page/mac/ChromeMac.mm', '../third_party/WebKit/WebCore/page/mac/DragControllerMac.mm', '../third_party/WebKit/WebCore/page/mac/EventHandlerMac.mm', '../third_party/WebKit/WebCore/page/mac/FrameMac.mm', '../third_party/WebKit/WebCore/page/mac/PageMac.cpp', '../third_party/WebKit/WebCore/page/mac/WebCoreFrameView.h', '../third_party/WebKit/WebCore/page/mac/WebCoreKeyboardUIMode.h', '../third_party/WebKit/WebCore/page/mac/WebCoreViewFactory.h', '../third_party/WebKit/WebCore/page/mac/WebCoreViewFactory.m', '../third_party/WebKit/WebCore/page/mac/WebDashboardRegion.h', '../third_party/WebKit/WebCore/page/mac/WebDashboardRegion.m', '../third_party/WebKit/WebCore/page/qt/DragControllerQt.cpp', '../third_party/WebKit/WebCore/page/qt/EventHandlerQt.cpp', '../third_party/WebKit/WebCore/page/qt/FrameQt.cpp', '../third_party/WebKit/WebCore/page/win/DragControllerWin.cpp', '../third_party/WebKit/WebCore/page/win/EventHandlerWin.cpp', '../third_party/WebKit/WebCore/page/win/FrameCGWin.cpp', '../third_party/WebKit/WebCore/page/win/FrameCairoWin.cpp', '../third_party/WebKit/WebCore/page/win/FrameWin.cpp', '../third_party/WebKit/WebCore/page/win/FrameWin.h', '../third_party/WebKit/WebCore/page/win/PageWin.cpp', '../third_party/WebKit/WebCore/page/wx/DragControllerWx.cpp', '../third_party/WebKit/WebCore/page/wx/EventHandlerWx.cpp', '../third_party/WebKit/WebCore/page/BarInfo.cpp', '../third_party/WebKit/WebCore/page/BarInfo.h', '../third_party/WebKit/WebCore/page/Chrome.cpp', '../third_party/WebKit/WebCore/page/Chrome.h', '../third_party/WebKit/WebCore/page/ChromeClient.h', '../third_party/WebKit/WebCore/page/Console.cpp', '../third_party/WebKit/WebCore/page/Console.h', '../third_party/WebKit/WebCore/page/ContextMenuClient.h', '../third_party/WebKit/WebCore/page/ContextMenuController.cpp', '../third_party/WebKit/WebCore/page/ContextMenuController.h', '../third_party/WebKit/WebCore/page/Coordinates.cpp', '../third_party/WebKit/WebCore/page/DOMSelection.cpp', '../third_party/WebKit/WebCore/page/DOMSelection.h', '../third_party/WebKit/WebCore/page/DOMTimer.cpp', '../third_party/WebKit/WebCore/page/DOMTimer.h', '../third_party/WebKit/WebCore/page/DOMWindow.cpp', '../third_party/WebKit/WebCore/page/DOMWindow.h', '../third_party/WebKit/WebCore/page/DragActions.h', '../third_party/WebKit/WebCore/page/DragClient.h', '../third_party/WebKit/WebCore/page/DragController.cpp', '../third_party/WebKit/WebCore/page/DragController.h', '../third_party/WebKit/WebCore/page/EditorClient.h', '../third_party/WebKit/WebCore/page/EventHandler.cpp', '../third_party/WebKit/WebCore/page/EventHandler.h', '../third_party/WebKit/WebCore/page/FocusController.cpp', '../third_party/WebKit/WebCore/page/FocusController.h', '../third_party/WebKit/WebCore/page/FocusDirection.h', '../third_party/WebKit/WebCore/page/Frame.cpp', '../third_party/WebKit/WebCore/page/Frame.h', '../third_party/WebKit/WebCore/page/FrameLoadRequest.h', '../third_party/WebKit/WebCore/page/FrameTree.cpp', '../third_party/WebKit/WebCore/page/FrameTree.h', '../third_party/WebKit/WebCore/page/FrameView.cpp', '../third_party/WebKit/WebCore/page/FrameView.h', '../third_party/WebKit/WebCore/page/Geolocation.cpp', '../third_party/WebKit/WebCore/page/Geolocation.h', '../third_party/WebKit/WebCore/page/Geoposition.cpp', '../third_party/WebKit/WebCore/page/Geoposition.h', '../third_party/WebKit/WebCore/page/History.cpp', '../third_party/WebKit/WebCore/page/History.h', '../third_party/WebKit/WebCore/page/Location.cpp', '../third_party/WebKit/WebCore/page/Location.h', '../third_party/WebKit/WebCore/page/MouseEventWithHitTestResults.cpp', '../third_party/WebKit/WebCore/page/MouseEventWithHitTestResults.h', '../third_party/WebKit/WebCore/page/Navigator.cpp', '../third_party/WebKit/WebCore/page/Navigator.h', '../third_party/WebKit/WebCore/page/NavigatorBase.cpp', '../third_party/WebKit/WebCore/page/NavigatorBase.h', '../third_party/WebKit/WebCore/page/Page.cpp', '../third_party/WebKit/WebCore/page/Page.h', '../third_party/WebKit/WebCore/page/PageGroup.cpp', '../third_party/WebKit/WebCore/page/PageGroup.h', '../third_party/WebKit/WebCore/page/PageGroupLoadDeferrer.cpp', '../third_party/WebKit/WebCore/page/PageGroupLoadDeferrer.h', '../third_party/WebKit/WebCore/page/PositionCallback.h', '../third_party/WebKit/WebCore/page/PositionError.h', '../third_party/WebKit/WebCore/page/PositionErrorCallback.h', '../third_party/WebKit/WebCore/page/PositionOptions.h', '../third_party/WebKit/WebCore/page/PrintContext.cpp', '../third_party/WebKit/WebCore/page/PrintContext.h', '../third_party/WebKit/WebCore/page/Screen.cpp', '../third_party/WebKit/WebCore/page/Screen.h', '../third_party/WebKit/WebCore/page/SecurityOrigin.cpp', '../third_party/WebKit/WebCore/page/SecurityOrigin.h', '../third_party/WebKit/WebCore/page/SecurityOriginHash.h', '../third_party/WebKit/WebCore/page/Settings.cpp', '../third_party/WebKit/WebCore/page/Settings.h', '../third_party/WebKit/WebCore/page/WebKitPoint.h', '../third_party/WebKit/WebCore/page/WindowFeatures.cpp', '../third_party/WebKit/WebCore/page/WindowFeatures.h', '../third_party/WebKit/WebCore/page/WorkerNavigator.cpp', '../third_party/WebKit/WebCore/page/WorkerNavigator.h', '../third_party/WebKit/WebCore/page/XSSAuditor.cpp', '../third_party/WebKit/WebCore/page/XSSAuditor.h', '../third_party/WebKit/WebCore/platform/animation/Animation.cpp', '../third_party/WebKit/WebCore/platform/animation/Animation.h', '../third_party/WebKit/WebCore/platform/animation/AnimationList.cpp', '../third_party/WebKit/WebCore/platform/animation/AnimationList.h', '../third_party/WebKit/WebCore/platform/animation/TimingFunction.h', '../third_party/WebKit/WebCore/platform/cf/FileSystemCF.cpp', '../third_party/WebKit/WebCore/platform/cf/KURLCFNet.cpp', '../third_party/WebKit/WebCore/platform/cf/SchedulePair.cpp', '../third_party/WebKit/WebCore/platform/cf/SchedulePair.h', '../third_party/WebKit/WebCore/platform/cf/SharedBufferCF.cpp', '../third_party/WebKit/WebCore/platform/chromium/ChromiumBridge.h', '../third_party/WebKit/WebCore/platform/chromium/ChromiumDataObject.cpp', '../third_party/WebKit/WebCore/platform/chromium/ChromiumDataObject.h', '../third_party/WebKit/WebCore/platform/chromium/ClipboardChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/ClipboardChromium.h', '../third_party/WebKit/WebCore/platform/chromium/ClipboardChromiumLinux.cpp', '../third_party/WebKit/WebCore/platform/chromium/ClipboardChromiumMac.cpp', '../third_party/WebKit/WebCore/platform/chromium/ClipboardChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/chromium/ClipboardUtilitiesChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/ClipboardUtilitiesChromium.h', '../third_party/WebKit/WebCore/platform/chromium/ContextMenuChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/ContextMenuItemChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/CursorChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/DragDataChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/DragDataRef.h', '../third_party/WebKit/WebCore/platform/chromium/DragImageChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/DragImageRef.h', '../third_party/WebKit/WebCore/platform/chromium/FileChooserChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/FileSystemChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/FileSystemChromiumLinux.cpp', '../third_party/WebKit/WebCore/platform/chromium/FileSystemChromiumMac.mm', '../third_party/WebKit/WebCore/platform/chromium/FileSystemChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/chromium/FramelessScrollView.cpp', '../third_party/WebKit/WebCore/platform/chromium/FramelessScrollView.h', '../third_party/WebKit/WebCore/platform/chromium/FramelessScrollViewClient.h', '../third_party/WebKit/WebCore/platform/chromium/KeyCodeConversion.h', '../third_party/WebKit/WebCore/platform/chromium/KeyCodeConversionGtk.cpp', '../third_party/WebKit/WebCore/platform/chromium/KeyboardCodesPosix.h', '../third_party/WebKit/WebCore/platform/chromium/KeyboardCodesWin.h', '../third_party/WebKit/WebCore/platform/chromium/Language.cpp', '../third_party/WebKit/WebCore/platform/chromium/LinkHashChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/MimeTypeRegistryChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/PasteboardChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/PasteboardPrivate.h', '../third_party/WebKit/WebCore/platform/chromium/PlatformCursor.h', '../third_party/WebKit/WebCore/platform/chromium/PlatformKeyboardEventChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/PlatformScreenChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/PlatformWidget.h', '../third_party/WebKit/WebCore/platform/chromium/PopupMenuChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/PopupMenuChromium.h', '../third_party/WebKit/WebCore/platform/chromium/PopupMenuPrivate.h', '../third_party/WebKit/WebCore/platform/chromium/SSLKeyGeneratorChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/ScrollbarThemeChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/ScrollbarThemeChromium.h', '../third_party/WebKit/WebCore/platform/chromium/ScrollbarThemeChromiumLinux.cpp', '../third_party/WebKit/WebCore/platform/chromium/ScrollbarThemeChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/chromium/SearchPopupMenuChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/SharedTimerChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/SoundChromiumPosix.cpp', '../third_party/WebKit/WebCore/platform/chromium/SoundChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/chromium/SuddenTerminationChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/SystemTimeChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/TemporaryLinkStubs.cpp', '../third_party/WebKit/WebCore/platform/chromium/WidgetChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/WindowsVersion.cpp', '../third_party/WebKit/WebCore/platform/chromium/WindowsVersion.h', '../third_party/WebKit/WebCore/platform/graphics/cairo/CairoPath.h', '../third_party/WebKit/WebCore/platform/graphics/cairo/FontCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/cairo/GradientCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/cairo/GraphicsContextCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/cairo/GraphicsContextPlatformPrivateCairo.h', '../third_party/WebKit/WebCore/platform/graphics/cairo/ImageBufferCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/cairo/ImageBufferData.h', '../third_party/WebKit/WebCore/platform/graphics/cairo/ImageCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/cairo/ImageSourceCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/cairo/PathCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/cairo/PatternCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/cairo/TransformationMatrixCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/ColorCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/FloatPointCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/FloatRectCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/FloatSizeCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/GradientCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/GraphicsContextCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/GraphicsContextPlatformPrivateCG.h', '../third_party/WebKit/WebCore/platform/graphics/cg/ImageBufferCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/ImageBufferData.h', '../third_party/WebKit/WebCore/platform/graphics/cg/ImageCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/ImageSourceCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/ImageSourceCG.h', '../third_party/WebKit/WebCore/platform/graphics/cg/ImageSourceCGMac.mm', '../third_party/WebKit/WebCore/platform/graphics/cg/ImageSourceCGWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/IntPointCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/IntRectCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/IntSizeCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/PDFDocumentImage.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/PDFDocumentImage.h', '../third_party/WebKit/WebCore/platform/graphics/cg/PathCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/PatternCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/TransformationMatrixCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontCacheChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontCacheLinux.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontCustomPlatformData.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontCustomPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontLinux.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontPlatformDataChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontPlatformDataChromiumWin.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontPlatformDataLinux.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontPlatformDataLinux.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontUtilsChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontUtilsChromiumWin.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/GlyphPageTreeNodeChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/GlyphPageTreeNodeLinux.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/IconChromiumLinux.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/IconChromiumMac.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/IconChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/ImageBufferData.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/ImageChromiumMac.mm', '../third_party/WebKit/WebCore/platform/graphics/chromium/MediaPlayerPrivateChromium.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/PlatformIcon.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/SimpleFontDataChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/SimpleFontDataLinux.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/TransparencyWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/TransparencyWin.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/UniscribeHelper.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/UniscribeHelper.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/UniscribeHelperTextRun.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/UniscribeHelperTextRun.h', '../third_party/WebKit/WebCore/platform/graphics/filters/FEBlend.cpp', '../third_party/WebKit/WebCore/platform/graphics/filters/FEBlend.h', '../third_party/WebKit/WebCore/platform/graphics/filters/FEColorMatrix.cpp', '../third_party/WebKit/WebCore/platform/graphics/filters/FEColorMatrix.h', '../third_party/WebKit/WebCore/platform/graphics/filters/FEComponentTransfer.cpp', '../third_party/WebKit/WebCore/platform/graphics/filters/FEComponentTransfer.h', '../third_party/WebKit/WebCore/platform/graphics/filters/FEComposite.cpp', '../third_party/WebKit/WebCore/platform/graphics/filters/FEComposite.h', '../third_party/WebKit/WebCore/platform/graphics/filters/SourceAlpha.cpp', '../third_party/WebKit/WebCore/platform/graphics/filters/SourceAlpha.h', '../third_party/WebKit/WebCore/platform/graphics/filters/SourceGraphic.cpp', '../third_party/WebKit/WebCore/platform/graphics/filters/SourceGraphic.h', '../third_party/WebKit/WebCore/platform/graphics/gtk/ColorGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/FontCacheGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/FontCustomPlatformData.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/FontCustomPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/gtk/FontCustomPlatformDataPango.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/FontGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/FontPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/gtk/FontPlatformDataGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/FontPlatformDataPango.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/GlyphPageTreeNodeGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/GlyphPageTreeNodePango.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/IconGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/ImageGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/IntPointGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/IntRectGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/MediaPlayerPrivateGStreamer.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/MediaPlayerPrivateGStreamer.h', '../third_party/WebKit/WebCore/platform/graphics/gtk/SimpleFontDataGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/SimpleFontDataPango.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/VideoSinkGStreamer.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/VideoSinkGStreamer.h', '../third_party/WebKit/WebCore/platform/graphics/mac/ColorMac.h', '../third_party/WebKit/WebCore/platform/graphics/mac/ColorMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/CoreTextController.cpp', '../third_party/WebKit/WebCore/platform/graphics/mac/CoreTextController.h', '../third_party/WebKit/WebCore/platform/graphics/mac/FloatPointMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/FloatRectMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/FloatSizeMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/FontCacheMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/FontCustomPlatformData.cpp', '../third_party/WebKit/WebCore/platform/graphics/mac/FontCustomPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/mac/FontMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/FontMacATSUI.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/FontMacCoreText.cpp', '../third_party/WebKit/WebCore/platform/graphics/mac/FontPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/mac/FontPlatformDataMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/GlyphPageTreeNodeMac.cpp', '../third_party/WebKit/WebCore/platform/graphics/mac/GraphicsContextMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/GraphicsLayerCA.h', '../third_party/WebKit/WebCore/platform/graphics/mac/GraphicsLayerCA.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/IconMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/ImageMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/IntPointMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/IntRectMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/IntSizeMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/MediaPlayerPrivateQTKit.h', '../third_party/WebKit/WebCore/platform/graphics/mac/MediaPlayerPrivateQTKit.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/MediaPlayerProxy.h', '../third_party/WebKit/WebCore/platform/graphics/mac/SimpleFontDataMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/WebLayer.h', '../third_party/WebKit/WebCore/platform/graphics/mac/WebLayer.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/WebTiledLayer.h', '../third_party/WebKit/WebCore/platform/graphics/mac/WebTiledLayer.mm', '../third_party/WebKit/WebCore/platform/graphics/MediaPlayer.cpp', '../third_party/WebKit/WebCore/platform/graphics/opentype/OpenTypeUtilities.cpp', '../third_party/WebKit/WebCore/platform/graphics/opentype/OpenTypeUtilities.h', '../third_party/WebKit/WebCore/platform/graphics/qt/ColorQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/FloatPointQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/FloatRectQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/FontCacheQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/FontCustomPlatformData.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/FontCustomPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/qt/FontFallbackListQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/FontPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/qt/FontPlatformDataQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/FontQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/FontQt43.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/GlyphPageTreeNodeQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/GradientQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/GraphicsContextQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/IconQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/ImageBufferData.h', '../third_party/WebKit/WebCore/platform/graphics/qt/ImageBufferQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/ImageDecoderQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/ImageDecoderQt.h', '../third_party/WebKit/WebCore/platform/graphics/qt/ImageQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/ImageSourceQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/IntPointQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/IntRectQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/IntSizeQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/MediaPlayerPrivatePhonon.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/MediaPlayerPrivatePhonon.h', '../third_party/WebKit/WebCore/platform/graphics/qt/PathQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/PatternQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/SimpleFontDataQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/StillImageQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/StillImageQt.h', '../third_party/WebKit/WebCore/platform/graphics/qt/TransformationMatrixQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/BitmapImageSingleFrameSkia.h', '../third_party/WebKit/WebCore/platform/graphics/skia/FloatPointSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/FloatRectSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/GradientSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/GraphicsContextPlatformPrivate.h', '../third_party/WebKit/WebCore/platform/graphics/skia/GraphicsContextSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/ImageBufferSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/ImageSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/ImageSourceSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/ImageSourceSkia.h', '../third_party/WebKit/WebCore/platform/graphics/skia/IntPointSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/IntRectSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/NativeImageSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/NativeImageSkia.h', '../third_party/WebKit/WebCore/platform/graphics/skia/PathSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/PatternSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/PlatformContextSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/PlatformContextSkia.h', '../third_party/WebKit/WebCore/platform/graphics/skia/PlatformGraphics.h', '../third_party/WebKit/WebCore/platform/graphics/skia/SkiaFontWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/SkiaFontWin.h', '../third_party/WebKit/WebCore/platform/graphics/skia/SkiaUtils.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/SkiaUtils.h', '../third_party/WebKit/WebCore/platform/graphics/skia/TransformationMatrixSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/IdentityTransformOperation.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/Matrix3DTransformOperation.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/Matrix3DTransformOperation.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/MatrixTransformOperation.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/MatrixTransformOperation.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/PerspectiveTransformOperation.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/PerspectiveTransformOperation.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/RotateTransformOperation.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/RotateTransformOperation.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/ScaleTransformOperation.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/ScaleTransformOperation.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/SkewTransformOperation.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/SkewTransformOperation.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/TransformOperation.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/TransformOperations.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/TransformOperations.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/TransformationMatrix.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/TransformationMatrix.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/TranslateTransformOperation.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/TranslateTransformOperation.h', '../third_party/WebKit/WebCore/platform/graphics/win/ColorSafari.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/FontCGWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/FontCacheWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/FontCustomPlatformData.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/FontCustomPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/win/FontCustomPlatformDataCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/FontCustomPlatformDataCairo.h', '../third_party/WebKit/WebCore/platform/graphics/win/FontDatabase.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/FontDatabase.h', '../third_party/WebKit/WebCore/platform/graphics/win/FontPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/win/FontPlatformDataCGWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/FontPlatformDataCairoWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/FontPlatformDataWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/FontWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/GlyphPageTreeNodeCGWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/GlyphPageTreeNodeCairoWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/GraphicsContextCGWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/GraphicsContextCairoWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/GraphicsContextWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/IconWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/ImageCGWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/ImageCairoWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/ImageWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/IntPointWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/IntRectWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/IntSizeWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/MediaPlayerPrivateQuickTimeWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/MediaPlayerPrivateQuickTimeWin.h', '../third_party/WebKit/WebCore/platform/graphics/win/QTMovieWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/QTMovieWin.h', '../third_party/WebKit/WebCore/platform/graphics/win/QTMovieWinTimer.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/QTMovieWinTimer.h', '../third_party/WebKit/WebCore/platform/graphics/win/SimpleFontDataCGWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/SimpleFontDataCairoWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/SimpleFontDataWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/UniscribeController.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/UniscribeController.h', '../third_party/WebKit/WebCore/platform/graphics/wx/ColorWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/FloatRectWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/FontCacheWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/FontPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/wx/FontPlatformDataWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/FontWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/GlyphMapWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/GradientWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/GraphicsContextWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/ImageBufferData.h', '../third_party/WebKit/WebCore/platform/graphics/wx/ImageBufferWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/ImageSourceWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/ImageWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/IntPointWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/IntRectWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/PathWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/PenWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/SimpleFontDataWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/TransformationMatrixWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/BitmapImage.cpp', '../third_party/WebKit/WebCore/platform/graphics/BitmapImage.h', '../third_party/WebKit/WebCore/platform/graphics/Color.cpp', '../third_party/WebKit/WebCore/platform/graphics/Color.h', '../third_party/WebKit/WebCore/platform/graphics/DashArray.h', '../third_party/WebKit/WebCore/platform/graphics/FloatPoint.cpp', '../third_party/WebKit/WebCore/platform/graphics/FloatPoint.h', '../third_party/WebKit/WebCore/platform/graphics/FloatPoint3D.cpp', '../third_party/WebKit/WebCore/platform/graphics/FloatPoint3D.h', '../third_party/WebKit/WebCore/platform/graphics/FloatQuad.cpp', '../third_party/WebKit/WebCore/platform/graphics/FloatQuad.h', '../third_party/WebKit/WebCore/platform/graphics/FloatRect.cpp', '../third_party/WebKit/WebCore/platform/graphics/FloatRect.h', '../third_party/WebKit/WebCore/platform/graphics/FloatSize.cpp', '../third_party/WebKit/WebCore/platform/graphics/FloatSize.h', '../third_party/WebKit/WebCore/platform/graphics/Font.cpp', '../third_party/WebKit/WebCore/platform/graphics/Font.h', '../third_party/WebKit/WebCore/platform/graphics/FontCache.cpp', '../third_party/WebKit/WebCore/platform/graphics/FontCache.h', '../third_party/WebKit/WebCore/platform/graphics/FontData.cpp', '../third_party/WebKit/WebCore/platform/graphics/FontData.h', '../third_party/WebKit/WebCore/platform/graphics/FontDescription.cpp', '../third_party/WebKit/WebCore/platform/graphics/FontDescription.h', '../third_party/WebKit/WebCore/platform/graphics/FontFallbackList.cpp', '../third_party/WebKit/WebCore/platform/graphics/FontFallbackList.h', '../third_party/WebKit/WebCore/platform/graphics/FontFamily.cpp', '../third_party/WebKit/WebCore/platform/graphics/FontFamily.h', '../third_party/WebKit/WebCore/platform/graphics/FontFastPath.cpp', '../third_party/WebKit/WebCore/platform/graphics/FontRenderingMode.h', '../third_party/WebKit/WebCore/platform/graphics/FontSelector.h', '../third_party/WebKit/WebCore/platform/graphics/FontTraitsMask.h', '../third_party/WebKit/WebCore/platform/graphics/GeneratedImage.cpp', '../third_party/WebKit/WebCore/platform/graphics/GeneratedImage.h', '../third_party/WebKit/WebCore/platform/graphics/Generator.h', '../third_party/WebKit/WebCore/platform/graphics/GlyphBuffer.h', '../third_party/WebKit/WebCore/platform/graphics/GlyphPageTreeNode.cpp', '../third_party/WebKit/WebCore/platform/graphics/GlyphPageTreeNode.h', '../third_party/WebKit/WebCore/platform/graphics/GlyphWidthMap.cpp', '../third_party/WebKit/WebCore/platform/graphics/GlyphWidthMap.h', '../third_party/WebKit/WebCore/platform/graphics/Gradient.cpp', '../third_party/WebKit/WebCore/platform/graphics/Gradient.h', '../third_party/WebKit/WebCore/platform/graphics/GraphicsContext.cpp', '../third_party/WebKit/WebCore/platform/graphics/GraphicsContext.h', '../third_party/WebKit/WebCore/platform/graphics/GraphicsContextPrivate.h', '../third_party/WebKit/WebCore/platform/graphics/GraphicsLayer.cpp', '../third_party/WebKit/WebCore/platform/graphics/GraphicsLayer.h', '../third_party/WebKit/WebCore/platform/graphics/GraphicsLayerClient.h', '../third_party/WebKit/WebCore/platform/graphics/GraphicsTypes.cpp', '../third_party/WebKit/WebCore/platform/graphics/GraphicsTypes.h', '../third_party/WebKit/WebCore/platform/graphics/Icon.h', '../third_party/WebKit/WebCore/platform/graphics/Image.cpp', '../third_party/WebKit/WebCore/platform/graphics/Image.h', '../third_party/WebKit/WebCore/platform/graphics/ImageBuffer.h', '../third_party/WebKit/WebCore/platform/graphics/ImageObserver.h', '../third_party/WebKit/WebCore/platform/graphics/ImageSource.h', '../third_party/WebKit/WebCore/platform/graphics/IntPoint.h', '../third_party/WebKit/WebCore/platform/graphics/IntRect.cpp', '../third_party/WebKit/WebCore/platform/graphics/IntRect.h', '../third_party/WebKit/WebCore/platform/graphics/IntSize.h', '../third_party/WebKit/WebCore/platform/graphics/IntSizeHash.h', '../third_party/WebKit/WebCore/platform/graphics/MediaPlayer.cpp', '../third_party/WebKit/WebCore/platform/graphics/MediaPlayer.h', '../third_party/WebKit/WebCore/platform/graphics/MediaPlayerPrivate.h', '../third_party/WebKit/WebCore/platform/graphics/Path.cpp', '../third_party/WebKit/WebCore/platform/graphics/Path.h', '../third_party/WebKit/WebCore/platform/graphics/PathTraversalState.cpp', '../third_party/WebKit/WebCore/platform/graphics/PathTraversalState.h', '../third_party/WebKit/WebCore/platform/graphics/Pattern.cpp', '../third_party/WebKit/WebCore/platform/graphics/Pattern.h', '../third_party/WebKit/WebCore/platform/graphics/Pen.cpp', '../third_party/WebKit/WebCore/platform/graphics/Pen.h', '../third_party/WebKit/WebCore/platform/graphics/SegmentedFontData.cpp', '../third_party/WebKit/WebCore/platform/graphics/SegmentedFontData.h', '../third_party/WebKit/WebCore/platform/graphics/SimpleFontData.cpp', '../third_party/WebKit/WebCore/platform/graphics/SimpleFontData.h', '../third_party/WebKit/WebCore/platform/graphics/StringTruncator.cpp', '../third_party/WebKit/WebCore/platform/graphics/StringTruncator.h', '../third_party/WebKit/WebCore/platform/graphics/StrokeStyleApplier.h', '../third_party/WebKit/WebCore/platform/graphics/TextRun.h', '../third_party/WebKit/WebCore/platform/graphics/UnitBezier.h', '../third_party/WebKit/WebCore/platform/graphics/WidthIterator.cpp', '../third_party/WebKit/WebCore/platform/graphics/WidthIterator.h', '../third_party/WebKit/WebCore/platform/gtk/ClipboardGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/ClipboardGtk.h', '../third_party/WebKit/WebCore/platform/gtk/ContextMenuGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/ContextMenuItemGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/CursorGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/CursorGtk.h', '../third_party/WebKit/WebCore/platform/gtk/DragDataGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/DragImageGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/EventLoopGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/FileChooserGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/FileSystemGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/GeolocationServiceGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/GeolocationServiceGtk.h', '../third_party/WebKit/WebCore/platform/gtk/KURLGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/KeyEventGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/KeyboardCodes.h', '../third_party/WebKit/WebCore/platform/gtk/Language.cpp', '../third_party/WebKit/WebCore/platform/gtk/LocalizedStringsGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/LoggingGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/MIMETypeRegistryGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/MouseEventGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/PasteboardGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/PasteboardHelper.h', '../third_party/WebKit/WebCore/platform/gtk/PlatformScreenGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/PopupMenuGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/RenderThemeGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/RenderThemeGtk.h', '../third_party/WebKit/WebCore/platform/gtk/ScrollViewGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/ScrollbarGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/ScrollbarGtk.h', '../third_party/WebKit/WebCore/platform/gtk/ScrollbarThemeGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/ScrollbarThemeGtk.h', '../third_party/WebKit/WebCore/platform/gtk/SearchPopupMenuGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/SharedBufferGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/SharedTimerGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/SoundGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/TemporaryLinkStubs.cpp', '../third_party/WebKit/WebCore/platform/gtk/WheelEventGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/WidgetGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/gtkdrawing.h', '../third_party/WebKit/WebCore/platform/gtk/guriescape.h', '../third_party/WebKit/WebCore/platform/image-decoders/ImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageReader.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageReader.h', '../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageReader.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageReader.h', '../third_party/WebKit/WebCore/platform/image-decoders/ico/ICOImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/ico/ICOImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/jpeg/JPEGImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/jpeg/JPEGImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/png/PNGImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/png/PNGImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/xbm/XBMImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/xbm/XBMImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/crc32.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/deflate.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/inffast.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/inffixed.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/inflate.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/inftrees.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/mozzconf.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/trees.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/zconf.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/zlib.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/zutil.h', '../third_party/WebKit/WebCore/platform/image-decoders/skia/ImageDecoderSkia.cpp', '../third_party/WebKit/WebCore/platform/image-encoders/skia/PNGImageEncoder.cpp', '../third_party/WebKit/WebCore/platform/image-encoders/skia/PNGImageEncoder.h', '../third_party/WebKit/WebCore/platform/mac/AutodrainedPool.mm', '../third_party/WebKit/WebCore/platform/mac/BlockExceptions.h', '../third_party/WebKit/WebCore/platform/mac/BlockExceptions.mm', '../third_party/WebKit/WebCore/platform/mac/ClipboardMac.h', '../third_party/WebKit/WebCore/platform/mac/ClipboardMac.mm', '../third_party/WebKit/WebCore/platform/mac/ContextMenuItemMac.mm', '../third_party/WebKit/WebCore/platform/mac/ContextMenuMac.mm', '../third_party/WebKit/WebCore/platform/mac/CookieJar.mm', '../third_party/WebKit/WebCore/platform/mac/CursorMac.mm', '../third_party/WebKit/WebCore/platform/mac/DragDataMac.mm', '../third_party/WebKit/WebCore/platform/mac/DragImageMac.mm', '../third_party/WebKit/WebCore/platform/mac/EventLoopMac.mm', '../third_party/WebKit/WebCore/platform/mac/FileChooserMac.mm', '../third_party/WebKit/WebCore/platform/mac/FileSystemMac.mm', '../third_party/WebKit/WebCore/platform/mac/FoundationExtras.h', '../third_party/WebKit/WebCore/platform/mac/KURLMac.mm', '../third_party/WebKit/WebCore/platform/mac/KeyEventMac.mm', '../third_party/WebKit/WebCore/platform/mac/Language.mm', '../third_party/WebKit/WebCore/platform/mac/LocalCurrentGraphicsContext.h', '../third_party/WebKit/WebCore/platform/mac/LocalCurrentGraphicsContext.mm', '../third_party/WebKit/WebCore/platform/mac/LocalizedStringsMac.mm', '../third_party/WebKit/WebCore/platform/mac/LoggingMac.mm', '../third_party/WebKit/WebCore/platform/mac/MIMETypeRegistryMac.mm', '../third_party/WebKit/WebCore/platform/mac/PasteboardHelper.h', '../third_party/WebKit/WebCore/platform/mac/PasteboardMac.mm', '../third_party/WebKit/WebCore/platform/mac/PlatformMouseEventMac.mm', '../third_party/WebKit/WebCore/platform/mac/PlatformScreenMac.mm', '../third_party/WebKit/WebCore/platform/mac/PopupMenuMac.mm', '../third_party/WebKit/WebCore/platform/mac/PurgeableBufferMac.cpp', '../third_party/WebKit/WebCore/platform/mac/SSLKeyGeneratorMac.mm', '../third_party/WebKit/WebCore/platform/mac/SchedulePairMac.mm', '../third_party/WebKit/WebCore/platform/mac/ScrollViewMac.mm', '../third_party/WebKit/WebCore/platform/mac/ScrollbarThemeMac.h', '../third_party/WebKit/WebCore/platform/mac/ScrollbarThemeMac.mm', '../third_party/WebKit/WebCore/platform/mac/SearchPopupMenuMac.mm', '../third_party/WebKit/WebCore/platform/mac/SharedBufferMac.mm', '../third_party/WebKit/WebCore/platform/mac/SharedTimerMac.mm', '../third_party/WebKit/WebCore/platform/mac/SoftLinking.h', '../third_party/WebKit/WebCore/platform/mac/SoundMac.mm', '../third_party/WebKit/WebCore/platform/mac/SystemTimeMac.cpp', '../third_party/WebKit/WebCore/platform/mac/ThemeMac.h', '../third_party/WebKit/WebCore/platform/mac/ThemeMac.mm', '../third_party/WebKit/WebCore/platform/mac/ThreadCheck.mm', '../third_party/WebKit/WebCore/platform/mac/WebCoreKeyGenerator.h', '../third_party/WebKit/WebCore/platform/mac/WebCoreKeyGenerator.m', '../third_party/WebKit/WebCore/platform/mac/WebCoreNSStringExtras.h', '../third_party/WebKit/WebCore/platform/mac/WebCoreNSStringExtras.mm', '../third_party/WebKit/WebCore/platform/mac/WebCoreObjCExtras.h', '../third_party/WebKit/WebCore/platform/mac/WebCoreObjCExtras.mm', '../third_party/WebKit/WebCore/platform/mac/WebCoreSystemInterface.h', '../third_party/WebKit/WebCore/platform/mac/WebCoreSystemInterface.mm', '../third_party/WebKit/WebCore/platform/mac/WebCoreView.h', '../third_party/WebKit/WebCore/platform/mac/WebCoreView.m', '../third_party/WebKit/WebCore/platform/mac/WebFontCache.h', '../third_party/WebKit/WebCore/platform/mac/WebFontCache.mm', '../third_party/WebKit/WebCore/platform/mac/WheelEventMac.mm', '../third_party/WebKit/WebCore/platform/mac/WidgetMac.mm', '../third_party/WebKit/WebCore/platform/network/cf/AuthenticationCF.cpp', '../third_party/WebKit/WebCore/platform/network/cf/AuthenticationCF.h', '../third_party/WebKit/WebCore/platform/network/cf/AuthenticationChallenge.h', '../third_party/WebKit/WebCore/platform/network/cf/DNSCFNet.cpp', '../third_party/WebKit/WebCore/platform/network/cf/FormDataStreamCFNet.cpp', '../third_party/WebKit/WebCore/platform/network/cf/FormDataStreamCFNet.h', '../third_party/WebKit/WebCore/platform/network/cf/ResourceError.h', '../third_party/WebKit/WebCore/platform/network/cf/ResourceErrorCF.cpp', '../third_party/WebKit/WebCore/platform/network/cf/ResourceHandleCFNet.cpp', '../third_party/WebKit/WebCore/platform/network/cf/ResourceRequest.h', '../third_party/WebKit/WebCore/platform/network/cf/ResourceRequestCFNet.cpp', '../third_party/WebKit/WebCore/platform/network/cf/ResourceRequestCFNet.h', '../third_party/WebKit/WebCore/platform/network/cf/ResourceResponse.h', '../third_party/WebKit/WebCore/platform/network/cf/ResourceResponseCFNet.cpp', '../third_party/WebKit/WebCore/platform/network/cf/ResourceResponseCFNet.h', '../third_party/WebKit/WebCore/platform/network/chromium/AuthenticationChallenge.h', '../third_party/WebKit/WebCore/platform/network/chromium/AuthenticationChallengeChromium.cpp', '../third_party/WebKit/WebCore/platform/network/chromium/CookieJarChromium.cpp', '../third_party/WebKit/WebCore/platform/network/chromium/DNSChromium.cpp', '../third_party/WebKit/WebCore/platform/network/chromium/NetworkStateNotifierChromium.cpp', '../third_party/WebKit/WebCore/platform/network/chromium/NetworkStateNotifierPrivate.h', '../third_party/WebKit/WebCore/platform/network/chromium/ResourceError.h', '../third_party/WebKit/WebCore/platform/network/chromium/ResourceRequest.h', '../third_party/WebKit/WebCore/platform/network/chromium/ResourceResponse.h', '../third_party/WebKit/WebCore/platform/network/curl/AuthenticationChallenge.h', '../third_party/WebKit/WebCore/platform/network/curl/CookieJarCurl.cpp', '../third_party/WebKit/WebCore/platform/network/curl/DNSCurl.cpp', '../third_party/WebKit/WebCore/platform/network/curl/FormDataStreamCurl.cpp', '../third_party/WebKit/WebCore/platform/network/curl/FormDataStreamCurl.h', '../third_party/WebKit/WebCore/platform/network/curl/ResourceError.h', '../third_party/WebKit/WebCore/platform/network/curl/ResourceHandleCurl.cpp', '../third_party/WebKit/WebCore/platform/network/curl/ResourceHandleManager.cpp', '../third_party/WebKit/WebCore/platform/network/curl/ResourceHandleManager.h', '../third_party/WebKit/WebCore/platform/network/curl/ResourceRequest.h', '../third_party/WebKit/WebCore/platform/network/curl/ResourceResponse.h', '../third_party/WebKit/WebCore/platform/network/mac/AuthenticationChallenge.h', '../third_party/WebKit/WebCore/platform/network/mac/AuthenticationMac.h', '../third_party/WebKit/WebCore/platform/network/mac/AuthenticationMac.mm', '../third_party/WebKit/WebCore/platform/network/mac/FormDataStreamMac.h', '../third_party/WebKit/WebCore/platform/network/mac/FormDataStreamMac.mm', '../third_party/WebKit/WebCore/platform/network/mac/NetworkStateNotifierMac.cpp', '../third_party/WebKit/WebCore/platform/network/mac/ResourceError.h', '../third_party/WebKit/WebCore/platform/network/mac/ResourceErrorMac.mm', '../third_party/WebKit/WebCore/platform/network/mac/ResourceHandleMac.mm', '../third_party/WebKit/WebCore/platform/network/mac/ResourceRequest.h', '../third_party/WebKit/WebCore/platform/network/mac/ResourceRequestMac.mm', '../third_party/WebKit/WebCore/platform/network/mac/ResourceResponse.h', '../third_party/WebKit/WebCore/platform/network/mac/ResourceResponseMac.mm', '../third_party/WebKit/WebCore/platform/network/mac/WebCoreURLResponse.h', '../third_party/WebKit/WebCore/platform/network/mac/WebCoreURLResponse.mm', '../third_party/WebKit/WebCore/platform/network/qt/AuthenticationChallenge.h', '../third_party/WebKit/WebCore/platform/network/qt/QNetworkReplyHandler.cpp', '../third_party/WebKit/WebCore/platform/network/qt/QNetworkReplyHandler.h', '../third_party/WebKit/WebCore/platform/network/qt/ResourceError.h', '../third_party/WebKit/WebCore/platform/network/qt/ResourceHandleQt.cpp', '../third_party/WebKit/WebCore/platform/network/qt/ResourceRequest.h', '../third_party/WebKit/WebCore/platform/network/qt/ResourceRequestQt.cpp', '../third_party/WebKit/WebCore/platform/network/qt/ResourceResponse.h', '../third_party/WebKit/WebCore/platform/network/soup/AuthenticationChallenge.h', '../third_party/WebKit/WebCore/platform/network/soup/CookieJarSoup.cpp', '../third_party/WebKit/WebCore/platform/network/soup/CookieJarSoup.h', '../third_party/WebKit/WebCore/platform/network/soup/DNSSoup.cpp', '../third_party/WebKit/WebCore/platform/network/soup/ResourceError.h', '../third_party/WebKit/WebCore/platform/network/soup/ResourceHandleSoup.cpp', '../third_party/WebKit/WebCore/platform/network/soup/ResourceRequest.h', '../third_party/WebKit/WebCore/platform/network/soup/ResourceResponse.h', '../third_party/WebKit/WebCore/platform/network/soup/webkit-soup-auth-dialog.c', '../third_party/WebKit/WebCore/platform/network/soup/webkit-soup-auth-dialog.h', '../third_party/WebKit/WebCore/platform/network/win/CookieJarCFNetWin.cpp', '../third_party/WebKit/WebCore/platform/network/win/CookieJarWin.cpp', '../third_party/WebKit/WebCore/platform/network/win/CookieStorageWin.cpp', '../third_party/WebKit/WebCore/platform/network/win/CookieStorageWin.h', '../third_party/WebKit/WebCore/platform/network/win/NetworkStateNotifierWin.cpp', '../third_party/WebKit/WebCore/platform/network/win/ResourceHandleWin.cpp', '../third_party/WebKit/WebCore/platform/network/win/ResourceHandleWin.h', '../third_party/WebKit/WebCore/platform/network/AuthenticationChallengeBase.cpp', '../third_party/WebKit/WebCore/platform/network/AuthenticationChallengeBase.h', '../third_party/WebKit/WebCore/platform/network/Credential.cpp', '../third_party/WebKit/WebCore/platform/network/Credential.h', '../third_party/WebKit/WebCore/platform/network/DNS.h', '../third_party/WebKit/WebCore/platform/network/FormData.cpp', '../third_party/WebKit/WebCore/platform/network/FormData.h', '../third_party/WebKit/WebCore/platform/network/FormDataBuilder.cpp', '../third_party/WebKit/WebCore/platform/network/FormDataBuilder.h', '../third_party/WebKit/WebCore/platform/network/HTTPHeaderMap.cpp', '../third_party/WebKit/WebCore/platform/network/HTTPHeaderMap.h', '../third_party/WebKit/WebCore/platform/network/HTTPParsers.cpp', '../third_party/WebKit/WebCore/platform/network/HTTPParsers.h', '../third_party/WebKit/WebCore/platform/network/NetworkStateNotifier.cpp', '../third_party/WebKit/WebCore/platform/network/NetworkStateNotifier.h', '../third_party/WebKit/WebCore/platform/network/ProtectionSpace.cpp', '../third_party/WebKit/WebCore/platform/network/ProtectionSpace.h', '../third_party/WebKit/WebCore/platform/network/ResourceErrorBase.cpp', '../third_party/WebKit/WebCore/platform/network/ResourceErrorBase.h', '../third_party/WebKit/WebCore/platform/network/ResourceHandleClient.h', '../third_party/WebKit/WebCore/platform/network/ResourceHandleInternal.h', '../third_party/WebKit/WebCore/platform/network/ResourceRequestBase.cpp', '../third_party/WebKit/WebCore/platform/network/ResourceRequestBase.h', '../third_party/WebKit/WebCore/platform/network/ResourceResponseBase.cpp', '../third_party/WebKit/WebCore/platform/network/ResourceResponseBase.h', '../third_party/WebKit/WebCore/platform/posix/FileSystemPOSIX.cpp', '../third_party/WebKit/WebCore/platform/qt/ClipboardQt.cpp', '../third_party/WebKit/WebCore/platform/qt/ClipboardQt.h', '../third_party/WebKit/WebCore/platform/qt/ContextMenuItemQt.cpp', '../third_party/WebKit/WebCore/platform/qt/ContextMenuQt.cpp', '../third_party/WebKit/WebCore/platform/qt/CookieJarQt.cpp', '../third_party/WebKit/WebCore/platform/qt/CursorQt.cpp', '../third_party/WebKit/WebCore/platform/qt/DragDataQt.cpp', '../third_party/WebKit/WebCore/platform/qt/DragImageQt.cpp', '../third_party/WebKit/WebCore/platform/qt/EventLoopQt.cpp', '../third_party/WebKit/WebCore/platform/qt/FileChooserQt.cpp', '../third_party/WebKit/WebCore/platform/qt/FileSystemQt.cpp', '../third_party/WebKit/WebCore/platform/qt/KURLQt.cpp', '../third_party/WebKit/WebCore/platform/qt/KeyboardCodes.h', '../third_party/WebKit/WebCore/platform/qt/Localizations.cpp', '../third_party/WebKit/WebCore/platform/qt/LoggingQt.cpp', '../third_party/WebKit/WebCore/platform/qt/MIMETypeRegistryQt.cpp', '../third_party/WebKit/WebCore/platform/qt/MenuEventProxy.h', '../third_party/WebKit/WebCore/platform/qt/PasteboardQt.cpp', '../third_party/WebKit/WebCore/platform/qt/PlatformKeyboardEventQt.cpp', '../third_party/WebKit/WebCore/platform/qt/PlatformMouseEventQt.cpp', '../third_party/WebKit/WebCore/platform/qt/PlatformScreenQt.cpp', '../third_party/WebKit/WebCore/platform/qt/PopupMenuQt.cpp', '../third_party/WebKit/WebCore/platform/qt/QWebPopup.cpp', '../third_party/WebKit/WebCore/platform/qt/QWebPopup.h', '../third_party/WebKit/WebCore/platform/qt/RenderThemeQt.cpp', '../third_party/WebKit/WebCore/platform/qt/RenderThemeQt.h', '../third_party/WebKit/WebCore/platform/qt/ScreenQt.cpp', '../third_party/WebKit/WebCore/platform/qt/ScrollViewQt.cpp', '../third_party/WebKit/WebCore/platform/qt/ScrollbarQt.cpp', '../third_party/WebKit/WebCore/platform/qt/ScrollbarThemeQt.cpp', '../third_party/WebKit/WebCore/platform/qt/ScrollbarThemeQt.h', '../third_party/WebKit/WebCore/platform/qt/SearchPopupMenuQt.cpp', '../third_party/WebKit/WebCore/platform/qt/SharedBufferQt.cpp', '../third_party/WebKit/WebCore/platform/qt/SharedTimerQt.cpp', '../third_party/WebKit/WebCore/platform/qt/SoundQt.cpp', '../third_party/WebKit/WebCore/platform/qt/TemporaryLinkStubs.cpp', '../third_party/WebKit/WebCore/platform/qt/WheelEventQt.cpp', '../third_party/WebKit/WebCore/platform/qt/WidgetQt.cpp', '../third_party/WebKit/WebCore/platform/sql/SQLValue.cpp', '../third_party/WebKit/WebCore/platform/sql/SQLValue.h', '../third_party/WebKit/WebCore/platform/sql/SQLiteAuthorizer.cpp', '../third_party/WebKit/WebCore/platform/sql/SQLiteDatabase.cpp', '../third_party/WebKit/WebCore/platform/sql/SQLiteDatabase.h', '../third_party/WebKit/WebCore/platform/sql/SQLiteFileSystem.h', '../third_party/WebKit/WebCore/platform/sql/SQLiteFileSystem.cpp', '../third_party/WebKit/WebCore/platform/sql/SQLiteStatement.cpp', '../third_party/WebKit/WebCore/platform/sql/SQLiteStatement.h', '../third_party/WebKit/WebCore/platform/sql/SQLiteTransaction.cpp', '../third_party/WebKit/WebCore/platform/sql/SQLiteTransaction.h', '../third_party/WebKit/WebCore/platform/symbian/FloatPointSymbian.cpp', '../third_party/WebKit/WebCore/platform/symbian/FloatRectSymbian.cpp', '../third_party/WebKit/WebCore/platform/symbian/IntPointSymbian.cpp', '../third_party/WebKit/WebCore/platform/symbian/IntRectSymbian.cpp', '../third_party/WebKit/WebCore/platform/symbian/IntSizeSymbian.cpp', '../third_party/WebKit/WebCore/platform/text/cf/StringCF.cpp', '../third_party/WebKit/WebCore/platform/text/cf/StringImplCF.cpp', '../third_party/WebKit/WebCore/platform/text/chromium/TextBreakIteratorInternalICUChromium.cpp', '../third_party/WebKit/WebCore/platform/text/gtk/TextBreakIteratorInternalICUGtk.cpp', '../third_party/WebKit/WebCore/platform/text/mac/CharsetData.h', '../third_party/WebKit/WebCore/platform/text/mac/ShapeArabic.c', '../third_party/WebKit/WebCore/platform/text/mac/ShapeArabic.h', '../third_party/WebKit/WebCore/platform/text/mac/StringImplMac.mm', '../third_party/WebKit/WebCore/platform/text/mac/StringMac.mm', '../third_party/WebKit/WebCore/platform/text/mac/TextBoundaries.mm', '../third_party/WebKit/WebCore/platform/text/mac/TextBreakIteratorInternalICUMac.mm', '../third_party/WebKit/WebCore/platform/text/mac/TextCodecMac.cpp', '../third_party/WebKit/WebCore/platform/text/mac/TextCodecMac.h', '../third_party/WebKit/WebCore/platform/text/qt/StringQt.cpp', '../third_party/WebKit/WebCore/platform/text/qt/TextBoundaries.cpp', '../third_party/WebKit/WebCore/platform/text/qt/TextBreakIteratorQt.cpp', '../third_party/WebKit/WebCore/platform/text/qt/TextCodecQt.cpp', '../third_party/WebKit/WebCore/platform/text/qt/TextCodecQt.h', '../third_party/WebKit/WebCore/platform/text/symbian/StringImplSymbian.cpp', '../third_party/WebKit/WebCore/platform/text/symbian/StringSymbian.cpp', '../third_party/WebKit/WebCore/platform/text/win/TextBreakIteratorInternalICUWin.cpp', '../third_party/WebKit/WebCore/platform/text/wx/StringWx.cpp', '../third_party/WebKit/WebCore/platform/text/AtomicString.cpp', '../third_party/WebKit/WebCore/platform/text/AtomicString.h', '../third_party/WebKit/WebCore/platform/text/AtomicStringHash.h', '../third_party/WebKit/WebCore/platform/text/AtomicStringImpl.h', '../third_party/WebKit/WebCore/platform/text/Base64.cpp', '../third_party/WebKit/WebCore/platform/text/Base64.h', '../third_party/WebKit/WebCore/platform/text/BidiContext.cpp', '../third_party/WebKit/WebCore/platform/text/BidiContext.h', '../third_party/WebKit/WebCore/platform/text/BidiResolver.h', '../third_party/WebKit/WebCore/platform/text/CString.cpp', '../third_party/WebKit/WebCore/platform/text/CString.h', '../third_party/WebKit/WebCore/platform/text/CharacterNames.h', '../third_party/WebKit/WebCore/platform/text/ParserUtilities.h', '../third_party/WebKit/WebCore/platform/text/PlatformString.h', '../third_party/WebKit/WebCore/platform/text/RegularExpression.cpp', '../third_party/WebKit/WebCore/platform/text/RegularExpression.h', '../third_party/WebKit/WebCore/platform/text/SegmentedString.cpp', '../third_party/WebKit/WebCore/platform/text/SegmentedString.h', '../third_party/WebKit/WebCore/platform/text/String.cpp', '../third_party/WebKit/WebCore/platform/text/StringBuffer.h', '../third_party/WebKit/WebCore/platform/text/StringBuilder.cpp', '../third_party/WebKit/WebCore/platform/text/StringBuilder.h', '../third_party/WebKit/WebCore/platform/text/StringHash.h', '../third_party/WebKit/WebCore/platform/text/StringImpl.cpp', '../third_party/WebKit/WebCore/platform/text/StringImpl.h', '../third_party/WebKit/WebCore/platform/text/TextBoundaries.h', '../third_party/WebKit/WebCore/platform/text/TextBoundariesICU.cpp', '../third_party/WebKit/WebCore/platform/text/TextBreakIterator.h', '../third_party/WebKit/WebCore/platform/text/TextBreakIteratorICU.cpp', '../third_party/WebKit/WebCore/platform/text/TextBreakIteratorInternalICU.h', '../third_party/WebKit/WebCore/platform/text/TextCodec.cpp', '../third_party/WebKit/WebCore/platform/text/TextCodec.h', '../third_party/WebKit/WebCore/platform/text/TextCodecICU.cpp', '../third_party/WebKit/WebCore/platform/text/TextCodecICU.h', '../third_party/WebKit/WebCore/platform/text/TextCodecLatin1.cpp', '../third_party/WebKit/WebCore/platform/text/TextCodecLatin1.h', '../third_party/WebKit/WebCore/platform/text/TextCodecUTF16.cpp', '../third_party/WebKit/WebCore/platform/text/TextCodecUTF16.h', '../third_party/WebKit/WebCore/platform/text/TextCodecUserDefined.cpp', '../third_party/WebKit/WebCore/platform/text/TextCodecUserDefined.h', '../third_party/WebKit/WebCore/platform/text/TextDirection.h', '../third_party/WebKit/WebCore/platform/text/TextEncoding.cpp', '../third_party/WebKit/WebCore/platform/text/TextEncoding.h', '../third_party/WebKit/WebCore/platform/text/TextEncodingDetector.h', '../third_party/WebKit/WebCore/platform/text/TextEncodingDetectorICU.cpp', '../third_party/WebKit/WebCore/platform/text/TextEncodingRegistry.cpp', '../third_party/WebKit/WebCore/platform/text/TextEncodingRegistry.h', '../third_party/WebKit/WebCore/platform/text/TextStream.cpp', '../third_party/WebKit/WebCore/platform/text/TextStream.h', '../third_party/WebKit/WebCore/platform/text/UnicodeRange.cpp', '../third_party/WebKit/WebCore/platform/text/UnicodeRange.h', '../third_party/WebKit/WebCore/platform/win/BString.cpp', '../third_party/WebKit/WebCore/platform/win/BString.h', '../third_party/WebKit/WebCore/platform/win/COMPtr.h', '../third_party/WebKit/WebCore/platform/win/ClipboardUtilitiesWin.cpp', '../third_party/WebKit/WebCore/platform/win/ClipboardUtilitiesWin.h', '../third_party/WebKit/WebCore/platform/win/ClipboardWin.cpp', '../third_party/WebKit/WebCore/platform/win/ClipboardWin.h', '../third_party/WebKit/WebCore/platform/win/ContextMenuItemWin.cpp', '../third_party/WebKit/WebCore/platform/win/ContextMenuWin.cpp', '../third_party/WebKit/WebCore/platform/win/CursorWin.cpp', '../third_party/WebKit/WebCore/platform/win/DragDataWin.cpp', '../third_party/WebKit/WebCore/platform/win/DragImageCGWin.cpp', '../third_party/WebKit/WebCore/platform/win/DragImageCairoWin.cpp', '../third_party/WebKit/WebCore/platform/win/DragImageWin.cpp', '../third_party/WebKit/WebCore/platform/win/EditorWin.cpp', '../third_party/WebKit/WebCore/platform/win/EventLoopWin.cpp', '../third_party/WebKit/WebCore/platform/win/FileChooserWin.cpp', '../third_party/WebKit/WebCore/platform/win/FileSystemWin.cpp', '../third_party/WebKit/WebCore/platform/win/GDIObjectCounter.cpp', '../third_party/WebKit/WebCore/platform/win/GDIObjectCounter.h', '../third_party/WebKit/WebCore/platform/win/KeyEventWin.cpp', '../third_party/WebKit/WebCore/platform/win/Language.cpp', '../third_party/WebKit/WebCore/platform/win/LoggingWin.cpp', '../third_party/WebKit/WebCore/platform/win/MIMETypeRegistryWin.cpp', '../third_party/WebKit/WebCore/platform/win/PasteboardWin.cpp', '../third_party/WebKit/WebCore/platform/win/PlatformMouseEventWin.cpp', '../third_party/WebKit/WebCore/platform/win/PlatformScreenWin.cpp', '../third_party/WebKit/WebCore/platform/win/PlatformScrollBar.h', '../third_party/WebKit/WebCore/platform/win/PlatformScrollBarWin.cpp', '../third_party/WebKit/WebCore/platform/win/PopupMenuWin.cpp', '../third_party/WebKit/WebCore/platform/win/ScrollbarThemeSafari.cpp', '../third_party/WebKit/WebCore/platform/win/ScrollbarThemeSafari.h', '../third_party/WebKit/WebCore/platform/win/ScrollbarThemeWin.cpp', '../third_party/WebKit/WebCore/platform/win/ScrollbarThemeWin.h', '../third_party/WebKit/WebCore/platform/win/SearchPopupMenuWin.cpp', '../third_party/WebKit/WebCore/platform/win/SharedBufferWin.cpp', '../third_party/WebKit/WebCore/platform/win/SharedTimerWin.cpp', '../third_party/WebKit/WebCore/platform/win/SoftLinking.h', '../third_party/WebKit/WebCore/platform/win/SoundWin.cpp', '../third_party/WebKit/WebCore/platform/win/SystemTimeWin.cpp', '../third_party/WebKit/WebCore/platform/win/TemporaryLinkStubs.cpp', '../third_party/WebKit/WebCore/platform/win/WCDataObject.cpp', '../third_party/WebKit/WebCore/platform/win/WCDataObject.h', '../third_party/WebKit/WebCore/platform/win/WebCoreTextRenderer.cpp', '../third_party/WebKit/WebCore/platform/win/WebCoreTextRenderer.h', '../third_party/WebKit/WebCore/platform/win/WheelEventWin.cpp', '../third_party/WebKit/WebCore/platform/win/WidgetWin.cpp', '../third_party/WebKit/WebCore/platform/win/WindowMessageBroadcaster.cpp', '../third_party/WebKit/WebCore/platform/win/WindowMessageBroadcaster.h', '../third_party/WebKit/WebCore/platform/win/WindowMessageListener.h', '../third_party/WebKit/WebCore/platform/wx/wxcode/gtk/fontprops.cpp', '../third_party/WebKit/WebCore/platform/wx/wxcode/gtk/non-kerned-drawing.cpp', '../third_party/WebKit/WebCore/platform/wx/wxcode/mac/carbon/fontprops.cpp', '../third_party/WebKit/WebCore/platform/wx/wxcode/mac/carbon/non-kerned-drawing.cpp', '../third_party/WebKit/WebCore/platform/wx/wxcode/win/fontprops.cpp', '../third_party/WebKit/WebCore/platform/wx/wxcode/win/non-kerned-drawing.cpp', '../third_party/WebKit/WebCore/platform/wx/wxcode/fontprops.cpp', '../third_party/WebKit/WebCore/platform/wx/wxcode/fontprops.h', '../third_party/WebKit/WebCore/platform/wx/wxcode/non-kerned-drawing.h', '../third_party/WebKit/WebCore/platform/wx/ClipboardWx.cpp', '../third_party/WebKit/WebCore/platform/wx/ClipboardWx.h', '../third_party/WebKit/WebCore/platform/wx/ContextMenuItemWx.cpp', '../third_party/WebKit/WebCore/platform/wx/ContextMenuWx.cpp', '../third_party/WebKit/WebCore/platform/wx/CursorWx.cpp', '../third_party/WebKit/WebCore/platform/wx/DragDataWx.cpp', '../third_party/WebKit/WebCore/platform/wx/DragImageWx.cpp', '../third_party/WebKit/WebCore/platform/wx/EventLoopWx.cpp', '../third_party/WebKit/WebCore/platform/wx/FileSystemWx.cpp', '../third_party/WebKit/WebCore/platform/wx/KeyEventWin.cpp', '../third_party/WebKit/WebCore/platform/wx/KeyboardCodes.h', '../third_party/WebKit/WebCore/platform/wx/KeyboardEventWx.cpp', '../third_party/WebKit/WebCore/platform/wx/LocalizedStringsWx.cpp', '../third_party/WebKit/WebCore/platform/wx/LoggingWx.cpp', '../third_party/WebKit/WebCore/platform/wx/MimeTypeRegistryWx.cpp', '../third_party/WebKit/WebCore/platform/wx/MouseEventWx.cpp', '../third_party/WebKit/WebCore/platform/wx/MouseWheelEventWx.cpp', '../third_party/WebKit/WebCore/platform/wx/PasteboardWx.cpp', '../third_party/WebKit/WebCore/platform/wx/PopupMenuWx.cpp', '../third_party/WebKit/WebCore/platform/wx/RenderThemeWx.cpp', '../third_party/WebKit/WebCore/platform/wx/ScreenWx.cpp', '../third_party/WebKit/WebCore/platform/wx/ScrollViewWx.cpp', '../third_party/WebKit/WebCore/platform/wx/SharedTimerWx.cpp', '../third_party/WebKit/WebCore/platform/wx/SoundWx.cpp', '../third_party/WebKit/WebCore/platform/wx/TemporaryLinkStubs.cpp', '../third_party/WebKit/WebCore/platform/wx/WidgetWx.cpp', '../third_party/WebKit/WebCore/platform/Arena.cpp', '../third_party/WebKit/WebCore/platform/Arena.h', '../third_party/WebKit/WebCore/platform/AutodrainedPool.h', '../third_party/WebKit/WebCore/platform/ContentType.cpp', '../third_party/WebKit/WebCore/platform/ContentType.h', '../third_party/WebKit/WebCore/platform/ContextMenu.cpp', '../third_party/WebKit/WebCore/platform/ContextMenu.h', '../third_party/WebKit/WebCore/platform/ContextMenuItem.h', '../third_party/WebKit/WebCore/platform/CookieJar.h', '../third_party/WebKit/WebCore/platform/CrossThreadCopier.h', '../third_party/WebKit/WebCore/platform/CrossThreadCopier.cpp', '../third_party/WebKit/WebCore/platform/Cursor.h', '../third_party/WebKit/WebCore/platform/DeprecatedPtrList.h', '../third_party/WebKit/WebCore/platform/DeprecatedPtrListImpl.cpp', '../third_party/WebKit/WebCore/platform/DeprecatedPtrListImpl.h', '../third_party/WebKit/WebCore/platform/DragData.cpp', '../third_party/WebKit/WebCore/platform/DragData.h', '../third_party/WebKit/WebCore/platform/DragImage.cpp', '../third_party/WebKit/WebCore/platform/DragImage.h', '../third_party/WebKit/WebCore/platform/EventLoop.h', '../third_party/WebKit/WebCore/platform/FileChooser.cpp', '../third_party/WebKit/WebCore/platform/FileChooser.h', '../third_party/WebKit/WebCore/platform/FileSystem.h', '../third_party/WebKit/WebCore/platform/FloatConversion.h', '../third_party/WebKit/WebCore/platform/GeolocationService.cpp', '../third_party/WebKit/WebCore/platform/GeolocationService.h', '../third_party/WebKit/WebCore/platform/HostWindow.h', '../third_party/WebKit/WebCore/platform/KeyboardCodes.h', '../third_party/WebKit/WebCore/platform/KURL.cpp', '../third_party/WebKit/WebCore/platform/KURL.h', '../third_party/WebKit/WebCore/platform/KURLGoogle.cpp', '../third_party/WebKit/WebCore/platform/KURLGooglePrivate.h', '../third_party/WebKit/WebCore/platform/KURLHash.h', '../third_party/WebKit/WebCore/platform/Language.h', '../third_party/WebKit/WebCore/platform/Length.cpp', '../third_party/WebKit/WebCore/platform/Length.h', '../third_party/WebKit/WebCore/platform/LengthBox.h', '../third_party/WebKit/WebCore/platform/LengthSize.h', '../third_party/WebKit/WebCore/platform/LinkHash.cpp', '../third_party/WebKit/WebCore/platform/LinkHash.h', '../third_party/WebKit/WebCore/platform/LocalizedStrings.h', '../third_party/WebKit/WebCore/platform/Logging.cpp', '../third_party/WebKit/WebCore/platform/Logging.h', '../third_party/WebKit/WebCore/platform/MIMETypeRegistry.cpp', '../third_party/WebKit/WebCore/platform/MIMETypeRegistry.h', '../third_party/WebKit/WebCore/platform/NotImplemented.h', '../third_party/WebKit/WebCore/platform/Pasteboard.h', '../third_party/WebKit/WebCore/platform/PlatformKeyboardEvent.h', '../third_party/WebKit/WebCore/platform/PlatformMenuDescription.h', '../third_party/WebKit/WebCore/platform/PlatformMouseEvent.h', '../third_party/WebKit/WebCore/platform/PlatformScreen.h', '../third_party/WebKit/WebCore/platform/PlatformWheelEvent.h', '../third_party/WebKit/WebCore/platform/PopupMenu.h', '../third_party/WebKit/WebCore/platform/PopupMenuClient.h', '../third_party/WebKit/WebCore/platform/PopupMenuStyle.h', '../third_party/WebKit/WebCore/platform/PurgeableBuffer.h', '../third_party/WebKit/WebCore/platform/SSLKeyGenerator.h', '../third_party/WebKit/WebCore/platform/ScrollTypes.h', '../third_party/WebKit/WebCore/platform/ScrollView.cpp', '../third_party/WebKit/WebCore/platform/ScrollView.h', '../third_party/WebKit/WebCore/platform/Scrollbar.cpp', '../third_party/WebKit/WebCore/platform/Scrollbar.h', '../third_party/WebKit/WebCore/platform/ScrollbarClient.h', '../third_party/WebKit/WebCore/platform/ScrollbarTheme.h', '../third_party/WebKit/WebCore/platform/ScrollbarThemeComposite.cpp', '../third_party/WebKit/WebCore/platform/ScrollbarThemeComposite.h', '../third_party/WebKit/WebCore/platform/SearchPopupMenu.h', '../third_party/WebKit/WebCore/platform/SharedBuffer.cpp', '../third_party/WebKit/WebCore/platform/SharedBuffer.h', '../third_party/WebKit/WebCore/platform/SharedTimer.h', '../third_party/WebKit/WebCore/platform/Sound.h', '../third_party/WebKit/WebCore/platform/StaticConstructors.h', '../third_party/WebKit/WebCore/platform/SystemTime.h', '../third_party/WebKit/WebCore/platform/Theme.cpp', '../third_party/WebKit/WebCore/platform/Theme.h', '../third_party/WebKit/WebCore/platform/ThemeTypes.h', '../third_party/WebKit/WebCore/platform/ThreadCheck.h', '../third_party/WebKit/WebCore/platform/ThreadGlobalData.cpp', '../third_party/WebKit/WebCore/platform/ThreadGlobalData.h', '../third_party/WebKit/WebCore/platform/ThreadTimers.cpp', '../third_party/WebKit/WebCore/platform/ThreadTimers.h', '../third_party/WebKit/WebCore/platform/Timer.cpp', '../third_party/WebKit/WebCore/platform/Timer.h', '../third_party/WebKit/WebCore/platform/TreeShared.h', '../third_party/WebKit/WebCore/platform/Widget.cpp', '../third_party/WebKit/WebCore/platform/Widget.h', '../third_party/WebKit/WebCore/plugins/chromium/PluginDataChromium.cpp', '../third_party/WebKit/WebCore/plugins/gtk/PluginDataGtk.cpp', '../third_party/WebKit/WebCore/plugins/gtk/PluginPackageGtk.cpp', '../third_party/WebKit/WebCore/plugins/gtk/PluginViewGtk.cpp', '../third_party/WebKit/WebCore/plugins/gtk/gtk2xtbin.h', '../third_party/WebKit/WebCore/plugins/gtk/xembed.h', '../third_party/WebKit/WebCore/plugins/mac/PluginDataMac.mm', '../third_party/WebKit/WebCore/plugins/mac/PluginPackageMac.cpp', '../third_party/WebKit/WebCore/plugins/mac/PluginViewMac.cpp', '../third_party/WebKit/WebCore/plugins/qt/PluginDataQt.cpp', '../third_party/WebKit/WebCore/plugins/qt/PluginPackageQt.cpp', '../third_party/WebKit/WebCore/plugins/qt/PluginViewQt.cpp', '../third_party/WebKit/WebCore/plugins/win/PluginDataWin.cpp', '../third_party/WebKit/WebCore/plugins/win/PluginDatabaseWin.cpp', '../third_party/WebKit/WebCore/plugins/win/PluginMessageThrottlerWin.cpp', '../third_party/WebKit/WebCore/plugins/win/PluginMessageThrottlerWin.h', '../third_party/WebKit/WebCore/plugins/win/PluginPackageWin.cpp', '../third_party/WebKit/WebCore/plugins/win/PluginViewWin.cpp', '../third_party/WebKit/WebCore/plugins/wx/PluginDataWx.cpp', '../third_party/WebKit/WebCore/plugins/wx/PluginPackageWx.cpp', '../third_party/WebKit/WebCore/plugins/wx/PluginViewWx.cpp', '../third_party/WebKit/WebCore/plugins/MimeType.cpp', '../third_party/WebKit/WebCore/plugins/MimeType.h', '../third_party/WebKit/WebCore/plugins/MimeTypeArray.cpp', '../third_party/WebKit/WebCore/plugins/MimeTypeArray.h', '../third_party/WebKit/WebCore/plugins/Plugin.cpp', '../third_party/WebKit/WebCore/plugins/Plugin.h', '../third_party/WebKit/WebCore/plugins/PluginArray.cpp', '../third_party/WebKit/WebCore/plugins/PluginArray.h', '../third_party/WebKit/WebCore/plugins/PluginData.cpp', '../third_party/WebKit/WebCore/plugins/PluginData.h', '../third_party/WebKit/WebCore/plugins/PluginDatabase.cpp', '../third_party/WebKit/WebCore/plugins/PluginDatabase.h', '../third_party/WebKit/WebCore/plugins/PluginDebug.h', '../third_party/WebKit/WebCore/plugins/PluginInfoStore.cpp', '../third_party/WebKit/WebCore/plugins/PluginInfoStore.h', '../third_party/WebKit/WebCore/plugins/PluginMainThreadScheduler.cpp', '../third_party/WebKit/WebCore/plugins/PluginMainThreadScheduler.h', '../third_party/WebKit/WebCore/plugins/PluginPackage.cpp', '../third_party/WebKit/WebCore/plugins/PluginPackage.h', '../third_party/WebKit/WebCore/plugins/PluginQuirkSet.h', '../third_party/WebKit/WebCore/plugins/PluginStream.cpp', '../third_party/WebKit/WebCore/plugins/PluginStream.h', '../third_party/WebKit/WebCore/plugins/PluginView.cpp', '../third_party/WebKit/WebCore/plugins/PluginView.h', '../third_party/WebKit/WebCore/plugins/npapi.cpp', '../third_party/WebKit/WebCore/plugins/npfunctions.h', '../third_party/WebKit/WebCore/rendering/style/BindingURI.cpp', '../third_party/WebKit/WebCore/rendering/style/BindingURI.h', '../third_party/WebKit/WebCore/rendering/style/BorderData.h', '../third_party/WebKit/WebCore/rendering/style/BorderValue.h', '../third_party/WebKit/WebCore/rendering/style/CollapsedBorderValue.h', '../third_party/WebKit/WebCore/rendering/style/ContentData.cpp', '../third_party/WebKit/WebCore/rendering/style/ContentData.h', '../third_party/WebKit/WebCore/rendering/style/CounterContent.h', '../third_party/WebKit/WebCore/rendering/style/CounterDirectives.cpp', '../third_party/WebKit/WebCore/rendering/style/CounterDirectives.h', '../third_party/WebKit/WebCore/rendering/style/CursorData.h', '../third_party/WebKit/WebCore/rendering/style/CursorList.h', '../third_party/WebKit/WebCore/rendering/style/DataRef.h', '../third_party/WebKit/WebCore/rendering/style/FillLayer.cpp', '../third_party/WebKit/WebCore/rendering/style/FillLayer.h', '../third_party/WebKit/WebCore/rendering/style/KeyframeList.cpp', '../third_party/WebKit/WebCore/rendering/style/KeyframeList.h', '../third_party/WebKit/WebCore/rendering/style/NinePieceImage.cpp', '../third_party/WebKit/WebCore/rendering/style/NinePieceImage.h', '../third_party/WebKit/WebCore/rendering/style/OutlineValue.h', '../third_party/WebKit/WebCore/rendering/style/RenderStyle.cpp', '../third_party/WebKit/WebCore/rendering/style/RenderStyle.h', '../third_party/WebKit/WebCore/rendering/style/RenderStyleConstants.h', '../third_party/WebKit/WebCore/rendering/style/SVGRenderStyle.cpp', '../third_party/WebKit/WebCore/rendering/style/SVGRenderStyle.h', '../third_party/WebKit/WebCore/rendering/style/SVGRenderStyleDefs.cpp', '../third_party/WebKit/WebCore/rendering/style/SVGRenderStyleDefs.h', '../third_party/WebKit/WebCore/rendering/style/ShadowData.cpp', '../third_party/WebKit/WebCore/rendering/style/ShadowData.h', '../third_party/WebKit/WebCore/rendering/style/StyleBackgroundData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleBackgroundData.h', '../third_party/WebKit/WebCore/rendering/style/StyleBoxData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleBoxData.h', '../third_party/WebKit/WebCore/rendering/style/StyleCachedImage.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleCachedImage.h', '../third_party/WebKit/WebCore/rendering/style/StyleDashboardRegion.h', '../third_party/WebKit/WebCore/rendering/style/StyleFlexibleBoxData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleFlexibleBoxData.h', '../third_party/WebKit/WebCore/rendering/style/StyleGeneratedImage.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleGeneratedImage.h', '../third_party/WebKit/WebCore/rendering/style/StyleImage.h', '../third_party/WebKit/WebCore/rendering/style/StyleInheritedData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleInheritedData.h', '../third_party/WebKit/WebCore/rendering/style/StyleMarqueeData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleMarqueeData.h', '../third_party/WebKit/WebCore/rendering/style/StyleMultiColData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleMultiColData.h', '../third_party/WebKit/WebCore/rendering/style/StyleRareInheritedData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleRareInheritedData.h', '../third_party/WebKit/WebCore/rendering/style/StyleRareNonInheritedData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleRareNonInheritedData.h', '../third_party/WebKit/WebCore/rendering/style/StyleReflection.h', '../third_party/WebKit/WebCore/rendering/style/StyleSurroundData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleSurroundData.h', '../third_party/WebKit/WebCore/rendering/style/StyleTransformData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleTransformData.h', '../third_party/WebKit/WebCore/rendering/style/StyleVisualData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleVisualData.h', '../third_party/WebKit/WebCore/rendering/AutoTableLayout.cpp', '../third_party/WebKit/WebCore/rendering/AutoTableLayout.h', '../third_party/WebKit/WebCore/rendering/CounterNode.cpp', '../third_party/WebKit/WebCore/rendering/CounterNode.h', '../third_party/WebKit/WebCore/rendering/EllipsisBox.cpp', '../third_party/WebKit/WebCore/rendering/EllipsisBox.h', '../third_party/WebKit/WebCore/rendering/FixedTableLayout.cpp', '../third_party/WebKit/WebCore/rendering/FixedTableLayout.h', '../third_party/WebKit/WebCore/rendering/GapRects.h', '../third_party/WebKit/WebCore/rendering/HitTestRequest.h', '../third_party/WebKit/WebCore/rendering/HitTestResult.cpp', '../third_party/WebKit/WebCore/rendering/HitTestResult.h', '../third_party/WebKit/WebCore/rendering/InlineBox.cpp', '../third_party/WebKit/WebCore/rendering/InlineBox.h', '../third_party/WebKit/WebCore/rendering/InlineFlowBox.cpp', '../third_party/WebKit/WebCore/rendering/InlineFlowBox.h', '../third_party/WebKit/WebCore/rendering/InlineRunBox.h', '../third_party/WebKit/WebCore/rendering/InlineTextBox.cpp', '../third_party/WebKit/WebCore/rendering/InlineTextBox.h', '../third_party/WebKit/WebCore/rendering/LayoutState.cpp', '../third_party/WebKit/WebCore/rendering/LayoutState.h', '../third_party/WebKit/WebCore/rendering/MediaControlElements.cpp', '../third_party/WebKit/WebCore/rendering/MediaControlElements.h', '../third_party/WebKit/WebCore/rendering/PointerEventsHitRules.cpp', '../third_party/WebKit/WebCore/rendering/PointerEventsHitRules.h', '../third_party/WebKit/WebCore/rendering/RenderApplet.cpp', '../third_party/WebKit/WebCore/rendering/RenderApplet.h', '../third_party/WebKit/WebCore/rendering/RenderArena.cpp', '../third_party/WebKit/WebCore/rendering/RenderArena.h', '../third_party/WebKit/WebCore/rendering/RenderBR.cpp', '../third_party/WebKit/WebCore/rendering/RenderBR.h', '../third_party/WebKit/WebCore/rendering/RenderBlock.cpp', '../third_party/WebKit/WebCore/rendering/RenderBlock.h', '../third_party/WebKit/WebCore/rendering/RenderBox.cpp', '../third_party/WebKit/WebCore/rendering/RenderBox.h', '../third_party/WebKit/WebCore/rendering/RenderBoxModelObject.cpp', '../third_party/WebKit/WebCore/rendering/RenderBoxModelObject.h', '../third_party/WebKit/WebCore/rendering/RenderButton.cpp', '../third_party/WebKit/WebCore/rendering/RenderButton.h', '../third_party/WebKit/WebCore/rendering/RenderCounter.cpp', '../third_party/WebKit/WebCore/rendering/RenderCounter.h', '../third_party/WebKit/WebCore/rendering/RenderDataGrid.cpp', '../third_party/WebKit/WebCore/rendering/RenderDataGrid.h', '../third_party/WebKit/WebCore/rendering/RenderFieldset.cpp', '../third_party/WebKit/WebCore/rendering/RenderFieldset.h', '../third_party/WebKit/WebCore/rendering/RenderFileUploadControl.cpp', '../third_party/WebKit/WebCore/rendering/RenderFileUploadControl.h', '../third_party/WebKit/WebCore/rendering/RenderFlexibleBox.cpp', '../third_party/WebKit/WebCore/rendering/RenderFlexibleBox.h', '../third_party/WebKit/WebCore/rendering/RenderForeignObject.cpp', '../third_party/WebKit/WebCore/rendering/RenderForeignObject.h', '../third_party/WebKit/WebCore/rendering/RenderFrame.cpp', '../third_party/WebKit/WebCore/rendering/RenderFrame.h', '../third_party/WebKit/WebCore/rendering/RenderFrameSet.cpp', '../third_party/WebKit/WebCore/rendering/RenderFrameSet.h', '../third_party/WebKit/WebCore/rendering/RenderHTMLCanvas.cpp', '../third_party/WebKit/WebCore/rendering/RenderHTMLCanvas.h', '../third_party/WebKit/WebCore/rendering/RenderImage.cpp', '../third_party/WebKit/WebCore/rendering/RenderImage.h', '../third_party/WebKit/WebCore/rendering/RenderImageGeneratedContent.cpp', '../third_party/WebKit/WebCore/rendering/RenderImageGeneratedContent.h', '../third_party/WebKit/WebCore/rendering/RenderInline.cpp', '../third_party/WebKit/WebCore/rendering/RenderInline.h', '../third_party/WebKit/WebCore/rendering/RenderLayer.cpp', '../third_party/WebKit/WebCore/rendering/RenderLayer.h', '../third_party/WebKit/WebCore/rendering/RenderLayerBacking.cpp', '../third_party/WebKit/WebCore/rendering/RenderLayerBacking.h', '../third_party/WebKit/WebCore/rendering/RenderLayerCompositor.cpp', '../third_party/WebKit/WebCore/rendering/RenderLayerCompositor.h', '../third_party/WebKit/WebCore/rendering/RenderLineBoxList.cpp', '../third_party/WebKit/WebCore/rendering/RenderLineBoxList.h', '../third_party/WebKit/WebCore/rendering/RenderListBox.cpp', '../third_party/WebKit/WebCore/rendering/RenderListBox.h', '../third_party/WebKit/WebCore/rendering/RenderListItem.cpp', '../third_party/WebKit/WebCore/rendering/RenderListItem.h', '../third_party/WebKit/WebCore/rendering/RenderListMarker.cpp', '../third_party/WebKit/WebCore/rendering/RenderListMarker.h', '../third_party/WebKit/WebCore/rendering/RenderMarquee.cpp', '../third_party/WebKit/WebCore/rendering/RenderMarquee.h', '../third_party/WebKit/WebCore/rendering/RenderMedia.cpp', '../third_party/WebKit/WebCore/rendering/RenderMedia.h', '../third_party/WebKit/WebCore/rendering/RenderMenuList.cpp', '../third_party/WebKit/WebCore/rendering/RenderMenuList.h', '../third_party/WebKit/WebCore/rendering/RenderObject.cpp', '../third_party/WebKit/WebCore/rendering/RenderObject.h', '../third_party/WebKit/WebCore/rendering/RenderObjectChildList.cpp', '../third_party/WebKit/WebCore/rendering/RenderObjectChildList.h', '../third_party/WebKit/WebCore/rendering/RenderPart.cpp', '../third_party/WebKit/WebCore/rendering/RenderPart.h', '../third_party/WebKit/WebCore/rendering/RenderPartObject.cpp', '../third_party/WebKit/WebCore/rendering/RenderPartObject.h', '../third_party/WebKit/WebCore/rendering/RenderPath.cpp', '../third_party/WebKit/WebCore/rendering/RenderPath.h', '../third_party/WebKit/WebCore/rendering/RenderReplaced.cpp', '../third_party/WebKit/WebCore/rendering/RenderReplaced.h', '../third_party/WebKit/WebCore/rendering/RenderReplica.cpp', '../third_party/WebKit/WebCore/rendering/RenderReplica.h', '../third_party/WebKit/WebCore/rendering/RenderSVGBlock.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGBlock.h', '../third_party/WebKit/WebCore/rendering/RenderSVGContainer.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGContainer.h', '../third_party/WebKit/WebCore/rendering/RenderSVGGradientStop.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGGradientStop.h', '../third_party/WebKit/WebCore/rendering/RenderSVGHiddenContainer.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGHiddenContainer.h', '../third_party/WebKit/WebCore/rendering/RenderSVGImage.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGImage.h', '../third_party/WebKit/WebCore/rendering/RenderSVGInline.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGInline.h', '../third_party/WebKit/WebCore/rendering/RenderSVGInlineText.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGInlineText.h', '../third_party/WebKit/WebCore/rendering/RenderSVGModelObject.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGModelObject.h', '../third_party/WebKit/WebCore/rendering/RenderSVGRoot.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGRoot.h', '../third_party/WebKit/WebCore/rendering/RenderSVGTSpan.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGTSpan.h', '../third_party/WebKit/WebCore/rendering/RenderSVGText.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGText.h', '../third_party/WebKit/WebCore/rendering/RenderSVGTextPath.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGTextPath.h', '../third_party/WebKit/WebCore/rendering/RenderSVGTransformableContainer.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGTransformableContainer.h', '../third_party/WebKit/WebCore/rendering/RenderSVGViewportContainer.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGViewportContainer.h', '../third_party/WebKit/WebCore/rendering/RenderScrollbar.cpp', '../third_party/WebKit/WebCore/rendering/RenderScrollbar.h', '../third_party/WebKit/WebCore/rendering/RenderScrollbarPart.cpp', '../third_party/WebKit/WebCore/rendering/RenderScrollbarPart.h', '../third_party/WebKit/WebCore/rendering/RenderScrollbarTheme.cpp', '../third_party/WebKit/WebCore/rendering/RenderScrollbarTheme.h', '../third_party/WebKit/WebCore/rendering/RenderSelectionInfo.h', '../third_party/WebKit/WebCore/rendering/RenderSlider.cpp', '../third_party/WebKit/WebCore/rendering/RenderSlider.h', '../third_party/WebKit/WebCore/rendering/RenderTable.cpp', '../third_party/WebKit/WebCore/rendering/RenderTable.h', '../third_party/WebKit/WebCore/rendering/RenderTableCell.cpp', '../third_party/WebKit/WebCore/rendering/RenderTableCell.h', '../third_party/WebKit/WebCore/rendering/RenderTableCol.cpp', '../third_party/WebKit/WebCore/rendering/RenderTableCol.h', '../third_party/WebKit/WebCore/rendering/RenderTableRow.cpp', '../third_party/WebKit/WebCore/rendering/RenderTableRow.h', '../third_party/WebKit/WebCore/rendering/RenderTableSection.cpp', '../third_party/WebKit/WebCore/rendering/RenderTableSection.h', '../third_party/WebKit/WebCore/rendering/RenderText.cpp', '../third_party/WebKit/WebCore/rendering/RenderText.h', '../third_party/WebKit/WebCore/rendering/RenderTextControl.cpp', '../third_party/WebKit/WebCore/rendering/RenderTextControl.h', '../third_party/WebKit/WebCore/rendering/RenderTextControlMultiLine.cpp', '../third_party/WebKit/WebCore/rendering/RenderTextControlMultiLine.h', '../third_party/WebKit/WebCore/rendering/RenderTextControlSingleLine.cpp', '../third_party/WebKit/WebCore/rendering/RenderTextControlSingleLine.h', '../third_party/WebKit/WebCore/rendering/RenderTextFragment.cpp', '../third_party/WebKit/WebCore/rendering/RenderTextFragment.h', '../third_party/WebKit/WebCore/rendering/RenderTheme.cpp', '../third_party/WebKit/WebCore/rendering/RenderTheme.h', '../third_party/WebKit/WebCore/rendering/RenderThemeChromiumSkia.cpp', '../third_party/WebKit/WebCore/rendering/RenderThemeChromiumSkia.h', '../third_party/WebKit/WebCore/rendering/RenderThemeChromiumLinux.cpp', '../third_party/WebKit/WebCore/rendering/RenderThemeChromiumLinux.h', '../third_party/WebKit/WebCore/rendering/RenderThemeChromiumMac.h', '../third_party/WebKit/WebCore/rendering/RenderThemeChromiumMac.mm', '../third_party/WebKit/WebCore/rendering/RenderThemeChromiumWin.cpp', '../third_party/WebKit/WebCore/rendering/RenderThemeChromiumWin.h', '../third_party/WebKit/WebCore/rendering/RenderThemeMac.h', '../third_party/WebKit/WebCore/rendering/RenderThemeMac.mm', '../third_party/WebKit/WebCore/rendering/RenderThemeSafari.cpp', '../third_party/WebKit/WebCore/rendering/RenderThemeSafari.h', '../third_party/WebKit/WebCore/rendering/RenderThemeWin.cpp', '../third_party/WebKit/WebCore/rendering/RenderThemeWin.h', '../third_party/WebKit/WebCore/rendering/RenderTreeAsText.cpp', '../third_party/WebKit/WebCore/rendering/RenderTreeAsText.h', '../third_party/WebKit/WebCore/rendering/RenderVideo.cpp', '../third_party/WebKit/WebCore/rendering/RenderVideo.h', '../third_party/WebKit/WebCore/rendering/RenderView.cpp', '../third_party/WebKit/WebCore/rendering/RenderView.h', '../third_party/WebKit/WebCore/rendering/RenderWidget.cpp', '../third_party/WebKit/WebCore/rendering/RenderWidget.h', '../third_party/WebKit/WebCore/rendering/RenderWordBreak.cpp', '../third_party/WebKit/WebCore/rendering/RenderWordBreak.h', '../third_party/WebKit/WebCore/rendering/RootInlineBox.cpp', '../third_party/WebKit/WebCore/rendering/RootInlineBox.h', '../third_party/WebKit/WebCore/rendering/ScrollBehavior.cpp', '../third_party/WebKit/WebCore/rendering/ScrollBehavior.h', '../third_party/WebKit/WebCore/rendering/SVGCharacterLayoutInfo.cpp', '../third_party/WebKit/WebCore/rendering/SVGCharacterLayoutInfo.h', '../third_party/WebKit/WebCore/rendering/SVGInlineFlowBox.cpp', '../third_party/WebKit/WebCore/rendering/SVGInlineFlowBox.h', '../third_party/WebKit/WebCore/rendering/SVGInlineTextBox.cpp', '../third_party/WebKit/WebCore/rendering/SVGInlineTextBox.h', '../third_party/WebKit/WebCore/rendering/SVGRenderSupport.cpp', '../third_party/WebKit/WebCore/rendering/SVGRenderSupport.h', '../third_party/WebKit/WebCore/rendering/SVGRenderTreeAsText.cpp', '../third_party/WebKit/WebCore/rendering/SVGRenderTreeAsText.h', '../third_party/WebKit/WebCore/rendering/SVGRootInlineBox.cpp', '../third_party/WebKit/WebCore/rendering/SVGRootInlineBox.h', '../third_party/WebKit/WebCore/rendering/TableLayout.h', '../third_party/WebKit/WebCore/rendering/TextControlInnerElements.cpp', '../third_party/WebKit/WebCore/rendering/TextControlInnerElements.h', '../third_party/WebKit/WebCore/rendering/TransformState.cpp', '../third_party/WebKit/WebCore/rendering/TransformState.h', '../third_party/WebKit/WebCore/rendering/bidi.cpp', '../third_party/WebKit/WebCore/rendering/bidi.h', '../third_party/WebKit/WebCore/rendering/break_lines.cpp', '../third_party/WebKit/WebCore/rendering/break_lines.h', '../third_party/WebKit/WebCore/storage/ChangeVersionWrapper.cpp', '../third_party/WebKit/WebCore/storage/ChangeVersionWrapper.h', '../third_party/WebKit/WebCore/storage/Database.cpp', '../third_party/WebKit/WebCore/storage/Database.h', '../third_party/WebKit/WebCore/storage/DatabaseAuthorizer.cpp', '../third_party/WebKit/WebCore/storage/DatabaseAuthorizer.h', '../third_party/WebKit/WebCore/storage/DatabaseDetails.h', '../third_party/WebKit/WebCore/storage/DatabaseTask.cpp', '../third_party/WebKit/WebCore/storage/DatabaseTask.h', '../third_party/WebKit/WebCore/storage/DatabaseThread.cpp', '../third_party/WebKit/WebCore/storage/DatabaseThread.h', '../third_party/WebKit/WebCore/storage/DatabaseTracker.cpp', '../third_party/WebKit/WebCore/storage/DatabaseTracker.h', '../third_party/WebKit/WebCore/storage/DatabaseTrackerClient.h', '../third_party/WebKit/WebCore/storage/LocalStorage.cpp', '../third_party/WebKit/WebCore/storage/LocalStorage.h', '../third_party/WebKit/WebCore/storage/LocalStorageArea.cpp', '../third_party/WebKit/WebCore/storage/LocalStorageArea.h', '../third_party/WebKit/WebCore/storage/LocalStorageTask.cpp', '../third_party/WebKit/WebCore/storage/LocalStorageTask.h', '../third_party/WebKit/WebCore/storage/LocalStorageThread.cpp', '../third_party/WebKit/WebCore/storage/LocalStorageThread.h', '../third_party/WebKit/WebCore/storage/OriginQuotaManager.cpp', '../third_party/WebKit/WebCore/storage/OriginQuotaManager.h', '../third_party/WebKit/WebCore/storage/OriginUsageRecord.cpp', '../third_party/WebKit/WebCore/storage/OriginUsageRecord.h', '../third_party/WebKit/WebCore/storage/SQLError.h', '../third_party/WebKit/WebCore/storage/SQLResultSet.cpp', '../third_party/WebKit/WebCore/storage/SQLResultSet.h', '../third_party/WebKit/WebCore/storage/SQLResultSetRowList.cpp', '../third_party/WebKit/WebCore/storage/SQLResultSetRowList.h', '../third_party/WebKit/WebCore/storage/SQLStatement.cpp', '../third_party/WebKit/WebCore/storage/SQLStatement.h', '../third_party/WebKit/WebCore/storage/SQLStatementCallback.h', '../third_party/WebKit/WebCore/storage/SQLStatementErrorCallback.h', '../third_party/WebKit/WebCore/storage/SQLTransaction.cpp', '../third_party/WebKit/WebCore/storage/SQLTransaction.h', '../third_party/WebKit/WebCore/storage/SQLTransactionCallback.h', '../third_party/WebKit/WebCore/storage/SQLTransactionErrorCallback.h', '../third_party/WebKit/WebCore/storage/SessionStorage.cpp', '../third_party/WebKit/WebCore/storage/SessionStorage.h', '../third_party/WebKit/WebCore/storage/SessionStorageArea.cpp', '../third_party/WebKit/WebCore/storage/SessionStorageArea.h', '../third_party/WebKit/WebCore/storage/Storage.cpp', '../third_party/WebKit/WebCore/storage/Storage.h', '../third_party/WebKit/WebCore/storage/StorageArea.h', '../third_party/WebKit/WebCore/storage/StorageEvent.cpp', '../third_party/WebKit/WebCore/storage/StorageEvent.h', '../third_party/WebKit/WebCore/storage/StorageMap.cpp', '../third_party/WebKit/WebCore/storage/StorageMap.h', '../third_party/WebKit/WebCore/svg/animation/SMILTime.cpp', '../third_party/WebKit/WebCore/svg/animation/SMILTime.h', '../third_party/WebKit/WebCore/svg/animation/SMILTimeContainer.cpp', '../third_party/WebKit/WebCore/svg/animation/SMILTimeContainer.h', '../third_party/WebKit/WebCore/svg/animation/SVGSMILElement.cpp', '../third_party/WebKit/WebCore/svg/animation/SVGSMILElement.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGDistantLightSource.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEConvolveMatrix.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEConvolveMatrix.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEDiffuseLighting.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEDiffuseLighting.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEDisplacementMap.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEDisplacementMap.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEFlood.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEFlood.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEGaussianBlur.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEGaussianBlur.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEImage.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEImage.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEMerge.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEMerge.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEMorphology.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEMorphology.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEOffset.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEOffset.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFESpecularLighting.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFESpecularLighting.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFETile.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFETile.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFETurbulence.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFETurbulence.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFilterEffect.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFilterEffect.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGLightSource.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGLightSource.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGPointLightSource.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGSpotLightSource.h', '../third_party/WebKit/WebCore/svg/graphics/SVGImage.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGImage.h', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServer.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServer.h', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerGradient.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerGradient.h', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerLinearGradient.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerLinearGradient.h', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerPattern.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerPattern.h', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerRadialGradient.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerRadialGradient.h', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerSolid.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerSolid.h', '../third_party/WebKit/WebCore/svg/graphics/SVGResource.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGResource.h', '../third_party/WebKit/WebCore/svg/graphics/SVGResourceClipper.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGResourceClipper.h', '../third_party/WebKit/WebCore/svg/graphics/SVGResourceFilter.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGResourceFilter.h', '../third_party/WebKit/WebCore/svg/graphics/SVGResourceListener.h', '../third_party/WebKit/WebCore/svg/graphics/SVGResourceMarker.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGResourceMarker.h', '../third_party/WebKit/WebCore/svg/graphics/SVGResourceMasker.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGResourceMasker.h', '../third_party/WebKit/WebCore/svg/ColorDistance.cpp', '../third_party/WebKit/WebCore/svg/ColorDistance.h', '../third_party/WebKit/WebCore/svg/ElementTimeControl.h', '../third_party/WebKit/WebCore/svg/Filter.cpp', '../third_party/WebKit/WebCore/svg/Filter.h', '../third_party/WebKit/WebCore/svg/FilterBuilder.h', '../third_party/WebKit/WebCore/svg/FilterBuilder.cpp', '../third_party/WebKit/WebCore/svg/FilterEffect.cpp', '../third_party/WebKit/WebCore/svg/FilterEffect.h', '../third_party/WebKit/WebCore/svg/GradientAttributes.h', '../third_party/WebKit/WebCore/svg/LinearGradientAttributes.h', '../third_party/WebKit/WebCore/svg/PatternAttributes.h', '../third_party/WebKit/WebCore/svg/RadialGradientAttributes.h', '../third_party/WebKit/WebCore/svg/SVGAElement.cpp', '../third_party/WebKit/WebCore/svg/SVGAElement.h', '../third_party/WebKit/WebCore/svg/SVGAllInOne.cpp', '../third_party/WebKit/WebCore/svg/SVGAltGlyphElement.cpp', '../third_party/WebKit/WebCore/svg/SVGAltGlyphElement.h', '../third_party/WebKit/WebCore/svg/SVGAngle.cpp', '../third_party/WebKit/WebCore/svg/SVGAngle.h', '../third_party/WebKit/WebCore/svg/SVGAnimateColorElement.cpp', '../third_party/WebKit/WebCore/svg/SVGAnimateColorElement.h', '../third_party/WebKit/WebCore/svg/SVGAnimateElement.cpp', '../third_party/WebKit/WebCore/svg/SVGAnimateElement.h', '../third_party/WebKit/WebCore/svg/SVGAnimateMotionElement.cpp', '../third_party/WebKit/WebCore/svg/SVGAnimateMotionElement.h', '../third_party/WebKit/WebCore/svg/SVGAnimateTransformElement.cpp', '../third_party/WebKit/WebCore/svg/SVGAnimateTransformElement.h', '../third_party/WebKit/WebCore/svg/SVGAnimatedPathData.cpp', '../third_party/WebKit/WebCore/svg/SVGAnimatedPathData.h', '../third_party/WebKit/WebCore/svg/SVGAnimatedPoints.cpp', '../third_party/WebKit/WebCore/svg/SVGAnimatedPoints.h', '../third_party/WebKit/WebCore/svg/SVGAnimatedProperty.h', '../third_party/WebKit/WebCore/svg/SVGAnimatedTemplate.h', '../third_party/WebKit/WebCore/svg/SVGAnimationElement.cpp', '../third_party/WebKit/WebCore/svg/SVGAnimationElement.h', '../third_party/WebKit/WebCore/svg/SVGCircleElement.cpp', '../third_party/WebKit/WebCore/svg/SVGCircleElement.h', '../third_party/WebKit/WebCore/svg/SVGClipPathElement.cpp', '../third_party/WebKit/WebCore/svg/SVGClipPathElement.h', '../third_party/WebKit/WebCore/svg/SVGColor.cpp', '../third_party/WebKit/WebCore/svg/SVGColor.h', '../third_party/WebKit/WebCore/svg/SVGComponentTransferFunctionElement.cpp', '../third_party/WebKit/WebCore/svg/SVGComponentTransferFunctionElement.h', '../third_party/WebKit/WebCore/svg/SVGCursorElement.cpp', '../third_party/WebKit/WebCore/svg/SVGCursorElement.h', '../third_party/WebKit/WebCore/svg/SVGDefinitionSrcElement.cpp', '../third_party/WebKit/WebCore/svg/SVGDefinitionSrcElement.h', '../third_party/WebKit/WebCore/svg/SVGDefsElement.cpp', '../third_party/WebKit/WebCore/svg/SVGDefsElement.h', '../third_party/WebKit/WebCore/svg/SVGDescElement.cpp', '../third_party/WebKit/WebCore/svg/SVGDescElement.h', '../third_party/WebKit/WebCore/svg/SVGDocument.cpp', '../third_party/WebKit/WebCore/svg/SVGDocument.h', '../third_party/WebKit/WebCore/svg/SVGDocumentExtensions.cpp', '../third_party/WebKit/WebCore/svg/SVGDocumentExtensions.h', '../third_party/WebKit/WebCore/svg/SVGElement.cpp', '../third_party/WebKit/WebCore/svg/SVGElement.h', '../third_party/WebKit/WebCore/svg/SVGElementInstance.cpp', '../third_party/WebKit/WebCore/svg/SVGElementInstance.h', '../third_party/WebKit/WebCore/svg/SVGElementInstanceList.cpp', '../third_party/WebKit/WebCore/svg/SVGElementInstanceList.h', '../third_party/WebKit/WebCore/svg/SVGEllipseElement.cpp', '../third_party/WebKit/WebCore/svg/SVGEllipseElement.h', '../third_party/WebKit/WebCore/svg/SVGException.h', '../third_party/WebKit/WebCore/svg/SVGExternalResourcesRequired.cpp', '../third_party/WebKit/WebCore/svg/SVGExternalResourcesRequired.h', '../third_party/WebKit/WebCore/svg/SVGFEBlendElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEBlendElement.h', '../third_party/WebKit/WebCore/svg/SVGFEColorMatrixElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEColorMatrixElement.h', '../third_party/WebKit/WebCore/svg/SVGFEComponentTransferElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEComponentTransferElement.h', '../third_party/WebKit/WebCore/svg/SVGFECompositeElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFECompositeElement.h', '../third_party/WebKit/WebCore/svg/SVGFEDiffuseLightingElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEDiffuseLightingElement.h', '../third_party/WebKit/WebCore/svg/SVGFEDisplacementMapElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEDisplacementMapElement.h', '../third_party/WebKit/WebCore/svg/SVGFEDistantLightElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEDistantLightElement.h', '../third_party/WebKit/WebCore/svg/SVGFEFloodElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEFloodElement.h', '../third_party/WebKit/WebCore/svg/SVGFEFuncAElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEFuncAElement.h', '../third_party/WebKit/WebCore/svg/SVGFEFuncBElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEFuncBElement.h', '../third_party/WebKit/WebCore/svg/SVGFEFuncGElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEFuncGElement.h', '../third_party/WebKit/WebCore/svg/SVGFEFuncRElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEFuncRElement.h', '../third_party/WebKit/WebCore/svg/SVGFEGaussianBlurElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEGaussianBlurElement.h', '../third_party/WebKit/WebCore/svg/SVGFEImageElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEImageElement.h', '../third_party/WebKit/WebCore/svg/SVGFELightElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFELightElement.h', '../third_party/WebKit/WebCore/svg/SVGFEMergeElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEMergeElement.h', '../third_party/WebKit/WebCore/svg/SVGFEMergeNodeElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEMergeNodeElement.h', '../third_party/WebKit/WebCore/svg/SVGFEOffsetElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEOffsetElement.h', '../third_party/WebKit/WebCore/svg/SVGFEPointLightElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEPointLightElement.h', '../third_party/WebKit/WebCore/svg/SVGFESpecularLightingElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFESpecularLightingElement.h', '../third_party/WebKit/WebCore/svg/SVGFESpotLightElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFESpotLightElement.h', '../third_party/WebKit/WebCore/svg/SVGFETileElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFETileElement.h', '../third_party/WebKit/WebCore/svg/SVGFETurbulenceElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFETurbulenceElement.h', '../third_party/WebKit/WebCore/svg/SVGFilterElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFilterElement.h', '../third_party/WebKit/WebCore/svg/SVGFilterPrimitiveStandardAttributes.cpp', '../third_party/WebKit/WebCore/svg/SVGFilterPrimitiveStandardAttributes.h', '../third_party/WebKit/WebCore/svg/SVGFitToViewBox.cpp', '../third_party/WebKit/WebCore/svg/SVGFitToViewBox.h', '../third_party/WebKit/WebCore/svg/SVGFont.cpp', '../third_party/WebKit/WebCore/svg/SVGFontData.cpp', '../third_party/WebKit/WebCore/svg/SVGFontData.h', '../third_party/WebKit/WebCore/svg/SVGFontElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFontElement.h', '../third_party/WebKit/WebCore/svg/SVGFontFaceElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFontFaceElement.h', '../third_party/WebKit/WebCore/svg/SVGFontFaceFormatElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFontFaceFormatElement.h', '../third_party/WebKit/WebCore/svg/SVGFontFaceNameElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFontFaceNameElement.h', '../third_party/WebKit/WebCore/svg/SVGFontFaceSrcElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFontFaceSrcElement.h', '../third_party/WebKit/WebCore/svg/SVGFontFaceUriElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFontFaceUriElement.h', '../third_party/WebKit/WebCore/svg/SVGForeignObjectElement.cpp', '../third_party/WebKit/WebCore/svg/SVGForeignObjectElement.h', '../third_party/WebKit/WebCore/svg/SVGGElement.cpp', '../third_party/WebKit/WebCore/svg/SVGGElement.h', '../third_party/WebKit/WebCore/svg/SVGGlyphElement.cpp', '../third_party/WebKit/WebCore/svg/SVGGlyphElement.h', '../third_party/WebKit/WebCore/svg/SVGGlyphMap.h', '../third_party/WebKit/WebCore/svg/SVGGradientElement.cpp', '../third_party/WebKit/WebCore/svg/SVGGradientElement.h', '../third_party/WebKit/WebCore/svg/SVGHKernElement.cpp', '../third_party/WebKit/WebCore/svg/SVGHKernElement.h', '../third_party/WebKit/WebCore/svg/SVGImageElement.cpp', '../third_party/WebKit/WebCore/svg/SVGImageElement.h', '../third_party/WebKit/WebCore/svg/SVGImageLoader.cpp', '../third_party/WebKit/WebCore/svg/SVGImageLoader.h', '../third_party/WebKit/WebCore/svg/SVGLangSpace.cpp', '../third_party/WebKit/WebCore/svg/SVGLangSpace.h', '../third_party/WebKit/WebCore/svg/SVGLength.cpp', '../third_party/WebKit/WebCore/svg/SVGLength.h', '../third_party/WebKit/WebCore/svg/SVGLengthList.cpp', '../third_party/WebKit/WebCore/svg/SVGLengthList.h', '../third_party/WebKit/WebCore/svg/SVGLineElement.cpp', '../third_party/WebKit/WebCore/svg/SVGLineElement.h', '../third_party/WebKit/WebCore/svg/SVGLinearGradientElement.cpp', '../third_party/WebKit/WebCore/svg/SVGLinearGradientElement.h', '../third_party/WebKit/WebCore/svg/SVGList.h', '../third_party/WebKit/WebCore/svg/SVGListTraits.h', '../third_party/WebKit/WebCore/svg/SVGLocatable.cpp', '../third_party/WebKit/WebCore/svg/SVGLocatable.h', '../third_party/WebKit/WebCore/svg/SVGMPathElement.cpp', '../third_party/WebKit/WebCore/svg/SVGMPathElement.h', '../third_party/WebKit/WebCore/svg/SVGMarkerElement.cpp', '../third_party/WebKit/WebCore/svg/SVGMarkerElement.h', '../third_party/WebKit/WebCore/svg/SVGMaskElement.cpp', '../third_party/WebKit/WebCore/svg/SVGMaskElement.h', '../third_party/WebKit/WebCore/svg/SVGMetadataElement.cpp', '../third_party/WebKit/WebCore/svg/SVGMetadataElement.h', '../third_party/WebKit/WebCore/svg/SVGMissingGlyphElement.cpp', '../third_party/WebKit/WebCore/svg/SVGMissingGlyphElement.h', '../third_party/WebKit/WebCore/svg/SVGNumberList.cpp', '../third_party/WebKit/WebCore/svg/SVGNumberList.h', '../third_party/WebKit/WebCore/svg/SVGPaint.cpp', '../third_party/WebKit/WebCore/svg/SVGPaint.h', '../third_party/WebKit/WebCore/svg/SVGParserUtilities.cpp', '../third_party/WebKit/WebCore/svg/SVGParserUtilities.h', '../third_party/WebKit/WebCore/svg/SVGPathElement.cpp', '../third_party/WebKit/WebCore/svg/SVGPathElement.h', '../third_party/WebKit/WebCore/svg/SVGPathSeg.h', '../third_party/WebKit/WebCore/svg/SVGPathSegArc.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegArc.h', '../third_party/WebKit/WebCore/svg/SVGPathSegClosePath.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegClosePath.h', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubic.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubic.h', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubicSmooth.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubicSmooth.h', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadratic.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadratic.h', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadraticSmooth.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadraticSmooth.h', '../third_party/WebKit/WebCore/svg/SVGPathSegLineto.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegLineto.h', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoHorizontal.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoHorizontal.h', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoVertical.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoVertical.h', '../third_party/WebKit/WebCore/svg/SVGPathSegList.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegList.h', '../third_party/WebKit/WebCore/svg/SVGPathSegMoveto.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegMoveto.h', '../third_party/WebKit/WebCore/svg/SVGPatternElement.cpp', '../third_party/WebKit/WebCore/svg/SVGPatternElement.h', '../third_party/WebKit/WebCore/svg/SVGPointList.cpp', '../third_party/WebKit/WebCore/svg/SVGPointList.h', '../third_party/WebKit/WebCore/svg/SVGPolyElement.cpp', '../third_party/WebKit/WebCore/svg/SVGPolyElement.h', '../third_party/WebKit/WebCore/svg/SVGPolygonElement.cpp', '../third_party/WebKit/WebCore/svg/SVGPolygonElement.h', '../third_party/WebKit/WebCore/svg/SVGPolylineElement.cpp', '../third_party/WebKit/WebCore/svg/SVGPolylineElement.h', '../third_party/WebKit/WebCore/svg/SVGPreserveAspectRatio.cpp', '../third_party/WebKit/WebCore/svg/SVGPreserveAspectRatio.h', '../third_party/WebKit/WebCore/svg/SVGRadialGradientElement.cpp', '../third_party/WebKit/WebCore/svg/SVGRadialGradientElement.h', '../third_party/WebKit/WebCore/svg/SVGRectElement.cpp', '../third_party/WebKit/WebCore/svg/SVGRectElement.h', '../third_party/WebKit/WebCore/svg/SVGRenderingIntent.h', '../third_party/WebKit/WebCore/svg/SVGSVGElement.cpp', '../third_party/WebKit/WebCore/svg/SVGSVGElement.h', '../third_party/WebKit/WebCore/svg/SVGScriptElement.cpp', '../third_party/WebKit/WebCore/svg/SVGScriptElement.h', '../third_party/WebKit/WebCore/svg/SVGSetElement.cpp', '../third_party/WebKit/WebCore/svg/SVGSetElement.h', '../third_party/WebKit/WebCore/svg/SVGStopElement.cpp', '../third_party/WebKit/WebCore/svg/SVGStopElement.h', '../third_party/WebKit/WebCore/svg/SVGStringList.cpp', '../third_party/WebKit/WebCore/svg/SVGStringList.h', '../third_party/WebKit/WebCore/svg/SVGStylable.cpp', '../third_party/WebKit/WebCore/svg/SVGStylable.h', '../third_party/WebKit/WebCore/svg/SVGStyleElement.cpp', '../third_party/WebKit/WebCore/svg/SVGStyleElement.h', '../third_party/WebKit/WebCore/svg/SVGStyledElement.cpp', '../third_party/WebKit/WebCore/svg/SVGStyledElement.h', '../third_party/WebKit/WebCore/svg/SVGStyledLocatableElement.cpp', '../third_party/WebKit/WebCore/svg/SVGStyledLocatableElement.h', '../third_party/WebKit/WebCore/svg/SVGStyledTransformableElement.cpp', '../third_party/WebKit/WebCore/svg/SVGStyledTransformableElement.h', '../third_party/WebKit/WebCore/svg/SVGSwitchElement.cpp', '../third_party/WebKit/WebCore/svg/SVGSwitchElement.h', '../third_party/WebKit/WebCore/svg/SVGSymbolElement.cpp', '../third_party/WebKit/WebCore/svg/SVGSymbolElement.h', '../third_party/WebKit/WebCore/svg/SVGTRefElement.cpp', '../third_party/WebKit/WebCore/svg/SVGTRefElement.h', '../third_party/WebKit/WebCore/svg/SVGTSpanElement.cpp', '../third_party/WebKit/WebCore/svg/SVGTSpanElement.h', '../third_party/WebKit/WebCore/svg/SVGTests.cpp', '../third_party/WebKit/WebCore/svg/SVGTests.h', '../third_party/WebKit/WebCore/svg/SVGTextContentElement.cpp', '../third_party/WebKit/WebCore/svg/SVGTextContentElement.h', '../third_party/WebKit/WebCore/svg/SVGTextElement.cpp', '../third_party/WebKit/WebCore/svg/SVGTextElement.h', '../third_party/WebKit/WebCore/svg/SVGTextPathElement.cpp', '../third_party/WebKit/WebCore/svg/SVGTextPathElement.h', '../third_party/WebKit/WebCore/svg/SVGTextPositioningElement.cpp', '../third_party/WebKit/WebCore/svg/SVGTextPositioningElement.h', '../third_party/WebKit/WebCore/svg/SVGTitleElement.cpp', '../third_party/WebKit/WebCore/svg/SVGTitleElement.h', '../third_party/WebKit/WebCore/svg/SVGTransform.cpp', '../third_party/WebKit/WebCore/svg/SVGTransform.h', '../third_party/WebKit/WebCore/svg/SVGTransformDistance.cpp', '../third_party/WebKit/WebCore/svg/SVGTransformDistance.h', '../third_party/WebKit/WebCore/svg/SVGTransformList.cpp', '../third_party/WebKit/WebCore/svg/SVGTransformList.h', '../third_party/WebKit/WebCore/svg/SVGTransformable.cpp', '../third_party/WebKit/WebCore/svg/SVGTransformable.h', '../third_party/WebKit/WebCore/svg/SVGURIReference.cpp', '../third_party/WebKit/WebCore/svg/SVGURIReference.h', '../third_party/WebKit/WebCore/svg/SVGUnitTypes.h', '../third_party/WebKit/WebCore/svg/SVGUseElement.cpp', '../third_party/WebKit/WebCore/svg/SVGUseElement.h', '../third_party/WebKit/WebCore/svg/SVGViewElement.cpp', '../third_party/WebKit/WebCore/svg/SVGViewElement.h', '../third_party/WebKit/WebCore/svg/SVGViewSpec.cpp', '../third_party/WebKit/WebCore/svg/SVGViewSpec.h', '../third_party/WebKit/WebCore/svg/SVGZoomAndPan.cpp', '../third_party/WebKit/WebCore/svg/SVGZoomAndPan.h', '../third_party/WebKit/WebCore/svg/SVGZoomEvent.cpp', '../third_party/WebKit/WebCore/svg/SVGZoomEvent.h', '../third_party/WebKit/WebCore/svg/SynchronizableTypeWrapper.h', '../third_party/WebKit/WebCore/workers/GenericWorkerTask.h', '../third_party/WebKit/WebCore/workers/Worker.cpp', '../third_party/WebKit/WebCore/workers/Worker.h', '../third_party/WebKit/WebCore/workers/WorkerContext.cpp', '../third_party/WebKit/WebCore/workers/WorkerContext.h', '../third_party/WebKit/WebCore/workers/WorkerContextProxy.h', '../third_party/WebKit/WebCore/workers/WorkerLoaderProxy.h', '../third_party/WebKit/WebCore/workers/WorkerLocation.cpp', '../third_party/WebKit/WebCore/workers/WorkerLocation.h', '../third_party/WebKit/WebCore/workers/WorkerMessagingProxy.cpp', '../third_party/WebKit/WebCore/workers/WorkerMessagingProxy.h', '../third_party/WebKit/WebCore/workers/WorkerObjectProxy.h', '../third_party/WebKit/WebCore/workers/WorkerRunLoop.cpp', '../third_party/WebKit/WebCore/workers/WorkerRunLoop.h', '../third_party/WebKit/WebCore/workers/WorkerScriptLoader.cpp', '../third_party/WebKit/WebCore/workers/WorkerScriptLoader.h', '../third_party/WebKit/WebCore/workers/WorkerScriptLoaderClient.h', '../third_party/WebKit/WebCore/workers/WorkerThread.cpp', '../third_party/WebKit/WebCore/workers/WorkerThread.h', '../third_party/WebKit/WebCore/xml/DOMParser.cpp', '../third_party/WebKit/WebCore/xml/DOMParser.h', '../third_party/WebKit/WebCore/xml/NativeXPathNSResolver.cpp', '../third_party/WebKit/WebCore/xml/NativeXPathNSResolver.h', '../third_party/WebKit/WebCore/xml/XMLHttpRequest.cpp', '../third_party/WebKit/WebCore/xml/XMLHttpRequest.h', '../third_party/WebKit/WebCore/xml/XMLHttpRequestException.h', '../third_party/WebKit/WebCore/xml/XMLHttpRequestProgressEvent.h', '../third_party/WebKit/WebCore/xml/XMLHttpRequestUpload.cpp', '../third_party/WebKit/WebCore/xml/XMLHttpRequestUpload.h', '../third_party/WebKit/WebCore/xml/XMLSerializer.cpp', '../third_party/WebKit/WebCore/xml/XMLSerializer.h', '../third_party/WebKit/WebCore/xml/XPathEvaluator.cpp', '../third_party/WebKit/WebCore/xml/XPathEvaluator.h', '../third_party/WebKit/WebCore/xml/XPathException.h', '../third_party/WebKit/WebCore/xml/XPathExpression.cpp', '../third_party/WebKit/WebCore/xml/XPathExpression.h', '../third_party/WebKit/WebCore/xml/XPathExpressionNode.cpp', '../third_party/WebKit/WebCore/xml/XPathExpressionNode.h', '../third_party/WebKit/WebCore/xml/XPathFunctions.cpp', '../third_party/WebKit/WebCore/xml/XPathFunctions.h', '../third_party/WebKit/WebCore/xml/XPathNSResolver.cpp', '../third_party/WebKit/WebCore/xml/XPathNSResolver.h', '../third_party/WebKit/WebCore/xml/XPathNamespace.cpp', '../third_party/WebKit/WebCore/xml/XPathNamespace.h', '../third_party/WebKit/WebCore/xml/XPathNodeSet.cpp', '../third_party/WebKit/WebCore/xml/XPathNodeSet.h', '../third_party/WebKit/WebCore/xml/XPathParser.cpp', '../third_party/WebKit/WebCore/xml/XPathParser.h', '../third_party/WebKit/WebCore/xml/XPathPath.cpp', '../third_party/WebKit/WebCore/xml/XPathPath.h', '../third_party/WebKit/WebCore/xml/XPathPredicate.cpp', '../third_party/WebKit/WebCore/xml/XPathPredicate.h', '../third_party/WebKit/WebCore/xml/XPathResult.cpp', '../third_party/WebKit/WebCore/xml/XPathResult.h', '../third_party/WebKit/WebCore/xml/XPathStep.cpp', '../third_party/WebKit/WebCore/xml/XPathStep.h', '../third_party/WebKit/WebCore/xml/XPathUtil.cpp', '../third_party/WebKit/WebCore/xml/XPathUtil.h', '../third_party/WebKit/WebCore/xml/XPathValue.cpp', '../third_party/WebKit/WebCore/xml/XPathValue.h', '../third_party/WebKit/WebCore/xml/XPathVariableReference.cpp', '../third_party/WebKit/WebCore/xml/XPathVariableReference.h', '../third_party/WebKit/WebCore/xml/XSLImportRule.cpp', '../third_party/WebKit/WebCore/xml/XSLImportRule.h', '../third_party/WebKit/WebCore/xml/XSLStyleSheet.cpp', '../third_party/WebKit/WebCore/xml/XSLStyleSheet.h', '../third_party/WebKit/WebCore/xml/XSLTExtensions.cpp', '../third_party/WebKit/WebCore/xml/XSLTExtensions.h', '../third_party/WebKit/WebCore/xml/XSLTProcessor.cpp', '../third_party/WebKit/WebCore/xml/XSLTProcessor.h', '../third_party/WebKit/WebCore/xml/XSLTUnicodeSort.cpp', '../third_party/WebKit/WebCore/xml/XSLTUnicodeSort.h', '../third_party/WebKit/WebKit/mac/WebCoreSupport/WebSystemInterface.m'], 'sources/': [['exclude', '/third_party/WebKit/WebCore/storage/Storage[^/]*\\.idl$'], ['exclude', '/third_party/WebKit/WebCore/svg/SVG(FE|Filter)[^/]*\\.idl$'], ['exclude', '/(android|cairo|cf|cg|curl|gtk|linux|mac|opentype|posix|qt|soup|symbian|win|wx)/'], ['exclude', '(?<!Chromium)(SVGAllInOne|Android|Cairo|CF|CG|Curl|Gtk|Linux|Mac|OpenType|POSIX|Posix|Qt|Safari|Soup|Symbian|Win|Wx)\\.(cpp|mm?)$'], ['exclude', '/third_party/WebKit/WebCore/inspector/JavaScript[^/]*\\.cpp$'], ['exclude', '/third_party/WebKit/WebCore/loader/appcache/'], ['exclude', '/third_party/WebKit/WebCore/(platform|svg)/graphics/filters/'], ['exclude', '/third_party/WebKit/WebCore/svg/Filter[^/]*\\.cpp$'], ['exclude', '/third_party/WebKit/WebCore/svg/SVG(FE|Filter)[^/]*\\.cpp$'], ['exclude', '/third_party/WebKit/WebCore/storage/(Local|Session)Storage[^/]*\\.cpp$']], 'sources!': ['../third_party/WebKit/WebCore/dom/EventListener.idl', '../third_party/WebKit/WebCore/dom/EventTarget.idl', '../third_party/WebKit/WebCore/html/VoidCallback.idl', '../third_party/WebKit/WebCore/inspector/JavaScriptCallFrame.idl', '../third_party/WebKit/WebCore/loader/appcache/DOMApplicationCache.idl', '../third_party/WebKit/WebCore/page/Geolocation.idl', '../third_party/WebKit/WebCore/page/Geoposition.idl', '../third_party/WebKit/WebCore/page/PositionCallback.idl', '../third_party/WebKit/WebCore/page/PositionError.idl', '../third_party/WebKit/WebCore/page/PositionErrorCallback.idl', '../third_party/WebKit/WebCore/page/AbstractView.idl', '../third_party/WebKit/WebCore/svg/ElementTimeControl.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedPathData.idl', '../third_party/WebKit/WebCore/svg/SVGComponentTransferFunctionElement.idl', '../third_party/WebKit/WebCore/svg/SVGExternalResourcesRequired.idl', '../third_party/WebKit/WebCore/svg/SVGFitToViewBox.idl', '../third_party/WebKit/WebCore/svg/SVGHKernElement.idl', '../third_party/WebKit/WebCore/svg/SVGLangSpace.idl', '../third_party/WebKit/WebCore/svg/SVGLocatable.idl', '../third_party/WebKit/WebCore/svg/SVGStylable.idl', '../third_party/WebKit/WebCore/svg/SVGTests.idl', '../third_party/WebKit/WebCore/svg/SVGTransformable.idl', '../third_party/WebKit/WebCore/svg/SVGViewSpec.idl', '../third_party/WebKit/WebCore/svg/SVGZoomAndPan.idl', '../third_party/WebKit/WebCore/css/CSSUnknownRule.idl', '../third_party/WebKit/WebCore/history/BackForwardList.cpp', '../third_party/WebKit/WebCore/loader/icon/IconDatabase.cpp', '../third_party/WebKit/WebCore/platform/KURL.cpp', '../third_party/WebKit/WebCore/platform/MIMETypeRegistry.cpp', '../third_party/WebKit/WebCore/platform/Theme.cpp', '../third_party/WebKit/WebCore/plugins/PluginDatabase.cpp', '../third_party/WebKit/WebCore/plugins/PluginInfoStore.cpp', '../third_party/WebKit/WebCore/plugins/PluginMainThreadScheduler.cpp', '../third_party/WebKit/WebCore/plugins/PluginPackage.cpp', '../third_party/WebKit/WebCore/plugins/PluginStream.cpp', '../third_party/WebKit/WebCore/plugins/PluginView.cpp', '../third_party/WebKit/WebCore/plugins/npapi.cpp', '../third_party/WebKit/WebCore/platform/LinkHash.cpp', '../third_party/WebKit/WebCore/dom/StaticStringList.cpp', '../third_party/WebKit/WebCore/loader/icon/IconFetcher.cpp', '../third_party/WebKit/WebCore/loader/UserStyleSheetLoader.cpp', '../third_party/WebKit/WebCore/platform/graphics/GraphicsLayer.cpp', '../third_party/WebKit/WebCore/platform/graphics/RenderLayerBacking.cpp', '../third_party/WebKit/WebCore/platform/graphics/RenderLayerCompositor.cpp'], 'direct_dependent_settings': {'include_dirs': ['<(SHARED_INTERMEDIATE_DIR)/webkit', '<(SHARED_INTERMEDIATE_DIR)/webkit/bindings', 'port/bindings/v8', '<@(webcore_include_dirs)'], 'mac_framework_dirs': ['$(SDKROOT)/System/Library/Frameworks/ApplicationServices.framework/Frameworks']}, 'export_dependent_settings': ['wtf', '../build/temp_gyp/googleurl.gyp:googleurl', '../skia/skia.gyp:skia', '../third_party/npapi/npapi.gyp:npapi'], 'link_settings': {'mac_bundle_resources': ['../third_party/WebKit/WebCore/Resources/aliasCursor.png', '../third_party/WebKit/WebCore/Resources/cellCursor.png', '../third_party/WebKit/WebCore/Resources/contextMenuCursor.png', '../third_party/WebKit/WebCore/Resources/copyCursor.png', '../third_party/WebKit/WebCore/Resources/crossHairCursor.png', '../third_party/WebKit/WebCore/Resources/eastResizeCursor.png', '../third_party/WebKit/WebCore/Resources/eastWestResizeCursor.png', '../third_party/WebKit/WebCore/Resources/helpCursor.png', '../third_party/WebKit/WebCore/Resources/linkCursor.png', '../third_party/WebKit/WebCore/Resources/missingImage.png', '../third_party/WebKit/WebCore/Resources/moveCursor.png', '../third_party/WebKit/WebCore/Resources/noDropCursor.png', '../third_party/WebKit/WebCore/Resources/noneCursor.png', '../third_party/WebKit/WebCore/Resources/northEastResizeCursor.png', '../third_party/WebKit/WebCore/Resources/northEastSouthWestResizeCursor.png', '../third_party/WebKit/WebCore/Resources/northResizeCursor.png', '../third_party/WebKit/WebCore/Resources/northSouthResizeCursor.png', '../third_party/WebKit/WebCore/Resources/northWestResizeCursor.png', '../third_party/WebKit/WebCore/Resources/northWestSouthEastResizeCursor.png', '../third_party/WebKit/WebCore/Resources/notAllowedCursor.png', '../third_party/WebKit/WebCore/Resources/progressCursor.png', '../third_party/WebKit/WebCore/Resources/southEastResizeCursor.png', '../third_party/WebKit/WebCore/Resources/southResizeCursor.png', '../third_party/WebKit/WebCore/Resources/southWestResizeCursor.png', '../third_party/WebKit/WebCore/Resources/verticalTextCursor.png', '../third_party/WebKit/WebCore/Resources/waitCursor.png', '../third_party/WebKit/WebCore/Resources/westResizeCursor.png', '../third_party/WebKit/WebCore/Resources/zoomInCursor.png', '../third_party/WebKit/WebCore/Resources/zoomOutCursor.png']}, 'hard_dependency': 1, 'mac_framework_dirs': ['$(SDKROOT)/System/Library/Frameworks/ApplicationServices.framework/Frameworks'], 'msvs_disabled_warnings': [4138, 4244, 4291, 4305, 4344, 4355, 4521, 4099], 'scons_line_length': 1, 'xcode_settings': {'GCC_PREFIX_HEADER': '../third_party/WebKit/WebCore/WebCorePrefix.h'}, 'conditions': [['javascript_engine=="v8"', {'dependencies': ['../v8/tools/gyp/v8.gyp:v8'], 'export_dependent_settings': ['../v8/tools/gyp/v8.gyp:v8']}], ['OS=="linux"', {'dependencies': ['../build/linux/system.gyp:fontconfig', '../build/linux/system.gyp:gtk'], 'sources': ['../third_party/WebKit/WebCore/platform/graphics/chromium/VDMXParser.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/HarfbuzzSkia.cpp'], 'sources!': ['../third_party/WebKit/WebCore/platform/graphics/chromium/FontCustomPlatformData.cpp'], 'sources/': [['include', 'third_party/WebKit/WebCore/platform/chromium/KeyCodeConversionGtk\\.cpp$'], ['include', 'third_party/WebKit/WebCore/platform/graphics/chromium/FontCacheLinux\\.cpp$'], ['include', 'third_party/WebKit/WebCore/platform/graphics/chromium/FontLinux\\.cpp$'], ['include', 'third_party/WebKit/WebCore/platform/graphics/chromium/FontPlatformDataLinux\\.cpp$'], ['include', 'third_party/WebKit/WebCore/platform/graphics/chromium/GlyphPageTreeNodeLinux\\.cpp$'], ['include', 'third_party/WebKit/WebCore/platform/graphics/chromium/SimpleFontDataLinux\\.cpp$']], 'cflags': ['-Wno-multichar', '-fno-strict-aliasing']}], ['OS=="mac"', {'actions': [{'action_name': 'WebCoreSystemInterface.h', 'inputs': ['../third_party/WebKit/WebCore/platform/mac/WebCoreSystemInterface.h'], 'outputs': ['<(INTERMEDIATE_DIR)/WebCore/WebCoreSystemInterface.h'], 'action': ['cp', '<@(_inputs)', '<@(_outputs)']}], 'include_dirs': ['../third_party/WebKit/WebKitLibraries'], 'sources/': [['include', 'CF\\.cpp$'], ['exclude', '/network/cf/'], ['include', '/platform/graphics/cg/[^/]*(?<!Win)?\\.(cpp|mm?)$'], ['include', '/platform/(graphics/)?mac/[^/]*Font[^/]*\\.(cpp|mm?)$'], ['include', '/third_party/WebKit/WebCore/loader/archive/cf/LegacyWebArchive\\.cpp$'], ['include', '/third_party/WebKit/WebCore/platform/graphics/mac/ColorMac\\.mm$'], ['include', '/third_party/WebKit/WebCore/platform/graphics/mac/GlyphPageTreeNodeMac\\.cpp$'], ['include', '/third_party/WebKit/WebCore/platform/graphics/mac/GraphicsContextMac\\.mm$'], ['include', '/third_party/WebKit/WebCore/platform/mac/BlockExceptions\\.mm$'], ['include', '/third_party/WebKit/WebCore/platform/mac/LocalCurrentGraphicsContext\\.mm$'], ['include', '/third_party/WebKit/WebCore/platform/mac/PurgeableBufferMac\\.cpp$'], ['include', '/third_party/WebKit/WebCore/platform/mac/ScrollbarThemeMac\\.mm$'], ['include', '/third_party/WebKit/WebCore/platform/mac/WebCoreSystemInterface\\.mm$'], ['include', '/third_party/WebKit/WebCore/platform/mac/WebCoreTextRenderer\\.mm$'], ['include', '/third_party/WebKit/WebCore/platform/text/mac/ShapeArabic\\.c$'], ['include', '/third_party/WebKit/WebCore/platform/text/mac/String(Impl)?Mac\\.mm$'], ['include', '/third_party/WebKit/WebKit/mac/WebCoreSupport/WebSystemInterface\\.m$']], 'sources!': ['../third_party/WebKit/WebCore/platform/graphics/chromium/FontCustomPlatformData.cpp', '../third_party/WebKit/WebCore/platform/chromium/ScrollbarThemeChromium.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/FloatPointSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/FloatRectSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/GradientSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/GraphicsContextSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/ImageBufferSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/ImageSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/ImageSourceSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/IntPointSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/IntRectSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/PathSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/PatternSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/TransformationMatrixSkia.cpp', '../third_party/WebKit/WebCore/rendering/RenderThemeChromiumSkia.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/ImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageReader.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageReader.h', '../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageReader.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageReader.h', '../third_party/WebKit/WebCore/platform/image-decoders/ico/ICOImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/ico/ICOImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/jpeg/JPEGImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/jpeg/JPEGImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/png/PNGImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/png/PNGImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/skia/ImageDecoderSkia.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/xbm/XBMImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/xbm/XBMImageDecoder.h'], 'link_settings': {'libraries': ['../third_party/WebKit/WebKitLibraries/libWebKitSystemInterfaceLeopard.a']}, 'direct_dependent_settings': {'include_dirs': ['../third_party/WebKit/WebKitLibraries', '../third_party/WebKit/WebKit/mac/WebCoreSupport']}}], ['OS=="win"', {'dependencies': ['../build/win/system.gyp:cygwin'], 'sources/': [['exclude', 'Posix\\.cpp$'], ['include', '/opentype/'], ['include', '/TransparencyWin\\.cpp$'], ['include', '/SkiaFontWin\\.cpp$']], 'defines': ['__PRETTY_FUNCTION__=__FUNCTION__', 'DISABLE_ACTIVEX_TYPE_CONVERSION_MPLAYER2'], 'include_dirs++': ['../third_party/WebKit/WebCore/dom'], 'direct_dependent_settings': {'include_dirs+++': ['../third_party/WebKit/WebCore/dom']}}], ['OS!="linux"', {'sources/': [['exclude', '(Gtk|Linux)\\.cpp$']]}], ['OS!="mac"', {'sources/': [['exclude', 'Mac\\.(cpp|mm?)$']]}], ['OS!="win"', {'sources/': [['exclude', 'Win\\.cpp$'], ['exclude', '/(Windows|Uniscribe)[^/]*\\.cpp$']]}]]}, {'target_name': 'webkit', 'type': '<(library)', 'msvs_guid': '5ECEC9E5-8F23-47B6-93E0-C3B328B3BE65', 'dependencies': ['webcore'], 'include_dirs': ['api/public', 'api/src'], 'defines': ['WEBKIT_IMPLEMENTATION'], 'sources': ['api/public/gtk/WebInputEventFactory.h', 'api/public/x11/WebScreenInfoFactory.h', 'api/public/mac/WebInputEventFactory.h', 'api/public/mac/WebScreenInfoFactory.h', 'api/public/WebCache.h', 'api/public/WebCanvas.h', 'api/public/WebClipboard.h', 'api/public/WebColor.h', 'api/public/WebCommon.h', 'api/public/WebConsoleMessage.h', 'api/public/WebCString.h', 'api/public/WebCursorInfo.h', 'api/public/WebData.h', 'api/public/WebDataSource.h', 'api/public/WebDragData.h', 'api/public/WebFindOptions.h', 'api/public/WebForm.h', 'api/public/WebHistoryItem.h', 'api/public/WebHTTPBody.h', 'api/public/WebImage.h', 'api/public/WebInputEvent.h', 'api/public/WebKit.h', 'api/public/WebKitClient.h', 'api/public/WebMediaPlayer.h', 'api/public/WebMediaPlayerClient.h', 'api/public/WebMimeRegistry.h', 'api/public/WebNavigationType.h', 'api/public/WebNonCopyable.h', 'api/public/WebPluginListBuilder.h', 'api/public/WebPoint.h', 'api/public/WebRect.h', 'api/public/WebScreenInfo.h', 'api/public/WebScriptSource.h', 'api/public/WebSize.h', 'api/public/WebString.h', 'api/public/WebURL.h', 'api/public/WebURLError.h', 'api/public/WebURLLoader.h', 'api/public/WebURLLoaderClient.h', 'api/public/WebURLRequest.h', 'api/public/WebURLResponse.h', 'api/public/WebVector.h', 'api/public/win/WebInputEventFactory.h', 'api/public/win/WebSandboxSupport.h', 'api/public/win/WebScreenInfoFactory.h', 'api/public/win/WebScreenInfoFactory.h', 'api/src/ChromiumBridge.cpp', 'api/src/ChromiumCurrentTime.cpp', 'api/src/ChromiumThreading.cpp', 'api/src/gtk/WebFontInfo.cpp', 'api/src/gtk/WebFontInfo.h', 'api/src/gtk/WebInputEventFactory.cpp', 'api/src/x11/WebScreenInfoFactory.cpp', 'api/src/mac/WebInputEventFactory.mm', 'api/src/mac/WebScreenInfoFactory.mm', 'api/src/MediaPlayerPrivateChromium.cpp', 'api/src/ResourceHandle.cpp', 'api/src/TemporaryGlue.h', 'api/src/WebCache.cpp', 'api/src/WebCString.cpp', 'api/src/WebCursorInfo.cpp', 'api/src/WebData.cpp', 'api/src/WebDragData.cpp', 'api/src/WebForm.cpp', 'api/src/WebHistoryItem.cpp', 'api/src/WebHTTPBody.cpp', 'api/src/WebImageCG.cpp', 'api/src/WebImageSkia.cpp', 'api/src/WebInputEvent.cpp', 'api/src/WebKit.cpp', 'api/src/WebMediaPlayerClientImpl.cpp', 'api/src/WebMediaPlayerClientImpl.h', 'api/src/WebPluginListBuilderImpl.cpp', 'api/src/WebPluginListBuilderImpl.h', 'api/src/WebString.cpp', 'api/src/WebURL.cpp', 'api/src/WebURLRequest.cpp', 'api/src/WebURLRequestPrivate.h', 'api/src/WebURLResponse.cpp', 'api/src/WebURLResponsePrivate.h', 'api/src/WebURLError.cpp', 'api/src/WrappedResourceRequest.h', 'api/src/WrappedResourceResponse.h', 'api/src/win/WebInputEventFactory.cpp', 'api/src/win/WebScreenInfoFactory.cpp'], 'conditions': [['OS=="linux"', {'dependencies': ['../build/linux/system.gyp:x11', '../build/linux/system.gyp:gtk'], 'include_dirs': ['api/public/x11', 'api/public/gtk', 'api/public/linux']}, {'sources/': [['exclude', '/gtk/'], ['exclude', '/x11/']]}], ['OS=="mac"', {'include_dirs': ['api/public/mac'], 'sources/': [['exclude', 'Skia\\.cpp$']]}, {'sources/': [['exclude', '/mac/'], ['exclude', 'CG\\.cpp$']]}], ['OS=="win"', {'include_dirs': ['api/public/win']}, {'sources/': [['exclude', '/win/']]}]]}, {'target_name': 'webkit_resources', 'type': 'none', 'msvs_guid': '0B469837-3D46-484A-AFB3-C5A6C68730B9', 'variables': {'grit_path': '../tools/grit/grit.py', 'grit_out_dir': '<(SHARED_INTERMEDIATE_DIR)/webkit'}, 'actions': [{'action_name': 'webkit_resources', 'variables': {'input_path': 'glue/webkit_resources.grd'}, 'inputs': ['<(input_path)'], 'outputs': ['<(grit_out_dir)/grit/webkit_resources.h', '<(grit_out_dir)/webkit_resources.pak', '<(grit_out_dir)/webkit_resources.rc'], 'action': ['python', '<(grit_path)', '-i', '<(input_path)', 'build', '-o', '<(grit_out_dir)'], 'message': 'Generating resources from <(input_path)'}], 'direct_dependent_settings': {'include_dirs': ['<(SHARED_INTERMEDIATE_DIR)/webkit']}, 'conditions': [['OS=="win"', {'dependencies': ['../build/win/system.gyp:cygwin']}]]}, {'target_name': 'webkit_strings', 'type': 'none', 'msvs_guid': '60B43839-95E6-4526-A661-209F16335E0E', 'variables': {'grit_path': '../tools/grit/grit.py', 'grit_out_dir': '<(SHARED_INTERMEDIATE_DIR)/webkit'}, 'actions': [{'action_name': 'webkit_strings', 'variables': {'input_path': 'glue/webkit_strings.grd'}, 'inputs': ['<(input_path)'], 'outputs': ['<(grit_out_dir)/grit/webkit_strings.h', '<(grit_out_dir)/webkit_strings_da.pak', '<(grit_out_dir)/webkit_strings_da.rc', '<(grit_out_dir)/webkit_strings_en-US.pak', '<(grit_out_dir)/webkit_strings_en-US.rc', '<(grit_out_dir)/webkit_strings_he.pak', '<(grit_out_dir)/webkit_strings_he.rc', '<(grit_out_dir)/webkit_strings_zh-TW.pak', '<(grit_out_dir)/webkit_strings_zh-TW.rc'], 'action': ['python', '<(grit_path)', '-i', '<(input_path)', 'build', '-o', '<(grit_out_dir)'], 'message': 'Generating resources from <(input_path)'}], 'direct_dependent_settings': {'include_dirs': ['<(SHARED_INTERMEDIATE_DIR)/webkit']}, 'conditions': [['OS=="win"', {'dependencies': ['../build/win/system.gyp:cygwin']}]]}, {'target_name': 'glue', 'type': '<(library)', 'msvs_guid': 'C66B126D-0ECE-4CA2-B6DC-FA780AFBBF09', 'dependencies': ['../net/net.gyp:net', 'inspector_resources', 'webcore', 'webkit', 'webkit_resources', 'webkit_strings'], 'actions': [{'action_name': 'webkit_version', 'inputs': ['build/webkit_version.py', '../third_party/WebKit/WebCore/Configurations/Version.xcconfig'], 'outputs': ['<(INTERMEDIATE_DIR)/webkit_version.h'], 'action': ['python', '<@(_inputs)', '<(INTERMEDIATE_DIR)']}], 'include_dirs': ['<(INTERMEDIATE_DIR)', '<(SHARED_INTERMEDIATE_DIR)/webkit'], 'sources': ['glue/devtools/devtools_rpc.cc', 'glue/devtools/devtools_rpc.h', 'glue/devtools/devtools_rpc_js.h', 'glue/devtools/bound_object.cc', 'glue/devtools/bound_object.h', 'glue/devtools/debugger_agent.h', 'glue/devtools/debugger_agent_impl.cc', 'glue/devtools/debugger_agent_impl.h', 'glue/devtools/debugger_agent_manager.cc', 'glue/devtools/debugger_agent_manager.h', 'glue/devtools/dom_agent.h', 'glue/devtools/dom_agent_impl.cc', 'glue/devtools/dom_agent_impl.h', 'glue/devtools/tools_agent.h', 'glue/media/media_resource_loader_bridge_factory.cc', 'glue/media/media_resource_loader_bridge_factory.h', 'glue/media/simple_data_source.cc', 'glue/media/simple_data_source.h', 'glue/media/video_renderer_impl.cc', 'glue/media/video_renderer_impl.h', 'glue/plugins/mozilla_extensions.cc', 'glue/plugins/mozilla_extensions.h', 'glue/plugins/nphostapi.h', 'glue/plugins/gtk_plugin_container.h', 'glue/plugins/gtk_plugin_container.cc', 'glue/plugins/gtk_plugin_container_manager.h', 'glue/plugins/gtk_plugin_container_manager.cc', 'glue/plugins/plugin_constants_win.h', 'glue/plugins/plugin_host.cc', 'glue/plugins/plugin_host.h', 'glue/plugins/plugin_instance.cc', 'glue/plugins/plugin_instance.h', 'glue/plugins/plugin_lib.cc', 'glue/plugins/plugin_lib.h', 'glue/plugins/plugin_lib_linux.cc', 'glue/plugins/plugin_lib_mac.mm', 'glue/plugins/plugin_lib_win.cc', 'glue/plugins/plugin_list.cc', 'glue/plugins/plugin_list.h', 'glue/plugins/plugin_list_linux.cc', 'glue/plugins/plugin_list_mac.mm', 'glue/plugins/plugin_list_win.cc', 'glue/plugins/plugin_stream.cc', 'glue/plugins/plugin_stream.h', 'glue/plugins/plugin_stream_posix.cc', 'glue/plugins/plugin_stream_url.cc', 'glue/plugins/plugin_stream_url.h', 'glue/plugins/plugin_stream_win.cc', 'glue/plugins/plugin_string_stream.cc', 'glue/plugins/plugin_string_stream.h', 'glue/plugins/plugin_stubs.cc', 'glue/plugins/webplugin_delegate_impl.cc', 'glue/plugins/webplugin_delegate_impl.h', 'glue/plugins/webplugin_delegate_impl_gtk.cc', 'glue/plugins/webplugin_delegate_impl_mac.mm', 'glue/alt_404_page_resource_fetcher.cc', 'glue/alt_404_page_resource_fetcher.h', 'glue/alt_error_page_resource_fetcher.cc', 'glue/alt_error_page_resource_fetcher.h', 'glue/autocomplete_input_listener.h', 'glue/autofill_form.cc', 'glue/autofill_form.h', 'glue/back_forward_list_client_impl.cc', 'glue/back_forward_list_client_impl.h', 'glue/chrome_client_impl.cc', 'glue/chrome_client_impl.h', 'glue/chromium_bridge_impl.cc', 'glue/context_menu.h', 'glue/context_menu_client_impl.cc', 'glue/context_menu_client_impl.h', 'glue/cpp_binding_example.cc', 'glue/cpp_binding_example.h', 'glue/cpp_bound_class.cc', 'glue/cpp_bound_class.h', 'glue/cpp_variant.cc', 'glue/cpp_variant.h', 'glue/dom_operations.cc', 'glue/dom_operations.h', 'glue/dom_operations_private.h', 'glue/dom_serializer.cc', 'glue/dom_serializer.h', 'glue/dom_serializer_delegate.h', 'glue/dragclient_impl.cc', 'glue/dragclient_impl.h', 'glue/editor_client_impl.cc', 'glue/editor_client_impl.h', 'glue/entity_map.cc', 'glue/entity_map.h', 'glue/event_conversion.cc', 'glue/event_conversion.h', 'glue/feed_preview.cc', 'glue/feed_preview.h', 'glue/form_data.h', 'glue/glue_accessibility_object.cc', 'glue/glue_accessibility_object.h', 'glue/glue_serialize.cc', 'glue/glue_serialize.h', 'glue/glue_util.cc', 'glue/glue_util.h', 'glue/image_decoder.cc', 'glue/image_decoder.h', 'glue/image_resource_fetcher.cc', 'glue/image_resource_fetcher.h', 'glue/inspector_client_impl.cc', 'glue/inspector_client_impl.h', 'glue/localized_strings.cc', 'glue/multipart_response_delegate.cc', 'glue/multipart_response_delegate.h', 'glue/npruntime_util.cc', 'glue/npruntime_util.h', 'glue/password_autocomplete_listener.cc', 'glue/password_autocomplete_listener.h', 'glue/password_form.h', 'glue/password_form_dom_manager.cc', 'glue/password_form_dom_manager.h', 'glue/resource_fetcher.cc', 'glue/resource_fetcher.h', 'glue/resource_loader_bridge.cc', 'glue/resource_loader_bridge.h', 'glue/resource_type.h', 'glue/scoped_clipboard_writer_glue.h', 'glue/searchable_form_data.cc', 'glue/searchable_form_data.h', 'glue/simple_webmimeregistry_impl.cc', 'glue/simple_webmimeregistry_impl.h', 'glue/stacking_order_iterator.cc', 'glue/stacking_order_iterator.h', 'glue/temporary_glue.cc', 'glue/webaccessibility.h', 'glue/webaccessibilitymanager.h', 'glue/webaccessibilitymanager_impl.cc', 'glue/webaccessibilitymanager_impl.h', 'glue/webappcachecontext.cc', 'glue/webappcachecontext.h', 'glue/webclipboard_impl.cc', 'glue/webclipboard_impl.h', 'glue/webcursor.cc', 'glue/webcursor.h', 'glue/webcursor_gtk.cc', 'glue/webcursor_gtk_data.h', 'glue/webcursor_mac.mm', 'glue/webcursor_win.cc', 'glue/webdatasource_impl.cc', 'glue/webdatasource_impl.h', 'glue/webdevtoolsagent.h', 'glue/webdevtoolsagent_delegate.h', 'glue/webdevtoolsagent_impl.cc', 'glue/webdevtoolsagent_impl.h', 'glue/webdevtoolsclient.h', 'glue/webdevtoolsclient_delegate.h', 'glue/webdevtoolsclient_impl.cc', 'glue/webdevtoolsclient_impl.h', 'glue/webdropdata.cc', 'glue/webdropdata_win.cc', 'glue/webdropdata.h', 'glue/webframe.h', 'glue/webframe_impl.cc', 'glue/webframe_impl.h', 'glue/webframeloaderclient_impl.cc', 'glue/webframeloaderclient_impl.h', 'glue/webkit_glue.cc', 'glue/webkit_glue.h', 'glue/webkitclient_impl.cc', 'glue/webkitclient_impl.h', 'glue/webmediaplayer_impl.h', 'glue/webmediaplayer_impl.cc', 'glue/webmenurunner_mac.h', 'glue/webmenurunner_mac.mm', 'glue/webplugin.h', 'glue/webplugin_delegate.cc', 'glue/webplugin_delegate.h', 'glue/webplugin_impl.cc', 'glue/webplugin_impl.h', 'glue/webplugininfo.h', 'glue/webpreferences.h', 'glue/webtextinput.h', 'glue/webtextinput_impl.cc', 'glue/webtextinput_impl.h', 'glue/webthemeengine_impl_win.cc', 'glue/weburlloader_impl.cc', 'glue/weburlloader_impl.h', 'glue/webview.h', 'glue/webview_delegate.cc', 'glue/webview_delegate.h', 'glue/webview_impl.cc', 'glue/webview_impl.h', 'glue/webwidget.h', 'glue/webwidget_delegate.h', 'glue/webwidget_impl.cc', 'glue/webwidget_impl.h', 'glue/webworker_impl.cc', 'glue/webworker_impl.h', 'glue/webworkerclient_impl.cc', 'glue/webworkerclient_impl.h', 'glue/window_open_disposition.h'], 'hard_dependency': 1, 'export_dependent_settings': ['webcore'], 'conditions': [['OS=="linux"', {'dependencies': ['../build/linux/system.gyp:gtk'], 'export_dependent_settings': ['../build/linux/system.gyp:gtk'], 'sources!': ['glue/plugins/plugin_stubs.cc']}, {'sources/': [['exclude', '_(linux|gtk)(_data)?\\.cc$'], ['exclude', '/gtk_']]}], ['OS!="mac"', {'sources/': [['exclude', '_mac\\.(cc|mm)$']]}], ['OS!="win"', {'sources/': [['exclude', '_win\\.cc$']], 'sources!': ['glue/plugins/webplugin_delegate_impl.cc', 'glue/glue_accessibility_object.cc', 'glue/glue_accessibility_object.h', 'glue/plugins/mozilla_extensions.cc', 'glue/plugins/webplugin_delegate_impl.cc', 'glue/webaccessibility.h', 'glue/webaccessibilitymanager.h', 'glue/webaccessibilitymanager_impl.cc', 'glue/webaccessibilitymanager_impl.cc', 'glue/webaccessibilitymanager_impl.h', 'glue/webthemeengine_impl_win.cc']}, {'sources/': [['exclude', '_posix\\.cc$']], 'dependencies': ['../build/win/system.gyp:cygwin', 'activex_shim/activex_shim.gyp:activex_shim', 'default_plugin/default_plugin.gyp:default_plugin'], 'sources!': ['glue/plugins/plugin_stubs.cc']}]]}, {'target_name': 'inspector_resources', 'type': 'none', 'msvs_guid': '5330F8EE-00F5-D65C-166E-E3150171055D', 'copies': [{'destination': '<(PRODUCT_DIR)/resources/inspector', 'files': ['glue/devtools/js/base.js', 'glue/devtools/js/debugger_agent.js', 'glue/devtools/js/devtools.css', 'glue/devtools/js/devtools.html', 'glue/devtools/js/devtools.js', 'glue/devtools/js/devtools_callback.js', 'glue/devtools/js/devtools_host_stub.js', 'glue/devtools/js/dom_agent.js', 'glue/devtools/js/inject.js', 'glue/devtools/js/inspector_controller.js', 'glue/devtools/js/inspector_controller_impl.js', 'glue/devtools/js/profiler_processor.js', 'glue/devtools/js/tests.js', '../third_party/WebKit/WebCore/inspector/front-end/BottomUpProfileDataGridTree.js', '../third_party/WebKit/WebCore/inspector/front-end/Breakpoint.js', '../third_party/WebKit/WebCore/inspector/front-end/BreakpointsSidebarPane.js', '../third_party/WebKit/WebCore/inspector/front-end/CallStackSidebarPane.js', '../third_party/WebKit/WebCore/inspector/front-end/Console.js', '../third_party/WebKit/WebCore/inspector/front-end/Database.js', '../third_party/WebKit/WebCore/inspector/front-end/DatabaseQueryView.js', '../third_party/WebKit/WebCore/inspector/front-end/DatabasesPanel.js', '../third_party/WebKit/WebCore/inspector/front-end/DatabaseTableView.js', '../third_party/WebKit/WebCore/inspector/front-end/DataGrid.js', '../third_party/WebKit/WebCore/inspector/front-end/ElementsPanel.js', '../third_party/WebKit/WebCore/inspector/front-end/ElementsTreeOutline.js', '../third_party/WebKit/WebCore/inspector/front-end/FontView.js', '../third_party/WebKit/WebCore/inspector/front-end/ImageView.js', '../third_party/WebKit/WebCore/inspector/front-end/inspector.css', '../third_party/WebKit/WebCore/inspector/front-end/inspector.html', '../third_party/WebKit/WebCore/inspector/front-end/inspector.js', '../third_party/WebKit/WebCore/inspector/front-end/KeyboardShortcut.js', '../third_party/WebKit/WebCore/inspector/front-end/MetricsSidebarPane.js', '../third_party/WebKit/WebCore/inspector/front-end/Object.js', '../third_party/WebKit/WebCore/inspector/front-end/ObjectPropertiesSection.js', '../third_party/WebKit/WebCore/inspector/front-end/Panel.js', '../third_party/WebKit/WebCore/inspector/front-end/PanelEnablerView.js', '../third_party/WebKit/WebCore/inspector/front-end/Placard.js', '../third_party/WebKit/WebCore/inspector/front-end/ProfilesPanel.js', '../third_party/WebKit/WebCore/inspector/front-end/ProfileDataGridTree.js', '../third_party/WebKit/WebCore/inspector/front-end/ProfileView.js', '../third_party/WebKit/WebCore/inspector/front-end/PropertiesSection.js', '../third_party/WebKit/WebCore/inspector/front-end/PropertiesSidebarPane.js', '../third_party/WebKit/WebCore/inspector/front-end/Resource.js', '../third_party/WebKit/WebCore/inspector/front-end/ResourceCategory.js', '../third_party/WebKit/WebCore/inspector/front-end/ResourcesPanel.js', '../third_party/WebKit/WebCore/inspector/front-end/ResourceView.js', '../third_party/WebKit/WebCore/inspector/front-end/ScopeChainSidebarPane.js', '../third_party/WebKit/WebCore/inspector/front-end/Script.js', '../third_party/WebKit/WebCore/inspector/front-end/ScriptsPanel.js', '../third_party/WebKit/WebCore/inspector/front-end/ScriptView.js', '../third_party/WebKit/WebCore/inspector/front-end/SidebarPane.js', '../third_party/WebKit/WebCore/inspector/front-end/SidebarTreeElement.js', '../third_party/WebKit/WebCore/inspector/front-end/SourceFrame.js', '../third_party/WebKit/WebCore/inspector/front-end/SourceView.js', '../third_party/WebKit/WebCore/inspector/front-end/StylesSidebarPane.js', '../third_party/WebKit/WebCore/inspector/front-end/TextPrompt.js', '../third_party/WebKit/WebCore/inspector/front-end/TopDownProfileDataGridTree.js', '../third_party/WebKit/WebCore/inspector/front-end/treeoutline.js', '../third_party/WebKit/WebCore/inspector/front-end/utilities.js', '../third_party/WebKit/WebCore/inspector/front-end/View.js', '../v8/tools/codemap.js', '../v8/tools/consarray.js', '../v8/tools/csvparser.js', '../v8/tools/logreader.js', '../v8/tools/profile.js', '../v8/tools/profile_view.js', '../v8/tools/splaytree.js']}, {'destination': '<(PRODUCT_DIR)/resources/inspector/Images', 'files': ['../third_party/WebKit/WebCore/inspector/front-end/Images/back.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/checker.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/clearConsoleButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/closeButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/consoleButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/database.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/databasesIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/databaseTable.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/debuggerContinue.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/debuggerPause.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/debuggerStepInto.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/debuggerStepOut.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/debuggerStepOver.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallDown.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallDownBlack.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallDownWhite.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallRight.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallRightBlack.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallRightDown.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallRightDownBlack.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallRightDownWhite.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallRightWhite.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/dockButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/elementsIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/enableButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/errorIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/errorMediumIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/excludeButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/focusButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/forward.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/glossyHeader.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/glossyHeaderPressed.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/glossyHeaderSelected.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/glossyHeaderSelectedPressed.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/goArrow.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/graphLabelCalloutLeft.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/graphLabelCalloutRight.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/largerResourcesButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/nodeSearchButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/paneBottomGrow.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/paneBottomGrowActive.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/paneGrowHandleLine.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/pauseOnExceptionButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/percentButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/profileGroupIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/profileIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/profilesIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/profileSmallIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/profilesSilhouette.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/radioDot.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/recordButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/reloadButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourceCSSIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourceDocumentIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourceDocumentIconSmall.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourceJSIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourcePlainIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourcePlainIconSmall.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourcesIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourcesSilhouette.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourcesSizeGraphIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourcesTimeGraphIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/scriptsIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/scriptsSilhouette.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/searchSmallBlue.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/searchSmallBrightBlue.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/searchSmallGray.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/searchSmallWhite.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/segment.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/segmentEnd.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/segmentHover.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/segmentHoverEnd.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/segmentSelected.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/segmentSelectedEnd.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/splitviewDimple.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/splitviewDividerBackground.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarBackground.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarBottomBackground.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarMenuButton.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarMenuButtonSelected.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarResizerHorizontal.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarResizerVertical.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillBlue.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillGray.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillGreen.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillOrange.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillPurple.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillRed.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillYellow.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillBlue.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillGray.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillGreen.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillOrange.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillPurple.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillRed.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillYellow.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/tipBalloon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/tipBalloonBottom.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/tipIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/tipIconPressed.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/toolbarItemSelected.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/treeDownTriangleBlack.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/treeDownTriangleWhite.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/treeRightTriangleBlack.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/treeRightTriangleWhite.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/treeUpTriangleBlack.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/treeUpTriangleWhite.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/userInputIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/userInputPreviousIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/warningIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/warningMediumIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/warningsErrors.png']}]}]}
l, h = [int(input()), int(input())] t = [ord(c.lower()) - 97 if c.isalpha() else 26 for c in input()] for _ in range(h): row = input() print("".join(row[j * l:(j + 1) * l] for j in t))
(l, h) = [int(input()), int(input())] t = [ord(c.lower()) - 97 if c.isalpha() else 26 for c in input()] for _ in range(h): row = input() print(''.join((row[j * l:(j + 1) * l] for j in t)))
""" Radix Sort In computer science, radix sort is a non-comparative integer sorting algorithm that sorts data with integer keys by grouping keys by the individual digits which share the same significant position and value. A positional notation is required, but because integers can represent strings of characters (e.g., names or dates) and specially formatted floating point numbers, radix sort is not limited to integers. Where does the name come from? In mathematical numeral systems, the radix or base is the number of unique digits, including the digit zero, used to represent numbers in a positional numeral system. For example, a binary system (using numbers 0 and 1) has a radix of 2 and a decimal system (using numbers 0 to 9) has a radix of 10. Efficiency The topic of the efficiency of radix sort compared to other sorting algorithms is somewhat tricky and subject to quite a lot of misunderstandings. Whether radix sort is equally efficient, less efficient or more efficient than the best comparison-based algorithms depends on the details of the assumptions made. Radix sort complexity is O(wn) for n keys which are integers of word size w. Sometimes w is presented as a constant, which would make radix sort better (for sufficiently large n) than the best comparison-based sorting algorithms, which all perform O(n log n) comparisons to sort n keys. However, in general w cannot be considered a constant: if all n keys are distinct, then w has to be at least log n for a random-access machine to be able to store them in memory, which gives at best a time complexity O(n log n). That would seem to make radix sort at most equally efficient as the best comparison-based sorts (and worse if keys are much longer than log n). Best Average Worst Comments n * k n * k n * k k - length of longest key """
""" Radix Sort In computer science, radix sort is a non-comparative integer sorting algorithm that sorts data with integer keys by grouping keys by the individual digits which share the same significant position and value. A positional notation is required, but because integers can represent strings of characters (e.g., names or dates) and specially formatted floating point numbers, radix sort is not limited to integers. Where does the name come from? In mathematical numeral systems, the radix or base is the number of unique digits, including the digit zero, used to represent numbers in a positional numeral system. For example, a binary system (using numbers 0 and 1) has a radix of 2 and a decimal system (using numbers 0 to 9) has a radix of 10. Efficiency The topic of the efficiency of radix sort compared to other sorting algorithms is somewhat tricky and subject to quite a lot of misunderstandings. Whether radix sort is equally efficient, less efficient or more efficient than the best comparison-based algorithms depends on the details of the assumptions made. Radix sort complexity is O(wn) for n keys which are integers of word size w. Sometimes w is presented as a constant, which would make radix sort better (for sufficiently large n) than the best comparison-based sorting algorithms, which all perform O(n log n) comparisons to sort n keys. However, in general w cannot be considered a constant: if all n keys are distinct, then w has to be at least log n for a random-access machine to be able to store them in memory, which gives at best a time complexity O(n log n). That would seem to make radix sort at most equally efficient as the best comparison-based sorts (and worse if keys are much longer than log n). Best Average Worst Comments n * k n * k n * k k - length of longest key """
# Worker: Microsoft GET_ANOMALY = { "type": "get", "endpoint": "/getAnomaly", "call_message": "{type} {endpoint}", "error_message": "{type} {endpoint} {response_code}" }
get_anomaly = {'type': 'get', 'endpoint': '/getAnomaly', 'call_message': '{type} {endpoint}', 'error_message': '{type} {endpoint} {response_code}'}
""" Write a function that accepts 2 strings (first_name, last_name). The function should concatenate these two strings by inserting a space in between the strings and then reverse the resultant string. Example: first_name = 'Allen' last_name = 'Brown' Expected output = 'nworB nellA' """ def string_reverse(first_name,last_name): new_string = last_name[::-1] + " " +first_name[::-1] return new_string
""" Write a function that accepts 2 strings (first_name, last_name). The function should concatenate these two strings by inserting a space in between the strings and then reverse the resultant string. Example: first_name = 'Allen' last_name = 'Brown' Expected output = 'nworB nellA' """ def string_reverse(first_name, last_name): new_string = last_name[::-1] + ' ' + first_name[::-1] return new_string
n=int(input()) res=[] grade=[] for i in range(n): name=input() mark=float(input()) res.append([name,mark]) grade.append(mark) grade=sorted(set(grade)) #sorted and remove the duplicates m=grade[1] name=[] for val in res: if m==val[1]: name.append(val[0]) name.sort() for nm in name: print(nm)
n = int(input()) res = [] grade = [] for i in range(n): name = input() mark = float(input()) res.append([name, mark]) grade.append(mark) grade = sorted(set(grade)) m = grade[1] name = [] for val in res: if m == val[1]: name.append(val[0]) name.sort() for nm in name: print(nm)
def adapt_routes_object(object): lat_north = object['routes'][0]['bounds']['northeast']['lat'] long_east = object['routes'][0]['bounds']['northeast']['long'] lat_south = object['routes'][0]['bounds']['southwest']['lat'] long_west = object['routes'][0]['bounds']['southwest']['long']
def adapt_routes_object(object): lat_north = object['routes'][0]['bounds']['northeast']['lat'] long_east = object['routes'][0]['bounds']['northeast']['long'] lat_south = object['routes'][0]['bounds']['southwest']['lat'] long_west = object['routes'][0]['bounds']['southwest']['long']
def get_aggregation(**kwargs): field_name = '' for k, v in kwargs.items(): field_name = v.replace('.keyword', '')+'_'+k return { field_name : { k: { 'field': v } } }
def get_aggregation(**kwargs): field_name = '' for (k, v) in kwargs.items(): field_name = v.replace('.keyword', '') + '_' + k return {field_name: {k: {'field': v}}}
short = {} def printShort1(word, i): words = word.split() words[i] = "[" + words[i][0] + "]" + words[i][1:] print(" ".join(words)) def printShort2(cmd, i): print(cmd[:i] + "[" + cmd[i] + "]" + cmd[i + 1:]) for i in range(ord('a'), ord('z') + 1): short[chr(i)] = False n = int(input()) cmds = [] for _ in range(n): cmds.append(input()) for cmd in cmds: find = False words = cmd.split() for i in range(len(words)): c = words[i][0].lower() if not short[c]: short[c] = True printShort1(cmd, i) find = True break if find: continue for i in range(len(cmd)): c = cmd[i].lower() if c == ' ': continue if not short[c]: short[c] = True find = True printShort2(cmd, i) break if not find: print(cmd)
short = {} def print_short1(word, i): words = word.split() words[i] = '[' + words[i][0] + ']' + words[i][1:] print(' '.join(words)) def print_short2(cmd, i): print(cmd[:i] + '[' + cmd[i] + ']' + cmd[i + 1:]) for i in range(ord('a'), ord('z') + 1): short[chr(i)] = False n = int(input()) cmds = [] for _ in range(n): cmds.append(input()) for cmd in cmds: find = False words = cmd.split() for i in range(len(words)): c = words[i][0].lower() if not short[c]: short[c] = True print_short1(cmd, i) find = True break if find: continue for i in range(len(cmd)): c = cmd[i].lower() if c == ' ': continue if not short[c]: short[c] = True find = True print_short2(cmd, i) break if not find: print(cmd)
#!/usr/bin/env python # coding: utf-8 # # Day 4 Assignment # In[1]: num1 = 1042000 num2 = 702648265 for num in range(num1, num2 + 1): order = len(str(num)) total = 0 temp = num while temp > 0: digit = temp % 10 total += digit ** order temp //= 10 if num == total: print(num) break # In[ ]:
num1 = 1042000 num2 = 702648265 for num in range(num1, num2 + 1): order = len(str(num)) total = 0 temp = num while temp > 0: digit = temp % 10 total += digit ** order temp //= 10 if num == total: print(num) break
""" Custom exceptions for things that can go wrong in the execution of changesets. These are used more for documentation than functionality at the moment. """ class ChangesetException(Exception): pass class NotEnoughApprovals(ChangesetException): pass class NotPermittedToApprove(ChangesetException): pass class NotPermittedToQueue(ChangesetException): pass class NotInApprovableStatus(ChangesetException): pass class NotApprovedBy(ChangesetException): pass class NotAnAllowedStatus(ChangesetException): pass
""" Custom exceptions for things that can go wrong in the execution of changesets. These are used more for documentation than functionality at the moment. """ class Changesetexception(Exception): pass class Notenoughapprovals(ChangesetException): pass class Notpermittedtoapprove(ChangesetException): pass class Notpermittedtoqueue(ChangesetException): pass class Notinapprovablestatus(ChangesetException): pass class Notapprovedby(ChangesetException): pass class Notanallowedstatus(ChangesetException): pass
def simple_math(first, second): return f"""{first} + {second} = {first + second} {first} - {second} = {first - second} {first} * {second} = {first * second} {first} / {second} = {int(first / second)}""" if __name__ == '__main__': f = int(input('What is the first number?')) s = int(input('What is the second number?')) print(simple_math(f, s))
def simple_math(first, second): return f'{first} + {second} = {first + second}\n{first} - {second} = {first - second}\n{first} * {second} = {first * second}\n{first} / {second} = {int(first / second)}' if __name__ == '__main__': f = int(input('What is the first number?')) s = int(input('What is the second number?')) print(simple_math(f, s))
#THIS IS TO PLACTICE CLASS AND METHODS ##CREATE A BANK CLASS AND METHODTS TO DEPOSIT AND WITHDRAW MONEY FROM THE ##ACCOUNT, IF THE ACCOUNT DOES NOT HAVE ENOUGH FUND, PREVENT WITHDRAWAL class Bank_Account(): #bank account has owner and balance attributes def __init__(self, owner, balance =0): self.owner = owner self.balance = balance #to print information def __str__(self): return f'Account owner is: {self.owner}\n Balance : {self.balance}' #deposit method to deposit money def deposit(self, deposit): self.balance += deposit print('Deposit accepted and balance is updated!') #withdraw method def withdraw(self, withdraw): if withdraw > self.balance: print('Cannot be done, try a different amount') else: self.balance -= withdraw print('Withdrawal done, balance updated ') #creating a new account account = Bank_Account('nono', 500) print(account) print('\n'*2) #making a deposit account.deposit(200) #checking balance after deposit print(f'Current Balance : {account.balance}') print('\n'*2) #checking withdrawal account.withdraw(500) print(f'Current Balance : {account.balance}') print('\n'*2) #checking withdrawal with not enough funds account.withdraw(500) print(f'Current Balance : {account.balance}') print('\n'*2)
class Bank_Account: def __init__(self, owner, balance=0): self.owner = owner self.balance = balance def __str__(self): return f'Account owner is: {self.owner}\n Balance : {self.balance}' def deposit(self, deposit): self.balance += deposit print('Deposit accepted and balance is updated!') def withdraw(self, withdraw): if withdraw > self.balance: print('Cannot be done, try a different amount') else: self.balance -= withdraw print('Withdrawal done, balance updated ') account = bank__account('nono', 500) print(account) print('\n' * 2) account.deposit(200) print(f'Current Balance : {account.balance}') print('\n' * 2) account.withdraw(500) print(f'Current Balance : {account.balance}') print('\n' * 2) account.withdraw(500) print(f'Current Balance : {account.balance}') print('\n' * 2)
class ReverseOrderIterator(): def __init__(self, n): self.n = n def __iter__(self): return self def __next__(self): list = [] for element in range(self.n, -1, -1): list.append(element) return list def next(self): return self.__next__() iter = ReverseOrderIterator(10) print(iter.next())
class Reverseorderiterator: def __init__(self, n): self.n = n def __iter__(self): return self def __next__(self): list = [] for element in range(self.n, -1, -1): list.append(element) return list def next(self): return self.__next__() iter = reverse_order_iterator(10) print(iter.next())
''' setting api config ''' ''' base config class ''' class Config(object): DEBUG=False SECRET_KEY="secret" ''' testing class configurations ''' class Testing(Config): DEBUG=True TESTING=True ''' dev class configurations ''' class Development(Config): DEBUG=True ''' staging configurations ''' class Staging(Config): DEBUG=False ''' production configurations ''' class Production(Config): DEBUG=False TESTING=False api_config={ 'development':Development, 'testing':Testing, 'staging':Staging, 'production':Production, }
""" setting api config """ ' base config class ' class Config(object): debug = False secret_key = 'secret' ' testing class configurations ' class Testing(Config): debug = True testing = True ' dev class configurations ' class Development(Config): debug = True ' staging configurations ' class Staging(Config): debug = False ' production configurations ' class Production(Config): debug = False testing = False api_config = {'development': Development, 'testing': Testing, 'staging': Staging, 'production': Production}
expected_output = { 'application': 'TEMPERATURE', 'temperature_sensors': { 'CPU board': { 'id': 0, 'history': { '11/10/2019 05:35:04': 51, '11/10/2019 05:45:04': 51, '11/10/2019 06:35:04': 49, '11/10/2019 06:40:04': 49 } }, 'FANIO Board': { 'id': 1, 'history': { '11/10/2019 05:35:04': 48, '11/10/2019 05:45:04': 48, '11/10/2019 06:35:04': 48, '11/10/2019 06:40:04': 48 } }, 'Front Panel Le': { 'id': 2, 'history': { '11/10/2019 05:35:04': 37, '11/10/2019 05:45:04': 37, '11/10/2019 06:35:04': 37, '11/10/2019 06:40:04': 37 } }, 'GB_local': { 'id': 3, 'history': { '11/10/2019 05:35:04': 56, '11/10/2019 05:45:04': 54, '11/10/2019 06:35:04': 54, '11/10/2019 06:40:04': 54 } }, 'CPUcore:0': { 'id': 4, 'history': { '11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 58 } }, 'CPUcore:1': { 'id': 5, 'history': { '11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 58 } }, 'CPUcore:2': { 'id': 6, 'history': { '11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 58 } }, 'CPUcore:3': { 'id': 7, 'history': { '11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 58 } }, 'CPUcore:4': { 'id': 8, 'history': { '11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 58 } }, 'CPUcore:5': { 'id': 9, 'history': { '11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 58 } }, 'CPUcore:6': { 'id': 10, 'history': { '11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 58 } }, 'CPUcore:7': { 'id': 11, 'history': { '11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 58 } }, 'S1_I_00': { 'id': 12, 'history': { '11/10/2019 05:35:04': 54, '11/10/2019 05:45:04': 54, '11/10/2019 06:35:04': 54, '11/10/2019 06:40:04': 54 } }, 'S1_I_01': { 'id': 13, 'history': { '11/10/2019 05:35:04': 53, '11/10/2019 05:45:04': 53, '11/10/2019 06:35:04': 53, '11/10/2019 06:40:04': 53 } }, 'S1_I_02': { 'id': 14, 'history': { '11/10/2019 05:35:04': 55, '11/10/2019 05:45:04': 55, '11/10/2019 06:35:04': 55, '11/10/2019 06:40:04': 55 } }, 'S1_I_03': { 'id': 15, 'history': { '11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 58 } }, 'S1_I_04': { 'id': 16, 'history': { '11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 56 } }, 'S1_I_05': { 'id': 17, 'history': { '11/10/2019 05:35:04': 54, '11/10/2019 05:45:04': 54, '11/10/2019 06:35:04': 54, '11/10/2019 06:40:04': 54 } }, 'S1_I_06': { 'id': 18, 'history': { '11/10/2019 05:35:04': 51, '11/10/2019 05:45:04': 51, '11/10/2019 06:35:04': 51, '11/10/2019 06:40:04': 51 } }, 'S1_I_07': { 'id': 19, 'history': { '11/10/2019 05:35:04': 46, '11/10/2019 05:45:04': 46, '11/10/2019 06:35:04': 46, '11/10/2019 06:40:04': 46 } }, 'S1_I_08': { 'id': 20, 'history': { '11/10/2019 05:35:04': 50, '11/10/2019 05:45:04': 50, '11/10/2019 06:35:04': 50, '11/10/2019 06:40:04': 50 } }, 'S1_I_09': { 'id': 21, 'history': { '11/10/2019 05:35:04': 49, '11/10/2019 05:45:04': 49, '11/10/2019 06:35:04': 49, '11/10/2019 06:40:04': 49 } }, 'S1_H_10': { 'id': 22, 'history': { '11/10/2019 05:35:04': 52, '11/10/2019 05:45:04': 52, '11/10/2019 06:35:04': 52, '11/10/2019 06:40:04': 52 } }, 'S1_H_11': { 'id': 23, 'history': { '11/10/2019 05:35:04': 52, '11/10/2019 05:45:04': 52, '11/10/2019 06:35:04': 52, '11/10/2019 06:40:04': 52 } } } }
expected_output = {'application': 'TEMPERATURE', 'temperature_sensors': {'CPU board': {'id': 0, 'history': {'11/10/2019 05:35:04': 51, '11/10/2019 05:45:04': 51, '11/10/2019 06:35:04': 49, '11/10/2019 06:40:04': 49}}, 'FANIO Board': {'id': 1, 'history': {'11/10/2019 05:35:04': 48, '11/10/2019 05:45:04': 48, '11/10/2019 06:35:04': 48, '11/10/2019 06:40:04': 48}}, 'Front Panel Le': {'id': 2, 'history': {'11/10/2019 05:35:04': 37, '11/10/2019 05:45:04': 37, '11/10/2019 06:35:04': 37, '11/10/2019 06:40:04': 37}}, 'GB_local': {'id': 3, 'history': {'11/10/2019 05:35:04': 56, '11/10/2019 05:45:04': 54, '11/10/2019 06:35:04': 54, '11/10/2019 06:40:04': 54}}, 'CPUcore:0': {'id': 4, 'history': {'11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 58}}, 'CPUcore:1': {'id': 5, 'history': {'11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 58}}, 'CPUcore:2': {'id': 6, 'history': {'11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 58}}, 'CPUcore:3': {'id': 7, 'history': {'11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 58}}, 'CPUcore:4': {'id': 8, 'history': {'11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 58}}, 'CPUcore:5': {'id': 9, 'history': {'11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 58}}, 'CPUcore:6': {'id': 10, 'history': {'11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 58}}, 'CPUcore:7': {'id': 11, 'history': {'11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 58}}, 'S1_I_00': {'id': 12, 'history': {'11/10/2019 05:35:04': 54, '11/10/2019 05:45:04': 54, '11/10/2019 06:35:04': 54, '11/10/2019 06:40:04': 54}}, 'S1_I_01': {'id': 13, 'history': {'11/10/2019 05:35:04': 53, '11/10/2019 05:45:04': 53, '11/10/2019 06:35:04': 53, '11/10/2019 06:40:04': 53}}, 'S1_I_02': {'id': 14, 'history': {'11/10/2019 05:35:04': 55, '11/10/2019 05:45:04': 55, '11/10/2019 06:35:04': 55, '11/10/2019 06:40:04': 55}}, 'S1_I_03': {'id': 15, 'history': {'11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 58}}, 'S1_I_04': {'id': 16, 'history': {'11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 56}}, 'S1_I_05': {'id': 17, 'history': {'11/10/2019 05:35:04': 54, '11/10/2019 05:45:04': 54, '11/10/2019 06:35:04': 54, '11/10/2019 06:40:04': 54}}, 'S1_I_06': {'id': 18, 'history': {'11/10/2019 05:35:04': 51, '11/10/2019 05:45:04': 51, '11/10/2019 06:35:04': 51, '11/10/2019 06:40:04': 51}}, 'S1_I_07': {'id': 19, 'history': {'11/10/2019 05:35:04': 46, '11/10/2019 05:45:04': 46, '11/10/2019 06:35:04': 46, '11/10/2019 06:40:04': 46}}, 'S1_I_08': {'id': 20, 'history': {'11/10/2019 05:35:04': 50, '11/10/2019 05:45:04': 50, '11/10/2019 06:35:04': 50, '11/10/2019 06:40:04': 50}}, 'S1_I_09': {'id': 21, 'history': {'11/10/2019 05:35:04': 49, '11/10/2019 05:45:04': 49, '11/10/2019 06:35:04': 49, '11/10/2019 06:40:04': 49}}, 'S1_H_10': {'id': 22, 'history': {'11/10/2019 05:35:04': 52, '11/10/2019 05:45:04': 52, '11/10/2019 06:35:04': 52, '11/10/2019 06:40:04': 52}}, 'S1_H_11': {'id': 23, 'history': {'11/10/2019 05:35:04': 52, '11/10/2019 05:45:04': 52, '11/10/2019 06:35:04': 52, '11/10/2019 06:40:04': 52}}}}
a = float(input()) b = float(input()) media = ((a*3.5) + (b*7.5)) / 11 print('MEDIA = {:.5f}'.format(media))
a = float(input()) b = float(input()) media = (a * 3.5 + b * 7.5) / 11 print('MEDIA = {:.5f}'.format(media))
class Node(): def __init__(self, x, y, r): self.x = x self.y = y self.r = r self.next = None self.prev = None pass @classmethod def from_np(cls, index, pos): return cls(pos[index][0], pos[index][1], pos[index][2]) def __str__(self): return f"({self.x},{self.y},{self.r})"
class Node: def __init__(self, x, y, r): self.x = x self.y = y self.r = r self.next = None self.prev = None pass @classmethod def from_np(cls, index, pos): return cls(pos[index][0], pos[index][1], pos[index][2]) def __str__(self): return f'({self.x},{self.y},{self.r})'
def decrypt_fun(input_string,k): st="" for i in range(len(input_string)): if input_string.islower(): shift=97 #ord(97)=a else: shift=65 #ord(65)=A s=(((ord(input_string[i]))-(ord(k[i])))%26)+shift #here we need to subtract the ord(key) rest is same as encryption st+=chr(s) return st def key(length): t=list(input("Enter the key:")) s="" j=0 while(len(s)!=length): s+=t[j] if j==len(t)-1: j=0 continue j+=1 return s input_value=" " while(input_value!="N"): print("=========================") print("Enter the message you want to decrypt :") input_string=input() k=key(len(input_string)) decrypted_text=decrypt_fun(input_string,k) print("Decrypted Text :",decrypted_text) print("Do you want to decrypt again(Press N if not...and Press Y if yes..): ") input_value=input()
def decrypt_fun(input_string, k): st = '' for i in range(len(input_string)): if input_string.islower(): shift = 97 else: shift = 65 s = (ord(input_string[i]) - ord(k[i])) % 26 + shift st += chr(s) return st def key(length): t = list(input('Enter the key:')) s = '' j = 0 while len(s) != length: s += t[j] if j == len(t) - 1: j = 0 continue j += 1 return s input_value = ' ' while input_value != 'N': print('=========================') print('Enter the message you want to decrypt :') input_string = input() k = key(len(input_string)) decrypted_text = decrypt_fun(input_string, k) print('Decrypted Text :', decrypted_text) print('Do you want to decrypt again(Press N if not...and Press Y if yes..): ') input_value = input()
N, K, M = map(int, input().split()) P = list(map(int, input().split())) E = list(map(int, input().split())) A = list(map(int, input().split())) H = list(map(int, input().split())) P.sort() E.sort() A.sort() H.sort() result = 0 for x in zip(P, E, A, H): y = sorted(x) result += pow(y[-1] - y[0], K, M) result %= M print(result)
(n, k, m) = map(int, input().split()) p = list(map(int, input().split())) e = list(map(int, input().split())) a = list(map(int, input().split())) h = list(map(int, input().split())) P.sort() E.sort() A.sort() H.sort() result = 0 for x in zip(P, E, A, H): y = sorted(x) result += pow(y[-1] - y[0], K, M) result %= M print(result)
#!/usr/bin/env python # # Licensed to the Apache Software Foundation (ASF) under one or more # contributor license agreements. See the NOTICE file distributed with # this work for additional information regarding copyright ownership. # The ASF licenses this file to You under the Apache License, Version 2.0 # (the "License"); you may not use this file except in compliance with # the License. You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # List of required files for a build. MSHR_URLS = [] MSHR_URLS.append('ftp://ftp.ncdc.noaa.gov/pub/data/homr/docs/MSHR_Enhanced_Table.txt') MSHR_URLS.append('http://www.ncdc.noaa.gov/homr/file/mshr_enhanced.txt.zip') # Index values of each field details. MSHR_FIELD_INDEX_NAME = 0 MSHR_FIELD_INDEX_START = 1 MSHR_FIELD_INDEX_END = 2 MSHR_FIELD_INDEX_TYPE = 3 # Store the row details here. MSHR_FIELDS = {} # Details about the row. MSHR_FIELDS['SOURCE_ID'] = ['SOURCE_ID', 1, 20, 'X(20)'] MSHR_FIELDS['SOURCE'] = ['SOURCE', 22, 31, 'X(10)'] MSHR_FIELDS['BEGIN_DATE'] = ['BEGIN_DATE', 33, 40, 'YYYYMMDD'] MSHR_FIELDS['END_DATE'] = ['END_DATE', 42, 49, 'YYYYMMDD'] MSHR_FIELDS['STATION_STATUS'] = ['STATION_STATUS', 51, 70, 'X(20)'] MSHR_FIELDS['NCDCSTN_ID'] = ['NCDCSTN_ID', 72, 91, 'X(20)'] MSHR_FIELDS['ICAO_ID'] = ['ICAO_ID', 93, 112, 'X(20)'] MSHR_FIELDS['WBAN_ID'] = ['WBAN_ID', 114, 133, 'X(20)'] MSHR_FIELDS['FAA_ID'] = ['FAA_ID', 135, 154, 'X(20)'] MSHR_FIELDS['NWSLI_ID'] = ['NWSLI_ID', 156, 175, 'X(20)'] MSHR_FIELDS['WMO_ID'] = ['WMO_ID', 177, 196, 'X(20)'] MSHR_FIELDS['COOP_ID'] = ['COOP_ID', 198, 217, 'X(20)'] MSHR_FIELDS['TRANSMITTAL_ID'] = ['TRANSMITTAL_ID', 219, 238, 'X(20)'] MSHR_FIELDS['GHCND_ID'] = ['GHCND_ID', 240, 259, 'X(20)'] MSHR_FIELDS['NAME_PRINCIPAL'] = ['NAME_PRINCIPAL', 261, 360, 'X(100)'] MSHR_FIELDS['NAME_PRINCIPAL_SHORT'] = ['NAME_PRINCIPAL_SHORT', 362, 391, 'X(30)'] MSHR_FIELDS['NAME_COOP'] = ['NAME_COOP', 393, 492, 'X(100)'] MSHR_FIELDS['NAME_COOP_SHORT'] = ['NAME_COOP_SHORT', 494, 523, 'X(30)'] MSHR_FIELDS['NAME_PUBLICATION'] = ['NAME_PUBLICATION', 525, 624, 'X(100)'] MSHR_FIELDS['NAME_ALIAS'] = ['NAME_ALIAS', 626, 725, 'X(100)'] MSHR_FIELDS['NWS_CLIM_DIV'] = ['NWS_CLIM_DIV', 727, 736, 'X(10)'] MSHR_FIELDS['NWS_CLIM_DIV_NAME'] = ['NWS_CLIM_DIV_NAME', 738, 777, 'X(40)'] MSHR_FIELDS['STATE_PROV'] = ['STATE_PROV', 779, 788, 'X(10)'] MSHR_FIELDS['COUNTY'] = ['COUNTY', 790, 839, 'X(50)'] MSHR_FIELDS['NWS_ST_CODE'] = ['NWS_ST_CODE', 841, 842, 'X(2)'] MSHR_FIELDS['FIPS_COUNTRY_CODE'] = ['FIPS_COUNTRY_CODE', 844, 845, 'X(2)'] MSHR_FIELDS['FIPS_COUNTRY_NAME'] = ['FIPS_COUNTRY_NAME', 847, 946, 'X(100)'] MSHR_FIELDS['NWS_REGION'] = ['NWS_REGION', 948, 977, 'X(30)'] MSHR_FIELDS['NWS_WFO'] = ['NWS_WFO', 979, 988, 'X(10)'] MSHR_FIELDS['ELEV_GROUND'] = ['ELEV_GROUND', 990, 1029, 'X(40)'] MSHR_FIELDS['ELEV_GROUND_UNIT'] = ['ELEV_GROUND_UNIT', 1031, 1050, 'X(20)'] MSHR_FIELDS['ELEV_BAROM'] = ['ELEV_BAROM', 1052, 1091, 'X(40)'] MSHR_FIELDS['ELEV_BAROM_UNIT'] = ['ELEV_BAROM_UNIT', 1093, 1112, 'X(20)'] MSHR_FIELDS['ELEV_AIR'] = ['ELEV_AIR', 1114, 1153, 'X(40)'] MSHR_FIELDS['ELEV_AIR_UNIT'] = ['ELEV_AIR_UNIT', 1155, 1174, 'X(20)'] MSHR_FIELDS['ELEV_ZERODAT'] = ['ELEV_ZERODAT', 1176, 1215, 'X(40)'] MSHR_FIELDS['ELEV_ZERODAT_UNIT'] = ['ELEV_ZERODAT_UNIT', 1217, 1236, 'X(20)'] MSHR_FIELDS['ELEV_UNK'] = ['ELEV_UNK', 1238, 1277, 'X(40)'] MSHR_FIELDS['ELEV_UNK_UNIT'] = ['ELEV_UNK_UNIT', 1279, 1298, 'X(20)'] MSHR_FIELDS['LAT_DEC'] = ['LAT_DEC', 1300, 1319, 'X(20)'] MSHR_FIELDS['LON_DEC'] = ['LON_DEC', 1321, 1340, 'X(20)'] MSHR_FIELDS['LAT_LON_PRECISION'] = ['LAT_LON_PRECISION', 1342, 1351, 'X(10)'] MSHR_FIELDS['RELOCATION'] = ['RELOCATION', 1353, 1414, 'X(62)'] MSHR_FIELDS['UTC_OFFSET'] = ['UTC_OFFSET', 1416, 1431, '9(16)'] MSHR_FIELDS['OBS_ENV'] = ['OBS_ENV', 1433, 1472, 'X(40) '] MSHR_FIELDS['PLATFORM'] = ['PLATFORM', 1474, 1573, 'X(100)']
mshr_urls = [] MSHR_URLS.append('ftp://ftp.ncdc.noaa.gov/pub/data/homr/docs/MSHR_Enhanced_Table.txt') MSHR_URLS.append('http://www.ncdc.noaa.gov/homr/file/mshr_enhanced.txt.zip') mshr_field_index_name = 0 mshr_field_index_start = 1 mshr_field_index_end = 2 mshr_field_index_type = 3 mshr_fields = {} MSHR_FIELDS['SOURCE_ID'] = ['SOURCE_ID', 1, 20, 'X(20)'] MSHR_FIELDS['SOURCE'] = ['SOURCE', 22, 31, 'X(10)'] MSHR_FIELDS['BEGIN_DATE'] = ['BEGIN_DATE', 33, 40, 'YYYYMMDD'] MSHR_FIELDS['END_DATE'] = ['END_DATE', 42, 49, 'YYYYMMDD'] MSHR_FIELDS['STATION_STATUS'] = ['STATION_STATUS', 51, 70, 'X(20)'] MSHR_FIELDS['NCDCSTN_ID'] = ['NCDCSTN_ID', 72, 91, 'X(20)'] MSHR_FIELDS['ICAO_ID'] = ['ICAO_ID', 93, 112, 'X(20)'] MSHR_FIELDS['WBAN_ID'] = ['WBAN_ID', 114, 133, 'X(20)'] MSHR_FIELDS['FAA_ID'] = ['FAA_ID', 135, 154, 'X(20)'] MSHR_FIELDS['NWSLI_ID'] = ['NWSLI_ID', 156, 175, 'X(20)'] MSHR_FIELDS['WMO_ID'] = ['WMO_ID', 177, 196, 'X(20)'] MSHR_FIELDS['COOP_ID'] = ['COOP_ID', 198, 217, 'X(20)'] MSHR_FIELDS['TRANSMITTAL_ID'] = ['TRANSMITTAL_ID', 219, 238, 'X(20)'] MSHR_FIELDS['GHCND_ID'] = ['GHCND_ID', 240, 259, 'X(20)'] MSHR_FIELDS['NAME_PRINCIPAL'] = ['NAME_PRINCIPAL', 261, 360, 'X(100)'] MSHR_FIELDS['NAME_PRINCIPAL_SHORT'] = ['NAME_PRINCIPAL_SHORT', 362, 391, 'X(30)'] MSHR_FIELDS['NAME_COOP'] = ['NAME_COOP', 393, 492, 'X(100)'] MSHR_FIELDS['NAME_COOP_SHORT'] = ['NAME_COOP_SHORT', 494, 523, 'X(30)'] MSHR_FIELDS['NAME_PUBLICATION'] = ['NAME_PUBLICATION', 525, 624, 'X(100)'] MSHR_FIELDS['NAME_ALIAS'] = ['NAME_ALIAS', 626, 725, 'X(100)'] MSHR_FIELDS['NWS_CLIM_DIV'] = ['NWS_CLIM_DIV', 727, 736, 'X(10)'] MSHR_FIELDS['NWS_CLIM_DIV_NAME'] = ['NWS_CLIM_DIV_NAME', 738, 777, 'X(40)'] MSHR_FIELDS['STATE_PROV'] = ['STATE_PROV', 779, 788, 'X(10)'] MSHR_FIELDS['COUNTY'] = ['COUNTY', 790, 839, 'X(50)'] MSHR_FIELDS['NWS_ST_CODE'] = ['NWS_ST_CODE', 841, 842, 'X(2)'] MSHR_FIELDS['FIPS_COUNTRY_CODE'] = ['FIPS_COUNTRY_CODE', 844, 845, 'X(2)'] MSHR_FIELDS['FIPS_COUNTRY_NAME'] = ['FIPS_COUNTRY_NAME', 847, 946, 'X(100)'] MSHR_FIELDS['NWS_REGION'] = ['NWS_REGION', 948, 977, 'X(30)'] MSHR_FIELDS['NWS_WFO'] = ['NWS_WFO', 979, 988, 'X(10)'] MSHR_FIELDS['ELEV_GROUND'] = ['ELEV_GROUND', 990, 1029, 'X(40)'] MSHR_FIELDS['ELEV_GROUND_UNIT'] = ['ELEV_GROUND_UNIT', 1031, 1050, 'X(20)'] MSHR_FIELDS['ELEV_BAROM'] = ['ELEV_BAROM', 1052, 1091, 'X(40)'] MSHR_FIELDS['ELEV_BAROM_UNIT'] = ['ELEV_BAROM_UNIT', 1093, 1112, 'X(20)'] MSHR_FIELDS['ELEV_AIR'] = ['ELEV_AIR', 1114, 1153, 'X(40)'] MSHR_FIELDS['ELEV_AIR_UNIT'] = ['ELEV_AIR_UNIT', 1155, 1174, 'X(20)'] MSHR_FIELDS['ELEV_ZERODAT'] = ['ELEV_ZERODAT', 1176, 1215, 'X(40)'] MSHR_FIELDS['ELEV_ZERODAT_UNIT'] = ['ELEV_ZERODAT_UNIT', 1217, 1236, 'X(20)'] MSHR_FIELDS['ELEV_UNK'] = ['ELEV_UNK', 1238, 1277, 'X(40)'] MSHR_FIELDS['ELEV_UNK_UNIT'] = ['ELEV_UNK_UNIT', 1279, 1298, 'X(20)'] MSHR_FIELDS['LAT_DEC'] = ['LAT_DEC', 1300, 1319, 'X(20)'] MSHR_FIELDS['LON_DEC'] = ['LON_DEC', 1321, 1340, 'X(20)'] MSHR_FIELDS['LAT_LON_PRECISION'] = ['LAT_LON_PRECISION', 1342, 1351, 'X(10)'] MSHR_FIELDS['RELOCATION'] = ['RELOCATION', 1353, 1414, 'X(62)'] MSHR_FIELDS['UTC_OFFSET'] = ['UTC_OFFSET', 1416, 1431, '9(16)'] MSHR_FIELDS['OBS_ENV'] = ['OBS_ENV', 1433, 1472, 'X(40) '] MSHR_FIELDS['PLATFORM'] = ['PLATFORM', 1474, 1573, 'X(100)']
(a, b) = map(str, input().split(" ")) a = len(a) b = len(b) if a<b: g = a else: g = b l = [] for i in range(1,g+1): if a%i==0 and b%i==0: l.append(str(i)) if (len(l) == 1) and ('1' in l): print("yes") else: print("no")
(a, b) = map(str, input().split(' ')) a = len(a) b = len(b) if a < b: g = a else: g = b l = [] for i in range(1, g + 1): if a % i == 0 and b % i == 0: l.append(str(i)) if len(l) == 1 and '1' in l: print('yes') else: print('no')
# Enumerate instead of parsing so we pick up errors if a host is added/changed ver_lookup = { "postgresql-96-c7": ("9.6", "centos"), "postgresql-10-c7": ("10", "centos"), "postgresql-11-c7": ("11", "centos"), "postgresql-12-c7": ("12", "centos"), "postgresql-96-u1804": ("9.6", "ubuntu"), "postgresql-10-u1804": ("10", "ubuntu"), "postgresql-11-u1804": ("11", "ubuntu"), "postgresql-12-u1804": ("12", "ubuntu"), } def get_distribution(hostname): return ver_lookup[hostname][1] def get_version(hostname): return ver_lookup[hostname][0]
ver_lookup = {'postgresql-96-c7': ('9.6', 'centos'), 'postgresql-10-c7': ('10', 'centos'), 'postgresql-11-c7': ('11', 'centos'), 'postgresql-12-c7': ('12', 'centos'), 'postgresql-96-u1804': ('9.6', 'ubuntu'), 'postgresql-10-u1804': ('10', 'ubuntu'), 'postgresql-11-u1804': ('11', 'ubuntu'), 'postgresql-12-u1804': ('12', 'ubuntu')} def get_distribution(hostname): return ver_lookup[hostname][1] def get_version(hostname): return ver_lookup[hostname][0]
""" The Participant class represents a participant in a specific match. It can be used as a placeholder until the participant is decided. """ class Participant: """ The Participant class represents a participant in a specific match. It can be used as a placeholder until the participant is decided. """ def __init__(self, competitor=None): self.competitor = competitor def get_competitor(self): """ Return the competitor that was set, or None if it hasn't been decided yet """ return self.competitor def set_competitor(self, competitor): """ Set competitor after you've decided who it will be, after a previous match is completed. """ self.competitor = competitor
""" The Participant class represents a participant in a specific match. It can be used as a placeholder until the participant is decided. """ class Participant: """ The Participant class represents a participant in a specific match. It can be used as a placeholder until the participant is decided. """ def __init__(self, competitor=None): self.competitor = competitor def get_competitor(self): """ Return the competitor that was set, or None if it hasn't been decided yet """ return self.competitor def set_competitor(self, competitor): """ Set competitor after you've decided who it will be, after a previous match is completed. """ self.competitor = competitor
#%% payments = 0 interest = (1 + rpi + 0.03) ** (1 / 12) for i in range(0, 30*12): repayment = (monthly_income(i) - base_monthly_income(i)) * 0.09 temp = debt * interest - repayment if temp < 0: payments = payments + debt * interest debt = 0 break debt = temp payments = payments + repayment # %% debt = 0 for i in range(0, 4): debt += (9250 + 4422) * (1 + rpi + 0.03) payments = 0 for i in range(0, 30): repayment = (50000 - 27295) * 0.09 payments = payments + repayment
payments = 0 interest = (1 + rpi + 0.03) ** (1 / 12) for i in range(0, 30 * 12): repayment = (monthly_income(i) - base_monthly_income(i)) * 0.09 temp = debt * interest - repayment if temp < 0: payments = payments + debt * interest debt = 0 break debt = temp payments = payments + repayment debt = 0 for i in range(0, 4): debt += (9250 + 4422) * (1 + rpi + 0.03) payments = 0 for i in range(0, 30): repayment = (50000 - 27295) * 0.09 payments = payments + repayment
print("Welcome To even / odd Check: ") num = int(input("Enter Number: ")) if num % 2 != 0: print("This is Odd Number") else: print("This is an Even Number")
print('Welcome To even / odd Check: ') num = int(input('Enter Number: ')) if num % 2 != 0: print('This is Odd Number') else: print('This is an Even Number')
class Solution: def maxSubArray(self, nums: [int]) -> int: max_ending = max_current = nums[0] for i in nums[1:]: max_ending = max(i, max_ending + i) max_current = max(max_current, max_ending) return max_current
class Solution: def max_sub_array(self, nums: [int]) -> int: max_ending = max_current = nums[0] for i in nums[1:]: max_ending = max(i, max_ending + i) max_current = max(max_current, max_ending) return max_current
# # PySNMP MIB module DATASMART-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/DATASMART-MIB # Produced by pysmi-0.3.4 at Mon Apr 29 18:21:38 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # ObjectIdentifier, Integer, OctetString = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "Integer", "OctetString") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ConstraintsIntersection, SingleValueConstraint, ValueRangeConstraint, ValueSizeConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsIntersection", "SingleValueConstraint", "ValueRangeConstraint", "ValueSizeConstraint", "ConstraintsUnion") ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup") TimeTicks, Unsigned32, MibIdentifier, enterprises, NotificationType, Bits, ObjectIdentity, Counter64, Gauge32, NotificationType, IpAddress, Counter32, iso, Integer32, ModuleIdentity, MibScalar, MibTable, MibTableRow, MibTableColumn = mibBuilder.importSymbols("SNMPv2-SMI", "TimeTicks", "Unsigned32", "MibIdentifier", "enterprises", "NotificationType", "Bits", "ObjectIdentity", "Counter64", "Gauge32", "NotificationType", "IpAddress", "Counter32", "iso", "Integer32", "ModuleIdentity", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn") DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention") class DLCI(Integer32): subtypeSpec = Integer32.subtypeSpec + ValueRangeConstraint(1, 1023) class Counter32(Counter32): pass class DisplayString(OctetString): pass datasmart = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2)) dsSs = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 1)) dsRp = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2)) dsLm = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 3)) dsRm = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 4)) dsAc = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 5)) dsCc = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 6)) dsDc = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 7)) dsFc = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 8)) dsFmc = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 9)) dsMc = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 10)) dsNc = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 11)) dsSc = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 12)) dsTc = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 13)) dsFp = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 14)) dsSsAlarmSource = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ssSourceNone", 1), ("ssSourceNi", 2), ("ssSourceTi", 3), ("ssSourceDp1", 4), ("ssSourceDp2", 5), ("ssSourceSystem", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsSsAlarmSource.setStatus('mandatory') dsSsAlarmState = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13))).clone(namedValues=NamedValues(("ssStateNone", 1), ("ssStateEcf", 2), ("ssStateLos", 3), ("ssStateAis", 4), ("ssStateOof", 5), ("ssStateBer", 6), ("ssStateYel", 7), ("ssStateRfa", 8), ("ssStateRma", 9), ("ssStateOmf", 10), ("ssStateEer", 11), ("ssStateDds", 12), ("ssStateOos", 13)))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsSsAlarmState.setStatus('mandatory') dsSsLoopback = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=NamedValues(("ssLbkNone", 1), ("ssLbkRemLlb", 2), ("ssLbkRemPlb", 3), ("ssLbkRemDp1", 4), ("ssLbkRemDp2", 5), ("ssLbkLlb", 6), ("ssLbkLoc", 7), ("ssLbkPlb", 8), ("ssLbkTlb", 9), ("ssLbkDp1", 10), ("ssLbkDp2", 11), ("ssLbkDt1", 12), ("ssLbkDt2", 13), ("ssLbkCsu", 14), ("ssLbkDsu", 15), ("ssLbkDpdt", 16)))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsSsLoopback.setStatus('mandatory') dsSsPowerStatus = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("ssBothOff", 1), ("ssAOnBOff", 2), ("ssAOffBOn", 3), ("ssBothOn", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsSsPowerStatus.setStatus('mandatory') dsRpUsr = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1)) dsRpCar = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2)) dsRpStat = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3)) dsRpPl = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 4)) dsRpFr = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10)) dsRpUsrTmCntTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 1), ) if mibBuilder.loadTexts: dsRpUsrTmCntTable.setStatus('mandatory') dsRpUsrTmCntEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 1, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpUsrTmCntIndex")) if mibBuilder.loadTexts: dsRpUsrTmCntEntry.setStatus('mandatory') dsRpUsrTmCntIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 3))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrTmCntIndex.setStatus('mandatory') dsRpUsrTmCntSecs = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 899))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrTmCntSecs.setStatus('mandatory') dsRpUsrTmCnt15Mins = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 1, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 96))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrTmCnt15Mins.setStatus('mandatory') dsRpUsrTmCntDays = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 1, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrTmCntDays.setStatus('mandatory') dsRpUsrCurTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2), ) if mibBuilder.loadTexts: dsRpUsrCurTable.setStatus('mandatory') dsRpUsrCurEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpUsrCurIndex")) if mibBuilder.loadTexts: dsRpUsrCurEntry.setStatus('mandatory') dsRpUsrCurIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 3))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrCurIndex.setStatus('mandatory') dsRpUsrCurEE = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 2), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrCurEE.setStatus('mandatory') dsRpUsrCurES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 3), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrCurES.setStatus('mandatory') dsRpUsrCurBES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 4), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrCurBES.setStatus('mandatory') dsRpUsrCurSES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 5), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrCurSES.setStatus('mandatory') dsRpUsrCurUAS = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 6), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrCurUAS.setStatus('mandatory') dsRpUsrCurCSS = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 7), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrCurCSS.setStatus('mandatory') dsRpUsrCurDM = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 8), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrCurDM.setStatus('mandatory') dsRpUsrCurStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 9), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 10))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrCurStatus.setStatus('mandatory') dsRpUsrIntvlTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3), ) if mibBuilder.loadTexts: dsRpUsrIntvlTable.setStatus('mandatory') dsRpUsrIntvlEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpUsrIntvlIndex"), (0, "DATASMART-MIB", "dsRpUsrIntvlNum")) if mibBuilder.loadTexts: dsRpUsrIntvlEntry.setStatus('mandatory') dsRpUsrIntvlIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrIntvlIndex.setStatus('mandatory') dsRpUsrIntvlNum = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 96))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrIntvlNum.setStatus('mandatory') dsRpUsrIntvlEE = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 3), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrIntvlEE.setStatus('mandatory') dsRpUsrIntvlES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 4), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrIntvlES.setStatus('mandatory') dsRpUsrIntvlBES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 5), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrIntvlBES.setStatus('mandatory') dsRpUsrIntvlSES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 6), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrIntvlSES.setStatus('mandatory') dsRpUsrIntvlUAS = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 7), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrIntvlUAS.setStatus('mandatory') dsRpUsrIntvlCSS = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 8), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrIntvlCSS.setStatus('mandatory') dsRpUsrIntvlDM = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 9), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrIntvlDM.setStatus('mandatory') dsRpUsrIntvlStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 10), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 10))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrIntvlStatus.setStatus('mandatory') dsRpUsrTotalTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4), ) if mibBuilder.loadTexts: dsRpUsrTotalTable.setStatus('mandatory') dsRpUsrTotalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpUsrTotalIndex")) if mibBuilder.loadTexts: dsRpUsrTotalEntry.setStatus('mandatory') dsRpUsrTotalIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrTotalIndex.setStatus('mandatory') dsRpUsrTotalEE = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 2), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrTotalEE.setStatus('mandatory') dsRpUsrTotalES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 3), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrTotalES.setStatus('mandatory') dsRpUsrTotalBES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 4), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrTotalBES.setStatus('mandatory') dsRpUsrTotalSES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 5), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrTotalSES.setStatus('mandatory') dsRpUsrTotalUAS = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 6), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrTotalUAS.setStatus('mandatory') dsRpUsrTotalCSS = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 7), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrTotalCSS.setStatus('mandatory') dsRpUsrTotalDM = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 8), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrTotalDM.setStatus('mandatory') dsRpUsrTotalStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 9), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 10))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrTotalStatus.setStatus('mandatory') dsRpUsrDayTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5), ) if mibBuilder.loadTexts: dsRpUsrDayTable.setStatus('mandatory') dsRpUsrDayEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpUsrDayIndex"), (0, "DATASMART-MIB", "dsRpUsrDayNum")) if mibBuilder.loadTexts: dsRpUsrDayEntry.setStatus('mandatory') dsRpUsrDayIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrDayIndex.setStatus('mandatory') dsRpUsrDayNum = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 7))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrDayNum.setStatus('mandatory') dsRpUsrDayEE = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 3), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrDayEE.setStatus('mandatory') dsRpUsrDayES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 4), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrDayES.setStatus('mandatory') dsRpUsrDayBES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 5), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrDayBES.setStatus('mandatory') dsRpUsrDaySES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 6), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrDaySES.setStatus('mandatory') dsRpUsrDayUAS = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 7), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrDayUAS.setStatus('mandatory') dsRpUsrDayCSS = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 8), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrDayCSS.setStatus('mandatory') dsRpUsrDayDM = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 9), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrDayDM.setStatus('mandatory') dsRpUsrDayStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 10), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 10))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpUsrDayStatus.setStatus('mandatory') dsRpCarCntSecs = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 899))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpCarCntSecs.setStatus('mandatory') dsRpCarCnt15Mins = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 96))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpCarCnt15Mins.setStatus('mandatory') dsRpCarCur = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3)) dsRpCarCurEE = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 1), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpCarCurEE.setStatus('mandatory') dsRpCarCurES = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 2), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpCarCurES.setStatus('mandatory') dsRpCarCurBES = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 3), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpCarCurBES.setStatus('mandatory') dsRpCarCurSES = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 4), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpCarCurSES.setStatus('mandatory') dsRpCarCurUAS = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 5), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpCarCurUAS.setStatus('mandatory') dsRpCarCurCSS = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 6), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpCarCurCSS.setStatus('mandatory') dsRpCarCurLOFC = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 7), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpCarCurLOFC.setStatus('mandatory') dsRpCarIntvlTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4), ) if mibBuilder.loadTexts: dsRpCarIntvlTable.setStatus('mandatory') dsRpCarIntvlEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpCarIntvlNum")) if mibBuilder.loadTexts: dsRpCarIntvlEntry.setStatus('mandatory') dsRpCarIntvlNum = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 96))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpCarIntvlNum.setStatus('mandatory') dsRpCarIntvlEE = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 2), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpCarIntvlEE.setStatus('mandatory') dsRpCarIntvlES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 3), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpCarIntvlES.setStatus('mandatory') dsRpCarIntvlBES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 4), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpCarIntvlBES.setStatus('mandatory') dsRpCarIntvlSES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 5), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpCarIntvlSES.setStatus('mandatory') dsRpCarIntvlUAS = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 6), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpCarIntvlUAS.setStatus('mandatory') dsRpCarIntvlCSS = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 7), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpCarIntvlCSS.setStatus('mandatory') dsRpCarIntvlLOFC = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 8), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpCarIntvlLOFC.setStatus('mandatory') dsRpCarTotal = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5)) dsRpCarTotalEE = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 1), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpCarTotalEE.setStatus('mandatory') dsRpCarTotalES = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 2), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpCarTotalES.setStatus('mandatory') dsRpCarTotalBES = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 3), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpCarTotalBES.setStatus('mandatory') dsRpCarTotalSES = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 4), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpCarTotalSES.setStatus('mandatory') dsRpCarTotalUAS = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 5), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpCarTotalUAS.setStatus('mandatory') dsRpCarTotalCSS = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 6), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpCarTotalCSS.setStatus('mandatory') dsRpCarTotalLOFC = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 7), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpCarTotalLOFC.setStatus('mandatory') dsRpStTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1), ) if mibBuilder.loadTexts: dsRpStTable.setStatus('mandatory') dsRpStEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpStIndex")) if mibBuilder.loadTexts: dsRpStEntry.setStatus('mandatory') dsRpStIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 3))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpStIndex.setStatus('mandatory') dsRpStEsfErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpStEsfErrors.setStatus('mandatory') dsRpStCrcErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpStCrcErrors.setStatus('mandatory') dsRpStOofErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpStOofErrors.setStatus('mandatory') dsRpStFrameBitErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpStFrameBitErrors.setStatus('mandatory') dsRpStBPVs = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpStBPVs.setStatus('mandatory') dsRpStControlledSlips = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpStControlledSlips.setStatus('mandatory') dsRpStYellowEvents = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpStYellowEvents.setStatus('mandatory') dsRpStAISEvents = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpStAISEvents.setStatus('mandatory') dsRpStLOFEvents = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpStLOFEvents.setStatus('mandatory') dsRpStLOSEvents = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpStLOSEvents.setStatus('mandatory') dsRpStFarEndBlkErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpStFarEndBlkErrors.setStatus('mandatory') dsRpStRemFrameAlmEvts = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 13), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpStRemFrameAlmEvts.setStatus('mandatory') dsRpStRemMFrameAlmEvts = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 14), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpStRemMFrameAlmEvts.setStatus('mandatory') dsRpStLOTS16MFrameEvts = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 15), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpStLOTS16MFrameEvts.setStatus('mandatory') dsRpStZeroCounters = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("rpStZeroCountersIdle", 1), ("rpStZeroCountersStart", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsRpStZeroCounters.setStatus('mandatory') dsPlBreak = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 4, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("rpPlLineFeed", 1), ("rpPlMorePrompt", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsPlBreak.setStatus('mandatory') dsPlLen = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 4, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 70))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsPlLen.setStatus('mandatory') dsRpAhrTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 5), ) if mibBuilder.loadTexts: dsRpAhrTable.setStatus('mandatory') dsRpAhrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 5, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpAhrIndex")) if mibBuilder.loadTexts: dsRpAhrEntry.setStatus('mandatory') dsRpAhrIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 20))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpAhrIndex.setStatus('mandatory') dsRpAhrStr = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 5, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpAhrStr.setStatus('mandatory') dsRpShrTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 6), ) if mibBuilder.loadTexts: dsRpShrTable.setStatus('mandatory') dsRpShrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 6, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpShrIndex")) if mibBuilder.loadTexts: dsRpShrEntry.setStatus('mandatory') dsRpShrIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 6, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpShrIndex.setStatus('mandatory') dsRpShrDateTime = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 6, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpShrDateTime.setStatus('mandatory') dsRpShrEventType = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 6, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("rpShrTelnetPassword", 1), ("rpShrSrcIpAddressScreen", 2), ("rpShrReadCommString", 3), ("rpShrWriteCommString", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpShrEventType.setStatus('mandatory') dsRpShrComments = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 6, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpShrComments.setStatus('mandatory') dsRpBes = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(2, 63999))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsRpBes.setStatus('mandatory') dsRpSes = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(3, 64000))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsRpSes.setStatus('mandatory') dsRpDm = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 64000))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsRpDm.setStatus('mandatory') dsRpFrTmCntTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 1), ) if mibBuilder.loadTexts: dsRpFrTmCntTable.setStatus('mandatory') dsRpFrTmCntEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 1, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpFrTmCntDir")) if mibBuilder.loadTexts: dsRpFrTmCntEntry.setStatus('mandatory') dsRpFrTmCntDir = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrTmCntDir.setStatus('mandatory') dsRpFrTmCntSecs = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7200))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrTmCntSecs.setStatus('mandatory') dsRpFrTmCnt2Hrs = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 1, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 12))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrTmCnt2Hrs.setStatus('mandatory') dsRpFrTmCntDays = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 1, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrTmCntDays.setStatus('mandatory') dsRpFrPre15MTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2), ) if mibBuilder.loadTexts: dsRpFrPre15MTable.setStatus('mandatory') dsRpFrPre15MEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpFrPre15MDir"), (0, "DATASMART-MIB", "dsRpFrPre15MVcIndex")) if mibBuilder.loadTexts: dsRpFrPre15MEntry.setStatus('mandatory') dsRpFrPre15MDir = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrPre15MDir.setStatus('mandatory') dsRpFrPre15MVcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrPre15MVcIndex.setStatus('mandatory') dsRpFrPre15MVc = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8388607))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrPre15MVc.setStatus('mandatory') dsRpFrPre15MFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrPre15MFrames.setStatus('mandatory') dsRpFrPre15MOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrPre15MOctets.setStatus('mandatory') dsRpFrPre15MKbps = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 6), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrPre15MKbps.setStatus('mandatory') dsRpFrPre15MFpMax = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrPre15MFpMax.setStatus('mandatory') dsRpFrPre15MFpAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 8), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrPre15MFpAvg.setStatus('mandatory') dsRpFrPre15MFpLost = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrPre15MFpLost.setStatus('mandatory') dsRpFrPre15MFpSent = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrPre15MFpSent.setStatus('mandatory') dsRpFrPre15MStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 7))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrPre15MStatus.setStatus('mandatory') dsRpFrCur15MTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3), ) if mibBuilder.loadTexts: dsRpFrCur15MTable.setStatus('mandatory') dsRpFrCur15MEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpFrCur15MDir"), (0, "DATASMART-MIB", "dsRpFrCur15MVcIndex")) if mibBuilder.loadTexts: dsRpFrCur15MEntry.setStatus('mandatory') dsRpFrCur15MDir = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrCur15MDir.setStatus('mandatory') dsRpFrCur15MVcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrCur15MVcIndex.setStatus('mandatory') dsRpFrCur15MVc = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8388607))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrCur15MVc.setStatus('mandatory') dsRpFrCur15MFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrCur15MFrames.setStatus('mandatory') dsRpFrCur15MOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrCur15MOctets.setStatus('mandatory') dsRpFrCur15MKbps = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 6), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrCur15MKbps.setStatus('mandatory') dsRpFrCur15MFpMax = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrCur15MFpMax.setStatus('mandatory') dsRpFrCur15MFpAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 8), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrCur15MFpAvg.setStatus('mandatory') dsRpFrCur15MFpLost = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrCur15MFpLost.setStatus('mandatory') dsRpFrCur15MFpSent = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrCur15MFpSent.setStatus('mandatory') dsRpFrCur15MFpRmtIp = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 11), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrCur15MFpRmtIp.setStatus('mandatory') dsRpFrCur15MFpRmtVc = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 12), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 8388607))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrCur15MFpRmtVc.setStatus('mandatory') dsRpFrCur15MStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 13), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 7))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrCur15MStatus.setStatus('mandatory') dsRpFrCur2HTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4), ) if mibBuilder.loadTexts: dsRpFrCur2HTable.setStatus('mandatory') dsRpFrCur2HEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpFrCur2HDir"), (0, "DATASMART-MIB", "dsRpFrCur2HVcIndex")) if mibBuilder.loadTexts: dsRpFrCur2HEntry.setStatus('mandatory') dsRpFrCur2HDir = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrCur2HDir.setStatus('mandatory') dsRpFrCur2HVcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrCur2HVcIndex.setStatus('mandatory') dsRpFrCur2HVc = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8388607))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrCur2HVc.setStatus('mandatory') dsRpFrCur2HFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrCur2HFrames.setStatus('mandatory') dsRpFrCur2HOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrCur2HOctets.setStatus('mandatory') dsRpFrCur2HKbps = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 6), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrCur2HKbps.setStatus('mandatory') dsRpFrCur2HFpMax = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrCur2HFpMax.setStatus('mandatory') dsRpFrCur2HFpAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 8), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrCur2HFpAvg.setStatus('mandatory') dsRpFrCur2HFpLost = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrCur2HFpLost.setStatus('mandatory') dsRpFrCur2HFpSent = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrCur2HFpSent.setStatus('mandatory') dsRpFrCur2HStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 7))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrCur2HStatus.setStatus('mandatory') dsRpFrIntvl2HTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5), ) if mibBuilder.loadTexts: dsRpFrIntvl2HTable.setStatus('mandatory') dsRpFrIntvl2HEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpFrIntvl2HDir"), (0, "DATASMART-MIB", "dsRpFrIntvl2HVcIndex"), (0, "DATASMART-MIB", "dsRpFrIntvl2HNum")) if mibBuilder.loadTexts: dsRpFrIntvl2HEntry.setStatus('mandatory') dsRpFrIntvl2HDir = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrIntvl2HDir.setStatus('mandatory') dsRpFrIntvl2HVcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrIntvl2HVcIndex.setStatus('mandatory') dsRpFrIntvl2HNum = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrIntvl2HNum.setStatus('mandatory') dsRpFrIntvl2HVc = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8388607))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrIntvl2HVc.setStatus('mandatory') dsRpFrIntvl2HFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrIntvl2HFrames.setStatus('mandatory') dsRpFrIntvl2HOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrIntvl2HOctets.setStatus('mandatory') dsRpFrIntvl2HKbps = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 7), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrIntvl2HKbps.setStatus('mandatory') dsRpFrIntvl2HFpMax = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrIntvl2HFpMax.setStatus('mandatory') dsRpFrIntvl2HFpAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 9), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrIntvl2HFpAvg.setStatus('mandatory') dsRpFrIntvl2HFpLost = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrIntvl2HFpLost.setStatus('mandatory') dsRpFrIntvl2HFpSent = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrIntvl2HFpSent.setStatus('mandatory') dsRpFrIntvl2HStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 12), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 7))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrIntvl2HStatus.setStatus('mandatory') dsRpFrTotalTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6), ) if mibBuilder.loadTexts: dsRpFrTotalTable.setStatus('mandatory') dsRpFrTotalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpFrTotalDir"), (0, "DATASMART-MIB", "dsRpFrTotalVcIndex")) if mibBuilder.loadTexts: dsRpFrTotalEntry.setStatus('mandatory') dsRpFrTotalDir = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrTotalDir.setStatus('mandatory') dsRpFrTotalVcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrTotalVcIndex.setStatus('mandatory') dsRpFrTotalVc = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8388607))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrTotalVc.setStatus('mandatory') dsRpFrTotalFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrTotalFrames.setStatus('mandatory') dsRpFrTotalOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrTotalOctets.setStatus('mandatory') dsRpFrTotalKbps = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 6), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrTotalKbps.setStatus('mandatory') dsRpFrTotalFpMax = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrTotalFpMax.setStatus('mandatory') dsRpFrTotalFpAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 8), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrTotalFpAvg.setStatus('mandatory') dsRpFrTotalFpLost = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrTotalFpLost.setStatus('mandatory') dsRpFrTotalFpSent = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrTotalFpSent.setStatus('mandatory') dsRpFrTotalStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 7))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrTotalStatus.setStatus('mandatory') dsRpFrDayTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7), ) if mibBuilder.loadTexts: dsRpFrDayTable.setStatus('mandatory') dsRpFrDayEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpFrDayDir"), (0, "DATASMART-MIB", "dsRpFrDayVcIndex"), (0, "DATASMART-MIB", "dsRpFrDayNum")) if mibBuilder.loadTexts: dsRpFrDayEntry.setStatus('mandatory') dsRpFrDayDir = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrDayDir.setStatus('mandatory') dsRpFrDayVcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrDayVcIndex.setStatus('mandatory') dsRpFrDayNum = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrDayNum.setStatus('mandatory') dsRpFrDayVc = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8388607))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrDayVc.setStatus('mandatory') dsRpFrDayFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrDayFrames.setStatus('mandatory') dsRpFrDayOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrDayOctets.setStatus('mandatory') dsRpFrDayKbps = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 7), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrDayKbps.setStatus('mandatory') dsRpFrDayFpMax = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrDayFpMax.setStatus('mandatory') dsRpFrDayFpAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 9), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrDayFpAvg.setStatus('mandatory') dsRpFrDayFpLost = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrDayFpLost.setStatus('mandatory') dsRpFrDayFpSent = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrDayFpSent.setStatus('mandatory') dsRpFrDayStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 12), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 7))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrDayStatus.setStatus('mandatory') dsRpFrUrTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8), ) if mibBuilder.loadTexts: dsRpFrUrTable.setStatus('mandatory') dsRpFrUrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpFrUrDir"), (0, "DATASMART-MIB", "dsRpFrUrVcIndex")) if mibBuilder.loadTexts: dsRpFrUrEntry.setStatus('mandatory') dsRpFrUrDir = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrUrDir.setStatus('mandatory') dsRpFrUrVcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrUrVcIndex.setStatus('mandatory') dsRpFrUrVc = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8388607))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrUrVc.setStatus('mandatory') dsRpFrUrCIRExceeded = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrUrCIRExceeded.setStatus('mandatory') dsRpFrUrCIRExceededOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrUrCIRExceededOctets.setStatus('mandatory') dsRpFrUrEIRExceeded = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrUrEIRExceeded.setStatus('mandatory') dsRpFrUrEIRExceededOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpFrUrEIRExceededOctets.setStatus('mandatory') dsRpDdsDuration = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 11), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpDdsDuration.setStatus('mandatory') dsRpDdsTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 12), ) if mibBuilder.loadTexts: dsRpDdsTable.setStatus('mandatory') dsRpDdsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 12, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpDdsIfIndex")) if mibBuilder.loadTexts: dsRpDdsEntry.setStatus('mandatory') dsRpDdsIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 12, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpDdsIfIndex.setStatus('mandatory') dsRpDdsAvailableSecs = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 12, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpDdsAvailableSecs.setStatus('mandatory') dsRpDdsTotalSecs = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 12, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpDdsTotalSecs.setStatus('mandatory') dsRpDdsBPVs = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 12, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRpDdsBPVs.setStatus('mandatory') dsLmLoopback = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 3, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("lmLbkNone", 1), ("lmLbkLine", 2), ("lmLbkPayload", 3), ("lmLbkLocal", 4), ("lmLbkTiTest", 5), ("lmLbkDp1", 6), ("lmLbkDp2", 7), ("lmLbkDt1", 8), ("lmLbkDt2", 9), ("lmLbkCsu", 10), ("lmLbkDsu", 11), ("lmLbkDpdt", 12)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsLmLoopback.setStatus('mandatory') dsLmSelfTestState = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 3, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("lmSelfTestIdle", 1), ("lmSelfTestStart", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsLmSelfTestState.setStatus('mandatory') dsLmSelfTestResults = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 3, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsLmSelfTestResults.setStatus('mandatory') dsRmLbkCode = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("rmRNone", 1), ("rmRst1", 2), ("rmRLine", 3), ("rmRPayload", 4), ("rmRDp1", 5), ("rmRDp2", 6)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsRmLbkCode.setStatus('mandatory') dsRmTestCode = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=NamedValues(("rmTestNone", 1), ("rmTestQrs", 2), ("rmTest324", 3), ("rmTestOnes", 4), ("rmTestZeros", 5), ("rmTest511Dp1", 6), ("rmTest511Dp2", 7), ("rmTest2047Dp1", 8), ("rmTest2047Dp2", 9), ("rmTest2toThe23", 10), ("rmTest2toThe15", 11)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsRmTestCode.setStatus('mandatory') dsRmBertState = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("rmBertIdle", 1), ("rmBertOtherStart", 2), ("rmBertSearching", 3), ("rmBertFound", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRmBertState.setStatus('mandatory') dsRmBertCode = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=NamedValues(("rmBertNone", 1), ("rmBertQrs", 2), ("rmBert324", 3), ("rmBertOnes", 4), ("rmBertZeros", 5), ("rmBert511Dp1", 6), ("rmBert511Dp2", 7), ("rmBert2047Dp1", 8), ("rmBert2047Dp2", 9), ("rmTest2toThe23", 10), ("rmTest2toThe15", 11)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsRmBertCode.setStatus('mandatory') dsRmBertTestSecs = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRmBertTestSecs.setStatus('mandatory') dsRmBertBitErrors = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRmBertBitErrors.setStatus('mandatory') dsRmBertErrdSecs = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRmBertErrdSecs.setStatus('mandatory') dsRmBertTotalErrors = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRmBertTotalErrors.setStatus('mandatory') dsRmBertReSync = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRmBertReSync.setStatus('mandatory') dsRmFping = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10)) dsRmFpingAction = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("rmFpingStart", 1), ("rmFpingStop", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsRmFpingAction.setStatus('mandatory') dsRmFpingState = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("rmFpingIdle", 1), ("rmFpingOtherStart", 2), ("rmFpingRunning", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRmFpingState.setStatus('mandatory') dsRmFpingVc = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 8388607))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsRmFpingVc.setStatus('mandatory') dsRmFpingFreq = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(5, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsRmFpingFreq.setStatus('mandatory') dsRmFpingLen = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1400))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsRmFpingLen.setStatus('mandatory') dsRmFpingCur = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2000))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRmFpingCur.setStatus('mandatory') dsRmFpingMin = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2000))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRmFpingMin.setStatus('mandatory') dsRmFpingMax = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2000))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRmFpingMax.setStatus('mandatory') dsRmFpingAvg = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2000))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRmFpingAvg.setStatus('mandatory') dsRmFpingLost = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRmFpingLost.setStatus('mandatory') dsRmFpingTotal = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRmFpingTotal.setStatus('mandatory') dsRmFpingRmtVc = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 12), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 8))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRmFpingRmtVc.setStatus('mandatory') dsRmFpingRmtIp = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 13), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: dsRmFpingRmtIp.setStatus('mandatory') dsRmInsertBitError = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("insertBitError", 1), ("noInsertBitError", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsRmInsertBitError.setStatus('mandatory') dsAcAlmMsg = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("acAlmMsgEnable", 1), ("acAlmMsgDisable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsAcAlmMsg.setStatus('mandatory') dsAcYelAlm = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("acYelAlmEnable", 1), ("acYelAlmDisable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsAcYelAlm.setStatus('mandatory') dsAcDeact = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 15))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsAcDeact.setStatus('mandatory') dsAcEst = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 900))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsAcEst.setStatus('mandatory') dsAcUst = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 900))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsAcUst.setStatus('mandatory') dsAcSt = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("acSt15", 1), ("acSt60", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsAcSt.setStatus('mandatory') dsAcBerAlm = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("acBerAlmEnable", 1), ("acBerAlmDisable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsAcBerAlm.setStatus('mandatory') dsAcRfaAlm = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("acRfaAlmEnable", 1), ("acRfaAlmDisable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsAcRfaAlm.setStatus('mandatory') dsAcAisAlm = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("acAisAlmEnable", 1), ("acAisAlmDisable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsAcAisAlm.setStatus('mandatory') dsAcOnPowerTransition = NotificationType((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0,5005)).setObjects(("DATASMART-MIB", "dsSsPowerStatus")) dsAcOffPowerTransition = NotificationType((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0,5006)).setObjects(("DATASMART-MIB", "dsSsPowerStatus")) dsCcEcho = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ccEchoEnable", 1), ("ccEchoDisable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsCcEcho.setStatus('mandatory') dsCcControlPort = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ccDce", 1), ("ccDte", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsCcControlPort.setStatus('mandatory') dsCcBaud = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("cc2400", 1), ("cc9600", 2), ("cc19200", 3), ("cc38400", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsCcBaud.setStatus('mandatory') dsCcParity = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("ccNone", 1), ("ccEven", 2), ("ccOdd", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsCcParity.setStatus('mandatory') dsCcDataBits = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("cc7Bit", 1), ("cc8Bit", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsCcDataBits.setStatus('mandatory') dsCcStopBits = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("cc1Bit", 1), ("cc2Bit", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsCcStopBits.setStatus('mandatory') dsCcDceIn = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("ccBothOff", 1), ("ccRtsOnDtrOff", 2), ("ccRtsOffDtrOn", 3), ("ccBothOn", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsCcDceIn.setStatus('mandatory') dsCcDteIn = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("ccBothOff", 1), ("ccCtsOnDcdOff", 2), ("ccCtsOffDcdOn", 3), ("ccBothOn", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsCcDteIn.setStatus('mandatory') dsDcTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1), ) if mibBuilder.loadTexts: dsDcTable.setStatus('mandatory') dsDcEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1), ).setIndexNames((0, "DATASMART-MIB", "dsDcIndex")) if mibBuilder.loadTexts: dsDcEntry.setStatus('mandatory') dsDcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsDcIndex.setStatus('mandatory') dsDcDataInvert = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("dcDataInvertEnable", 1), ("dcDataInvertDisable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsDcDataInvert.setStatus('mandatory') dsDcInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("dcV35Interface", 1), ("dcEia530Interface", 2), ("dcV35DSInterface", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsDcInterface.setStatus('mandatory') dsDcClockSource = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("dcInternalClock", 1), ("dcExternalClock", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsDcClockSource.setStatus('mandatory') dsDcXmtClkInvert = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("dcXClkInvertEnable", 1), ("dcXClkInvertDisable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsDcXmtClkInvert.setStatus('mandatory') dsDcRcvClkInvert = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("dcRClkInvertEnable", 1), ("dcRClkInvertDisable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsDcRcvClkInvert.setStatus('mandatory') dsDcIdleChar = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("dc7eIdleChar", 1), ("dc7fIdleChar", 2), ("dcffIdleChar", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsDcIdleChar.setStatus('mandatory') dsDcLOSInput = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("dcLosNone", 1), ("dcLosRTS", 2), ("dcLosDTR", 3), ("dcLosBoth", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsDcLOSInput.setStatus('mandatory') dsFcLoadXcute = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("fcLoadXcuteIdle", 1), ("fcLoadXcuteStartA", 2), ("fcLoadXcuteStartB", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsFcLoadXcute.setStatus('mandatory') dsFcTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 2), ) if mibBuilder.loadTexts: dsFcTable.setStatus('mandatory') dsFcEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 2, 1), ).setIndexNames((0, "DATASMART-MIB", "dsFcTableIndex"), (0, "DATASMART-MIB", "dsFcChanIndex")) if mibBuilder.loadTexts: dsFcEntry.setStatus('mandatory') dsFcTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 3))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsFcTableIndex.setStatus('mandatory') dsFcChanIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 31))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsFcChanIndex.setStatus('mandatory') dsFcChanMap = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=NamedValues(("fcChanIdle", 1), ("fcChanTiData", 2), ("fcChanTiVoice", 3), ("fcChan56Dp1", 4), ("fcChan64Dp1", 5), ("fcChan56Dp2", 6), ("fcChan64Dp2", 7), ("fcChanDLNK", 8), ("fcChanDPDL", 9), ("fcChanUnav", 10)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsFcChanMap.setStatus('mandatory') dsFcMap16 = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("fcMap16Used", 1), ("fcMap16Unused", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsFcMap16.setStatus('mandatory') dsFmcFrameType = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("fmcFrNlpid", 1), ("fmcFrEther", 2), ("fmcAtmNlpid", 3), ("fmcAtmLlcSnap", 4), ("fmcAtmVcMux", 5)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsFmcFrameType.setStatus('mandatory') dsFmcAddrOctets = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("fmcTwoOctets", 1), ("fmcFourOctets", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsFmcAddrOctets.setStatus('mandatory') dsFmcFcsBits = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("fmc16Bits", 1), ("fmc32Bits", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsFmcFcsBits.setStatus('mandatory') dsFmcUpperBW = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(5, 95))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsFmcUpperBW.setStatus('mandatory') dsFmcFpingOper = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("fmcFpoEnable", 1), ("fmcFpoDisable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsFmcFpingOper.setStatus('mandatory') dsFmcFpingGen = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 64))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsFmcFpingGen.setStatus('mandatory') dsFmcFpingThres = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(20, 2000))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsFmcFpingThres.setStatus('mandatory') dsFmcFpingRst = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 8388607))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsFmcFpingRst.setStatus('mandatory') dsFmcAddVc = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 8388607))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsFmcAddVc.setStatus('mandatory') dsFmcDelVc = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 8388607))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsFmcDelVc.setStatus('mandatory') dsFmcSetNiRcvUpperBwThresh = NotificationType((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0,9001)).setObjects(("DATASMART-MIB", "dsRpFrCur15MVc")) dsFmcClrNiRcvUpperBwThresh = NotificationType((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0,9002)).setObjects(("DATASMART-MIB", "dsRpFrCur15MVc")) dsFmcSetNiXmtUpperBwThresh = NotificationType((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0,9003)).setObjects(("DATASMART-MIB", "dsRpFrCur15MVc")) dsFmcClrNiXmtUpperBwThresh = NotificationType((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0,9004)).setObjects(("DATASMART-MIB", "dsRpFrCur15MVc")) dsFmcFpingLinkDown = NotificationType((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0,9005)).setObjects(("DATASMART-MIB", "dsRpFrCur15MVc")) dsFmcFpingLinkUp = NotificationType((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0,9006)).setObjects(("DATASMART-MIB", "dsRpFrCur15MVc")) dsMcNetif = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=NamedValues(("mcNetNone", 1), ("mcNetEthernet", 2), ("mcNetPppSlip", 3), ("mcNetSlip", 4), ("mcNetDatalink", 5), ("mcNetES", 6), ("mcNetED", 7), ("mcNetESD", 8), ("mcNetPSD", 9), ("mcNetSD", 10), ("mcNetInband", 11)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsMcNetif.setStatus('mandatory') dsMcT1DLPath = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49))).clone(namedValues=NamedValues(("mcDLPathFdl", 1), ("mcDLPathTS1-64", 2), ("mcDLPathTS2-64", 3), ("mcDLPathTS3-64", 4), ("mcDLPathTS4-64", 5), ("mcDLPathTS5-64", 6), ("mcDLPathTS6-64", 7), ("mcDLPathTS7-64", 8), ("mcDLPathTS8-64", 9), ("mcDLPathTS9-64", 10), ("mcDLPathTS10-64", 11), ("mcDLPathTS11-64", 12), ("mcDLPathTS12-64", 13), ("mcDLPathTS13-64", 14), ("mcDLPathTS14-64", 15), ("mcDLPathTS15-64", 16), ("mcDLPathTS16-64", 17), ("mcDLPathTS17-64", 18), ("mcDLPathTS18-64", 19), ("mcDLPathTS19-64", 20), ("mcDLPathTS20-64", 21), ("mcDLPathTS21-64", 22), ("mcDLPathTS22-64", 23), ("mcDLPathTS23-64", 24), ("mcDLPathTS24-64", 25), ("mcDLPathTS1-56", 26), ("mcDLPathTS2-56", 27), ("mcDLPathTS3-56", 28), ("mcDLPathTS4-56", 29), ("mcDLPathTS5-56", 30), ("mcDLPathTS6-56", 31), ("mcDLPathTS7-56", 32), ("mcDLPathTS8-56", 33), ("mcDLPathTS9-56", 34), ("mcDLPathTS10-56", 35), ("mcDLPathTS11-56", 36), ("mcDLPathTS12-56", 37), ("mcDLPathTS13-56", 38), ("mcDLPathTS14-56", 39), ("mcDLPathTS15-56", 40), ("mcDLPathTS16-56", 41), ("mcDLPathTS17-56", 42), ("mcDLPathTS18-56", 43), ("mcDLPathTS19-56", 44), ("mcDLPathTS20-56", 45), ("mcDLPathTS21-56", 46), ("mcDLPathTS22-56", 47), ("mcDLPathTS23-56", 48), ("mcDLPathTS24-56", 49)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsMcT1DLPath.setStatus('mandatory') dsMcDefRoute = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 3), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsMcDefRoute.setStatus('mandatory') dsMcCIpAddr = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 4), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsMcCIpAddr.setStatus('mandatory') dsMcDIpAddr = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 5), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsMcDIpAddr.setStatus('mandatory') dsMcCDIpMask = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 6), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsMcCDIpMask.setStatus('mandatory') dsMcEIpAddr = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 7), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsMcEIpAddr.setStatus('mandatory') dsMcEIpMask = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 8), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsMcEIpMask.setStatus('mandatory') dsMcIIpAddr = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 9), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsMcIIpAddr.setStatus('mandatory') dsMcIIpMask = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 10), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsMcIIpMask.setStatus('mandatory') dsAmc = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11)) dsAmcAgent = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("amcEnabled", 1), ("amcDisabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsAmcAgent.setStatus('mandatory') dsAmcSourceScreen = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("mcIpScreen", 1), ("mcNoScreen", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsAmcSourceScreen.setStatus('mandatory') dsAmcTrapTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 3), ) if mibBuilder.loadTexts: dsAmcTrapTable.setStatus('mandatory') dsAmcTrapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 3, 1), ).setIndexNames((0, "DATASMART-MIB", "dsAmcTrapType")) if mibBuilder.loadTexts: dsAmcTrapEntry.setStatus('mandatory') dsAmcTrapType = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 3, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("mcStartTraps", 1), ("mcLinkTraps", 2), ("mcAuthenTraps", 3), ("mcEnterpriseTraps", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsAmcTrapType.setStatus('mandatory') dsAmcTrapStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 3, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("amcEnabled", 1), ("amcDisabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsAmcTrapStatus.setStatus('mandatory') dsAmcScrnTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 4), ) if mibBuilder.loadTexts: dsAmcScrnTable.setStatus('mandatory') dsAmcScrnEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 4, 1), ).setIndexNames((0, "DATASMART-MIB", "dsAmcScrnIndex")) if mibBuilder.loadTexts: dsAmcScrnEntry.setStatus('mandatory') dsAmcScrnIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 10))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsAmcScrnIndex.setStatus('mandatory') dsAmcScrnIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 4, 1, 2), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsAmcScrnIpAddr.setStatus('mandatory') dsAmcScrnIpMask = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 4, 1, 3), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsAmcScrnIpMask.setStatus('mandatory') dsAmcTrapDestTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 5), ) if mibBuilder.loadTexts: dsAmcTrapDestTable.setStatus('mandatory') dsAmcTrapDestEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 5, 1), ).setIndexNames((0, "DATASMART-MIB", "dsAmcTrapDestIndex")) if mibBuilder.loadTexts: dsAmcTrapDestEntry.setStatus('mandatory') dsAmcTrapDestIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 10))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsAmcTrapDestIndex.setStatus('mandatory') dsAmcTrapDestIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 5, 1, 2), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsAmcTrapDestIpAddr.setStatus('mandatory') dsAmcTrapDestVc = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 5, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 8388607))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsAmcTrapDestVc.setStatus('mandatory') dsAmcTrapDestPort = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 5, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("amcNIPort", 1), ("amcDPPort", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsAmcTrapDestPort.setStatus('mandatory') dsMcIVc = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 12), DLCI()).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsMcIVc.setStatus('mandatory') dsMcIPort = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("amcNiPort", 1), ("amcDPPort", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsMcIPort.setStatus('mandatory') dsNcFraming = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("ncSF", 1), ("ncESF", 2), ("ncEricsson", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsNcFraming.setStatus('mandatory') dsNcCoding = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ncAmi", 1), ("ncB8zs", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsNcCoding.setStatus('mandatory') dsNcT1403 = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ncT1403Enable", 1), ("ncT1403Disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsNcT1403.setStatus('mandatory') dsNcYellow = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ncYelEnable", 1), ("ncYelDisable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsNcYellow.setStatus('mandatory') dsNcAddr54 = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("ncAddrCsu", 1), ("ncAddrDsu", 2), ("ncAddrBoth", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsNcAddr54.setStatus('mandatory') dsNc54016 = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("nc54016Enable", 1), ("nc54016Disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsNc54016.setStatus('mandatory') dsNcLbo = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("ncLbo0", 1), ("ncLbo1", 2), ("ncLbo2", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsNcLbo.setStatus('mandatory') dsNcMF16 = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ncMF16Enable", 1), ("ncMF16Disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsNcMF16.setStatus('mandatory') dsNcCRC = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ncCrcEnable", 1), ("ncCrcDisable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsNcCRC.setStatus('mandatory') dsNcFasAlign = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ncFasWord", 1), ("ncNonFasWord", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsNcFasAlign.setStatus('mandatory') dsNcE1DLPath = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37))).clone(namedValues=NamedValues(("ncSaNone", 1), ("ncSaBit4", 2), ("ncSaBit5", 3), ("ncSaBit6", 4), ("ncSaBit7", 5), ("ncSaBit8", 6), ("ncTS1", 7), ("ncTS2", 8), ("ncTS3", 9), ("ncTS4", 10), ("ncTS5", 11), ("ncTS6", 12), ("ncTS7", 13), ("ncTS8", 14), ("ncTS9", 15), ("ncTS10", 16), ("ncTS11", 17), ("ncTS12", 18), ("ncTS13", 19), ("ncTS14", 20), ("ncTS15", 21), ("ncTS16", 22), ("ncTS17", 23), ("ncTS18", 24), ("ncTS19", 25), ("ncTS20", 26), ("ncTS21", 27), ("ncTS22", 28), ("ncTS23", 29), ("ncTS24", 30), ("ncTS25", 31), ("ncTS26", 32), ("ncTS27", 33), ("ncTS28", 34), ("ncTS29", 35), ("ncTS30", 36), ("ncTS31", 37)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsNcE1DLPath.setStatus('mandatory') dsNcKA = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ncFramedKeepAlive", 1), ("ncUnFramedKeepAlive", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsNcKA.setStatus('mandatory') dsNcGenRfa = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ncGenRfaEnable", 1), ("ncGenRfaDisable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsNcGenRfa.setStatus('mandatory') dsNcPassTiRfa = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ncPassTiRfaEnable", 1), ("ncPassTiRfaDisable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsNcPassTiRfa.setStatus('mandatory') dsNcIdle = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 15), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsNcIdle.setStatus('mandatory') dsNcDdsType = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("scDds56K", 1), ("scDds64K", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsNcDdsType.setStatus('mandatory') dsScMonth = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsScMonth.setStatus('mandatory') dsScDay = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 31))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsScDay.setStatus('mandatory') dsScYear = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 99))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsScYear.setStatus('mandatory') dsScHour = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 23))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsScHour.setStatus('mandatory') dsScMinutes = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 59))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsScMinutes.setStatus('mandatory') dsScName = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 15))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsScName.setStatus('mandatory') dsScSlotAddr = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 15))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsScSlotAddr.setStatus('mandatory') dsScShelfAddr = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 15))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsScShelfAddr.setStatus('mandatory') dsScGroupAddr = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsScGroupAddr.setStatus('mandatory') dsScFrontPanel = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("scFpEnable", 1), ("scFpDisable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsScFrontPanel.setStatus('mandatory') dsScDSCompatible = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("scDSEnable", 1), ("scDSDisable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsScDSCompatible.setStatus('mandatory') dsScClockSource = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("scTerminalTiming", 1), ("scThroughTiming", 2), ("scInternalTiming", 3), ("scLoopTiming", 4), ("scDP1Timing", 5), ("scDP2Timing", 6)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsScClockSource.setStatus('mandatory') dsScAutologout = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 60))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsScAutologout.setStatus('mandatory') dsScZeroPerData = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("scZallIdle", 1), ("scZallStart", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsScZeroPerData.setStatus('mandatory') dsScWyv = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 15), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsScWyv.setStatus('mandatory') dsScAutoCfg = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("scAcEnable", 1), ("scAcDisable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsScAutoCfg.setStatus('mandatory') dsScTftpSwdl = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 17), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsScTftpSwdl.setStatus('mandatory') dsScBoot = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("scBootIdle", 1), ("scBootActive", 2), ("scBootInactive", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsScBoot.setStatus('mandatory') dsScOperMode = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("scTransparentMode", 1), ("scMonitorMode", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsScOperMode.setStatus('mandatory') dsScYearExtention = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 20), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1992, 2091))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsScYearExtention.setStatus('mandatory') dsScMonthExtention = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 21), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsScMonthExtention.setStatus('mandatory') dsScDayExtention = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 22), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 31))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsScDayExtention.setStatus('mandatory') dsScHourExtention = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 23), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 24))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsScHourExtention.setStatus('mandatory') dsScMinExtention = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 24), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 59))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsScMinExtention.setStatus('mandatory') dsScSecExtention = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 25), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 59))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsScSecExtention.setStatus('mandatory') dsScPinK = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 26), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("pinKEnabled", 1), ("pinKDisabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsScPinK.setStatus('mandatory') dsTcFraming = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("tcSF", 1), ("tcESF", 2), ("tcEricsson", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsTcFraming.setStatus('mandatory') dsTcCoding = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("tcAmi", 1), ("tcB8zs", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsTcCoding.setStatus('mandatory') dsTcIdle = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsTcIdle.setStatus('mandatory') dsTcEqual = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("tcTe0", 1), ("tcTe1", 2), ("tcTe2", 3), ("tcTe3", 4), ("tcTe4", 5)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsTcEqual.setStatus('mandatory') dsTcMF16 = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("tcMF16Enable", 1), ("tcMF16Disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsTcMF16.setStatus('mandatory') dsTcCRC = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("tcCrcEnable", 1), ("tcCrcDisable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsTcCRC.setStatus('mandatory') dsTcFasAlign = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("tcFasWord", 1), ("tcNonFasWord", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsTcFasAlign.setStatus('mandatory') dsTcAis = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("tcAisEnable", 1), ("tcAisDisable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsTcAis.setStatus('mandatory') dsTcGenRfa = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("tcGenRfaEnable", 1), ("tcGenRfaDisable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsTcGenRfa.setStatus('mandatory') dsTcPassTiRfa = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("tcPassTiRfaEnable", 1), ("tcPassTiRfaDisable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: dsTcPassTiRfa.setStatus('mandatory') dsFpFr56 = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1)) dsFpFr56PwrLed = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("fpLedIndeterminate", 1), ("fpLedOff", 2), ("fpLedOnGreen", 3), ("fpLedBlinkGreen", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsFpFr56PwrLed.setStatus('mandatory') dsFpFr56DnldFailLed = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("fpLedIndeterminate", 1), ("fpLedOff", 2), ("fpLedOnRed", 3), ("fpLedBlinkRed", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsFpFr56DnldFailLed.setStatus('mandatory') dsFpFr56NiAlarmLed = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("fpLedIndeterminate", 1), ("fpLedOff", 2), ("fpLedOnRed", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsFpFr56NiAlarmLed.setStatus('mandatory') dsFpFr56NiDataLed = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("fpLedIndeterminate", 1), ("fpLedOff", 2), ("fpLedOnGreen", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsFpFr56NiDataLed.setStatus('mandatory') dsFpFr56TestLed = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("fpLedIndeterminate", 1), ("fpLedOff", 2), ("fpLedOnYellow", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsFpFr56TestLed.setStatus('mandatory') dsFpFr56DpCtsTxLed = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("fpLedIndeterminate", 1), ("fpLedOff", 2), ("fpLedOnYellow", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsFpFr56DpCtsTxLed.setStatus('mandatory') dsFpFr56DpRtsRxLed = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("fpLedIndeterminate", 1), ("fpLedOff", 2), ("fpLedOnYellow", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsFpFr56DpRtsRxLed.setStatus('mandatory') dsFpFr56FrLinkLed = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("fpLedIndeterminate", 1), ("fpLedOff", 2), ("fpLedOnGreen", 3), ("fpLedBlinkGreen", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: dsFpFr56FrLinkLed.setStatus('mandatory') mibBuilder.exportSymbols("DATASMART-MIB", dsRpUsrDayES=dsRpUsrDayES, dsDcInterface=dsDcInterface, dsScBoot=dsScBoot, dsRpFrUrVc=dsRpFrUrVc, dsScWyv=dsScWyv, dsFp=dsFp, dsRpDdsTotalSecs=dsRpDdsTotalSecs, dsFmcFpingLinkDown=dsFmcFpingLinkDown, dsScYear=dsScYear, dsFcTableIndex=dsFcTableIndex, dsRpUsrTotalEntry=dsRpUsrTotalEntry, dsScPinK=dsScPinK, dsLmLoopback=dsLmLoopback, DLCI=DLCI, dsRpUsrCurCSS=dsRpUsrCurCSS, dsAcOnPowerTransition=dsAcOnPowerTransition, dsMcIIpMask=dsMcIIpMask, dsRmBertCode=dsRmBertCode, dsRpFrTotalTable=dsRpFrTotalTable, dsAmcScrnTable=dsAmcScrnTable, dsRpFrCur2HEntry=dsRpFrCur2HEntry, dsRpUsrDayStatus=dsRpUsrDayStatus, dsRpFrPre15MVc=dsRpFrPre15MVc, dsRmFpingRmtVc=dsRmFpingRmtVc, dsRpDdsTable=dsRpDdsTable, dsRpFrIntvl2HFpMax=dsRpFrIntvl2HFpMax, dsAcDeact=dsAcDeact, dsRpFrPre15MFpAvg=dsRpFrPre15MFpAvg, dsRpFrPre15MFpMax=dsRpFrPre15MFpMax, dsFmcAddVc=dsFmcAddVc, dsNcGenRfa=dsNcGenRfa, dsNcDdsType=dsNcDdsType, dsRpUsrCurIndex=dsRpUsrCurIndex, dsRpUsrIntvlCSS=dsRpUsrIntvlCSS, dsRpDdsEntry=dsRpDdsEntry, dsRpFrPre15MFrames=dsRpFrPre15MFrames, dsRpUsrTotalSES=dsRpUsrTotalSES, dsCcEcho=dsCcEcho, dsRpFrUrCIRExceeded=dsRpFrUrCIRExceeded, dsRpAhrStr=dsRpAhrStr, dsFmc=dsFmc, dsRpFrCur15MOctets=dsRpFrCur15MOctets, dsTcIdle=dsTcIdle, dsRpFrCur15MFpRmtVc=dsRpFrCur15MFpRmtVc, dsDcDataInvert=dsDcDataInvert, dsLmSelfTestResults=dsLmSelfTestResults, dsFmcDelVc=dsFmcDelVc, dsTcCRC=dsTcCRC, dsRpUsrCurSES=dsRpUsrCurSES, dsRpFrDayFpMax=dsRpFrDayFpMax, dsMcIPort=dsMcIPort, dsRpFrIntvl2HDir=dsRpFrIntvl2HDir, dsRpFrDayVcIndex=dsRpFrDayVcIndex, dsFpFr56NiDataLed=dsFpFr56NiDataLed, datasmart=datasmart, dsRpUsrDayBES=dsRpUsrDayBES, dsRpUsrCurStatus=dsRpUsrCurStatus, dsRpDdsAvailableSecs=dsRpDdsAvailableSecs, dsRpFrIntvl2HOctets=dsRpFrIntvl2HOctets, dsRpFrCur2HOctets=dsRpFrCur2HOctets, dsRpFrUrDir=dsRpFrUrDir, dsRpUsrDayDM=dsRpUsrDayDM, dsAmcTrapDestIndex=dsAmcTrapDestIndex, dsRpCarTotal=dsRpCarTotal, dsRpFrDayFrames=dsRpFrDayFrames, dsRpUsrTotalIndex=dsRpUsrTotalIndex, dsSs=dsSs, dsRmBertErrdSecs=dsRmBertErrdSecs, dsRpCarIntvlTable=dsRpCarIntvlTable, dsRpUsrCurUAS=dsRpUsrCurUAS, dsScMinExtention=dsScMinExtention, dsRpUsrIntvlIndex=dsRpUsrIntvlIndex, dsRpFrTotalVcIndex=dsRpFrTotalVcIndex, dsDcLOSInput=dsDcLOSInput, dsTcFraming=dsTcFraming, dsRpCarIntvlEntry=dsRpCarIntvlEntry, dsRmFping=dsRmFping, dsCcBaud=dsCcBaud, dsAmcAgent=dsAmcAgent, dsRpCarCurCSS=dsRpCarCurCSS, dsFmcFpingThres=dsFmcFpingThres, dsRpDdsDuration=dsRpDdsDuration, dsRpFrTmCntDays=dsRpFrTmCntDays, dsRpCarTotalCSS=dsRpCarTotalCSS, dsRpUsrTmCntTable=dsRpUsrTmCntTable, dsRpUsrIntvlUAS=dsRpUsrIntvlUAS, dsRpStOofErrors=dsRpStOofErrors, dsRpFrCur15MFpRmtIp=dsRpFrCur15MFpRmtIp, dsRpFrDayNum=dsRpFrDayNum, dsCc=dsCc, dsRp=dsRp, dsFcTable=dsFcTable, dsRpUsrCurEE=dsRpUsrCurEE, dsRpShrEventType=dsRpShrEventType, dsRpFrIntvl2HKbps=dsRpFrIntvl2HKbps, dsRpFrCur15MVcIndex=dsRpFrCur15MVcIndex, dsRpUsrTmCntSecs=dsRpUsrTmCntSecs, dsRpStLOFEvents=dsRpStLOFEvents, dsScMonth=dsScMonth, dsRpStBPVs=dsRpStBPVs, dsRmBertState=dsRmBertState, dsTcCoding=dsTcCoding, dsRpFrCur2HStatus=dsRpFrCur2HStatus, dsRpUsrIntvlEE=dsRpUsrIntvlEE, dsRpUsrTmCnt15Mins=dsRpUsrTmCnt15Mins, dsAmcTrapStatus=dsAmcTrapStatus, dsScSecExtention=dsScSecExtention, dsDc=dsDc, dsRpUsrIntvlEntry=dsRpUsrIntvlEntry, dsRpFrIntvl2HStatus=dsRpFrIntvl2HStatus, dsRpFrCur15MEntry=dsRpFrCur15MEntry, dsRpFrPre15MEntry=dsRpFrPre15MEntry, dsRmBertReSync=dsRmBertReSync, dsRpStFrameBitErrors=dsRpStFrameBitErrors, dsNc54016=dsNc54016, dsRpStCrcErrors=dsRpStCrcErrors, dsDcRcvClkInvert=dsDcRcvClkInvert, dsRmFpingCur=dsRmFpingCur, dsRpStTable=dsRpStTable, dsRpFrIntvl2HTable=dsRpFrIntvl2HTable, dsRpFrUrEntry=dsRpFrUrEntry, dsRpCarCurSES=dsRpCarCurSES, dsRpFrTmCntSecs=dsRpFrTmCntSecs, dsDcEntry=dsDcEntry, dsScSlotAddr=dsScSlotAddr, dsScZeroPerData=dsScZeroPerData, dsRpFrCur2HFpLost=dsRpFrCur2HFpLost, dsFpFr56=dsFpFr56, dsScYearExtention=dsScYearExtention, dsMcCIpAddr=dsMcCIpAddr, dsNcT1403=dsNcT1403, dsAmcTrapDestIpAddr=dsAmcTrapDestIpAddr, dsTcMF16=dsTcMF16, dsRmBertBitErrors=dsRmBertBitErrors, dsRpFrCur15MFrames=dsRpFrCur15MFrames, dsRmFpingState=dsRmFpingState, dsRpStFarEndBlkErrors=dsRpStFarEndBlkErrors, dsRpCarTotalUAS=dsRpCarTotalUAS, dsRpFrCur2HVc=dsRpFrCur2HVc, dsRpFrDayFpSent=dsRpFrDayFpSent, dsRmFpingRmtIp=dsRmFpingRmtIp, dsScHour=dsScHour, dsRpFrTotalVc=dsRpFrTotalVc, dsRpStat=dsRpStat, dsRpFrDayOctets=dsRpFrDayOctets, dsRpStEsfErrors=dsRpStEsfErrors, dsRpFrUrEIRExceededOctets=dsRpFrUrEIRExceededOctets, dsAmcTrapDestEntry=dsAmcTrapDestEntry, dsRpFrTotalEntry=dsRpFrTotalEntry, dsTcPassTiRfa=dsTcPassTiRfa, dsRpFrDayDir=dsRpFrDayDir, dsRpFrCur2HVcIndex=dsRpFrCur2HVcIndex, dsRpDdsBPVs=dsRpDdsBPVs, dsRpFrCur15MKbps=dsRpFrCur15MKbps, dsRpCarIntvlCSS=dsRpCarIntvlCSS, dsPlLen=dsPlLen, dsNcKA=dsNcKA, dsFpFr56PwrLed=dsFpFr56PwrLed, dsRpUsrTotalTable=dsRpUsrTotalTable, dsRpUsrDayCSS=dsRpUsrDayCSS, dsNcE1DLPath=dsNcE1DLPath, dsRpUsrTmCntIndex=dsRpUsrTmCntIndex, dsRpFrPre15MStatus=dsRpFrPre15MStatus, dsAcRfaAlm=dsAcRfaAlm, dsRpFrTotalFpMax=dsRpFrTotalFpMax, dsAmcTrapTable=dsAmcTrapTable, dsRpAhrTable=dsRpAhrTable, dsMcDefRoute=dsMcDefRoute, dsRpStZeroCounters=dsRpStZeroCounters, dsRpFrIntvl2HEntry=dsRpFrIntvl2HEntry, dsScGroupAddr=dsScGroupAddr, dsRpCarIntvlBES=dsRpCarIntvlBES, dsRmFpingAction=dsRmFpingAction, dsNcLbo=dsNcLbo, dsScHourExtention=dsScHourExtention, dsRpUsrDaySES=dsRpUsrDaySES, dsDcIndex=dsDcIndex, dsRpFrDayKbps=dsRpFrDayKbps, dsAmcScrnIpMask=dsAmcScrnIpMask, dsTc=dsTc, dsRpFrTmCnt2Hrs=dsRpFrTmCnt2Hrs, dsRpFrDayVc=dsRpFrDayVc, dsRpUsrIntvlBES=dsRpUsrIntvlBES, dsRpUsrTotalUAS=dsRpUsrTotalUAS, dsRpFrCur15MStatus=dsRpFrCur15MStatus, dsRpFrTmCntDir=dsRpFrTmCntDir, dsDcXmtClkInvert=dsDcXmtClkInvert, dsFmcFpingGen=dsFmcFpingGen, dsFmcFpingRst=dsFmcFpingRst, dsRpFrIntvl2HNum=dsRpFrIntvl2HNum, dsSc=dsSc, dsRpFrTotalFpSent=dsRpFrTotalFpSent, dsRmFpingMax=dsRmFpingMax, dsRmFpingAvg=dsRmFpingAvg, dsRpFrPre15MTable=dsRpFrPre15MTable, dsAcEst=dsAcEst, dsRpFrUrEIRExceeded=dsRpFrUrEIRExceeded, dsRpFrIntvl2HFrames=dsRpFrIntvl2HFrames, dsRpCarTotalEE=dsRpCarTotalEE, dsMcT1DLPath=dsMcT1DLPath, dsRpStLOSEvents=dsRpStLOSEvents, dsRpCarTotalBES=dsRpCarTotalBES, dsScDSCompatible=dsScDSCompatible, dsRpCarIntvlEE=dsRpCarIntvlEE, dsRpCarCnt15Mins=dsRpCarCnt15Mins, dsRpFrUrVcIndex=dsRpFrUrVcIndex, dsLmSelfTestState=dsLmSelfTestState, dsRpUsrDayTable=dsRpUsrDayTable, dsRpShrComments=dsRpShrComments, dsRpFrDayFpLost=dsRpFrDayFpLost, dsAcOffPowerTransition=dsAcOffPowerTransition, dsRpAhrIndex=dsRpAhrIndex, dsMcIIpAddr=dsMcIIpAddr, dsCcDteIn=dsCcDteIn, dsNcPassTiRfa=dsNcPassTiRfa, dsFcChanMap=dsFcChanMap, dsFpFr56FrLinkLed=dsFpFr56FrLinkLed, dsRpUsrDayUAS=dsRpUsrDayUAS, dsRmFpingMin=dsRmFpingMin, dsRpCarIntvlSES=dsRpCarIntvlSES, dsRpCarCurLOFC=dsRpCarCurLOFC, dsScMinutes=dsScMinutes, dsRpFrTmCntTable=dsRpFrTmCntTable, dsRpFrTotalDir=dsRpFrTotalDir, dsLm=dsLm, dsMcCDIpMask=dsMcCDIpMask, dsNcCRC=dsNcCRC, dsRpDdsIfIndex=dsRpDdsIfIndex, dsRpFrCur2HFpSent=dsRpFrCur2HFpSent, dsRpFrPre15MKbps=dsRpFrPre15MKbps, dsRpFrPre15MFpLost=dsRpFrPre15MFpLost, dsScAutoCfg=dsScAutoCfg, dsRpFrTotalOctets=dsRpFrTotalOctets, dsAcUst=dsAcUst, dsRmFpingTotal=dsRmFpingTotal, dsRpUsrIntvlStatus=dsRpUsrIntvlStatus, dsAcYelAlm=dsAcYelAlm, dsMc=dsMc, dsRpUsrCurBES=dsRpUsrCurBES, dsRpCarCur=dsRpCarCur, dsRmLbkCode=dsRmLbkCode, dsRpFrPre15MFpSent=dsRpFrPre15MFpSent, dsFcEntry=dsFcEntry, dsRpCarCurEE=dsRpCarCurEE, dsRpFrCur15MFpLost=dsRpFrCur15MFpLost, dsRpCarCurBES=dsRpCarCurBES, dsRpDm=dsRpDm, dsRpStLOTS16MFrameEvts=dsRpStLOTS16MFrameEvts, dsRpFrDayEntry=dsRpFrDayEntry, dsRpFrCur2HTable=dsRpFrCur2HTable, dsRpUsrDayNum=dsRpUsrDayNum, dsRpStRemFrameAlmEvts=dsRpStRemFrameAlmEvts, dsRpUsrCurTable=dsRpUsrCurTable, dsRpStIndex=dsRpStIndex) mibBuilder.exportSymbols("DATASMART-MIB", dsRpFrPre15MOctets=dsRpFrPre15MOctets, dsRpUsrCurES=dsRpUsrCurES, dsCcControlPort=dsCcControlPort, dsAmc=dsAmc, dsCcStopBits=dsCcStopBits, dsFmcFpingOper=dsFmcFpingOper, dsRm=dsRm, dsRmFpingLen=dsRmFpingLen, dsMcIVc=dsMcIVc, dsCcDataBits=dsCcDataBits, dsScFrontPanel=dsScFrontPanel, dsRpFrCur2HDir=dsRpFrCur2HDir, dsRpUsrTotalES=dsRpUsrTotalES, dsRpUsrTotalCSS=dsRpUsrTotalCSS, dsRpFrCur15MFpSent=dsRpFrCur15MFpSent, dsRmFpingVc=dsRmFpingVc, dsRpFrCur2HFrames=dsRpFrCur2HFrames, dsRpShrTable=dsRpShrTable, dsRpFrTmCntEntry=dsRpFrTmCntEntry, dsNcMF16=dsNcMF16, dsAmcTrapDestPort=dsAmcTrapDestPort, dsRmFpingLost=dsRmFpingLost, dsFmcSetNiXmtUpperBwThresh=dsFmcSetNiXmtUpperBwThresh, dsFpFr56DnldFailLed=dsFpFr56DnldFailLed, dsRpCarTotalLOFC=dsRpCarTotalLOFC, dsDcTable=dsDcTable, dsAcAlmMsg=dsAcAlmMsg, dsRpFrDayTable=dsRpFrDayTable, dsFmcUpperBW=dsFmcUpperBW, dsRpCarCurUAS=dsRpCarCurUAS, dsMcEIpAddr=dsMcEIpAddr, dsDcClockSource=dsDcClockSource, dsRpUsrIntvlES=dsRpUsrIntvlES, dsPlBreak=dsPlBreak, dsRpFrCur2HFpAvg=dsRpFrCur2HFpAvg, dsRmBertTestSecs=dsRmBertTestSecs, dsRpStYellowEvents=dsRpStYellowEvents, dsRpUsrTotalBES=dsRpUsrTotalBES, dsNcFasAlign=dsNcFasAlign, dsRpFrIntvl2HFpSent=dsRpFrIntvl2HFpSent, dsScDay=dsScDay, dsRpUsrIntvlNum=dsRpUsrIntvlNum, dsFpFr56TestLed=dsFpFr56TestLed, dsFmcSetNiRcvUpperBwThresh=dsFmcSetNiRcvUpperBwThresh, dsTcGenRfa=dsTcGenRfa, dsRpSes=dsRpSes, dsCcParity=dsCcParity, dsRpFrPre15MDir=dsRpFrPre15MDir, dsRpCarCntSecs=dsRpCarCntSecs, dsRpStAISEvents=dsRpStAISEvents, dsFcLoadXcute=dsFcLoadXcute, dsAc=dsAc, dsDcIdleChar=dsDcIdleChar, dsFmcFrameType=dsFmcFrameType, dsRpUsrTotalDM=dsRpUsrTotalDM, dsAmcTrapDestTable=dsAmcTrapDestTable, dsAcSt=dsAcSt, dsSsAlarmSource=dsSsAlarmSource, dsRpStEntry=dsRpStEntry, dsNc=dsNc, dsRpFrIntvl2HVcIndex=dsRpFrIntvl2HVcIndex, dsRpFrTotalFrames=dsRpFrTotalFrames, dsFmcFcsBits=dsFmcFcsBits, dsRpFrDayFpAvg=dsRpFrDayFpAvg, dsNcCoding=dsNcCoding, dsRpUsrTotalStatus=dsRpUsrTotalStatus, dsRpUsrDayIndex=dsRpUsrDayIndex, dsRpUsrIntvlTable=dsRpUsrIntvlTable, dsFmcAddrOctets=dsFmcAddrOctets, dsAmcScrnIndex=dsAmcScrnIndex, dsSsPowerStatus=dsSsPowerStatus, dsRpFrDayStatus=dsRpFrDayStatus, dsRpAhrEntry=dsRpAhrEntry, dsFpFr56DpRtsRxLed=dsFpFr56DpRtsRxLed, dsAmcTrapEntry=dsAmcTrapEntry, dsRpCar=dsRpCar, dsRpUsrTotalEE=dsRpUsrTotalEE, dsRpFrCur15MDir=dsRpFrCur15MDir, dsRpFrTotalFpLost=dsRpFrTotalFpLost, dsFmcFpingLinkUp=dsFmcFpingLinkUp, dsAmcTrapDestVc=dsAmcTrapDestVc, dsRpStRemMFrameAlmEvts=dsRpStRemMFrameAlmEvts, dsRpShrIndex=dsRpShrIndex, dsMcDIpAddr=dsMcDIpAddr, dsRpUsrIntvlDM=dsRpUsrIntvlDM, dsFpFr56DpCtsTxLed=dsFpFr56DpCtsTxLed, dsAmcScrnEntry=dsAmcScrnEntry, dsFcMap16=dsFcMap16, dsFpFr56NiAlarmLed=dsFpFr56NiAlarmLed, dsRpCarIntvlUAS=dsRpCarIntvlUAS, dsScName=dsScName, dsRpFrIntvl2HFpLost=dsRpFrIntvl2HFpLost, dsRpCarIntvlLOFC=dsRpCarIntvlLOFC, dsFmcClrNiXmtUpperBwThresh=dsFmcClrNiXmtUpperBwThresh, dsRpStControlledSlips=dsRpStControlledSlips, dsScMonthExtention=dsScMonthExtention, dsScOperMode=dsScOperMode, dsAmcSourceScreen=dsAmcSourceScreen, dsTcAis=dsTcAis, dsAcBerAlm=dsAcBerAlm, dsRpUsr=dsRpUsr, dsRpCarCurES=dsRpCarCurES, dsFmcClrNiRcvUpperBwThresh=dsFmcClrNiRcvUpperBwThresh, dsRpFrPre15MVcIndex=dsRpFrPre15MVcIndex, dsRmInsertBitError=dsRmInsertBitError, dsSsAlarmState=dsSsAlarmState, dsRpUsrDayEE=dsRpUsrDayEE, dsRpFrCur15MVc=dsRpFrCur15MVc, dsRpFrTotalStatus=dsRpFrTotalStatus, dsRpUsrCurEntry=dsRpUsrCurEntry, dsNcYellow=dsNcYellow, dsRpCarTotalSES=dsRpCarTotalSES, dsAcAisAlm=dsAcAisAlm, dsNcFraming=dsNcFraming, dsRpFrUrCIRExceededOctets=dsRpFrUrCIRExceededOctets, dsSsLoopback=dsSsLoopback, dsRpUsrIntvlSES=dsRpUsrIntvlSES, dsRpCarTotalES=dsRpCarTotalES, dsTcFasAlign=dsTcFasAlign, dsRpFr=dsRpFr, dsRpUsrDayEntry=dsRpUsrDayEntry, dsScDayExtention=dsScDayExtention, dsTcEqual=dsTcEqual, dsAmcScrnIpAddr=dsAmcScrnIpAddr, dsRpBes=dsRpBes, dsRpFrTotalFpAvg=dsRpFrTotalFpAvg, dsAmcTrapType=dsAmcTrapType, dsRpUsrCurDM=dsRpUsrCurDM, dsRpShrEntry=dsRpShrEntry, dsNcAddr54=dsNcAddr54, dsFc=dsFc, dsRpFrUrTable=dsRpFrUrTable, dsRpCarIntvlNum=dsRpCarIntvlNum, dsRpPl=dsRpPl, dsRmTestCode=dsRmTestCode, dsRmFpingFreq=dsRmFpingFreq, dsScTftpSwdl=dsScTftpSwdl, dsRpFrCur15MFpMax=dsRpFrCur15MFpMax, dsRpUsrTmCntEntry=dsRpUsrTmCntEntry, dsScShelfAddr=dsScShelfAddr, dsRpFrCur15MFpAvg=dsRpFrCur15MFpAvg, dsScAutologout=dsScAutologout, DisplayString=DisplayString, dsCcDceIn=dsCcDceIn, dsRmBertTotalErrors=dsRmBertTotalErrors, dsFcChanIndex=dsFcChanIndex, dsRpFrCur2HKbps=dsRpFrCur2HKbps, dsRpShrDateTime=dsRpShrDateTime, dsRpCarIntvlES=dsRpCarIntvlES, Counter32=Counter32, dsMcNetif=dsMcNetif, dsRpUsrTmCntDays=dsRpUsrTmCntDays, dsRpFrTotalKbps=dsRpFrTotalKbps, dsRpFrIntvl2HFpAvg=dsRpFrIntvl2HFpAvg, dsRpFrCur15MTable=dsRpFrCur15MTable, dsScClockSource=dsScClockSource, dsRpFrCur2HFpMax=dsRpFrCur2HFpMax, dsNcIdle=dsNcIdle, dsRpFrIntvl2HVc=dsRpFrIntvl2HVc, dsMcEIpMask=dsMcEIpMask)
(object_identifier, integer, octet_string) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'Integer', 'OctetString') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (constraints_intersection, single_value_constraint, value_range_constraint, value_size_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsIntersection', 'SingleValueConstraint', 'ValueRangeConstraint', 'ValueSizeConstraint', 'ConstraintsUnion') (module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup') (time_ticks, unsigned32, mib_identifier, enterprises, notification_type, bits, object_identity, counter64, gauge32, notification_type, ip_address, counter32, iso, integer32, module_identity, mib_scalar, mib_table, mib_table_row, mib_table_column) = mibBuilder.importSymbols('SNMPv2-SMI', 'TimeTicks', 'Unsigned32', 'MibIdentifier', 'enterprises', 'NotificationType', 'Bits', 'ObjectIdentity', 'Counter64', 'Gauge32', 'NotificationType', 'IpAddress', 'Counter32', 'iso', 'Integer32', 'ModuleIdentity', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn') (display_string, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention') class Dlci(Integer32): subtype_spec = Integer32.subtypeSpec + value_range_constraint(1, 1023) class Counter32(Counter32): pass class Displaystring(OctetString): pass datasmart = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2)) ds_ss = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 1)) ds_rp = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2)) ds_lm = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 3)) ds_rm = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 4)) ds_ac = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 5)) ds_cc = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 6)) ds_dc = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 7)) ds_fc = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 8)) ds_fmc = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 9)) ds_mc = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 10)) ds_nc = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 11)) ds_sc = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 12)) ds_tc = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 13)) ds_fp = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 14)) ds_ss_alarm_source = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('ssSourceNone', 1), ('ssSourceNi', 2), ('ssSourceTi', 3), ('ssSourceDp1', 4), ('ssSourceDp2', 5), ('ssSourceSystem', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsSsAlarmSource.setStatus('mandatory') ds_ss_alarm_state = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13))).clone(namedValues=named_values(('ssStateNone', 1), ('ssStateEcf', 2), ('ssStateLos', 3), ('ssStateAis', 4), ('ssStateOof', 5), ('ssStateBer', 6), ('ssStateYel', 7), ('ssStateRfa', 8), ('ssStateRma', 9), ('ssStateOmf', 10), ('ssStateEer', 11), ('ssStateDds', 12), ('ssStateOos', 13)))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsSsAlarmState.setStatus('mandatory') ds_ss_loopback = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=named_values(('ssLbkNone', 1), ('ssLbkRemLlb', 2), ('ssLbkRemPlb', 3), ('ssLbkRemDp1', 4), ('ssLbkRemDp2', 5), ('ssLbkLlb', 6), ('ssLbkLoc', 7), ('ssLbkPlb', 8), ('ssLbkTlb', 9), ('ssLbkDp1', 10), ('ssLbkDp2', 11), ('ssLbkDt1', 12), ('ssLbkDt2', 13), ('ssLbkCsu', 14), ('ssLbkDsu', 15), ('ssLbkDpdt', 16)))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsSsLoopback.setStatus('mandatory') ds_ss_power_status = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('ssBothOff', 1), ('ssAOnBOff', 2), ('ssAOffBOn', 3), ('ssBothOn', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsSsPowerStatus.setStatus('mandatory') ds_rp_usr = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1)) ds_rp_car = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2)) ds_rp_stat = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3)) ds_rp_pl = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 4)) ds_rp_fr = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10)) ds_rp_usr_tm_cnt_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 1)) if mibBuilder.loadTexts: dsRpUsrTmCntTable.setStatus('mandatory') ds_rp_usr_tm_cnt_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 1, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpUsrTmCntIndex')) if mibBuilder.loadTexts: dsRpUsrTmCntEntry.setStatus('mandatory') ds_rp_usr_tm_cnt_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 3))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrTmCntIndex.setStatus('mandatory') ds_rp_usr_tm_cnt_secs = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 1, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 899))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrTmCntSecs.setStatus('mandatory') ds_rp_usr_tm_cnt15_mins = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 1, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 96))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrTmCnt15Mins.setStatus('mandatory') ds_rp_usr_tm_cnt_days = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 1, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrTmCntDays.setStatus('mandatory') ds_rp_usr_cur_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2)) if mibBuilder.loadTexts: dsRpUsrCurTable.setStatus('mandatory') ds_rp_usr_cur_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpUsrCurIndex')) if mibBuilder.loadTexts: dsRpUsrCurEntry.setStatus('mandatory') ds_rp_usr_cur_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 3))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrCurIndex.setStatus('mandatory') ds_rp_usr_cur_ee = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 2), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrCurEE.setStatus('mandatory') ds_rp_usr_cur_es = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 3), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrCurES.setStatus('mandatory') ds_rp_usr_cur_bes = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 4), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrCurBES.setStatus('mandatory') ds_rp_usr_cur_ses = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 5), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrCurSES.setStatus('mandatory') ds_rp_usr_cur_uas = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 6), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrCurUAS.setStatus('mandatory') ds_rp_usr_cur_css = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 7), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrCurCSS.setStatus('mandatory') ds_rp_usr_cur_dm = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 8), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrCurDM.setStatus('mandatory') ds_rp_usr_cur_status = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 9), display_string().subtype(subtypeSpec=value_size_constraint(0, 10))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrCurStatus.setStatus('mandatory') ds_rp_usr_intvl_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3)) if mibBuilder.loadTexts: dsRpUsrIntvlTable.setStatus('mandatory') ds_rp_usr_intvl_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpUsrIntvlIndex'), (0, 'DATASMART-MIB', 'dsRpUsrIntvlNum')) if mibBuilder.loadTexts: dsRpUsrIntvlEntry.setStatus('mandatory') ds_rp_usr_intvl_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrIntvlIndex.setStatus('mandatory') ds_rp_usr_intvl_num = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 96))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrIntvlNum.setStatus('mandatory') ds_rp_usr_intvl_ee = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 3), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrIntvlEE.setStatus('mandatory') ds_rp_usr_intvl_es = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 4), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrIntvlES.setStatus('mandatory') ds_rp_usr_intvl_bes = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 5), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrIntvlBES.setStatus('mandatory') ds_rp_usr_intvl_ses = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 6), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrIntvlSES.setStatus('mandatory') ds_rp_usr_intvl_uas = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 7), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrIntvlUAS.setStatus('mandatory') ds_rp_usr_intvl_css = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 8), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrIntvlCSS.setStatus('mandatory') ds_rp_usr_intvl_dm = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 9), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrIntvlDM.setStatus('mandatory') ds_rp_usr_intvl_status = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 10), display_string().subtype(subtypeSpec=value_size_constraint(0, 10))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrIntvlStatus.setStatus('mandatory') ds_rp_usr_total_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4)) if mibBuilder.loadTexts: dsRpUsrTotalTable.setStatus('mandatory') ds_rp_usr_total_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpUsrTotalIndex')) if mibBuilder.loadTexts: dsRpUsrTotalEntry.setStatus('mandatory') ds_rp_usr_total_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrTotalIndex.setStatus('mandatory') ds_rp_usr_total_ee = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 2), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrTotalEE.setStatus('mandatory') ds_rp_usr_total_es = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 3), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrTotalES.setStatus('mandatory') ds_rp_usr_total_bes = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 4), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrTotalBES.setStatus('mandatory') ds_rp_usr_total_ses = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 5), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrTotalSES.setStatus('mandatory') ds_rp_usr_total_uas = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 6), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrTotalUAS.setStatus('mandatory') ds_rp_usr_total_css = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 7), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrTotalCSS.setStatus('mandatory') ds_rp_usr_total_dm = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 8), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrTotalDM.setStatus('mandatory') ds_rp_usr_total_status = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 9), display_string().subtype(subtypeSpec=value_size_constraint(0, 10))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrTotalStatus.setStatus('mandatory') ds_rp_usr_day_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5)) if mibBuilder.loadTexts: dsRpUsrDayTable.setStatus('mandatory') ds_rp_usr_day_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpUsrDayIndex'), (0, 'DATASMART-MIB', 'dsRpUsrDayNum')) if mibBuilder.loadTexts: dsRpUsrDayEntry.setStatus('mandatory') ds_rp_usr_day_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrDayIndex.setStatus('mandatory') ds_rp_usr_day_num = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 7))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrDayNum.setStatus('mandatory') ds_rp_usr_day_ee = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 3), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrDayEE.setStatus('mandatory') ds_rp_usr_day_es = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 4), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrDayES.setStatus('mandatory') ds_rp_usr_day_bes = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 5), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrDayBES.setStatus('mandatory') ds_rp_usr_day_ses = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 6), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrDaySES.setStatus('mandatory') ds_rp_usr_day_uas = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 7), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrDayUAS.setStatus('mandatory') ds_rp_usr_day_css = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 8), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrDayCSS.setStatus('mandatory') ds_rp_usr_day_dm = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 9), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrDayDM.setStatus('mandatory') ds_rp_usr_day_status = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 10), display_string().subtype(subtypeSpec=value_size_constraint(0, 10))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpUsrDayStatus.setStatus('mandatory') ds_rp_car_cnt_secs = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 899))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpCarCntSecs.setStatus('mandatory') ds_rp_car_cnt15_mins = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 96))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpCarCnt15Mins.setStatus('mandatory') ds_rp_car_cur = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3)) ds_rp_car_cur_ee = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 1), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpCarCurEE.setStatus('mandatory') ds_rp_car_cur_es = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 2), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpCarCurES.setStatus('mandatory') ds_rp_car_cur_bes = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 3), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpCarCurBES.setStatus('mandatory') ds_rp_car_cur_ses = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 4), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpCarCurSES.setStatus('mandatory') ds_rp_car_cur_uas = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 5), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpCarCurUAS.setStatus('mandatory') ds_rp_car_cur_css = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 6), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpCarCurCSS.setStatus('mandatory') ds_rp_car_cur_lofc = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 7), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpCarCurLOFC.setStatus('mandatory') ds_rp_car_intvl_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4)) if mibBuilder.loadTexts: dsRpCarIntvlTable.setStatus('mandatory') ds_rp_car_intvl_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpCarIntvlNum')) if mibBuilder.loadTexts: dsRpCarIntvlEntry.setStatus('mandatory') ds_rp_car_intvl_num = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 96))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpCarIntvlNum.setStatus('mandatory') ds_rp_car_intvl_ee = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 2), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpCarIntvlEE.setStatus('mandatory') ds_rp_car_intvl_es = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 3), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpCarIntvlES.setStatus('mandatory') ds_rp_car_intvl_bes = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 4), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpCarIntvlBES.setStatus('mandatory') ds_rp_car_intvl_ses = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 5), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpCarIntvlSES.setStatus('mandatory') ds_rp_car_intvl_uas = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 6), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpCarIntvlUAS.setStatus('mandatory') ds_rp_car_intvl_css = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 7), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpCarIntvlCSS.setStatus('mandatory') ds_rp_car_intvl_lofc = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 8), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpCarIntvlLOFC.setStatus('mandatory') ds_rp_car_total = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5)) ds_rp_car_total_ee = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 1), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpCarTotalEE.setStatus('mandatory') ds_rp_car_total_es = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 2), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpCarTotalES.setStatus('mandatory') ds_rp_car_total_bes = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 3), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpCarTotalBES.setStatus('mandatory') ds_rp_car_total_ses = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 4), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpCarTotalSES.setStatus('mandatory') ds_rp_car_total_uas = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 5), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpCarTotalUAS.setStatus('mandatory') ds_rp_car_total_css = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 6), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpCarTotalCSS.setStatus('mandatory') ds_rp_car_total_lofc = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 7), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpCarTotalLOFC.setStatus('mandatory') ds_rp_st_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1)) if mibBuilder.loadTexts: dsRpStTable.setStatus('mandatory') ds_rp_st_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpStIndex')) if mibBuilder.loadTexts: dsRpStEntry.setStatus('mandatory') ds_rp_st_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 3))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpStIndex.setStatus('mandatory') ds_rp_st_esf_errors = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpStEsfErrors.setStatus('mandatory') ds_rp_st_crc_errors = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpStCrcErrors.setStatus('mandatory') ds_rp_st_oof_errors = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpStOofErrors.setStatus('mandatory') ds_rp_st_frame_bit_errors = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpStFrameBitErrors.setStatus('mandatory') ds_rp_st_bp_vs = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpStBPVs.setStatus('mandatory') ds_rp_st_controlled_slips = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpStControlledSlips.setStatus('mandatory') ds_rp_st_yellow_events = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpStYellowEvents.setStatus('mandatory') ds_rp_st_ais_events = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpStAISEvents.setStatus('mandatory') ds_rp_st_lof_events = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpStLOFEvents.setStatus('mandatory') ds_rp_st_los_events = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 11), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpStLOSEvents.setStatus('mandatory') ds_rp_st_far_end_blk_errors = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 12), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpStFarEndBlkErrors.setStatus('mandatory') ds_rp_st_rem_frame_alm_evts = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 13), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpStRemFrameAlmEvts.setStatus('mandatory') ds_rp_st_rem_m_frame_alm_evts = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 14), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpStRemMFrameAlmEvts.setStatus('mandatory') ds_rp_st_lots16_m_frame_evts = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 15), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpStLOTS16MFrameEvts.setStatus('mandatory') ds_rp_st_zero_counters = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('rpStZeroCountersIdle', 1), ('rpStZeroCountersStart', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsRpStZeroCounters.setStatus('mandatory') ds_pl_break = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 4, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('rpPlLineFeed', 1), ('rpPlMorePrompt', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsPlBreak.setStatus('mandatory') ds_pl_len = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 4, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 70))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsPlLen.setStatus('mandatory') ds_rp_ahr_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 5)) if mibBuilder.loadTexts: dsRpAhrTable.setStatus('mandatory') ds_rp_ahr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 5, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpAhrIndex')) if mibBuilder.loadTexts: dsRpAhrEntry.setStatus('mandatory') ds_rp_ahr_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 5, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 20))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpAhrIndex.setStatus('mandatory') ds_rp_ahr_str = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 5, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpAhrStr.setStatus('mandatory') ds_rp_shr_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 6)) if mibBuilder.loadTexts: dsRpShrTable.setStatus('mandatory') ds_rp_shr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 6, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpShrIndex')) if mibBuilder.loadTexts: dsRpShrEntry.setStatus('mandatory') ds_rp_shr_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 6, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpShrIndex.setStatus('mandatory') ds_rp_shr_date_time = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 6, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpShrDateTime.setStatus('mandatory') ds_rp_shr_event_type = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 6, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('rpShrTelnetPassword', 1), ('rpShrSrcIpAddressScreen', 2), ('rpShrReadCommString', 3), ('rpShrWriteCommString', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpShrEventType.setStatus('mandatory') ds_rp_shr_comments = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 6, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpShrComments.setStatus('mandatory') ds_rp_bes = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 7), integer32().subtype(subtypeSpec=value_range_constraint(2, 63999))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsRpBes.setStatus('mandatory') ds_rp_ses = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 8), integer32().subtype(subtypeSpec=value_range_constraint(3, 64000))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsRpSes.setStatus('mandatory') ds_rp_dm = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 9), integer32().subtype(subtypeSpec=value_range_constraint(1, 64000))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsRpDm.setStatus('mandatory') ds_rp_fr_tm_cnt_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 1)) if mibBuilder.loadTexts: dsRpFrTmCntTable.setStatus('mandatory') ds_rp_fr_tm_cnt_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 1, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpFrTmCntDir')) if mibBuilder.loadTexts: dsRpFrTmCntEntry.setStatus('mandatory') ds_rp_fr_tm_cnt_dir = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrTmCntDir.setStatus('mandatory') ds_rp_fr_tm_cnt_secs = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 1, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 7200))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrTmCntSecs.setStatus('mandatory') ds_rp_fr_tm_cnt2_hrs = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 1, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 12))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrTmCnt2Hrs.setStatus('mandatory') ds_rp_fr_tm_cnt_days = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 1, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrTmCntDays.setStatus('mandatory') ds_rp_fr_pre15_m_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2)) if mibBuilder.loadTexts: dsRpFrPre15MTable.setStatus('mandatory') ds_rp_fr_pre15_m_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpFrPre15MDir'), (0, 'DATASMART-MIB', 'dsRpFrPre15MVcIndex')) if mibBuilder.loadTexts: dsRpFrPre15MEntry.setStatus('mandatory') ds_rp_fr_pre15_m_dir = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrPre15MDir.setStatus('mandatory') ds_rp_fr_pre15_m_vc_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 65))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrPre15MVcIndex.setStatus('mandatory') ds_rp_fr_pre15_m_vc = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 8388607))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrPre15MVc.setStatus('mandatory') ds_rp_fr_pre15_m_frames = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrPre15MFrames.setStatus('mandatory') ds_rp_fr_pre15_m_octets = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrPre15MOctets.setStatus('mandatory') ds_rp_fr_pre15_m_kbps = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 6), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrPre15MKbps.setStatus('mandatory') ds_rp_fr_pre15_m_fp_max = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrPre15MFpMax.setStatus('mandatory') ds_rp_fr_pre15_m_fp_avg = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 8), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrPre15MFpAvg.setStatus('mandatory') ds_rp_fr_pre15_m_fp_lost = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrPre15MFpLost.setStatus('mandatory') ds_rp_fr_pre15_m_fp_sent = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrPre15MFpSent.setStatus('mandatory') ds_rp_fr_pre15_m_status = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 11), display_string().subtype(subtypeSpec=value_size_constraint(0, 7))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrPre15MStatus.setStatus('mandatory') ds_rp_fr_cur15_m_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3)) if mibBuilder.loadTexts: dsRpFrCur15MTable.setStatus('mandatory') ds_rp_fr_cur15_m_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpFrCur15MDir'), (0, 'DATASMART-MIB', 'dsRpFrCur15MVcIndex')) if mibBuilder.loadTexts: dsRpFrCur15MEntry.setStatus('mandatory') ds_rp_fr_cur15_m_dir = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrCur15MDir.setStatus('mandatory') ds_rp_fr_cur15_m_vc_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 65))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrCur15MVcIndex.setStatus('mandatory') ds_rp_fr_cur15_m_vc = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 8388607))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrCur15MVc.setStatus('mandatory') ds_rp_fr_cur15_m_frames = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrCur15MFrames.setStatus('mandatory') ds_rp_fr_cur15_m_octets = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrCur15MOctets.setStatus('mandatory') ds_rp_fr_cur15_m_kbps = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 6), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrCur15MKbps.setStatus('mandatory') ds_rp_fr_cur15_m_fp_max = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrCur15MFpMax.setStatus('mandatory') ds_rp_fr_cur15_m_fp_avg = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 8), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrCur15MFpAvg.setStatus('mandatory') ds_rp_fr_cur15_m_fp_lost = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrCur15MFpLost.setStatus('mandatory') ds_rp_fr_cur15_m_fp_sent = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrCur15MFpSent.setStatus('mandatory') ds_rp_fr_cur15_m_fp_rmt_ip = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 11), ip_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrCur15MFpRmtIp.setStatus('mandatory') ds_rp_fr_cur15_m_fp_rmt_vc = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 12), integer32().subtype(subtypeSpec=value_range_constraint(0, 8388607))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrCur15MFpRmtVc.setStatus('mandatory') ds_rp_fr_cur15_m_status = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 13), display_string().subtype(subtypeSpec=value_size_constraint(0, 7))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrCur15MStatus.setStatus('mandatory') ds_rp_fr_cur2_h_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4)) if mibBuilder.loadTexts: dsRpFrCur2HTable.setStatus('mandatory') ds_rp_fr_cur2_h_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpFrCur2HDir'), (0, 'DATASMART-MIB', 'dsRpFrCur2HVcIndex')) if mibBuilder.loadTexts: dsRpFrCur2HEntry.setStatus('mandatory') ds_rp_fr_cur2_h_dir = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrCur2HDir.setStatus('mandatory') ds_rp_fr_cur2_h_vc_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 65))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrCur2HVcIndex.setStatus('mandatory') ds_rp_fr_cur2_h_vc = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 8388607))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrCur2HVc.setStatus('mandatory') ds_rp_fr_cur2_h_frames = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrCur2HFrames.setStatus('mandatory') ds_rp_fr_cur2_h_octets = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrCur2HOctets.setStatus('mandatory') ds_rp_fr_cur2_h_kbps = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 6), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrCur2HKbps.setStatus('mandatory') ds_rp_fr_cur2_h_fp_max = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrCur2HFpMax.setStatus('mandatory') ds_rp_fr_cur2_h_fp_avg = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 8), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrCur2HFpAvg.setStatus('mandatory') ds_rp_fr_cur2_h_fp_lost = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrCur2HFpLost.setStatus('mandatory') ds_rp_fr_cur2_h_fp_sent = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrCur2HFpSent.setStatus('mandatory') ds_rp_fr_cur2_h_status = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 11), display_string().subtype(subtypeSpec=value_size_constraint(0, 7))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrCur2HStatus.setStatus('mandatory') ds_rp_fr_intvl2_h_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5)) if mibBuilder.loadTexts: dsRpFrIntvl2HTable.setStatus('mandatory') ds_rp_fr_intvl2_h_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpFrIntvl2HDir'), (0, 'DATASMART-MIB', 'dsRpFrIntvl2HVcIndex'), (0, 'DATASMART-MIB', 'dsRpFrIntvl2HNum')) if mibBuilder.loadTexts: dsRpFrIntvl2HEntry.setStatus('mandatory') ds_rp_fr_intvl2_h_dir = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrIntvl2HDir.setStatus('mandatory') ds_rp_fr_intvl2_h_vc_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 65))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrIntvl2HVcIndex.setStatus('mandatory') ds_rp_fr_intvl2_h_num = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 12))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrIntvl2HNum.setStatus('mandatory') ds_rp_fr_intvl2_h_vc = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(1, 8388607))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrIntvl2HVc.setStatus('mandatory') ds_rp_fr_intvl2_h_frames = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrIntvl2HFrames.setStatus('mandatory') ds_rp_fr_intvl2_h_octets = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrIntvl2HOctets.setStatus('mandatory') ds_rp_fr_intvl2_h_kbps = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 7), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrIntvl2HKbps.setStatus('mandatory') ds_rp_fr_intvl2_h_fp_max = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrIntvl2HFpMax.setStatus('mandatory') ds_rp_fr_intvl2_h_fp_avg = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 9), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrIntvl2HFpAvg.setStatus('mandatory') ds_rp_fr_intvl2_h_fp_lost = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrIntvl2HFpLost.setStatus('mandatory') ds_rp_fr_intvl2_h_fp_sent = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 11), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrIntvl2HFpSent.setStatus('mandatory') ds_rp_fr_intvl2_h_status = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 12), display_string().subtype(subtypeSpec=value_size_constraint(0, 7))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrIntvl2HStatus.setStatus('mandatory') ds_rp_fr_total_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6)) if mibBuilder.loadTexts: dsRpFrTotalTable.setStatus('mandatory') ds_rp_fr_total_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpFrTotalDir'), (0, 'DATASMART-MIB', 'dsRpFrTotalVcIndex')) if mibBuilder.loadTexts: dsRpFrTotalEntry.setStatus('mandatory') ds_rp_fr_total_dir = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrTotalDir.setStatus('mandatory') ds_rp_fr_total_vc_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 65))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrTotalVcIndex.setStatus('mandatory') ds_rp_fr_total_vc = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 8388607))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrTotalVc.setStatus('mandatory') ds_rp_fr_total_frames = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrTotalFrames.setStatus('mandatory') ds_rp_fr_total_octets = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrTotalOctets.setStatus('mandatory') ds_rp_fr_total_kbps = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 6), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrTotalKbps.setStatus('mandatory') ds_rp_fr_total_fp_max = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrTotalFpMax.setStatus('mandatory') ds_rp_fr_total_fp_avg = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 8), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrTotalFpAvg.setStatus('mandatory') ds_rp_fr_total_fp_lost = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrTotalFpLost.setStatus('mandatory') ds_rp_fr_total_fp_sent = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrTotalFpSent.setStatus('mandatory') ds_rp_fr_total_status = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 11), display_string().subtype(subtypeSpec=value_size_constraint(0, 7))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrTotalStatus.setStatus('mandatory') ds_rp_fr_day_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7)) if mibBuilder.loadTexts: dsRpFrDayTable.setStatus('mandatory') ds_rp_fr_day_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpFrDayDir'), (0, 'DATASMART-MIB', 'dsRpFrDayVcIndex'), (0, 'DATASMART-MIB', 'dsRpFrDayNum')) if mibBuilder.loadTexts: dsRpFrDayEntry.setStatus('mandatory') ds_rp_fr_day_dir = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrDayDir.setStatus('mandatory') ds_rp_fr_day_vc_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 65))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrDayVcIndex.setStatus('mandatory') ds_rp_fr_day_num = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 12))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrDayNum.setStatus('mandatory') ds_rp_fr_day_vc = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(1, 8388607))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrDayVc.setStatus('mandatory') ds_rp_fr_day_frames = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrDayFrames.setStatus('mandatory') ds_rp_fr_day_octets = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrDayOctets.setStatus('mandatory') ds_rp_fr_day_kbps = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 7), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrDayKbps.setStatus('mandatory') ds_rp_fr_day_fp_max = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrDayFpMax.setStatus('mandatory') ds_rp_fr_day_fp_avg = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 9), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrDayFpAvg.setStatus('mandatory') ds_rp_fr_day_fp_lost = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrDayFpLost.setStatus('mandatory') ds_rp_fr_day_fp_sent = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 11), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrDayFpSent.setStatus('mandatory') ds_rp_fr_day_status = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 12), display_string().subtype(subtypeSpec=value_size_constraint(0, 7))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrDayStatus.setStatus('mandatory') ds_rp_fr_ur_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8)) if mibBuilder.loadTexts: dsRpFrUrTable.setStatus('mandatory') ds_rp_fr_ur_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpFrUrDir'), (0, 'DATASMART-MIB', 'dsRpFrUrVcIndex')) if mibBuilder.loadTexts: dsRpFrUrEntry.setStatus('mandatory') ds_rp_fr_ur_dir = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrUrDir.setStatus('mandatory') ds_rp_fr_ur_vc_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 65))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrUrVcIndex.setStatus('mandatory') ds_rp_fr_ur_vc = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 8388607))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrUrVc.setStatus('mandatory') ds_rp_fr_ur_cir_exceeded = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrUrCIRExceeded.setStatus('mandatory') ds_rp_fr_ur_cir_exceeded_octets = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrUrCIRExceededOctets.setStatus('mandatory') ds_rp_fr_ur_eir_exceeded = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrUrEIRExceeded.setStatus('mandatory') ds_rp_fr_ur_eir_exceeded_octets = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpFrUrEIRExceededOctets.setStatus('mandatory') ds_rp_dds_duration = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 11), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpDdsDuration.setStatus('mandatory') ds_rp_dds_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 12)) if mibBuilder.loadTexts: dsRpDdsTable.setStatus('mandatory') ds_rp_dds_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 12, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpDdsIfIndex')) if mibBuilder.loadTexts: dsRpDdsEntry.setStatus('mandatory') ds_rp_dds_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 12, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpDdsIfIndex.setStatus('mandatory') ds_rp_dds_available_secs = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 12, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpDdsAvailableSecs.setStatus('mandatory') ds_rp_dds_total_secs = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 12, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpDdsTotalSecs.setStatus('mandatory') ds_rp_dds_bp_vs = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 12, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRpDdsBPVs.setStatus('mandatory') ds_lm_loopback = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 3, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=named_values(('lmLbkNone', 1), ('lmLbkLine', 2), ('lmLbkPayload', 3), ('lmLbkLocal', 4), ('lmLbkTiTest', 5), ('lmLbkDp1', 6), ('lmLbkDp2', 7), ('lmLbkDt1', 8), ('lmLbkDt2', 9), ('lmLbkCsu', 10), ('lmLbkDsu', 11), ('lmLbkDpdt', 12)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsLmLoopback.setStatus('mandatory') ds_lm_self_test_state = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 3, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('lmSelfTestIdle', 1), ('lmSelfTestStart', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsLmSelfTestState.setStatus('mandatory') ds_lm_self_test_results = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 3, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsLmSelfTestResults.setStatus('mandatory') ds_rm_lbk_code = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('rmRNone', 1), ('rmRst1', 2), ('rmRLine', 3), ('rmRPayload', 4), ('rmRDp1', 5), ('rmRDp2', 6)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsRmLbkCode.setStatus('mandatory') ds_rm_test_code = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=named_values(('rmTestNone', 1), ('rmTestQrs', 2), ('rmTest324', 3), ('rmTestOnes', 4), ('rmTestZeros', 5), ('rmTest511Dp1', 6), ('rmTest511Dp2', 7), ('rmTest2047Dp1', 8), ('rmTest2047Dp2', 9), ('rmTest2toThe23', 10), ('rmTest2toThe15', 11)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsRmTestCode.setStatus('mandatory') ds_rm_bert_state = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('rmBertIdle', 1), ('rmBertOtherStart', 2), ('rmBertSearching', 3), ('rmBertFound', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRmBertState.setStatus('mandatory') ds_rm_bert_code = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=named_values(('rmBertNone', 1), ('rmBertQrs', 2), ('rmBert324', 3), ('rmBertOnes', 4), ('rmBertZeros', 5), ('rmBert511Dp1', 6), ('rmBert511Dp2', 7), ('rmBert2047Dp1', 8), ('rmBert2047Dp2', 9), ('rmTest2toThe23', 10), ('rmTest2toThe15', 11)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsRmBertCode.setStatus('mandatory') ds_rm_bert_test_secs = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRmBertTestSecs.setStatus('mandatory') ds_rm_bert_bit_errors = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRmBertBitErrors.setStatus('mandatory') ds_rm_bert_errd_secs = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRmBertErrdSecs.setStatus('mandatory') ds_rm_bert_total_errors = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRmBertTotalErrors.setStatus('mandatory') ds_rm_bert_re_sync = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 9), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRmBertReSync.setStatus('mandatory') ds_rm_fping = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10)) ds_rm_fping_action = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('rmFpingStart', 1), ('rmFpingStop', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsRmFpingAction.setStatus('mandatory') ds_rm_fping_state = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('rmFpingIdle', 1), ('rmFpingOtherStart', 2), ('rmFpingRunning', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRmFpingState.setStatus('mandatory') ds_rm_fping_vc = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 8388607))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsRmFpingVc.setStatus('mandatory') ds_rm_fping_freq = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 4), integer32().subtype(subtypeSpec=value_range_constraint(5, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsRmFpingFreq.setStatus('mandatory') ds_rm_fping_len = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 1400))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsRmFpingLen.setStatus('mandatory') ds_rm_fping_cur = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 2000))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRmFpingCur.setStatus('mandatory') ds_rm_fping_min = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 2000))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRmFpingMin.setStatus('mandatory') ds_rm_fping_max = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 2000))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRmFpingMax.setStatus('mandatory') ds_rm_fping_avg = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 9), integer32().subtype(subtypeSpec=value_range_constraint(0, 2000))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRmFpingAvg.setStatus('mandatory') ds_rm_fping_lost = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRmFpingLost.setStatus('mandatory') ds_rm_fping_total = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 11), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRmFpingTotal.setStatus('mandatory') ds_rm_fping_rmt_vc = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 12), display_string().subtype(subtypeSpec=value_size_constraint(0, 8))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRmFpingRmtVc.setStatus('mandatory') ds_rm_fping_rmt_ip = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 13), ip_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: dsRmFpingRmtIp.setStatus('mandatory') ds_rm_insert_bit_error = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('insertBitError', 1), ('noInsertBitError', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsRmInsertBitError.setStatus('mandatory') ds_ac_alm_msg = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('acAlmMsgEnable', 1), ('acAlmMsgDisable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsAcAlmMsg.setStatus('mandatory') ds_ac_yel_alm = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('acYelAlmEnable', 1), ('acYelAlmDisable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsAcYelAlm.setStatus('mandatory') ds_ac_deact = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 15))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsAcDeact.setStatus('mandatory') ds_ac_est = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 900))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsAcEst.setStatus('mandatory') ds_ac_ust = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 900))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsAcUst.setStatus('mandatory') ds_ac_st = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('acSt15', 1), ('acSt60', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsAcSt.setStatus('mandatory') ds_ac_ber_alm = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('acBerAlmEnable', 1), ('acBerAlmDisable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsAcBerAlm.setStatus('mandatory') ds_ac_rfa_alm = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('acRfaAlmEnable', 1), ('acRfaAlmDisable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsAcRfaAlm.setStatus('mandatory') ds_ac_ais_alm = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('acAisAlmEnable', 1), ('acAisAlmDisable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsAcAisAlm.setStatus('mandatory') ds_ac_on_power_transition = notification_type((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0, 5005)).setObjects(('DATASMART-MIB', 'dsSsPowerStatus')) ds_ac_off_power_transition = notification_type((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0, 5006)).setObjects(('DATASMART-MIB', 'dsSsPowerStatus')) ds_cc_echo = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ccEchoEnable', 1), ('ccEchoDisable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsCcEcho.setStatus('mandatory') ds_cc_control_port = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ccDce', 1), ('ccDte', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsCcControlPort.setStatus('mandatory') ds_cc_baud = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('cc2400', 1), ('cc9600', 2), ('cc19200', 3), ('cc38400', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsCcBaud.setStatus('mandatory') ds_cc_parity = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('ccNone', 1), ('ccEven', 2), ('ccOdd', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsCcParity.setStatus('mandatory') ds_cc_data_bits = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('cc7Bit', 1), ('cc8Bit', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsCcDataBits.setStatus('mandatory') ds_cc_stop_bits = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('cc1Bit', 1), ('cc2Bit', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsCcStopBits.setStatus('mandatory') ds_cc_dce_in = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('ccBothOff', 1), ('ccRtsOnDtrOff', 2), ('ccRtsOffDtrOn', 3), ('ccBothOn', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsCcDceIn.setStatus('mandatory') ds_cc_dte_in = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('ccBothOff', 1), ('ccCtsOnDcdOff', 2), ('ccCtsOffDcdOn', 3), ('ccBothOn', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsCcDteIn.setStatus('mandatory') ds_dc_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1)) if mibBuilder.loadTexts: dsDcTable.setStatus('mandatory') ds_dc_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsDcIndex')) if mibBuilder.loadTexts: dsDcEntry.setStatus('mandatory') ds_dc_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsDcIndex.setStatus('mandatory') ds_dc_data_invert = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('dcDataInvertEnable', 1), ('dcDataInvertDisable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsDcDataInvert.setStatus('mandatory') ds_dc_interface = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('dcV35Interface', 1), ('dcEia530Interface', 2), ('dcV35DSInterface', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsDcInterface.setStatus('mandatory') ds_dc_clock_source = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('dcInternalClock', 1), ('dcExternalClock', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsDcClockSource.setStatus('mandatory') ds_dc_xmt_clk_invert = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('dcXClkInvertEnable', 1), ('dcXClkInvertDisable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsDcXmtClkInvert.setStatus('mandatory') ds_dc_rcv_clk_invert = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('dcRClkInvertEnable', 1), ('dcRClkInvertDisable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsDcRcvClkInvert.setStatus('mandatory') ds_dc_idle_char = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('dc7eIdleChar', 1), ('dc7fIdleChar', 2), ('dcffIdleChar', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsDcIdleChar.setStatus('mandatory') ds_dc_los_input = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('dcLosNone', 1), ('dcLosRTS', 2), ('dcLosDTR', 3), ('dcLosBoth', 4)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsDcLOSInput.setStatus('mandatory') ds_fc_load_xcute = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('fcLoadXcuteIdle', 1), ('fcLoadXcuteStartA', 2), ('fcLoadXcuteStartB', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsFcLoadXcute.setStatus('mandatory') ds_fc_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 2)) if mibBuilder.loadTexts: dsFcTable.setStatus('mandatory') ds_fc_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 2, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsFcTableIndex'), (0, 'DATASMART-MIB', 'dsFcChanIndex')) if mibBuilder.loadTexts: dsFcEntry.setStatus('mandatory') ds_fc_table_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 3))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsFcTableIndex.setStatus('mandatory') ds_fc_chan_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 2, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 31))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsFcChanIndex.setStatus('mandatory') ds_fc_chan_map = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=named_values(('fcChanIdle', 1), ('fcChanTiData', 2), ('fcChanTiVoice', 3), ('fcChan56Dp1', 4), ('fcChan64Dp1', 5), ('fcChan56Dp2', 6), ('fcChan64Dp2', 7), ('fcChanDLNK', 8), ('fcChanDPDL', 9), ('fcChanUnav', 10)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsFcChanMap.setStatus('mandatory') ds_fc_map16 = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('fcMap16Used', 1), ('fcMap16Unused', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsFcMap16.setStatus('mandatory') ds_fmc_frame_type = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('fmcFrNlpid', 1), ('fmcFrEther', 2), ('fmcAtmNlpid', 3), ('fmcAtmLlcSnap', 4), ('fmcAtmVcMux', 5)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsFmcFrameType.setStatus('mandatory') ds_fmc_addr_octets = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('fmcTwoOctets', 1), ('fmcFourOctets', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsFmcAddrOctets.setStatus('mandatory') ds_fmc_fcs_bits = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('fmc16Bits', 1), ('fmc32Bits', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsFmcFcsBits.setStatus('mandatory') ds_fmc_upper_bw = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 4), integer32().subtype(subtypeSpec=value_range_constraint(5, 95))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsFmcUpperBW.setStatus('mandatory') ds_fmc_fping_oper = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('fmcFpoEnable', 1), ('fmcFpoDisable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsFmcFpingOper.setStatus('mandatory') ds_fmc_fping_gen = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 64))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsFmcFpingGen.setStatus('mandatory') ds_fmc_fping_thres = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 7), integer32().subtype(subtypeSpec=value_range_constraint(20, 2000))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsFmcFpingThres.setStatus('mandatory') ds_fmc_fping_rst = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 8388607))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsFmcFpingRst.setStatus('mandatory') ds_fmc_add_vc = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 9), integer32().subtype(subtypeSpec=value_range_constraint(0, 8388607))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsFmcAddVc.setStatus('mandatory') ds_fmc_del_vc = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 8388607))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsFmcDelVc.setStatus('mandatory') ds_fmc_set_ni_rcv_upper_bw_thresh = notification_type((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0, 9001)).setObjects(('DATASMART-MIB', 'dsRpFrCur15MVc')) ds_fmc_clr_ni_rcv_upper_bw_thresh = notification_type((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0, 9002)).setObjects(('DATASMART-MIB', 'dsRpFrCur15MVc')) ds_fmc_set_ni_xmt_upper_bw_thresh = notification_type((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0, 9003)).setObjects(('DATASMART-MIB', 'dsRpFrCur15MVc')) ds_fmc_clr_ni_xmt_upper_bw_thresh = notification_type((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0, 9004)).setObjects(('DATASMART-MIB', 'dsRpFrCur15MVc')) ds_fmc_fping_link_down = notification_type((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0, 9005)).setObjects(('DATASMART-MIB', 'dsRpFrCur15MVc')) ds_fmc_fping_link_up = notification_type((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0, 9006)).setObjects(('DATASMART-MIB', 'dsRpFrCur15MVc')) ds_mc_netif = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=named_values(('mcNetNone', 1), ('mcNetEthernet', 2), ('mcNetPppSlip', 3), ('mcNetSlip', 4), ('mcNetDatalink', 5), ('mcNetES', 6), ('mcNetED', 7), ('mcNetESD', 8), ('mcNetPSD', 9), ('mcNetSD', 10), ('mcNetInband', 11)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsMcNetif.setStatus('mandatory') ds_mc_t1_dl_path = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49))).clone(namedValues=named_values(('mcDLPathFdl', 1), ('mcDLPathTS1-64', 2), ('mcDLPathTS2-64', 3), ('mcDLPathTS3-64', 4), ('mcDLPathTS4-64', 5), ('mcDLPathTS5-64', 6), ('mcDLPathTS6-64', 7), ('mcDLPathTS7-64', 8), ('mcDLPathTS8-64', 9), ('mcDLPathTS9-64', 10), ('mcDLPathTS10-64', 11), ('mcDLPathTS11-64', 12), ('mcDLPathTS12-64', 13), ('mcDLPathTS13-64', 14), ('mcDLPathTS14-64', 15), ('mcDLPathTS15-64', 16), ('mcDLPathTS16-64', 17), ('mcDLPathTS17-64', 18), ('mcDLPathTS18-64', 19), ('mcDLPathTS19-64', 20), ('mcDLPathTS20-64', 21), ('mcDLPathTS21-64', 22), ('mcDLPathTS22-64', 23), ('mcDLPathTS23-64', 24), ('mcDLPathTS24-64', 25), ('mcDLPathTS1-56', 26), ('mcDLPathTS2-56', 27), ('mcDLPathTS3-56', 28), ('mcDLPathTS4-56', 29), ('mcDLPathTS5-56', 30), ('mcDLPathTS6-56', 31), ('mcDLPathTS7-56', 32), ('mcDLPathTS8-56', 33), ('mcDLPathTS9-56', 34), ('mcDLPathTS10-56', 35), ('mcDLPathTS11-56', 36), ('mcDLPathTS12-56', 37), ('mcDLPathTS13-56', 38), ('mcDLPathTS14-56', 39), ('mcDLPathTS15-56', 40), ('mcDLPathTS16-56', 41), ('mcDLPathTS17-56', 42), ('mcDLPathTS18-56', 43), ('mcDLPathTS19-56', 44), ('mcDLPathTS20-56', 45), ('mcDLPathTS21-56', 46), ('mcDLPathTS22-56', 47), ('mcDLPathTS23-56', 48), ('mcDLPathTS24-56', 49)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsMcT1DLPath.setStatus('mandatory') ds_mc_def_route = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 3), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsMcDefRoute.setStatus('mandatory') ds_mc_c_ip_addr = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 4), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsMcCIpAddr.setStatus('mandatory') ds_mc_d_ip_addr = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 5), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsMcDIpAddr.setStatus('mandatory') ds_mc_cd_ip_mask = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 6), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsMcCDIpMask.setStatus('mandatory') ds_mc_e_ip_addr = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 7), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsMcEIpAddr.setStatus('mandatory') ds_mc_e_ip_mask = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 8), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsMcEIpMask.setStatus('mandatory') ds_mc_i_ip_addr = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 9), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsMcIIpAddr.setStatus('mandatory') ds_mc_i_ip_mask = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 10), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsMcIIpMask.setStatus('mandatory') ds_amc = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11)) ds_amc_agent = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('amcEnabled', 1), ('amcDisabled', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsAmcAgent.setStatus('mandatory') ds_amc_source_screen = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('mcIpScreen', 1), ('mcNoScreen', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsAmcSourceScreen.setStatus('mandatory') ds_amc_trap_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 3)) if mibBuilder.loadTexts: dsAmcTrapTable.setStatus('mandatory') ds_amc_trap_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 3, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsAmcTrapType')) if mibBuilder.loadTexts: dsAmcTrapEntry.setStatus('mandatory') ds_amc_trap_type = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 3, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('mcStartTraps', 1), ('mcLinkTraps', 2), ('mcAuthenTraps', 3), ('mcEnterpriseTraps', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsAmcTrapType.setStatus('mandatory') ds_amc_trap_status = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 3, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('amcEnabled', 1), ('amcDisabled', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsAmcTrapStatus.setStatus('mandatory') ds_amc_scrn_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 4)) if mibBuilder.loadTexts: dsAmcScrnTable.setStatus('mandatory') ds_amc_scrn_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 4, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsAmcScrnIndex')) if mibBuilder.loadTexts: dsAmcScrnEntry.setStatus('mandatory') ds_amc_scrn_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 4, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 10))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsAmcScrnIndex.setStatus('mandatory') ds_amc_scrn_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 4, 1, 2), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsAmcScrnIpAddr.setStatus('mandatory') ds_amc_scrn_ip_mask = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 4, 1, 3), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsAmcScrnIpMask.setStatus('mandatory') ds_amc_trap_dest_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 5)) if mibBuilder.loadTexts: dsAmcTrapDestTable.setStatus('mandatory') ds_amc_trap_dest_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 5, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsAmcTrapDestIndex')) if mibBuilder.loadTexts: dsAmcTrapDestEntry.setStatus('mandatory') ds_amc_trap_dest_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 5, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 10))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsAmcTrapDestIndex.setStatus('mandatory') ds_amc_trap_dest_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 5, 1, 2), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsAmcTrapDestIpAddr.setStatus('mandatory') ds_amc_trap_dest_vc = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 5, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 8388607))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsAmcTrapDestVc.setStatus('mandatory') ds_amc_trap_dest_port = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 5, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('amcNIPort', 1), ('amcDPPort', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsAmcTrapDestPort.setStatus('mandatory') ds_mc_i_vc = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 12), dlci()).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsMcIVc.setStatus('mandatory') ds_mc_i_port = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('amcNiPort', 1), ('amcDPPort', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsMcIPort.setStatus('mandatory') ds_nc_framing = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('ncSF', 1), ('ncESF', 2), ('ncEricsson', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsNcFraming.setStatus('mandatory') ds_nc_coding = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ncAmi', 1), ('ncB8zs', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsNcCoding.setStatus('mandatory') ds_nc_t1403 = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ncT1403Enable', 1), ('ncT1403Disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsNcT1403.setStatus('mandatory') ds_nc_yellow = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ncYelEnable', 1), ('ncYelDisable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsNcYellow.setStatus('mandatory') ds_nc_addr54 = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('ncAddrCsu', 1), ('ncAddrDsu', 2), ('ncAddrBoth', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsNcAddr54.setStatus('mandatory') ds_nc54016 = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('nc54016Enable', 1), ('nc54016Disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsNc54016.setStatus('mandatory') ds_nc_lbo = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('ncLbo0', 1), ('ncLbo1', 2), ('ncLbo2', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsNcLbo.setStatus('mandatory') ds_nc_mf16 = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ncMF16Enable', 1), ('ncMF16Disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsNcMF16.setStatus('mandatory') ds_nc_crc = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ncCrcEnable', 1), ('ncCrcDisable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsNcCRC.setStatus('mandatory') ds_nc_fas_align = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ncFasWord', 1), ('ncNonFasWord', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsNcFasAlign.setStatus('mandatory') ds_nc_e1_dl_path = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37))).clone(namedValues=named_values(('ncSaNone', 1), ('ncSaBit4', 2), ('ncSaBit5', 3), ('ncSaBit6', 4), ('ncSaBit7', 5), ('ncSaBit8', 6), ('ncTS1', 7), ('ncTS2', 8), ('ncTS3', 9), ('ncTS4', 10), ('ncTS5', 11), ('ncTS6', 12), ('ncTS7', 13), ('ncTS8', 14), ('ncTS9', 15), ('ncTS10', 16), ('ncTS11', 17), ('ncTS12', 18), ('ncTS13', 19), ('ncTS14', 20), ('ncTS15', 21), ('ncTS16', 22), ('ncTS17', 23), ('ncTS18', 24), ('ncTS19', 25), ('ncTS20', 26), ('ncTS21', 27), ('ncTS22', 28), ('ncTS23', 29), ('ncTS24', 30), ('ncTS25', 31), ('ncTS26', 32), ('ncTS27', 33), ('ncTS28', 34), ('ncTS29', 35), ('ncTS30', 36), ('ncTS31', 37)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsNcE1DLPath.setStatus('mandatory') ds_nc_ka = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ncFramedKeepAlive', 1), ('ncUnFramedKeepAlive', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsNcKA.setStatus('mandatory') ds_nc_gen_rfa = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ncGenRfaEnable', 1), ('ncGenRfaDisable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsNcGenRfa.setStatus('mandatory') ds_nc_pass_ti_rfa = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ncPassTiRfaEnable', 1), ('ncPassTiRfaDisable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsNcPassTiRfa.setStatus('mandatory') ds_nc_idle = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 15), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsNcIdle.setStatus('mandatory') ds_nc_dds_type = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('scDds56K', 1), ('scDds64K', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsNcDdsType.setStatus('mandatory') ds_sc_month = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 12))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsScMonth.setStatus('mandatory') ds_sc_day = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 31))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsScDay.setStatus('mandatory') ds_sc_year = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 99))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsScYear.setStatus('mandatory') ds_sc_hour = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 23))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsScHour.setStatus('mandatory') ds_sc_minutes = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 59))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsScMinutes.setStatus('mandatory') ds_sc_name = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 6), display_string().subtype(subtypeSpec=value_size_constraint(0, 15))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsScName.setStatus('mandatory') ds_sc_slot_addr = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 15))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsScSlotAddr.setStatus('mandatory') ds_sc_shelf_addr = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 15))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsScShelfAddr.setStatus('mandatory') ds_sc_group_addr = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 9), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsScGroupAddr.setStatus('mandatory') ds_sc_front_panel = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('scFpEnable', 1), ('scFpDisable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsScFrontPanel.setStatus('mandatory') ds_sc_ds_compatible = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('scDSEnable', 1), ('scDSDisable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsScDSCompatible.setStatus('mandatory') ds_sc_clock_source = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('scTerminalTiming', 1), ('scThroughTiming', 2), ('scInternalTiming', 3), ('scLoopTiming', 4), ('scDP1Timing', 5), ('scDP2Timing', 6)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsScClockSource.setStatus('mandatory') ds_sc_autologout = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 13), integer32().subtype(subtypeSpec=value_range_constraint(0, 60))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsScAutologout.setStatus('mandatory') ds_sc_zero_per_data = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('scZallIdle', 1), ('scZallStart', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsScZeroPerData.setStatus('mandatory') ds_sc_wyv = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 15), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsScWyv.setStatus('mandatory') ds_sc_auto_cfg = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('scAcEnable', 1), ('scAcDisable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsScAutoCfg.setStatus('mandatory') ds_sc_tftp_swdl = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 17), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsScTftpSwdl.setStatus('mandatory') ds_sc_boot = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 18), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('scBootIdle', 1), ('scBootActive', 2), ('scBootInactive', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsScBoot.setStatus('mandatory') ds_sc_oper_mode = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 19), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('scTransparentMode', 1), ('scMonitorMode', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsScOperMode.setStatus('mandatory') ds_sc_year_extention = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 20), integer32().subtype(subtypeSpec=value_range_constraint(1992, 2091))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsScYearExtention.setStatus('mandatory') ds_sc_month_extention = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 21), integer32().subtype(subtypeSpec=value_range_constraint(1, 12))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsScMonthExtention.setStatus('mandatory') ds_sc_day_extention = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 22), integer32().subtype(subtypeSpec=value_range_constraint(1, 31))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsScDayExtention.setStatus('mandatory') ds_sc_hour_extention = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 23), integer32().subtype(subtypeSpec=value_range_constraint(0, 24))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsScHourExtention.setStatus('mandatory') ds_sc_min_extention = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 24), integer32().subtype(subtypeSpec=value_range_constraint(0, 59))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsScMinExtention.setStatus('mandatory') ds_sc_sec_extention = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 25), integer32().subtype(subtypeSpec=value_range_constraint(0, 59))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsScSecExtention.setStatus('mandatory') ds_sc_pin_k = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 26), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('pinKEnabled', 1), ('pinKDisabled', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsScPinK.setStatus('mandatory') ds_tc_framing = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('tcSF', 1), ('tcESF', 2), ('tcEricsson', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsTcFraming.setStatus('mandatory') ds_tc_coding = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('tcAmi', 1), ('tcB8zs', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsTcCoding.setStatus('mandatory') ds_tc_idle = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsTcIdle.setStatus('mandatory') ds_tc_equal = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('tcTe0', 1), ('tcTe1', 2), ('tcTe2', 3), ('tcTe3', 4), ('tcTe4', 5)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsTcEqual.setStatus('mandatory') ds_tc_mf16 = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('tcMF16Enable', 1), ('tcMF16Disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsTcMF16.setStatus('mandatory') ds_tc_crc = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('tcCrcEnable', 1), ('tcCrcDisable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsTcCRC.setStatus('mandatory') ds_tc_fas_align = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('tcFasWord', 1), ('tcNonFasWord', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsTcFasAlign.setStatus('mandatory') ds_tc_ais = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('tcAisEnable', 1), ('tcAisDisable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsTcAis.setStatus('mandatory') ds_tc_gen_rfa = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('tcGenRfaEnable', 1), ('tcGenRfaDisable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsTcGenRfa.setStatus('mandatory') ds_tc_pass_ti_rfa = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('tcPassTiRfaEnable', 1), ('tcPassTiRfaDisable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: dsTcPassTiRfa.setStatus('mandatory') ds_fp_fr56 = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1)) ds_fp_fr56_pwr_led = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('fpLedIndeterminate', 1), ('fpLedOff', 2), ('fpLedOnGreen', 3), ('fpLedBlinkGreen', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsFpFr56PwrLed.setStatus('mandatory') ds_fp_fr56_dnld_fail_led = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('fpLedIndeterminate', 1), ('fpLedOff', 2), ('fpLedOnRed', 3), ('fpLedBlinkRed', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsFpFr56DnldFailLed.setStatus('mandatory') ds_fp_fr56_ni_alarm_led = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('fpLedIndeterminate', 1), ('fpLedOff', 2), ('fpLedOnRed', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsFpFr56NiAlarmLed.setStatus('mandatory') ds_fp_fr56_ni_data_led = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('fpLedIndeterminate', 1), ('fpLedOff', 2), ('fpLedOnGreen', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsFpFr56NiDataLed.setStatus('mandatory') ds_fp_fr56_test_led = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('fpLedIndeterminate', 1), ('fpLedOff', 2), ('fpLedOnYellow', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsFpFr56TestLed.setStatus('mandatory') ds_fp_fr56_dp_cts_tx_led = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('fpLedIndeterminate', 1), ('fpLedOff', 2), ('fpLedOnYellow', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsFpFr56DpCtsTxLed.setStatus('mandatory') ds_fp_fr56_dp_rts_rx_led = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('fpLedIndeterminate', 1), ('fpLedOff', 2), ('fpLedOnYellow', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsFpFr56DpRtsRxLed.setStatus('mandatory') ds_fp_fr56_fr_link_led = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('fpLedIndeterminate', 1), ('fpLedOff', 2), ('fpLedOnGreen', 3), ('fpLedBlinkGreen', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: dsFpFr56FrLinkLed.setStatus('mandatory') mibBuilder.exportSymbols('DATASMART-MIB', dsRpUsrDayES=dsRpUsrDayES, dsDcInterface=dsDcInterface, dsScBoot=dsScBoot, dsRpFrUrVc=dsRpFrUrVc, dsScWyv=dsScWyv, dsFp=dsFp, dsRpDdsTotalSecs=dsRpDdsTotalSecs, dsFmcFpingLinkDown=dsFmcFpingLinkDown, dsScYear=dsScYear, dsFcTableIndex=dsFcTableIndex, dsRpUsrTotalEntry=dsRpUsrTotalEntry, dsScPinK=dsScPinK, dsLmLoopback=dsLmLoopback, DLCI=DLCI, dsRpUsrCurCSS=dsRpUsrCurCSS, dsAcOnPowerTransition=dsAcOnPowerTransition, dsMcIIpMask=dsMcIIpMask, dsRmBertCode=dsRmBertCode, dsRpFrTotalTable=dsRpFrTotalTable, dsAmcScrnTable=dsAmcScrnTable, dsRpFrCur2HEntry=dsRpFrCur2HEntry, dsRpUsrDayStatus=dsRpUsrDayStatus, dsRpFrPre15MVc=dsRpFrPre15MVc, dsRmFpingRmtVc=dsRmFpingRmtVc, dsRpDdsTable=dsRpDdsTable, dsRpFrIntvl2HFpMax=dsRpFrIntvl2HFpMax, dsAcDeact=dsAcDeact, dsRpFrPre15MFpAvg=dsRpFrPre15MFpAvg, dsRpFrPre15MFpMax=dsRpFrPre15MFpMax, dsFmcAddVc=dsFmcAddVc, dsNcGenRfa=dsNcGenRfa, dsNcDdsType=dsNcDdsType, dsRpUsrCurIndex=dsRpUsrCurIndex, dsRpUsrIntvlCSS=dsRpUsrIntvlCSS, dsRpDdsEntry=dsRpDdsEntry, dsRpFrPre15MFrames=dsRpFrPre15MFrames, dsRpUsrTotalSES=dsRpUsrTotalSES, dsCcEcho=dsCcEcho, dsRpFrUrCIRExceeded=dsRpFrUrCIRExceeded, dsRpAhrStr=dsRpAhrStr, dsFmc=dsFmc, dsRpFrCur15MOctets=dsRpFrCur15MOctets, dsTcIdle=dsTcIdle, dsRpFrCur15MFpRmtVc=dsRpFrCur15MFpRmtVc, dsDcDataInvert=dsDcDataInvert, dsLmSelfTestResults=dsLmSelfTestResults, dsFmcDelVc=dsFmcDelVc, dsTcCRC=dsTcCRC, dsRpUsrCurSES=dsRpUsrCurSES, dsRpFrDayFpMax=dsRpFrDayFpMax, dsMcIPort=dsMcIPort, dsRpFrIntvl2HDir=dsRpFrIntvl2HDir, dsRpFrDayVcIndex=dsRpFrDayVcIndex, dsFpFr56NiDataLed=dsFpFr56NiDataLed, datasmart=datasmart, dsRpUsrDayBES=dsRpUsrDayBES, dsRpUsrCurStatus=dsRpUsrCurStatus, dsRpDdsAvailableSecs=dsRpDdsAvailableSecs, dsRpFrIntvl2HOctets=dsRpFrIntvl2HOctets, dsRpFrCur2HOctets=dsRpFrCur2HOctets, dsRpFrUrDir=dsRpFrUrDir, dsRpUsrDayDM=dsRpUsrDayDM, dsAmcTrapDestIndex=dsAmcTrapDestIndex, dsRpCarTotal=dsRpCarTotal, dsRpFrDayFrames=dsRpFrDayFrames, dsRpUsrTotalIndex=dsRpUsrTotalIndex, dsSs=dsSs, dsRmBertErrdSecs=dsRmBertErrdSecs, dsRpCarIntvlTable=dsRpCarIntvlTable, dsRpUsrCurUAS=dsRpUsrCurUAS, dsScMinExtention=dsScMinExtention, dsRpUsrIntvlIndex=dsRpUsrIntvlIndex, dsRpFrTotalVcIndex=dsRpFrTotalVcIndex, dsDcLOSInput=dsDcLOSInput, dsTcFraming=dsTcFraming, dsRpCarIntvlEntry=dsRpCarIntvlEntry, dsRmFping=dsRmFping, dsCcBaud=dsCcBaud, dsAmcAgent=dsAmcAgent, dsRpCarCurCSS=dsRpCarCurCSS, dsFmcFpingThres=dsFmcFpingThres, dsRpDdsDuration=dsRpDdsDuration, dsRpFrTmCntDays=dsRpFrTmCntDays, dsRpCarTotalCSS=dsRpCarTotalCSS, dsRpUsrTmCntTable=dsRpUsrTmCntTable, dsRpUsrIntvlUAS=dsRpUsrIntvlUAS, dsRpStOofErrors=dsRpStOofErrors, dsRpFrCur15MFpRmtIp=dsRpFrCur15MFpRmtIp, dsRpFrDayNum=dsRpFrDayNum, dsCc=dsCc, dsRp=dsRp, dsFcTable=dsFcTable, dsRpUsrCurEE=dsRpUsrCurEE, dsRpShrEventType=dsRpShrEventType, dsRpFrIntvl2HKbps=dsRpFrIntvl2HKbps, dsRpFrCur15MVcIndex=dsRpFrCur15MVcIndex, dsRpUsrTmCntSecs=dsRpUsrTmCntSecs, dsRpStLOFEvents=dsRpStLOFEvents, dsScMonth=dsScMonth, dsRpStBPVs=dsRpStBPVs, dsRmBertState=dsRmBertState, dsTcCoding=dsTcCoding, dsRpFrCur2HStatus=dsRpFrCur2HStatus, dsRpUsrIntvlEE=dsRpUsrIntvlEE, dsRpUsrTmCnt15Mins=dsRpUsrTmCnt15Mins, dsAmcTrapStatus=dsAmcTrapStatus, dsScSecExtention=dsScSecExtention, dsDc=dsDc, dsRpUsrIntvlEntry=dsRpUsrIntvlEntry, dsRpFrIntvl2HStatus=dsRpFrIntvl2HStatus, dsRpFrCur15MEntry=dsRpFrCur15MEntry, dsRpFrPre15MEntry=dsRpFrPre15MEntry, dsRmBertReSync=dsRmBertReSync, dsRpStFrameBitErrors=dsRpStFrameBitErrors, dsNc54016=dsNc54016, dsRpStCrcErrors=dsRpStCrcErrors, dsDcRcvClkInvert=dsDcRcvClkInvert, dsRmFpingCur=dsRmFpingCur, dsRpStTable=dsRpStTable, dsRpFrIntvl2HTable=dsRpFrIntvl2HTable, dsRpFrUrEntry=dsRpFrUrEntry, dsRpCarCurSES=dsRpCarCurSES, dsRpFrTmCntSecs=dsRpFrTmCntSecs, dsDcEntry=dsDcEntry, dsScSlotAddr=dsScSlotAddr, dsScZeroPerData=dsScZeroPerData, dsRpFrCur2HFpLost=dsRpFrCur2HFpLost, dsFpFr56=dsFpFr56, dsScYearExtention=dsScYearExtention, dsMcCIpAddr=dsMcCIpAddr, dsNcT1403=dsNcT1403, dsAmcTrapDestIpAddr=dsAmcTrapDestIpAddr, dsTcMF16=dsTcMF16, dsRmBertBitErrors=dsRmBertBitErrors, dsRpFrCur15MFrames=dsRpFrCur15MFrames, dsRmFpingState=dsRmFpingState, dsRpStFarEndBlkErrors=dsRpStFarEndBlkErrors, dsRpCarTotalUAS=dsRpCarTotalUAS, dsRpFrCur2HVc=dsRpFrCur2HVc, dsRpFrDayFpSent=dsRpFrDayFpSent, dsRmFpingRmtIp=dsRmFpingRmtIp, dsScHour=dsScHour, dsRpFrTotalVc=dsRpFrTotalVc, dsRpStat=dsRpStat, dsRpFrDayOctets=dsRpFrDayOctets, dsRpStEsfErrors=dsRpStEsfErrors, dsRpFrUrEIRExceededOctets=dsRpFrUrEIRExceededOctets, dsAmcTrapDestEntry=dsAmcTrapDestEntry, dsRpFrTotalEntry=dsRpFrTotalEntry, dsTcPassTiRfa=dsTcPassTiRfa, dsRpFrDayDir=dsRpFrDayDir, dsRpFrCur2HVcIndex=dsRpFrCur2HVcIndex, dsRpDdsBPVs=dsRpDdsBPVs, dsRpFrCur15MKbps=dsRpFrCur15MKbps, dsRpCarIntvlCSS=dsRpCarIntvlCSS, dsPlLen=dsPlLen, dsNcKA=dsNcKA, dsFpFr56PwrLed=dsFpFr56PwrLed, dsRpUsrTotalTable=dsRpUsrTotalTable, dsRpUsrDayCSS=dsRpUsrDayCSS, dsNcE1DLPath=dsNcE1DLPath, dsRpUsrTmCntIndex=dsRpUsrTmCntIndex, dsRpFrPre15MStatus=dsRpFrPre15MStatus, dsAcRfaAlm=dsAcRfaAlm, dsRpFrTotalFpMax=dsRpFrTotalFpMax, dsAmcTrapTable=dsAmcTrapTable, dsRpAhrTable=dsRpAhrTable, dsMcDefRoute=dsMcDefRoute, dsRpStZeroCounters=dsRpStZeroCounters, dsRpFrIntvl2HEntry=dsRpFrIntvl2HEntry, dsScGroupAddr=dsScGroupAddr, dsRpCarIntvlBES=dsRpCarIntvlBES, dsRmFpingAction=dsRmFpingAction, dsNcLbo=dsNcLbo, dsScHourExtention=dsScHourExtention, dsRpUsrDaySES=dsRpUsrDaySES, dsDcIndex=dsDcIndex, dsRpFrDayKbps=dsRpFrDayKbps, dsAmcScrnIpMask=dsAmcScrnIpMask, dsTc=dsTc, dsRpFrTmCnt2Hrs=dsRpFrTmCnt2Hrs, dsRpFrDayVc=dsRpFrDayVc, dsRpUsrIntvlBES=dsRpUsrIntvlBES, dsRpUsrTotalUAS=dsRpUsrTotalUAS, dsRpFrCur15MStatus=dsRpFrCur15MStatus, dsRpFrTmCntDir=dsRpFrTmCntDir, dsDcXmtClkInvert=dsDcXmtClkInvert, dsFmcFpingGen=dsFmcFpingGen, dsFmcFpingRst=dsFmcFpingRst, dsRpFrIntvl2HNum=dsRpFrIntvl2HNum, dsSc=dsSc, dsRpFrTotalFpSent=dsRpFrTotalFpSent, dsRmFpingMax=dsRmFpingMax, dsRmFpingAvg=dsRmFpingAvg, dsRpFrPre15MTable=dsRpFrPre15MTable, dsAcEst=dsAcEst, dsRpFrUrEIRExceeded=dsRpFrUrEIRExceeded, dsRpFrIntvl2HFrames=dsRpFrIntvl2HFrames, dsRpCarTotalEE=dsRpCarTotalEE, dsMcT1DLPath=dsMcT1DLPath, dsRpStLOSEvents=dsRpStLOSEvents, dsRpCarTotalBES=dsRpCarTotalBES, dsScDSCompatible=dsScDSCompatible, dsRpCarIntvlEE=dsRpCarIntvlEE, dsRpCarCnt15Mins=dsRpCarCnt15Mins, dsRpFrUrVcIndex=dsRpFrUrVcIndex, dsLmSelfTestState=dsLmSelfTestState, dsRpUsrDayTable=dsRpUsrDayTable, dsRpShrComments=dsRpShrComments, dsRpFrDayFpLost=dsRpFrDayFpLost, dsAcOffPowerTransition=dsAcOffPowerTransition, dsRpAhrIndex=dsRpAhrIndex, dsMcIIpAddr=dsMcIIpAddr, dsCcDteIn=dsCcDteIn, dsNcPassTiRfa=dsNcPassTiRfa, dsFcChanMap=dsFcChanMap, dsFpFr56FrLinkLed=dsFpFr56FrLinkLed, dsRpUsrDayUAS=dsRpUsrDayUAS, dsRmFpingMin=dsRmFpingMin, dsRpCarIntvlSES=dsRpCarIntvlSES, dsRpCarCurLOFC=dsRpCarCurLOFC, dsScMinutes=dsScMinutes, dsRpFrTmCntTable=dsRpFrTmCntTable, dsRpFrTotalDir=dsRpFrTotalDir, dsLm=dsLm, dsMcCDIpMask=dsMcCDIpMask, dsNcCRC=dsNcCRC, dsRpDdsIfIndex=dsRpDdsIfIndex, dsRpFrCur2HFpSent=dsRpFrCur2HFpSent, dsRpFrPre15MKbps=dsRpFrPre15MKbps, dsRpFrPre15MFpLost=dsRpFrPre15MFpLost, dsScAutoCfg=dsScAutoCfg, dsRpFrTotalOctets=dsRpFrTotalOctets, dsAcUst=dsAcUst, dsRmFpingTotal=dsRmFpingTotal, dsRpUsrIntvlStatus=dsRpUsrIntvlStatus, dsAcYelAlm=dsAcYelAlm, dsMc=dsMc, dsRpUsrCurBES=dsRpUsrCurBES, dsRpCarCur=dsRpCarCur, dsRmLbkCode=dsRmLbkCode, dsRpFrPre15MFpSent=dsRpFrPre15MFpSent, dsFcEntry=dsFcEntry, dsRpCarCurEE=dsRpCarCurEE, dsRpFrCur15MFpLost=dsRpFrCur15MFpLost, dsRpCarCurBES=dsRpCarCurBES, dsRpDm=dsRpDm, dsRpStLOTS16MFrameEvts=dsRpStLOTS16MFrameEvts, dsRpFrDayEntry=dsRpFrDayEntry, dsRpFrCur2HTable=dsRpFrCur2HTable, dsRpUsrDayNum=dsRpUsrDayNum, dsRpStRemFrameAlmEvts=dsRpStRemFrameAlmEvts, dsRpUsrCurTable=dsRpUsrCurTable, dsRpStIndex=dsRpStIndex) mibBuilder.exportSymbols('DATASMART-MIB', dsRpFrPre15MOctets=dsRpFrPre15MOctets, dsRpUsrCurES=dsRpUsrCurES, dsCcControlPort=dsCcControlPort, dsAmc=dsAmc, dsCcStopBits=dsCcStopBits, dsFmcFpingOper=dsFmcFpingOper, dsRm=dsRm, dsRmFpingLen=dsRmFpingLen, dsMcIVc=dsMcIVc, dsCcDataBits=dsCcDataBits, dsScFrontPanel=dsScFrontPanel, dsRpFrCur2HDir=dsRpFrCur2HDir, dsRpUsrTotalES=dsRpUsrTotalES, dsRpUsrTotalCSS=dsRpUsrTotalCSS, dsRpFrCur15MFpSent=dsRpFrCur15MFpSent, dsRmFpingVc=dsRmFpingVc, dsRpFrCur2HFrames=dsRpFrCur2HFrames, dsRpShrTable=dsRpShrTable, dsRpFrTmCntEntry=dsRpFrTmCntEntry, dsNcMF16=dsNcMF16, dsAmcTrapDestPort=dsAmcTrapDestPort, dsRmFpingLost=dsRmFpingLost, dsFmcSetNiXmtUpperBwThresh=dsFmcSetNiXmtUpperBwThresh, dsFpFr56DnldFailLed=dsFpFr56DnldFailLed, dsRpCarTotalLOFC=dsRpCarTotalLOFC, dsDcTable=dsDcTable, dsAcAlmMsg=dsAcAlmMsg, dsRpFrDayTable=dsRpFrDayTable, dsFmcUpperBW=dsFmcUpperBW, dsRpCarCurUAS=dsRpCarCurUAS, dsMcEIpAddr=dsMcEIpAddr, dsDcClockSource=dsDcClockSource, dsRpUsrIntvlES=dsRpUsrIntvlES, dsPlBreak=dsPlBreak, dsRpFrCur2HFpAvg=dsRpFrCur2HFpAvg, dsRmBertTestSecs=dsRmBertTestSecs, dsRpStYellowEvents=dsRpStYellowEvents, dsRpUsrTotalBES=dsRpUsrTotalBES, dsNcFasAlign=dsNcFasAlign, dsRpFrIntvl2HFpSent=dsRpFrIntvl2HFpSent, dsScDay=dsScDay, dsRpUsrIntvlNum=dsRpUsrIntvlNum, dsFpFr56TestLed=dsFpFr56TestLed, dsFmcSetNiRcvUpperBwThresh=dsFmcSetNiRcvUpperBwThresh, dsTcGenRfa=dsTcGenRfa, dsRpSes=dsRpSes, dsCcParity=dsCcParity, dsRpFrPre15MDir=dsRpFrPre15MDir, dsRpCarCntSecs=dsRpCarCntSecs, dsRpStAISEvents=dsRpStAISEvents, dsFcLoadXcute=dsFcLoadXcute, dsAc=dsAc, dsDcIdleChar=dsDcIdleChar, dsFmcFrameType=dsFmcFrameType, dsRpUsrTotalDM=dsRpUsrTotalDM, dsAmcTrapDestTable=dsAmcTrapDestTable, dsAcSt=dsAcSt, dsSsAlarmSource=dsSsAlarmSource, dsRpStEntry=dsRpStEntry, dsNc=dsNc, dsRpFrIntvl2HVcIndex=dsRpFrIntvl2HVcIndex, dsRpFrTotalFrames=dsRpFrTotalFrames, dsFmcFcsBits=dsFmcFcsBits, dsRpFrDayFpAvg=dsRpFrDayFpAvg, dsNcCoding=dsNcCoding, dsRpUsrTotalStatus=dsRpUsrTotalStatus, dsRpUsrDayIndex=dsRpUsrDayIndex, dsRpUsrIntvlTable=dsRpUsrIntvlTable, dsFmcAddrOctets=dsFmcAddrOctets, dsAmcScrnIndex=dsAmcScrnIndex, dsSsPowerStatus=dsSsPowerStatus, dsRpFrDayStatus=dsRpFrDayStatus, dsRpAhrEntry=dsRpAhrEntry, dsFpFr56DpRtsRxLed=dsFpFr56DpRtsRxLed, dsAmcTrapEntry=dsAmcTrapEntry, dsRpCar=dsRpCar, dsRpUsrTotalEE=dsRpUsrTotalEE, dsRpFrCur15MDir=dsRpFrCur15MDir, dsRpFrTotalFpLost=dsRpFrTotalFpLost, dsFmcFpingLinkUp=dsFmcFpingLinkUp, dsAmcTrapDestVc=dsAmcTrapDestVc, dsRpStRemMFrameAlmEvts=dsRpStRemMFrameAlmEvts, dsRpShrIndex=dsRpShrIndex, dsMcDIpAddr=dsMcDIpAddr, dsRpUsrIntvlDM=dsRpUsrIntvlDM, dsFpFr56DpCtsTxLed=dsFpFr56DpCtsTxLed, dsAmcScrnEntry=dsAmcScrnEntry, dsFcMap16=dsFcMap16, dsFpFr56NiAlarmLed=dsFpFr56NiAlarmLed, dsRpCarIntvlUAS=dsRpCarIntvlUAS, dsScName=dsScName, dsRpFrIntvl2HFpLost=dsRpFrIntvl2HFpLost, dsRpCarIntvlLOFC=dsRpCarIntvlLOFC, dsFmcClrNiXmtUpperBwThresh=dsFmcClrNiXmtUpperBwThresh, dsRpStControlledSlips=dsRpStControlledSlips, dsScMonthExtention=dsScMonthExtention, dsScOperMode=dsScOperMode, dsAmcSourceScreen=dsAmcSourceScreen, dsTcAis=dsTcAis, dsAcBerAlm=dsAcBerAlm, dsRpUsr=dsRpUsr, dsRpCarCurES=dsRpCarCurES, dsFmcClrNiRcvUpperBwThresh=dsFmcClrNiRcvUpperBwThresh, dsRpFrPre15MVcIndex=dsRpFrPre15MVcIndex, dsRmInsertBitError=dsRmInsertBitError, dsSsAlarmState=dsSsAlarmState, dsRpUsrDayEE=dsRpUsrDayEE, dsRpFrCur15MVc=dsRpFrCur15MVc, dsRpFrTotalStatus=dsRpFrTotalStatus, dsRpUsrCurEntry=dsRpUsrCurEntry, dsNcYellow=dsNcYellow, dsRpCarTotalSES=dsRpCarTotalSES, dsAcAisAlm=dsAcAisAlm, dsNcFraming=dsNcFraming, dsRpFrUrCIRExceededOctets=dsRpFrUrCIRExceededOctets, dsSsLoopback=dsSsLoopback, dsRpUsrIntvlSES=dsRpUsrIntvlSES, dsRpCarTotalES=dsRpCarTotalES, dsTcFasAlign=dsTcFasAlign, dsRpFr=dsRpFr, dsRpUsrDayEntry=dsRpUsrDayEntry, dsScDayExtention=dsScDayExtention, dsTcEqual=dsTcEqual, dsAmcScrnIpAddr=dsAmcScrnIpAddr, dsRpBes=dsRpBes, dsRpFrTotalFpAvg=dsRpFrTotalFpAvg, dsAmcTrapType=dsAmcTrapType, dsRpUsrCurDM=dsRpUsrCurDM, dsRpShrEntry=dsRpShrEntry, dsNcAddr54=dsNcAddr54, dsFc=dsFc, dsRpFrUrTable=dsRpFrUrTable, dsRpCarIntvlNum=dsRpCarIntvlNum, dsRpPl=dsRpPl, dsRmTestCode=dsRmTestCode, dsRmFpingFreq=dsRmFpingFreq, dsScTftpSwdl=dsScTftpSwdl, dsRpFrCur15MFpMax=dsRpFrCur15MFpMax, dsRpUsrTmCntEntry=dsRpUsrTmCntEntry, dsScShelfAddr=dsScShelfAddr, dsRpFrCur15MFpAvg=dsRpFrCur15MFpAvg, dsScAutologout=dsScAutologout, DisplayString=DisplayString, dsCcDceIn=dsCcDceIn, dsRmBertTotalErrors=dsRmBertTotalErrors, dsFcChanIndex=dsFcChanIndex, dsRpFrCur2HKbps=dsRpFrCur2HKbps, dsRpShrDateTime=dsRpShrDateTime, dsRpCarIntvlES=dsRpCarIntvlES, Counter32=Counter32, dsMcNetif=dsMcNetif, dsRpUsrTmCntDays=dsRpUsrTmCntDays, dsRpFrTotalKbps=dsRpFrTotalKbps, dsRpFrIntvl2HFpAvg=dsRpFrIntvl2HFpAvg, dsRpFrCur15MTable=dsRpFrCur15MTable, dsScClockSource=dsScClockSource, dsRpFrCur2HFpMax=dsRpFrCur2HFpMax, dsNcIdle=dsNcIdle, dsRpFrIntvl2HVc=dsRpFrIntvl2HVc, dsMcEIpMask=dsMcEIpMask)
# List of base-map providers class Providers: MAPBOX = "mapbox" GOOGLE_MAPS = "google_maps"
class Providers: mapbox = 'mapbox' google_maps = 'google_maps'
class Person: def __init__(self, name): self.name = name def greet(self): print(f"Hello, I'm {self.name}") class Child(Person): def __init__(self, name, school): super().__init__(name) self.school = school def learn(self): print(f"I'm learning a lot at {self.school}") c1 = Child("john", "iCSC20") c1.greet() c1.learn()
class Person: def __init__(self, name): self.name = name def greet(self): print(f"Hello, I'm {self.name}") class Child(Person): def __init__(self, name, school): super().__init__(name) self.school = school def learn(self): print(f"I'm learning a lot at {self.school}") c1 = child('john', 'iCSC20') c1.greet() c1.learn()
def test_get_links_nsdi(): """ >>> from diamond_miner.test import url >>> from diamond_miner.queries import GetLinks >>> rows = GetLinks().execute(url, 'test_nsdi_example') >>> links = [(row["near_addr"], row["far_addr"]) for row in rows] >>> sorted(links)[:3] [('::ffff:150.0.1.1', '::ffff:150.0.2.1'), ('::ffff:150.0.1.1', '::ffff:150.0.3.1'), ('::ffff:150.0.2.1', '::ffff:150.0.4.1')] >>> sorted(links)[3:6] [('::ffff:150.0.3.1', '::ffff:150.0.5.1'), ('::ffff:150.0.3.1', '::ffff:150.0.7.1'), ('::ffff:150.0.4.1', '::ffff:150.0.6.1')] >>> sorted(links)[6:] [('::ffff:150.0.5.1', '::ffff:150.0.6.1'), ('::ffff:150.0.7.1', '::ffff:150.0.6.1')] """ def test_get_links_multi_protocol(): """ >>> from diamond_miner.test import url >>> from diamond_miner.queries import GetLinks >>> rows = GetLinks(probe_protocol=1).execute(url, 'test_multi_protocol') >>> links = [(row["near_addr"], row["far_addr"]) for row in rows] >>> sorted(links) [('::ffff:150.0.0.1', '::ffff:150.0.1.1'), ('::ffff:150.0.0.2', '::ffff:150.0.1.1')] >>> rows = GetLinks(probe_protocol=17).execute(url, 'test_multi_protocol') >>> links = [(row["near_addr"], row["far_addr"]) for row in rows] >>> sorted(links) [('::ffff:150.0.0.1', '::ffff:150.0.1.1')] """ def test_get_mda_probes_nsdi(): """ >>> from diamond_miner.test import url >>> from diamond_miner.queries import GetMDAProbes >>> row = GetMDAProbes(round_leq=1, adaptive_eps=False).execute(url, 'test_nsdi_lite')[0] >>> row["probe_dst_prefix"] '::ffff:200.0.0.0' >>> row["TTLs"] [1, 2, 3, 4] >>> row["cumulative_probes"] [11, 11, 11, 11] >>> row = GetMDAProbes(round_leq=2, adaptive_eps=False).execute(url, 'test_nsdi_lite')[0] >>> row["probe_dst_prefix"] '::ffff:200.0.0.0' >>> row["TTLs"] [1, 2, 3, 4] >>> row["cumulative_probes"] [11, 16, 16, 16] >>> row = GetMDAProbes(round_leq=3, adaptive_eps=False).execute(url, 'test_nsdi_lite')[0] >>> row["probe_dst_prefix"] '::ffff:200.0.0.0' >>> row["TTLs"] [1, 2, 3, 4] >>> row["cumulative_probes"] [11, 16, 16, 16] """ # TODO: Rename to test_get_mda_probes_nsdi... def test_get_mda_probes_stateful_nsdi(): """ >>> from diamond_miner.test import url >>> from diamond_miner.queries import GetMDAProbes >>> row = GetMDAProbes(round_leq=1, adaptive_eps=False).execute(url, 'test_nsdi_lite')[0] >>> row["probe_dst_prefix"] '::ffff:200.0.0.0' >>> row["TTLs"] [1, 2, 3, 4] >>> row["cumulative_probes"] [11, 11, 11, 11] >>> row = GetMDAProbes(round_leq=2, adaptive_eps=False).execute(url, 'test_nsdi_lite')[0] >>> row["probe_dst_prefix"] '::ffff:200.0.0.0' >>> row["TTLs"] [1, 2, 3, 4] >>> row["cumulative_probes"] [11, 16, 16, 16] >>> row = GetMDAProbes(round_leq=3, adaptive_eps=False).execute(url, 'test_nsdi_lite')[0] >>> row["probe_dst_prefix"] '::ffff:200.0.0.0' >>> row["TTLs"] [1, 2, 3, 4] >>> row["cumulative_probes"] [11, 16, 16, 16] """ # TODO: Make this test pass # def test_get_mda_probes_star(): # """ # With the current links computation (in GetLinksFromView), we do not emit a link # in the case of *single* reply in a traceroute. For example: * * node * *, does # not generate a link. In this case this means that we never see a link including V_7. # # >>> rows = GetMDAProbes(round_leq=1, adaptive_eps=False).execute(url, 'test_star_node_star') # >>> row = GetMDAProbes.Row(*rows[0]) # >>> addr_to_string(row.dst_prefix) # '200.0.0.0' # >>> row.ttls # [1, 2, 3] # >>> row.already_sent # [6, 6, 6] # >>> row.to_send # [0, 0, 5] # # >>> GetMDAProbes(round_leq=2, adaptive_eps=False).execute(url, 'test_star_node_star') # [] # """
def test_get_links_nsdi(): """ >>> from diamond_miner.test import url >>> from diamond_miner.queries import GetLinks >>> rows = GetLinks().execute(url, 'test_nsdi_example') >>> links = [(row["near_addr"], row["far_addr"]) for row in rows] >>> sorted(links)[:3] [('::ffff:150.0.1.1', '::ffff:150.0.2.1'), ('::ffff:150.0.1.1', '::ffff:150.0.3.1'), ('::ffff:150.0.2.1', '::ffff:150.0.4.1')] >>> sorted(links)[3:6] [('::ffff:150.0.3.1', '::ffff:150.0.5.1'), ('::ffff:150.0.3.1', '::ffff:150.0.7.1'), ('::ffff:150.0.4.1', '::ffff:150.0.6.1')] >>> sorted(links)[6:] [('::ffff:150.0.5.1', '::ffff:150.0.6.1'), ('::ffff:150.0.7.1', '::ffff:150.0.6.1')] """ def test_get_links_multi_protocol(): """ >>> from diamond_miner.test import url >>> from diamond_miner.queries import GetLinks >>> rows = GetLinks(probe_protocol=1).execute(url, 'test_multi_protocol') >>> links = [(row["near_addr"], row["far_addr"]) for row in rows] >>> sorted(links) [('::ffff:150.0.0.1', '::ffff:150.0.1.1'), ('::ffff:150.0.0.2', '::ffff:150.0.1.1')] >>> rows = GetLinks(probe_protocol=17).execute(url, 'test_multi_protocol') >>> links = [(row["near_addr"], row["far_addr"]) for row in rows] >>> sorted(links) [('::ffff:150.0.0.1', '::ffff:150.0.1.1')] """ def test_get_mda_probes_nsdi(): """ >>> from diamond_miner.test import url >>> from diamond_miner.queries import GetMDAProbes >>> row = GetMDAProbes(round_leq=1, adaptive_eps=False).execute(url, 'test_nsdi_lite')[0] >>> row["probe_dst_prefix"] '::ffff:200.0.0.0' >>> row["TTLs"] [1, 2, 3, 4] >>> row["cumulative_probes"] [11, 11, 11, 11] >>> row = GetMDAProbes(round_leq=2, adaptive_eps=False).execute(url, 'test_nsdi_lite')[0] >>> row["probe_dst_prefix"] '::ffff:200.0.0.0' >>> row["TTLs"] [1, 2, 3, 4] >>> row["cumulative_probes"] [11, 16, 16, 16] >>> row = GetMDAProbes(round_leq=3, adaptive_eps=False).execute(url, 'test_nsdi_lite')[0] >>> row["probe_dst_prefix"] '::ffff:200.0.0.0' >>> row["TTLs"] [1, 2, 3, 4] >>> row["cumulative_probes"] [11, 16, 16, 16] """ def test_get_mda_probes_stateful_nsdi(): """ >>> from diamond_miner.test import url >>> from diamond_miner.queries import GetMDAProbes >>> row = GetMDAProbes(round_leq=1, adaptive_eps=False).execute(url, 'test_nsdi_lite')[0] >>> row["probe_dst_prefix"] '::ffff:200.0.0.0' >>> row["TTLs"] [1, 2, 3, 4] >>> row["cumulative_probes"] [11, 11, 11, 11] >>> row = GetMDAProbes(round_leq=2, adaptive_eps=False).execute(url, 'test_nsdi_lite')[0] >>> row["probe_dst_prefix"] '::ffff:200.0.0.0' >>> row["TTLs"] [1, 2, 3, 4] >>> row["cumulative_probes"] [11, 16, 16, 16] >>> row = GetMDAProbes(round_leq=3, adaptive_eps=False).execute(url, 'test_nsdi_lite')[0] >>> row["probe_dst_prefix"] '::ffff:200.0.0.0' >>> row["TTLs"] [1, 2, 3, 4] >>> row["cumulative_probes"] [11, 16, 16, 16] """
#!/usr/bin/python3 # https://practice.geeksforgeeks.org/problems/finding-middle-element-in-a-linked-list/1 def findMid(head): """ Start two pointers, one that moves a step, the other takes two steps When the other reaches end the first will be in the mid Works for both even and odd lengths """ ref = head ptr = head while ptr and ref and ref.next: ptr = ptr.next ref = ref.next.next return ptr
def find_mid(head): """ Start two pointers, one that moves a step, the other takes two steps When the other reaches end the first will be in the mid Works for both even and odd lengths """ ref = head ptr = head while ptr and ref and ref.next: ptr = ptr.next ref = ref.next.next return ptr
__author__ = 'Yifei' HEADER_OFFSET = 0 INDEX_OFFSET = 4 LENGTH_OFFSET = 5 CHECKSUM_OFFSET = 6 PACKET_CONSTANT_OFFSET = 7 OPERAND_OFFSET = 7 PAYLOAD_OFFSET = 8 MAX_PAYLOAD_LENGTH = 255 MIN_PACKET_LENGTH = 4 + 1 + 1 + 1 PROTOSBN1_HEADER_BYTES = [0x53, 0x42, 0x4e, 0x31]
__author__ = 'Yifei' header_offset = 0 index_offset = 4 length_offset = 5 checksum_offset = 6 packet_constant_offset = 7 operand_offset = 7 payload_offset = 8 max_payload_length = 255 min_packet_length = 4 + 1 + 1 + 1 protosbn1_header_bytes = [83, 66, 78, 49]
# -*- coding: utf-8 -*- """ ParaMol Parameter_space subpackage. Contains modules related to the ParaMol representation of QM engines. """ __all__ = ['amber_wrapper', 'dftb_wrapper', 'ase_wrapper', 'qm_engine']
""" ParaMol Parameter_space subpackage. Contains modules related to the ParaMol representation of QM engines. """ __all__ = ['amber_wrapper', 'dftb_wrapper', 'ase_wrapper', 'qm_engine']
#!/usr/bin/env python # -*- coding: utf-8 -*- """application not found exception design for application not found exception created: 2016/3/17 author: smileboywtu """ class AppNotFound(Exception): """app not found """ def __init__(self, msg, *args, **kwargs): """init the object """ self.msg = msg self.args = args self.kwargs = kwargs def __str__(self): """show message """ return self.msg
"""application not found exception design for application not found exception created: 2016/3/17 author: smileboywtu """ class Appnotfound(Exception): """app not found """ def __init__(self, msg, *args, **kwargs): """init the object """ self.msg = msg self.args = args self.kwargs = kwargs def __str__(self): """show message """ return self.msg
#code=input("Enter customer code:") while True: print("") code=input("Enter customer code:") bill_float = 0 bill = float(bill_float) if code == "r": begin_int=input("Enter beginning meter reading:") begin = float(begin_int) end_int=input("Enter ending meter reading:") end = float(end_int) Used = .1*(end-begin) Used_rounded = round(Used,2) bill = 5.00+ .0005*Used bill_rounded = round(bill,2) print("") print("Customer code: ",code) print("Beginning meter reading: ",begin_int) print("Ending meter reading: ",end_int) print("Gallons of water used: ",Used_rounded) print("Amount billed: $",bill_rounded) elif code == "c": begin_int=input("Enter beginning meter reading:") begin = float(begin_int) end_int=input("Enter ending meter reading:") end = float(end_int) if end<begin: Used = .1*((1000000000-begin)+end) else: Used = .1*(end-begin) if Used <= 4000000.00: bill = 1000.00 elif Used >4000000.00: bill = 1000.00+.00025*Used else: print("broken") Used_rounded = round(Used,2) bill_rounded = round(bill,2) print("") print("Customer code: ",code) print("Beginning meter reading: ",begin_int) print("Ending meter reading: ",end_int) print("Gallons of water used: ",Used_rounded) print("Amount billed: $",bill_rounded) elif code == "i": begin_int=input("Enter beginning meter reading:") begin = float(begin_int) end_int=input("Enter ending meter reading:") end = float(end_int) if end<begin: Used = .1*((1000000000-begin)+end) else: Used = .1*(end-begin) if Used <= 4000000.00: bill = 1000.00 elif 4000000< Used <= 10000000.00: bill = 2000.00 elif Used > 10000000.00: bill = 2000.00+.00025*Used else: print("broken") Used_rounded = round(Used,2) bill_rounded = round(bill,2) print("") print("Customer code: ",code) print("Beginning meter reading: ",begin_int) print("Ending meter reading: ",end_int) print("Gallons of water used: ",Used_rounded) print("Amount billed: $",bill_rounded) elif code == "zz": print("Terminating") break else: print("Please input a correct code character(i,r,c) Or(zz) to terminate")
while True: print('') code = input('Enter customer code:') bill_float = 0 bill = float(bill_float) if code == 'r': begin_int = input('Enter beginning meter reading:') begin = float(begin_int) end_int = input('Enter ending meter reading:') end = float(end_int) used = 0.1 * (end - begin) used_rounded = round(Used, 2) bill = 5.0 + 0.0005 * Used bill_rounded = round(bill, 2) print('') print('Customer code: ', code) print('Beginning meter reading: ', begin_int) print('Ending meter reading: ', end_int) print('Gallons of water used: ', Used_rounded) print('Amount billed: $', bill_rounded) elif code == 'c': begin_int = input('Enter beginning meter reading:') begin = float(begin_int) end_int = input('Enter ending meter reading:') end = float(end_int) if end < begin: used = 0.1 * (1000000000 - begin + end) else: used = 0.1 * (end - begin) if Used <= 4000000.0: bill = 1000.0 elif Used > 4000000.0: bill = 1000.0 + 0.00025 * Used else: print('broken') used_rounded = round(Used, 2) bill_rounded = round(bill, 2) print('') print('Customer code: ', code) print('Beginning meter reading: ', begin_int) print('Ending meter reading: ', end_int) print('Gallons of water used: ', Used_rounded) print('Amount billed: $', bill_rounded) elif code == 'i': begin_int = input('Enter beginning meter reading:') begin = float(begin_int) end_int = input('Enter ending meter reading:') end = float(end_int) if end < begin: used = 0.1 * (1000000000 - begin + end) else: used = 0.1 * (end - begin) if Used <= 4000000.0: bill = 1000.0 elif 4000000 < Used <= 10000000.0: bill = 2000.0 elif Used > 10000000.0: bill = 2000.0 + 0.00025 * Used else: print('broken') used_rounded = round(Used, 2) bill_rounded = round(bill, 2) print('') print('Customer code: ', code) print('Beginning meter reading: ', begin_int) print('Ending meter reading: ', end_int) print('Gallons of water used: ', Used_rounded) print('Amount billed: $', bill_rounded) elif code == 'zz': print('Terminating') break else: print('Please input a correct code character(i,r,c) Or(zz) to terminate')
class ExperimentorException(Exception): pass class ModelDefinitionException(ExperimentorException): pass class ExperimentDefinitionException(ExperimentorException): pass class DuplicatedParameter(ExperimentorException): pass
class Experimentorexception(Exception): pass class Modeldefinitionexception(ExperimentorException): pass class Experimentdefinitionexception(ExperimentorException): pass class Duplicatedparameter(ExperimentorException): pass
class RequestManipulator: ''' This class can be used to inspect or manipulate output created by the sdc client. Output creation is done in three steps: first a pysdc.pysoap.soapenvelope.Soap12Envelope is created, then a (libxml) etree is created from its content, anf finally a bytestring is generated from the etree. The sdc client calls corresponding methods of the manipulator object after every step. If the method returns something different from None, this returned value will be used as input for the next step. ''' def __init__(self, cb_soapenvelope=None, cb_xml=None, cb_string=None): ''' :param cb_soapenvelope: a callback that gets the SoapEnvelope instance as parameter :param cb_xml: a callback that gets the etree instance as parameter :param cb_string: a callback that gets the output string as parameter ''' self.cb_soapenvelope = cb_soapenvelope self.cb_xml = cb_xml self.cb_string = cb_string def manipulate_soapenvelope(self, soap_envelope): if callable(self.cb_soapenvelope): return self.cb_soapenvelope(soap_envelope) def manipulate_domtree(self, domtree): if callable(self.cb_xml): return self.cb_xml(domtree) def manipulate_string(self, xml_string): if callable(self.cb_string): return self.cb_string(xml_string)
class Requestmanipulator: """ This class can be used to inspect or manipulate output created by the sdc client. Output creation is done in three steps: first a pysdc.pysoap.soapenvelope.Soap12Envelope is created, then a (libxml) etree is created from its content, anf finally a bytestring is generated from the etree. The sdc client calls corresponding methods of the manipulator object after every step. If the method returns something different from None, this returned value will be used as input for the next step. """ def __init__(self, cb_soapenvelope=None, cb_xml=None, cb_string=None): """ :param cb_soapenvelope: a callback that gets the SoapEnvelope instance as parameter :param cb_xml: a callback that gets the etree instance as parameter :param cb_string: a callback that gets the output string as parameter """ self.cb_soapenvelope = cb_soapenvelope self.cb_xml = cb_xml self.cb_string = cb_string def manipulate_soapenvelope(self, soap_envelope): if callable(self.cb_soapenvelope): return self.cb_soapenvelope(soap_envelope) def manipulate_domtree(self, domtree): if callable(self.cb_xml): return self.cb_xml(domtree) def manipulate_string(self, xml_string): if callable(self.cb_string): return self.cb_string(xml_string)
# https://leetcode.com/problems/single-element-in-a-sorted-array/ # You are given a sorted array consisting of only integers where every element # appears exactly twice, except for one element which appears exactly once. Find # this single element that appears only once. # Follow up: Your solution should run in O(log n) time and O(1) space. ################################################################################ # check if mid % 2 == 0 # if even, check nums[mid] == nums[mid + 1] # if odd, check nums[mid] == nums[mid - 1] class Solution: def singleNonDuplicate(self, nums: List[int]) -> int: if len(nums) == 1: return nums[0] left, right = 0, len(nums) - 1 while left + 1 < right: mid = left + (right - left) // 2 if mid % 2 == 0: # mid if even if nums[mid] == nums[mid + 1]: # single num is on right left = mid + 2 else: right = mid else: # mid if odd if nums[mid] == nums[mid - 1]: # single num is on right left = mid + 1 else: right = mid if right == len(nums) - 1: return nums[right] if nums[left] == nums[left - 1] else nums[left] else: return nums[left] if nums[right] == nums[right + 1] else nums[right]
class Solution: def single_non_duplicate(self, nums: List[int]) -> int: if len(nums) == 1: return nums[0] (left, right) = (0, len(nums) - 1) while left + 1 < right: mid = left + (right - left) // 2 if mid % 2 == 0: if nums[mid] == nums[mid + 1]: left = mid + 2 else: right = mid elif nums[mid] == nums[mid - 1]: left = mid + 1 else: right = mid if right == len(nums) - 1: return nums[right] if nums[left] == nums[left - 1] else nums[left] else: return nums[left] if nums[right] == nums[right + 1] else nums[right]
class Solution: def findDuplicates(self, nums: List[int]) -> List[int]: if not len(nums): return nums l = [0 for i in range(len(nums)+1)] for i in range(len(nums)): n = nums[i] if l[n]==0: l[n]= 1 else: l[n]+=1 r = [] for i in range(1,len(l)): if l[i]>1: r.append(i) return r
class Solution: def find_duplicates(self, nums: List[int]) -> List[int]: if not len(nums): return nums l = [0 for i in range(len(nums) + 1)] for i in range(len(nums)): n = nums[i] if l[n] == 0: l[n] = 1 else: l[n] += 1 r = [] for i in range(1, len(l)): if l[i] > 1: r.append(i) return r
# terrascript/resource/at-wat/ucodecov.py # Automatically generated by tools/makecode.py (24-Sep-2021 15:29:37 UTC) __all__ = []
__all__ = []
#Guess my number #Week 2 Finger Exercise 3 print ("Please think of a number between 0 and 100!") print ("Is your secret number 50?") s=[x for x in range (100)] i=input("Enter 'h' to indicate the guess is too high. Enter 'l' to indicate the guess is too low. Enter 'c' to indicate I guessed correctly.") j=0 k=len(s) m=50 while i!="c": if i!="l": if i!="h": if i!="c": print ("Sorry, I did not understand your input.") print ("Is your secret number "+str(s[m])+"?") i=input("Enter 'h' to indicate the guess is too high. Enter 'l' to indicate the guess is too low. Enter 'c' to indicate I guessed correctly.") if i == "h": k=m m=int((j+k)/2) print ("Is your secret number "+str(s[m])+"?") i=input("Enter 'h' to indicate the guess is too high. Enter 'l' to indicate the guess is too low. Enter 'c' to indicate I guessed correctly.") if i=="c": break elif i=="l": j=m m=int((j+k)/2) print ("Is your secret number "+str(s[m])+"?") i=input("Enter 'h' to indicate the guess is too high. Enter 'l' to indicate the guess is too low. Enter 'c' to indicate I guessed correctly.") if i=="c": break elif i=="c": break if i=="c": print ("Game over. Your secret number was: "+str(s[m]))
print('Please think of a number between 0 and 100!') print('Is your secret number 50?') s = [x for x in range(100)] i = input("Enter 'h' to indicate the guess is too high. Enter 'l' to indicate the guess is too low. Enter 'c' to indicate I guessed correctly.") j = 0 k = len(s) m = 50 while i != 'c': if i != 'l': if i != 'h': if i != 'c': print('Sorry, I did not understand your input.') print('Is your secret number ' + str(s[m]) + '?') i = input("Enter 'h' to indicate the guess is too high. Enter 'l' to indicate the guess is too low. Enter 'c' to indicate I guessed correctly.") if i == 'h': k = m m = int((j + k) / 2) print('Is your secret number ' + str(s[m]) + '?') i = input("Enter 'h' to indicate the guess is too high. Enter 'l' to indicate the guess is too low. Enter 'c' to indicate I guessed correctly.") if i == 'c': break elif i == 'l': j = m m = int((j + k) / 2) print('Is your secret number ' + str(s[m]) + '?') i = input("Enter 'h' to indicate the guess is too high. Enter 'l' to indicate the guess is too low. Enter 'c' to indicate I guessed correctly.") if i == 'c': break elif i == 'c': break if i == 'c': print('Game over. Your secret number was: ' + str(s[m]))
soma = 0 cont = 1 while cont <= 5: x = float(input("Digite a {} nota: ".format(cont))) soma = soma + x cont = cont + 1 media = soma / 5 print('A media final {}'.format(media))
soma = 0 cont = 1 while cont <= 5: x = float(input('Digite a {} nota: '.format(cont))) soma = soma + x cont = cont + 1 media = soma / 5 print('A media final {}'.format(media))
#A program to count the words "to" and "the" present in a text file "poem.txt". countTo = 0 countThe = 0 file = open("poem.txt", "r") listObj = file.readlines() for index in listObj: word = index.split() for search in word: if search == "to": countTo += 1 elif search == "the": countThe += 1 print("Number of 'to': " ,countTo) print("Number of 'the': " ,countThe) file.close()
count_to = 0 count_the = 0 file = open('poem.txt', 'r') list_obj = file.readlines() for index in listObj: word = index.split() for search in word: if search == 'to': count_to += 1 elif search == 'the': count_the += 1 print("Number of 'to': ", countTo) print("Number of 'the': ", countThe) file.close()
FirstLetter = "Hello" SecondLetter = "World" print(f"{FirstLetter} {SecondLetter}!")
first_letter = 'Hello' second_letter = 'World' print(f'{FirstLetter} {SecondLetter}!')
# -*- coding: utf-8 -*- # The union() method returns a new set with all items from both sets: set1 = {"a", "b" , "c"} set2 = {1, 2, 3} set3 = set1.union(set2) print(set3) # Return a set that contains the items that exist in both set x, and set y: x = {"apple", "banana", "cherry"} y = {"google", "microsoft", "apple"} z = x.intersection(y) print(z) # Keep the items that are not present in both sets: x = {"apple", "banana", "cherry"} y = {"google", "microsoft", "apple"} x.symmetric_difference_update(y) print(z)
set1 = {'a', 'b', 'c'} set2 = {1, 2, 3} set3 = set1.union(set2) print(set3) x = {'apple', 'banana', 'cherry'} y = {'google', 'microsoft', 'apple'} z = x.intersection(y) print(z) x = {'apple', 'banana', 'cherry'} y = {'google', 'microsoft', 'apple'} x.symmetric_difference_update(y) print(z)
nums1 = {1, 2, 7, 3, 4, 5} nums2 = {4, 5, 6, 8} nums3 = {9, 10} distinct_nums = nums1.union(nums2, nums3) print( distinct_nums)
nums1 = {1, 2, 7, 3, 4, 5} nums2 = {4, 5, 6, 8} nums3 = {9, 10} distinct_nums = nums1.union(nums2, nums3) print(distinct_nums)
class Descriptor(object): """.""" def __init__(self, name=None): """.""" self.name = name def __get__(self, instance, owner): """.""" return instance.__dict__[self.name] def __set__(self, instance, value): """.""" instance.__dict__[self.name] = value def __delete__(self, instance): """.""" del instance.__dict__[self.name] class Typed(Descriptor): """.""" _type = object def __set__(self, instance, value): """.""" if not isinstance(value, self.__class__._type): order = (self.__class__._type.__name__, self.name, value.__class__.__name__) raise TypeError("Expected type '%s' for parameter '%s' but got '%s'" % order) super(Typed, self).__set__(instance, value)
class Descriptor(object): """.""" def __init__(self, name=None): """.""" self.name = name def __get__(self, instance, owner): """.""" return instance.__dict__[self.name] def __set__(self, instance, value): """.""" instance.__dict__[self.name] = value def __delete__(self, instance): """.""" del instance.__dict__[self.name] class Typed(Descriptor): """.""" _type = object def __set__(self, instance, value): """.""" if not isinstance(value, self.__class__._type): order = (self.__class__._type.__name__, self.name, value.__class__.__name__) raise type_error("Expected type '%s' for parameter '%s' but got '%s'" % order) super(Typed, self).__set__(instance, value)
class Solution: def maxAreaOfIsland(self, grid): """ :type grid: List[List[int]] :rtype: int """ maxArea = 0 for i in range(len(grid)): for j in range(len(grid[0])): if grid[i][j] == 1: maxArea = max(maxArea, self.dfs(grid, i, j)) return maxArea def dfs(self, grid, i, j): if i < 0 or i >= len(grid) or j < 0 or j >= len(grid[0]) or grid[i][j] == 0: return 0 temMaxArea = 1 grid[i][j] = 0 temMaxArea = temMaxArea + self.dfs(grid, i - 1, j) + self.dfs(grid, i + 1, j) + self.dfs(grid, i, j - 1) + self.dfs(grid, i, j + 1) return temMaxArea
class Solution: def max_area_of_island(self, grid): """ :type grid: List[List[int]] :rtype: int """ max_area = 0 for i in range(len(grid)): for j in range(len(grid[0])): if grid[i][j] == 1: max_area = max(maxArea, self.dfs(grid, i, j)) return maxArea def dfs(self, grid, i, j): if i < 0 or i >= len(grid) or j < 0 or (j >= len(grid[0])) or (grid[i][j] == 0): return 0 tem_max_area = 1 grid[i][j] = 0 tem_max_area = temMaxArea + self.dfs(grid, i - 1, j) + self.dfs(grid, i + 1, j) + self.dfs(grid, i, j - 1) + self.dfs(grid, i, j + 1) return temMaxArea
"""This script demonstrates the bubble sort algorithm in Python 3.""" AGES = [19, 20, 13, 1, 15, 7, 11, 3, 16, 10] def display(): """Prints all the items in the list.""" print("The ages are: ") for i in range(len(AGES)): print(AGES[i]) print("\n") def bubble_sort(array): """Repeatedly step through the list, compare adjacent items and swap them if they are in the wrong order. Time complexity of O(n^2). Parameters ---------- array : iterable A list of unsorted numbers Returns ------- array : iterable A list of sorted numbers """ for i in range(len(array) - 1): for j in range(len(array) - 1 - i): if array[j] > array[j + 1]: array[j], array[j + 1] = array[j + 1], array[j] return array if __name__ == '__main__': display() bubble_sort(AGES) display()
"""This script demonstrates the bubble sort algorithm in Python 3.""" ages = [19, 20, 13, 1, 15, 7, 11, 3, 16, 10] def display(): """Prints all the items in the list.""" print('The ages are: ') for i in range(len(AGES)): print(AGES[i]) print('\n') def bubble_sort(array): """Repeatedly step through the list, compare adjacent items and swap them if they are in the wrong order. Time complexity of O(n^2). Parameters ---------- array : iterable A list of unsorted numbers Returns ------- array : iterable A list of sorted numbers """ for i in range(len(array) - 1): for j in range(len(array) - 1 - i): if array[j] > array[j + 1]: (array[j], array[j + 1]) = (array[j + 1], array[j]) return array if __name__ == '__main__': display() bubble_sort(AGES) display()
# fmt: off print(2.2j.real) print(2.2j.imag) print(1.1+0.5j.real) print(1.1+0.5j.imag)
print(2.2j.real) print(2.2j.imag) print(1.1 + 0.5j.real) print(1.1 + 0.5j.imag)
#!/usr/bin/env python # # Decoder for Texecom Connect API/Protocol # # Copyright (C) 2018 Joseph Heenan # Updates Jul 2020 Charly Anderson # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. class Area: """Information about an area and it's current state""" def __init__(self, area_number): self.number = area_number self.text = "Area{:d}".format(self.number) self.state = None self.state_text = None self.zones = {} def save_state(self, area_state): """save state and decoded text""" self.state = area_state self.state_text = [ "disarmed", "in exit", "in entry", "armed", "part armed", "in alarm", ][self.state]
class Area: """Information about an area and it's current state""" def __init__(self, area_number): self.number = area_number self.text = 'Area{:d}'.format(self.number) self.state = None self.state_text = None self.zones = {} def save_state(self, area_state): """save state and decoded text""" self.state = area_state self.state_text = ['disarmed', 'in exit', 'in entry', 'armed', 'part armed', 'in alarm'][self.state]
def test_get_work_film(work_object_film): details = work_object_film.get_details() if not isinstance(details, dict): raise AssertionError() if not len(details) == 17: print(len(details)) raise AssertionError() def test_rating_work_film(work_object_film): main_rating = work_object_film.get_main_rating() if not isinstance(main_rating, str): raise AssertionError() if not main_rating == "7.3": raise AssertionError() def test_rating_details_work_film(work_object_film): rating_details = work_object_film.get_rating_details() if not isinstance(rating_details, dict): raise AssertionError() if not len(rating_details) == 10: raise AssertionError() def test_title_work_film(work_object_film): title = work_object_film.get_title() if not title == "Le Chant du loup": raise AssertionError() def test_year_work_film(work_object_film): year = work_object_film.get_year() if not year == "2019": raise AssertionError() def test_cover_url_work_film(work_object_film): cover_url = work_object_film.get_cover_url() if not isinstance(cover_url, str): raise AssertionError() if ( not cover_url == "https://media.senscritique.com/media/000018537250/160/Le_Chant_du_loup.jpg" ): raise AssertionError() def test_complementary_infos_work_film(work_object_film): complementary_infos = work_object_film.get_complementary_infos() if not isinstance(complementary_infos, dict): raise AssertionError() def test_review_count_work_film(work_object_film): review_count = work_object_film.get_review_count() if not isinstance(review_count, str): raise AssertionError() def test_vote_count_work_film(work_object_film): vote_count = work_object_film.get_vote_count() if not isinstance(vote_count, str): raise AssertionError() def test_favorite_count_work_film(work_object_film): favorite_count = work_object_film.get_favorite_count() if not isinstance(favorite_count, str): raise AssertionError() def test_wishlist_count_work_film(work_object_film): wishlist_count = work_object_film.get_wishlist_count() if not isinstance(wishlist_count, str): raise AssertionError() def test_in_progress_count_work_film(work_object_film): # movies don't have in_progress element in_progress_count = work_object_film.get_in_progress_count() if in_progress_count: raise AssertionError()
def test_get_work_film(work_object_film): details = work_object_film.get_details() if not isinstance(details, dict): raise assertion_error() if not len(details) == 17: print(len(details)) raise assertion_error() def test_rating_work_film(work_object_film): main_rating = work_object_film.get_main_rating() if not isinstance(main_rating, str): raise assertion_error() if not main_rating == '7.3': raise assertion_error() def test_rating_details_work_film(work_object_film): rating_details = work_object_film.get_rating_details() if not isinstance(rating_details, dict): raise assertion_error() if not len(rating_details) == 10: raise assertion_error() def test_title_work_film(work_object_film): title = work_object_film.get_title() if not title == 'Le Chant du loup': raise assertion_error() def test_year_work_film(work_object_film): year = work_object_film.get_year() if not year == '2019': raise assertion_error() def test_cover_url_work_film(work_object_film): cover_url = work_object_film.get_cover_url() if not isinstance(cover_url, str): raise assertion_error() if not cover_url == 'https://media.senscritique.com/media/000018537250/160/Le_Chant_du_loup.jpg': raise assertion_error() def test_complementary_infos_work_film(work_object_film): complementary_infos = work_object_film.get_complementary_infos() if not isinstance(complementary_infos, dict): raise assertion_error() def test_review_count_work_film(work_object_film): review_count = work_object_film.get_review_count() if not isinstance(review_count, str): raise assertion_error() def test_vote_count_work_film(work_object_film): vote_count = work_object_film.get_vote_count() if not isinstance(vote_count, str): raise assertion_error() def test_favorite_count_work_film(work_object_film): favorite_count = work_object_film.get_favorite_count() if not isinstance(favorite_count, str): raise assertion_error() def test_wishlist_count_work_film(work_object_film): wishlist_count = work_object_film.get_wishlist_count() if not isinstance(wishlist_count, str): raise assertion_error() def test_in_progress_count_work_film(work_object_film): in_progress_count = work_object_film.get_in_progress_count() if in_progress_count: raise assertion_error()
numbers_1 = [1, 2, 3, 4] numbers_2 = [3, 4, 5, 6] answer = [number for number in numbers_1 if number in numbers_2] print(answer) friends = ['Elie', 'Colt', 'Matt'] answer2 = [friend.lower()[::-1] for friend in friends] print(answer2)
numbers_1 = [1, 2, 3, 4] numbers_2 = [3, 4, 5, 6] answer = [number for number in numbers_1 if number in numbers_2] print(answer) friends = ['Elie', 'Colt', 'Matt'] answer2 = [friend.lower()[::-1] for friend in friends] print(answer2)
# -*- coding: utf-8 -*- def GetCookie(raw_cookies): """Get raw_cookies with Chrome or Fiddler.""" COOKIE = {} for line in raw_cookies.split(';'): key, value = line.split("=", 1) COOKIE[key] = value return(COOKIE)
def get_cookie(raw_cookies): """Get raw_cookies with Chrome or Fiddler.""" cookie = {} for line in raw_cookies.split(';'): (key, value) = line.split('=', 1) COOKIE[key] = value return COOKIE
""" After years of study, scientists have discovered an alien language transmitted from a faraway planet. The alien language is very unique in that every word consists of exactly L lowercase letters. Also, there are exactly D words in this language. Once the dictionary of all the words in the alien language was built, the next breakthrough was to discover that the aliens have been transmitting messages to Earth for the past decade. Unfortunately, these signals are weakened due to the distance between our two planets and some of the words may be misinterpreted. In order to help them decipher these messages, the scientists have asked you to devise an algorithm that will determine the number of possible interpretations for a given pattern. A pattern consists of exactly L tokens. Each token is either a single lowercase letter (the scientists are very sure that this is the letter) or a group of unique lowercase letters surrounded by parenthesis ( and ). For example: (ab)d(dc) means the first letter is either a or b, the second letter is definitely d and the last letter is either d or c. Therefore, the pattern (ab)d(dc) can stand for either one of these 4 possibilities: add, adc, bdd, bdc. Please note that sample i/p and o/p is given in the link below Link [https://code.google.com/codejam/contest/90101/dashboard#s=p0] """ def extract(d): L = int(d[0]) D = int(d[1]) N = int(d[2]) d = d[3:] w_list = d[:D] inp = d[D:] return L, D, N, w_list, inp def separate(l): """ Sweeps through l from left to right and separates the format into a list of three. If parens found, goes into collection mode before adding to result list """ tmp = '' res = [] coll = False for i in l: # Collection mode enable/disable if i == '(': coll = True tmp = '' continue elif i == ')': coll = False res.append(tmp) continue # if collection mode, add to temp, else directly append to result list if coll: tmp += i else: res.append(i) return res def compare(length, i_list, w_list): n = 0 for w in w_list: for m in range(length): if w[m] not in i_list[m]: break else: n += 1 return n def main(): with open('A-large-practice.in') as f: data = f.read().split() L, D, N, w_list, inp = extract(data) for n, i in enumerate(inp): inp[n] = separate(i) out = compare(L, inp[n], w_list) print('Case #{}: {}'.format(n+1, out)) if __name__ == "__main__": main()
""" After years of study, scientists have discovered an alien language transmitted from a faraway planet. The alien language is very unique in that every word consists of exactly L lowercase letters. Also, there are exactly D words in this language. Once the dictionary of all the words in the alien language was built, the next breakthrough was to discover that the aliens have been transmitting messages to Earth for the past decade. Unfortunately, these signals are weakened due to the distance between our two planets and some of the words may be misinterpreted. In order to help them decipher these messages, the scientists have asked you to devise an algorithm that will determine the number of possible interpretations for a given pattern. A pattern consists of exactly L tokens. Each token is either a single lowercase letter (the scientists are very sure that this is the letter) or a group of unique lowercase letters surrounded by parenthesis ( and ). For example: (ab)d(dc) means the first letter is either a or b, the second letter is definitely d and the last letter is either d or c. Therefore, the pattern (ab)d(dc) can stand for either one of these 4 possibilities: add, adc, bdd, bdc. Please note that sample i/p and o/p is given in the link below Link [https://code.google.com/codejam/contest/90101/dashboard#s=p0] """ def extract(d): l = int(d[0]) d = int(d[1]) n = int(d[2]) d = d[3:] w_list = d[:D] inp = d[D:] return (L, D, N, w_list, inp) def separate(l): """ Sweeps through l from left to right and separates the format into a list of three. If parens found, goes into collection mode before adding to result list """ tmp = '' res = [] coll = False for i in l: if i == '(': coll = True tmp = '' continue elif i == ')': coll = False res.append(tmp) continue if coll: tmp += i else: res.append(i) return res def compare(length, i_list, w_list): n = 0 for w in w_list: for m in range(length): if w[m] not in i_list[m]: break else: n += 1 return n def main(): with open('A-large-practice.in') as f: data = f.read().split() (l, d, n, w_list, inp) = extract(data) for (n, i) in enumerate(inp): inp[n] = separate(i) out = compare(L, inp[n], w_list) print('Case #{}: {}'.format(n + 1, out)) if __name__ == '__main__': main()
#!/usr/bin/python # Examples of function in Python 3.x # When you need a function? # When you want to perform a set of specific tasks and want to reuse that code whenever required # Also, for better modularity, readability and troubleshooting # How to write a function (Syntax)? '''def function_name(): { # some code here } ''' # Different ways to pass parameters # What to return through function # A basic function of adding two numbers def add_numbers(num1, num2): return num1+num2 # How to call a function? # most basic way to call a function is `function_name()` # Calling above function print(add_numbers(5,4)) # Function to find if a number is even def is_even(num): if num%2 == 0: return True return False num = 12 result = is_even(num) if result: print(f'{num} is even') else: print(f'{num} is not even')
"""def function_name(): { # some code here } """ def add_numbers(num1, num2): return num1 + num2 print(add_numbers(5, 4)) def is_even(num): if num % 2 == 0: return True return False num = 12 result = is_even(num) if result: print(f'{num} is even') else: print(f'{num} is not even')
#!/usr/bin/python3 """ 1-main """ FIFOCache = __import__('1-fifo_cache').FIFOCache my_cache = FIFOCache() my_cache.put("A", "Hello") my_cache.put("B", "World") my_cache.put("C", "Holberton") my_cache.put("D", "School") my_cache.print_cache() my_cache.put("E", "Battery") my_cache.print_cache() my_cache.put("C", "Street") my_cache.print_cache() my_cache.put("F", "Mission") my_cache.print_cache()
""" 1-main """ fifo_cache = __import__('1-fifo_cache').FIFOCache my_cache = fifo_cache() my_cache.put('A', 'Hello') my_cache.put('B', 'World') my_cache.put('C', 'Holberton') my_cache.put('D', 'School') my_cache.print_cache() my_cache.put('E', 'Battery') my_cache.print_cache() my_cache.put('C', 'Street') my_cache.print_cache() my_cache.put('F', 'Mission') my_cache.print_cache()
print("Welcome!") is_able_to_ride = "" first_rider_age = int(input("What is the age of the first rider? ")) first_rider_height = float(input("What is the height of the first rider? ")) is_a_second_rider = input("Is there a second rider (yes/no)? ") if is_a_second_rider == "yes": second_rider_age = int(input("What is the age of the second rider? ")) second_rider_height = float(input("What is the height of the second rider? ")) if first_rider_height >= 36 and second_rider_height >= 36: if first_rider_age >= 18 or second_rider_age >= 18: is_able_to_ride = True else: is_able_to_ride = False else: is_able_to_ride = False elif is_a_second_rider == "no": if first_rider_age >= 18 and first_rider_height >= 62: is_able_to_ride = True else: is_able_to_ride = False else: print("you should put yes or no") if is_able_to_ride: print("You can ride!") elif is_able_to_ride == False: print("You can't ride!")
print('Welcome!') is_able_to_ride = '' first_rider_age = int(input('What is the age of the first rider? ')) first_rider_height = float(input('What is the height of the first rider? ')) is_a_second_rider = input('Is there a second rider (yes/no)? ') if is_a_second_rider == 'yes': second_rider_age = int(input('What is the age of the second rider? ')) second_rider_height = float(input('What is the height of the second rider? ')) if first_rider_height >= 36 and second_rider_height >= 36: if first_rider_age >= 18 or second_rider_age >= 18: is_able_to_ride = True else: is_able_to_ride = False else: is_able_to_ride = False elif is_a_second_rider == 'no': if first_rider_age >= 18 and first_rider_height >= 62: is_able_to_ride = True else: is_able_to_ride = False else: print('you should put yes or no') if is_able_to_ride: print('You can ride!') elif is_able_to_ride == False: print("You can't ride!")
def main(): pass # Run this when called from CLI if __name__ == "__main__": main()
def main(): pass if __name__ == '__main__': main()
# test for for x in range(10): print(x) for x in range(3, 10): print(x) for x in range(1, 10, 3): print(x) for i, v in enumerate(["a", "b", "c"]): print(i, v) for x in [1,2,3,4]: print(x) for k, v in d.items(): print(x) for a, b, c in [(1,2,3), (4,5,6)]: a = a + 1 b = b * 2 c = c / 3 d = a + b + c print(a,"x",b,"x",c) while True: print("forever") while x < 10: x += 1
for x in range(10): print(x) for x in range(3, 10): print(x) for x in range(1, 10, 3): print(x) for (i, v) in enumerate(['a', 'b', 'c']): print(i, v) for x in [1, 2, 3, 4]: print(x) for (k, v) in d.items(): print(x) for (a, b, c) in [(1, 2, 3), (4, 5, 6)]: a = a + 1 b = b * 2 c = c / 3 d = a + b + c print(a, 'x', b, 'x', c) while True: print('forever') while x < 10: x += 1
class ErrorMessage: @staticmethod def inline_link_uid_not_exist(uid): return ( "error: DocumentIndex: " "the inline link references an " "object with an UID " "that does not exist: " f"{uid}." )
class Errormessage: @staticmethod def inline_link_uid_not_exist(uid): return f'error: DocumentIndex: the inline link references an object with an UID that does not exist: {uid}.'
_logger = None def set_logger(logger): global _logger _logger = logger def get_logger(): return _logger class cached_property: """ Descriptor (non-data) for building an attribute on-demand on first use. ref: http://stackoverflow.com/a/4037979/3886899 """ __slots__ = ('_factory',) def __init__(self, factory): """ <factory> is called such: factory(instance) to build the attribute. """ self._factory = factory def __get__(self, instance, owner): # Build the attribute. attr = self._factory(instance) # Cache the value; hide ourselves. setattr(instance, self._factory.__name__, attr) return attr
_logger = None def set_logger(logger): global _logger _logger = logger def get_logger(): return _logger class Cached_Property: """ Descriptor (non-data) for building an attribute on-demand on first use. ref: http://stackoverflow.com/a/4037979/3886899 """ __slots__ = ('_factory',) def __init__(self, factory): """ <factory> is called such: factory(instance) to build the attribute. """ self._factory = factory def __get__(self, instance, owner): attr = self._factory(instance) setattr(instance, self._factory.__name__, attr) return attr
''' You are given an array (which will have a length of at least 3, but could be very large) containing integers. The array is either entirely comprised of odd integers or entirely comprised of even integers except for a single integer N. Write a method that takes the array as an argument and returns this "outlier" N. Examples [2, 4, 0, 100, 4, 11, 2602, 36] Should return: 11 (the only odd number) [160, 3, 1719, 19, 11, 13, -21] Should return: 160 (the only even number) ''' #Solution 1 def find_outlier(integers): counter = 0 for count, i in enumerate(integers): if i % 2 == 0: counter += 1 else: counter -= 1 if count == 2: break if counter > 0: for j in integers: if j % 2 != 0: return j else: for k in integers: if k % 2 == 0: return k # Solution 2 - More efficient computationally def find_outlier(int): odds = [x for x in int if x%2!=0] evens= [x for x in int if x%2==0] return odds[0] if len(odds)<len(evens) else evens[0]
""" You are given an array (which will have a length of at least 3, but could be very large) containing integers. The array is either entirely comprised of odd integers or entirely comprised of even integers except for a single integer N. Write a method that takes the array as an argument and returns this "outlier" N. Examples [2, 4, 0, 100, 4, 11, 2602, 36] Should return: 11 (the only odd number) [160, 3, 1719, 19, 11, 13, -21] Should return: 160 (the only even number) """ def find_outlier(integers): counter = 0 for (count, i) in enumerate(integers): if i % 2 == 0: counter += 1 else: counter -= 1 if count == 2: break if counter > 0: for j in integers: if j % 2 != 0: return j else: for k in integers: if k % 2 == 0: return k def find_outlier(int): odds = [x for x in int if x % 2 != 0] evens = [x for x in int if x % 2 == 0] return odds[0] if len(odds) < len(evens) else evens[0]
class Plugin: max = 1 min = 0 def __init__(self, name): self.name = name
class Plugin: max = 1 min = 0 def __init__(self, name): self.name = name
def load(): data = [] targets = [] f = open('sonar.data', 'r+') line = f.readline() while line: s = line.strip().split(',') d = s[0:len(s)-1] t = 1 if s[len(s)-1] == 'M' else 0 for i in range(len(d)): d[i] = float(d[i]) data.append(d) targets.append(t) line = f.readline() f.close() return data, targets
def load(): data = [] targets = [] f = open('sonar.data', 'r+') line = f.readline() while line: s = line.strip().split(',') d = s[0:len(s) - 1] t = 1 if s[len(s) - 1] == 'M' else 0 for i in range(len(d)): d[i] = float(d[i]) data.append(d) targets.append(t) line = f.readline() f.close() return (data, targets)
class InstrumentStatus(object): def __init__(self, actuatorCommands, commandCounter): self._actuatorCommands= actuatorCommands self._commandCounter= commandCounter def commandCounter(self): return self._commandCounter def actuatorCommands(self): return self._actuatorCommands
class Instrumentstatus(object): def __init__(self, actuatorCommands, commandCounter): self._actuatorCommands = actuatorCommands self._commandCounter = commandCounter def command_counter(self): return self._commandCounter def actuator_commands(self): return self._actuatorCommands
pkgname = "startup-notification" pkgver = "0.12" pkgrel = 0 build_style = "gnu_configure" configure_args = ["lf_cv_sane_realloc=yes", "lf_cv_sane_malloc=yes"] hostmakedepends = ["pkgconf"] makedepends = ["libx11-devel", "libsm-devel", "xcb-util-devel"] pkgdesc = "Library for tracking application startup" maintainer = "q66 <q66@chimera-linux.org>" license = "LGPL-2.1-only" url = "https://www.freedesktop.org/wiki/Software/startup-notification" source = f"$(FREEDESKTOP_SITE)/{pkgname}/releases/{pkgname}-{pkgver}.tar.gz" sha256 = "3c391f7e930c583095045cd2d10eb73a64f085c7fde9d260f2652c7cb3cfbe4a" @subpackage("startup-notification-devel") def _devel(self): return self.default_devel()
pkgname = 'startup-notification' pkgver = '0.12' pkgrel = 0 build_style = 'gnu_configure' configure_args = ['lf_cv_sane_realloc=yes', 'lf_cv_sane_malloc=yes'] hostmakedepends = ['pkgconf'] makedepends = ['libx11-devel', 'libsm-devel', 'xcb-util-devel'] pkgdesc = 'Library for tracking application startup' maintainer = 'q66 <q66@chimera-linux.org>' license = 'LGPL-2.1-only' url = 'https://www.freedesktop.org/wiki/Software/startup-notification' source = f'$(FREEDESKTOP_SITE)/{pkgname}/releases/{pkgname}-{pkgver}.tar.gz' sha256 = '3c391f7e930c583095045cd2d10eb73a64f085c7fde9d260f2652c7cb3cfbe4a' @subpackage('startup-notification-devel') def _devel(self): return self.default_devel()
# the defined voltage response from a type K thermocouple # from https://srdata.nist.gov/its90/download/type_k.tab ktype = { #temp in C: millivolt response -270: -6.458, -269: -6.457, -268: -6.456, -267: -6.455, -266: -6.453, -265: -6.452, -264: -6.450, -263: -6.448, -262: -6.446, -261: -6.444, -260: -6.441, -259: -6.438, -258: -6.435, -257: -6.432, -256: -6.429, -255: -6.425, -254: -6.421, -253: -6.417, -252: -6.413, -251: -6.408, -250: -6.404, -249: -6.399, -248: -6.393, -247: -6.388, -246: -6.382, -245: -6.377, -244: -6.370, -243: -6.364, -242: -6.358, -241: -6.351, -240: -6.344, -239: -6.337, -238: -6.329, -237: -6.322, -236: -6.314, -235: -6.306, -234: -6.297, -233: -6.289, -232: -6.280, -231: -6.271, -230: -6.262, -229: -6.252, -228: -6.243, -227: -6.233, -226: -6.223, -225: -6.213, -224: -6.202, -223: -6.192, -222: -6.181, -221: -6.170, -220: -6.158, -219: -6.147, -218: -6.135, -217: -6.123, -216: -6.111, -215: -6.099, -214: -6.087, -213: -6.074, -212: -6.061, -211: -6.048, -210: -6.035, -209: -6.021, -208: -6.007, -207: -5.994, -206: -5.980, -205: -5.965, -204: -5.951, -203: -5.936, -202: -5.922, -201: -5.907, -200: -5.891, -199: -5.876, -198: -5.861, -197: -5.845, -196: -5.829, -195: -5.813, -194: -5.797, -193: -5.780, -192: -5.763, -191: -5.747, -190: -5.730, -189: -5.713, -188: -5.695, -187: -5.678, -186: -5.660, -185: -5.642, -184: -5.624, -183: -5.606, -182: -5.588, -181: -5.569, -180: -5.550, -179: -5.531, -178: -5.512, -177: -5.493, -176: -5.474, -175: -5.454, -174: -5.435, -173: -5.415, -172: -5.395, -171: -5.374, -170: -5.354, -169: -5.333, -168: -5.313, -167: -5.292, -166: -5.271, -165: -5.250, -164: -5.228, -163: -5.207, -162: -5.185, -161: -5.163, -160: -5.141, -159: -5.119, -158: -5.097, -157: -5.074, -156: -5.052, -155: -5.029, -154: -5.006, -153: -4.983, -152: -4.960, -151: -4.936, -150: -4.913, -149: -4.889, -148: -4.865, -147: -4.841, -146: -4.817, -145: -4.793, -144: -4.768, -143: -4.744, -142: -4.719, -141: -4.694, -140: -4.669, -139: -4.644, -138: -4.618, -137: -4.593, -136: -4.567, -135: -4.542, -134: -4.516, -133: -4.490, -132: -4.463, -131: -4.437, -130: -4.411, -129: -4.384, -128: -4.357, -127: -4.330, -126: -4.303, -125: -4.276, -124: -4.249, -123: -4.221, -122: -4.194, -121: -4.166, -120: -4.138, -119: -4.110, -118: -4.082, -117: -4.054, -116: -4.025, -115: -3.997, -114: -3.968, -113: -3.939, -112: -3.911, -111: -3.882, -110: -3.852, -109: -3.823, -108: -3.794, -107: -3.764, -106: -3.734, -105: -3.705, -104: -3.675, -103: -3.645, -102: -3.614, -101: -3.584, -100: -3.554, -99: -3.523, -98: -3.492, -97: -3.462, -96: -3.431, -95: -3.400, -94: -3.368, -93: -3.337, -92: -3.306, -91: -3.274, -90: -3.243, -89: -3.211, -88: -3.179, -87: -3.147, -86: -3.115, -85: -3.083, -84: -3.050, -83: -3.018, -82: -2.986, -81: -2.953, -80: -2.920, -79: -2.887, -78: -2.854, -77: -2.821, -76: -2.788, -75: -2.755, -74: -2.721, -73: -2.688, -72: -2.654, -71: -2.620, -70: -2.587, -69: -2.553, -68: -2.519, -67: -2.485, -66: -2.450, -65: -2.416, -64: -2.382, -63: -2.347, -62: -2.312, -61: -2.278, -60: -2.243, -59: -2.208, -58: -2.173, -57: -2.138, -56: -2.103, -55: -2.067, -54: -2.032, -53: -1.996, -52: -1.961, -51: -1.925, -50: -1.889, -49: -1.854, -48: -1.818, -47: -1.782, -46: -1.745, -45: -1.709, -44: -1.673, -43: -1.637, -42: -1.600, -41: -1.564, -40: -1.527, -39: -1.490, -38: -1.453, -37: -1.417, -36: -1.380, -35: -1.343, -34: -1.305, -33: -1.268, -32: -1.231, -31: -1.194, -30: -1.156, -29: -1.119, -28: -1.081, -27: -1.043, -26: -1.006, -25: -0.968, -24: -0.930, -23: -0.892, -22: -0.854, -21: -0.816, -20: -0.778, -19: -0.739, -18: -0.701, -17: -0.663, -16: -0.624, -15: -0.586, -14: -0.547, -13: -0.508, -12: -0.470, -11: -0.431, -10: -0.392, -9: -0.353, -8: -0.314, -7: -0.275, -6: -0.236, -5: -0.197, -4: -0.157, -3: -0.118, -2: -0.079, -1: -0.039, -0: 0.000, 0: 0.000, 1: 0.039, 2: 0.079, 3: 0.119, 4: 0.158, 5: 0.198, 6: 0.238, 7: 0.277, 8: 0.317, 9: 0.357, 10: 0.397, 11: 0.437, 12: 0.477, 13: 0.517, 14: 0.557, 15: 0.597, 16: 0.637, 17: 0.677, 18: 0.718, 19: 0.758, 20: 0.798, 21: 0.838, 22: 0.879, 23: 0.919, 24: 0.960, 25: 1.000, 26: 1.041, 27: 1.081, 28: 1.122, 29: 1.163, 30: 1.203, 31: 1.244, 32: 1.285, 33: 1.326, 34: 1.366, 35: 1.407, 36: 1.448, 37: 1.489, 38: 1.530, 39: 1.571, 40: 1.612, 41: 1.653, 42: 1.694, 43: 1.735, 44: 1.776, 45: 1.817, 46: 1.858, 47: 1.899, 48: 1.941, 49: 1.982, 50: 2.023, 51: 2.064, 52: 2.106, 53: 2.147, 54: 2.188, 55: 2.230, 56: 2.271, 57: 2.312, 58: 2.354, 59: 2.395, 60: 2.436, 61: 2.478, 62: 2.519, 63: 2.561, 64: 2.602, 65: 2.644, 66: 2.685, 67: 2.727, 68: 2.768, 69: 2.810, 70: 2.851, 71: 2.893, 72: 2.934, 73: 2.976, 74: 3.017, 75: 3.059, 76: 3.100, 77: 3.142, 78: 3.184, 79: 3.225, 80: 3.267, 81: 3.308, 82: 3.350, 83: 3.391, 84: 3.433, 85: 3.474, 86: 3.516, 87: 3.557, 88: 3.599, 89: 3.640, 90: 3.682, 91: 3.723, 92: 3.765, 93: 3.806, 94: 3.848, 95: 3.889, 96: 3.931, 97: 3.972, 98: 4.013, 99: 4.055, 100: 4.096, 101: 4.138, 102: 4.179, 103: 4.220, 104: 4.262, 105: 4.303, 106: 4.344, 107: 4.385, 108: 4.427, 109: 4.468, 110: 4.509, 111: 4.550, 112: 4.591, 113: 4.633, 114: 4.674, 115: 4.715, 116: 4.756, 117: 4.797, 118: 4.838, 119: 4.879, 120: 4.920, 121: 4.961, 122: 5.002, 123: 5.043, 124: 5.084, 125: 5.124, 126: 5.165, 127: 5.206, 128: 5.247, 129: 5.288, 130: 5.328, 131: 5.369, 132: 5.410, 133: 5.450, 134: 5.491, 135: 5.532, 136: 5.572, 137: 5.613, 138: 5.653, 139: 5.694, 140: 5.735, 141: 5.775, 142: 5.815, 143: 5.856, 144: 5.896, 145: 5.937, 146: 5.977, 147: 6.017, 148: 6.058, 149: 6.098, 150: 6.138, 151: 6.179, 152: 6.219, 153: 6.259, 154: 6.299, 155: 6.339, 156: 6.380, 157: 6.420, 158: 6.460, 159: 6.500, 160: 6.540, 161: 6.580, 162: 6.620, 163: 6.660, 164: 6.701, 165: 6.741, 166: 6.781, 167: 6.821, 168: 6.861, 169: 6.901, 170: 6.941, 171: 6.981, 172: 7.021, 173: 7.060, 174: 7.100, 175: 7.140, 176: 7.180, 177: 7.220, 178: 7.260, 179: 7.300, 180: 7.340, 181: 7.380, 182: 7.420, 183: 7.460, 184: 7.500, 185: 7.540, 186: 7.579, 187: 7.619, 188: 7.659, 189: 7.699, 190: 7.739, 191: 7.779, 192: 7.819, 193: 7.859, 194: 7.899, 195: 7.939, 196: 7.979, 197: 8.019, 198: 8.059, 199: 8.099, 200: 8.138, 201: 8.178, 202: 8.218, 203: 8.258, 204: 8.298, 205: 8.338, 206: 8.378, 207: 8.418, 208: 8.458, 209: 8.499, 210: 8.539, 211: 8.579, 212: 8.619, 213: 8.659, 214: 8.699, 215: 8.739, 216: 8.779, 217: 8.819, 218: 8.860, 219: 8.900, 220: 8.940, 221: 8.980, 222: 9.020, 223: 9.061, 224: 9.101, 225: 9.141, 226: 9.181, 227: 9.222, 228: 9.262, 229: 9.302, 230: 9.343, 231: 9.383, 232: 9.423, 233: 9.464, 234: 9.504, 235: 9.545, 236: 9.585, 237: 9.626, 238: 9.666, 239: 9.707, 240: 9.747, 241: 9.788, 242: 9.828, 243: 9.869, 244: 9.909, 245: 9.950, 246: 9.991, 247: 10.031, 248: 10.072, 249: 10.113, 250: 10.153, 251: 10.194, 252: 10.235, 253: 10.276, 254: 10.316, 255: 10.357, 256: 10.398, 257: 10.439, 258: 10.480, 259: 10.520, 260: 10.561, 261: 10.602, 262: 10.643, 263: 10.684, 264: 10.725, 265: 10.766, 266: 10.807, 267: 10.848, 268: 10.889, 269: 10.930, 270: 10.971, 271: 11.012, 272: 11.053, 273: 11.094, 274: 11.135, 275: 11.176, 276: 11.217, 277: 11.259, 278: 11.300, 279: 11.341, 280: 11.382, 281: 11.423, 282: 11.465, 283: 11.506, 284: 11.547, 285: 11.588, 286: 11.630, 287: 11.671, 288: 11.712, 289: 11.753, 290: 11.795, 291: 11.836, 292: 11.877, 293: 11.919, 294: 11.960, 295: 12.001, 296: 12.043, 297: 12.084, 298: 12.126, 299: 12.167, 300: 12.209, 301: 12.250, 302: 12.291, 303: 12.333, 304: 12.374, 305: 12.416, 306: 12.457, 307: 12.499, 308: 12.540, 309: 12.582, 310: 12.624, 311: 12.665, 312: 12.707, 313: 12.748, 314: 12.790, 315: 12.831, 316: 12.873, 317: 12.915, 318: 12.956, 319: 12.998, 320: 13.040, 321: 13.081, 322: 13.123, 323: 13.165, 324: 13.206, 325: 13.248, 326: 13.290, 327: 13.331, 328: 13.373, 329: 13.415, 330: 13.457, 331: 13.498, 332: 13.540, 333: 13.582, 334: 13.624, 335: 13.665, 336: 13.707, 337: 13.749, 338: 13.791, 339: 13.833, 340: 13.874, 341: 13.916, 342: 13.958, 343: 14.000, 344: 14.042, 345: 14.084, 346: 14.126, 347: 14.167, 348: 14.209, 349: 14.251, 350: 14.293, 351: 14.335, 352: 14.377, 353: 14.419, 354: 14.461, 355: 14.503, 356: 14.545, 357: 14.587, 358: 14.629, 359: 14.671, 360: 14.713, 361: 14.755, 362: 14.797, 363: 14.839, 364: 14.881, 365: 14.923, 366: 14.965, 367: 15.007, 368: 15.049, 369: 15.091, 370: 15.133, 371: 15.175, 372: 15.217, 373: 15.259, 374: 15.301, 375: 15.343, 376: 15.385, 377: 15.427, 378: 15.469, 379: 15.511, 380: 15.554, 381: 15.596, 382: 15.638, 383: 15.680, 384: 15.722, 385: 15.764, 386: 15.806, 387: 15.849, 388: 15.891, 389: 15.933, 390: 15.975, 391: 16.017, 392: 16.059, 393: 16.102, 394: 16.144, 395: 16.186, 396: 16.228, 397: 16.270, 398: 16.313, 399: 16.355, 400: 16.397, 401: 16.439, 402: 16.482, 403: 16.524, 404: 16.566, 405: 16.608, 406: 16.651, 407: 16.693, 408: 16.735, 409: 16.778, 410: 16.820, 411: 16.862, 412: 16.904, 413: 16.947, 414: 16.989, 415: 17.031, 416: 17.074, 417: 17.116, 418: 17.158, 419: 17.201, 420: 17.243, 421: 17.285, 422: 17.328, 423: 17.370, 424: 17.413, 425: 17.455, 426: 17.497, 427: 17.540, 428: 17.582, 429: 17.624, 430: 17.667, 431: 17.709, 432: 17.752, 433: 17.794, 434: 17.837, 435: 17.879, 436: 17.921, 437: 17.964, 438: 18.006, 439: 18.049, 440: 18.091, 441: 18.134, 442: 18.176, 443: 18.218, 444: 18.261, 445: 18.303, 446: 18.346, 447: 18.388, 448: 18.431, 449: 18.473, 450: 18.516, 451: 18.558, 452: 18.601, 453: 18.643, 454: 18.686, 455: 18.728, 456: 18.771, 457: 18.813, 458: 18.856, 459: 18.898, 460: 18.941, 461: 18.983, 462: 19.026, 463: 19.068, 464: 19.111, 465: 19.154, 466: 19.196, 467: 19.239, 468: 19.281, 469: 19.324, 470: 19.366, 471: 19.409, 472: 19.451, 473: 19.494, 474: 19.537, 475: 19.579, 476: 19.622, 477: 19.664, 478: 19.707, 479: 19.750, 480: 19.792, 481: 19.835, 482: 19.877, 483: 19.920, 484: 19.962, 485: 20.005, 486: 20.048, 487: 20.090, 488: 20.133, 489: 20.175, 490: 20.218, 491: 20.261, 492: 20.303, 493: 20.346, 494: 20.389, 495: 20.431, 496: 20.474, 497: 20.516, 498: 20.559, 499: 20.602, 500: 20.644, 501: 20.687, 502: 20.730, 503: 20.772, 504: 20.815, 505: 20.857, 506: 20.900, 507: 20.943, 508: 20.985, 509: 21.028, 510: 21.071, 511: 21.113, 512: 21.156, 513: 21.199, 514: 21.241, 515: 21.284, 516: 21.326, 517: 21.369, 518: 21.412, 519: 21.454, 520: 21.497, 521: 21.540, 522: 21.582, 523: 21.625, 524: 21.668, 525: 21.710, 526: 21.753, 527: 21.796, 528: 21.838, 529: 21.881, 530: 21.924, 531: 21.966, 532: 22.009, 533: 22.052, 534: 22.094, 535: 22.137, 536: 22.179, 537: 22.222, 538: 22.265, 539: 22.307, 540: 22.350, 541: 22.393, 542: 22.435, 543: 22.478, 544: 22.521, 545: 22.563, 546: 22.606, 547: 22.649, 548: 22.691, 549: 22.734, 550: 22.776, 551: 22.819, 552: 22.862, 553: 22.904, 554: 22.947, 555: 22.990, 556: 23.032, 557: 23.075, 558: 23.117, 559: 23.160, 560: 23.203, 561: 23.245, 562: 23.288, 563: 23.331, 564: 23.373, 565: 23.416, 566: 23.458, 567: 23.501, 568: 23.544, 569: 23.586, 570: 23.629, 571: 23.671, 572: 23.714, 573: 23.757, 574: 23.799, 575: 23.842, 576: 23.884, 577: 23.927, 578: 23.970, 579: 24.012, 580: 24.055, 581: 24.097, 582: 24.140, 583: 24.182, 584: 24.225, 585: 24.267, 586: 24.310, 587: 24.353, 588: 24.395, 589: 24.438, 590: 24.480, 591: 24.523, 592: 24.565, 593: 24.608, 594: 24.650, 595: 24.693, 596: 24.735, 597: 24.778, 598: 24.820, 599: 24.863, 600: 24.905, 601: 24.948, 602: 24.990, 603: 25.033, 604: 25.075, 605: 25.118, 606: 25.160, 607: 25.203, 608: 25.245, 609: 25.288, 610: 25.330, 611: 25.373, 612: 25.415, 613: 25.458, 614: 25.500, 615: 25.543, 616: 25.585, 617: 25.627, 618: 25.670, 619: 25.712, 620: 25.755, 621: 25.797, 622: 25.840, 623: 25.882, 624: 25.924, 625: 25.967, 626: 26.009, 627: 26.052, 628: 26.094, 629: 26.136, 630: 26.179, 631: 26.221, 632: 26.263, 633: 26.306, 634: 26.348, 635: 26.390, 636: 26.433, 637: 26.475, 638: 26.517, 639: 26.560, 640: 26.602, 641: 26.644, 642: 26.687, 643: 26.729, 644: 26.771, 645: 26.814, 646: 26.856, 647: 26.898, 648: 26.940, 649: 26.983, 650: 27.025, 651: 27.067, 652: 27.109, 653: 27.152, 654: 27.194, 655: 27.236, 656: 27.278, 657: 27.320, 658: 27.363, 659: 27.405, 660: 27.447, 661: 27.489, 662: 27.531, 663: 27.574, 664: 27.616, 665: 27.658, 666: 27.700, 667: 27.742, 668: 27.784, 669: 27.826, 670: 27.869, 671: 27.911, 672: 27.953, 673: 27.995, 674: 28.037, 675: 28.079, 676: 28.121, 677: 28.163, 678: 28.205, 679: 28.247, 680: 28.289, 681: 28.332, 682: 28.374, 683: 28.416, 684: 28.458, 685: 28.500, 686: 28.542, 687: 28.584, 688: 28.626, 689: 28.668, 690: 28.710, 691: 28.752, 692: 28.794, 693: 28.835, 694: 28.877, 695: 28.919, 696: 28.961, 697: 29.003, 698: 29.045, 699: 29.087, 700: 29.129, 701: 29.171, 702: 29.213, 703: 29.255, 704: 29.297, 705: 29.338, 706: 29.380, 707: 29.422, 708: 29.464, 709: 29.506, 710: 29.548, 711: 29.589, 712: 29.631, 713: 29.673, 714: 29.715, 715: 29.757, 716: 29.798, 717: 29.840, 718: 29.882, 719: 29.924, 720: 29.965, 721: 30.007, 722: 30.049, 723: 30.090, 724: 30.132, 725: 30.174, 726: 30.216, 727: 30.257, 728: 30.299, 729: 30.341, 730: 30.382, 731: 30.424, 732: 30.466, 733: 30.507, 734: 30.549, 735: 30.590, 736: 30.632, 737: 30.674, 738: 30.715, 739: 30.757, 740: 30.798, 741: 30.840, 742: 30.881, 743: 30.923, 744: 30.964, 745: 31.006, 746: 31.047, 747: 31.089, 748: 31.130, 749: 31.172, 750: 31.213, 751: 31.255, 752: 31.296, 753: 31.338, 754: 31.379, 755: 31.421, 756: 31.462, 757: 31.504, 758: 31.545, 759: 31.586, 760: 31.628, 761: 31.669, 762: 31.710, 763: 31.752, 764: 31.793, 765: 31.834, 766: 31.876, 767: 31.917, 768: 31.958, 769: 32.000, 770: 32.041, 771: 32.082, 772: 32.124, 773: 32.165, 774: 32.206, 775: 32.247, 776: 32.289, 777: 32.330, 778: 32.371, 779: 32.412, 780: 32.453, 781: 32.495, 782: 32.536, 783: 32.577, 784: 32.618, 785: 32.659, 786: 32.700, 787: 32.742, 788: 32.783, 789: 32.824, 790: 32.865, 791: 32.906, 792: 32.947, 793: 32.988, 794: 33.029, 795: 33.070, 796: 33.111, 797: 33.152, 798: 33.193, 799: 33.234, 800: 33.275, 801: 33.316, 802: 33.357, 803: 33.398, 804: 33.439, 805: 33.480, 806: 33.521, 807: 33.562, 808: 33.603, 809: 33.644, 810: 33.685, 811: 33.726, 812: 33.767, 813: 33.808, 814: 33.848, 815: 33.889, 816: 33.930, 817: 33.971, 818: 34.012, 819: 34.053, 820: 34.093, 821: 34.134, 822: 34.175, 823: 34.216, 824: 34.257, 825: 34.297, 826: 34.338, 827: 34.379, 828: 34.420, 829: 34.460, 830: 34.501, 831: 34.542, 832: 34.582, 833: 34.623, 834: 34.664, 835: 34.704, 836: 34.745, 837: 34.786, 838: 34.826, 839: 34.867, 840: 34.908, 841: 34.948, 842: 34.989, 843: 35.029, 844: 35.070, 845: 35.110, 846: 35.151, 847: 35.192, 848: 35.232, 849: 35.273, 850: 35.313, 851: 35.354, 852: 35.394, 853: 35.435, 854: 35.475, 855: 35.516, 856: 35.556, 857: 35.596, 858: 35.637, 859: 35.677, 860: 35.718, 861: 35.758, 862: 35.798, 863: 35.839, 864: 35.879, 865: 35.920, 866: 35.960, 867: 36.000, 868: 36.041, 869: 36.081, 870: 36.121, 871: 36.162, 872: 36.202, 873: 36.242, 874: 36.282, 875: 36.323, 876: 36.363, 877: 36.403, 878: 36.443, 879: 36.484, 880: 36.524, 881: 36.564, 882: 36.604, 883: 36.644, 884: 36.685, 885: 36.725, 886: 36.765, 887: 36.805, 888: 36.845, 889: 36.885, 890: 36.925, 891: 36.965, 892: 37.006, 893: 37.046, 894: 37.086, 895: 37.126, 896: 37.166, 897: 37.206, 898: 37.246, 899: 37.286, 900: 37.326, 901: 37.366, 902: 37.406, 903: 37.446, 904: 37.486, 905: 37.526, 906: 37.566, 907: 37.606, 908: 37.646, 909: 37.686, 910: 37.725, 911: 37.765, 912: 37.805, 913: 37.845, 914: 37.885, 915: 37.925, 916: 37.965, 917: 38.005, 918: 38.044, 919: 38.084, 920: 38.124, 921: 38.164, 922: 38.204, 923: 38.243, 924: 38.283, 925: 38.323, 926: 38.363, 927: 38.402, 928: 38.442, 929: 38.482, 930: 38.522, 931: 38.561, 932: 38.601, 933: 38.641, 934: 38.680, 935: 38.720, 936: 38.760, 937: 38.799, 938: 38.839, 939: 38.878, 940: 38.918, 941: 38.958, 942: 38.997, 943: 39.037, 944: 39.076, 945: 39.116, 946: 39.155, 947: 39.195, 948: 39.235, 949: 39.274, 950: 39.314, 951: 39.353, 952: 39.393, 953: 39.432, 954: 39.471, 955: 39.511, 956: 39.550, 957: 39.590, 958: 39.629, 959: 39.669, 960: 39.708, 961: 39.747, 962: 39.787, 963: 39.826, 964: 39.866, 965: 39.905, 966: 39.944, 967: 39.984, 968: 40.023, 969: 40.062, 970: 40.101, 971: 40.141, 972: 40.180, 973: 40.219, 974: 40.259, 975: 40.298, 976: 40.337, 977: 40.376, 978: 40.415, 979: 40.455, 980: 40.494, 981: 40.533, 982: 40.572, 983: 40.611, 984: 40.651, 985: 40.690, 986: 40.729, 987: 40.768, 988: 40.807, 989: 40.846, 990: 40.885, 991: 40.924, 992: 40.963, 993: 41.002, 994: 41.042, 995: 41.081, 996: 41.120, 997: 41.159, 998: 41.198, 999: 41.237, 1000: 41.276, 1001: 41.315, 1002: 41.354, 1003: 41.393, 1004: 41.431, 1005: 41.470, 1006: 41.509, 1007: 41.548, 1008: 41.587, 1009: 41.626, 1010: 41.665, 1011: 41.704, 1012: 41.743, 1013: 41.781, 1014: 41.820, 1015: 41.859, 1016: 41.898, 1017: 41.937, 1018: 41.976, 1019: 42.014, 1020: 42.053, 1021: 42.092, 1022: 42.131, 1023: 42.169, 1024: 42.208, 1025: 42.247, 1026: 42.286, 1027: 42.324, 1028: 42.363, 1029: 42.402, 1030: 42.440, 1031: 42.479, 1032: 42.518, 1033: 42.556, 1034: 42.595, 1035: 42.633, 1036: 42.672, 1037: 42.711, 1038: 42.749, 1039: 42.788, 1040: 42.826, 1041: 42.865, 1042: 42.903, 1043: 42.942, 1044: 42.980, 1045: 43.019, 1046: 43.057, 1047: 43.096, 1048: 43.134, 1049: 43.173, 1050: 43.211, 1051: 43.250, 1052: 43.288, 1053: 43.327, 1054: 43.365, 1055: 43.403, 1056: 43.442, 1057: 43.480, 1058: 43.518, 1059: 43.557, 1060: 43.595, 1061: 43.633, 1062: 43.672, 1063: 43.710, 1064: 43.748, 1065: 43.787, 1066: 43.825, 1067: 43.863, 1068: 43.901, 1069: 43.940, 1070: 43.978, 1071: 44.016, 1072: 44.054, 1073: 44.092, 1074: 44.130, 1075: 44.169, 1076: 44.207, 1077: 44.245, 1078: 44.283, 1079: 44.321, 1080: 44.359, 1081: 44.397, 1082: 44.435, 1083: 44.473, 1084: 44.512, 1085: 44.550, 1086: 44.588, 1087: 44.626, 1088: 44.664, 1089: 44.702, 1090: 44.740, 1091: 44.778, 1092: 44.816, 1093: 44.853, 1094: 44.891, 1095: 44.929, 1096: 44.967, 1097: 45.005, 1098: 45.043, 1099: 45.081, 1100: 45.119, 1101: 45.157, 1102: 45.194, 1103: 45.232, 1104: 45.270, 1105: 45.308, 1106: 45.346, 1107: 45.383, 1108: 45.421, 1109: 45.459, 1110: 45.497, 1111: 45.534, 1112: 45.572, 1113: 45.610, 1114: 45.647, 1115: 45.685, 1116: 45.723, 1117: 45.760, 1118: 45.798, 1119: 45.836, 1120: 45.873, 1121: 45.911, 1122: 45.948, 1123: 45.986, 1124: 46.024, 1125: 46.061, 1126: 46.099, 1127: 46.136, 1128: 46.174, 1129: 46.211, 1130: 46.249, 1131: 46.286, 1132: 46.324, 1133: 46.361, 1134: 46.398, 1135: 46.436, 1136: 46.473, 1137: 46.511, 1138: 46.548, 1139: 46.585, 1140: 46.623, 1141: 46.660, 1142: 46.697, 1143: 46.735, 1144: 46.772, 1145: 46.809, 1146: 46.847, 1147: 46.884, 1148: 46.921, 1149: 46.958, 1150: 46.995, 1151: 47.033, 1152: 47.070, 1153: 47.107, 1154: 47.144, 1155: 47.181, 1156: 47.218, 1157: 47.256, 1158: 47.293, 1159: 47.330, 1160: 47.367, 1161: 47.404, 1162: 47.441, 1163: 47.478, 1164: 47.515, 1165: 47.552, 1166: 47.589, 1167: 47.626, 1168: 47.663, 1169: 47.700, 1170: 47.737, 1171: 47.774, 1172: 47.811, 1173: 47.848, 1174: 47.884, 1175: 47.921, 1176: 47.958, 1177: 47.995, 1178: 48.032, 1179: 48.069, 1180: 48.105, 1181: 48.142, 1182: 48.179, 1183: 48.216, 1184: 48.252, 1185: 48.289, 1186: 48.326, 1187: 48.363, 1188: 48.399, 1189: 48.436, 1190: 48.473, 1191: 48.509, 1192: 48.546, 1193: 48.582, 1194: 48.619, 1195: 48.656, 1196: 48.692, 1197: 48.729, 1198: 48.765, 1199: 48.802, 1200: 48.838, 1201: 48.875, 1202: 48.911, 1203: 48.948, 1204: 48.984, 1205: 49.021, 1206: 49.057, 1207: 49.093, 1208: 49.130, 1209: 49.166, 1210: 49.202, 1211: 49.239, 1212: 49.275, 1213: 49.311, 1214: 49.348, 1215: 49.384, 1216: 49.420, 1217: 49.456, 1218: 49.493, 1219: 49.529, 1220: 49.565, 1221: 49.601, 1222: 49.637, 1223: 49.674, 1224: 49.710, 1225: 49.746, 1226: 49.782, 1227: 49.818, 1228: 49.854, 1229: 49.890, 1230: 49.926, 1231: 49.962, 1232: 49.998, 1233: 50.034, 1234: 50.070, 1235: 50.106, 1236: 50.142, 1237: 50.178, 1238: 50.214, 1239: 50.250, 1240: 50.286, 1241: 50.322, 1242: 50.358, 1243: 50.393, 1244: 50.429, 1245: 50.465, 1246: 50.501, 1247: 50.537, 1248: 50.572, 1249: 50.608, 1250: 50.644, 1251: 50.680, 1252: 50.715, 1253: 50.751, 1254: 50.787, 1255: 50.822, 1256: 50.858, 1257: 50.894, 1258: 50.929, 1259: 50.965, 1260: 51.000, 1261: 51.036, 1262: 51.071, 1263: 51.107, 1264: 51.142, 1265: 51.178, 1266: 51.213, 1267: 51.249, 1268: 51.284, 1269: 51.320, 1270: 51.355, 1271: 51.391, 1272: 51.426, 1273: 51.461, 1274: 51.497, 1275: 51.532, 1276: 51.567, 1277: 51.603, 1278: 51.638, 1279: 51.673, 1280: 51.708, 1281: 51.744, 1282: 51.779, 1283: 51.814, 1284: 51.849, 1285: 51.885, 1286: 51.920, 1287: 51.955, 1288: 51.990, 1289: 52.025, 1290: 52.060, 1291: 52.095, 1292: 52.130, 1293: 52.165, 1294: 52.200, 1295: 52.235, 1296: 52.270, 1297: 52.305, 1298: 52.340, 1299: 52.375, 1300: 52.410, 1301: 52.445, 1302: 52.480, 1303: 52.515, 1304: 52.550, 1305: 52.585, 1306: 52.620, 1307: 52.654, 1308: 52.689, 1309: 52.724, 1310: 52.759, 1311: 52.794, 1312: 52.828, 1313: 52.863, 1314: 52.898, 1315: 52.932, 1316: 52.967, 1317: 53.002, 1318: 53.037, 1319: 53.071, 1320: 53.106, 1321: 53.140, 1322: 53.175, 1323: 53.210, 1324: 53.244, 1325: 53.279, 1326: 53.313, 1327: 53.348, 1328: 53.382, 1329: 53.417, 1330: 53.451, 1331: 53.486, 1332: 53.520, 1333: 53.555, 1334: 53.589, 1335: 53.623, 1336: 53.658, 1337: 53.692, 1338: 53.727, 1339: 53.761, 1340: 53.795, 1341: 53.830, 1342: 53.864, 1343: 53.898, 1344: 53.932, 1345: 53.967, 1346: 54.001, 1347: 54.035, 1348: 54.069, 1349: 54.104, 1350: 54.138, 1351: 54.172, 1352: 54.206, 1353: 54.240, 1354: 54.274, 1355: 54.308, 1356: 54.343, 1357: 54.377, 1358: 54.411, 1359: 54.445, 1360: 54.479, 1361: 54.513, 1362: 54.547, 1363: 54.581, 1364: 54.615, 1365: 54.649, 1366: 54.683, 1367: 54.717, 1368: 54.751, 1369: 54.785, 1370: 54.819, 1371: 54.852, 1372: 54.886}
ktype = {-270: -6.458, -269: -6.457, -268: -6.456, -267: -6.455, -266: -6.453, -265: -6.452, -264: -6.45, -263: -6.448, -262: -6.446, -261: -6.444, -260: -6.441, -259: -6.438, -258: -6.435, -257: -6.432, -256: -6.429, -255: -6.425, -254: -6.421, -253: -6.417, -252: -6.413, -251: -6.408, -250: -6.404, -249: -6.399, -248: -6.393, -247: -6.388, -246: -6.382, -245: -6.377, -244: -6.37, -243: -6.364, -242: -6.358, -241: -6.351, -240: -6.344, -239: -6.337, -238: -6.329, -237: -6.322, -236: -6.314, -235: -6.306, -234: -6.297, -233: -6.289, -232: -6.28, -231: -6.271, -230: -6.262, -229: -6.252, -228: -6.243, -227: -6.233, -226: -6.223, -225: -6.213, -224: -6.202, -223: -6.192, -222: -6.181, -221: -6.17, -220: -6.158, -219: -6.147, -218: -6.135, -217: -6.123, -216: -6.111, -215: -6.099, -214: -6.087, -213: -6.074, -212: -6.061, -211: -6.048, -210: -6.035, -209: -6.021, -208: -6.007, -207: -5.994, -206: -5.98, -205: -5.965, -204: -5.951, -203: -5.936, -202: -5.922, -201: -5.907, -200: -5.891, -199: -5.876, -198: -5.861, -197: -5.845, -196: -5.829, -195: -5.813, -194: -5.797, -193: -5.78, -192: -5.763, -191: -5.747, -190: -5.73, -189: -5.713, -188: -5.695, -187: -5.678, -186: -5.66, -185: -5.642, -184: -5.624, -183: -5.606, -182: -5.588, -181: -5.569, -180: -5.55, -179: -5.531, -178: -5.512, -177: -5.493, -176: -5.474, -175: -5.454, -174: -5.435, -173: -5.415, -172: -5.395, -171: -5.374, -170: -5.354, -169: -5.333, -168: -5.313, -167: -5.292, -166: -5.271, -165: -5.25, -164: -5.228, -163: -5.207, -162: -5.185, -161: -5.163, -160: -5.141, -159: -5.119, -158: -5.097, -157: -5.074, -156: -5.052, -155: -5.029, -154: -5.006, -153: -4.983, -152: -4.96, -151: -4.936, -150: -4.913, -149: -4.889, -148: -4.865, -147: -4.841, -146: -4.817, -145: -4.793, -144: -4.768, -143: -4.744, -142: -4.719, -141: -4.694, -140: -4.669, -139: -4.644, -138: -4.618, -137: -4.593, -136: -4.567, -135: -4.542, -134: -4.516, -133: -4.49, -132: -4.463, -131: -4.437, -130: -4.411, -129: -4.384, -128: -4.357, -127: -4.33, -126: -4.303, -125: -4.276, -124: -4.249, -123: -4.221, -122: -4.194, -121: -4.166, -120: -4.138, -119: -4.11, -118: -4.082, -117: -4.054, -116: -4.025, -115: -3.997, -114: -3.968, -113: -3.939, -112: -3.911, -111: -3.882, -110: -3.852, -109: -3.823, -108: -3.794, -107: -3.764, -106: -3.734, -105: -3.705, -104: -3.675, -103: -3.645, -102: -3.614, -101: -3.584, -100: -3.554, -99: -3.523, -98: -3.492, -97: -3.462, -96: -3.431, -95: -3.4, -94: -3.368, -93: -3.337, -92: -3.306, -91: -3.274, -90: -3.243, -89: -3.211, -88: -3.179, -87: -3.147, -86: -3.115, -85: -3.083, -84: -3.05, -83: -3.018, -82: -2.986, -81: -2.953, -80: -2.92, -79: -2.887, -78: -2.854, -77: -2.821, -76: -2.788, -75: -2.755, -74: -2.721, -73: -2.688, -72: -2.654, -71: -2.62, -70: -2.587, -69: -2.553, -68: -2.519, -67: -2.485, -66: -2.45, -65: -2.416, -64: -2.382, -63: -2.347, -62: -2.312, -61: -2.278, -60: -2.243, -59: -2.208, -58: -2.173, -57: -2.138, -56: -2.103, -55: -2.067, -54: -2.032, -53: -1.996, -52: -1.961, -51: -1.925, -50: -1.889, -49: -1.854, -48: -1.818, -47: -1.782, -46: -1.745, -45: -1.709, -44: -1.673, -43: -1.637, -42: -1.6, -41: -1.564, -40: -1.527, -39: -1.49, -38: -1.453, -37: -1.417, -36: -1.38, -35: -1.343, -34: -1.305, -33: -1.268, -32: -1.231, -31: -1.194, -30: -1.156, -29: -1.119, -28: -1.081, -27: -1.043, -26: -1.006, -25: -0.968, -24: -0.93, -23: -0.892, -22: -0.854, -21: -0.816, -20: -0.778, -19: -0.739, -18: -0.701, -17: -0.663, -16: -0.624, -15: -0.586, -14: -0.547, -13: -0.508, -12: -0.47, -11: -0.431, -10: -0.392, -9: -0.353, -8: -0.314, -7: -0.275, -6: -0.236, -5: -0.197, -4: -0.157, -3: -0.118, -2: -0.079, -1: -0.039, -0: 0.0, 0: 0.0, 1: 0.039, 2: 0.079, 3: 0.119, 4: 0.158, 5: 0.198, 6: 0.238, 7: 0.277, 8: 0.317, 9: 0.357, 10: 0.397, 11: 0.437, 12: 0.477, 13: 0.517, 14: 0.557, 15: 0.597, 16: 0.637, 17: 0.677, 18: 0.718, 19: 0.758, 20: 0.798, 21: 0.838, 22: 0.879, 23: 0.919, 24: 0.96, 25: 1.0, 26: 1.041, 27: 1.081, 28: 1.122, 29: 1.163, 30: 1.203, 31: 1.244, 32: 1.285, 33: 1.326, 34: 1.366, 35: 1.407, 36: 1.448, 37: 1.489, 38: 1.53, 39: 1.571, 40: 1.612, 41: 1.653, 42: 1.694, 43: 1.735, 44: 1.776, 45: 1.817, 46: 1.858, 47: 1.899, 48: 1.941, 49: 1.982, 50: 2.023, 51: 2.064, 52: 2.106, 53: 2.147, 54: 2.188, 55: 2.23, 56: 2.271, 57: 2.312, 58: 2.354, 59: 2.395, 60: 2.436, 61: 2.478, 62: 2.519, 63: 2.561, 64: 2.602, 65: 2.644, 66: 2.685, 67: 2.727, 68: 2.768, 69: 2.81, 70: 2.851, 71: 2.893, 72: 2.934, 73: 2.976, 74: 3.017, 75: 3.059, 76: 3.1, 77: 3.142, 78: 3.184, 79: 3.225, 80: 3.267, 81: 3.308, 82: 3.35, 83: 3.391, 84: 3.433, 85: 3.474, 86: 3.516, 87: 3.557, 88: 3.599, 89: 3.64, 90: 3.682, 91: 3.723, 92: 3.765, 93: 3.806, 94: 3.848, 95: 3.889, 96: 3.931, 97: 3.972, 98: 4.013, 99: 4.055, 100: 4.096, 101: 4.138, 102: 4.179, 103: 4.22, 104: 4.262, 105: 4.303, 106: 4.344, 107: 4.385, 108: 4.427, 109: 4.468, 110: 4.509, 111: 4.55, 112: 4.591, 113: 4.633, 114: 4.674, 115: 4.715, 116: 4.756, 117: 4.797, 118: 4.838, 119: 4.879, 120: 4.92, 121: 4.961, 122: 5.002, 123: 5.043, 124: 5.084, 125: 5.124, 126: 5.165, 127: 5.206, 128: 5.247, 129: 5.288, 130: 5.328, 131: 5.369, 132: 5.41, 133: 5.45, 134: 5.491, 135: 5.532, 136: 5.572, 137: 5.613, 138: 5.653, 139: 5.694, 140: 5.735, 141: 5.775, 142: 5.815, 143: 5.856, 144: 5.896, 145: 5.937, 146: 5.977, 147: 6.017, 148: 6.058, 149: 6.098, 150: 6.138, 151: 6.179, 152: 6.219, 153: 6.259, 154: 6.299, 155: 6.339, 156: 6.38, 157: 6.42, 158: 6.46, 159: 6.5, 160: 6.54, 161: 6.58, 162: 6.62, 163: 6.66, 164: 6.701, 165: 6.741, 166: 6.781, 167: 6.821, 168: 6.861, 169: 6.901, 170: 6.941, 171: 6.981, 172: 7.021, 173: 7.06, 174: 7.1, 175: 7.14, 176: 7.18, 177: 7.22, 178: 7.26, 179: 7.3, 180: 7.34, 181: 7.38, 182: 7.42, 183: 7.46, 184: 7.5, 185: 7.54, 186: 7.579, 187: 7.619, 188: 7.659, 189: 7.699, 190: 7.739, 191: 7.779, 192: 7.819, 193: 7.859, 194: 7.899, 195: 7.939, 196: 7.979, 197: 8.019, 198: 8.059, 199: 8.099, 200: 8.138, 201: 8.178, 202: 8.218, 203: 8.258, 204: 8.298, 205: 8.338, 206: 8.378, 207: 8.418, 208: 8.458, 209: 8.499, 210: 8.539, 211: 8.579, 212: 8.619, 213: 8.659, 214: 8.699, 215: 8.739, 216: 8.779, 217: 8.819, 218: 8.86, 219: 8.9, 220: 8.94, 221: 8.98, 222: 9.02, 223: 9.061, 224: 9.101, 225: 9.141, 226: 9.181, 227: 9.222, 228: 9.262, 229: 9.302, 230: 9.343, 231: 9.383, 232: 9.423, 233: 9.464, 234: 9.504, 235: 9.545, 236: 9.585, 237: 9.626, 238: 9.666, 239: 9.707, 240: 9.747, 241: 9.788, 242: 9.828, 243: 9.869, 244: 9.909, 245: 9.95, 246: 9.991, 247: 10.031, 248: 10.072, 249: 10.113, 250: 10.153, 251: 10.194, 252: 10.235, 253: 10.276, 254: 10.316, 255: 10.357, 256: 10.398, 257: 10.439, 258: 10.48, 259: 10.52, 260: 10.561, 261: 10.602, 262: 10.643, 263: 10.684, 264: 10.725, 265: 10.766, 266: 10.807, 267: 10.848, 268: 10.889, 269: 10.93, 270: 10.971, 271: 11.012, 272: 11.053, 273: 11.094, 274: 11.135, 275: 11.176, 276: 11.217, 277: 11.259, 278: 11.3, 279: 11.341, 280: 11.382, 281: 11.423, 282: 11.465, 283: 11.506, 284: 11.547, 285: 11.588, 286: 11.63, 287: 11.671, 288: 11.712, 289: 11.753, 290: 11.795, 291: 11.836, 292: 11.877, 293: 11.919, 294: 11.96, 295: 12.001, 296: 12.043, 297: 12.084, 298: 12.126, 299: 12.167, 300: 12.209, 301: 12.25, 302: 12.291, 303: 12.333, 304: 12.374, 305: 12.416, 306: 12.457, 307: 12.499, 308: 12.54, 309: 12.582, 310: 12.624, 311: 12.665, 312: 12.707, 313: 12.748, 314: 12.79, 315: 12.831, 316: 12.873, 317: 12.915, 318: 12.956, 319: 12.998, 320: 13.04, 321: 13.081, 322: 13.123, 323: 13.165, 324: 13.206, 325: 13.248, 326: 13.29, 327: 13.331, 328: 13.373, 329: 13.415, 330: 13.457, 331: 13.498, 332: 13.54, 333: 13.582, 334: 13.624, 335: 13.665, 336: 13.707, 337: 13.749, 338: 13.791, 339: 13.833, 340: 13.874, 341: 13.916, 342: 13.958, 343: 14.0, 344: 14.042, 345: 14.084, 346: 14.126, 347: 14.167, 348: 14.209, 349: 14.251, 350: 14.293, 351: 14.335, 352: 14.377, 353: 14.419, 354: 14.461, 355: 14.503, 356: 14.545, 357: 14.587, 358: 14.629, 359: 14.671, 360: 14.713, 361: 14.755, 362: 14.797, 363: 14.839, 364: 14.881, 365: 14.923, 366: 14.965, 367: 15.007, 368: 15.049, 369: 15.091, 370: 15.133, 371: 15.175, 372: 15.217, 373: 15.259, 374: 15.301, 375: 15.343, 376: 15.385, 377: 15.427, 378: 15.469, 379: 15.511, 380: 15.554, 381: 15.596, 382: 15.638, 383: 15.68, 384: 15.722, 385: 15.764, 386: 15.806, 387: 15.849, 388: 15.891, 389: 15.933, 390: 15.975, 391: 16.017, 392: 16.059, 393: 16.102, 394: 16.144, 395: 16.186, 396: 16.228, 397: 16.27, 398: 16.313, 399: 16.355, 400: 16.397, 401: 16.439, 402: 16.482, 403: 16.524, 404: 16.566, 405: 16.608, 406: 16.651, 407: 16.693, 408: 16.735, 409: 16.778, 410: 16.82, 411: 16.862, 412: 16.904, 413: 16.947, 414: 16.989, 415: 17.031, 416: 17.074, 417: 17.116, 418: 17.158, 419: 17.201, 420: 17.243, 421: 17.285, 422: 17.328, 423: 17.37, 424: 17.413, 425: 17.455, 426: 17.497, 427: 17.54, 428: 17.582, 429: 17.624, 430: 17.667, 431: 17.709, 432: 17.752, 433: 17.794, 434: 17.837, 435: 17.879, 436: 17.921, 437: 17.964, 438: 18.006, 439: 18.049, 440: 18.091, 441: 18.134, 442: 18.176, 443: 18.218, 444: 18.261, 445: 18.303, 446: 18.346, 447: 18.388, 448: 18.431, 449: 18.473, 450: 18.516, 451: 18.558, 452: 18.601, 453: 18.643, 454: 18.686, 455: 18.728, 456: 18.771, 457: 18.813, 458: 18.856, 459: 18.898, 460: 18.941, 461: 18.983, 462: 19.026, 463: 19.068, 464: 19.111, 465: 19.154, 466: 19.196, 467: 19.239, 468: 19.281, 469: 19.324, 470: 19.366, 471: 19.409, 472: 19.451, 473: 19.494, 474: 19.537, 475: 19.579, 476: 19.622, 477: 19.664, 478: 19.707, 479: 19.75, 480: 19.792, 481: 19.835, 482: 19.877, 483: 19.92, 484: 19.962, 485: 20.005, 486: 20.048, 487: 20.09, 488: 20.133, 489: 20.175, 490: 20.218, 491: 20.261, 492: 20.303, 493: 20.346, 494: 20.389, 495: 20.431, 496: 20.474, 497: 20.516, 498: 20.559, 499: 20.602, 500: 20.644, 501: 20.687, 502: 20.73, 503: 20.772, 504: 20.815, 505: 20.857, 506: 20.9, 507: 20.943, 508: 20.985, 509: 21.028, 510: 21.071, 511: 21.113, 512: 21.156, 513: 21.199, 514: 21.241, 515: 21.284, 516: 21.326, 517: 21.369, 518: 21.412, 519: 21.454, 520: 21.497, 521: 21.54, 522: 21.582, 523: 21.625, 524: 21.668, 525: 21.71, 526: 21.753, 527: 21.796, 528: 21.838, 529: 21.881, 530: 21.924, 531: 21.966, 532: 22.009, 533: 22.052, 534: 22.094, 535: 22.137, 536: 22.179, 537: 22.222, 538: 22.265, 539: 22.307, 540: 22.35, 541: 22.393, 542: 22.435, 543: 22.478, 544: 22.521, 545: 22.563, 546: 22.606, 547: 22.649, 548: 22.691, 549: 22.734, 550: 22.776, 551: 22.819, 552: 22.862, 553: 22.904, 554: 22.947, 555: 22.99, 556: 23.032, 557: 23.075, 558: 23.117, 559: 23.16, 560: 23.203, 561: 23.245, 562: 23.288, 563: 23.331, 564: 23.373, 565: 23.416, 566: 23.458, 567: 23.501, 568: 23.544, 569: 23.586, 570: 23.629, 571: 23.671, 572: 23.714, 573: 23.757, 574: 23.799, 575: 23.842, 576: 23.884, 577: 23.927, 578: 23.97, 579: 24.012, 580: 24.055, 581: 24.097, 582: 24.14, 583: 24.182, 584: 24.225, 585: 24.267, 586: 24.31, 587: 24.353, 588: 24.395, 589: 24.438, 590: 24.48, 591: 24.523, 592: 24.565, 593: 24.608, 594: 24.65, 595: 24.693, 596: 24.735, 597: 24.778, 598: 24.82, 599: 24.863, 600: 24.905, 601: 24.948, 602: 24.99, 603: 25.033, 604: 25.075, 605: 25.118, 606: 25.16, 607: 25.203, 608: 25.245, 609: 25.288, 610: 25.33, 611: 25.373, 612: 25.415, 613: 25.458, 614: 25.5, 615: 25.543, 616: 25.585, 617: 25.627, 618: 25.67, 619: 25.712, 620: 25.755, 621: 25.797, 622: 25.84, 623: 25.882, 624: 25.924, 625: 25.967, 626: 26.009, 627: 26.052, 628: 26.094, 629: 26.136, 630: 26.179, 631: 26.221, 632: 26.263, 633: 26.306, 634: 26.348, 635: 26.39, 636: 26.433, 637: 26.475, 638: 26.517, 639: 26.56, 640: 26.602, 641: 26.644, 642: 26.687, 643: 26.729, 644: 26.771, 645: 26.814, 646: 26.856, 647: 26.898, 648: 26.94, 649: 26.983, 650: 27.025, 651: 27.067, 652: 27.109, 653: 27.152, 654: 27.194, 655: 27.236, 656: 27.278, 657: 27.32, 658: 27.363, 659: 27.405, 660: 27.447, 661: 27.489, 662: 27.531, 663: 27.574, 664: 27.616, 665: 27.658, 666: 27.7, 667: 27.742, 668: 27.784, 669: 27.826, 670: 27.869, 671: 27.911, 672: 27.953, 673: 27.995, 674: 28.037, 675: 28.079, 676: 28.121, 677: 28.163, 678: 28.205, 679: 28.247, 680: 28.289, 681: 28.332, 682: 28.374, 683: 28.416, 684: 28.458, 685: 28.5, 686: 28.542, 687: 28.584, 688: 28.626, 689: 28.668, 690: 28.71, 691: 28.752, 692: 28.794, 693: 28.835, 694: 28.877, 695: 28.919, 696: 28.961, 697: 29.003, 698: 29.045, 699: 29.087, 700: 29.129, 701: 29.171, 702: 29.213, 703: 29.255, 704: 29.297, 705: 29.338, 706: 29.38, 707: 29.422, 708: 29.464, 709: 29.506, 710: 29.548, 711: 29.589, 712: 29.631, 713: 29.673, 714: 29.715, 715: 29.757, 716: 29.798, 717: 29.84, 718: 29.882, 719: 29.924, 720: 29.965, 721: 30.007, 722: 30.049, 723: 30.09, 724: 30.132, 725: 30.174, 726: 30.216, 727: 30.257, 728: 30.299, 729: 30.341, 730: 30.382, 731: 30.424, 732: 30.466, 733: 30.507, 734: 30.549, 735: 30.59, 736: 30.632, 737: 30.674, 738: 30.715, 739: 30.757, 740: 30.798, 741: 30.84, 742: 30.881, 743: 30.923, 744: 30.964, 745: 31.006, 746: 31.047, 747: 31.089, 748: 31.13, 749: 31.172, 750: 31.213, 751: 31.255, 752: 31.296, 753: 31.338, 754: 31.379, 755: 31.421, 756: 31.462, 757: 31.504, 758: 31.545, 759: 31.586, 760: 31.628, 761: 31.669, 762: 31.71, 763: 31.752, 764: 31.793, 765: 31.834, 766: 31.876, 767: 31.917, 768: 31.958, 769: 32.0, 770: 32.041, 771: 32.082, 772: 32.124, 773: 32.165, 774: 32.206, 775: 32.247, 776: 32.289, 777: 32.33, 778: 32.371, 779: 32.412, 780: 32.453, 781: 32.495, 782: 32.536, 783: 32.577, 784: 32.618, 785: 32.659, 786: 32.7, 787: 32.742, 788: 32.783, 789: 32.824, 790: 32.865, 791: 32.906, 792: 32.947, 793: 32.988, 794: 33.029, 795: 33.07, 796: 33.111, 797: 33.152, 798: 33.193, 799: 33.234, 800: 33.275, 801: 33.316, 802: 33.357, 803: 33.398, 804: 33.439, 805: 33.48, 806: 33.521, 807: 33.562, 808: 33.603, 809: 33.644, 810: 33.685, 811: 33.726, 812: 33.767, 813: 33.808, 814: 33.848, 815: 33.889, 816: 33.93, 817: 33.971, 818: 34.012, 819: 34.053, 820: 34.093, 821: 34.134, 822: 34.175, 823: 34.216, 824: 34.257, 825: 34.297, 826: 34.338, 827: 34.379, 828: 34.42, 829: 34.46, 830: 34.501, 831: 34.542, 832: 34.582, 833: 34.623, 834: 34.664, 835: 34.704, 836: 34.745, 837: 34.786, 838: 34.826, 839: 34.867, 840: 34.908, 841: 34.948, 842: 34.989, 843: 35.029, 844: 35.07, 845: 35.11, 846: 35.151, 847: 35.192, 848: 35.232, 849: 35.273, 850: 35.313, 851: 35.354, 852: 35.394, 853: 35.435, 854: 35.475, 855: 35.516, 856: 35.556, 857: 35.596, 858: 35.637, 859: 35.677, 860: 35.718, 861: 35.758, 862: 35.798, 863: 35.839, 864: 35.879, 865: 35.92, 866: 35.96, 867: 36.0, 868: 36.041, 869: 36.081, 870: 36.121, 871: 36.162, 872: 36.202, 873: 36.242, 874: 36.282, 875: 36.323, 876: 36.363, 877: 36.403, 878: 36.443, 879: 36.484, 880: 36.524, 881: 36.564, 882: 36.604, 883: 36.644, 884: 36.685, 885: 36.725, 886: 36.765, 887: 36.805, 888: 36.845, 889: 36.885, 890: 36.925, 891: 36.965, 892: 37.006, 893: 37.046, 894: 37.086, 895: 37.126, 896: 37.166, 897: 37.206, 898: 37.246, 899: 37.286, 900: 37.326, 901: 37.366, 902: 37.406, 903: 37.446, 904: 37.486, 905: 37.526, 906: 37.566, 907: 37.606, 908: 37.646, 909: 37.686, 910: 37.725, 911: 37.765, 912: 37.805, 913: 37.845, 914: 37.885, 915: 37.925, 916: 37.965, 917: 38.005, 918: 38.044, 919: 38.084, 920: 38.124, 921: 38.164, 922: 38.204, 923: 38.243, 924: 38.283, 925: 38.323, 926: 38.363, 927: 38.402, 928: 38.442, 929: 38.482, 930: 38.522, 931: 38.561, 932: 38.601, 933: 38.641, 934: 38.68, 935: 38.72, 936: 38.76, 937: 38.799, 938: 38.839, 939: 38.878, 940: 38.918, 941: 38.958, 942: 38.997, 943: 39.037, 944: 39.076, 945: 39.116, 946: 39.155, 947: 39.195, 948: 39.235, 949: 39.274, 950: 39.314, 951: 39.353, 952: 39.393, 953: 39.432, 954: 39.471, 955: 39.511, 956: 39.55, 957: 39.59, 958: 39.629, 959: 39.669, 960: 39.708, 961: 39.747, 962: 39.787, 963: 39.826, 964: 39.866, 965: 39.905, 966: 39.944, 967: 39.984, 968: 40.023, 969: 40.062, 970: 40.101, 971: 40.141, 972: 40.18, 973: 40.219, 974: 40.259, 975: 40.298, 976: 40.337, 977: 40.376, 978: 40.415, 979: 40.455, 980: 40.494, 981: 40.533, 982: 40.572, 983: 40.611, 984: 40.651, 985: 40.69, 986: 40.729, 987: 40.768, 988: 40.807, 989: 40.846, 990: 40.885, 991: 40.924, 992: 40.963, 993: 41.002, 994: 41.042, 995: 41.081, 996: 41.12, 997: 41.159, 998: 41.198, 999: 41.237, 1000: 41.276, 1001: 41.315, 1002: 41.354, 1003: 41.393, 1004: 41.431, 1005: 41.47, 1006: 41.509, 1007: 41.548, 1008: 41.587, 1009: 41.626, 1010: 41.665, 1011: 41.704, 1012: 41.743, 1013: 41.781, 1014: 41.82, 1015: 41.859, 1016: 41.898, 1017: 41.937, 1018: 41.976, 1019: 42.014, 1020: 42.053, 1021: 42.092, 1022: 42.131, 1023: 42.169, 1024: 42.208, 1025: 42.247, 1026: 42.286, 1027: 42.324, 1028: 42.363, 1029: 42.402, 1030: 42.44, 1031: 42.479, 1032: 42.518, 1033: 42.556, 1034: 42.595, 1035: 42.633, 1036: 42.672, 1037: 42.711, 1038: 42.749, 1039: 42.788, 1040: 42.826, 1041: 42.865, 1042: 42.903, 1043: 42.942, 1044: 42.98, 1045: 43.019, 1046: 43.057, 1047: 43.096, 1048: 43.134, 1049: 43.173, 1050: 43.211, 1051: 43.25, 1052: 43.288, 1053: 43.327, 1054: 43.365, 1055: 43.403, 1056: 43.442, 1057: 43.48, 1058: 43.518, 1059: 43.557, 1060: 43.595, 1061: 43.633, 1062: 43.672, 1063: 43.71, 1064: 43.748, 1065: 43.787, 1066: 43.825, 1067: 43.863, 1068: 43.901, 1069: 43.94, 1070: 43.978, 1071: 44.016, 1072: 44.054, 1073: 44.092, 1074: 44.13, 1075: 44.169, 1076: 44.207, 1077: 44.245, 1078: 44.283, 1079: 44.321, 1080: 44.359, 1081: 44.397, 1082: 44.435, 1083: 44.473, 1084: 44.512, 1085: 44.55, 1086: 44.588, 1087: 44.626, 1088: 44.664, 1089: 44.702, 1090: 44.74, 1091: 44.778, 1092: 44.816, 1093: 44.853, 1094: 44.891, 1095: 44.929, 1096: 44.967, 1097: 45.005, 1098: 45.043, 1099: 45.081, 1100: 45.119, 1101: 45.157, 1102: 45.194, 1103: 45.232, 1104: 45.27, 1105: 45.308, 1106: 45.346, 1107: 45.383, 1108: 45.421, 1109: 45.459, 1110: 45.497, 1111: 45.534, 1112: 45.572, 1113: 45.61, 1114: 45.647, 1115: 45.685, 1116: 45.723, 1117: 45.76, 1118: 45.798, 1119: 45.836, 1120: 45.873, 1121: 45.911, 1122: 45.948, 1123: 45.986, 1124: 46.024, 1125: 46.061, 1126: 46.099, 1127: 46.136, 1128: 46.174, 1129: 46.211, 1130: 46.249, 1131: 46.286, 1132: 46.324, 1133: 46.361, 1134: 46.398, 1135: 46.436, 1136: 46.473, 1137: 46.511, 1138: 46.548, 1139: 46.585, 1140: 46.623, 1141: 46.66, 1142: 46.697, 1143: 46.735, 1144: 46.772, 1145: 46.809, 1146: 46.847, 1147: 46.884, 1148: 46.921, 1149: 46.958, 1150: 46.995, 1151: 47.033, 1152: 47.07, 1153: 47.107, 1154: 47.144, 1155: 47.181, 1156: 47.218, 1157: 47.256, 1158: 47.293, 1159: 47.33, 1160: 47.367, 1161: 47.404, 1162: 47.441, 1163: 47.478, 1164: 47.515, 1165: 47.552, 1166: 47.589, 1167: 47.626, 1168: 47.663, 1169: 47.7, 1170: 47.737, 1171: 47.774, 1172: 47.811, 1173: 47.848, 1174: 47.884, 1175: 47.921, 1176: 47.958, 1177: 47.995, 1178: 48.032, 1179: 48.069, 1180: 48.105, 1181: 48.142, 1182: 48.179, 1183: 48.216, 1184: 48.252, 1185: 48.289, 1186: 48.326, 1187: 48.363, 1188: 48.399, 1189: 48.436, 1190: 48.473, 1191: 48.509, 1192: 48.546, 1193: 48.582, 1194: 48.619, 1195: 48.656, 1196: 48.692, 1197: 48.729, 1198: 48.765, 1199: 48.802, 1200: 48.838, 1201: 48.875, 1202: 48.911, 1203: 48.948, 1204: 48.984, 1205: 49.021, 1206: 49.057, 1207: 49.093, 1208: 49.13, 1209: 49.166, 1210: 49.202, 1211: 49.239, 1212: 49.275, 1213: 49.311, 1214: 49.348, 1215: 49.384, 1216: 49.42, 1217: 49.456, 1218: 49.493, 1219: 49.529, 1220: 49.565, 1221: 49.601, 1222: 49.637, 1223: 49.674, 1224: 49.71, 1225: 49.746, 1226: 49.782, 1227: 49.818, 1228: 49.854, 1229: 49.89, 1230: 49.926, 1231: 49.962, 1232: 49.998, 1233: 50.034, 1234: 50.07, 1235: 50.106, 1236: 50.142, 1237: 50.178, 1238: 50.214, 1239: 50.25, 1240: 50.286, 1241: 50.322, 1242: 50.358, 1243: 50.393, 1244: 50.429, 1245: 50.465, 1246: 50.501, 1247: 50.537, 1248: 50.572, 1249: 50.608, 1250: 50.644, 1251: 50.68, 1252: 50.715, 1253: 50.751, 1254: 50.787, 1255: 50.822, 1256: 50.858, 1257: 50.894, 1258: 50.929, 1259: 50.965, 1260: 51.0, 1261: 51.036, 1262: 51.071, 1263: 51.107, 1264: 51.142, 1265: 51.178, 1266: 51.213, 1267: 51.249, 1268: 51.284, 1269: 51.32, 1270: 51.355, 1271: 51.391, 1272: 51.426, 1273: 51.461, 1274: 51.497, 1275: 51.532, 1276: 51.567, 1277: 51.603, 1278: 51.638, 1279: 51.673, 1280: 51.708, 1281: 51.744, 1282: 51.779, 1283: 51.814, 1284: 51.849, 1285: 51.885, 1286: 51.92, 1287: 51.955, 1288: 51.99, 1289: 52.025, 1290: 52.06, 1291: 52.095, 1292: 52.13, 1293: 52.165, 1294: 52.2, 1295: 52.235, 1296: 52.27, 1297: 52.305, 1298: 52.34, 1299: 52.375, 1300: 52.41, 1301: 52.445, 1302: 52.48, 1303: 52.515, 1304: 52.55, 1305: 52.585, 1306: 52.62, 1307: 52.654, 1308: 52.689, 1309: 52.724, 1310: 52.759, 1311: 52.794, 1312: 52.828, 1313: 52.863, 1314: 52.898, 1315: 52.932, 1316: 52.967, 1317: 53.002, 1318: 53.037, 1319: 53.071, 1320: 53.106, 1321: 53.14, 1322: 53.175, 1323: 53.21, 1324: 53.244, 1325: 53.279, 1326: 53.313, 1327: 53.348, 1328: 53.382, 1329: 53.417, 1330: 53.451, 1331: 53.486, 1332: 53.52, 1333: 53.555, 1334: 53.589, 1335: 53.623, 1336: 53.658, 1337: 53.692, 1338: 53.727, 1339: 53.761, 1340: 53.795, 1341: 53.83, 1342: 53.864, 1343: 53.898, 1344: 53.932, 1345: 53.967, 1346: 54.001, 1347: 54.035, 1348: 54.069, 1349: 54.104, 1350: 54.138, 1351: 54.172, 1352: 54.206, 1353: 54.24, 1354: 54.274, 1355: 54.308, 1356: 54.343, 1357: 54.377, 1358: 54.411, 1359: 54.445, 1360: 54.479, 1361: 54.513, 1362: 54.547, 1363: 54.581, 1364: 54.615, 1365: 54.649, 1366: 54.683, 1367: 54.717, 1368: 54.751, 1369: 54.785, 1370: 54.819, 1371: 54.852, 1372: 54.886}
''' author : https://github.com/Harnek Prim's algorithm is a minimum-spanning-tree algorithm (for weighted undirected graph) Complexity: Performance:: Adjacency matrix = O(|V|^2) Adjacency list with heap = O(|E| log|V|) ''' def prim(s, edges, n): wt = 0 V = set(range(1,n+1)) A = set() A.add(s) while A != V: for e in edges: if (e[0] in A and e[1] in V-A) or (e[1] in A and e[0] in V-A): A.add(e[0]) A.add(e[1]) wt += e[2] edges.remove(e) break return wt # n = no of vertices n = 4 edges = [[1, 2, 1], [4, 3, 99], [1, 4, 100], [3, 2, 150], [3, 1, 200]] edges.sort(key=lambda l: l[2]) print(prim(1, edges, n))
""" author : https://github.com/Harnek Prim's algorithm is a minimum-spanning-tree algorithm (for weighted undirected graph) Complexity: Performance:: Adjacency matrix = O(|V|^2) Adjacency list with heap = O(|E| log|V|) """ def prim(s, edges, n): wt = 0 v = set(range(1, n + 1)) a = set() A.add(s) while A != V: for e in edges: if e[0] in A and e[1] in V - A or (e[1] in A and e[0] in V - A): A.add(e[0]) A.add(e[1]) wt += e[2] edges.remove(e) break return wt n = 4 edges = [[1, 2, 1], [4, 3, 99], [1, 4, 100], [3, 2, 150], [3, 1, 200]] edges.sort(key=lambda l: l[2]) print(prim(1, edges, n))
''' Problem Statement : GCD Choice Link : https://www.hackerearth.com/challenges/competitive/october-easy-20/algorithm/gcd-choice-f04433f3/ Score : partially accepted - 43 pts ''' def find_gcd(x, y): while(y): x, y = y, x % y return x n = int(input()) numbers = list(map(int,input().split())) if(n>2): minimum = min(numbers) n -= 1 numbers.remove(minimum) gcd=find_gcd(numbers[0],numbers[1]) for i in range(2,n): gcd=find_gcd(gcd,numbers[i]) print(gcd)
""" Problem Statement : GCD Choice Link : https://www.hackerearth.com/challenges/competitive/october-easy-20/algorithm/gcd-choice-f04433f3/ Score : partially accepted - 43 pts """ def find_gcd(x, y): while y: (x, y) = (y, x % y) return x n = int(input()) numbers = list(map(int, input().split())) if n > 2: minimum = min(numbers) n -= 1 numbers.remove(minimum) gcd = find_gcd(numbers[0], numbers[1]) for i in range(2, n): gcd = find_gcd(gcd, numbers[i]) print(gcd)
teacher = "Mr. Zhang" print(teacher) print("53+28") print(53+28) first = 5 second = 3 print(first + second) third = first + second print(third) teacher_a="Mr. Zhang" teacher_b=teacher_a print(teacher_a) print(teacher_b) teacher_a="Mr.Yu" print(teacher_a) print(teacher_b) score=7 score = score + 1 print(score)
teacher = 'Mr. Zhang' print(teacher) print('53+28') print(53 + 28) first = 5 second = 3 print(first + second) third = first + second print(third) teacher_a = 'Mr. Zhang' teacher_b = teacher_a print(teacher_a) print(teacher_b) teacher_a = 'Mr.Yu' print(teacher_a) print(teacher_b) score = 7 score = score + 1 print(score)
__all__ = [ "utils", "ascii_table", "astronomy", "data_plot", "h5T", "mesa", "nugridse", "ppn", "selftest", ]
__all__ = ['utils', 'ascii_table', 'astronomy', 'data_plot', 'h5T', 'mesa', 'nugridse', 'ppn', 'selftest']
#!/usr/bin/python # -*- coding: utf-8 -*- # Copyright: (c) 2021, Cisco Systems # GNU General Public License v3.0+ (see LICENSE or https://www.gnu.org/licenses/gpl-3.0.txt) DOCUMENTATION = r""" --- module: enterprise_ssid short_description: Manage EnterpriseSsid objects of Wireless description: - Gets either one or all the enterprise SSID. - Creates enterprise SSID. - Deletes given enterprise SSID. version_added: '1.0.0' author: Rafael Campos (@racampos) options: ssid_name: description: - > Enter the enterprise SSID name that needs to be retrieved. If not entered, all the enterprise SSIDs will be retrieved. - Enter the SSID name to be deleted. - Required for state delete. type: str enableBroadcastSSID: description: - EnableBroadcastSSID, property of the request body. type: bool enableFastLane: description: - EnableFastLane, property of the request body. type: bool enableMACFiltering: description: - EnableMACFiltering, property of the request body. type: bool fastTransition: description: - Fast Transition, property of the request body. - Available values are 'Adaptive', 'Enable' and 'Disable'. type: str name: description: - Enter SSID Name, property of the request body. Constraint is maxLength set to 32. - Required for state create. type: str passphrase: description: - > Pass Phrase (Only applicable for SSID with PERSONAL security level), property of the request body. Constraints are maxLength set to 63 and minLength set to 8. type: str radioPolicy: description: - Radio Policy, property of the request body. - > Available values are 'Dual band operation (2.4GHz and 5GHz)', 'Dual band operation with band select', '5GHz only' and '2.4GHz only'. type: str securityLevel: description: - Security Level, property of the request body. - Available values are 'WPA2_ENTERPRISE', 'WPA2_PERSONAL' and 'OPEN'. - Required for state create. type: str trafficType: description: - Traffic Type, property of the request body. - Available values are 'voicedata' and 'data'. type: str requirements: - dnacentersdk seealso: # Reference by module name - module: cisco.dnac.plugins.module_utils.definitions.enterprise_ssid # Reference by Internet resource - name: EnterpriseSsid reference description: Complete reference of the EnterpriseSsid object model. link: https://developer.cisco.com/docs/dna-center/api/1-3-3-x # Reference by Internet resource - name: EnterpriseSsid reference description: SDK reference. link: https://dnacentersdk.readthedocs.io/en/latest/api/api.html#v2-1-1-summary """ EXAMPLES = r""" - name: get_enterprise_ssid cisco.dnac.enterprise_ssid: state: query # required ssid_name: SomeValue # string register: nm_get_enterprise_ssid - name: create_enterprise_ssid cisco.dnac.enterprise_ssid: state: create # required name: SomeValue # string, required securityLevel: # valid values are 'WPA2_ENTERPRISE', # 'WPA2_PERSONAL', # 'OPEN'. SomeValue # string, required enableBroadcastSSID: True # boolean enableFastLane: True # boolean enableMACFiltering: True # boolean fastTransition: # valid values are 'Adaptive', # 'Enable', # 'Disable'. SomeValue # string passphrase: SomeValue # string radioPolicy: # valid values are 'Dual band operation (2.4GHz and 5GHz)', # 'Dual band operation with band select', # '5GHz only', # '2.4GHz only'. SomeValue # string trafficType: # valid values are 'voicedata', # 'data'. SomeValue # string - name: delete_enterprise_ssid cisco.dnac.enterprise_ssid: state: delete # required ssid_name: SomeValue # string, required """ RETURN = r""" dnac_response: description: A dictionary with the response returned by the DNA Center Python SDK returned: always type: dict sample: {"response": 29, "version": "1.0"} sdk_function: description: The DNA Center SDK function used to execute the task returned: always type: str sample: wireless.create_enterprise_ssid missing_params: description: Provided arguments do not comply with the schema of the DNA Center Python SDK function returned: when the function request schema is not satisfied type: list sample: """
documentation = "\n---\nmodule: enterprise_ssid\nshort_description: Manage EnterpriseSsid objects of Wireless\ndescription:\n- Gets either one or all the enterprise SSID.\n- Creates enterprise SSID.\n- Deletes given enterprise SSID.\nversion_added: '1.0.0'\nauthor: Rafael Campos (@racampos)\noptions:\n ssid_name:\n description:\n - >\n Enter the enterprise SSID name that needs to be retrieved. If not entered, all the enterprise SSIDs will\n be retrieved.\n - Enter the SSID name to be deleted.\n - Required for state delete.\n type: str\n enableBroadcastSSID:\n description:\n - EnableBroadcastSSID, property of the request body.\n type: bool\n enableFastLane:\n description:\n - EnableFastLane, property of the request body.\n type: bool\n enableMACFiltering:\n description:\n - EnableMACFiltering, property of the request body.\n type: bool\n fastTransition:\n description:\n - Fast Transition, property of the request body.\n - Available values are 'Adaptive', 'Enable' and 'Disable'.\n type: str\n name:\n description:\n - Enter SSID Name, property of the request body. Constraint is maxLength set to 32.\n - Required for state create.\n type: str\n passphrase:\n description:\n - >\n Pass Phrase (Only applicable for SSID with PERSONAL security level), property of the request body.\n Constraints are maxLength set to 63 and minLength set to 8.\n type: str\n radioPolicy:\n description:\n - Radio Policy, property of the request body.\n - >\n Available values are 'Dual band operation (2.4GHz and 5GHz)', 'Dual band operation with band select',\n '5GHz only' and '2.4GHz only'.\n type: str\n securityLevel:\n description:\n - Security Level, property of the request body.\n - Available values are 'WPA2_ENTERPRISE', 'WPA2_PERSONAL' and 'OPEN'.\n - Required for state create.\n type: str\n trafficType:\n description:\n - Traffic Type, property of the request body.\n - Available values are 'voicedata' and 'data'.\n type: str\n\nrequirements:\n- dnacentersdk\nseealso:\n# Reference by module name\n- module: cisco.dnac.plugins.module_utils.definitions.enterprise_ssid\n# Reference by Internet resource\n- name: EnterpriseSsid reference\n description: Complete reference of the EnterpriseSsid object model.\n link: https://developer.cisco.com/docs/dna-center/api/1-3-3-x\n# Reference by Internet resource\n- name: EnterpriseSsid reference\n description: SDK reference.\n link: https://dnacentersdk.readthedocs.io/en/latest/api/api.html#v2-1-1-summary\n" examples = "\n- name: get_enterprise_ssid\n cisco.dnac.enterprise_ssid:\n state: query # required\n ssid_name: SomeValue # string\n register: nm_get_enterprise_ssid\n\n- name: create_enterprise_ssid\n cisco.dnac.enterprise_ssid:\n state: create # required\n name: SomeValue # string, required\n securityLevel: # valid values are 'WPA2_ENTERPRISE',\n # 'WPA2_PERSONAL',\n # 'OPEN'.\n SomeValue # string, required\n enableBroadcastSSID: True # boolean\n enableFastLane: True # boolean\n enableMACFiltering: True # boolean\n fastTransition: # valid values are 'Adaptive',\n # 'Enable',\n # 'Disable'.\n SomeValue # string\n passphrase: SomeValue # string\n radioPolicy: # valid values are 'Dual band operation (2.4GHz and 5GHz)',\n # 'Dual band operation with band select',\n # '5GHz only',\n # '2.4GHz only'.\n SomeValue # string\n trafficType: # valid values are 'voicedata',\n # 'data'.\n SomeValue # string\n\n- name: delete_enterprise_ssid\n cisco.dnac.enterprise_ssid:\n state: delete # required\n ssid_name: SomeValue # string, required\n\n" return = '\ndnac_response:\n description: A dictionary with the response returned by the DNA Center Python SDK\n returned: always\n type: dict\n sample: {"response": 29, "version": "1.0"}\nsdk_function:\n description: The DNA Center SDK function used to execute the task\n returned: always\n type: str\n sample: wireless.create_enterprise_ssid\nmissing_params:\n description: Provided arguments do not comply with the schema of the DNA Center Python SDK function\n returned: when the function request schema is not satisfied\n type: list\n sample:\n'