content stringlengths 7 1.05M | fixed_cases stringlengths 1 1.28M |
|---|---|
# insertion sort implementation
# author: D1N3SHh
# https://github.com/D1N3SHh/algorithms
def insertion_sort(A):
for j in range(1, len(A)):
key = A[j]
i = j - 1
while i >= 0 and A[i] > key:
A[i + 1] = A[i]
i -= 1
A[i + 1] = key
return A
def example_usage():
A = [3, 7, 1, 8, 4, 6, 9, 2, 5]
print('Unsorted:\t', A)
print('Sorted:\t\t', insertion_sort(A))
if __name__ == "__main__":
example_usage() # run an example on start | def insertion_sort(A):
for j in range(1, len(A)):
key = A[j]
i = j - 1
while i >= 0 and A[i] > key:
A[i + 1] = A[i]
i -= 1
A[i + 1] = key
return A
def example_usage():
a = [3, 7, 1, 8, 4, 6, 9, 2, 5]
print('Unsorted:\t', A)
print('Sorted:\t\t', insertion_sort(A))
if __name__ == '__main__':
example_usage() |
class Solution:
def combinationSum(self, candidates: List[int], target: int) -> List[List[int]]:
result = []
def dfs( need, curr, start ):
if need == 0:
result.append( list(curr) )
return
for idx, c in enumerate(candidates[start:]):
if need >= c:
dfs( need-c, curr + [c], start+idx )
dfs( target, [], 0 )
return result
class Solution_backtrack:
def combinationSum(self, candidates: List[int], target: int) -> List[List[int]]:
result = []
def backtr( need, curr, start ):
if need == 0:
result.append( list(curr) )
return
elif need < 0:
return
for idx, c in enumerate(candidates[start:]):
curr.append(c)
backtr( need-c, curr, start+idx )
curr.pop()
backtr( target, [], 0 )
return result
| class Solution:
def combination_sum(self, candidates: List[int], target: int) -> List[List[int]]:
result = []
def dfs(need, curr, start):
if need == 0:
result.append(list(curr))
return
for (idx, c) in enumerate(candidates[start:]):
if need >= c:
dfs(need - c, curr + [c], start + idx)
dfs(target, [], 0)
return result
class Solution_Backtrack:
def combination_sum(self, candidates: List[int], target: int) -> List[List[int]]:
result = []
def backtr(need, curr, start):
if need == 0:
result.append(list(curr))
return
elif need < 0:
return
for (idx, c) in enumerate(candidates[start:]):
curr.append(c)
backtr(need - c, curr, start + idx)
curr.pop()
backtr(target, [], 0)
return result |
class News:
def __init__(
self,
id: int or None,
headline: str or None,
url: str,
author: str,
image_url: str or None,
title: str or None,
external_id: str or None,
media: dict or None,
published_at,
updated_at,
):
self.id = id
self.headline = headline
self.image_url = image_url
self.title = title
self.external_id = external_id
self.media = media
self.url = url
self.author = author
self.published_at = published_at
self.updated_at = updated_at
@classmethod
def create_new(
cls,
external_id: str,
headline: str,
image_url: str,
title: str,
media: dict or None,
url: str,
author: str,
published_at,
updated_at,
):
return News(
id=None,
headline=headline,
image_url=image_url,
title=title,
media=media,
external_id=external_id,
url=url,
author=author,
published_at=published_at,
updated_at=updated_at,
)
def diff(self, other):
differences = {}
fields = (
'headline', 'image_url', 'title', 'external_id', 'media', 'url', 'author', 'published_at',
)
for field in fields:
if getattr(self, field) != getattr(other, field):
differences[field] = getattr(self, field)
return differences
| class News:
def __init__(self, id: int or None, headline: str or None, url: str, author: str, image_url: str or None, title: str or None, external_id: str or None, media: dict or None, published_at, updated_at):
self.id = id
self.headline = headline
self.image_url = image_url
self.title = title
self.external_id = external_id
self.media = media
self.url = url
self.author = author
self.published_at = published_at
self.updated_at = updated_at
@classmethod
def create_new(cls, external_id: str, headline: str, image_url: str, title: str, media: dict or None, url: str, author: str, published_at, updated_at):
return news(id=None, headline=headline, image_url=image_url, title=title, media=media, external_id=external_id, url=url, author=author, published_at=published_at, updated_at=updated_at)
def diff(self, other):
differences = {}
fields = ('headline', 'image_url', 'title', 'external_id', 'media', 'url', 'author', 'published_at')
for field in fields:
if getattr(self, field) != getattr(other, field):
differences[field] = getattr(self, field)
return differences |
doc = list(string.split(""))
blockl_list = ["Report Date", "Booking Status", "Printed By", "District", "UCR Code", "OBTN", "Court of Appearance", "Master Name", "Age", "Location of Arrest",
"Booking Name", "Alias", "Address", "Charges", "Booking#", "Incident#", "CR Number", "Booking Date", "Arrest Date", "RA Number", "Sex", "Height", "Occupation",
"Race", "Weight", "Employer/School", "Date of Birth", "Build, Emp/School Addr", "Place of birth", "Eyes color", "Social Sec. Number", "Marital Status",
"Hair color", "Operators License", "Mother's Name", "Complexion", "State", "Father's Name","Phone Used", "Scars/Marks/Tattos", "Examined at Hospital",
"Clothing Desc", "Breathalyzer Used", "Examined by EMS", "Arresting Officer", "Cell Number", "Booking Officer", "Partner's","Informed of Rights", "Unit#",
"Placed in Cell By", "Trans Unit#", "Searched By", "Cautions", "Booking Comments","Visible Injuries", "Person Notified", "Relationship","Phone","Address",
"Juv.Prob.Officer","Notified By","Notified Date/Time","Bail Set By", "I Selected the Bail Comm.","Bailed By","Amount","BOP Check",
"Suicide Check","BOP Warrant", "BOP Court"]
for s in doc:
for word in block_list:
s = s.replace(word, "")
content = dict(zip(blockl_list, doc)) | doc = list(string.split(''))
blockl_list = ['Report Date', 'Booking Status', 'Printed By', 'District', 'UCR Code', 'OBTN', 'Court of Appearance', 'Master Name', 'Age', 'Location of Arrest', 'Booking Name', 'Alias', 'Address', 'Charges', 'Booking#', 'Incident#', 'CR Number', 'Booking Date', 'Arrest Date', 'RA Number', 'Sex', 'Height', 'Occupation', 'Race', 'Weight', 'Employer/School', 'Date of Birth', 'Build, Emp/School Addr', 'Place of birth', 'Eyes color', 'Social Sec. Number', 'Marital Status', 'Hair color', 'Operators License', "Mother's Name", 'Complexion', 'State', "Father's Name", 'Phone Used', 'Scars/Marks/Tattos', 'Examined at Hospital', 'Clothing Desc', 'Breathalyzer Used', 'Examined by EMS', 'Arresting Officer', 'Cell Number', 'Booking Officer', "Partner's", 'Informed of Rights', 'Unit#', 'Placed in Cell By', 'Trans Unit#', 'Searched By', 'Cautions', 'Booking Comments', 'Visible Injuries', 'Person Notified', 'Relationship', 'Phone', 'Address', 'Juv.Prob.Officer', 'Notified By', 'Notified Date/Time', 'Bail Set By', 'I Selected the Bail Comm.', 'Bailed By', 'Amount', 'BOP Check', 'Suicide Check', 'BOP Warrant', 'BOP Court']
for s in doc:
for word in block_list:
s = s.replace(word, '')
content = dict(zip(blockl_list, doc)) |
def read_file():
with open('animal-dataset.txt') as f:
mylist = [tuple(i.split(',')) for i in f.read().splitlines()]
print(mylist)
read_file()
| def read_file():
with open('animal-dataset.txt') as f:
mylist = [tuple(i.split(',')) for i in f.read().splitlines()]
print(mylist)
read_file() |
def indented(line: str, indent: int):
return ' ' * indent + line
def formatted(file: str):
lines = []
indent = 0
for line in file.split('\n'):
line = line.strip()
if line == '':
continue
if line.endswith('{'):
line = indented(line, indent)
indent = indent + 4
elif line.endswith('}'):
indent = indent - 4
line = indented(line, indent)
else:
line = indented(line, indent)
lines.append(line)
return '\n'.join(lines)
| def indented(line: str, indent: int):
return ' ' * indent + line
def formatted(file: str):
lines = []
indent = 0
for line in file.split('\n'):
line = line.strip()
if line == '':
continue
if line.endswith('{'):
line = indented(line, indent)
indent = indent + 4
elif line.endswith('}'):
indent = indent - 4
line = indented(line, indent)
else:
line = indented(line, indent)
lines.append(line)
return '\n'.join(lines) |
# https://leetcode.com/problems/add-strings/
class Solution:
def addStrings(self, num1: str, num2: str) -> str:
max_len = max(len(num1), len(num2))
num1 = num1.zfill(max_len)
num2 = num2.zfill(max_len)
digits = list()
carry = 0
for idx in reversed(range(max_len)):
digit1 = int(num1[idx])
digit2 = int(num2[idx])
carry, curr_digit = divmod(digit1 + digit2 + carry, 10)
digits.append(str(curr_digit))
if carry:
digits.append(str(carry))
return ''.join(reversed(digits))
| class Solution:
def add_strings(self, num1: str, num2: str) -> str:
max_len = max(len(num1), len(num2))
num1 = num1.zfill(max_len)
num2 = num2.zfill(max_len)
digits = list()
carry = 0
for idx in reversed(range(max_len)):
digit1 = int(num1[idx])
digit2 = int(num2[idx])
(carry, curr_digit) = divmod(digit1 + digit2 + carry, 10)
digits.append(str(curr_digit))
if carry:
digits.append(str(carry))
return ''.join(reversed(digits)) |
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
class Event:
def __init__(self, code, name=''):
self.code = code
self.name = name or code
def __str__(self):
return '{} : {}'.format(self.code, self.name)
class State:
def __init__(self, name, description=''):
self.name = name
self.description = description or self._desc(name)
self.actions = []
self.transitions = {}
def _desc(self, name):
return '{} state'.format(name.replace('_', ' ').capitalize())
def __str__(self):
if self.description:
return '{} ({})'.format(self.name, self.description)
else:
return self.name
def add_transition(self, event, state):
self.transitions[event.code] = state
def add_action(self, cmd):
self.actions.append(cmd)
class StateMachine:
def __init__(self, initial_state):
self.start = self.current_state = initial_state
def all_states(self):
result = set([])
def _collect_states(state, result):
result.add(state)
for s in state.transitions.values():
if s not in result:
_collect_states(s, result)
return result
return _collect_states(self.start, result)
def all_event_codes(self):
result = set([])
for state in self.all_states():
for code in state.transitions.keys():
result.add(code)
return result
def handle(self, code):
state = self.current_state
if code in state.transitions:
new_state = state.transitions[code]
else:
new_state = self.start
print('{} --[{}]--> {}'.format(state, code, new_state))
self.current_state = new_state
return new_state.actions
class NetworkBus:
def __init__(self):
self.clients = set([])
def subscribe(self, client):
self.clients.add(client)
def send(self, code):
print('Network bradcasts {} ({})'.format(code, len(self.clients)))
for c in self.clients:
actions = c.handle(code)
for action in actions:
self.send(action.code)
| class Event:
def __init__(self, code, name=''):
self.code = code
self.name = name or code
def __str__(self):
return '{} : {}'.format(self.code, self.name)
class State:
def __init__(self, name, description=''):
self.name = name
self.description = description or self._desc(name)
self.actions = []
self.transitions = {}
def _desc(self, name):
return '{} state'.format(name.replace('_', ' ').capitalize())
def __str__(self):
if self.description:
return '{} ({})'.format(self.name, self.description)
else:
return self.name
def add_transition(self, event, state):
self.transitions[event.code] = state
def add_action(self, cmd):
self.actions.append(cmd)
class Statemachine:
def __init__(self, initial_state):
self.start = self.current_state = initial_state
def all_states(self):
result = set([])
def _collect_states(state, result):
result.add(state)
for s in state.transitions.values():
if s not in result:
_collect_states(s, result)
return result
return _collect_states(self.start, result)
def all_event_codes(self):
result = set([])
for state in self.all_states():
for code in state.transitions.keys():
result.add(code)
return result
def handle(self, code):
state = self.current_state
if code in state.transitions:
new_state = state.transitions[code]
else:
new_state = self.start
print('{} --[{}]--> {}'.format(state, code, new_state))
self.current_state = new_state
return new_state.actions
class Networkbus:
def __init__(self):
self.clients = set([])
def subscribe(self, client):
self.clients.add(client)
def send(self, code):
print('Network bradcasts {} ({})'.format(code, len(self.clients)))
for c in self.clients:
actions = c.handle(code)
for action in actions:
self.send(action.code) |
# Generated from 'Menus.h'
def FOUR_CHAR_CODE(x): return x
noMark = 0
kMenuDrawMsg = 0
kMenuSizeMsg = 2
kMenuPopUpMsg = 3
kMenuCalcItemMsg = 5
kMenuThemeSavvyMsg = 7
mDrawMsg = 0
mSizeMsg = 2
mPopUpMsg = 3
mCalcItemMsg = 5
mChooseMsg = 1
mDrawItemMsg = 4
kMenuChooseMsg = 1
kMenuDrawItemMsg = 4
kThemeSavvyMenuResponse = 0x7473
kMenuInitMsg = 8
kMenuDisposeMsg = 9
kMenuFindItemMsg = 10
kMenuHiliteItemMsg = 11
kMenuDrawItemsMsg = 12
textMenuProc = 0
hMenuCmd = 27
hierMenu = -1
kInsertHierarchicalMenu = -1
mctAllItems = -98
mctLastIDIndic = -99
kMenuStdMenuProc = 63
kMenuStdMenuBarProc = 63
kMenuNoModifiers = 0
kMenuShiftModifier = (1 << 0)
kMenuOptionModifier = (1 << 1)
kMenuControlModifier = (1 << 2)
kMenuNoCommandModifier = (1 << 3)
kMenuNoIcon = 0
kMenuIconType = 1
kMenuShrinkIconType = 2
kMenuSmallIconType = 3
kMenuColorIconType = 4
kMenuIconSuiteType = 5
kMenuIconRefType = 6
kMenuCGImageRefType = 7
kMenuSystemIconSelectorType = 8
kMenuIconResourceType = 9
kMenuNullGlyph = 0x00
kMenuTabRightGlyph = 0x02
kMenuTabLeftGlyph = 0x03
kMenuEnterGlyph = 0x04
kMenuShiftGlyph = 0x05
kMenuControlGlyph = 0x06
kMenuOptionGlyph = 0x07
kMenuSpaceGlyph = 0x09
kMenuDeleteRightGlyph = 0x0A
kMenuReturnGlyph = 0x0B
kMenuReturnR2LGlyph = 0x0C
kMenuNonmarkingReturnGlyph = 0x0D
kMenuPencilGlyph = 0x0F
kMenuDownwardArrowDashedGlyph = 0x10
kMenuCommandGlyph = 0x11
kMenuCheckmarkGlyph = 0x12
kMenuDiamondGlyph = 0x13
kMenuAppleLogoFilledGlyph = 0x14
kMenuParagraphKoreanGlyph = 0x15
kMenuDeleteLeftGlyph = 0x17
kMenuLeftArrowDashedGlyph = 0x18
kMenuUpArrowDashedGlyph = 0x19
kMenuRightArrowDashedGlyph = 0x1A
kMenuEscapeGlyph = 0x1B
kMenuClearGlyph = 0x1C
kMenuLeftDoubleQuotesJapaneseGlyph = 0x1D
kMenuRightDoubleQuotesJapaneseGlyph = 0x1E
kMenuTrademarkJapaneseGlyph = 0x1F
kMenuBlankGlyph = 0x61
kMenuPageUpGlyph = 0x62
kMenuCapsLockGlyph = 0x63
kMenuLeftArrowGlyph = 0x64
kMenuRightArrowGlyph = 0x65
kMenuNorthwestArrowGlyph = 0x66
kMenuHelpGlyph = 0x67
kMenuUpArrowGlyph = 0x68
kMenuSoutheastArrowGlyph = 0x69
kMenuDownArrowGlyph = 0x6A
kMenuPageDownGlyph = 0x6B
kMenuAppleLogoOutlineGlyph = 0x6C
kMenuContextualMenuGlyph = 0x6D
kMenuPowerGlyph = 0x6E
kMenuF1Glyph = 0x6F
kMenuF2Glyph = 0x70
kMenuF3Glyph = 0x71
kMenuF4Glyph = 0x72
kMenuF5Glyph = 0x73
kMenuF6Glyph = 0x74
kMenuF7Glyph = 0x75
kMenuF8Glyph = 0x76
kMenuF9Glyph = 0x77
kMenuF10Glyph = 0x78
kMenuF11Glyph = 0x79
kMenuF12Glyph = 0x7A
kMenuF13Glyph = 0x87
kMenuF14Glyph = 0x88
kMenuF15Glyph = 0x89
kMenuControlISOGlyph = 0x8A
kMenuAttrExcludesMarkColumn = (1 << 0)
kMenuAttrAutoDisable = (1 << 2)
kMenuAttrUsePencilGlyph = (1 << 3)
kMenuAttrHidden = (1 << 4)
kMenuItemAttrDisabled = (1 << 0)
kMenuItemAttrIconDisabled = (1 << 1)
kMenuItemAttrSubmenuParentChoosable = (1 << 2)
kMenuItemAttrDynamic = (1 << 3)
kMenuItemAttrNotPreviousAlternate = (1 << 4)
kMenuItemAttrHidden = (1 << 5)
kMenuItemAttrSeparator = (1 << 6)
kMenuItemAttrSectionHeader = (1 << 7)
kMenuItemAttrIgnoreMeta = (1 << 8)
kMenuItemAttrAutoRepeat = (1 << 9)
kMenuItemAttrUseVirtualKey = (1 << 10)
kMenuItemAttrCustomDraw = (1 << 11)
kMenuItemAttrIncludeInCmdKeyMatching = (1 << 12)
kMenuTrackingModeMouse = 1
kMenuTrackingModeKeyboard = 2
kMenuEventIncludeDisabledItems = 0x0001
kMenuEventQueryOnly = 0x0002
kMenuEventDontCheckSubmenus = 0x0004
kMenuItemDataText = (1 << 0)
kMenuItemDataMark = (1 << 1)
kMenuItemDataCmdKey = (1 << 2)
kMenuItemDataCmdKeyGlyph = (1 << 3)
kMenuItemDataCmdKeyModifiers = (1 << 4)
kMenuItemDataStyle = (1 << 5)
kMenuItemDataEnabled = (1 << 6)
kMenuItemDataIconEnabled = (1 << 7)
kMenuItemDataIconID = (1 << 8)
kMenuItemDataIconHandle = (1 << 9)
kMenuItemDataCommandID = (1 << 10)
kMenuItemDataTextEncoding = (1 << 11)
kMenuItemDataSubmenuID = (1 << 12)
kMenuItemDataSubmenuHandle = (1 << 13)
kMenuItemDataFontID = (1 << 14)
kMenuItemDataRefcon = (1 << 15)
kMenuItemDataAttributes = (1 << 16)
kMenuItemDataCFString = (1 << 17)
kMenuItemDataProperties = (1 << 18)
kMenuItemDataIndent = (1 << 19)
kMenuItemDataCmdVirtualKey = (1 << 20)
kMenuItemDataAllDataVersionOne = 0x000FFFFF
kMenuItemDataAllDataVersionTwo = kMenuItemDataAllDataVersionOne | kMenuItemDataCmdVirtualKey
kMenuDefProcPtr = 0
kMenuPropertyPersistent = 0x00000001
kHierarchicalFontMenuOption = 0x00000001
gestaltContextualMenuAttr = FOUR_CHAR_CODE('cmnu')
gestaltContextualMenuUnusedBit = 0
gestaltContextualMenuTrapAvailable = 1
gestaltContextualMenuHasAttributeAndModifierKeys = 2
gestaltContextualMenuHasUnicodeSupport = 3
kCMHelpItemNoHelp = 0
kCMHelpItemAppleGuide = 1
kCMHelpItemOtherHelp = 2
kCMHelpItemRemoveHelp = 3
kCMNothingSelected = 0
kCMMenuItemSelected = 1
kCMShowHelpSelected = 3
keyContextualMenuName = FOUR_CHAR_CODE('pnam')
keyContextualMenuCommandID = FOUR_CHAR_CODE('cmcd')
keyContextualMenuSubmenu = FOUR_CHAR_CODE('cmsb')
keyContextualMenuAttributes = FOUR_CHAR_CODE('cmat')
keyContextualMenuModifiers = FOUR_CHAR_CODE('cmmd')
| def four_char_code(x):
return x
no_mark = 0
k_menu_draw_msg = 0
k_menu_size_msg = 2
k_menu_pop_up_msg = 3
k_menu_calc_item_msg = 5
k_menu_theme_savvy_msg = 7
m_draw_msg = 0
m_size_msg = 2
m_pop_up_msg = 3
m_calc_item_msg = 5
m_choose_msg = 1
m_draw_item_msg = 4
k_menu_choose_msg = 1
k_menu_draw_item_msg = 4
k_theme_savvy_menu_response = 29811
k_menu_init_msg = 8
k_menu_dispose_msg = 9
k_menu_find_item_msg = 10
k_menu_hilite_item_msg = 11
k_menu_draw_items_msg = 12
text_menu_proc = 0
h_menu_cmd = 27
hier_menu = -1
k_insert_hierarchical_menu = -1
mct_all_items = -98
mct_last_id_indic = -99
k_menu_std_menu_proc = 63
k_menu_std_menu_bar_proc = 63
k_menu_no_modifiers = 0
k_menu_shift_modifier = 1 << 0
k_menu_option_modifier = 1 << 1
k_menu_control_modifier = 1 << 2
k_menu_no_command_modifier = 1 << 3
k_menu_no_icon = 0
k_menu_icon_type = 1
k_menu_shrink_icon_type = 2
k_menu_small_icon_type = 3
k_menu_color_icon_type = 4
k_menu_icon_suite_type = 5
k_menu_icon_ref_type = 6
k_menu_cg_image_ref_type = 7
k_menu_system_icon_selector_type = 8
k_menu_icon_resource_type = 9
k_menu_null_glyph = 0
k_menu_tab_right_glyph = 2
k_menu_tab_left_glyph = 3
k_menu_enter_glyph = 4
k_menu_shift_glyph = 5
k_menu_control_glyph = 6
k_menu_option_glyph = 7
k_menu_space_glyph = 9
k_menu_delete_right_glyph = 10
k_menu_return_glyph = 11
k_menu_return_r2_l_glyph = 12
k_menu_nonmarking_return_glyph = 13
k_menu_pencil_glyph = 15
k_menu_downward_arrow_dashed_glyph = 16
k_menu_command_glyph = 17
k_menu_checkmark_glyph = 18
k_menu_diamond_glyph = 19
k_menu_apple_logo_filled_glyph = 20
k_menu_paragraph_korean_glyph = 21
k_menu_delete_left_glyph = 23
k_menu_left_arrow_dashed_glyph = 24
k_menu_up_arrow_dashed_glyph = 25
k_menu_right_arrow_dashed_glyph = 26
k_menu_escape_glyph = 27
k_menu_clear_glyph = 28
k_menu_left_double_quotes_japanese_glyph = 29
k_menu_right_double_quotes_japanese_glyph = 30
k_menu_trademark_japanese_glyph = 31
k_menu_blank_glyph = 97
k_menu_page_up_glyph = 98
k_menu_caps_lock_glyph = 99
k_menu_left_arrow_glyph = 100
k_menu_right_arrow_glyph = 101
k_menu_northwest_arrow_glyph = 102
k_menu_help_glyph = 103
k_menu_up_arrow_glyph = 104
k_menu_southeast_arrow_glyph = 105
k_menu_down_arrow_glyph = 106
k_menu_page_down_glyph = 107
k_menu_apple_logo_outline_glyph = 108
k_menu_contextual_menu_glyph = 109
k_menu_power_glyph = 110
k_menu_f1_glyph = 111
k_menu_f2_glyph = 112
k_menu_f3_glyph = 113
k_menu_f4_glyph = 114
k_menu_f5_glyph = 115
k_menu_f6_glyph = 116
k_menu_f7_glyph = 117
k_menu_f8_glyph = 118
k_menu_f9_glyph = 119
k_menu_f10_glyph = 120
k_menu_f11_glyph = 121
k_menu_f12_glyph = 122
k_menu_f13_glyph = 135
k_menu_f14_glyph = 136
k_menu_f15_glyph = 137
k_menu_control_iso_glyph = 138
k_menu_attr_excludes_mark_column = 1 << 0
k_menu_attr_auto_disable = 1 << 2
k_menu_attr_use_pencil_glyph = 1 << 3
k_menu_attr_hidden = 1 << 4
k_menu_item_attr_disabled = 1 << 0
k_menu_item_attr_icon_disabled = 1 << 1
k_menu_item_attr_submenu_parent_choosable = 1 << 2
k_menu_item_attr_dynamic = 1 << 3
k_menu_item_attr_not_previous_alternate = 1 << 4
k_menu_item_attr_hidden = 1 << 5
k_menu_item_attr_separator = 1 << 6
k_menu_item_attr_section_header = 1 << 7
k_menu_item_attr_ignore_meta = 1 << 8
k_menu_item_attr_auto_repeat = 1 << 9
k_menu_item_attr_use_virtual_key = 1 << 10
k_menu_item_attr_custom_draw = 1 << 11
k_menu_item_attr_include_in_cmd_key_matching = 1 << 12
k_menu_tracking_mode_mouse = 1
k_menu_tracking_mode_keyboard = 2
k_menu_event_include_disabled_items = 1
k_menu_event_query_only = 2
k_menu_event_dont_check_submenus = 4
k_menu_item_data_text = 1 << 0
k_menu_item_data_mark = 1 << 1
k_menu_item_data_cmd_key = 1 << 2
k_menu_item_data_cmd_key_glyph = 1 << 3
k_menu_item_data_cmd_key_modifiers = 1 << 4
k_menu_item_data_style = 1 << 5
k_menu_item_data_enabled = 1 << 6
k_menu_item_data_icon_enabled = 1 << 7
k_menu_item_data_icon_id = 1 << 8
k_menu_item_data_icon_handle = 1 << 9
k_menu_item_data_command_id = 1 << 10
k_menu_item_data_text_encoding = 1 << 11
k_menu_item_data_submenu_id = 1 << 12
k_menu_item_data_submenu_handle = 1 << 13
k_menu_item_data_font_id = 1 << 14
k_menu_item_data_refcon = 1 << 15
k_menu_item_data_attributes = 1 << 16
k_menu_item_data_cf_string = 1 << 17
k_menu_item_data_properties = 1 << 18
k_menu_item_data_indent = 1 << 19
k_menu_item_data_cmd_virtual_key = 1 << 20
k_menu_item_data_all_data_version_one = 1048575
k_menu_item_data_all_data_version_two = kMenuItemDataAllDataVersionOne | kMenuItemDataCmdVirtualKey
k_menu_def_proc_ptr = 0
k_menu_property_persistent = 1
k_hierarchical_font_menu_option = 1
gestalt_contextual_menu_attr = four_char_code('cmnu')
gestalt_contextual_menu_unused_bit = 0
gestalt_contextual_menu_trap_available = 1
gestalt_contextual_menu_has_attribute_and_modifier_keys = 2
gestalt_contextual_menu_has_unicode_support = 3
k_cm_help_item_no_help = 0
k_cm_help_item_apple_guide = 1
k_cm_help_item_other_help = 2
k_cm_help_item_remove_help = 3
k_cm_nothing_selected = 0
k_cm_menu_item_selected = 1
k_cm_show_help_selected = 3
key_contextual_menu_name = four_char_code('pnam')
key_contextual_menu_command_id = four_char_code('cmcd')
key_contextual_menu_submenu = four_char_code('cmsb')
key_contextual_menu_attributes = four_char_code('cmat')
key_contextual_menu_modifiers = four_char_code('cmmd') |
# determine unique number
n=input("Enter the number \n")
c=0
for i in n:
for j in n:
if(i==j):
c+=1
if c>1:
print("not a unique number")
break
else:
c=0
if(c<=1):
print("unique number")
| n = input('Enter the number \n')
c = 0
for i in n:
for j in n:
if i == j:
c += 1
if c > 1:
print('not a unique number')
break
else:
c = 0
if c <= 1:
print('unique number') |
#X_train shape = (S,T,h,f,i) see figure 4 in the paper
def KARI_MODEL_convlstm(X_train,n_classes):
model = tf.keras.Sequential()
print(X_train.shape)
model.add(tf.keras.layers.ConvLSTM2D(filters=40, kernel_size=(3, 3),
input_shape=(X_train.shape[1],X_train.shape[2],X_train.shape[3],X_train.shape[4]),
padding='same', return_sequences=True))
model.add(tf.keras.layers.BatchNormalization())
model.add(tf.keras.layers.ConvLSTM2D(filters=80, kernel_size=(3, 3),
padding='same', return_sequences=True))
model.add(tf.keras.layers.BatchNormalization())
model.add(tf.keras.layers.ConvLSTM2D(filters=120, kernel_size=(3, 3),
padding='same', return_sequences=True))
model.add(tf.keras.layers.BatchNormalization())
model.add(tf.keras.layers.ConvLSTM2D(filters=160, kernel_size=(3, 3),
padding='same', return_sequences=True))
model.add(tf.keras.layers.BatchNormalization())
model.add(tf.keras.layers.Conv3D(filters=1, kernel_size=(3, 3, 3),
activation='sigmoid',
padding='same', data_format='channels_last'))
model.add(tf.keras.layers.Flatten())
model.add(tf.keras.layers.Dense(n_classes, activation='linear'))
return model
| def kari_model_convlstm(X_train, n_classes):
model = tf.keras.Sequential()
print(X_train.shape)
model.add(tf.keras.layers.ConvLSTM2D(filters=40, kernel_size=(3, 3), input_shape=(X_train.shape[1], X_train.shape[2], X_train.shape[3], X_train.shape[4]), padding='same', return_sequences=True))
model.add(tf.keras.layers.BatchNormalization())
model.add(tf.keras.layers.ConvLSTM2D(filters=80, kernel_size=(3, 3), padding='same', return_sequences=True))
model.add(tf.keras.layers.BatchNormalization())
model.add(tf.keras.layers.ConvLSTM2D(filters=120, kernel_size=(3, 3), padding='same', return_sequences=True))
model.add(tf.keras.layers.BatchNormalization())
model.add(tf.keras.layers.ConvLSTM2D(filters=160, kernel_size=(3, 3), padding='same', return_sequences=True))
model.add(tf.keras.layers.BatchNormalization())
model.add(tf.keras.layers.Conv3D(filters=1, kernel_size=(3, 3, 3), activation='sigmoid', padding='same', data_format='channels_last'))
model.add(tf.keras.layers.Flatten())
model.add(tf.keras.layers.Dense(n_classes, activation='linear'))
return model |
def store_evt_number(evt, dic):
dic["Event"] = evt.GetLeaf("event").GetValue()
default_attrs = ["pt", "eta", "phi"]
def store(evt, dic, name, index, branch_prefix, attrs = default_attrs):
for attr in attrs:
if attr == "pdgId" and branch_prefix == "Tau":
dic["{}_{}".format(name, "pdgId")] = evt.GetLeaf("{}_{}".format(branch_prefix, "charge")).GetValue(index) * -15
else:
dic["{}_{}".format(name, attr)] = evt.GetLeaf("{}_{}".format(branch_prefix, attr)).GetValue(index)
if "pdgId" in attrs:
# GenPart_mass :
# Mass stored for all particles with the exception of quarks (except top), leptons/neutrinos, photons with mass < 1 GeV, gluons, pi0(111), pi+(211), D0(421), and D+(411). For these particles, you can lookup the value from PDG.
# Values are taken from PDG booklet 2018
if abs(dic["{}_{}".format(name, "pdgId")]) == 15: # tau
dic["{}_{}".format(name, "mass")] = 1.77686
elif abs(dic["{}_{}".format(name, "pdgId")])== 13: # muon
dic["{}_{}".format(name, "mass")] = 0.1056583745
elif abs(dic["{}_{}".format(name, "pdgId")])== 11: # electron
dic["{}_{}".format(name, "mass")] = 510.9989461 * 10**(-6)
default_gen_ptc_attrs = ["pdgId", "mass", "pt", "eta", "phi"]
def store_gen_ptc(evt, dic, name, gen_ptc_idx, attrs = default_gen_ptc_attrs):
store(evt, dic, name, gen_ptc_idx, "GenPart", attrs = attrs)
def store_gen_MET(evt, dic):
store(evt, dic, "MET", 0, "GenMET",
attrs = ["pt", "phi"])
def store_reco_MET(evt, dic):
store(evt, dic, "MET", 0, "MET",
attrs = ["pt", "phi", "covXX", "covXY", "covYY", "significance"])
store(evt, dic, "PuppiMET", 0, "PuppiMET",
attrs = ["pt", "phi"])
def store_reco_PU(evt, dic):
store(evt, dic, "PU", 0, "PV",
attrs = ["npvsGood", "npvs"])
default_jet_attrs = default_attrs + ["btagDeepB"]
def store_jet(evt, dic, name, jet_index, attrs = default_jet_attrs):
store(evt, dic, name, jet_index, "Jet", attrs = attrs)
def store_remaining_jets(evt, dic, name, remaining_jets_pt, remaining_jets_eta, remaining_jets_phi, remaining_jets_N):
dic["{}_{}".format(name, "pt")] = remaining_jets_pt
dic["{}_{}".format(name, "eta")] = remaining_jets_eta
dic["{}_{}".format(name, "phi")] = remaining_jets_phi
dic["{}_{}".format(name, "N")] = remaining_jets_N
default_HTT_leg_attrs = default_attrs + ["charge", "pdgId"]
def store_HTT_leg(evt, dic, name, ptc_index, type=None, attrs = default_HTT_leg_attrs):
if type == "t":
store_tauh(evt, dic, name, ptc_index, attrs=attrs)
elif type == "m":
store_muon(evt, dic, name, ptc_index, attrs=attrs)
elif type =="e":
store_electron(evt, dic, name, ptc_index, attrs=attrs)
def store_tauh(evt, dic, name, tauh_index, attrs = default_HTT_leg_attrs):
store(evt, dic, name, tauh_index, "Tau", attrs = attrs)
def store_muon(evt, dic, name, muon_index, attrs = default_HTT_leg_attrs):
store(evt, dic, name, muon_index, "Muon", attrs = attrs)
def store_electron(evt, dic, name, ele_index, attrs = default_HTT_leg_attrs):
store(evt, dic, name, ele_index, "Electron", attrs = attrs)
def store_none(dic, name, type="jet"):
attrs = []
if type == "jet":
attrs = default_jet_attrs
for attr in attrs:
dic["{}_{}".format(name, attr)] = 0
| def store_evt_number(evt, dic):
dic['Event'] = evt.GetLeaf('event').GetValue()
default_attrs = ['pt', 'eta', 'phi']
def store(evt, dic, name, index, branch_prefix, attrs=default_attrs):
for attr in attrs:
if attr == 'pdgId' and branch_prefix == 'Tau':
dic['{}_{}'.format(name, 'pdgId')] = evt.GetLeaf('{}_{}'.format(branch_prefix, 'charge')).GetValue(index) * -15
else:
dic['{}_{}'.format(name, attr)] = evt.GetLeaf('{}_{}'.format(branch_prefix, attr)).GetValue(index)
if 'pdgId' in attrs:
if abs(dic['{}_{}'.format(name, 'pdgId')]) == 15:
dic['{}_{}'.format(name, 'mass')] = 1.77686
elif abs(dic['{}_{}'.format(name, 'pdgId')]) == 13:
dic['{}_{}'.format(name, 'mass')] = 0.1056583745
elif abs(dic['{}_{}'.format(name, 'pdgId')]) == 11:
dic['{}_{}'.format(name, 'mass')] = 510.9989461 * 10 ** (-6)
default_gen_ptc_attrs = ['pdgId', 'mass', 'pt', 'eta', 'phi']
def store_gen_ptc(evt, dic, name, gen_ptc_idx, attrs=default_gen_ptc_attrs):
store(evt, dic, name, gen_ptc_idx, 'GenPart', attrs=attrs)
def store_gen_met(evt, dic):
store(evt, dic, 'MET', 0, 'GenMET', attrs=['pt', 'phi'])
def store_reco_met(evt, dic):
store(evt, dic, 'MET', 0, 'MET', attrs=['pt', 'phi', 'covXX', 'covXY', 'covYY', 'significance'])
store(evt, dic, 'PuppiMET', 0, 'PuppiMET', attrs=['pt', 'phi'])
def store_reco_pu(evt, dic):
store(evt, dic, 'PU', 0, 'PV', attrs=['npvsGood', 'npvs'])
default_jet_attrs = default_attrs + ['btagDeepB']
def store_jet(evt, dic, name, jet_index, attrs=default_jet_attrs):
store(evt, dic, name, jet_index, 'Jet', attrs=attrs)
def store_remaining_jets(evt, dic, name, remaining_jets_pt, remaining_jets_eta, remaining_jets_phi, remaining_jets_N):
dic['{}_{}'.format(name, 'pt')] = remaining_jets_pt
dic['{}_{}'.format(name, 'eta')] = remaining_jets_eta
dic['{}_{}'.format(name, 'phi')] = remaining_jets_phi
dic['{}_{}'.format(name, 'N')] = remaining_jets_N
default_htt_leg_attrs = default_attrs + ['charge', 'pdgId']
def store_htt_leg(evt, dic, name, ptc_index, type=None, attrs=default_HTT_leg_attrs):
if type == 't':
store_tauh(evt, dic, name, ptc_index, attrs=attrs)
elif type == 'm':
store_muon(evt, dic, name, ptc_index, attrs=attrs)
elif type == 'e':
store_electron(evt, dic, name, ptc_index, attrs=attrs)
def store_tauh(evt, dic, name, tauh_index, attrs=default_HTT_leg_attrs):
store(evt, dic, name, tauh_index, 'Tau', attrs=attrs)
def store_muon(evt, dic, name, muon_index, attrs=default_HTT_leg_attrs):
store(evt, dic, name, muon_index, 'Muon', attrs=attrs)
def store_electron(evt, dic, name, ele_index, attrs=default_HTT_leg_attrs):
store(evt, dic, name, ele_index, 'Electron', attrs=attrs)
def store_none(dic, name, type='jet'):
attrs = []
if type == 'jet':
attrs = default_jet_attrs
for attr in attrs:
dic['{}_{}'.format(name, attr)] = 0 |
numero_de_notas = 0
promedio = 0.0
print("Cuantas notas tienes?")
numero_de_notas = int(input())
count = 0
while count != numero_de_notas:
print("Entre nota en decimal")
nota = float(input())
promedio = promedio + nota
count = count + 1
promedio = promedio / numero_de_notas
print("El promedio es")
print(promedio) | numero_de_notas = 0
promedio = 0.0
print('Cuantas notas tienes?')
numero_de_notas = int(input())
count = 0
while count != numero_de_notas:
print('Entre nota en decimal')
nota = float(input())
promedio = promedio + nota
count = count + 1
promedio = promedio / numero_de_notas
print('El promedio es')
print(promedio) |
def say_hello(name, age):
return f'hello {name} you are {age} years old'
hello = say_hello(name='nico', age='12')
print(hello)
items = ['marina', 9, 5, 'fernanda', 4, 20020, 'Irraaa', 9.5]
def parse_lists(some_list):
str_list_items = []
num_list_items = []
for i in some_list:
if isinstance(i, float) or isinstance(i, int):
num_list_items.append(i)
elif isinstance(i, str):
str_list_items.append(i)
else:
pass
return str_list_items, num_list_items
print(parse_lists(items))
| def say_hello(name, age):
return f'hello {name} you are {age} years old'
hello = say_hello(name='nico', age='12')
print(hello)
items = ['marina', 9, 5, 'fernanda', 4, 20020, 'Irraaa', 9.5]
def parse_lists(some_list):
str_list_items = []
num_list_items = []
for i in some_list:
if isinstance(i, float) or isinstance(i, int):
num_list_items.append(i)
elif isinstance(i, str):
str_list_items.append(i)
else:
pass
return (str_list_items, num_list_items)
print(parse_lists(items)) |
class Error(Exception):
pass
class InvalidKeysInFile(Error):
def __init__(self, fileName,message = 'Keys are in invalid format'):
self.file = fileName
self.message = message
super().__init__(message)
def __str__(self):
return f'{self.message} in the file {self.file}'
class FileNotExists(Error):
def __init__(self, fileName,message = ''):
self.file = fileName
self.message = message
super().__init__(message)
def __str__(self):
return f'{self.message}The file {self.file} does not exists'
class InvalidFileName(Error):
pass
class ValueNotProvided(Error):
pass
class KeyNotProvided(Error):
pass | class Error(Exception):
pass
class Invalidkeysinfile(Error):
def __init__(self, fileName, message='Keys are in invalid format'):
self.file = fileName
self.message = message
super().__init__(message)
def __str__(self):
return f'{self.message} in the file {self.file}'
class Filenotexists(Error):
def __init__(self, fileName, message=''):
self.file = fileName
self.message = message
super().__init__(message)
def __str__(self):
return f'{self.message}The file {self.file} does not exists'
class Invalidfilename(Error):
pass
class Valuenotprovided(Error):
pass
class Keynotprovided(Error):
pass |
# Product Inventory Project
# Create an application which manages an inventory of products.
# Create a product class which has a price, ID, and qty on hand.
# Then create an inventory class which keeps track of various
# products and can sum up the inventory value.
class product(object):
if __name__ == '__main__':
inventory = [[], [], [], []]
types = {'pid' : 0, 'name' : 1, 'price' : 2, 'qty' : 3}
def __init__(self):
self.pid = self.inventory[0]
self.name = self.inventory[1]
self.price = self.inventory[2]
self.qty = self.inventory[3]
def add(self, pid, name, price, qty):
''' (int, str, float, int) - > str
Adds an item into the inventory containing the following data:
PID, name, price and qty.
>>>product.add(74025, 'Bathwater', 62.78, 46)
Product Added
>>>product.add(12674, 'Water', 201.35, 22)
Product Added
>>>inventory.lookup(74025)
Product #: 74025 Name: Bathwater
Price per unit: 62.78 Qty: 46
Finished Searching.
>>> inventory.lookup(12674)
Product #: 12674 Name: Water
Price per unit: 201.35 Qty: 22
'''
pid = self.pid.append(pid)
name = self.name.append(name)
price = self.price.append(price)
qty = self.qty.append(qty)
print('Product Added')
def remove(self, pid):
''' (int) -> str
Item is located by user input PID and removed from inventory.
>>>product.remove(63456)
Product Removed
>>>product.remove(12674)
Product Removed
>>>inventory.showall()
Product #: 32345 Name: Crazy Texas Robot Millionaire
Price per unit: 40.0 Qty: 54
Product #: 41058 Name: Some wires
Price per unit: 40.0 Qty: 2
Product #: 71658 Name: Mice
Price per unit: 12.84 Qty: 154
Product #: 74025 Name: Bathwater
Price per unit: 62.78 Qty: 46
Product #: 81324 Name: Livers
Price per unit: 85.95 Qty: 26
Product #: 87421 Name: Poo
Price per unit: 6.99 Qty: 0 - PRODUCT IS OUT OF STOCK
Product #: 97256 Name: Shoes with Attitude
Price per unit: 40.0 Qty: 9
End of List
'''
ind = self.pid.index(pid)
for p in self.inventory:
p.remove(p[ind])
print('Product Removed')
def changevalue(self, pid, typ, new):
''' (int, str, str) -> str
Changes the value of an item with user specified type
Valid types are 'pid', 'name', 'price' and 'qty'
>>> product.changevalue(97256, 'pid', 45206)
Value successfully updated
>>> product.changevalue(81324, 'name', 'tacos')
Value successfully updated
>>> inventory.lookup(45206)
Product #: 45206 Name: Shoes with Attitude
Price per unit: 40.0 Qty: 9
Finished Searching.
>>> inventory.lookup(81324)
Product #: 81324 Name: tacos
Price per unit: 85.95 Qty: 26
Finished Searching.
'''
self.key = self.types.get(typ)
ind = self.pid.index(pid)
self.inventory[self.key][ind] = new
print('Value successfully updated')
class inventory(object):
if __name__ == '__main__':
def __init__(self):
self.inventory = product.inventory
self.types = product.types
self.pid = product.pid
self.name = product.name
self.nam = self.types.get('name')
self.key = self.types.get('pid')
self.qty = self.types.get('qty')
self.pri = self.types.get('price')
self.g = list()
self.h = list()
def sort_inventory(self):
self.g = []
for p in range(len(self.inventory[0])):
for j in range(len(self.inventory)):
self.h.append(self.inventory[j][p])
self.g.append(self.h)
self.h = []
self.g.sort(key=lambda g: g[0])
def showall(self):
''' (none) -> list
Returns a list of PID, NAME, PRICE, QTY per product for each listing
currently in inventory. If QTY is 0, item will be labeled "Out of stock"
>>>inventory.showall()
Product #: 32345 Name: Crazy Texas Robot Millionaire
Price per unit: 40.0 Qty: 54
Product #: 41058 Name: Some wires
Price per unit: 40.0 Qty: 2
Product #: 45206 Name: Shoes with Attitude
Price per unit: 40.0 Qty: 9
Product #: 71658 Name: Mice
Price per unit: 12.84 Qty: 154
Product #: 74025 Name: Bathwater
Price per unit: 62.78 Qty: 46
Product #: 81324 Name: tacos
Price per unit: 85.95 Qty: 26
Product #: 87421 Name: Poo
Price per unit: 6.99 Qty: 0 - PRODUCT IS OUT OF STOCK
End of List
'''
self.sort_inventory()
for x in self.g:
print('Product #: ', end='')
print(x[self.key], end=' ')
print('Name: ', end='')
print(x[self.nam], end='\n')
print('Price per unit: ', end='')
print(x[self.pri], end=' ')
print('Qty: ', end='')
print(x[self.qty], end=' ')
if x[self.qty] == 0:
print('- PRODUCT IS OUT OF STOCK', end='\n \n')
else:
print('', end='\n \n')
print('End of List')
def lookup(self, value):
''' (int) -> list , (float) -> list , (str) -> list
Returns a list of all products in inventory which share the same
value input
>>> inventory.lookup(40.00)
Product #: 32345 Name: Crazy Texas Robot Millionaire
Price per unit: 40.0 Qty: 54
Product #: 41058 Name: Some wires
Price per unit: 40.0 Qty: 2
Product #: 97256 Name: Shoes with Attitude
Price per unit: 40.0 Qty: 9
Finished Searching
>>> inventory.lookup(0)
Product #: 87421 Name: Poo
Price per unit: 6.99 Qty: 0 - PRODUCT IS OUT OF STOCK
Finished Searching.
'''
self.sort_inventory()
for x in self.g:
if value in x:
print('Product #: ', end='')
print(x[self.key], end=' ')
print('Name: ', end='')
print(x[self.nam], end='\n')
print('Price per unit: ', end='')
print(x[self.pri], end=' ')
print('Qty: ', end='')
print(x[self.qty], end=' ')
if x[self.qty] == 0:
print('- PRODUCT IS OUT OF STOCK', end='\n \n')
else:
print('', end='\n \n')
print('Finished Searching.')
def get_qty(self, pid):
''' (int) -> float
Returns the quantity of product from specified PID
>>> inventory.get_qty(45206)
Product #: 45206 Name: Shoes with Attitude
Units in stock: 9
>>> inventory.get_qty(87421)
Product #: 87421 Name: Poo
Units in stock: 0 - PRODUCT IS OUT OF STOCK
'''
self.sort_inventory()
ind = self.inventory[self.key].index(pid)
print('Product #: ', end='')
print(pid, end=' ')
print('Name: ', end='')
print(self.inventory[self.nam][ind], end='\n')
print('Units in stock:', end=' ')
print(self.inventory[self.qty][ind], end=' ')
if self.inventory[self.qty][ind] == 0:
print('- PRODUCT IS OUT OF STOCK', end='')
def get_prod_bel_qty(self, qty):
''' (int) -> list
Returns a list of all products in inventory whos quantities are the
same or fall below input qty
>>> inventory.get_prod_bel_qty(50)
Product #: 41058 Name: Some wires
Units in stock: 2
Product #: 45206 Name: Shoes with Attitude
Units in stock: 9
Product #: 74025 Name: Bathwater
Units in stock: 46
Product #: 81324 Name: tacos
Units in stock: 26
Product #: 87421 Name: Poo
Units in stock: 0 - PRODUCT IS OUT OF STOCK
Finished Searching.
'''
self.sort_inventory()
for x in self.g:
if qty >= x[self.qty]:
print('Product #: ', end='')
print(x[self.key], end=' ')
print('Name: ', end='')
print(x[self.nam], end='\n')
print('Units in stock:', end=' ')
print(x[self.qty], end=' ')
if x[self.qty] == 0:
print('- PRODUCT IS OUT OF STOCK', end='\n \n')
else:
print('', end='\n \n')
print('Finished Searching.')
def sum_inventory_value(self):
''' (none) -> list
Returns a list containing how much money the entire quantities of
each product in inventory are worth. Also returns the sum of the
value of the products in inventory for a total inventory value.
>>> inventory.sum_inventory_value()
Product #: 32345 Name: Crazy Texas Robot Millionaire
Price per unit: 40.0 @ 54/unit
Total product value: 2160.0
Product #: 41058 Name: Some wires
Price per unit: 40.0 @ 2/unit
Total product value: 80.0
Product #: 45206 Name: Shoes with Attitude
Price per unit: 40.0 @ 9/unit
Total product value: 360.0
Product #: 71658 Name: Mice
Price per unit: 12.84 @ 154/unit
Total product value: 1977.36
Product #: 74025 Name: Bathwater
Price per unit: 62.78 @ 46/unit
Total product value: 2887.88
Product #: 81324 Name: tacos
Price per unit: 85.95 @ 26/unit
Total product value: 2234.7
Product #: 87421 Name: Poo
Price per unit: 6.99 @ 0/unit
Total product value: 0.0
Total value of all units: 9699.94
'''
a = 0
self.g = []
self.sort_inventory()
for x in self.g:
i = x[self.qty] * x[self.pri]
a = i + a
print('Product #: ', end='')
print(x[self.key], end=' ')
print('Name: ', end='')
print(x[self.nam], end='\n')
print('Price per unit: ', end='')
print(x[self.pri], end='')
print(' @ ', end='')
print(x[self.qty], end='')
print('/unit', end='\n')
print('Total product value: ', end='')
print(round(i, 2), end='\n \n')
print('Total value of all units: ', end='')
print(round(a, 2), end='')
#Sould be easy enough remember for ease of testing.
product = product()
inventory = inventory()
#I have included a small inventory for ease of testing
product.add(63456, 'Meow', 60.00, 0)
product.add(32345, 'Crazy Texas Robot Millionaire', 40.00, 54)
product.add(97256, 'Shoes with Attitude', 40.00, 9)
product.add(81324, 'Livers', 85.95, 26)
product.add(87421, 'Poo', 6.99, 0)
product.add(41058, 'Some wires', 40.00, 2)
product.add(71658, 'Mice', 12.84, 154)
inventory.showall()
product.add(32345, 'Crazy Texas Robot Millionaire', 40.00, 54)
product.add(97256, 'Shoes with Attitude', 40.00, 9)
inventory.showall()
| class Product(object):
if __name__ == '__main__':
inventory = [[], [], [], []]
types = {'pid': 0, 'name': 1, 'price': 2, 'qty': 3}
def __init__(self):
self.pid = self.inventory[0]
self.name = self.inventory[1]
self.price = self.inventory[2]
self.qty = self.inventory[3]
def add(self, pid, name, price, qty):
""" (int, str, float, int) - > str
Adds an item into the inventory containing the following data:
PID, name, price and qty.
>>>product.add(74025, 'Bathwater', 62.78, 46)
Product Added
>>>product.add(12674, 'Water', 201.35, 22)
Product Added
>>>inventory.lookup(74025)
Product #: 74025 Name: Bathwater
Price per unit: 62.78 Qty: 46
Finished Searching.
>>> inventory.lookup(12674)
Product #: 12674 Name: Water
Price per unit: 201.35 Qty: 22
"""
pid = self.pid.append(pid)
name = self.name.append(name)
price = self.price.append(price)
qty = self.qty.append(qty)
print('Product Added')
def remove(self, pid):
""" (int) -> str
Item is located by user input PID and removed from inventory.
>>>product.remove(63456)
Product Removed
>>>product.remove(12674)
Product Removed
>>>inventory.showall()
Product #: 32345 Name: Crazy Texas Robot Millionaire
Price per unit: 40.0 Qty: 54
Product #: 41058 Name: Some wires
Price per unit: 40.0 Qty: 2
Product #: 71658 Name: Mice
Price per unit: 12.84 Qty: 154
Product #: 74025 Name: Bathwater
Price per unit: 62.78 Qty: 46
Product #: 81324 Name: Livers
Price per unit: 85.95 Qty: 26
Product #: 87421 Name: Poo
Price per unit: 6.99 Qty: 0 - PRODUCT IS OUT OF STOCK
Product #: 97256 Name: Shoes with Attitude
Price per unit: 40.0 Qty: 9
End of List
"""
ind = self.pid.index(pid)
for p in self.inventory:
p.remove(p[ind])
print('Product Removed')
def changevalue(self, pid, typ, new):
""" (int, str, str) -> str
Changes the value of an item with user specified type
Valid types are 'pid', 'name', 'price' and 'qty'
>>> product.changevalue(97256, 'pid', 45206)
Value successfully updated
>>> product.changevalue(81324, 'name', 'tacos')
Value successfully updated
>>> inventory.lookup(45206)
Product #: 45206 Name: Shoes with Attitude
Price per unit: 40.0 Qty: 9
Finished Searching.
>>> inventory.lookup(81324)
Product #: 81324 Name: tacos
Price per unit: 85.95 Qty: 26
Finished Searching.
"""
self.key = self.types.get(typ)
ind = self.pid.index(pid)
self.inventory[self.key][ind] = new
print('Value successfully updated')
class Inventory(object):
if __name__ == '__main__':
def __init__(self):
self.inventory = product.inventory
self.types = product.types
self.pid = product.pid
self.name = product.name
self.nam = self.types.get('name')
self.key = self.types.get('pid')
self.qty = self.types.get('qty')
self.pri = self.types.get('price')
self.g = list()
self.h = list()
def sort_inventory(self):
self.g = []
for p in range(len(self.inventory[0])):
for j in range(len(self.inventory)):
self.h.append(self.inventory[j][p])
self.g.append(self.h)
self.h = []
self.g.sort(key=lambda g: g[0])
def showall(self):
""" (none) -> list
Returns a list of PID, NAME, PRICE, QTY per product for each listing
currently in inventory. If QTY is 0, item will be labeled "Out of stock"
>>>inventory.showall()
Product #: 32345 Name: Crazy Texas Robot Millionaire
Price per unit: 40.0 Qty: 54
Product #: 41058 Name: Some wires
Price per unit: 40.0 Qty: 2
Product #: 45206 Name: Shoes with Attitude
Price per unit: 40.0 Qty: 9
Product #: 71658 Name: Mice
Price per unit: 12.84 Qty: 154
Product #: 74025 Name: Bathwater
Price per unit: 62.78 Qty: 46
Product #: 81324 Name: tacos
Price per unit: 85.95 Qty: 26
Product #: 87421 Name: Poo
Price per unit: 6.99 Qty: 0 - PRODUCT IS OUT OF STOCK
End of List
"""
self.sort_inventory()
for x in self.g:
print('Product #: ', end='')
print(x[self.key], end=' ')
print('Name: ', end='')
print(x[self.nam], end='\n')
print('Price per unit: ', end='')
print(x[self.pri], end=' ')
print('Qty: ', end='')
print(x[self.qty], end=' ')
if x[self.qty] == 0:
print('- PRODUCT IS OUT OF STOCK', end='\n \n')
else:
print('', end='\n \n')
print('End of List')
def lookup(self, value):
""" (int) -> list , (float) -> list , (str) -> list
Returns a list of all products in inventory which share the same
value input
>>> inventory.lookup(40.00)
Product #: 32345 Name: Crazy Texas Robot Millionaire
Price per unit: 40.0 Qty: 54
Product #: 41058 Name: Some wires
Price per unit: 40.0 Qty: 2
Product #: 97256 Name: Shoes with Attitude
Price per unit: 40.0 Qty: 9
Finished Searching
>>> inventory.lookup(0)
Product #: 87421 Name: Poo
Price per unit: 6.99 Qty: 0 - PRODUCT IS OUT OF STOCK
Finished Searching.
"""
self.sort_inventory()
for x in self.g:
if value in x:
print('Product #: ', end='')
print(x[self.key], end=' ')
print('Name: ', end='')
print(x[self.nam], end='\n')
print('Price per unit: ', end='')
print(x[self.pri], end=' ')
print('Qty: ', end='')
print(x[self.qty], end=' ')
if x[self.qty] == 0:
print('- PRODUCT IS OUT OF STOCK', end='\n \n')
else:
print('', end='\n \n')
print('Finished Searching.')
def get_qty(self, pid):
""" (int) -> float
Returns the quantity of product from specified PID
>>> inventory.get_qty(45206)
Product #: 45206 Name: Shoes with Attitude
Units in stock: 9
>>> inventory.get_qty(87421)
Product #: 87421 Name: Poo
Units in stock: 0 - PRODUCT IS OUT OF STOCK
"""
self.sort_inventory()
ind = self.inventory[self.key].index(pid)
print('Product #: ', end='')
print(pid, end=' ')
print('Name: ', end='')
print(self.inventory[self.nam][ind], end='\n')
print('Units in stock:', end=' ')
print(self.inventory[self.qty][ind], end=' ')
if self.inventory[self.qty][ind] == 0:
print('- PRODUCT IS OUT OF STOCK', end='')
def get_prod_bel_qty(self, qty):
""" (int) -> list
Returns a list of all products in inventory whos quantities are the
same or fall below input qty
>>> inventory.get_prod_bel_qty(50)
Product #: 41058 Name: Some wires
Units in stock: 2
Product #: 45206 Name: Shoes with Attitude
Units in stock: 9
Product #: 74025 Name: Bathwater
Units in stock: 46
Product #: 81324 Name: tacos
Units in stock: 26
Product #: 87421 Name: Poo
Units in stock: 0 - PRODUCT IS OUT OF STOCK
Finished Searching.
"""
self.sort_inventory()
for x in self.g:
if qty >= x[self.qty]:
print('Product #: ', end='')
print(x[self.key], end=' ')
print('Name: ', end='')
print(x[self.nam], end='\n')
print('Units in stock:', end=' ')
print(x[self.qty], end=' ')
if x[self.qty] == 0:
print('- PRODUCT IS OUT OF STOCK', end='\n \n')
else:
print('', end='\n \n')
print('Finished Searching.')
def sum_inventory_value(self):
""" (none) -> list
Returns a list containing how much money the entire quantities of
each product in inventory are worth. Also returns the sum of the
value of the products in inventory for a total inventory value.
>>> inventory.sum_inventory_value()
Product #: 32345 Name: Crazy Texas Robot Millionaire
Price per unit: 40.0 @ 54/unit
Total product value: 2160.0
Product #: 41058 Name: Some wires
Price per unit: 40.0 @ 2/unit
Total product value: 80.0
Product #: 45206 Name: Shoes with Attitude
Price per unit: 40.0 @ 9/unit
Total product value: 360.0
Product #: 71658 Name: Mice
Price per unit: 12.84 @ 154/unit
Total product value: 1977.36
Product #: 74025 Name: Bathwater
Price per unit: 62.78 @ 46/unit
Total product value: 2887.88
Product #: 81324 Name: tacos
Price per unit: 85.95 @ 26/unit
Total product value: 2234.7
Product #: 87421 Name: Poo
Price per unit: 6.99 @ 0/unit
Total product value: 0.0
Total value of all units: 9699.94
"""
a = 0
self.g = []
self.sort_inventory()
for x in self.g:
i = x[self.qty] * x[self.pri]
a = i + a
print('Product #: ', end='')
print(x[self.key], end=' ')
print('Name: ', end='')
print(x[self.nam], end='\n')
print('Price per unit: ', end='')
print(x[self.pri], end='')
print(' @ ', end='')
print(x[self.qty], end='')
print('/unit', end='\n')
print('Total product value: ', end='')
print(round(i, 2), end='\n \n')
print('Total value of all units: ', end='')
print(round(a, 2), end='')
product = product()
inventory = inventory()
product.add(63456, 'Meow', 60.0, 0)
product.add(32345, 'Crazy Texas Robot Millionaire', 40.0, 54)
product.add(97256, 'Shoes with Attitude', 40.0, 9)
product.add(81324, 'Livers', 85.95, 26)
product.add(87421, 'Poo', 6.99, 0)
product.add(41058, 'Some wires', 40.0, 2)
product.add(71658, 'Mice', 12.84, 154)
inventory.showall()
product.add(32345, 'Crazy Texas Robot Millionaire', 40.0, 54)
product.add(97256, 'Shoes with Attitude', 40.0, 9)
inventory.showall() |
fname = input("Enter file name: ")
if len(fname) < 1 : fname = "mbox-short.txt"
fh = open(fname)
count = 0
for line in fh:#??????
if not line.startswith("From ") : continue
From_address=line.split()
address=From_address[1]
count=count+1
print(address)
print ("There were", count, "lines in the file with From as the first word")
| fname = input('Enter file name: ')
if len(fname) < 1:
fname = 'mbox-short.txt'
fh = open(fname)
count = 0
for line in fh:
if not line.startswith('From '):
continue
from_address = line.split()
address = From_address[1]
count = count + 1
print(address)
print('There were', count, 'lines in the file with From as the first word') |
#
# Given two non-empty binary trees s and t, check whether tree t has exactly the same structure and node values with a subtree of s. A subtree of s is a tree consists of a node in s and all of this node's descendants. The tree s could also be considered as a subtree of itself.
#
#
# Example 1:
#
# Given tree s:
#
# 3
# / \
# 4 5
# / \
# 1 2
#
# Given tree t:
#
# 4
# / \
# 1 2
#
# Return true, because t has the same structure and node values with a subtree of s.
#
#
# Example 2:
#
# Given tree s:
#
# 3
# / \
# 4 5
# / \
# 1 2
# /
# 0
#
# Given tree t:
#
# 4
# / \
# 1 2
#
# Return false.
#
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, x):
# self.val = x
# self.left = None
# self.right = None
# convert binary tree to string and then compare
class Solution:
def isSubtree(self, s: TreeNode, t: TreeNode) -> bool:
string_s = self.traverse_tree(s)
string_t = self.traverse_tree(t)
if string_t in string_s:
return True
return False
def traverse_tree(self, s):
if s:
return f"#{s.val} {self.traverse_tree(s.left)} {self.traverse_tree(s.right)}"
return None
| class Solution:
def is_subtree(self, s: TreeNode, t: TreeNode) -> bool:
string_s = self.traverse_tree(s)
string_t = self.traverse_tree(t)
if string_t in string_s:
return True
return False
def traverse_tree(self, s):
if s:
return f'#{s.val} {self.traverse_tree(s.left)} {self.traverse_tree(s.right)}'
return None |
fig, ax = plt.subplots(figsize=(20, 10))
for p in world_map(sph2wkl3, shapefile_path=shapefile_path):
ax.add_patch(
PolygonPatch(p, fc="#6699cc", ec="#6699cc", alpha=0.5, zorder=2)
)
graticule(ax, (-180, 181), (-90, 91), sph2wkl3, 10)
# Great circle
line = geod.npts(cdg[1], cdg[0], tokyo[1], tokyo[0], 200)
ax.plot(*sph2wkl3(*np.array(line).T), color="#f58518")
# Finitions
ax.axis("scaled")
ax.set_xticks([])
ax.set_yticks([])
ax.set_frame_on(False)
| (fig, ax) = plt.subplots(figsize=(20, 10))
for p in world_map(sph2wkl3, shapefile_path=shapefile_path):
ax.add_patch(polygon_patch(p, fc='#6699cc', ec='#6699cc', alpha=0.5, zorder=2))
graticule(ax, (-180, 181), (-90, 91), sph2wkl3, 10)
line = geod.npts(cdg[1], cdg[0], tokyo[1], tokyo[0], 200)
ax.plot(*sph2wkl3(*np.array(line).T), color='#f58518')
ax.axis('scaled')
ax.set_xticks([])
ax.set_yticks([])
ax.set_frame_on(False) |
'''
since it requires output from left to right, from up to bottom.
using level order traverse, a.k.a BFS
'''
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, x):
# self.val = x
# self.left = None
# self.right = None
class Solution:
def verticalOrder(self, root: TreeNode) -> List[List[int]]:
if not root: return []
c = collections.defaultdict(list)
res = []
queue = collections.deque()
queue.append([root, 0])
while queue:
u, loc = queue.popleft()
c[loc].append(u.val)
if u.left: queue.append([u.left, loc-1])
if u.right: queue.append([u.right, loc+1])
for i in sorted(c.keys()):
res.append(c[i])
return res | """
since it requires output from left to right, from up to bottom.
using level order traverse, a.k.a BFS
"""
class Solution:
def vertical_order(self, root: TreeNode) -> List[List[int]]:
if not root:
return []
c = collections.defaultdict(list)
res = []
queue = collections.deque()
queue.append([root, 0])
while queue:
(u, loc) = queue.popleft()
c[loc].append(u.val)
if u.left:
queue.append([u.left, loc - 1])
if u.right:
queue.append([u.right, loc + 1])
for i in sorted(c.keys()):
res.append(c[i])
return res |
FORM_NUM = 7
# DATA FORM
DF_SCALAR = 0
DF_VECTOR = 1
DF_PAIR = 2
DF_MATRIX = 3
DF_SET = 4
DF_DICTIONARY = 5
DF_TABLE = 6
DF_CHART = 7
TYPE_NUM = 27
# DATA TYPE
DT_VOID = 0
DT_BOOL = 1
DT_BYTE = 2
DT_SHORT = 3
DT_INT = 4
DT_LONG = 5
DT_DATE = 6
DT_MONTH = 7
DT_TIME = 8
DT_MINUTE = 9
DT_SECOND = 10
DT_DATETIME = 11
DT_TIMESTAMP = 12
DT_NANOTIME = 13
DT_NANOTIMESTAMP = 14
DT_FLOAT = 15
DT_DOUBLE = 16
DT_SYMBOL = 17
DT_STRING = 18
DT_UUID = 19
DT_FUNCTIONDEF = 20
DT_HANDLE = 21
DT_CODE=22
DT_DATASOURCE=23
DT_RESOURCE=24
DT_ANY = 25
DT_COMPRESS = 26
#DT_DICTIONARY = 26
#DT_OBJECT = 27
DT_DICTIONARY = 27
DT_DATEHOUR=28
DT_DATEMINUTE=29
DT_IPPADDR = 30
DT_INT128 = 31
DT_OBJECT = 32
DT_DATETIME64 = 100
# Data type size
DATA_SIZE = dict()
DATA_SIZE[DT_VOID] = 0
DATA_SIZE[DT_BOOL] = 1
DATA_SIZE[DT_BYTE] = 1
DATA_SIZE[DT_SHORT] = 2
DATA_SIZE[DT_INT] = 4
DATA_SIZE[DT_LONG] = 8
DATA_SIZE[DT_DATE] = 4
DATA_SIZE[DT_MONTH] = 4
DATA_SIZE[DT_TIME] = 4
DATA_SIZE[DT_MINUTE] = 4
DATA_SIZE[DT_SECOND] = 4
DATA_SIZE[DT_DATETIME] = 4
DATA_SIZE[DT_TIMESTAMP] = 8
DATA_SIZE[DT_NANOTIME] = 8
DATA_SIZE[DT_NANOTIMESTAMP] = 8
DATA_SIZE[DT_FLOAT] = 4
DATA_SIZE[DT_DOUBLE] = 8
DATA_SIZE[DT_SYMBOL] = 0
DATA_SIZE[DT_STRING] = 0
DATA_SIZE[DT_ANY] = 0
DATA_SIZE[DT_DICTIONARY] = 0
DATA_SIZE[DT_OBJECT] = 0
DATA_SIZE[DT_IPPADDR] = 16
DATA_SIZE[DT_INT128] = 16
DATA_SIZE[DT_UUID] = 16
## xxdb NAN values
DBNAN = dict()
DBNAN[DT_BYTE] = -128
DBNAN[DT_BOOL] = -128
DBNAN[DT_SHORT] = -32768
DBNAN[DT_INT] = -2147483648
DBNAN[DT_LONG] = -9223372036854775808
DBNAN[DT_FLOAT] = -3.4028234663852886e+38
DBNAN[DT_DOUBLE] = -1.7976931348623157e+308
DBNAN[DT_SYMBOL] = ''
DBNAN[DT_STRING] = ''
DBNAN[DT_DATE] = -2147483648
DBNAN[DT_MONTH] = -2147483648
DBNAN[DT_TIME] = -2147483648
DBNAN[DT_MINUTE] = -2147483648
DBNAN[DT_SECOND] = -2147483648
DBNAN[DT_DATETIME] = -2147483648
DBNAN[DT_TIMESTAMP] = -9223372036854775808
DBNAN[DT_NANOTIME] = -9223372036854775808
DBNAN[DT_NANOTIMESTAMP] = -9223372036854775808
DBNAN[DT_UUID]=0
DBNAN[DT_INT128]=0
DBNAN[DT_IPPADDR]=0
# partition Schema
SEQ=0
VALUE=1
RANGE=2
LIST=3
COMPO=4
HASH =5
| form_num = 7
df_scalar = 0
df_vector = 1
df_pair = 2
df_matrix = 3
df_set = 4
df_dictionary = 5
df_table = 6
df_chart = 7
type_num = 27
dt_void = 0
dt_bool = 1
dt_byte = 2
dt_short = 3
dt_int = 4
dt_long = 5
dt_date = 6
dt_month = 7
dt_time = 8
dt_minute = 9
dt_second = 10
dt_datetime = 11
dt_timestamp = 12
dt_nanotime = 13
dt_nanotimestamp = 14
dt_float = 15
dt_double = 16
dt_symbol = 17
dt_string = 18
dt_uuid = 19
dt_functiondef = 20
dt_handle = 21
dt_code = 22
dt_datasource = 23
dt_resource = 24
dt_any = 25
dt_compress = 26
dt_dictionary = 27
dt_datehour = 28
dt_dateminute = 29
dt_ippaddr = 30
dt_int128 = 31
dt_object = 32
dt_datetime64 = 100
data_size = dict()
DATA_SIZE[DT_VOID] = 0
DATA_SIZE[DT_BOOL] = 1
DATA_SIZE[DT_BYTE] = 1
DATA_SIZE[DT_SHORT] = 2
DATA_SIZE[DT_INT] = 4
DATA_SIZE[DT_LONG] = 8
DATA_SIZE[DT_DATE] = 4
DATA_SIZE[DT_MONTH] = 4
DATA_SIZE[DT_TIME] = 4
DATA_SIZE[DT_MINUTE] = 4
DATA_SIZE[DT_SECOND] = 4
DATA_SIZE[DT_DATETIME] = 4
DATA_SIZE[DT_TIMESTAMP] = 8
DATA_SIZE[DT_NANOTIME] = 8
DATA_SIZE[DT_NANOTIMESTAMP] = 8
DATA_SIZE[DT_FLOAT] = 4
DATA_SIZE[DT_DOUBLE] = 8
DATA_SIZE[DT_SYMBOL] = 0
DATA_SIZE[DT_STRING] = 0
DATA_SIZE[DT_ANY] = 0
DATA_SIZE[DT_DICTIONARY] = 0
DATA_SIZE[DT_OBJECT] = 0
DATA_SIZE[DT_IPPADDR] = 16
DATA_SIZE[DT_INT128] = 16
DATA_SIZE[DT_UUID] = 16
dbnan = dict()
DBNAN[DT_BYTE] = -128
DBNAN[DT_BOOL] = -128
DBNAN[DT_SHORT] = -32768
DBNAN[DT_INT] = -2147483648
DBNAN[DT_LONG] = -9223372036854775808
DBNAN[DT_FLOAT] = -3.4028234663852886e+38
DBNAN[DT_DOUBLE] = -1.7976931348623157e+308
DBNAN[DT_SYMBOL] = ''
DBNAN[DT_STRING] = ''
DBNAN[DT_DATE] = -2147483648
DBNAN[DT_MONTH] = -2147483648
DBNAN[DT_TIME] = -2147483648
DBNAN[DT_MINUTE] = -2147483648
DBNAN[DT_SECOND] = -2147483648
DBNAN[DT_DATETIME] = -2147483648
DBNAN[DT_TIMESTAMP] = -9223372036854775808
DBNAN[DT_NANOTIME] = -9223372036854775808
DBNAN[DT_NANOTIMESTAMP] = -9223372036854775808
DBNAN[DT_UUID] = 0
DBNAN[DT_INT128] = 0
DBNAN[DT_IPPADDR] = 0
seq = 0
value = 1
range = 2
list = 3
compo = 4
hash = 5 |
fo = open("abalone.data","r+")
c2 = []
for l in fo:
s = list(l.split(','))
c2.append(float(s[1]))
n = len(c2)
print(round((sum(c2)/n),6)) | fo = open('abalone.data', 'r+')
c2 = []
for l in fo:
s = list(l.split(','))
c2.append(float(s[1]))
n = len(c2)
print(round(sum(c2) / n, 6)) |
# This file specifies which version of Go to build and test with. It is
# overridden in CI to implement multi-version testing.
GO_VERSION = "1.15.5"
| go_version = '1.15.5' |
class Scan:
def __init__(self, session):
self.s = session
r = session.get(url=session.url + "/api/v1/scanProfiles")
self.profile = r.json()['scanProfiles'][0]['name']
self.scanProfiles = r.json()['scanProfiles']
def getProfileDetails(self, scanProfile):
profileDetails = next((profile for profile in self.scanProfiles if profile["name"] == "{}".format(scanProfile)), None)
if profileDetails == None:
raise ValueError("Scan profile does not exist. " \
"If you are trying to run a scan profile you just added, " \
"try using getScanProfiles to update the scan profiles.")
else:
return profileDetails
def run(self, scanProfile=None):
if scanProfile == None:
scanProfile = self.profile
profileDetails = self.getProfileDetails(scanProfile)
data = {"scanType":"{}".format(profileDetails['scanType']),
"scanProfileName":"{}".format(scanProfile),
"scanOrigin":"Invoked by BigPyD"
}
r = self.s.post(url=self.s.url + '/api/v1/scans', json=data)
return r.json()
def setScan(self, data):
r = self.s.post(url=self.s.url + "/api/v1/scanProfiles", json=data)
return r.json()
def getScanProfiles(self):
r = self.s.get(url=self.s.url + "/api/v1/scanProfiles")
self.scanProfiles = r.json()['scanProfiles']
return r.json()
| class Scan:
def __init__(self, session):
self.s = session
r = session.get(url=session.url + '/api/v1/scanProfiles')
self.profile = r.json()['scanProfiles'][0]['name']
self.scanProfiles = r.json()['scanProfiles']
def get_profile_details(self, scanProfile):
profile_details = next((profile for profile in self.scanProfiles if profile['name'] == '{}'.format(scanProfile)), None)
if profileDetails == None:
raise value_error('Scan profile does not exist. If you are trying to run a scan profile you just added, try using getScanProfiles to update the scan profiles.')
else:
return profileDetails
def run(self, scanProfile=None):
if scanProfile == None:
scan_profile = self.profile
profile_details = self.getProfileDetails(scanProfile)
data = {'scanType': '{}'.format(profileDetails['scanType']), 'scanProfileName': '{}'.format(scanProfile), 'scanOrigin': 'Invoked by BigPyD'}
r = self.s.post(url=self.s.url + '/api/v1/scans', json=data)
return r.json()
def set_scan(self, data):
r = self.s.post(url=self.s.url + '/api/v1/scanProfiles', json=data)
return r.json()
def get_scan_profiles(self):
r = self.s.get(url=self.s.url + '/api/v1/scanProfiles')
self.scanProfiles = r.json()['scanProfiles']
return r.json() |
# __init__.py
def get_prime():
prime = [2,3,5,7,11,13,17,19,23,29,31,37,41,43,47,53,59,61,67,71,73,79,83,
89,97,101,103,107,109,113,127,131,137,139,149,151,157,163,167,173,179,
181,191,193,197,199,211,223,227,229,233,239,241,251,257,263,269,271,
277,281,283,293,307,311,313,317,331,337,347,349,353,359,367,373,379,
383,389,397,401,409,419,421,431,433,439,443,449,457,461,463,467,479,
487,491,499,503,509,521,523,541,547,557,563,569,571,577,587,593,599,
601,607,613,617,619,631,641,643,647,653,659,661,673,677,683,691,701,
709,719,727,733,739,743,751,757,761,769,773,787,797,809,811,821,823,
827,829,839,853,857,859,863,877,881,883,887,907,911,919,929,937,941,
947,953,967,971,977,983,991,997]
return prime | def get_prime():
prime = [2, 3, 5, 7, 11, 13, 17, 19, 23, 29, 31, 37, 41, 43, 47, 53, 59, 61, 67, 71, 73, 79, 83, 89, 97, 101, 103, 107, 109, 113, 127, 131, 137, 139, 149, 151, 157, 163, 167, 173, 179, 181, 191, 193, 197, 199, 211, 223, 227, 229, 233, 239, 241, 251, 257, 263, 269, 271, 277, 281, 283, 293, 307, 311, 313, 317, 331, 337, 347, 349, 353, 359, 367, 373, 379, 383, 389, 397, 401, 409, 419, 421, 431, 433, 439, 443, 449, 457, 461, 463, 467, 479, 487, 491, 499, 503, 509, 521, 523, 541, 547, 557, 563, 569, 571, 577, 587, 593, 599, 601, 607, 613, 617, 619, 631, 641, 643, 647, 653, 659, 661, 673, 677, 683, 691, 701, 709, 719, 727, 733, 739, 743, 751, 757, 761, 769, 773, 787, 797, 809, 811, 821, 823, 827, 829, 839, 853, 857, 859, 863, 877, 881, 883, 887, 907, 911, 919, 929, 937, 941, 947, 953, 967, 971, 977, 983, 991, 997]
return prime |
#
# Copyright (C) 2009 Google Inc. All rights reserved.
#
# Redistribution and use in source and binary forms, with or without
# modification, are permitted provided that the following conditions are
# met:
#
# * Redistributions of source code must retain the above copyright
# notice, this list of conditions and the following disclaimer.
# * Redistributions in binary form must reproduce the above
# copyright notice, this list of conditions and the following disclaimer
# in the documentation and/or other materials provided with the
# distribution.
# * Neither the name of Google Inc. nor the names of its
# contributors may be used to endorse or promote products derived from
# this software without specific prior written permission.
#
# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
# "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
# LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
# A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
# OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
# SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
# LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
# DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
# THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
# (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
# OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
#
{
'includes': [
# FIXME: Sense whether upstream or downstream build, and
# include the right features.gypi
'../../WebKit/chromium/features.gypi',
'../WebCore.gypi',
],
# Location of the chromium src directory.
'conditions': [
['inside_chromium_build==0', {
# Webkit is being built outside of the full chromium project.
'variables': {
'chromium_src_dir': '../../WebKit/chromium',
'libjpeg_gyp_path': '<(chromium_src_dir)/third_party/libjpeg_turbo/libjpeg.gyp',
},
},{
# WebKit is checked out in src/chromium/third_party/WebKit
'variables': {
'chromium_src_dir': '../../../../..',
},
}],
['OS == "mac"', {
'targets': [
{
# On the Mac, libWebKitSystemInterface*.a is used to help WebCore
# interface with the system. This library is supplied as a static
# library in binary format. At present, it contains many global
# symbols not marked private_extern. It should be considered an
# implementation detail of WebCore, and does not need these symbols
# to be exposed so widely.
#
# This target contains an action that cracks open the existing
# static library and rebuilds it with these global symbols
# transformed to private_extern.
'target_name': 'webkit_system_interface',
'type': 'static_library',
'variables': {
'adjusted_library_path':
'<(PRODUCT_DIR)/libWebKitSystemInterfaceLeopardPrivateExtern.a',
},
'sources': [
# An empty source file is needed to convince Xcode to produce
# output for this target. The resulting library won't actually
# contain anything. The library at adjusted_library_path will,
# and that library is pushed to dependents of this target below.
'mac/Empty.cpp',
],
'actions': [
{
'action_name': 'Adjust Visibility',
'inputs': [
'mac/adjust_visibility.sh',
'../../../WebKitLibraries/libWebKitSystemInterfaceLeopard.a',
],
'outputs': [
'<(adjusted_library_path)',
],
'action': [
'<@(_inputs)',
'<@(_outputs)',
'<(INTERMEDIATE_DIR)/adjust_visibility', # work directory
],
},
], # actions
'link_settings': {
'libraries': [
'<(adjusted_library_path)',
],
}, # link_settings
}, # target webkit_system_interface
], # targets
}], # condition OS == "mac"
['OS!="win" and remove_webcore_debug_symbols==1', {
# Remove -g from all targets defined here.
'target_defaults': {
'cflags!': ['-g'],
},
}],
['OS=="linux" and target_arch=="arm"', {
# Due to a bug in gcc arm, we get warnings about uninitialized timesNewRoman.unstatic.3258
# and colorTransparent.unstatic.4879.
'target_defaults': {
'cflags': ['-Wno-uninitialized'],
},
}],
], # conditions
'variables': {
# If set to 1, doesn't compile debug symbols into webcore reducing the
# size of the binary and increasing the speed of gdb. gcc only.
'remove_webcore_debug_symbols%': 0,
# If set to 0, doesn't build SVG support, reducing the size of the
# binary and increasing the speed of gdb.
'enable_svg%': 1,
# Use v8 as default JavaScript engine. This makes sure that javascript_engine variable
# is set for both inside_chromium_build 0 and 1 cases.
'javascript_engine%': 'v8',
'webcore_include_dirs': [
'../',
'../..',
'../accessibility',
'../accessibility/chromium',
'../bindings',
'../bindings/generic',
'../bindings/v8',
'../bindings/v8/custom',
'../bindings/v8/specialization',
'../bridge',
'../bridge/jni',
'../bridge/jni/v8',
'../css',
'../dom',
'../dom/default',
'../editing',
'../fileapi',
'../history',
'../html',
'../html/canvas',
'../html/parser',
'../html/shadow',
'../inspector',
'../loader',
'../loader/appcache',
'../loader/archive',
'../loader/cache',
'../loader/icon',
'../mathml',
'../notifications',
'../page',
'../page/animation',
'../page/chromium',
'../platform',
'../platform/animation',
'../platform/audio',
'../platform/audio/chromium',
'../platform/chromium',
'../platform/graphics',
'../platform/graphics/chromium',
'../platform/graphics/filters',
'../platform/graphics/gpu',
'../platform/graphics/opentype',
'../platform/graphics/skia',
'../platform/graphics/transforms',
'../platform/image-decoders',
'../platform/image-decoders/bmp',
'../platform/image-decoders/gif',
'../platform/image-decoders/ico',
'../platform/image-decoders/jpeg',
'../platform/image-decoders/png',
'../platform/image-decoders/skia',
'../platform/image-decoders/xbm',
'../platform/image-decoders/webp',
'../platform/image-encoders/skia',
'../platform/leveldb',
'../platform/mock',
'../platform/network',
'../platform/network/chromium',
'../platform/sql',
'../platform/text',
'../platform/text/transcoder',
'../plugins',
'../plugins/chromium',
'../rendering',
'../rendering/style',
'../rendering/svg',
'../storage',
'../storage/chromium',
'../svg',
'../svg/animation',
'../svg/graphics',
'../svg/graphics/filters',
'../svg/properties',
'../../ThirdParty/glu',
'../webaudio',
'../websockets',
'../workers',
'../xml',
],
'bindings_idl_files': [
'<@(webcore_bindings_idl_files)',
],
'bindings_idl_files!': [
# Custom bindings in bindings/v8/custom exist for these.
'../dom/EventListener.idl',
'../dom/EventTarget.idl',
'../html/VoidCallback.idl',
# Bindings with custom Objective-C implementations.
'../page/AbstractView.idl',
# These bindings are excluded, as they're only used through inheritance and don't define constants that would need a constructor.
'../svg/ElementTimeControl.idl',
'../svg/SVGExternalResourcesRequired.idl',
'../svg/SVGFilterPrimitiveStandardAttributes.idl',
'../svg/SVGFitToViewBox.idl',
'../svg/SVGLangSpace.idl',
'../svg/SVGLocatable.idl',
'../svg/SVGStylable.idl',
'../svg/SVGTests.idl',
'../svg/SVGTransformable.idl',
'../svg/SVGViewSpec.idl',
'../svg/SVGZoomAndPan.idl',
# FIXME: I don't know why these are excluded, either.
# Someone (me?) should figure it out and add appropriate comments.
'../css/CSSUnknownRule.idl',
],
'conditions': [
# TODO(maruel): Move it in its own project or generate it anyway?
['enable_svg!=0', {
'bindings_idl_files': [
'<@(webcore_svg_bindings_idl_files)',
],
}],
['OS=="mac"', {
'webcore_include_dirs+': [
# platform/graphics/cg and cocoa need 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 cocoa directory. The + prepends this
# directory to the list.
# FIXME: This shouldn't need to be prepended.
'../platform/graphics/cocoa',
'../platform/graphics/cg',
],
'webcore_include_dirs': [
# FIXME: Eliminate dependency on platform/mac and related
# directories.
# FIXME: Eliminate dependency on platform/graphics/mac and
# related directories.
# platform/graphics/cg may need to stick around, though.
'../platform/audio/mac',
'../platform/cocoa',
'../platform/graphics/mac',
'../platform/mac',
'../platform/text/mac',
],
}],
['OS=="win"', {
'webcore_include_dirs': [
'../page/win',
'../platform/audio/win',
'../platform/graphics/win',
'../platform/text/win',
'../platform/win',
],
},{
# enable -Wall and -Werror, just for Mac and Linux builds for now
# FIXME: Also enable this for Windows after verifying no warnings
'chromium_code': 1,
}],
['OS=="win" and buildtype=="Official"', {
# On windows official release builds, we try to preserve symbol space.
'derived_sources_aggregate_files': [
'<(SHARED_INTERMEDIATE_DIR)/webkit/bindings/V8DerivedSourcesAll.cpp',
],
},{
'derived_sources_aggregate_files': [
'<(SHARED_INTERMEDIATE_DIR)/webkit/bindings/V8DerivedSources1.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/bindings/V8DerivedSources2.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/bindings/V8DerivedSources3.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/bindings/V8DerivedSources4.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/bindings/V8DerivedSources5.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/bindings/V8DerivedSources6.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/bindings/V8DerivedSources7.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/bindings/V8DerivedSources8.cpp',
],
}],
],
},
'targets': [
{
'target_name': 'inspector_idl',
'type': 'none',
'actions': [
{
'action_name': 'generateInspectorProtocolIDL',
'inputs': [
'../inspector/generate-inspector-idl',
'../inspector/Inspector.json',
],
'outputs': [
'<(SHARED_INTERMEDIATE_DIR)/webcore/Inspector.idl',
],
'variables': {
'generator_include_dirs': [
],
},
'action': [
'python',
'../inspector/generate-inspector-idl',
'-o',
'<@(_outputs)',
'<@(_inputs)'
],
'message': 'Generating Inspector protocol sources from Inspector.idl',
},
]
},
{
'target_name': 'inspector_protocol_sources',
'type': 'none',
'dependencies': [
'inspector_idl'
],
'actions': [
{
'action_name': 'generateInspectorProtocolSources',
# The second input item will be used as item name in vcproj.
# It is not possible to put Inspector.idl there because
# all idl files are marking as excluded by gyp generator.
'inputs': [
'../bindings/scripts/generate-bindings.pl',
'../inspector/CodeGeneratorInspector.pm',
'../bindings/scripts/CodeGenerator.pm',
'../bindings/scripts/IDLParser.pm',
'../bindings/scripts/IDLStructure.pm',
'<(SHARED_INTERMEDIATE_DIR)/webcore/Inspector.idl',
],
'outputs': [
'<(SHARED_INTERMEDIATE_DIR)/webcore/InspectorBackendDispatcher.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webcore/InspectorBackendStub.js',
'<(SHARED_INTERMEDIATE_DIR)/webkit/InspectorBackendDispatcher.h',
'<(SHARED_INTERMEDIATE_DIR)/webcore/InspectorFrontend.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/InspectorFrontend.h',
],
'variables': {
'generator_include_dirs': [
],
},
'action': [
'python',
'scripts/rule_binding.py',
'<(SHARED_INTERMEDIATE_DIR)/webcore/Inspector.idl',
'<(SHARED_INTERMEDIATE_DIR)/webcore',
'<(SHARED_INTERMEDIATE_DIR)/webkit',
'--',
'<@(_inputs)',
'--',
'--defines', '<(feature_defines) LANGUAGE_JAVASCRIPT',
'--generator', 'Inspector',
'<@(generator_include_dirs)'
],
'message': 'Generating Inspector protocol sources from Inspector.idl',
},
]
},
{
'target_name': 'injected_script_source',
'type': 'none',
'actions': [
{
'action_name': 'generateInjectedScriptSource',
'inputs': [
'../inspector/InjectedScriptSource.js',
],
'outputs': [
'<(SHARED_INTERMEDIATE_DIR)/webkit/InjectedScriptSource.h',
],
'action': [
'perl',
'../inspector/xxd.pl',
'InjectedScriptSource_js',
'<@(_inputs)',
'<@(_outputs)'
],
'message': 'Generating InjectedScriptSource.h from InjectedScriptSource.js',
},
]
},
{
'target_name': 'debugger_script_source',
'type': 'none',
'actions': [
{
'action_name': 'generateDebuggerScriptSource',
'inputs': [
'../bindings/v8/DebuggerScript.js',
],
'outputs': [
'<(SHARED_INTERMEDIATE_DIR)/webkit/DebuggerScriptSource.h',
],
'action': [
'perl',
'../inspector/xxd.pl',
'DebuggerScriptSource_js',
'<@(_inputs)',
'<@(_outputs)'
],
'message': 'Generating DebuggerScriptSource.h from DebuggerScript.js',
},
]
},
{
'target_name': 'webcore_bindings_sources',
'type': 'none',
'hard_dependency': 1,
'sources': [
# bison rule
'../css/CSSGrammar.y',
'../xml/XPathGrammar.y',
# gperf rule
'../html/DocTypeStrings.gperf',
'../platform/ColorData.gperf',
# idl rules
'<@(bindings_idl_files)',
],
'actions': [
# Actions to build derived sources.
{
'action_name': 'generateXMLViewerCSS',
'inputs': [
'../xml/XMLViewer.css',
],
'outputs': [
'<(SHARED_INTERMEDIATE_DIR)/webkit/XMLViewerCSS.h',
],
'action': [
'perl',
'../inspector/xxd.pl',
'XMLViewer_css',
'<@(_inputs)',
'<@(_outputs)'
],
},
{
'action_name': 'generateXMLViewerJS',
'inputs': [
'../xml/XMLViewer.js',
],
'outputs': [
'<(SHARED_INTERMEDIATE_DIR)/webkit/XMLViewerJS.h',
],
'action': [
'perl',
'../inspector/xxd.pl',
'XMLViewer_js',
'<@(_inputs)',
'<@(_outputs)'
],
},
{
'action_name': 'HTMLEntityTable',
'inputs': [
'../html/parser/HTMLEntityNames.in',
],
'outputs': [
'<(SHARED_INTERMEDIATE_DIR)/webkit/HTMLEntityTable.cpp'
],
'action': [
'python',
'../html/parser/create-html-entity-table',
'-o',
'<@(_outputs)',
'<@(_inputs)'
],
},
{
'action_name': 'CSSPropertyNames',
'inputs': [
'../css/makeprop.pl',
'../css/CSSPropertyNames.in',
],
'outputs': [
'<(SHARED_INTERMEDIATE_DIR)/webkit/CSSPropertyNames.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/CSSPropertyNames.h',
],
'action': [
'python',
'scripts/action_csspropertynames.py',
'<@(_outputs)',
'--',
'<@(_inputs)'
],
'conditions': [
# TODO(maruel): Move it in its own project or generate it anyway?
['enable_svg!=0', {
'inputs': [
'../css/SVGCSSPropertyNames.in',
],
}],
],
},
{
'action_name': 'CSSValueKeywords',
'inputs': [
'../css/makevalues.pl',
'../css/CSSValueKeywords.in',
],
'outputs': [
'<(SHARED_INTERMEDIATE_DIR)/webkit/CSSValueKeywords.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/CSSValueKeywords.h',
],
'action': [
'python',
'scripts/action_cssvaluekeywords.py',
'<@(_outputs)',
'--',
'<@(_inputs)'
],
'conditions': [
# TODO(maruel): Move it in its own project or generate it anyway?
['enable_svg!=0', {
'inputs': [
'../css/SVGCSSValueKeywords.in',
],
}],
],
},
{
'action_name': 'HTMLNames',
'inputs': [
'../dom/make_names.pl',
'../html/HTMLTagNames.in',
'../html/HTMLAttributeNames.in',
],
'outputs': [
'<(SHARED_INTERMEDIATE_DIR)/webkit/HTMLNames.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/HTMLNames.h',
'<(SHARED_INTERMEDIATE_DIR)/webkit/HTMLElementFactory.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/V8HTMLElementWrapperFactory.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/V8HTMLElementWrapperFactory.h',
],
'action': [
'python',
'scripts/action_makenames.py',
'<@(_outputs)',
'--',
'<@(_inputs)',
'--',
'--factory',
'--wrapperFactoryV8',
'--extraDefines', '<(feature_defines)'
],
},
{
'action_name': 'SVGNames',
'inputs': [
'../dom/make_names.pl',
'../svg/svgtags.in',
'../svg/svgattrs.in',
],
'outputs': [
'<(SHARED_INTERMEDIATE_DIR)/webkit/SVGNames.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/SVGNames.h',
'<(SHARED_INTERMEDIATE_DIR)/webkit/SVGElementFactory.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/SVGElementFactory.h',
'<(SHARED_INTERMEDIATE_DIR)/webkit/V8SVGElementWrapperFactory.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/V8SVGElementWrapperFactory.h',
],
'action': [
'python',
'scripts/action_makenames.py',
'<@(_outputs)',
'--',
'<@(_inputs)',
'--',
'--factory',
'--wrapperFactoryV8',
'--extraDefines', '<(feature_defines)'
],
},
{
'action_name': 'MathMLNames',
'inputs': [
'../dom/make_names.pl',
'../mathml/mathtags.in',
'../mathml/mathattrs.in',
],
'outputs': [
'<(SHARED_INTERMEDIATE_DIR)/webkit/MathMLNames.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/MathMLNames.h',
'<(SHARED_INTERMEDIATE_DIR)/webkit/MathMLElementFactory.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/MathMLElementFactory.h',
],
'action': [
'python',
'scripts/action_makenames.py',
'<@(_outputs)',
'--',
'<@(_inputs)',
'--',
'--factory',
'--extraDefines', '<(feature_defines)'
],
},
{
'action_name': 'UserAgentStyleSheets',
# The .css files are in the same order as ../DerivedSources.make.
'inputs': [
'../css/make-css-file-arrays.pl',
'../css/html.css',
'../css/quirks.css',
'../css/view-source.css',
'../css/themeChromiumLinux.css', # Chromium only.
'../css/themeChromiumSkia.css', # Chromium only.
'../css/themeWin.css',
'../css/themeWinQuirks.css',
'../css/svg.css',
# Skip WML.
'../css/mathml.css',
'../css/mediaControls.css',
'../css/mediaControlsChromium.css',
'../css/fullscreen.css',
# Skip fullscreenQuickTime.
],
'outputs': [
'<(SHARED_INTERMEDIATE_DIR)/webkit/UserAgentStyleSheets.h',
'<(SHARED_INTERMEDIATE_DIR)/webkit/UserAgentStyleSheetsData.cpp',
],
'action': [
'python',
'scripts/action_useragentstylesheets.py',
'<@(_outputs)',
'--',
'<@(_inputs)'
],
},
{
'action_name': 'XLinkNames',
'inputs': [
'../dom/make_names.pl',
'../svg/xlinkattrs.in',
],
'outputs': [
'<(SHARED_INTERMEDIATE_DIR)/webkit/XLinkNames.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/XLinkNames.h',
],
'action': [
'python',
'scripts/action_makenames.py',
'<@(_outputs)',
'--',
'<@(_inputs)',
'--',
'--extraDefines', '<(feature_defines)'
],
},
{
'action_name': 'XMLNSNames',
'inputs': [
'../dom/make_names.pl',
'../xml/xmlnsattrs.in',
],
'outputs': [
'<(SHARED_INTERMEDIATE_DIR)/webkit/XMLNSNames.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/XMLNSNames.h',
],
'action': [
'python',
'scripts/action_makenames.py',
'<@(_outputs)',
'--',
'<@(_inputs)',
'--',
'--extraDefines', '<(feature_defines)'
],
},
{
'action_name': 'XMLNames',
'inputs': [
'../dom/make_names.pl',
'../xml/xmlattrs.in',
],
'outputs': [
'<(SHARED_INTERMEDIATE_DIR)/webkit/XMLNames.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/XMLNames.h',
],
'action': [
'python',
'scripts/action_makenames.py',
'<@(_outputs)',
'--',
'<@(_inputs)',
'--',
'--extraDefines', '<(feature_defines)'
],
},
{
'action_name': 'tokenizer',
'inputs': [
'../css/maketokenizer',
'../css/tokenizer.flex',
],
'outputs': [
'<(SHARED_INTERMEDIATE_DIR)/webkit/tokenizer.cpp',
],
'action': [
'python',
'scripts/action_maketokenizer.py',
'<@(_outputs)',
'--',
'<@(_inputs)'
],
},
{
'action_name': 'derived_sources_all_in_one',
'variables': {
# Write sources into a file, so that the action command line won't
# exceed OS limites.
'idls_list_temp_file': '<|(idls_list_temp_file.tmp <@(bindings_idl_files))',
},
'inputs': [
'scripts/action_derivedsourcesallinone.py',
'<(idls_list_temp_file)',
'<!@(cat <(idls_list_temp_file))',
],
'outputs': [
'<@(derived_sources_aggregate_files)',
],
'action': [
'python',
'scripts/action_derivedsourcesallinone.py',
'<(idls_list_temp_file)',
'--',
'<@(derived_sources_aggregate_files)',
],
},
],
'rules': [
# Rules to build derived sources.
{
'rule_name': 'bison',
'extension': 'y',
'outputs': [
'<(SHARED_INTERMEDIATE_DIR)/webkit/<(RULE_INPUT_ROOT).cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/<(RULE_INPUT_ROOT).h'
],
'action': [
'python',
'scripts/rule_bison.py',
'<(RULE_INPUT_PATH)',
'<(SHARED_INTERMEDIATE_DIR)/webkit'
],
},
{
'rule_name': 'gperf',
'extension': 'gperf',
#
# gperf outputs are generated by WebCore/make-hash-tools.pl
#
'outputs': [
'<(SHARED_INTERMEDIATE_DIR)/webkit/<(RULE_INPUT_ROOT).cpp',
],
'inputs': [
'../make-hash-tools.pl',
],
'action': [
'perl',
'../make-hash-tools.pl',
'<(SHARED_INTERMEDIATE_DIR)/webkit',
'<(RULE_INPUT_PATH)',
],
},
# Rule to build generated JavaScript (V8) bindings from .idl source.
{
'rule_name': 'binding',
'extension': 'idl',
'msvs_external_rule': 1,
'inputs': [
'../bindings/scripts/generate-bindings.pl',
'../bindings/scripts/CodeGenerator.pm',
'../bindings/scripts/CodeGeneratorV8.pm',
'../bindings/scripts/IDLParser.pm',
'../bindings/scripts/IDLStructure.pm',
],
'outputs': [
# FIXME: The .cpp file should be in webkit/bindings once
# we coax GYP into supporting it (see 'action' below).
'<(SHARED_INTERMEDIATE_DIR)/webcore/bindings/V8<(RULE_INPUT_ROOT).cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/bindings/V8<(RULE_INPUT_ROOT).h',
],
'variables': {
'generator_include_dirs': [
'--include', '../css',
'--include', '../dom',
'--include', '../fileapi',
'--include', '../html',
'--include', '../notifications',
'--include', '../page',
'--include', '../plugins',
'--include', '../storage',
'--include', '../svg',
'--include', '../webaudio',
'--include', '../websockets',
'--include', '../workers',
'--include', '../xml',
],
},
# FIXME: Note that we put the .cpp files in webcore/bindings
# but the .h files in webkit/bindings. This is to work around
# the unfortunate fact that GYP strips duplicate arguments
# from lists. When we have a better GYP way to suppress that
# behavior, change the output location.
'action': [
'python',
'scripts/rule_binding.py',
'<(RULE_INPUT_PATH)',
'<(SHARED_INTERMEDIATE_DIR)/webcore/bindings',
'<(SHARED_INTERMEDIATE_DIR)/webkit/bindings',
'--',
'<@(_inputs)',
'--',
'--defines', '<(feature_defines) LANGUAGE_JAVASCRIPT V8_BINDING',
'--generator', 'V8',
'<@(generator_include_dirs)'
],
'message': 'Generating binding from <(RULE_INPUT_PATH)',
},
],
},
{
'target_name': 'webcore_bindings',
'type': '<(library)',
'hard_dependency': 1,
'dependencies': [
'webcore_bindings_sources',
'inspector_protocol_sources',
'injected_script_source',
'debugger_script_source',
'../../JavaScriptCore/JavaScriptCore.gyp/JavaScriptCore.gyp:yarr',
'../../JavaScriptCore/JavaScriptCore.gyp/JavaScriptCore.gyp:wtf',
'<(chromium_src_dir)/build/temp_gyp/googleurl.gyp:googleurl',
'<(chromium_src_dir)/skia/skia.gyp:skia',
'<(chromium_src_dir)/third_party/iccjpeg/iccjpeg.gyp:iccjpeg',
'<(chromium_src_dir)/third_party/libpng/libpng.gyp:libpng',
'<(chromium_src_dir)/third_party/libxml/libxml.gyp:libxml',
'<(chromium_src_dir)/third_party/libxslt/libxslt.gyp:libxslt',
'<(chromium_src_dir)/third_party/libwebp/libwebp.gyp:libwebp',
'<(chromium_src_dir)/third_party/npapi/npapi.gyp:npapi',
'<(chromium_src_dir)/third_party/sqlite/sqlite.gyp:sqlite',
'<(libjpeg_gyp_path):libjpeg',
],
'include_dirs': [
'<(INTERMEDIATE_DIR)',
# FIXME: Remove <(SHARED_INTERMEDIATE_DIR)/webcore when we
# can entice gyp into letting us put both the .cpp and .h
# files in the same output directory.
'<(SHARED_INTERMEDIATE_DIR)/webcore',
'<(SHARED_INTERMEDIATE_DIR)/webkit',
'<(SHARED_INTERMEDIATE_DIR)/webkit/bindings',
'<@(webcore_include_dirs)',
],
'direct_dependent_settings': {
'include_dirs': [
'<(SHARED_INTERMEDIATE_DIR)/webkit',
'<(SHARED_INTERMEDIATE_DIR)/webkit/bindings',
],
},
'sources': [
# These files include all the .cpp files generated from the .idl files
# in webcore_files.
'<@(derived_sources_aggregate_files)',
# Additional .cpp files for HashTools.h
'<(SHARED_INTERMEDIATE_DIR)/webkit/DocTypeStrings.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/ColorData.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/CSSPropertyNames.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/CSSValueKeywords.cpp',
# Additional .cpp files from webcore_bindings_sources actions.
'<(SHARED_INTERMEDIATE_DIR)/webkit/HTMLElementFactory.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/HTMLNames.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/UserAgentStyleSheetsData.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/V8HTMLElementWrapperFactory.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/XLinkNames.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/XMLNSNames.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/XMLNames.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/SVGNames.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/MathMLElementFactory.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/MathMLNames.cpp',
# Generated from HTMLEntityNames.in
'<(SHARED_INTERMEDIATE_DIR)/webkit/HTMLEntityTable.cpp',
# Additional .cpp files from the webcore_bindings_sources rules.
'<(SHARED_INTERMEDIATE_DIR)/webkit/CSSGrammar.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/XPathGrammar.cpp',
# Additional .cpp files from the webcore_inspector_sources list.
'<(SHARED_INTERMEDIATE_DIR)/webcore/InspectorFrontend.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webcore/InspectorBackendDispatcher.cpp',
],
'conditions': [
['javascript_engine=="v8"', {
'dependencies': [
'<(chromium_src_dir)/v8/tools/gyp/v8.gyp:v8',
],
'conditions': [
['inside_chromium_build==1 and OS=="win" and component=="shared_library"', {
'defines': [
'USING_V8_SHARED',
],
}],
],
}],
# TODO(maruel): Move it in its own project or generate it anyway?
['enable_svg!=0', {
'sources': [
'<(SHARED_INTERMEDIATE_DIR)/webkit/SVGElementFactory.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/V8SVGElementWrapperFactory.cpp',
],
}],
['OS=="mac"', {
'include_dirs': [
'../../../WebKitLibraries',
],
}],
['OS=="win"', {
'dependencies': [
'<(chromium_src_dir)/build/win/system.gyp:cygwin'
],
'defines': [
'WEBCORE_NAVIGATOR_PLATFORM="Win32"',
'__PRETTY_FUNCTION__=__FUNCTION__',
],
# This is needed because Event.h in this directory is blocked
# by a system header on windows.
'include_dirs++': ['../dom'],
'direct_dependent_settings': {
'include_dirs+++': ['../dom'],
},
}],
['(OS=="linux" or OS=="win") and "WTF_USE_WEBAUDIO_FFTW=1" in feature_defines', {
'include_dirs': [
'<(chromium_src_dir)/third_party/fftw/api',
],
}],
],
},
{
# We'll soon split libwebcore in multiple smaller libraries.
# webcore_prerequisites will be the 'base' target of every sub-target.
'target_name': 'webcore_prerequisites',
'type': 'none',
'dependencies': [
'webcore_bindings',
'../../ThirdParty/glu/glu.gyp:libtess',
'../../JavaScriptCore/JavaScriptCore.gyp/JavaScriptCore.gyp:yarr',
'../../JavaScriptCore/JavaScriptCore.gyp/JavaScriptCore.gyp:wtf',
'<(chromium_src_dir)/build/temp_gyp/googleurl.gyp:googleurl',
'<(chromium_src_dir)/skia/skia.gyp:skia',
'<(chromium_src_dir)/third_party/iccjpeg/iccjpeg.gyp:iccjpeg',
'<(chromium_src_dir)/third_party/libwebp/libwebp.gyp:libwebp',
'<(chromium_src_dir)/third_party/libpng/libpng.gyp:libpng',
'<(chromium_src_dir)/third_party/libxml/libxml.gyp:libxml',
'<(chromium_src_dir)/third_party/libxslt/libxslt.gyp:libxslt',
'<(chromium_src_dir)/third_party/npapi/npapi.gyp:npapi',
'<(chromium_src_dir)/third_party/ots/ots.gyp:ots',
'<(chromium_src_dir)/third_party/sqlite/sqlite.gyp:sqlite',
'<(chromium_src_dir)/third_party/angle/src/build_angle.gyp:translator_common',
'<(libjpeg_gyp_path):libjpeg',
],
'export_dependent_settings': [
'webcore_bindings',
'../../JavaScriptCore/JavaScriptCore.gyp/JavaScriptCore.gyp:yarr',
'../../JavaScriptCore/JavaScriptCore.gyp/JavaScriptCore.gyp:wtf',
'<(chromium_src_dir)/build/temp_gyp/googleurl.gyp:googleurl',
'<(chromium_src_dir)/skia/skia.gyp:skia',
'<(chromium_src_dir)/third_party/iccjpeg/iccjpeg.gyp:iccjpeg',
'<(chromium_src_dir)/third_party/libwebp/libwebp.gyp:libwebp',
'<(chromium_src_dir)/third_party/libpng/libpng.gyp:libpng',
'<(chromium_src_dir)/third_party/libxml/libxml.gyp:libxml',
'<(chromium_src_dir)/third_party/libxslt/libxslt.gyp:libxslt',
'<(chromium_src_dir)/third_party/npapi/npapi.gyp:npapi',
'<(chromium_src_dir)/third_party/ots/ots.gyp:ots',
'<(chromium_src_dir)/third_party/sqlite/sqlite.gyp:sqlite',
'<(chromium_src_dir)/third_party/angle/src/build_angle.gyp:translator_common',
'<(libjpeg_gyp_path):libjpeg',
],
# This is needed for mac because of webkit_system_interface. It'd be nice
# if this hard dependency could be split off the rest.
'hard_dependency': 1,
'direct_dependent_settings': {
'defines': [
'WEBCORE_NAVIGATOR_VENDOR="Google Inc."',
],
'include_dirs': [
'<(INTERMEDIATE_DIR)',
'<@(webcore_include_dirs)',
'<(chromium_src_dir)/gpu',
'<(chromium_src_dir)/third_party/angle/include/GLSLANG',
],
'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.
# FIXME: make this a first-class setting.
'GCC_PREFIX_HEADER': '../WebCorePrefix.h',
},
},
'conditions': [
['javascript_engine=="v8"', {
'dependencies': [
'<(chromium_src_dir)/v8/tools/gyp/v8.gyp:v8',
],
'export_dependent_settings': [
'<(chromium_src_dir)/v8/tools/gyp/v8.gyp:v8',
],
'conditions': [
['inside_chromium_build==1 and OS=="win" and component=="shared_library"', {
'direct_dependent_settings': {
'defines': [
'USING_V8_SHARED',
],
},
}],
],
}],
['use_accelerated_compositing==1', {
'dependencies': [
'<(chromium_src_dir)/gpu/gpu.gyp:gles2_c_lib',
],
'export_dependent_settings': [
'<(chromium_src_dir)/gpu/gpu.gyp:gles2_c_lib',
],
}],
['OS=="linux" or OS=="freebsd"', {
'dependencies': [
'<(chromium_src_dir)/build/linux/system.gyp:fontconfig',
'<(chromium_src_dir)/build/linux/system.gyp:gtk',
],
'export_dependent_settings': [
'<(chromium_src_dir)/build/linux/system.gyp:fontconfig',
'<(chromium_src_dir)/build/linux/system.gyp:gtk',
],
'direct_dependent_settings': {
'cflags': [
# WebCore does not work with strict aliasing enabled.
# https://bugs.webkit.org/show_bug.cgi?id=25864
'-fno-strict-aliasing',
],
},
}],
['OS=="linux"', {
'direct_dependent_settings': {
'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"', {
'dependencies': [
'webkit_system_interface',
],
'export_dependent_settings': [
'webkit_system_interface',
],
'direct_dependent_settings': {
'defines': [
# Match Safari and Mozilla on Mac x86.
'WEBCORE_NAVIGATOR_PLATFORM="MacIntel"',
# Chromium's version of WebCore includes the following Objective-C
# classes. The system-provided WebCore framework may also provide
# these classes. Because of the nature of Objective-C binding
# (dynamically at runtime), it's possible for the
# Chromium-provided versions to interfere with the system-provided
# versions. This may happen when a system framework attempts to
# use WebCore.framework, such as when converting an HTML-flavored
# string to an NSAttributedString. The solution is to force
# Objective-C class names that would conflict to use alternate
# names.
#
# This list will hopefully shrink but may also grow. Its
# performance is monitored by the "Check Objective-C Rename"
# postbuild step, and any suspicious-looking symbols not handled
# here or whitelisted in that step will cause a build failure.
#
# If this is unhandled, the console will receive log messages
# such as:
# com.google.Chrome[] objc[]: Class ScrollbarPrefsObserver is implemented in both .../Google Chrome.app/Contents/Versions/.../Google Chrome Helper.app/Contents/MacOS/../../../Google Chrome Framework.framework/Google Chrome Framework and /System/Library/Frameworks/WebKit.framework/Versions/A/Frameworks/WebCore.framework/Versions/A/WebCore. One of the two will be used. Which one is undefined.
'ScrollbarPrefsObserver=ChromiumWebCoreObjCScrollbarPrefsObserver',
'WebCoreRenderThemeNotificationObserver=ChromiumWebCoreObjCWebCoreRenderThemeNotificationObserver',
'WebFontCache=ChromiumWebCoreObjCWebFontCache',
],
'include_dirs': [
'../../../WebKitLibraries',
],
'postbuilds': [
{
# This step ensures that any Objective-C names that aren't
# redefined to be "safe" above will cause a build failure.
'postbuild_name': 'Check Objective-C Rename',
'variables': {
'class_whitelist_regex':
'ChromiumWebCoreObjC|TCMVisibleView|RTCMFlippedView',
'category_whitelist_regex':
'TCMInterposing',
},
'action': [
'mac/check_objc_rename.sh',
'<(class_whitelist_regex)',
'<(category_whitelist_regex)',
],
},
],
},
}],
['OS=="win"', {
'dependencies': [
'<(chromium_src_dir)/build/win/system.gyp:cygwin'
],
'export_dependent_settings': [
'<(chromium_src_dir)/build/win/system.gyp:cygwin'
],
'direct_dependent_settings': {
'defines': [
# Match Safari and Mozilla on Windows.
'WEBCORE_NAVIGATOR_PLATFORM="Win32"',
'__PRETTY_FUNCTION__=__FUNCTION__',
],
# This is needed because Event.h in this directory is blocked
# by a system header on windows.
'include_dirs++': ['../dom'],
},
}],
['(OS=="linux" or OS=="win") and branding=="Chrome"', {
'dependencies': [
'<(chromium_src_dir)/third_party/mkl/google/mkl.gyp:mkl_libs',
],
}],
['(OS=="linux" or OS=="win") and "WTF_USE_WEBAUDIO_FFTW=1" in feature_defines', {
# This directory needs to be on the include path for multiple sub-targets of webcore.
'direct_dependent_settings': {
'include_dirs': [
'<(chromium_src_dir)/third_party/fftw/api',
],
},
}],
['"ENABLE_LEVELDB=1" in feature_defines', {
'dependencies': [
'<(chromium_src_dir)/third_party/leveldb/leveldb.gyp:leveldb',
],
'export_dependent_settings': [
'<(chromium_src_dir)/third_party/leveldb/leveldb.gyp:leveldb',
],
}],
],
},
{
'target_name': 'webcore_html',
'type': '<(library)',
'dependencies': [
'webcore_prerequisites',
],
'sources': [
'<@(webcore_privateheader_files)',
'<@(webcore_files)',
],
'sources/': [
# Start by excluding everything then include html files only.
['exclude', '.*'],
['include', 'html/'],
['exclude', 'AllInOne\\.cpp$'],
],
},
{
'target_name': 'webcore_svg',
'type': '<(library)',
'dependencies': [
'webcore_prerequisites',
],
'sources': [
'<@(webcore_privateheader_files)',
'<@(webcore_files)',
],
'sources/': [
# Start by excluding everything then include svg files only. Note that
# css/SVG* and bindings/v8/custom/V8SVG* are still built in
# webcore_remaining.
['exclude', '.*'],
['include', 'svg/'],
['include', 'css/svg/'],
['include', 'rendering/style/SVG'],
['include', 'rendering/RenderSVG'],
['include', 'rendering/SVG'],
['exclude', 'AllInOne\\.cpp$'],
],
},
{
'target_name': 'webcore_platform',
'type': '<(library)',
'dependencies': [
'webcore_prerequisites',
],
# This is needed for mac because of webkit_system_interface. It'd be nice
# if this hard dependency could be split off the rest.
'hard_dependency': 1,
'sources': [
'<@(webcore_privateheader_files)',
'<@(webcore_files)',
# For WebCoreSystemInterface, Mac-only.
'../../WebKit/mac/WebCoreSupport/WebSystemInterface.mm',
],
'sources/': [
['exclude', '.*'],
['include', 'platform/'],
# FIXME: Figure out how to store these patterns in a variable.
['exclude', '(android|brew|cairo|ca|cf|cg|curl|efl|freetype|gstreamer|gtk|haiku|linux|mac|opengl|openvg|opentype|pango|posix|qt|soup|svg|symbian|texmap|iphone|win|wince|wx)/'],
['exclude', '(?<!Chromium)(Android|Cairo|CF|CG|Curl|Gtk|JSC|Linux|Mac|OpenType|POSIX|Posix|Qt|Safari|Soup|Symbian|Win|WinCE|Wx)\\.(cpp|mm?)$'],
['include', 'platform/graphics/opentype/OpenTypeSanitizer\\.cpp$'],
['exclude', 'platform/LinkHash\\.cpp$'],
['exclude', 'platform/MIMETypeRegistry\\.cpp$'],
['exclude', 'platform/Theme\\.cpp$'],
['exclude', 'platform/graphics/ANGLEWebKitBridge\\.(cpp|h)$'],
['exclude', 'platform/image-encoders/JPEGImageEncoder\\.(cpp|h)$'],
['exclude', 'platform/image-encoders/PNGImageEncoder\\.(cpp|h)$'],
['exclude', 'platform/network/ResourceHandle\\.cpp$'],
['exclude', 'platform/sql/SQLiteFileSystem\\.cpp$'],
['exclude', 'platform/text/LocalizedNumberNone\\.cpp$'],
['exclude', 'platform/text/TextEncodingDetectorNone\\.cpp$'],
],
'conditions': [
['OS=="linux" or OS=="freebsd"', {
'sources/': [
# Cherry-pick files excluded by the broader regular expressions above.
['include', 'platform/chromium/KeyCodeConversionGtk\\.cpp$'],
['include', 'platform/graphics/chromium/ComplexTextControllerLinux\\.cpp$'],
['include', 'platform/graphics/chromium/FontCacheLinux\\.cpp$'],
['include', 'platform/graphics/chromium/FontLinux\\.cpp$'],
['include', 'platform/graphics/chromium/FontPlatformDataLinux\\.cpp$'],
['include', 'platform/graphics/chromium/SimpleFontDataLinux\\.cpp$'],
],
'dependencies': [
'<(chromium_src_dir)/third_party/harfbuzz/harfbuzz.gyp:harfbuzz',
],
}],
['OS=="mac"', {
# Necessary for Mac .mm stuff.
'include_dirs': [
'../../../WebKitLibraries',
],
'dependencies': [
'webkit_system_interface',
],
'actions': [
{
# Allow framework-style #include of
# <WebCore/WebCoreSystemInterface.h>.
'action_name': 'WebCoreSystemInterface.h',
'inputs': [
'../platform/mac/WebCoreSystemInterface.h',
],
'outputs': [
'<(INTERMEDIATE_DIR)/WebCore/WebCoreSystemInterface.h',
],
'action': ['cp', '<@(_inputs)', '<@(_outputs)'],
},
],
'sources/': [
# Additional files from the WebCore Mac build that are presently
# used in the WebCore Chromium Mac build too.
# The Mac build is USE(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?)$'],
['include', 'platform/graphics/mac/ComplexText[^/]*\\.(cpp|h)$'],
# We can use this for the fast Accelerate.framework FFT.
['include', 'platform/audio/mac/FFTFrameMac\\.cpp$'],
# 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', 'rendering/RenderThemeMac\\.mm$'],
['include', 'platform/graphics/mac/ColorMac\\.mm$'],
['include', 'platform/graphics/mac/FloatPointMac\\.mm$'],
['include', 'platform/graphics/mac/FloatRectMac\\.mm$'],
['include', 'platform/graphics/mac/FloatSizeMac\\.mm$'],
['include', 'platform/graphics/mac/GlyphPageTreeNodeMac\\.cpp$'],
['include', 'platform/graphics/mac/GraphicsContextMac\\.mm$'],
['include', 'platform/graphics/mac/IntRectMac\\.mm$'],
['include', 'platform/mac/BlockExceptions\\.mm$'],
['include', 'platform/mac/KillRingMac\\.mm$'],
['include', 'platform/mac/LocalCurrentGraphicsContext\\.mm$'],
['include', 'platform/mac/PurgeableBufferMac\\.cpp$'],
['include', 'platform/mac/WebCoreSystemInterface\\.mm$'],
['include', 'platform/mac/WebCoreTextRenderer\\.mm$'],
['include', 'platform/text/mac/ShapeArabic\\.c$'],
['include', 'platform/text/mac/String(Impl)?Mac\\.mm$'],
# Use USE_NEW_THEME on Mac.
['include', 'platform/Theme\\.cpp$'],
['include', 'WebKit/mac/WebCoreSupport/WebSystemInterface\\.mm$'],
# Chromium Mac does not use skia.
['exclude', 'platform/graphics/skia/[^/]*Skia\\.(cpp|h)$'],
# The Mac uses platform/mac/KillRingMac.mm instead of the dummy
# implementation.
['exclude', 'platform/KillRingNone\\.cpp$'],
# The Mac currently uses FontCustomPlatformData.cpp from
# platform/graphics/mac, included by regex above, instead.
['exclude', 'platform/graphics/skia/FontCustomPlatformData\\.cpp$'],
# The Mac currently uses ScrollbarThemeChromiumMac.mm, which is not
# related to ScrollbarThemeChromium.cpp.
['exclude', 'platform/chromium/ScrollbarThemeChromium\\.cpp$'],
# The Mac currently uses ImageChromiumMac.mm from
# platform/graphics/chromium, included by regex above, instead.
['exclude', 'platform/graphics/chromium/ImageChromium\\.cpp$'],
# The Mac does not use ImageSourceCG.cpp from platform/graphics/cg
# even though it is included by regex above.
['exclude', 'platform/graphics/cg/ImageSourceCG\\.cpp$'],
['exclude', 'platform/graphics/cg/PDFDocumentImage\\.cpp$'],
# ImageDecoderSkia is not used on mac. ImageDecoderCG is used instead.
['exclude', 'platform/image-decoders/skia/ImageDecoderSkia\\.cpp$'],
['include', 'platform/image-decoders/cg/ImageDecoderCG\\.cpp$'],
# Again, Skia is not used on Mac.
['exclude', 'platform/chromium/DragImageChromiumSkia\\.cpp$'],
],
},{ # OS!="mac"
'sources/': [
# FIXME: We will eventually compile this too, but for now it's
# only used on mac.
['exclude', 'platform/graphics/FontPlatformData\\.cpp$']
],
}],
['OS!="linux" and OS!="freebsd"', {
'sources/': [
['exclude', '(Gtk|Linux)\\.cpp$'],
['exclude', 'Harfbuzz[^/]+\\.(cpp|h)$'],
['exclude', 'VDMX[^/]+\\.(cpp|h)$'],
],
}],
['OS!="mac"', {
'sources/': [['exclude', 'Mac\\.(cpp|mm?)$']]
}],
['OS!="win"', {
'sources/': [
['exclude', 'Win\\.cpp$'],
['exclude', '/(Windows|Uniscribe)[^/]*\\.cpp$']
],
}],
['OS=="win"', {
'sources/': [
['exclude', 'Posix\\.cpp$'],
# The Chromium Win currently uses GlyphPageTreeNodeChromiumWin.cpp from
# platform/graphics/chromium, included by regex above, instead.
['exclude', 'platform/graphics/skia/GlyphPageTreeNodeSkia\\.cpp$'],
# SystemInfo.cpp is useful and we don't want to copy it.
['include', 'platform/win/SystemInfo\\.cpp$'],
],
}],
],
},
{
'target_name': 'webcore_rendering',
'type': '<(library)',
'dependencies': [
'webcore_prerequisites',
],
'sources': [
'<@(webcore_privateheader_files)',
'<@(webcore_files)',
],
'sources/': [
['exclude', '.*'],
['include', 'rendering/'],
# FIXME: Figure out how to store these patterns in a variable.
['exclude', '(android|brew|cairo|ca|cf|cg|curl|efl|freetype|gstreamer|gtk|haiku|linux|mac|opengl|openvg|opentype|pango|posix|qt|soup|svg|symbian|texmap|iphone|win|wince|wx)/'],
['exclude', '(?<!Chromium)(Android|Cairo|CF|CG|Curl|Gtk|JSC|Linux|Mac|OpenType|POSIX|Posix|Qt|Safari|Soup|Symbian|Win|WinCE|Wx)\\.(cpp|mm?)$'],
['exclude', 'AllInOne\\.cpp$'],
# Exclude most of SVG except css and javascript bindings.
['exclude', 'rendering/style/SVG[^/]+.(cpp|h)$'],
['exclude', 'rendering/RenderSVG[^/]+.(cpp|h)$'],
['exclude', 'rendering/SVG[^/]+.(cpp|h)$'],
],
'conditions': [
['OS=="win"', {
'sources/': [
['exclude', 'Posix\\.cpp$'],
],
}],
['OS=="mac"', {
'sources/': [
# RenderThemeChromiumSkia is not used on mac since RenderThemeChromiumMac
# does not reference the Skia code that is used by Windows and Linux.
['exclude', 'rendering/RenderThemeChromiumSkia\\.cpp$'],
],
}],
['(OS=="linux" or OS=="freebsd" or OS=="openbsd") and gcc_version==42', {
# Due to a bug in gcc 4.2.1 (the current version on hardy), we get
# warnings about uninitialized this.
'cflags': ['-Wno-uninitialized'],
}],
['OS!="linux" and OS!="freebsd"', {
'sources/': [
['exclude', '(Gtk|Linux)\\.cpp$'],
],
}],
['OS!="mac"', {
'sources/': [['exclude', 'Mac\\.(cpp|mm?)$']]
}],
['OS!="win"', {
'sources/': [
['exclude', 'Win\\.cpp$'],
],
}],
],
},
{
'target_name': 'webcore_remaining',
'type': '<(library)',
'dependencies': [
'webcore_prerequisites',
],
# This is needed for mac because of webkit_system_interface. It'd be nice
# if this hard dependency could be split off the rest.
'hard_dependency': 1,
'sources': [
'<@(webcore_privateheader_files)',
'<@(webcore_files)',
],
'sources/': [
['exclude', 'html/'],
['exclude', 'platform/'],
['exclude', 'rendering/'],
# Exclude most of bindings, except of the V8-related parts.
['exclude', 'bindings/[^/]+/'],
['include', 'bindings/generic/'],
['include', 'bindings/v8/'],
# Exclude most of bridge, except for the V8-related parts.
['exclude', 'bridge/'],
['include', 'bridge/jni/'],
['exclude', 'bridge/jni/[^/]+_jsobject\\.mm$'],
['exclude', 'bridge/jni/[^/]+_objc\\.mm$'],
['exclude', 'bridge/jni/jsc/'],
# FIXME: Figure out how to store these patterns in a variable.
['exclude', '(android|brew|cairo|ca|cf|cg|curl|efl|freetype|gstreamer|gtk|haiku|linux|mac|opengl|openvg|opentype|pango|posix|qt|soup|svg|symbian|texmap|iphone|win|wince|wx)/'],
['exclude', '(?<!Chromium)(Android|Cairo|CF|CG|Curl|Gtk|JSC|Linux|Mac|OpenType|POSIX|Posix|Qt|Safari|Soup|Symbian|Win|WinCE|Wx)\\.(cpp|mm?)$'],
['exclude', 'AllInOne\\.cpp$'],
['exclude', 'dom/StaticStringList\\.cpp$'],
['exclude', 'dom/default/PlatformMessagePortChannel\\.(cpp|h)$'],
['exclude', 'fileapi/LocalFileSystem\\.cpp$'],
['exclude', 'inspector/InspectorFrontendClientLocal\\.cpp$'],
['exclude', 'inspector/JavaScript[^/]*\\.cpp$'],
['exclude', 'loader/UserStyleSheetLoader\\.cpp$'],
['exclude', 'loader/appcache/'],
['exclude', 'loader/archive/ArchiveFactory\\.cpp$'],
['exclude', 'loader/archive/cf/LegacyWebArchiveMac\\.mm$'],
['exclude', 'loader/archive/cf/LegacyWebArchive\\.cpp$'],
['exclude', 'loader/icon/IconDatabase\\.cpp$'],
['exclude', 'plugins/PluginDataNone\\.cpp$'],
['exclude', 'plugins/PluginDatabase\\.cpp$'],
['exclude', 'plugins/PluginMainThreadScheduler\\.cpp$'],
['exclude', 'plugins/PluginPackageNone\\.cpp$'],
['exclude', 'plugins/PluginPackage\\.cpp$'],
['exclude', 'plugins/PluginStream\\.cpp$'],
['exclude', 'plugins/PluginView\\.cpp$'],
['exclude', 'plugins/npapi\\.cpp$'],
['exclude', 'storage/DatabaseTrackerClient\\.h$'],
['exclude', 'storage/DatabaseTracker\\.cpp$'],
['exclude', 'storage/IDBFactoryBackendInterface\\.cpp$'],
['exclude', 'storage/IDBKeyPathBackendImpl\\.cpp$'],
['exclude', 'storage/OriginQuotaManager\\.(cpp|h)$'],
['exclude', 'storage/OriginUsageRecord\\.(cpp|h)$'],
['exclude', 'storage/SQLTransactionClient\\.cpp$'],
['exclude', 'storage/StorageEventDispatcher\\.cpp$'],
['exclude', 'storage/StorageNamespace\\.cpp$'],
['exclude', 'workers/DefaultSharedWorkerRepository\\.(cpp|h)$'],
['include', 'loader/appcache/ApplicationCacheHost\.h$'],
['include', 'loader/appcache/DOMApplicationCache\.(cpp|h)$'],
],
'link_settings': {
'mac_bundle_resources': [
'../Resources/aliasCursor.png',
'../Resources/cellCursor.png',
'../Resources/contextMenuCursor.png',
'../Resources/copyCursor.png',
'../Resources/crossHairCursor.png',
'../Resources/eastResizeCursor.png',
'../Resources/eastWestResizeCursor.png',
'../Resources/helpCursor.png',
'../Resources/linkCursor.png',
'../Resources/missingImage.png',
'../Resources/moveCursor.png',
'../Resources/noDropCursor.png',
'../Resources/noneCursor.png',
'../Resources/northEastResizeCursor.png',
'../Resources/northEastSouthWestResizeCursor.png',
'../Resources/northResizeCursor.png',
'../Resources/northSouthResizeCursor.png',
'../Resources/northWestResizeCursor.png',
'../Resources/northWestSouthEastResizeCursor.png',
'../Resources/notAllowedCursor.png',
'../Resources/progressCursor.png',
'../Resources/southEastResizeCursor.png',
'../Resources/southResizeCursor.png',
'../Resources/southWestResizeCursor.png',
'../Resources/verticalTextCursor.png',
'../Resources/waitCursor.png',
'../Resources/westResizeCursor.png',
'../Resources/zoomInCursor.png',
'../Resources/zoomOutCursor.png',
],
},
'conditions': [
['OS=="win"', {
'sources/': [
['exclude', 'Posix\\.cpp$'],
['include', '/opentype/'],
['include', '/ScrollAnimatorWin\\.cpp$'],
['include', '/ScrollAnimatorWin\\.h$'],
['include', '/SkiaFontWin\\.cpp$'],
['include', '/TransparencyWin\\.cpp$'],
],
}],
['(OS=="linux" or OS=="freebsd" or OS=="openbsd") and gcc_version==42', {
# Due to a bug in gcc 4.2.1 (the current version on hardy), we get
# warnings about uninitialized this.
'cflags': ['-Wno-uninitialized'],
}],
['OS!="linux" and OS!="freebsd"', {
'sources/': [
['exclude', '(Gtk|Linux)\\.cpp$'],
],
}],
['OS!="mac"', {
'sources/': [['exclude', 'Mac\\.(cpp|mm?)$']]
}],
['OS!="win"', {
'sources/': [
['exclude', 'Win\\.cpp$'],
['exclude', '/(Windows|Uniscribe)[^/]*\\.cpp$']
],
}],
['javascript_engine=="v8"', {
'dependencies': [
'<(chromium_src_dir)/v8/src/extensions/experimental/experimental.gyp:i18n_api',
],
}],
],
},
{
'target_name': 'webcore',
'type': 'none',
'dependencies': [
'webcore_html',
'webcore_platform',
'webcore_remaining',
'webcore_rendering',
# Exported.
'webcore_bindings',
'../../JavaScriptCore/JavaScriptCore.gyp/JavaScriptCore.gyp:wtf',
'<(chromium_src_dir)/build/temp_gyp/googleurl.gyp:googleurl',
'<(chromium_src_dir)/skia/skia.gyp:skia',
'<(chromium_src_dir)/third_party/npapi/npapi.gyp:npapi',
],
'export_dependent_settings': [
'webcore_bindings',
'../../JavaScriptCore/JavaScriptCore.gyp/JavaScriptCore.gyp:wtf',
'<(chromium_src_dir)/build/temp_gyp/googleurl.gyp:googleurl',
'<(chromium_src_dir)/skia/skia.gyp:skia',
'<(chromium_src_dir)/third_party/npapi/npapi.gyp:npapi',
],
'direct_dependent_settings': {
'include_dirs': [
'<@(webcore_include_dirs)',
],
'mac_framework_dirs': [
'$(SDKROOT)/System/Library/Frameworks/ApplicationServices.framework/Frameworks',
'$(SDKROOT)/System/Library/Frameworks/Accelerate.framework',
'$(SDKROOT)/System/Library/Frameworks/CoreServices.framework',
'$(SDKROOT)/System/Library/Frameworks/Foundation.framework',
'$(SDKROOT)/System/Library/Frameworks/CoreFoundation.framework',
'$(SDKROOT)/System/Library/Frameworks/AudioToolbox.framework',
'$(SDKROOT)/System/Library/Frameworks/AudioUnit.framework',
'$(SDKROOT)/System/Library/Frameworks/CoreAudio.framework',
],
},
'conditions': [
['javascript_engine=="v8"', {
'dependencies': [
'<(chromium_src_dir)/v8/tools/gyp/v8.gyp:v8',
],
'export_dependent_settings': [
'<(chromium_src_dir)/v8/tools/gyp/v8.gyp:v8',
],
}],
['OS=="mac"', {
'direct_dependent_settings': {
'include_dirs': [
'../../../WebKitLibraries',
'../../WebKit/mac/WebCoreSupport',
],
},
}],
['OS=="win"', {
'direct_dependent_settings': {
'include_dirs+++': ['../dom'],
},
}],
['OS=="linux" and "WTF_USE_WEBAUDIO_FFTW=1" in feature_defines', {
# FIXME: (kbr) figure out how to make these dependencies
# work in a cross-platform way. Attempts to use
# "link_settings" and "libraries" in conjunction with the
# msvs-specific settings didn't work so far.
'all_dependent_settings': {
'ldflags': [
# FIXME: (kbr) build the FFTW into PRODUCT_DIR using GYP.
'-Lthird_party/fftw/.libs',
],
'link_settings': {
'libraries': [
'-lfftw3f'
],
},
},
}],
['enable_svg!=0', {
'dependencies': [
'webcore_svg',
],
}],
],
},
], # targets
}
| {'includes': ['../../WebKit/chromium/features.gypi', '../WebCore.gypi'], 'conditions': [['inside_chromium_build==0', {'variables': {'chromium_src_dir': '../../WebKit/chromium', 'libjpeg_gyp_path': '<(chromium_src_dir)/third_party/libjpeg_turbo/libjpeg.gyp'}}, {'variables': {'chromium_src_dir': '../../../../..'}}], ['OS == "mac"', {'targets': [{'target_name': 'webkit_system_interface', 'type': 'static_library', 'variables': {'adjusted_library_path': '<(PRODUCT_DIR)/libWebKitSystemInterfaceLeopardPrivateExtern.a'}, 'sources': ['mac/Empty.cpp'], 'actions': [{'action_name': 'Adjust Visibility', 'inputs': ['mac/adjust_visibility.sh', '../../../WebKitLibraries/libWebKitSystemInterfaceLeopard.a'], 'outputs': ['<(adjusted_library_path)'], 'action': ['<@(_inputs)', '<@(_outputs)', '<(INTERMEDIATE_DIR)/adjust_visibility']}], 'link_settings': {'libraries': ['<(adjusted_library_path)']}}]}], ['OS!="win" and remove_webcore_debug_symbols==1', {'target_defaults': {'cflags!': ['-g']}}], ['OS=="linux" and target_arch=="arm"', {'target_defaults': {'cflags': ['-Wno-uninitialized']}}]], 'variables': {'remove_webcore_debug_symbols%': 0, 'enable_svg%': 1, 'javascript_engine%': 'v8', 'webcore_include_dirs': ['../', '../..', '../accessibility', '../accessibility/chromium', '../bindings', '../bindings/generic', '../bindings/v8', '../bindings/v8/custom', '../bindings/v8/specialization', '../bridge', '../bridge/jni', '../bridge/jni/v8', '../css', '../dom', '../dom/default', '../editing', '../fileapi', '../history', '../html', '../html/canvas', '../html/parser', '../html/shadow', '../inspector', '../loader', '../loader/appcache', '../loader/archive', '../loader/cache', '../loader/icon', '../mathml', '../notifications', '../page', '../page/animation', '../page/chromium', '../platform', '../platform/animation', '../platform/audio', '../platform/audio/chromium', '../platform/chromium', '../platform/graphics', '../platform/graphics/chromium', '../platform/graphics/filters', '../platform/graphics/gpu', '../platform/graphics/opentype', '../platform/graphics/skia', '../platform/graphics/transforms', '../platform/image-decoders', '../platform/image-decoders/bmp', '../platform/image-decoders/gif', '../platform/image-decoders/ico', '../platform/image-decoders/jpeg', '../platform/image-decoders/png', '../platform/image-decoders/skia', '../platform/image-decoders/xbm', '../platform/image-decoders/webp', '../platform/image-encoders/skia', '../platform/leveldb', '../platform/mock', '../platform/network', '../platform/network/chromium', '../platform/sql', '../platform/text', '../platform/text/transcoder', '../plugins', '../plugins/chromium', '../rendering', '../rendering/style', '../rendering/svg', '../storage', '../storage/chromium', '../svg', '../svg/animation', '../svg/graphics', '../svg/graphics/filters', '../svg/properties', '../../ThirdParty/glu', '../webaudio', '../websockets', '../workers', '../xml'], 'bindings_idl_files': ['<@(webcore_bindings_idl_files)'], 'bindings_idl_files!': ['../dom/EventListener.idl', '../dom/EventTarget.idl', '../html/VoidCallback.idl', '../page/AbstractView.idl', '../svg/ElementTimeControl.idl', '../svg/SVGExternalResourcesRequired.idl', '../svg/SVGFilterPrimitiveStandardAttributes.idl', '../svg/SVGFitToViewBox.idl', '../svg/SVGLangSpace.idl', '../svg/SVGLocatable.idl', '../svg/SVGStylable.idl', '../svg/SVGTests.idl', '../svg/SVGTransformable.idl', '../svg/SVGViewSpec.idl', '../svg/SVGZoomAndPan.idl', '../css/CSSUnknownRule.idl'], 'conditions': [['enable_svg!=0', {'bindings_idl_files': ['<@(webcore_svg_bindings_idl_files)']}], ['OS=="mac"', {'webcore_include_dirs+': ['../platform/graphics/cocoa', '../platform/graphics/cg'], 'webcore_include_dirs': ['../platform/audio/mac', '../platform/cocoa', '../platform/graphics/mac', '../platform/mac', '../platform/text/mac']}], ['OS=="win"', {'webcore_include_dirs': ['../page/win', '../platform/audio/win', '../platform/graphics/win', '../platform/text/win', '../platform/win']}, {'chromium_code': 1}], ['OS=="win" and buildtype=="Official"', {'derived_sources_aggregate_files': ['<(SHARED_INTERMEDIATE_DIR)/webkit/bindings/V8DerivedSourcesAll.cpp']}, {'derived_sources_aggregate_files': ['<(SHARED_INTERMEDIATE_DIR)/webkit/bindings/V8DerivedSources1.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/bindings/V8DerivedSources2.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/bindings/V8DerivedSources3.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/bindings/V8DerivedSources4.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/bindings/V8DerivedSources5.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/bindings/V8DerivedSources6.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/bindings/V8DerivedSources7.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/bindings/V8DerivedSources8.cpp']}]]}, 'targets': [{'target_name': 'inspector_idl', 'type': 'none', 'actions': [{'action_name': 'generateInspectorProtocolIDL', 'inputs': ['../inspector/generate-inspector-idl', '../inspector/Inspector.json'], 'outputs': ['<(SHARED_INTERMEDIATE_DIR)/webcore/Inspector.idl'], 'variables': {'generator_include_dirs': []}, 'action': ['python', '../inspector/generate-inspector-idl', '-o', '<@(_outputs)', '<@(_inputs)'], 'message': 'Generating Inspector protocol sources from Inspector.idl'}]}, {'target_name': 'inspector_protocol_sources', 'type': 'none', 'dependencies': ['inspector_idl'], 'actions': [{'action_name': 'generateInspectorProtocolSources', 'inputs': ['../bindings/scripts/generate-bindings.pl', '../inspector/CodeGeneratorInspector.pm', '../bindings/scripts/CodeGenerator.pm', '../bindings/scripts/IDLParser.pm', '../bindings/scripts/IDLStructure.pm', '<(SHARED_INTERMEDIATE_DIR)/webcore/Inspector.idl'], 'outputs': ['<(SHARED_INTERMEDIATE_DIR)/webcore/InspectorBackendDispatcher.cpp', '<(SHARED_INTERMEDIATE_DIR)/webcore/InspectorBackendStub.js', '<(SHARED_INTERMEDIATE_DIR)/webkit/InspectorBackendDispatcher.h', '<(SHARED_INTERMEDIATE_DIR)/webcore/InspectorFrontend.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/InspectorFrontend.h'], 'variables': {'generator_include_dirs': []}, 'action': ['python', 'scripts/rule_binding.py', '<(SHARED_INTERMEDIATE_DIR)/webcore/Inspector.idl', '<(SHARED_INTERMEDIATE_DIR)/webcore', '<(SHARED_INTERMEDIATE_DIR)/webkit', '--', '<@(_inputs)', '--', '--defines', '<(feature_defines) LANGUAGE_JAVASCRIPT', '--generator', 'Inspector', '<@(generator_include_dirs)'], 'message': 'Generating Inspector protocol sources from Inspector.idl'}]}, {'target_name': 'injected_script_source', 'type': 'none', 'actions': [{'action_name': 'generateInjectedScriptSource', 'inputs': ['../inspector/InjectedScriptSource.js'], 'outputs': ['<(SHARED_INTERMEDIATE_DIR)/webkit/InjectedScriptSource.h'], 'action': ['perl', '../inspector/xxd.pl', 'InjectedScriptSource_js', '<@(_inputs)', '<@(_outputs)'], 'message': 'Generating InjectedScriptSource.h from InjectedScriptSource.js'}]}, {'target_name': 'debugger_script_source', 'type': 'none', 'actions': [{'action_name': 'generateDebuggerScriptSource', 'inputs': ['../bindings/v8/DebuggerScript.js'], 'outputs': ['<(SHARED_INTERMEDIATE_DIR)/webkit/DebuggerScriptSource.h'], 'action': ['perl', '../inspector/xxd.pl', 'DebuggerScriptSource_js', '<@(_inputs)', '<@(_outputs)'], 'message': 'Generating DebuggerScriptSource.h from DebuggerScript.js'}]}, {'target_name': 'webcore_bindings_sources', 'type': 'none', 'hard_dependency': 1, 'sources': ['../css/CSSGrammar.y', '../xml/XPathGrammar.y', '../html/DocTypeStrings.gperf', '../platform/ColorData.gperf', '<@(bindings_idl_files)'], 'actions': [{'action_name': 'generateXMLViewerCSS', 'inputs': ['../xml/XMLViewer.css'], 'outputs': ['<(SHARED_INTERMEDIATE_DIR)/webkit/XMLViewerCSS.h'], 'action': ['perl', '../inspector/xxd.pl', 'XMLViewer_css', '<@(_inputs)', '<@(_outputs)']}, {'action_name': 'generateXMLViewerJS', 'inputs': ['../xml/XMLViewer.js'], 'outputs': ['<(SHARED_INTERMEDIATE_DIR)/webkit/XMLViewerJS.h'], 'action': ['perl', '../inspector/xxd.pl', 'XMLViewer_js', '<@(_inputs)', '<@(_outputs)']}, {'action_name': 'HTMLEntityTable', 'inputs': ['../html/parser/HTMLEntityNames.in'], 'outputs': ['<(SHARED_INTERMEDIATE_DIR)/webkit/HTMLEntityTable.cpp'], 'action': ['python', '../html/parser/create-html-entity-table', '-o', '<@(_outputs)', '<@(_inputs)']}, {'action_name': 'CSSPropertyNames', 'inputs': ['../css/makeprop.pl', '../css/CSSPropertyNames.in'], 'outputs': ['<(SHARED_INTERMEDIATE_DIR)/webkit/CSSPropertyNames.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/CSSPropertyNames.h'], 'action': ['python', 'scripts/action_csspropertynames.py', '<@(_outputs)', '--', '<@(_inputs)'], 'conditions': [['enable_svg!=0', {'inputs': ['../css/SVGCSSPropertyNames.in']}]]}, {'action_name': 'CSSValueKeywords', 'inputs': ['../css/makevalues.pl', '../css/CSSValueKeywords.in'], 'outputs': ['<(SHARED_INTERMEDIATE_DIR)/webkit/CSSValueKeywords.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/CSSValueKeywords.h'], 'action': ['python', 'scripts/action_cssvaluekeywords.py', '<@(_outputs)', '--', '<@(_inputs)'], 'conditions': [['enable_svg!=0', {'inputs': ['../css/SVGCSSValueKeywords.in']}]]}, {'action_name': 'HTMLNames', 'inputs': ['../dom/make_names.pl', '../html/HTMLTagNames.in', '../html/HTMLAttributeNames.in'], 'outputs': ['<(SHARED_INTERMEDIATE_DIR)/webkit/HTMLNames.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/HTMLNames.h', '<(SHARED_INTERMEDIATE_DIR)/webkit/HTMLElementFactory.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/V8HTMLElementWrapperFactory.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/V8HTMLElementWrapperFactory.h'], 'action': ['python', 'scripts/action_makenames.py', '<@(_outputs)', '--', '<@(_inputs)', '--', '--factory', '--wrapperFactoryV8', '--extraDefines', '<(feature_defines)']}, {'action_name': 'SVGNames', 'inputs': ['../dom/make_names.pl', '../svg/svgtags.in', '../svg/svgattrs.in'], 'outputs': ['<(SHARED_INTERMEDIATE_DIR)/webkit/SVGNames.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/SVGNames.h', '<(SHARED_INTERMEDIATE_DIR)/webkit/SVGElementFactory.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/SVGElementFactory.h', '<(SHARED_INTERMEDIATE_DIR)/webkit/V8SVGElementWrapperFactory.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/V8SVGElementWrapperFactory.h'], 'action': ['python', 'scripts/action_makenames.py', '<@(_outputs)', '--', '<@(_inputs)', '--', '--factory', '--wrapperFactoryV8', '--extraDefines', '<(feature_defines)']}, {'action_name': 'MathMLNames', 'inputs': ['../dom/make_names.pl', '../mathml/mathtags.in', '../mathml/mathattrs.in'], 'outputs': ['<(SHARED_INTERMEDIATE_DIR)/webkit/MathMLNames.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/MathMLNames.h', '<(SHARED_INTERMEDIATE_DIR)/webkit/MathMLElementFactory.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/MathMLElementFactory.h'], 'action': ['python', 'scripts/action_makenames.py', '<@(_outputs)', '--', '<@(_inputs)', '--', '--factory', '--extraDefines', '<(feature_defines)']}, {'action_name': 'UserAgentStyleSheets', 'inputs': ['../css/make-css-file-arrays.pl', '../css/html.css', '../css/quirks.css', '../css/view-source.css', '../css/themeChromiumLinux.css', '../css/themeChromiumSkia.css', '../css/themeWin.css', '../css/themeWinQuirks.css', '../css/svg.css', '../css/mathml.css', '../css/mediaControls.css', '../css/mediaControlsChromium.css', '../css/fullscreen.css'], 'outputs': ['<(SHARED_INTERMEDIATE_DIR)/webkit/UserAgentStyleSheets.h', '<(SHARED_INTERMEDIATE_DIR)/webkit/UserAgentStyleSheetsData.cpp'], 'action': ['python', 'scripts/action_useragentstylesheets.py', '<@(_outputs)', '--', '<@(_inputs)']}, {'action_name': 'XLinkNames', 'inputs': ['../dom/make_names.pl', '../svg/xlinkattrs.in'], 'outputs': ['<(SHARED_INTERMEDIATE_DIR)/webkit/XLinkNames.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/XLinkNames.h'], 'action': ['python', 'scripts/action_makenames.py', '<@(_outputs)', '--', '<@(_inputs)', '--', '--extraDefines', '<(feature_defines)']}, {'action_name': 'XMLNSNames', 'inputs': ['../dom/make_names.pl', '../xml/xmlnsattrs.in'], 'outputs': ['<(SHARED_INTERMEDIATE_DIR)/webkit/XMLNSNames.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/XMLNSNames.h'], 'action': ['python', 'scripts/action_makenames.py', '<@(_outputs)', '--', '<@(_inputs)', '--', '--extraDefines', '<(feature_defines)']}, {'action_name': 'XMLNames', 'inputs': ['../dom/make_names.pl', '../xml/xmlattrs.in'], 'outputs': ['<(SHARED_INTERMEDIATE_DIR)/webkit/XMLNames.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/XMLNames.h'], 'action': ['python', 'scripts/action_makenames.py', '<@(_outputs)', '--', '<@(_inputs)', '--', '--extraDefines', '<(feature_defines)']}, {'action_name': 'tokenizer', 'inputs': ['../css/maketokenizer', '../css/tokenizer.flex'], 'outputs': ['<(SHARED_INTERMEDIATE_DIR)/webkit/tokenizer.cpp'], 'action': ['python', 'scripts/action_maketokenizer.py', '<@(_outputs)', '--', '<@(_inputs)']}, {'action_name': 'derived_sources_all_in_one', 'variables': {'idls_list_temp_file': '<|(idls_list_temp_file.tmp <@(bindings_idl_files))'}, 'inputs': ['scripts/action_derivedsourcesallinone.py', '<(idls_list_temp_file)', '<!@(cat <(idls_list_temp_file))'], 'outputs': ['<@(derived_sources_aggregate_files)'], 'action': ['python', 'scripts/action_derivedsourcesallinone.py', '<(idls_list_temp_file)', '--', '<@(derived_sources_aggregate_files)']}], 'rules': [{'rule_name': 'bison', 'extension': 'y', 'outputs': ['<(SHARED_INTERMEDIATE_DIR)/webkit/<(RULE_INPUT_ROOT).cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/<(RULE_INPUT_ROOT).h'], 'action': ['python', 'scripts/rule_bison.py', '<(RULE_INPUT_PATH)', '<(SHARED_INTERMEDIATE_DIR)/webkit']}, {'rule_name': 'gperf', 'extension': 'gperf', 'outputs': ['<(SHARED_INTERMEDIATE_DIR)/webkit/<(RULE_INPUT_ROOT).cpp'], 'inputs': ['../make-hash-tools.pl'], 'action': ['perl', '../make-hash-tools.pl', '<(SHARED_INTERMEDIATE_DIR)/webkit', '<(RULE_INPUT_PATH)']}, {'rule_name': 'binding', 'extension': 'idl', 'msvs_external_rule': 1, 'inputs': ['../bindings/scripts/generate-bindings.pl', '../bindings/scripts/CodeGenerator.pm', '../bindings/scripts/CodeGeneratorV8.pm', '../bindings/scripts/IDLParser.pm', '../bindings/scripts/IDLStructure.pm'], 'outputs': ['<(SHARED_INTERMEDIATE_DIR)/webcore/bindings/V8<(RULE_INPUT_ROOT).cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/bindings/V8<(RULE_INPUT_ROOT).h'], 'variables': {'generator_include_dirs': ['--include', '../css', '--include', '../dom', '--include', '../fileapi', '--include', '../html', '--include', '../notifications', '--include', '../page', '--include', '../plugins', '--include', '../storage', '--include', '../svg', '--include', '../webaudio', '--include', '../websockets', '--include', '../workers', '--include', '../xml']}, 'action': ['python', 'scripts/rule_binding.py', '<(RULE_INPUT_PATH)', '<(SHARED_INTERMEDIATE_DIR)/webcore/bindings', '<(SHARED_INTERMEDIATE_DIR)/webkit/bindings', '--', '<@(_inputs)', '--', '--defines', '<(feature_defines) LANGUAGE_JAVASCRIPT V8_BINDING', '--generator', 'V8', '<@(generator_include_dirs)'], 'message': 'Generating binding from <(RULE_INPUT_PATH)'}]}, {'target_name': 'webcore_bindings', 'type': '<(library)', 'hard_dependency': 1, 'dependencies': ['webcore_bindings_sources', 'inspector_protocol_sources', 'injected_script_source', 'debugger_script_source', '../../JavaScriptCore/JavaScriptCore.gyp/JavaScriptCore.gyp:yarr', '../../JavaScriptCore/JavaScriptCore.gyp/JavaScriptCore.gyp:wtf', '<(chromium_src_dir)/build/temp_gyp/googleurl.gyp:googleurl', '<(chromium_src_dir)/skia/skia.gyp:skia', '<(chromium_src_dir)/third_party/iccjpeg/iccjpeg.gyp:iccjpeg', '<(chromium_src_dir)/third_party/libpng/libpng.gyp:libpng', '<(chromium_src_dir)/third_party/libxml/libxml.gyp:libxml', '<(chromium_src_dir)/third_party/libxslt/libxslt.gyp:libxslt', '<(chromium_src_dir)/third_party/libwebp/libwebp.gyp:libwebp', '<(chromium_src_dir)/third_party/npapi/npapi.gyp:npapi', '<(chromium_src_dir)/third_party/sqlite/sqlite.gyp:sqlite', '<(libjpeg_gyp_path):libjpeg'], 'include_dirs': ['<(INTERMEDIATE_DIR)', '<(SHARED_INTERMEDIATE_DIR)/webcore', '<(SHARED_INTERMEDIATE_DIR)/webkit', '<(SHARED_INTERMEDIATE_DIR)/webkit/bindings', '<@(webcore_include_dirs)'], 'direct_dependent_settings': {'include_dirs': ['<(SHARED_INTERMEDIATE_DIR)/webkit', '<(SHARED_INTERMEDIATE_DIR)/webkit/bindings']}, 'sources': ['<@(derived_sources_aggregate_files)', '<(SHARED_INTERMEDIATE_DIR)/webkit/DocTypeStrings.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/ColorData.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/CSSPropertyNames.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/CSSValueKeywords.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/HTMLElementFactory.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/HTMLNames.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/UserAgentStyleSheetsData.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/V8HTMLElementWrapperFactory.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/XLinkNames.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/XMLNSNames.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/XMLNames.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/SVGNames.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/MathMLElementFactory.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/MathMLNames.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/HTMLEntityTable.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/CSSGrammar.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/XPathGrammar.cpp', '<(SHARED_INTERMEDIATE_DIR)/webcore/InspectorFrontend.cpp', '<(SHARED_INTERMEDIATE_DIR)/webcore/InspectorBackendDispatcher.cpp'], 'conditions': [['javascript_engine=="v8"', {'dependencies': ['<(chromium_src_dir)/v8/tools/gyp/v8.gyp:v8'], 'conditions': [['inside_chromium_build==1 and OS=="win" and component=="shared_library"', {'defines': ['USING_V8_SHARED']}]]}], ['enable_svg!=0', {'sources': ['<(SHARED_INTERMEDIATE_DIR)/webkit/SVGElementFactory.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/V8SVGElementWrapperFactory.cpp']}], ['OS=="mac"', {'include_dirs': ['../../../WebKitLibraries']}], ['OS=="win"', {'dependencies': ['<(chromium_src_dir)/build/win/system.gyp:cygwin'], 'defines': ['WEBCORE_NAVIGATOR_PLATFORM="Win32"', '__PRETTY_FUNCTION__=__FUNCTION__'], 'include_dirs++': ['../dom'], 'direct_dependent_settings': {'include_dirs+++': ['../dom']}}], ['(OS=="linux" or OS=="win") and "WTF_USE_WEBAUDIO_FFTW=1" in feature_defines', {'include_dirs': ['<(chromium_src_dir)/third_party/fftw/api']}]]}, {'target_name': 'webcore_prerequisites', 'type': 'none', 'dependencies': ['webcore_bindings', '../../ThirdParty/glu/glu.gyp:libtess', '../../JavaScriptCore/JavaScriptCore.gyp/JavaScriptCore.gyp:yarr', '../../JavaScriptCore/JavaScriptCore.gyp/JavaScriptCore.gyp:wtf', '<(chromium_src_dir)/build/temp_gyp/googleurl.gyp:googleurl', '<(chromium_src_dir)/skia/skia.gyp:skia', '<(chromium_src_dir)/third_party/iccjpeg/iccjpeg.gyp:iccjpeg', '<(chromium_src_dir)/third_party/libwebp/libwebp.gyp:libwebp', '<(chromium_src_dir)/third_party/libpng/libpng.gyp:libpng', '<(chromium_src_dir)/third_party/libxml/libxml.gyp:libxml', '<(chromium_src_dir)/third_party/libxslt/libxslt.gyp:libxslt', '<(chromium_src_dir)/third_party/npapi/npapi.gyp:npapi', '<(chromium_src_dir)/third_party/ots/ots.gyp:ots', '<(chromium_src_dir)/third_party/sqlite/sqlite.gyp:sqlite', '<(chromium_src_dir)/third_party/angle/src/build_angle.gyp:translator_common', '<(libjpeg_gyp_path):libjpeg'], 'export_dependent_settings': ['webcore_bindings', '../../JavaScriptCore/JavaScriptCore.gyp/JavaScriptCore.gyp:yarr', '../../JavaScriptCore/JavaScriptCore.gyp/JavaScriptCore.gyp:wtf', '<(chromium_src_dir)/build/temp_gyp/googleurl.gyp:googleurl', '<(chromium_src_dir)/skia/skia.gyp:skia', '<(chromium_src_dir)/third_party/iccjpeg/iccjpeg.gyp:iccjpeg', '<(chromium_src_dir)/third_party/libwebp/libwebp.gyp:libwebp', '<(chromium_src_dir)/third_party/libpng/libpng.gyp:libpng', '<(chromium_src_dir)/third_party/libxml/libxml.gyp:libxml', '<(chromium_src_dir)/third_party/libxslt/libxslt.gyp:libxslt', '<(chromium_src_dir)/third_party/npapi/npapi.gyp:npapi', '<(chromium_src_dir)/third_party/ots/ots.gyp:ots', '<(chromium_src_dir)/third_party/sqlite/sqlite.gyp:sqlite', '<(chromium_src_dir)/third_party/angle/src/build_angle.gyp:translator_common', '<(libjpeg_gyp_path):libjpeg'], 'hard_dependency': 1, 'direct_dependent_settings': {'defines': ['WEBCORE_NAVIGATOR_VENDOR="Google Inc."'], 'include_dirs': ['<(INTERMEDIATE_DIR)', '<@(webcore_include_dirs)', '<(chromium_src_dir)/gpu', '<(chromium_src_dir)/third_party/angle/include/GLSLANG'], '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': '../WebCorePrefix.h'}}, 'conditions': [['javascript_engine=="v8"', {'dependencies': ['<(chromium_src_dir)/v8/tools/gyp/v8.gyp:v8'], 'export_dependent_settings': ['<(chromium_src_dir)/v8/tools/gyp/v8.gyp:v8'], 'conditions': [['inside_chromium_build==1 and OS=="win" and component=="shared_library"', {'direct_dependent_settings': {'defines': ['USING_V8_SHARED']}}]]}], ['use_accelerated_compositing==1', {'dependencies': ['<(chromium_src_dir)/gpu/gpu.gyp:gles2_c_lib'], 'export_dependent_settings': ['<(chromium_src_dir)/gpu/gpu.gyp:gles2_c_lib']}], ['OS=="linux" or OS=="freebsd"', {'dependencies': ['<(chromium_src_dir)/build/linux/system.gyp:fontconfig', '<(chromium_src_dir)/build/linux/system.gyp:gtk'], 'export_dependent_settings': ['<(chromium_src_dir)/build/linux/system.gyp:fontconfig', '<(chromium_src_dir)/build/linux/system.gyp:gtk'], 'direct_dependent_settings': {'cflags': ['-fno-strict-aliasing']}}], ['OS=="linux"', {'direct_dependent_settings': {'defines': ['WEBCORE_NAVIGATOR_PLATFORM="Linux i686"']}}], ['OS=="mac"', {'dependencies': ['webkit_system_interface'], 'export_dependent_settings': ['webkit_system_interface'], 'direct_dependent_settings': {'defines': ['WEBCORE_NAVIGATOR_PLATFORM="MacIntel"', 'ScrollbarPrefsObserver=ChromiumWebCoreObjCScrollbarPrefsObserver', 'WebCoreRenderThemeNotificationObserver=ChromiumWebCoreObjCWebCoreRenderThemeNotificationObserver', 'WebFontCache=ChromiumWebCoreObjCWebFontCache'], 'include_dirs': ['../../../WebKitLibraries'], 'postbuilds': [{'postbuild_name': 'Check Objective-C Rename', 'variables': {'class_whitelist_regex': 'ChromiumWebCoreObjC|TCMVisibleView|RTCMFlippedView', 'category_whitelist_regex': 'TCMInterposing'}, 'action': ['mac/check_objc_rename.sh', '<(class_whitelist_regex)', '<(category_whitelist_regex)']}]}}], ['OS=="win"', {'dependencies': ['<(chromium_src_dir)/build/win/system.gyp:cygwin'], 'export_dependent_settings': ['<(chromium_src_dir)/build/win/system.gyp:cygwin'], 'direct_dependent_settings': {'defines': ['WEBCORE_NAVIGATOR_PLATFORM="Win32"', '__PRETTY_FUNCTION__=__FUNCTION__'], 'include_dirs++': ['../dom']}}], ['(OS=="linux" or OS=="win") and branding=="Chrome"', {'dependencies': ['<(chromium_src_dir)/third_party/mkl/google/mkl.gyp:mkl_libs']}], ['(OS=="linux" or OS=="win") and "WTF_USE_WEBAUDIO_FFTW=1" in feature_defines', {'direct_dependent_settings': {'include_dirs': ['<(chromium_src_dir)/third_party/fftw/api']}}], ['"ENABLE_LEVELDB=1" in feature_defines', {'dependencies': ['<(chromium_src_dir)/third_party/leveldb/leveldb.gyp:leveldb'], 'export_dependent_settings': ['<(chromium_src_dir)/third_party/leveldb/leveldb.gyp:leveldb']}]]}, {'target_name': 'webcore_html', 'type': '<(library)', 'dependencies': ['webcore_prerequisites'], 'sources': ['<@(webcore_privateheader_files)', '<@(webcore_files)'], 'sources/': [['exclude', '.*'], ['include', 'html/'], ['exclude', 'AllInOne\\.cpp$']]}, {'target_name': 'webcore_svg', 'type': '<(library)', 'dependencies': ['webcore_prerequisites'], 'sources': ['<@(webcore_privateheader_files)', '<@(webcore_files)'], 'sources/': [['exclude', '.*'], ['include', 'svg/'], ['include', 'css/svg/'], ['include', 'rendering/style/SVG'], ['include', 'rendering/RenderSVG'], ['include', 'rendering/SVG'], ['exclude', 'AllInOne\\.cpp$']]}, {'target_name': 'webcore_platform', 'type': '<(library)', 'dependencies': ['webcore_prerequisites'], 'hard_dependency': 1, 'sources': ['<@(webcore_privateheader_files)', '<@(webcore_files)', '../../WebKit/mac/WebCoreSupport/WebSystemInterface.mm'], 'sources/': [['exclude', '.*'], ['include', 'platform/'], ['exclude', '(android|brew|cairo|ca|cf|cg|curl|efl|freetype|gstreamer|gtk|haiku|linux|mac|opengl|openvg|opentype|pango|posix|qt|soup|svg|symbian|texmap|iphone|win|wince|wx)/'], ['exclude', '(?<!Chromium)(Android|Cairo|CF|CG|Curl|Gtk|JSC|Linux|Mac|OpenType|POSIX|Posix|Qt|Safari|Soup|Symbian|Win|WinCE|Wx)\\.(cpp|mm?)$'], ['include', 'platform/graphics/opentype/OpenTypeSanitizer\\.cpp$'], ['exclude', 'platform/LinkHash\\.cpp$'], ['exclude', 'platform/MIMETypeRegistry\\.cpp$'], ['exclude', 'platform/Theme\\.cpp$'], ['exclude', 'platform/graphics/ANGLEWebKitBridge\\.(cpp|h)$'], ['exclude', 'platform/image-encoders/JPEGImageEncoder\\.(cpp|h)$'], ['exclude', 'platform/image-encoders/PNGImageEncoder\\.(cpp|h)$'], ['exclude', 'platform/network/ResourceHandle\\.cpp$'], ['exclude', 'platform/sql/SQLiteFileSystem\\.cpp$'], ['exclude', 'platform/text/LocalizedNumberNone\\.cpp$'], ['exclude', 'platform/text/TextEncodingDetectorNone\\.cpp$']], 'conditions': [['OS=="linux" or OS=="freebsd"', {'sources/': [['include', 'platform/chromium/KeyCodeConversionGtk\\.cpp$'], ['include', 'platform/graphics/chromium/ComplexTextControllerLinux\\.cpp$'], ['include', 'platform/graphics/chromium/FontCacheLinux\\.cpp$'], ['include', 'platform/graphics/chromium/FontLinux\\.cpp$'], ['include', 'platform/graphics/chromium/FontPlatformDataLinux\\.cpp$'], ['include', 'platform/graphics/chromium/SimpleFontDataLinux\\.cpp$']], 'dependencies': ['<(chromium_src_dir)/third_party/harfbuzz/harfbuzz.gyp:harfbuzz']}], ['OS=="mac"', {'include_dirs': ['../../../WebKitLibraries'], 'dependencies': ['webkit_system_interface'], 'actions': [{'action_name': 'WebCoreSystemInterface.h', 'inputs': ['../platform/mac/WebCoreSystemInterface.h'], 'outputs': ['<(INTERMEDIATE_DIR)/WebCore/WebCoreSystemInterface.h'], 'action': ['cp', '<@(_inputs)', '<@(_outputs)']}], 'sources/': [['include', 'CF\\.cpp$'], ['exclude', 'network/cf/'], ['include', 'platform/graphics/cg/[^/]*(?<!Win)?\\.(cpp|mm?)$'], ['include', 'platform/(graphics/)?mac/[^/]*Font[^/]*\\.(cpp|mm?)$'], ['include', 'platform/graphics/mac/ComplexText[^/]*\\.(cpp|h)$'], ['include', 'platform/audio/mac/FFTFrameMac\\.cpp$'], ['include', 'rendering/RenderThemeMac\\.mm$'], ['include', 'platform/graphics/mac/ColorMac\\.mm$'], ['include', 'platform/graphics/mac/FloatPointMac\\.mm$'], ['include', 'platform/graphics/mac/FloatRectMac\\.mm$'], ['include', 'platform/graphics/mac/FloatSizeMac\\.mm$'], ['include', 'platform/graphics/mac/GlyphPageTreeNodeMac\\.cpp$'], ['include', 'platform/graphics/mac/GraphicsContextMac\\.mm$'], ['include', 'platform/graphics/mac/IntRectMac\\.mm$'], ['include', 'platform/mac/BlockExceptions\\.mm$'], ['include', 'platform/mac/KillRingMac\\.mm$'], ['include', 'platform/mac/LocalCurrentGraphicsContext\\.mm$'], ['include', 'platform/mac/PurgeableBufferMac\\.cpp$'], ['include', 'platform/mac/WebCoreSystemInterface\\.mm$'], ['include', 'platform/mac/WebCoreTextRenderer\\.mm$'], ['include', 'platform/text/mac/ShapeArabic\\.c$'], ['include', 'platform/text/mac/String(Impl)?Mac\\.mm$'], ['include', 'platform/Theme\\.cpp$'], ['include', 'WebKit/mac/WebCoreSupport/WebSystemInterface\\.mm$'], ['exclude', 'platform/graphics/skia/[^/]*Skia\\.(cpp|h)$'], ['exclude', 'platform/KillRingNone\\.cpp$'], ['exclude', 'platform/graphics/skia/FontCustomPlatformData\\.cpp$'], ['exclude', 'platform/chromium/ScrollbarThemeChromium\\.cpp$'], ['exclude', 'platform/graphics/chromium/ImageChromium\\.cpp$'], ['exclude', 'platform/graphics/cg/ImageSourceCG\\.cpp$'], ['exclude', 'platform/graphics/cg/PDFDocumentImage\\.cpp$'], ['exclude', 'platform/image-decoders/skia/ImageDecoderSkia\\.cpp$'], ['include', 'platform/image-decoders/cg/ImageDecoderCG\\.cpp$'], ['exclude', 'platform/chromium/DragImageChromiumSkia\\.cpp$']]}, {'sources/': [['exclude', 'platform/graphics/FontPlatformData\\.cpp$']]}], ['OS!="linux" and OS!="freebsd"', {'sources/': [['exclude', '(Gtk|Linux)\\.cpp$'], ['exclude', 'Harfbuzz[^/]+\\.(cpp|h)$'], ['exclude', 'VDMX[^/]+\\.(cpp|h)$']]}], ['OS!="mac"', {'sources/': [['exclude', 'Mac\\.(cpp|mm?)$']]}], ['OS!="win"', {'sources/': [['exclude', 'Win\\.cpp$'], ['exclude', '/(Windows|Uniscribe)[^/]*\\.cpp$']]}], ['OS=="win"', {'sources/': [['exclude', 'Posix\\.cpp$'], ['exclude', 'platform/graphics/skia/GlyphPageTreeNodeSkia\\.cpp$'], ['include', 'platform/win/SystemInfo\\.cpp$']]}]]}, {'target_name': 'webcore_rendering', 'type': '<(library)', 'dependencies': ['webcore_prerequisites'], 'sources': ['<@(webcore_privateheader_files)', '<@(webcore_files)'], 'sources/': [['exclude', '.*'], ['include', 'rendering/'], ['exclude', '(android|brew|cairo|ca|cf|cg|curl|efl|freetype|gstreamer|gtk|haiku|linux|mac|opengl|openvg|opentype|pango|posix|qt|soup|svg|symbian|texmap|iphone|win|wince|wx)/'], ['exclude', '(?<!Chromium)(Android|Cairo|CF|CG|Curl|Gtk|JSC|Linux|Mac|OpenType|POSIX|Posix|Qt|Safari|Soup|Symbian|Win|WinCE|Wx)\\.(cpp|mm?)$'], ['exclude', 'AllInOne\\.cpp$'], ['exclude', 'rendering/style/SVG[^/]+.(cpp|h)$'], ['exclude', 'rendering/RenderSVG[^/]+.(cpp|h)$'], ['exclude', 'rendering/SVG[^/]+.(cpp|h)$']], 'conditions': [['OS=="win"', {'sources/': [['exclude', 'Posix\\.cpp$']]}], ['OS=="mac"', {'sources/': [['exclude', 'rendering/RenderThemeChromiumSkia\\.cpp$']]}], ['(OS=="linux" or OS=="freebsd" or OS=="openbsd") and gcc_version==42', {'cflags': ['-Wno-uninitialized']}], ['OS!="linux" and OS!="freebsd"', {'sources/': [['exclude', '(Gtk|Linux)\\.cpp$']]}], ['OS!="mac"', {'sources/': [['exclude', 'Mac\\.(cpp|mm?)$']]}], ['OS!="win"', {'sources/': [['exclude', 'Win\\.cpp$']]}]]}, {'target_name': 'webcore_remaining', 'type': '<(library)', 'dependencies': ['webcore_prerequisites'], 'hard_dependency': 1, 'sources': ['<@(webcore_privateheader_files)', '<@(webcore_files)'], 'sources/': [['exclude', 'html/'], ['exclude', 'platform/'], ['exclude', 'rendering/'], ['exclude', 'bindings/[^/]+/'], ['include', 'bindings/generic/'], ['include', 'bindings/v8/'], ['exclude', 'bridge/'], ['include', 'bridge/jni/'], ['exclude', 'bridge/jni/[^/]+_jsobject\\.mm$'], ['exclude', 'bridge/jni/[^/]+_objc\\.mm$'], ['exclude', 'bridge/jni/jsc/'], ['exclude', '(android|brew|cairo|ca|cf|cg|curl|efl|freetype|gstreamer|gtk|haiku|linux|mac|opengl|openvg|opentype|pango|posix|qt|soup|svg|symbian|texmap|iphone|win|wince|wx)/'], ['exclude', '(?<!Chromium)(Android|Cairo|CF|CG|Curl|Gtk|JSC|Linux|Mac|OpenType|POSIX|Posix|Qt|Safari|Soup|Symbian|Win|WinCE|Wx)\\.(cpp|mm?)$'], ['exclude', 'AllInOne\\.cpp$'], ['exclude', 'dom/StaticStringList\\.cpp$'], ['exclude', 'dom/default/PlatformMessagePortChannel\\.(cpp|h)$'], ['exclude', 'fileapi/LocalFileSystem\\.cpp$'], ['exclude', 'inspector/InspectorFrontendClientLocal\\.cpp$'], ['exclude', 'inspector/JavaScript[^/]*\\.cpp$'], ['exclude', 'loader/UserStyleSheetLoader\\.cpp$'], ['exclude', 'loader/appcache/'], ['exclude', 'loader/archive/ArchiveFactory\\.cpp$'], ['exclude', 'loader/archive/cf/LegacyWebArchiveMac\\.mm$'], ['exclude', 'loader/archive/cf/LegacyWebArchive\\.cpp$'], ['exclude', 'loader/icon/IconDatabase\\.cpp$'], ['exclude', 'plugins/PluginDataNone\\.cpp$'], ['exclude', 'plugins/PluginDatabase\\.cpp$'], ['exclude', 'plugins/PluginMainThreadScheduler\\.cpp$'], ['exclude', 'plugins/PluginPackageNone\\.cpp$'], ['exclude', 'plugins/PluginPackage\\.cpp$'], ['exclude', 'plugins/PluginStream\\.cpp$'], ['exclude', 'plugins/PluginView\\.cpp$'], ['exclude', 'plugins/npapi\\.cpp$'], ['exclude', 'storage/DatabaseTrackerClient\\.h$'], ['exclude', 'storage/DatabaseTracker\\.cpp$'], ['exclude', 'storage/IDBFactoryBackendInterface\\.cpp$'], ['exclude', 'storage/IDBKeyPathBackendImpl\\.cpp$'], ['exclude', 'storage/OriginQuotaManager\\.(cpp|h)$'], ['exclude', 'storage/OriginUsageRecord\\.(cpp|h)$'], ['exclude', 'storage/SQLTransactionClient\\.cpp$'], ['exclude', 'storage/StorageEventDispatcher\\.cpp$'], ['exclude', 'storage/StorageNamespace\\.cpp$'], ['exclude', 'workers/DefaultSharedWorkerRepository\\.(cpp|h)$'], ['include', 'loader/appcache/ApplicationCacheHost\\.h$'], ['include', 'loader/appcache/DOMApplicationCache\\.(cpp|h)$']], 'link_settings': {'mac_bundle_resources': ['../Resources/aliasCursor.png', '../Resources/cellCursor.png', '../Resources/contextMenuCursor.png', '../Resources/copyCursor.png', '../Resources/crossHairCursor.png', '../Resources/eastResizeCursor.png', '../Resources/eastWestResizeCursor.png', '../Resources/helpCursor.png', '../Resources/linkCursor.png', '../Resources/missingImage.png', '../Resources/moveCursor.png', '../Resources/noDropCursor.png', '../Resources/noneCursor.png', '../Resources/northEastResizeCursor.png', '../Resources/northEastSouthWestResizeCursor.png', '../Resources/northResizeCursor.png', '../Resources/northSouthResizeCursor.png', '../Resources/northWestResizeCursor.png', '../Resources/northWestSouthEastResizeCursor.png', '../Resources/notAllowedCursor.png', '../Resources/progressCursor.png', '../Resources/southEastResizeCursor.png', '../Resources/southResizeCursor.png', '../Resources/southWestResizeCursor.png', '../Resources/verticalTextCursor.png', '../Resources/waitCursor.png', '../Resources/westResizeCursor.png', '../Resources/zoomInCursor.png', '../Resources/zoomOutCursor.png']}, 'conditions': [['OS=="win"', {'sources/': [['exclude', 'Posix\\.cpp$'], ['include', '/opentype/'], ['include', '/ScrollAnimatorWin\\.cpp$'], ['include', '/ScrollAnimatorWin\\.h$'], ['include', '/SkiaFontWin\\.cpp$'], ['include', '/TransparencyWin\\.cpp$']]}], ['(OS=="linux" or OS=="freebsd" or OS=="openbsd") and gcc_version==42', {'cflags': ['-Wno-uninitialized']}], ['OS!="linux" and OS!="freebsd"', {'sources/': [['exclude', '(Gtk|Linux)\\.cpp$']]}], ['OS!="mac"', {'sources/': [['exclude', 'Mac\\.(cpp|mm?)$']]}], ['OS!="win"', {'sources/': [['exclude', 'Win\\.cpp$'], ['exclude', '/(Windows|Uniscribe)[^/]*\\.cpp$']]}], ['javascript_engine=="v8"', {'dependencies': ['<(chromium_src_dir)/v8/src/extensions/experimental/experimental.gyp:i18n_api']}]]}, {'target_name': 'webcore', 'type': 'none', 'dependencies': ['webcore_html', 'webcore_platform', 'webcore_remaining', 'webcore_rendering', 'webcore_bindings', '../../JavaScriptCore/JavaScriptCore.gyp/JavaScriptCore.gyp:wtf', '<(chromium_src_dir)/build/temp_gyp/googleurl.gyp:googleurl', '<(chromium_src_dir)/skia/skia.gyp:skia', '<(chromium_src_dir)/third_party/npapi/npapi.gyp:npapi'], 'export_dependent_settings': ['webcore_bindings', '../../JavaScriptCore/JavaScriptCore.gyp/JavaScriptCore.gyp:wtf', '<(chromium_src_dir)/build/temp_gyp/googleurl.gyp:googleurl', '<(chromium_src_dir)/skia/skia.gyp:skia', '<(chromium_src_dir)/third_party/npapi/npapi.gyp:npapi'], 'direct_dependent_settings': {'include_dirs': ['<@(webcore_include_dirs)'], 'mac_framework_dirs': ['$(SDKROOT)/System/Library/Frameworks/ApplicationServices.framework/Frameworks', '$(SDKROOT)/System/Library/Frameworks/Accelerate.framework', '$(SDKROOT)/System/Library/Frameworks/CoreServices.framework', '$(SDKROOT)/System/Library/Frameworks/Foundation.framework', '$(SDKROOT)/System/Library/Frameworks/CoreFoundation.framework', '$(SDKROOT)/System/Library/Frameworks/AudioToolbox.framework', '$(SDKROOT)/System/Library/Frameworks/AudioUnit.framework', '$(SDKROOT)/System/Library/Frameworks/CoreAudio.framework']}, 'conditions': [['javascript_engine=="v8"', {'dependencies': ['<(chromium_src_dir)/v8/tools/gyp/v8.gyp:v8'], 'export_dependent_settings': ['<(chromium_src_dir)/v8/tools/gyp/v8.gyp:v8']}], ['OS=="mac"', {'direct_dependent_settings': {'include_dirs': ['../../../WebKitLibraries', '../../WebKit/mac/WebCoreSupport']}}], ['OS=="win"', {'direct_dependent_settings': {'include_dirs+++': ['../dom']}}], ['OS=="linux" and "WTF_USE_WEBAUDIO_FFTW=1" in feature_defines', {'all_dependent_settings': {'ldflags': ['-Lthird_party/fftw/.libs'], 'link_settings': {'libraries': ['-lfftw3f']}}}], ['enable_svg!=0', {'dependencies': ['webcore_svg']}]]}]} |
N = int(input())
L = list(map(int,input().split()))
D = [99999999]*(N+200)
D[0] = 0
for i in range(N):
for j in range(1,L[i]+1):
if D[i+j] > D[i] + 1:
D[i+j] = D[i]+1
if D[N-1] == 99999999:
print(-1)
else:
print(D[N-1]) | n = int(input())
l = list(map(int, input().split()))
d = [99999999] * (N + 200)
D[0] = 0
for i in range(N):
for j in range(1, L[i] + 1):
if D[i + j] > D[i] + 1:
D[i + j] = D[i] + 1
if D[N - 1] == 99999999:
print(-1)
else:
print(D[N - 1]) |
MAILQUEUE_CELERY = False
MAILQUEUE_LIMIT = 30
MAILQUEUE_QUEUE_UP = False
MAILQUEUE_CLEAR_OFFSET = 0
| mailqueue_celery = False
mailqueue_limit = 30
mailqueue_queue_up = False
mailqueue_clear_offset = 0 |
# 4 10 5 / * --> 4 * (10 / 5) = 8
# 12 4 10 5 / * - 3 + --> 12 - 4 * (10 / 5) + 3 = 7
# Algorithm
# for each item
# if number: push it to stack
# if operation: (i) pop two numbers (ii) apply operation (iii) push the result to the stack
def reverse_polish_notation(s):
stack = []
for item in s:
if item in '+-*/':
second = stack.pop()
first = stack.pop()
if item == '+':
result = first + second
elif item == '-':
result = first - second
elif item == '*':
result = first * second
elif item == '/':
result = first // second # considering only integer division
stack.push(result)
else:
stack.push(int(item))
return stack[0]
| def reverse_polish_notation(s):
stack = []
for item in s:
if item in '+-*/':
second = stack.pop()
first = stack.pop()
if item == '+':
result = first + second
elif item == '-':
result = first - second
elif item == '*':
result = first * second
elif item == '/':
result = first // second
stack.push(result)
else:
stack.push(int(item))
return stack[0] |
RAW_SKETCH_MARGIN = 50
RAW_WALL_COLOR = (255, 0, 0)
RAW_ENTRANCE_COLOR = (0, 0, 255)
RAW_LABEL_COLOR = (255, 255, 255, 128)
RAW_STAIR_COLOR = (0, 255, 0)
RAW_OBJECT_COLOR = (255, 0, 0)
RAW_DOOR_COLOR = (255, 255, 0)
ROOM_SKETCH_MARGIN = 50
ROOM_SKETCH_WALL_COLOR = (0, 255, 0)
ROOM_SKETCH_HOLE_COLOR = (0, 255, 255)
ROOM_SKETCH_WINDOW_COLOR = (255, 255, 0)
ROOM_SKETCH_DOOR_COLOR = (0, 0, 255)
ROOM_SKETCH_ROOM_ANNOTATION_COLOR = (0, 0, 255)
ROOM_SKETCH_ROOM_ANNOTATION_LABEL_COLOR = (255, 255, 255)
ROOM_SKETCH_SELECTED_ROOM_COLOR = (0, 125, 0)
ROOM_SKETCH_DOOR_CONNECTED_ADJACENT_ROOM_COLOR = (125, 125, 125)
WALL_LINKAGE_SKETCH_HOLE_HIGHLIGHT_WIDTH = 20
WALL_LINKAGE_SKETCH_THICK_HOLE_WIDTH = 10
WALL_LINKAGE_SKETCH_HOLE_WIDTH = 5
WALL_LINKAGE_SKETCH_WALL_WIDTH = 1
RAND_MAX = 100000 | raw_sketch_margin = 50
raw_wall_color = (255, 0, 0)
raw_entrance_color = (0, 0, 255)
raw_label_color = (255, 255, 255, 128)
raw_stair_color = (0, 255, 0)
raw_object_color = (255, 0, 0)
raw_door_color = (255, 255, 0)
room_sketch_margin = 50
room_sketch_wall_color = (0, 255, 0)
room_sketch_hole_color = (0, 255, 255)
room_sketch_window_color = (255, 255, 0)
room_sketch_door_color = (0, 0, 255)
room_sketch_room_annotation_color = (0, 0, 255)
room_sketch_room_annotation_label_color = (255, 255, 255)
room_sketch_selected_room_color = (0, 125, 0)
room_sketch_door_connected_adjacent_room_color = (125, 125, 125)
wall_linkage_sketch_hole_highlight_width = 20
wall_linkage_sketch_thick_hole_width = 10
wall_linkage_sketch_hole_width = 5
wall_linkage_sketch_wall_width = 1
rand_max = 100000 |
class MemberEntity:
def __init__(self):
self.email = None
self.slack_member = None
self.notified = False
self.name = None
def load(self, data: dict):
self.email = data.get("email")
self.slack_member = data.get("slack_member")
self.name = data.get("name")
| class Memberentity:
def __init__(self):
self.email = None
self.slack_member = None
self.notified = False
self.name = None
def load(self, data: dict):
self.email = data.get('email')
self.slack_member = data.get('slack_member')
self.name = data.get('name') |
'''
This file is part of Python-Slim.
Python-Slim is free software: you can redistribute it and/or modify
it under the terms of the GNU General Public License as published by
the Free Software Foundation, either version 3 of the License, or
(at your option) any later version.
Python-Slim is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU General Public License for more details.
You should have received a copy of the GNU General Public License
along with Python-Slim. If not, see <http://www.gnu.org/licenses/>.
'''
def deserialize(serialized):
return ListDeserializer(serialized).deserialize()
'''
Uses Slim Serialization. See ListSerializer for details. Will deserialize lists of lists recursively.
'''
class ListDeserializer(object):
def __init__(self, serialized):
self.serialized = serialized
self.result = []
self.index = 0
def deserialize(self):
try:
self.checkSerializedStringIsValid()
return self.deserializeString()
except Exception as e:
raise SlimSyntaxError(e)
def checkSerializedStringIsValid(self):
if self.serialized == None:
raise SlimSyntaxError("Can't deserialize null")
elif len(self.serialized) == 0:
raise SlimSyntaxError("Can't deserialize empty string")
def deserializeString(self):
self.checkForOpenBracket()
result = self.deserializeList()
self.checkForClosedBracket()
return result
def checkForClosedBracket(self):
if (not self.charsLeft() or self.getChar() != ']'):
raise SlimSyntaxError("Serialized list has no ending ]")
def charsLeft(self):
return self.index < len(self.serialized)
def checkForOpenBracket(self):
if self.getChar() != '[':
raise SlimSyntaxError("Serialized list has no starting [")
def deserializeList(self):
itemCount = self.getLength()
for i in range(0, itemCount):
self.deserializeItem()
return self.result
def deserializeItem(self):
itemLength = self.getLength()
item = self.getString(itemLength)
try:
sublist = deserialize(item)
self.result.append(sublist)
except SlimSyntaxError:
self.result.append(item)
def getString(self, length):
result = self.serialized[self.index:self.index + length]
self.index += length
self.checkForColon("String")
return result
def checkForColon(self, itemType):
if self.getChar() != ':':
raise SlimSyntaxError(itemType + " in serialized list not terminated by colon.")
def getChar(self):
c = self.serialized[self.index]
self.index += 1
return c
def getLength(self):
return self.tryGetLength()
def tryGetLength(self):
lengthSize = 6
lengthString = self.serialized[self.index:self.index + lengthSize]
length = int(lengthString)
self.index += lengthSize
self.checkForColon("Length")
return length
class SlimSyntaxError(Exception):
def __init__(self, value):
self.value = value
def __str__(self):
return repr(self.value)
| """
This file is part of Python-Slim.
Python-Slim is free software: you can redistribute it and/or modify
it under the terms of the GNU General Public License as published by
the Free Software Foundation, either version 3 of the License, or
(at your option) any later version.
Python-Slim is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU General Public License for more details.
You should have received a copy of the GNU General Public License
along with Python-Slim. If not, see <http://www.gnu.org/licenses/>.
"""
def deserialize(serialized):
return list_deserializer(serialized).deserialize()
'\n Uses Slim Serialization. See ListSerializer for details. Will deserialize lists of lists recursively.\n'
class Listdeserializer(object):
def __init__(self, serialized):
self.serialized = serialized
self.result = []
self.index = 0
def deserialize(self):
try:
self.checkSerializedStringIsValid()
return self.deserializeString()
except Exception as e:
raise slim_syntax_error(e)
def check_serialized_string_is_valid(self):
if self.serialized == None:
raise slim_syntax_error("Can't deserialize null")
elif len(self.serialized) == 0:
raise slim_syntax_error("Can't deserialize empty string")
def deserialize_string(self):
self.checkForOpenBracket()
result = self.deserializeList()
self.checkForClosedBracket()
return result
def check_for_closed_bracket(self):
if not self.charsLeft() or self.getChar() != ']':
raise slim_syntax_error('Serialized list has no ending ]')
def chars_left(self):
return self.index < len(self.serialized)
def check_for_open_bracket(self):
if self.getChar() != '[':
raise slim_syntax_error('Serialized list has no starting [')
def deserialize_list(self):
item_count = self.getLength()
for i in range(0, itemCount):
self.deserializeItem()
return self.result
def deserialize_item(self):
item_length = self.getLength()
item = self.getString(itemLength)
try:
sublist = deserialize(item)
self.result.append(sublist)
except SlimSyntaxError:
self.result.append(item)
def get_string(self, length):
result = self.serialized[self.index:self.index + length]
self.index += length
self.checkForColon('String')
return result
def check_for_colon(self, itemType):
if self.getChar() != ':':
raise slim_syntax_error(itemType + ' in serialized list not terminated by colon.')
def get_char(self):
c = self.serialized[self.index]
self.index += 1
return c
def get_length(self):
return self.tryGetLength()
def try_get_length(self):
length_size = 6
length_string = self.serialized[self.index:self.index + lengthSize]
length = int(lengthString)
self.index += lengthSize
self.checkForColon('Length')
return length
class Slimsyntaxerror(Exception):
def __init__(self, value):
self.value = value
def __str__(self):
return repr(self.value) |
'''
409. Longest Palindrome
Given a string which consists of lowercase or uppercase letters, find the length of the longest palindromes that can be built with those letters.
This is case sensitive, for example "Aa" is not considered a palindrome here.
Note:
Assume the length of given string will not exceed 1,010.
Example:
Input:
"abccccdd"
Output:
7
Explanation:
One longest palindrome that can be built is "dccaccd", whose length is 7.
'''
class Solution:
def longestPalindrome(self, s: str) -> int:
cache = {}
for char in s:
if char not in cache:
cache[char] = 0
cache[char] = cache[char] + 1
ret = 0
for item in cache.keys():
if cache[item] % 2 == 0:
ret += cache[item]
else:
if ret % 2 == 0:
ret += cache[item]
else:
ret += cache[item]-1
return ret
'''
"abccccdd"
""
"ab"
"aaaaaaaassss"
"aaaaaaaasss"
"aaaaaaasss"
'''
| """
409. Longest Palindrome
Given a string which consists of lowercase or uppercase letters, find the length of the longest palindromes that can be built with those letters.
This is case sensitive, for example "Aa" is not considered a palindrome here.
Note:
Assume the length of given string will not exceed 1,010.
Example:
Input:
"abccccdd"
Output:
7
Explanation:
One longest palindrome that can be built is "dccaccd", whose length is 7.
"""
class Solution:
def longest_palindrome(self, s: str) -> int:
cache = {}
for char in s:
if char not in cache:
cache[char] = 0
cache[char] = cache[char] + 1
ret = 0
for item in cache.keys():
if cache[item] % 2 == 0:
ret += cache[item]
elif ret % 2 == 0:
ret += cache[item]
else:
ret += cache[item] - 1
return ret
'\n"abccccdd"\n""\n"ab"\n"aaaaaaaassss"\n"aaaaaaaasss"\n"aaaaaaasss"\n\n' |
'''
---------------------------------------
experiment args
---------------------------------------
'''
test_ratio, seed = 0.33, 42
n1, o, t, c = 100, 50, 3, 300
epochs, batch_size, log_interval = 50, 30, 10
lr, mmt, wd = 5e-5, 1, 0.01
test_ratio, random_seed = 0.33, 233 | """
---------------------------------------
experiment args
---------------------------------------
"""
(test_ratio, seed) = (0.33, 42)
(n1, o, t, c) = (100, 50, 3, 300)
(epochs, batch_size, log_interval) = (50, 30, 10)
(lr, mmt, wd) = (5e-05, 1, 0.01)
(test_ratio, random_seed) = (0.33, 233) |
CODE = []
REGISTERS = {'a': 0, 'b': 0, 'c': 0, 'd': 0}
ip: int = 0
def val_or_reg(x):
if x.lstrip('+-').isdigit():
return int(x)
else:
return REGISTERS[x]
def ins_cpy(x, y):
REGISTERS[y] = val_or_reg(x)
return 1
def ins_inc(x):
REGISTERS[x] += 1
return 1
def ins_dec(x):
REGISTERS[x] -= 1
return 1
def ins_jnz(x, y):
return val_or_reg(y) if val_or_reg(x) != 0 else 1
OPCODE_TX = {
'inc': 'dec',
'dec': 'inc',
'jnz': 'cpy',
'cpy': 'jnz',
'tgl': 'inc'
}
def ins_tgl(x):
global ip
target_ip = ip + val_or_reg(x)
if 0 <= target_ip < len(CODE):
temp = CODE[target_ip]
CODE[target_ip] = OPCODE_TX[temp[:3]] + temp[3:]
return 1
OPCODES = {
'cpy': ins_cpy,
'inc': ins_inc,
'dec': ins_dec,
'jnz': ins_jnz,
'tgl': ins_tgl
}
def run():
global ip
ip = 0
while ip < len(CODE):
if ip == 5:
# 5: inc a
# 6: dec c
# 7: jnz c -2
# 8: dec d
# 9: jnz d -5
# becomes:
REGISTERS['a'] = REGISTERS['c'] * REGISTERS['d']
ip = 10
else:
ins, *params = CODE[ip].split()
ip += OPCODES[ins](*params)
if __name__ == '__main__':
with open('input.txt') as assembunny_file:
CODE.extend(assembunny_file.read().splitlines(keepends=False))
REGISTERS["a"] = 7
run()
print(f'Day 23, part 1: {REGISTERS["a"]}')
CODE.clear()
with open('input.txt') as assembunny_file:
CODE.extend(assembunny_file.read().splitlines(keepends=False))
REGISTERS["a"] = 12
run()
print(f'Day 23, part 2: {REGISTERS["a"]}')
# Day 23, part 1: 13685
# Day 23, part 2: 479010245
| code = []
registers = {'a': 0, 'b': 0, 'c': 0, 'd': 0}
ip: int = 0
def val_or_reg(x):
if x.lstrip('+-').isdigit():
return int(x)
else:
return REGISTERS[x]
def ins_cpy(x, y):
REGISTERS[y] = val_or_reg(x)
return 1
def ins_inc(x):
REGISTERS[x] += 1
return 1
def ins_dec(x):
REGISTERS[x] -= 1
return 1
def ins_jnz(x, y):
return val_or_reg(y) if val_or_reg(x) != 0 else 1
opcode_tx = {'inc': 'dec', 'dec': 'inc', 'jnz': 'cpy', 'cpy': 'jnz', 'tgl': 'inc'}
def ins_tgl(x):
global ip
target_ip = ip + val_or_reg(x)
if 0 <= target_ip < len(CODE):
temp = CODE[target_ip]
CODE[target_ip] = OPCODE_TX[temp[:3]] + temp[3:]
return 1
opcodes = {'cpy': ins_cpy, 'inc': ins_inc, 'dec': ins_dec, 'jnz': ins_jnz, 'tgl': ins_tgl}
def run():
global ip
ip = 0
while ip < len(CODE):
if ip == 5:
REGISTERS['a'] = REGISTERS['c'] * REGISTERS['d']
ip = 10
else:
(ins, *params) = CODE[ip].split()
ip += OPCODES[ins](*params)
if __name__ == '__main__':
with open('input.txt') as assembunny_file:
CODE.extend(assembunny_file.read().splitlines(keepends=False))
REGISTERS['a'] = 7
run()
print(f"Day 23, part 1: {REGISTERS['a']}")
CODE.clear()
with open('input.txt') as assembunny_file:
CODE.extend(assembunny_file.read().splitlines(keepends=False))
REGISTERS['a'] = 12
run()
print(f"Day 23, part 2: {REGISTERS['a']}") |
#
# @lc app=leetcode id=2 lang=python3
#
# [2] Add Two Numbers
#
# https://leetcode.com/problems/add-two-numbers/description/
#
# algorithms
# Medium (30.54%)
# Total Accepted: 764K
# Total Submissions: 2.5M
# Testcase Example: '[2,4,3]\n[5,6,4]'
#
# You are given two non-empty linked lists representing two non-negative
# integers. The digits are stored in reverse order and each of their nodes
# contain a single digit. Add the two numbers and return it as a linked list.
#
# You may assume the two numbers do not contain any leading zero, except the
# number 0 itself.
#
# Example:
#
#
# Input: (2 -> 4 -> 3) + (5 -> 6 -> 4)
# Output: 7 -> 0 -> 8
# Explanation: 342 + 465 = 807.
#
#
#
# Definition for singly-linked list.
# class ListNode:
# def __init__(self, x):
# self.val = x
# self.next = None
class Solution:
def reverse_list(self, lst):
'''
Reverse the given list.
'''
end = lst
head = ListNode(end.val)
end = end.next
while end is not None:
tmp = ListNode(end.val)
tmp.next = head
head = tmp
end = end.next
return head
def addTwoNumbers(self, l1, l2):
l3_head = ListNode(None)
l3 = ListNode(0)
l3_head.next = l3
pre = l3
# Reverge the input number list
#l1 = self.reverse_list(l1)
#l2 = self.reverse_list(l2)
# Trival l1&l2, create a new list to saving the sum of l1&l2.
l1_end = l1
l2_end = l2
while l1_end is not None and l2_end is not None:
sum_res = l1_end.val + l2_end.val + l3.val
l3.val = sum_res % 10
end = ListNode(sum_res/10)
l1_end = l1_end.next
l2_end = l2_end.next
pre = l3
l3.next = end
l3 = end
retail_lst = None
if l2_end is None:
retail_lst = l1_end
elif l1_end is None:
retail_lst = l2_end
if retail_lst is None:
if l3.val == 0:
pre.next = None
l3 = None
return l3_head.next
while retail_lst is not None:
sum_res = l3.val + retail_lst.val
l3.val = sum_res % 10
end = ListNode(sum_res/10)
retail_lst = retail_lst.next
pre = l3
l3.next = end
l3 = end
if l3.val == 0:
l3 = None
pre.next = None
return l3_head.next
| class Solution:
def reverse_list(self, lst):
"""
Reverse the given list.
"""
end = lst
head = list_node(end.val)
end = end.next
while end is not None:
tmp = list_node(end.val)
tmp.next = head
head = tmp
end = end.next
return head
def add_two_numbers(self, l1, l2):
l3_head = list_node(None)
l3 = list_node(0)
l3_head.next = l3
pre = l3
l1_end = l1
l2_end = l2
while l1_end is not None and l2_end is not None:
sum_res = l1_end.val + l2_end.val + l3.val
l3.val = sum_res % 10
end = list_node(sum_res / 10)
l1_end = l1_end.next
l2_end = l2_end.next
pre = l3
l3.next = end
l3 = end
retail_lst = None
if l2_end is None:
retail_lst = l1_end
elif l1_end is None:
retail_lst = l2_end
if retail_lst is None:
if l3.val == 0:
pre.next = None
l3 = None
return l3_head.next
while retail_lst is not None:
sum_res = l3.val + retail_lst.val
l3.val = sum_res % 10
end = list_node(sum_res / 10)
retail_lst = retail_lst.next
pre = l3
l3.next = end
l3 = end
if l3.val == 0:
l3 = None
pre.next = None
return l3_head.next |
with open("input.txt") as f:
lines = f.readlines()
acc_fuel = 0
for line in lines:
mass = int(line)
while mass > 0:
mass = int(mass / 3) - 2
if mass > 0:
acc_fuel += mass
print(acc_fuel)
| with open('input.txt') as f:
lines = f.readlines()
acc_fuel = 0
for line in lines:
mass = int(line)
while mass > 0:
mass = int(mass / 3) - 2
if mass > 0:
acc_fuel += mass
print(acc_fuel) |
# Bradley Grose
def foo(a, b, c, *args):
return len(args)
def bar(a, b, c, **kwargs):
return kwargs["magicnumber"] == 7
# test code
if foo(1,2,3,4) == 1:
print("Good.")
if foo(1,2,3,4,5) == 2:
print("Better.")
if bar(1,2,3,magicnumber = 6) == False:
print("Great.")
if bar(1,2,3,magicnumber = 7) == True:
print("Awesome!")
| def foo(a, b, c, *args):
return len(args)
def bar(a, b, c, **kwargs):
return kwargs['magicnumber'] == 7
if foo(1, 2, 3, 4) == 1:
print('Good.')
if foo(1, 2, 3, 4, 5) == 2:
print('Better.')
if bar(1, 2, 3, magicnumber=6) == False:
print('Great.')
if bar(1, 2, 3, magicnumber=7) == True:
print('Awesome!') |
# CS5nm, E01 2009M
# This is question from an old midterm
# It has some test cases written in the old "check_expect" style.
# Here is what those test cases would look like today, using pytest
def theLongerOne(s1,s2):
return "stub" # this is an incorrect solution
def test_theLongerOne_1():
assert theLongerOne("mouse","cat")=="mouse"
def test_theLongerOne_2():
assert theLongerOne("mouse","chicken")=="chicken"
def test_theLongerOne_3():
assert theLongerOne("cat","dog")=="cat"
| def the_longer_one(s1, s2):
return 'stub'
def test_the_longer_one_1():
assert the_longer_one('mouse', 'cat') == 'mouse'
def test_the_longer_one_2():
assert the_longer_one('mouse', 'chicken') == 'chicken'
def test_the_longer_one_3():
assert the_longer_one('cat', 'dog') == 'cat' |
def select(obj: dict, keys: list[str]) -> dict:
return {k: obj[k] for k in obj if k in keys}
def transform(
data: object,
*,
ignore: list[str] = [],
cast: dict[str,] = {},
maps: dict[str, str] = {}
) -> dict[str,]:
res = {}
for key, value in data.__dict__.items():
if key in ignore:
continue
if maps.get(key):
key = maps[key]
if key in cast:
try:
res[key] = cast[key](value)
except:
res[key] = str(value)
else:
res[key] = value
return res
| def select(obj: dict, keys: list[str]) -> dict:
return {k: obj[k] for k in obj if k in keys}
def transform(data: object, *, ignore: list[str]=[], cast: dict[str,]={}, maps: dict[str, str]={}) -> dict[str,]:
res = {}
for (key, value) in data.__dict__.items():
if key in ignore:
continue
if maps.get(key):
key = maps[key]
if key in cast:
try:
res[key] = cast[key](value)
except:
res[key] = str(value)
else:
res[key] = value
return res |
def track_error(history, track_metric = 'error'):
# keep a global variable to keep track referring to the same name
global tracking_df
train_err = history[track_metric]
val_err = history['val_' + track_metric]
row = dict(train_error = train_err, val_error = val_err)
row_df = pd.DataFrame(row, index = [0])
tracking_df = pd.concat([tracking_df, entry_df])
tracking_df.reset_index(drop =True, inplace = True)
print('History saved') | def track_error(history, track_metric='error'):
global tracking_df
train_err = history[track_metric]
val_err = history['val_' + track_metric]
row = dict(train_error=train_err, val_error=val_err)
row_df = pd.DataFrame(row, index=[0])
tracking_df = pd.concat([tracking_df, entry_df])
tracking_df.reset_index(drop=True, inplace=True)
print('History saved') |
kFiltersToolTip = []
kAddOverride = []
kStaticSelectTooltipStr = []
kRelativeWarning = []
kDragDropFilter = []
kIncludeHierarchy = []
kCollectionFilters = []
kExpressionTooltipStr = []
kSelect = []
kStaticAddTooltipStr = []
kSelectAll = []
kAddOverrideTooltipStr = []
kInverse = []
kExpressionSelectTooltipStr = []
kAdd = []
kExpressionTooltipStr1 = []
kRemove = []
kAddToCollection = []
kExpressionTooltipStr2 = []
kInclude = []
kIncludeHierarchyTooltipStr = []
kByTypeFilter = []
kStaticRemoveTooltipStr = []
kDragAttributesFromAE = []
kExpressionTooltipStr4 = []
kLayer = []
kExpressionTooltipStr3 = []
kCreateExpression = []
| k_filters_tool_tip = []
k_add_override = []
k_static_select_tooltip_str = []
k_relative_warning = []
k_drag_drop_filter = []
k_include_hierarchy = []
k_collection_filters = []
k_expression_tooltip_str = []
k_select = []
k_static_add_tooltip_str = []
k_select_all = []
k_add_override_tooltip_str = []
k_inverse = []
k_expression_select_tooltip_str = []
k_add = []
k_expression_tooltip_str1 = []
k_remove = []
k_add_to_collection = []
k_expression_tooltip_str2 = []
k_include = []
k_include_hierarchy_tooltip_str = []
k_by_type_filter = []
k_static_remove_tooltip_str = []
k_drag_attributes_from_ae = []
k_expression_tooltip_str4 = []
k_layer = []
k_expression_tooltip_str3 = []
k_create_expression = [] |
def make_exchange_name(namespace, exchange_type, extra=""):
return "{}.{}".format(namespace, exchange_type) if not extra else "{}.{}@{}".format(namespace, exchange_type, extra)
def make_channel_name(namespace, exchange_type):
return "channel_on_{}.{}".format(namespace, exchange_type)
def make_queue_name(namespace, exchange_type):
return "queue_for_{}.{}".format(namespace, exchange_type)
def make_direct_key(namespace):
return "key_for_{}.direct".format(namespace) | def make_exchange_name(namespace, exchange_type, extra=''):
return '{}.{}'.format(namespace, exchange_type) if not extra else '{}.{}@{}'.format(namespace, exchange_type, extra)
def make_channel_name(namespace, exchange_type):
return 'channel_on_{}.{}'.format(namespace, exchange_type)
def make_queue_name(namespace, exchange_type):
return 'queue_for_{}.{}'.format(namespace, exchange_type)
def make_direct_key(namespace):
return 'key_for_{}.direct'.format(namespace) |
def memoize_left_rec(func):
def memoize_left_rec_wrapper(self, *args):
pos = self.mark()
memo = self.memos.get(pos)
if memo is None:
memo = self.memos[pos] = {}
key = (func, args)
if key in memo:
res, endpos = memo[key]
self.reset(endpos)
else:
# This is where we deviate from @memoize.
# Prime the cache with a failure.
memo[key] = lastres, lastpos = None, pos
# Loop until no longer parse is obtained.
while True:
self.reset(pos)
res = func(self, *args)
endpos = self.mark()
if endpos <= lastpos:
break
memo[key] = lastres, lastpos = res, endpos
res = lastres
self.reset(lastpos)
return res
return memoize_left_rec_wrapper
| def memoize_left_rec(func):
def memoize_left_rec_wrapper(self, *args):
pos = self.mark()
memo = self.memos.get(pos)
if memo is None:
memo = self.memos[pos] = {}
key = (func, args)
if key in memo:
(res, endpos) = memo[key]
self.reset(endpos)
else:
memo[key] = (lastres, lastpos) = (None, pos)
while True:
self.reset(pos)
res = func(self, *args)
endpos = self.mark()
if endpos <= lastpos:
break
memo[key] = (lastres, lastpos) = (res, endpos)
res = lastres
self.reset(lastpos)
return res
return memoize_left_rec_wrapper |
def make_url_from_title(string: str) -> str:
return "-".join(string.split())
def make_title_from_url(string: str) -> str:
return " ".join(string.split("-"))
| def make_url_from_title(string: str) -> str:
return '-'.join(string.split())
def make_title_from_url(string: str) -> str:
return ' '.join(string.split('-')) |
zodiac_elements = {"water": ["Cancer", "Scorpio", "Pisces"], "fire": ["Aries", "Leo", "Sagittarius"], "earth": ["Taurus", "Virgo", "Capricorn"], "air":["Gemini", "Libra", "Aquarius"]}
zodiac_elements.update({"energy":"Not a Zodiac element"})
print(zodiac_elements["energy"]) | zodiac_elements = {'water': ['Cancer', 'Scorpio', 'Pisces'], 'fire': ['Aries', 'Leo', 'Sagittarius'], 'earth': ['Taurus', 'Virgo', 'Capricorn'], 'air': ['Gemini', 'Libra', 'Aquarius']}
zodiac_elements.update({'energy': 'Not a Zodiac element'})
print(zodiac_elements['energy']) |
class Solution:
def minDifficulty(self, jobDifficulty: List[int], d: int) -> int:
n = len(jobDifficulty)
if d > n:
return -1
# dp[i][k] := min difficulty to schedule the first i jobs in k days
dp = [[math.inf] * (d + 1) for _ in range(n + 1)]
dp[0][0] = 0
for i in range(1, n + 1):
for k in range(1, d + 1):
maxDifficulty = 0 # max(job[j + 1..i])
for j in range(i - 1, k - 2, -1): # 1-based
# 0-based
maxDifficulty = max(maxDifficulty, jobDifficulty[j])
dp[i][k] = min(dp[i][k], dp[j][k - 1] + maxDifficulty)
return dp[n][d]
| class Solution:
def min_difficulty(self, jobDifficulty: List[int], d: int) -> int:
n = len(jobDifficulty)
if d > n:
return -1
dp = [[math.inf] * (d + 1) for _ in range(n + 1)]
dp[0][0] = 0
for i in range(1, n + 1):
for k in range(1, d + 1):
max_difficulty = 0
for j in range(i - 1, k - 2, -1):
max_difficulty = max(maxDifficulty, jobDifficulty[j])
dp[i][k] = min(dp[i][k], dp[j][k - 1] + maxDifficulty)
return dp[n][d] |
#!/usr/bin/env python
# encoding: utf-8
# @author: Zhipeng Ye
# @contact: Zhipeng.ye19@xjtlu.edu.cn
# @file: kthinanarray.py
# @time: 2020-02-18 15:42
# @desc:
def findKthLargest( nums, k):
return findKthSmallest(nums,len(nums)-k+1)
def findKthSmallest( nums, k):
nums_length = len(nums)
i = 0
j = nums_length - 1
key = nums[0]
while (i != j):
while i< j and nums[j] > key:
j -=1
nums[i], nums[j] = nums[j], nums[i]
while i<j and nums[i] < key:
i +=1
nums[j], nums[i] = nums[i], nums[j]
current_position = i
if k == current_position + 1:
return nums[current_position]
elif k < current_position + 1:
return findKthSmallest(nums[:current_position], k)
else:
return findKthSmallest(nums[current_position + 1:], k - current_position - 1)
if __name__ == '__main__':
print(findKthLargest([5,2,4,1,3,6,0],4)) | def find_kth_largest(nums, k):
return find_kth_smallest(nums, len(nums) - k + 1)
def find_kth_smallest(nums, k):
nums_length = len(nums)
i = 0
j = nums_length - 1
key = nums[0]
while i != j:
while i < j and nums[j] > key:
j -= 1
(nums[i], nums[j]) = (nums[j], nums[i])
while i < j and nums[i] < key:
i += 1
(nums[j], nums[i]) = (nums[i], nums[j])
current_position = i
if k == current_position + 1:
return nums[current_position]
elif k < current_position + 1:
return find_kth_smallest(nums[:current_position], k)
else:
return find_kth_smallest(nums[current_position + 1:], k - current_position - 1)
if __name__ == '__main__':
print(find_kth_largest([5, 2, 4, 1, 3, 6, 0], 4)) |
#General Tree Implementation
class TreeNode:
def __init__(self,name, data):
self.name =name
self.data = data
self.children = []
self.parent = None
def add_child(self,child):
child.parent = self
self.children.append(child)
#getting the level of Tree element
def get_level(self):
level = 0
par = self.parent
while par:
level += 1
par = par.parent
return level
def print_tree(self,name_on):
if name_on == "both":
value = self.name +" " "(" + self.data +")"
elif name_on == "name":
value =self.name
else:
value =self.data
space = " " * self.get_level() * 4
if self.parent:
prefix = space + "|__"
else:
prefix = ""
print(prefix + value)
if self.children:
for child in self.children:
child.print_tree(name_on)
def build_management_tree():
#CTO
Infrastucture_head = TreeNode("Vishwa","Infrastucture Head")
Infrastucture_head.add_child(TreeNode("Dhaval","Cloud Manager"))
Infrastucture_head.add_child(TreeNode("Abhijit","App Manager"))
cto = TreeNode("Chinmay","CTO")
cto.add_child(Infrastucture_head)
cto.add_child(TreeNode("Aamir","Application Head"))
hr = TreeNode("Gels","HR Head")
hr.add_child(TreeNode("Peter","Recruitment Manager"))
hr.add_child(TreeNode("Waqas","Policy Manager"))
ceo = TreeNode("Nilupul","CEO")
ceo.add_child(cto)
ceo.add_child(hr)
return ceo
if __name__ == "__main__":
root_node = build_management_tree()
root_node.print_tree("name") # prints only name hierarchy
root_node.print_tree("designation") # prints only designation hierarchy
root_node.print_tree("both") # prints both (name and designation) hierarchy | class Treenode:
def __init__(self, name, data):
self.name = name
self.data = data
self.children = []
self.parent = None
def add_child(self, child):
child.parent = self
self.children.append(child)
def get_level(self):
level = 0
par = self.parent
while par:
level += 1
par = par.parent
return level
def print_tree(self, name_on):
if name_on == 'both':
value = self.name + ' (' + self.data + ')'
elif name_on == 'name':
value = self.name
else:
value = self.data
space = ' ' * self.get_level() * 4
if self.parent:
prefix = space + '|__'
else:
prefix = ''
print(prefix + value)
if self.children:
for child in self.children:
child.print_tree(name_on)
def build_management_tree():
infrastucture_head = tree_node('Vishwa', 'Infrastucture Head')
Infrastucture_head.add_child(tree_node('Dhaval', 'Cloud Manager'))
Infrastucture_head.add_child(tree_node('Abhijit', 'App Manager'))
cto = tree_node('Chinmay', 'CTO')
cto.add_child(Infrastucture_head)
cto.add_child(tree_node('Aamir', 'Application Head'))
hr = tree_node('Gels', 'HR Head')
hr.add_child(tree_node('Peter', 'Recruitment Manager'))
hr.add_child(tree_node('Waqas', 'Policy Manager'))
ceo = tree_node('Nilupul', 'CEO')
ceo.add_child(cto)
ceo.add_child(hr)
return ceo
if __name__ == '__main__':
root_node = build_management_tree()
root_node.print_tree('name')
root_node.print_tree('designation')
root_node.print_tree('both') |
'''Linked List Intersection.
Given two singly linked lists that intersect at some point, find the intersecting node.
Assume the lists are non-cyclical.
For example, given
A = 3 -> 7 -> 8 -> 10, B = 99 -> 1 -> 8 -> 10
return the node with value 8. In this example, assume nodes with the same value are the exact same objects.
Do this in O(m + n) time (where m and n are the lengths of the list) and constant space.
'''
'''O(m + n) Solution'''
def intersect1(list1, list2):
vals = dict()
for item in list1.elements():
vals.setdefault(item, [])
for item in list2.elements():
if item in vals:
return item
'''O(m + n) Solution'''
def intersect2(list1, list2):
if not list1 or not list2: return None
n1, n2 = list1.head, list2.head
while n1 != n2:
if not n1: n1 = list2.head
else: n1 = n1.next
if not n2: n2 = list1.head
else: n2 = n2.next
return n1
'''O(m + n) Solution'''
def intersect3(list1, list2):
m, n = list1.length(), list2.length()
cur_a, cur_b = list1.head, list2.head
if m > n:
for _ in range(m - n):
cur_a = cur_a.next
else:
for _ in range(n - m):
cur_b = cur_b.next
while(cur_a != cur_b):
cur_a = cur_a.next
cur_b = cur_b.next
return cur_a
'''O(N + M)'''
def intersect4(list1, list2):
vals = []
while list1 != None:
vals += [list1.value]
list1 = list1.next
while list2 != None:
if list2.value in vals:
return list2.value
list2 = list2.next
return None
'''Intersection.
Given two (singly) linked lists, determine if the two lists intersect. Return the intersecting node.
Note that the intersection is defined based on reference, not value. That is, if the kth node
of the first list is the exact same node (by reference), as the jth node of the second list,
then they are intersecting.
'''
def tail(node):
if node == None: return None
prev = None
while node != None:
prev = node
node = node.next
return prev
''' O(N^2) run-time, O(1) space.'''
def intersect5(node1, node2):
if node1 == None or node2 == None: return None
orig = node2
while node1 != None:
node2 = orig
while node2 != None:
if node1 == node2:
return node1
node2 = node2.next
node1 = node1.next
return None
''' O(N + K) run-time, O(1) space.'''
def intersect6(node1, node2):
def tail_info(node):
prev, length = None, 0
while node != None:
length += 1
prev = node
node = node.next
return (prev, length)
if node1 == None or node2 == None: return None
i1, i2 = tail_info(node1), tail_info(node2)
if i1[0] == i2[0]:
return node1 if i1[1] < i2[1] else node2
return None | """Linked List Intersection.
Given two singly linked lists that intersect at some point, find the intersecting node.
Assume the lists are non-cyclical.
For example, given
A = 3 -> 7 -> 8 -> 10, B = 99 -> 1 -> 8 -> 10
return the node with value 8. In this example, assume nodes with the same value are the exact same objects.
Do this in O(m + n) time (where m and n are the lengths of the list) and constant space.
"""
'O(m + n) Solution'
def intersect1(list1, list2):
vals = dict()
for item in list1.elements():
vals.setdefault(item, [])
for item in list2.elements():
if item in vals:
return item
'O(m + n) Solution'
def intersect2(list1, list2):
if not list1 or not list2:
return None
(n1, n2) = (list1.head, list2.head)
while n1 != n2:
if not n1:
n1 = list2.head
else:
n1 = n1.next
if not n2:
n2 = list1.head
else:
n2 = n2.next
return n1
'O(m + n) Solution'
def intersect3(list1, list2):
(m, n) = (list1.length(), list2.length())
(cur_a, cur_b) = (list1.head, list2.head)
if m > n:
for _ in range(m - n):
cur_a = cur_a.next
else:
for _ in range(n - m):
cur_b = cur_b.next
while cur_a != cur_b:
cur_a = cur_a.next
cur_b = cur_b.next
return cur_a
'O(N + M)'
def intersect4(list1, list2):
vals = []
while list1 != None:
vals += [list1.value]
list1 = list1.next
while list2 != None:
if list2.value in vals:
return list2.value
list2 = list2.next
return None
'Intersection.\n\nGiven two (singly) linked lists, determine if the two lists intersect. Return the intersecting node.\n\nNote that the intersection is defined based on reference, not value. That is, if the kth node\nof the first list is the exact same node (by reference), as the jth node of the second list,\nthen they are intersecting.\n'
def tail(node):
if node == None:
return None
prev = None
while node != None:
prev = node
node = node.next
return prev
' O(N^2) run-time, O(1) space.'
def intersect5(node1, node2):
if node1 == None or node2 == None:
return None
orig = node2
while node1 != None:
node2 = orig
while node2 != None:
if node1 == node2:
return node1
node2 = node2.next
node1 = node1.next
return None
' O(N + K) run-time, O(1) space.'
def intersect6(node1, node2):
def tail_info(node):
(prev, length) = (None, 0)
while node != None:
length += 1
prev = node
node = node.next
return (prev, length)
if node1 == None or node2 == None:
return None
(i1, i2) = (tail_info(node1), tail_info(node2))
if i1[0] == i2[0]:
return node1 if i1[1] < i2[1] else node2
return None |
class SequenceColorBalance:
pass
| class Sequencecolorbalance:
pass |
class Address:
def __init__(self, board: str = None, processor: str = None,
actor: str = None, proc: str = None):
self.processor = processor
self.actor = actor
self.proc = proc
def equals(self, other: "Address") -> bool:
return (self.processor == other.processor
and self.actor == other.actor
and self.proc == other.proc)
def __repr__(self) -> str:
return '{}{}{}'.format(self.processor + '.' if self.processor else '',
self.actor + '.' if self.actor else '',
self.proc if self.proc else '')
| class Address:
def __init__(self, board: str=None, processor: str=None, actor: str=None, proc: str=None):
self.processor = processor
self.actor = actor
self.proc = proc
def equals(self, other: 'Address') -> bool:
return self.processor == other.processor and self.actor == other.actor and (self.proc == other.proc)
def __repr__(self) -> str:
return '{}{}{}'.format(self.processor + '.' if self.processor else '', self.actor + '.' if self.actor else '', self.proc if self.proc else '') |
# This is the naive implementation
array_of_digits = [0,1,2,3,4,5,6,7,8,9]
def next_permutation(digits):
# Find largest k s. t. a[k] < a[k+1]
# Find largest l > k s.t. a[k] < a[l]
# Swap a[k], a[l]
# Reverse a[k+1] to a[n] the final element
length = len(digits)
k = None
l = None
i = 0
while i < length - 1:
if digits[i] < digits[i+1]:
k = i
i += 1
if k is None:
raise ValueError('Max number of iterations reached')
i = k
while i < length:
if digits[k] < digits[i]:
l = i
i += 1
if l is None:
raise ValueError('Could not find value for `l`')
# Yes there's a way to do this that doesn't use a swap variable
# But let's maximize clarity
swap_var = digits[k]
digits[k] = digits[l]
digits[l] = swap_var
# Reverse the trailing digits
digits_to_keep = digits[:k+1]
digits_to_reverse = digits[k+1:]
digits_to_reverse.reverse()
return digits_to_keep + digits_to_reverse
def get_millionth_permutation(digits):
iteration_count = 1
desired_iteration_count = 1000000
while iteration_count < desired_iteration_count:
digits = next_permutation(digits)
iteration_count += 1
string_digits = [str(i) for i in digits]
return ''.join(string_digits)
print(get_millionth_permutation(array_of_digits))
| array_of_digits = [0, 1, 2, 3, 4, 5, 6, 7, 8, 9]
def next_permutation(digits):
length = len(digits)
k = None
l = None
i = 0
while i < length - 1:
if digits[i] < digits[i + 1]:
k = i
i += 1
if k is None:
raise value_error('Max number of iterations reached')
i = k
while i < length:
if digits[k] < digits[i]:
l = i
i += 1
if l is None:
raise value_error('Could not find value for `l`')
swap_var = digits[k]
digits[k] = digits[l]
digits[l] = swap_var
digits_to_keep = digits[:k + 1]
digits_to_reverse = digits[k + 1:]
digits_to_reverse.reverse()
return digits_to_keep + digits_to_reverse
def get_millionth_permutation(digits):
iteration_count = 1
desired_iteration_count = 1000000
while iteration_count < desired_iteration_count:
digits = next_permutation(digits)
iteration_count += 1
string_digits = [str(i) for i in digits]
return ''.join(string_digits)
print(get_millionth_permutation(array_of_digits)) |
z,w=10,-10
while(z<50):
if (z>0 or w<0):
print(z**2, w**3)
z = z+10
w=w+10
''' output
100 -1000
400 0
900 1000
1600 8000
''' | (z, w) = (10, -10)
while z < 50:
if z > 0 or w < 0:
print(z ** 2, w ** 3)
z = z + 10
w = w + 10
' output\n100 -1000\n400 0\n900 1000\n1600 8000\n\n' |
class Solution:
def longestValidParentheses(self, s: str) -> int:
if not s:
return 0
ans = 0
start = len(s) - 1
while start >= 0:
# Let's find the longest valid parentheses start from end
if s[start] == '(':
start -= 1
continue
stack = []
cn = 0
for i in range(start, -1, -1):
if s[i] == ')':
stack.append((s[i], i))
else:
if not stack or stack[-1][0] == '(':
ans = max(ans, cn)
start = start - 1
break
else:
cn += 2
stack.pop()
if stack:
cn = start - stack[0][1]
ans = max(ans, cn)
start = start - 1
return ans
if __name__== '__main__':
solution = Solution()
s = "()(()"
ans = solution.longestValidParentheses(s)
print(ans) | class Solution:
def longest_valid_parentheses(self, s: str) -> int:
if not s:
return 0
ans = 0
start = len(s) - 1
while start >= 0:
if s[start] == '(':
start -= 1
continue
stack = []
cn = 0
for i in range(start, -1, -1):
if s[i] == ')':
stack.append((s[i], i))
elif not stack or stack[-1][0] == '(':
ans = max(ans, cn)
start = start - 1
break
else:
cn += 2
stack.pop()
if stack:
cn = start - stack[0][1]
ans = max(ans, cn)
start = start - 1
return ans
if __name__ == '__main__':
solution = solution()
s = '()(()'
ans = solution.longestValidParentheses(s)
print(ans) |
# parsetab.py
# This file is automatically generated. Do not edit.
_tabversion = '3.8'
_lr_method = 'LALR'
_lr_signature = 'AAF35586F16F71C8D6034AAF4C600B4A'
_lr_action_items = {'DECIMAL_LITERAL':([13,19,21,22,24,25,30,40,65,68,],[21,21,-21,-19,21,-20,21,21,66,21,]),'WORD':([1,8,13,19,21,22,24,25,30,40,68,],[4,15,22,22,-21,-19,22,-20,22,22,22,]),'NETWORK':([0,],[1,]),'PROBABILITY':([2,7,9,10,12,20,28,49,56,],[5,-14,-13,5,-25,-27,-26,-33,-35,]),')':([21,22,23,24,25,32,54,],[-21,-19,31,-5,-20,-6,63,]),'(':([5,26,33,37,38,39,41,59,61,62,64,],[13,40,-18,40,-16,-15,-17,-24,-31,-30,-32,]),'DEFAULTVALUE':([26,33,37,38,39,41,59,61,62,64,],[35,-18,35,-16,-15,-17,-24,-31,-30,-32,]),']':([66,],[67,]),'TABLEVALUES':([26,33,37,38,39,41,59,61,62,64,],[42,-18,42,-16,-15,-17,-24,-31,-30,-32,]),'DISCRETE':([46,],[57,]),'[':([57,],[65,]),'VARIABLE':([2,7,9,10,12,20,28,49,56,],[8,-14,-13,8,-25,-27,-26,-33,-35,]),'VARIABLETYPE':([27,44,45,47,59,71,],[46,-22,-23,46,-24,-34,]),'{':([4,14,15,31,67,],[11,26,27,-28,68,]),'PROPERTY':([11,18,26,27,33,37,38,39,41,44,45,47,59,61,62,64,71,],[19,19,19,19,-18,19,-16,-15,-17,-22,-23,19,-24,-31,-30,-32,-34,]),'}':([11,17,18,21,22,24,25,29,32,33,34,37,38,39,41,43,44,45,47,53,58,59,61,62,64,69,71,],[20,28,-9,-21,-19,-5,-20,-10,-6,-18,49,-7,-16,-15,-17,56,-22,-23,-11,-8,-12,-24,-31,-30,-32,70,-34,]),';':([21,22,24,25,32,48,50,51,52,55,60,70,],[-21,-19,-5,-20,-6,59,-3,61,62,64,-4,71,]),'FLOATING_POINT_LITERAL':([13,19,21,22,24,25,30,35,36,40,42,50,63,68,],[25,25,-21,-19,25,-20,25,50,50,25,50,50,-29,25,]),'$end':([3,6,7,9,10,16,49,56,],[0,-36,-14,-13,-1,-2,-33,-35,]),}
_lr_action = {}
for _k, _v in _lr_action_items.items():
for _x,_y in zip(_v[0],_v[1]):
if not _x in _lr_action: _lr_action[_x] = {}
_lr_action[_x][_k] = _y
del _lr_action_items
_lr_goto_items = {'probability_values_list':([26,37,],[36,36,]),'probability_default_entry':([26,37,],[41,41,]),'variable_declaration':([2,10,],[9,9,]),'probability_table':([26,37,],[33,33,]),'property_list':([11,18,],[17,29,]),'network_declaration':([0,],[2,]),'variable_content':([27,47,],[43,58,]),'property_string':([11,18,26,27,37,47,],[18,18,39,44,39,44,]),'floating_point_list':([35,36,42,50,],[51,52,55,60,]),'probability_content':([26,37,],[34,53,]),'variable_content_item':([27,47,],[47,47,]),'blocks_list':([2,10,],[6,16,]),'compilation_unit':([0,],[3,]),'probability_declaration':([2,10,],[7,7,]),'probability_entry':([26,37,],[38,38,]),'variable_discrete':([27,47,],[45,45,]),'probability_variables_list':([5,],[14,]),'network_content':([4,],[12,]),'list':([13,24,30,40,68,],[23,32,48,54,69,]),'value':([13,19,24,30,40,68,],[24,30,24,24,24,24,]),'probability_content_item':([26,37,],[37,37,]),'block':([2,10,],[10,10,]),}
_lr_goto = {}
for _k, _v in _lr_goto_items.items():
for _x, _y in zip(_v[0], _v[1]):
if not _x in _lr_goto: _lr_goto[_x] = {}
_lr_goto[_x][_k] = _y
del _lr_goto_items
_lr_productions = [
("S' -> compilation_unit","S'",1,None,None,None),
('blocks_list -> block','blocks_list',1,'p_blocks_list','bif_yacc.py',10),
('blocks_list -> block blocks_list','blocks_list',2,'p_blocks_list','bif_yacc.py',11),
('floating_point_list -> FLOATING_POINT_LITERAL','floating_point_list',1,'p_floating_point_list','bif_yacc.py',10),
('floating_point_list -> FLOATING_POINT_LITERAL floating_point_list','floating_point_list',2,'p_floating_point_list','bif_yacc.py',11),
('list -> value','list',1,'p_list','bif_yacc.py',10),
('list -> value list','list',2,'p_list','bif_yacc.py',11),
('probability_content -> probability_content_item','probability_content',1,'p_probability_content','bif_yacc.py',10),
('probability_content -> probability_content_item probability_content','probability_content',2,'p_probability_content','bif_yacc.py',11),
('property_list -> property_string','property_list',1,'p_property_list','bif_yacc.py',10),
('property_list -> property_string property_list','property_list',2,'p_property_list','bif_yacc.py',11),
('variable_content -> variable_content_item','variable_content',1,'p_variable_content','bif_yacc.py',10),
('variable_content -> variable_content_item variable_content','variable_content',2,'p_variable_content','bif_yacc.py',11),
('block -> variable_declaration','block',1,'p_block','bif_yacc.py',27),
('block -> probability_declaration','block',1,'p_block','bif_yacc.py',28),
('probability_content_item -> property_string','probability_content_item',1,'p_probability_content_item','bif_yacc.py',27),
('probability_content_item -> probability_entry','probability_content_item',1,'p_probability_content_item','bif_yacc.py',28),
('probability_content_item -> probability_default_entry','probability_content_item',1,'p_probability_content_item','bif_yacc.py',29),
('probability_content_item -> probability_table','probability_content_item',1,'p_probability_content_item','bif_yacc.py',30),
('value -> WORD','value',1,'p_value','bif_yacc.py',27),
('value -> FLOATING_POINT_LITERAL','value',1,'p_value','bif_yacc.py',28),
('value -> DECIMAL_LITERAL','value',1,'p_value','bif_yacc.py',29),
('variable_content_item -> property_string','variable_content_item',1,'p_variable_content_item','bif_yacc.py',27),
('variable_content_item -> variable_discrete','variable_content_item',1,'p_variable_content_item','bif_yacc.py',28),
('property_string -> PROPERTY value list ;','property_string',4,'p_property_string','bif_yacc.py',54),
('network_declaration -> NETWORK WORD network_content','network_declaration',3,'p_network_declaration','bif_yacc.py',59),
('network_content -> { property_list }','network_content',3,'p_network_content','bif_yacc.py',64),
('network_content -> { }','network_content',2,'p_network_content','bif_yacc.py',65),
('probability_variables_list -> ( list )','probability_variables_list',3,'p_probability_variables_list','bif_yacc.py',73),
('probability_values_list -> ( list )','probability_values_list',3,'p_probability_values_list','bif_yacc.py',78),
('probability_entry -> probability_values_list floating_point_list ;','probability_entry',3,'p_probability_entry','bif_yacc.py',83),
('probability_default_entry -> DEFAULTVALUE floating_point_list ;','probability_default_entry',3,'p_probability_default_entry','bif_yacc.py',88),
('probability_table -> TABLEVALUES floating_point_list ;','probability_table',3,'p_probability_table','bif_yacc.py',93),
('probability_declaration -> PROBABILITY probability_variables_list { probability_content }','probability_declaration',5,'p_probability_declaration','bif_yacc.py',97),
('variable_discrete -> VARIABLETYPE DISCRETE [ DECIMAL_LITERAL ] { list } ;','variable_discrete',9,'p_variable_discrete','bif_yacc.py',102),
('variable_declaration -> VARIABLE WORD { variable_content }','variable_declaration',5,'p_variable_declaration','bif_yacc.py',107),
('compilation_unit -> network_declaration blocks_list','compilation_unit',2,'p_compilation_unit','bif_yacc.py',112),
]
| _tabversion = '3.8'
_lr_method = 'LALR'
_lr_signature = 'AAF35586F16F71C8D6034AAF4C600B4A'
_lr_action_items = {'DECIMAL_LITERAL': ([13, 19, 21, 22, 24, 25, 30, 40, 65, 68], [21, 21, -21, -19, 21, -20, 21, 21, 66, 21]), 'WORD': ([1, 8, 13, 19, 21, 22, 24, 25, 30, 40, 68], [4, 15, 22, 22, -21, -19, 22, -20, 22, 22, 22]), 'NETWORK': ([0], [1]), 'PROBABILITY': ([2, 7, 9, 10, 12, 20, 28, 49, 56], [5, -14, -13, 5, -25, -27, -26, -33, -35]), ')': ([21, 22, 23, 24, 25, 32, 54], [-21, -19, 31, -5, -20, -6, 63]), '(': ([5, 26, 33, 37, 38, 39, 41, 59, 61, 62, 64], [13, 40, -18, 40, -16, -15, -17, -24, -31, -30, -32]), 'DEFAULTVALUE': ([26, 33, 37, 38, 39, 41, 59, 61, 62, 64], [35, -18, 35, -16, -15, -17, -24, -31, -30, -32]), ']': ([66], [67]), 'TABLEVALUES': ([26, 33, 37, 38, 39, 41, 59, 61, 62, 64], [42, -18, 42, -16, -15, -17, -24, -31, -30, -32]), 'DISCRETE': ([46], [57]), '[': ([57], [65]), 'VARIABLE': ([2, 7, 9, 10, 12, 20, 28, 49, 56], [8, -14, -13, 8, -25, -27, -26, -33, -35]), 'VARIABLETYPE': ([27, 44, 45, 47, 59, 71], [46, -22, -23, 46, -24, -34]), '{': ([4, 14, 15, 31, 67], [11, 26, 27, -28, 68]), 'PROPERTY': ([11, 18, 26, 27, 33, 37, 38, 39, 41, 44, 45, 47, 59, 61, 62, 64, 71], [19, 19, 19, 19, -18, 19, -16, -15, -17, -22, -23, 19, -24, -31, -30, -32, -34]), '}': ([11, 17, 18, 21, 22, 24, 25, 29, 32, 33, 34, 37, 38, 39, 41, 43, 44, 45, 47, 53, 58, 59, 61, 62, 64, 69, 71], [20, 28, -9, -21, -19, -5, -20, -10, -6, -18, 49, -7, -16, -15, -17, 56, -22, -23, -11, -8, -12, -24, -31, -30, -32, 70, -34]), ';': ([21, 22, 24, 25, 32, 48, 50, 51, 52, 55, 60, 70], [-21, -19, -5, -20, -6, 59, -3, 61, 62, 64, -4, 71]), 'FLOATING_POINT_LITERAL': ([13, 19, 21, 22, 24, 25, 30, 35, 36, 40, 42, 50, 63, 68], [25, 25, -21, -19, 25, -20, 25, 50, 50, 25, 50, 50, -29, 25]), '$end': ([3, 6, 7, 9, 10, 16, 49, 56], [0, -36, -14, -13, -1, -2, -33, -35])}
_lr_action = {}
for (_k, _v) in _lr_action_items.items():
for (_x, _y) in zip(_v[0], _v[1]):
if not _x in _lr_action:
_lr_action[_x] = {}
_lr_action[_x][_k] = _y
del _lr_action_items
_lr_goto_items = {'probability_values_list': ([26, 37], [36, 36]), 'probability_default_entry': ([26, 37], [41, 41]), 'variable_declaration': ([2, 10], [9, 9]), 'probability_table': ([26, 37], [33, 33]), 'property_list': ([11, 18], [17, 29]), 'network_declaration': ([0], [2]), 'variable_content': ([27, 47], [43, 58]), 'property_string': ([11, 18, 26, 27, 37, 47], [18, 18, 39, 44, 39, 44]), 'floating_point_list': ([35, 36, 42, 50], [51, 52, 55, 60]), 'probability_content': ([26, 37], [34, 53]), 'variable_content_item': ([27, 47], [47, 47]), 'blocks_list': ([2, 10], [6, 16]), 'compilation_unit': ([0], [3]), 'probability_declaration': ([2, 10], [7, 7]), 'probability_entry': ([26, 37], [38, 38]), 'variable_discrete': ([27, 47], [45, 45]), 'probability_variables_list': ([5], [14]), 'network_content': ([4], [12]), 'list': ([13, 24, 30, 40, 68], [23, 32, 48, 54, 69]), 'value': ([13, 19, 24, 30, 40, 68], [24, 30, 24, 24, 24, 24]), 'probability_content_item': ([26, 37], [37, 37]), 'block': ([2, 10], [10, 10])}
_lr_goto = {}
for (_k, _v) in _lr_goto_items.items():
for (_x, _y) in zip(_v[0], _v[1]):
if not _x in _lr_goto:
_lr_goto[_x] = {}
_lr_goto[_x][_k] = _y
del _lr_goto_items
_lr_productions = [("S' -> compilation_unit", "S'", 1, None, None, None), ('blocks_list -> block', 'blocks_list', 1, 'p_blocks_list', 'bif_yacc.py', 10), ('blocks_list -> block blocks_list', 'blocks_list', 2, 'p_blocks_list', 'bif_yacc.py', 11), ('floating_point_list -> FLOATING_POINT_LITERAL', 'floating_point_list', 1, 'p_floating_point_list', 'bif_yacc.py', 10), ('floating_point_list -> FLOATING_POINT_LITERAL floating_point_list', 'floating_point_list', 2, 'p_floating_point_list', 'bif_yacc.py', 11), ('list -> value', 'list', 1, 'p_list', 'bif_yacc.py', 10), ('list -> value list', 'list', 2, 'p_list', 'bif_yacc.py', 11), ('probability_content -> probability_content_item', 'probability_content', 1, 'p_probability_content', 'bif_yacc.py', 10), ('probability_content -> probability_content_item probability_content', 'probability_content', 2, 'p_probability_content', 'bif_yacc.py', 11), ('property_list -> property_string', 'property_list', 1, 'p_property_list', 'bif_yacc.py', 10), ('property_list -> property_string property_list', 'property_list', 2, 'p_property_list', 'bif_yacc.py', 11), ('variable_content -> variable_content_item', 'variable_content', 1, 'p_variable_content', 'bif_yacc.py', 10), ('variable_content -> variable_content_item variable_content', 'variable_content', 2, 'p_variable_content', 'bif_yacc.py', 11), ('block -> variable_declaration', 'block', 1, 'p_block', 'bif_yacc.py', 27), ('block -> probability_declaration', 'block', 1, 'p_block', 'bif_yacc.py', 28), ('probability_content_item -> property_string', 'probability_content_item', 1, 'p_probability_content_item', 'bif_yacc.py', 27), ('probability_content_item -> probability_entry', 'probability_content_item', 1, 'p_probability_content_item', 'bif_yacc.py', 28), ('probability_content_item -> probability_default_entry', 'probability_content_item', 1, 'p_probability_content_item', 'bif_yacc.py', 29), ('probability_content_item -> probability_table', 'probability_content_item', 1, 'p_probability_content_item', 'bif_yacc.py', 30), ('value -> WORD', 'value', 1, 'p_value', 'bif_yacc.py', 27), ('value -> FLOATING_POINT_LITERAL', 'value', 1, 'p_value', 'bif_yacc.py', 28), ('value -> DECIMAL_LITERAL', 'value', 1, 'p_value', 'bif_yacc.py', 29), ('variable_content_item -> property_string', 'variable_content_item', 1, 'p_variable_content_item', 'bif_yacc.py', 27), ('variable_content_item -> variable_discrete', 'variable_content_item', 1, 'p_variable_content_item', 'bif_yacc.py', 28), ('property_string -> PROPERTY value list ;', 'property_string', 4, 'p_property_string', 'bif_yacc.py', 54), ('network_declaration -> NETWORK WORD network_content', 'network_declaration', 3, 'p_network_declaration', 'bif_yacc.py', 59), ('network_content -> { property_list }', 'network_content', 3, 'p_network_content', 'bif_yacc.py', 64), ('network_content -> { }', 'network_content', 2, 'p_network_content', 'bif_yacc.py', 65), ('probability_variables_list -> ( list )', 'probability_variables_list', 3, 'p_probability_variables_list', 'bif_yacc.py', 73), ('probability_values_list -> ( list )', 'probability_values_list', 3, 'p_probability_values_list', 'bif_yacc.py', 78), ('probability_entry -> probability_values_list floating_point_list ;', 'probability_entry', 3, 'p_probability_entry', 'bif_yacc.py', 83), ('probability_default_entry -> DEFAULTVALUE floating_point_list ;', 'probability_default_entry', 3, 'p_probability_default_entry', 'bif_yacc.py', 88), ('probability_table -> TABLEVALUES floating_point_list ;', 'probability_table', 3, 'p_probability_table', 'bif_yacc.py', 93), ('probability_declaration -> PROBABILITY probability_variables_list { probability_content }', 'probability_declaration', 5, 'p_probability_declaration', 'bif_yacc.py', 97), ('variable_discrete -> VARIABLETYPE DISCRETE [ DECIMAL_LITERAL ] { list } ;', 'variable_discrete', 9, 'p_variable_discrete', 'bif_yacc.py', 102), ('variable_declaration -> VARIABLE WORD { variable_content }', 'variable_declaration', 5, 'p_variable_declaration', 'bif_yacc.py', 107), ('compilation_unit -> network_declaration blocks_list', 'compilation_unit', 2, 'p_compilation_unit', 'bif_yacc.py', 112)] |
#!/usr/bin/python
# @copyright Copyright 2019 United States Government as represented by the Administrator of the
# National Aeronautics and Space Administration. All Rights Reserved.
#
# @revs_title
# @revs_begin
# @rev_entry(Jason Harvey, CACI, GUNNS, February 2019, --, Initial implementation.}
# @revs_end
#
# Reference for the ANSI escape codes for color:
# https://www.geeksforgeeks.org/print-colors-python-terminal/
# Prints a final completion message.
def success(dt):
print('...\033[32mcompleted\033[0m in ' + str(dt) + ' seconds!')
# Returns the given message with a grey 'Note: ' added to the front.
def note(msg):
return '\033[36mNote:\033[0m ' + msg
# Returns the given message with a yellow 'Warning: ' added to the front.
def warn(msg):
return '\033[33mWarning:\033[0m ' + msg
# Returns the given message with a red 'Aborted: ' added to the front.
def abort(msg):
return '\033[31mAborted:\033[0m ' + msg
| def success(dt):
print('...\x1b[32mcompleted\x1b[0m in ' + str(dt) + ' seconds!')
def note(msg):
return '\x1b[36mNote:\x1b[0m ' + msg
def warn(msg):
return '\x1b[33mWarning:\x1b[0m ' + msg
def abort(msg):
return '\x1b[31mAborted:\x1b[0m ' + msg |
class ErrorMessage(Exception):
def __init__(self, msg):
self.value = msg
def __str__(self):
return repr(self.value)
| class Errormessage(Exception):
def __init__(self, msg):
self.value = msg
def __str__(self):
return repr(self.value) |
class HammingCoder:
# the encoding matrix
G = ['1101', '1011', '1000', '0111', '0100', '0010', '0001']
def encode(self, x):
y = ''.join([str(bin(int(i, 2) & int(x, 2)).count('1') % 2) for i in self.G])
return y
| class Hammingcoder:
g = ['1101', '1011', '1000', '0111', '0100', '0010', '0001']
def encode(self, x):
y = ''.join([str(bin(int(i, 2) & int(x, 2)).count('1') % 2) for i in self.G])
return y |
x = 5
y = 7
while x > 0:
print("hello", x)
x = x - 1
else:
print("done", x) | x = 5
y = 7
while x > 0:
print('hello', x)
x = x - 1
else:
print('done', x) |
n = int(input())
for i in range(n):
karan = 0
j = 0
ls = list(map(int, input().split()))
for x in range(len(ls) - 1):
if abs(ls[x] - ls[x + 1]) > ls[x]:
karan += ls[x + 1] - ls[x] * 2
print(karan)
| n = int(input())
for i in range(n):
karan = 0
j = 0
ls = list(map(int, input().split()))
for x in range(len(ls) - 1):
if abs(ls[x] - ls[x + 1]) > ls[x]:
karan += ls[x + 1] - ls[x] * 2
print(karan) |
def exponent(x, n):
if n == 0:
return x
else:
return x * exponent(x, n - 1)
x = exponent(2,16)
print(x)
| def exponent(x, n):
if n == 0:
return x
else:
return x * exponent(x, n - 1)
x = exponent(2, 16)
print(x) |
# Miguel Vaz Silva
# Data Structures and Algorithms in Python - Dequeue Implementation
# Copyright 2018
class Dequeue(object):
def __init__(self):
self.items = []
def addFront(self,n):
self.items.insert(0,n)
def addBack(self,n):
self.items.append(n)
def removeBack(self):
return self.items.pop()
def removeFront(self):
return self.items.pop(0)
def dequeuePrint(self):
print("Queue Print:")
for x in self.items:
print(x)
def dequeueEmpty(self):
return self.items == []
def dequeueSize(self):
return len(self.items)
def peek(self):
return self.items[len(self.items)-1]
| class Dequeue(object):
def __init__(self):
self.items = []
def add_front(self, n):
self.items.insert(0, n)
def add_back(self, n):
self.items.append(n)
def remove_back(self):
return self.items.pop()
def remove_front(self):
return self.items.pop(0)
def dequeue_print(self):
print('Queue Print:')
for x in self.items:
print(x)
def dequeue_empty(self):
return self.items == []
def dequeue_size(self):
return len(self.items)
def peek(self):
return self.items[len(self.items) - 1] |
class DateIsInappropriate(Exception):
pass
# print("The time of starting the journey is smaller than the time of the end")
class FolderNotFound(Exception):
pass
class FormatIsInappropriate(Exception):
pass
| class Dateisinappropriate(Exception):
pass
class Foldernotfound(Exception):
pass
class Formatisinappropriate(Exception):
pass |
class Loc:
def __init__(self, mapId:str, name: str, info:dict=None, **kwargs):
self.id = ''
self.mapId = mapId
self.name = name
self.planCoordinate = {'x': 0, 'y': 0, 'z': 0}
self.actualCoordinate = {'x': 0, 'y': 0, 'z': 0}
for k, v in kwargs.items():
self[k] = v
for k, v in info.items():
self[k] = v
def __setitem__(self, name, value):
if name == '_id':
return
self.__dict__[name] = value
def __getitem__(self, name):
return self.__dict__[name]
def toDBMap(self):
return {
'mapId': self.mapId,
'name': self.name,
'planCoordinate': self.planCoordinate,
'actualCoordinate': self.actualCoordinate
}
def toJsonMap(self):
return {
'id': self.id,
'mapId': self.mapId,
'name': self.name,
'planCoordinate': self.planCoordinate,
'actualCoordinate': self.actualCoordinate
}
| class Loc:
def __init__(self, mapId: str, name: str, info: dict=None, **kwargs):
self.id = ''
self.mapId = mapId
self.name = name
self.planCoordinate = {'x': 0, 'y': 0, 'z': 0}
self.actualCoordinate = {'x': 0, 'y': 0, 'z': 0}
for (k, v) in kwargs.items():
self[k] = v
for (k, v) in info.items():
self[k] = v
def __setitem__(self, name, value):
if name == '_id':
return
self.__dict__[name] = value
def __getitem__(self, name):
return self.__dict__[name]
def to_db_map(self):
return {'mapId': self.mapId, 'name': self.name, 'planCoordinate': self.planCoordinate, 'actualCoordinate': self.actualCoordinate}
def to_json_map(self):
return {'id': self.id, 'mapId': self.mapId, 'name': self.name, 'planCoordinate': self.planCoordinate, 'actualCoordinate': self.actualCoordinate} |
# Write a program to calculate the voltage for a given values of resistance and current
resistance = float(input("Enter the resistance: "))
current = float(input("Enter the current: "))
voltage = resistance * current
print(f"{voltage} V") | resistance = float(input('Enter the resistance: '))
current = float(input('Enter the current: '))
voltage = resistance * current
print(f'{voltage} V') |
nome = input('qual seu nome?')
print('prazer meu amigo!!')
idade = input('qual sua idade?')
peso = input('qual seu peso?')
print(nome,idade,peso)
| nome = input('qual seu nome?')
print('prazer meu amigo!!')
idade = input('qual sua idade?')
peso = input('qual seu peso?')
print(nome, idade, peso) |
# TC: O(n^2) | SC: O(1)
def solution_1(arr):
counter = 0
for i in range(0, len(arr)-1):
for j in range(i+1, len(arr)):
if arr[i] > arr[j]:
counter += 1
return counter
# TC: O(n log n) | SC: O(n)
# Using merge method.
def merge(arr, start, mid, end):
i = start
j = mid+1
temp = []
temp_index = 0
# Insersion counter.
count = 0
while i <= mid and j <= end:
if arr[i] <= arr[j]:
temp.append(arr[i])
i += 1
if arr[i] > arr[j]:
temp.append(arr[j])
# inversion count
count += (mid-i+1)
# print ('>>',count)
j += 1
if i > mid:
while j <= end:
temp.append(arr[j])
j += 1
if j > end:
while i <= mid:
temp.append(arr[i])
i += 1
for x in range(start, end+1):
arr[x] = temp[temp_index]
temp_index += 1
return count
def solution_2(arr, start=None, end=None):
count = 0
if None == start and None == end:
start = 0
end = len(arr)-1
if start >= end:
return 0
mid = int((start+end)/2)
count += solution_2(arr, start, mid)
count += solution_2(arr, mid+1, end)
count += merge(arr, start, mid, end)
return count
if __name__ == '__main__':
arr = [1, 20, 6, 4, 5]
# print('solution_1 : ',solution_1(arr))
print('solution_2 : ', solution_2(arr))
| def solution_1(arr):
counter = 0
for i in range(0, len(arr) - 1):
for j in range(i + 1, len(arr)):
if arr[i] > arr[j]:
counter += 1
return counter
def merge(arr, start, mid, end):
i = start
j = mid + 1
temp = []
temp_index = 0
count = 0
while i <= mid and j <= end:
if arr[i] <= arr[j]:
temp.append(arr[i])
i += 1
if arr[i] > arr[j]:
temp.append(arr[j])
count += mid - i + 1
j += 1
if i > mid:
while j <= end:
temp.append(arr[j])
j += 1
if j > end:
while i <= mid:
temp.append(arr[i])
i += 1
for x in range(start, end + 1):
arr[x] = temp[temp_index]
temp_index += 1
return count
def solution_2(arr, start=None, end=None):
count = 0
if None == start and None == end:
start = 0
end = len(arr) - 1
if start >= end:
return 0
mid = int((start + end) / 2)
count += solution_2(arr, start, mid)
count += solution_2(arr, mid + 1, end)
count += merge(arr, start, mid, end)
return count
if __name__ == '__main__':
arr = [1, 20, 6, 4, 5]
print('solution_2 : ', solution_2(arr)) |
# class TreeNode:
# def __init__(self, x):
# self.val = x
# self.left = None
# self.right = None
class Solution:
def levelOrder(self, root: TreeNode) -> List[List[int]]:
q1 = [root]
q2 = []
result = []
while len(q1) > 0:
cur = []
for t in q1:
if t is None:
continue
q2.append(t.left)
q2.append(t.right)
cur.append(t.val)
if len(cur) > 0:
result.append(cur)
q1 = q2
q2 = []
return result
| class Solution:
def level_order(self, root: TreeNode) -> List[List[int]]:
q1 = [root]
q2 = []
result = []
while len(q1) > 0:
cur = []
for t in q1:
if t is None:
continue
q2.append(t.left)
q2.append(t.right)
cur.append(t.val)
if len(cur) > 0:
result.append(cur)
q1 = q2
q2 = []
return result |
class AbstractQuery():
params: dict
nome: str
def __init__(self, nome: str, params):
self.params = params
self.nome = nome
| class Abstractquery:
params: dict
nome: str
def __init__(self, nome: str, params):
self.params = params
self.nome = nome |
class FilesOpener(object):
def __init__(self, paths, key_format='file{}'):
if not isinstance(paths, list):
paths = [paths]
self.paths = paths
self.key_format = key_format
self.opened_files = []
def __enter__(self):
return self.open_files()
def __exit__(self, type, value, traceback):
self.close_files()
def open_files(self):
self.close_files()
files = []
for x, file in enumerate(self.paths):
if hasattr(file, 'read'):
f = file
if hasattr(file, 'name'):
filename = file.name
else:
filename = '.jpg'
else:
filename = file
f = open(filename, 'rb')
self.opened_files.append(f)
ext = filename.split('.')[-1]
files.append(
(self.key_format.format(x), ('file{}.{}'.format(x, ext), f))
)
return files
def close_files(self):
for f in self.opened_files:
f.close()
self.opened_files.clear()
| class Filesopener(object):
def __init__(self, paths, key_format='file{}'):
if not isinstance(paths, list):
paths = [paths]
self.paths = paths
self.key_format = key_format
self.opened_files = []
def __enter__(self):
return self.open_files()
def __exit__(self, type, value, traceback):
self.close_files()
def open_files(self):
self.close_files()
files = []
for (x, file) in enumerate(self.paths):
if hasattr(file, 'read'):
f = file
if hasattr(file, 'name'):
filename = file.name
else:
filename = '.jpg'
else:
filename = file
f = open(filename, 'rb')
self.opened_files.append(f)
ext = filename.split('.')[-1]
files.append((self.key_format.format(x), ('file{}.{}'.format(x, ext), f)))
return files
def close_files(self):
for f in self.opened_files:
f.close()
self.opened_files.clear() |
for n in range(1, 101):
s = ''
is_div_3 = n % 3 == 0
is_div_5 = n % 5 == 0
if is_div_3 or is_div_5:
if is_div_3:
s += 'Fizz'
if is_div_5:
s += 'Buzz'
else:
s = n
print(s)
| for n in range(1, 101):
s = ''
is_div_3 = n % 3 == 0
is_div_5 = n % 5 == 0
if is_div_3 or is_div_5:
if is_div_3:
s += 'Fizz'
if is_div_5:
s += 'Buzz'
else:
s = n
print(s) |
def success(self, urlrequest, result):
print("Success")
latitude = result['Response']['View'][0]['Result'][0]['Location']['NavigationPosition'][0]['Latitude']
longitude = result['Response']['View'][0]['Result'][0]['Location']['NavigationPosition'][0]['Longitude']
app = App.get_running_app()
mapview = app.root.ids.mapview
mapview.center_on(latitude, longitude) | def success(self, urlrequest, result):
print('Success')
latitude = result['Response']['View'][0]['Result'][0]['Location']['NavigationPosition'][0]['Latitude']
longitude = result['Response']['View'][0]['Result'][0]['Location']['NavigationPosition'][0]['Longitude']
app = App.get_running_app()
mapview = app.root.ids.mapview
mapview.center_on(latitude, longitude) |
word_to_remove = input()
sequence = input()
while word_to_remove in sequence:
sequence = sequence.replace(word_to_remove, '')
print(sequence)
| word_to_remove = input()
sequence = input()
while word_to_remove in sequence:
sequence = sequence.replace(word_to_remove, '')
print(sequence) |
connection_properties = {
'host': 'localhost',
'port': 3306,
'user': 'username',
'password': 'examplepassword',
'db': 'smartmeter',
'charset': 'utf8mb4'
} | connection_properties = {'host': 'localhost', 'port': 3306, 'user': 'username', 'password': 'examplepassword', 'db': 'smartmeter', 'charset': 'utf8mb4'} |
'''
Common used functions
'''
def length(chain):
aas = ['GLY', 'ALA', 'VAL', 'LEU', 'ILE', 'SER', 'THR', 'ASN', 'GLN',
'PHE', 'TYR', 'TRP', 'CYS', 'MET', 'PRO', 'ASP', 'GLU', 'LYS',
'ARG', 'HIS']
counter = 0
for res in chain.child_list:
if aas.count(res.resname):
counter += 1
return counter
| """
Common used functions
"""
def length(chain):
aas = ['GLY', 'ALA', 'VAL', 'LEU', 'ILE', 'SER', 'THR', 'ASN', 'GLN', 'PHE', 'TYR', 'TRP', 'CYS', 'MET', 'PRO', 'ASP', 'GLU', 'LYS', 'ARG', 'HIS']
counter = 0
for res in chain.child_list:
if aas.count(res.resname):
counter += 1
return counter |
# 05/04/2017
def bowl_score(sheet):
total = 0
score = lambda x: 10 if x[1] == '/' else 20 if x == 'XX' else sum([int(n) for n in x])
next_ball = lambda x: 10 if x == 'X' else int(x[0])
next_2_balls = lambda x, y: 10 + next_ball(y[0]) if x == 'X' else score(x[0:2])
frames = sheet.replace('-', '0').split()
for i, f in enumerate(frames[:-1]):
if f[0] == 'X':
try:
total += 10 + next_2_balls(frames[i+1], frames[i+2])
except:
total += 10 + next_2_balls(frames[i+1], frames[i+1][1])
elif f[1] == '/':
total += 10 + next_ball(frames[i+1])
else:
total += score(f)
last = frames[-1]
total += 10 + next_ball(last[2]) if last[1] == '/' else \
10 + next_2_balls(last[1], last[2]) if last[0] == 'X' else \
score(last)
return total
| def bowl_score(sheet):
total = 0
score = lambda x: 10 if x[1] == '/' else 20 if x == 'XX' else sum([int(n) for n in x])
next_ball = lambda x: 10 if x == 'X' else int(x[0])
next_2_balls = lambda x, y: 10 + next_ball(y[0]) if x == 'X' else score(x[0:2])
frames = sheet.replace('-', '0').split()
for (i, f) in enumerate(frames[:-1]):
if f[0] == 'X':
try:
total += 10 + next_2_balls(frames[i + 1], frames[i + 2])
except:
total += 10 + next_2_balls(frames[i + 1], frames[i + 1][1])
elif f[1] == '/':
total += 10 + next_ball(frames[i + 1])
else:
total += score(f)
last = frames[-1]
total += 10 + next_ball(last[2]) if last[1] == '/' else 10 + next_2_balls(last[1], last[2]) if last[0] == 'X' else score(last)
return total |
class AeroDB(object):
def __init__(self, aerodb=None, cal=1, area=None):
if isinstance(aerodb, AeroDB):
self.clone(aerodb)
else:
self.clear()
if cal is None and area is None:
raise ValueError("Provide at least one of caliber and area as dimensional input.")
elif area is None:
self.cal = cal
self.area = area
else:
self.area = area
self.cal = cal
self.eps = 0
self.m = 0
self.rho = 1.225
self.transverseInertiaCurve = None
self.polarInertiaCurve = None
self.transverseInertiaRateCurve = None
self.polarInertiaRateCurve = None
def clear(self):
self.cal = 1
self.area = None
self.KD0 = 0
self.KDa = 0
def C2K(self, C):
return C*self.area/(2*self.cal**2)
def K2C(self, K):
return (2*K*self.cal**2)/self.area
@property
def area(self):
return self._area
@area.setter
def area(self, area):
if area is None:
self._area = np.sqrt(np.pi)*self.cal/2
elif np.isscalar(area):
area = np.abs(area)
self._area = area
else:
raise TypeError("Area must be a scalar.")
@property
def cal(self):
return self._cal
@cal.setter
def cal(self, cal):
if cal is None:
self._cal = 2*self.area/np.sqrt(np.pi)
elif np.isscalar(cal):
cal = np.abs(cal)
self._cal = cal
else:
raise TypeError("Caliber must be a scalar.")
@property
def KD0(self):
return self._KD0
@KD0.setter
def KD0(self, KD0):
if np.isscalar(KD0):
KD0 = np.abs(KD0)
self._KD0 = KD0
else:
raise TypeError("Zero-lift drag force coefficient KD0 (AB) must be a scalar.")
@property
def CD0(self):
return self.K2C(self.KD0)
@CD0.setter
def CD0(self, CD0):
if np.isscalar(CD0):
CD0 = np.abs(CD0)
self.KD0 = self.C2K(CD0)
else:
raise TypeError("Zero-lift drag force coefficient CD0 (AD) must be a scalar.")
@property
def KDa(self):
return self._KDa
@KDa.setter
def KDa(self, KDa):
if np.isscalar(KDa):
KDa = KDa
self._KDa = KDa
else:
raise TypeError("Angle-dep. drag force coefficient KDa (AB) must be a scalar.")
@property
def CDa(self):
return self.K2C(self.KDa)
@CDa.setter
def CDa(self, CDa):
if np.isscalar(CDa):
CDa = CDa
self.KDa = self.C2K(CDa)
else:
raise TypeError("Angle-dep. drag force coefficient CDa (AD) must be a scalar.")
@property
def KDa2(self):
return self._KDa2
@KDa.setter
def KDa2(self, KDa2):
if np.isscalar(KDa2):
KDa2 = KDa2
self._KDa2 = KDa2
else:
raise TypeError("Square angle-dep. drag force coefficient KDa2 (AB) must be a scalar.")
@property
def CDa2(self):
return self.K2C(self.KDa2)
@CDa2.setter
def CDa2(self, CDa2):
if np.isscalar(CDa2):
CDa2 = CDa2
self.KDa2 = self.C2K(CDa2)
else:
raise TypeError("Square angle-dep. drag force coefficient CDa2 (AD) must be a scalar.")
@property
def KA(self):
return self._KA
@KA.setter
def KA(self, KA):
if np.isscalar(KA):
KA = np.abs(KA)
self._KA = KA
else:
raise TypeError("Spin damping moment coefficient KA (AB) must be a scalar.")
@property
def CA(self):
return self.K2C(self.KA)
@CA.setter
def CA(self, CA):
if np.isscalar(CA):
CA = np.abs(CA)
self.KA = self.C2K(CA)
else:
raise TypeError("Spin damping moment coefficient CA (AD) must be a scalar.")
@property
def KE(self):
return self._KE
@KE.setter
def KE(self, KE):
if np.isscalar(KE):
KE = KE
self._KE = KE
else:
raise TypeError("Fin cant moment coefficient KE (AB) must be a scalar.")
@property
def CE(self):
return self.K2C(self.KE)
@CE.setter
def CE(self, CE):
if np.isscalar(CE):
CE = CE
self.KE = self.C2K(CE)
else:
raise TypeError("Fin cant moment coefficient CE (AD) must be a scalar.")
@property
def KL(self):
return self._KL
@KL.setter
def KL(self, KL):
if np.isscalar(KL):
KL = np.abs(KL)
self._KL = KL
else:
raise TypeError("Lift force coefficient KL (AB) must be a scalar.")
@property
def CL(self):
return self.K2C(self.KL)
@CL.setter
def CL(self, CL):
if np.isscalar(CL):
CL = np.abs(CL)
self.KL = self.C2K(CL)
else:
raise TypeError("Lift force coefficient CL (AD) must be a scalar.")
@property
def KM(self):
return self._KM
@KM.setter
def KM(self, KM):
if np.isscalar(KM):
KM = KM
self._KM = KM
else:
raise TypeError("Overturning moment coefficient KM (AB) must be a scalar.")
@property
def CM(self):
return self.K2C(self.KM)
@CM.setter
def CM(self, CM):
if np.isscalar(CM):
CM = CM
self.KM = self.C2K(CM)
else:
raise TypeError("Overturning moment coefficient CM (AD) must be a scalar.")
@property
def KF(self):
return self._KF
@KF.setter
def KF(self, KF):
if np.isscalar(KF):
KF = np.abs(KF)
self._KF = KF
else:
raise TypeError("Magnus force coefficient KF (AB) must be a scalar.")
@property
def CF(self):
return self.K2C(self.KF)
@CF.setter
def CF(self, CF):
if np.isscalar(CF):
CF = np.abs(CF)
self.KF = self.C2K(CF)
else:
raise TypeError("Magnus force coefficient CF (AD) must be a scalar.")
@property
def KT(self):
return self._KT
@KT.setter
def KT(self, KT):
if np.isscalar(KT):
KT = np.abs(KT)
self._KT = KT
else:
raise TypeError("Magnus moment coefficient KT (AB) must be a scalar.")
@property
def CT(self):
return self.K2C(self.KT)
@CT.setter
def CT(self, CT):
if np.isscalar(CT):
CT = np.abs(CT)
self.KT = self.C2K(CT)
else:
raise TypeError("Magnus moment coefficient CT (AD) must be a scalar.")
@property
def KS(self):
return self._KS
@KS.setter
def KS(self, KS):
if np.isscalar(KS):
KS = np.abs(KS)
self._KS = KS
else:
raise TypeError("Pitching force coefficient KS (AB) must be a scalar.")
@property
def CS(self):
return self.K2C(self.KS)
@CS.setter
def CS(self, CS):
if np.isscalar(CS):
CS = np.abs(CS)
self.KS = self.C2K(CS)
else:
raise TypeError("Pitching force coefficient CS (AD) must be a scalar.")
@property
def KH(self):
return self._KH
@KH.setter
def KH(self, KH):
if np.isscalar(KH):
KH = KH
self._KH = KH
else:
raise TypeError("Damping moment coefficient KH (AB) must be a scalar.")
@property
def CH(self):
return self.K2C(self.KH)
@CH.setter
def CH(self, CH):
if np.isscalar(CH):
CH = CH
self.KH = self.C2K(CH)
else:
raise TypeError("Damping moment coefficient CH (AD) must be a scalar.")
@property
def KXF(self):
return self._KXF
@KXF.setter
def KXF(self, KXF):
if np.isscalar(KXF):
KXF = np.abs(KXF)
self._KXF = KXF
else:
raise TypeError("Magnus cross force coefficient KXF (AB) must be a scalar.")
@property
def CXF(self):
return self.K2C(self.KXF)
@CXF.setter
def CXF(self, CXF):
if np.isscalar(CXF):
CXF = np.abs(CXF)
self.KXF = self.C2K(CXF)
else:
raise TypeError("Magnus cross force coefficient CXF (AD) must be a scalar.")
@property
def KXT(self):
return self._KXT
@KXT.setter
def KXT(self, KXT):
if np.isscalar(KXT):
KXT = np.abs(KXT)
self._KXT = KXT
else:
raise TypeError("Magnus cross moment coefficient KXT (AB) must be a scalar.")
@property
def CXT(self):
return self.K2C(self.KXT)
@CXT.setter
def CXT(self, CXT):
if np.isscalar(CXT):
CXT = np.abs(CXT)
self.KXT = self.C2K(CXT)
else:
raise TypeError("Magnus cross moment coefficient CXT (AD) must be a scalar.")
def yaw(self, x, v):
xDOTv = x.flatten().dot(v.flatten())
XMULV = np.linalg.norm(x)*np.linalg.norm(v)
yaw = np.arccos(xDOTv/XMULV)
if np.isnan(yaw):
yaw = 0
return yaw
def Rtilde(self, x, h, IDIVIp):
hDOTx = h.flatten().dot(x.flatten())
return IDIVIp*hDOTx
@property
def thrustCurve(self):
return self._T
@thrustCurve.setter
def thrustCurve(self, T):
if T is None:
self._T = None
else:
try:
T.shape
except:
raise TypeError("Thrust curve must be a numpy array.")
else:
if T.shape[1] != 2:
raise ValueError("Thrust curve must have a time and thrust force column.")
else:
self._T = T
def thrustForce(self, t):
if self.thrustCurve is not None:
T = np.interp(t, self._T[:,0], self._T[:,1])
else:
T = 0
Tvec = np.array([[T],
[0],
[0]])
return Tvec
@property
def transverseInertiaCurve(self):
return self._I
@transverseInertiaCurve.setter
def transverseInertiaCurve(self, I):
if I is None:
self._I = None
else:
try:
I.shape
except:
raise TypeError("Transverse inertia curve must be a numpy array.")
else:
if I.shape[1] != 2:
raise ValueError("Transverse inertia curve must have a time and thrust force column.")
else:
self._I = I
def transverseInertia(self, t):
if self.transverseInertiaCurve is not None:
I = np.interp(t, self._I[:,0], self._I[:,1])
else:
I = 0
return I
@property
def transverseInertiaRateCurve(self):
return self._Idot
@transverseInertiaRateCurve.setter
def transverseInertiaRateCurve(self, Idot):
if Idot is None:
self._Idot = None
else:
try:
Idot.shape
except:
raise TypeError("Transverse inertia rate curve must be a numpy array.")
else:
if Idot.shape[1] != 2:
raise ValueError("Transverse inertia rate curve must have a time and thrust force column.")
else:
self._Idot = Idot
def transverseInertiaRate(self, t):
if self.transverseInertiaRateCurve is not None:
Idot = np.interp(t, self._Idot[:,0], self._Idot[:,1])
else:
Idot = 0
return Idot
@property
def transverseInertiaCurve(self):
return self._I
@transverseInertiaCurve.setter
def transverseInertiaCurve(self, I):
if I is None:
self._I = None
else:
try:
I.shape
except:
raise TypeError("Transverse inertia curve must be a numpy array.")
else:
if I.shape[1] != 2:
raise ValueError("Transverse inertia curve must have a time and thrust force column.")
else:
self._I = I
def transverseInertia(self, t):
if self.transverseInertiaCurve is not None:
I = np.interp(t, self._I[:,0], self._I[:,1])
else:
I = 0
return I
@property
def polarInertiaRateCurve(self):
return self._Ipdot
@polarInertiaRateCurve.setter
def polarInertiaRateCurve(self, Ipdot):
if Ipdot is None:
self._Ipdot = None
else:
try:
Ipdot.shape
except:
raise TypeError("Polar inertia rate curve must be a numpy array.")
else:
if Ipdot.shape[1] != 2:
raise ValueError("Polar inertia rate curve must have a time and thrust force column.")
else:
self._Ipdot = Ipdot
def polarInertiaRate(self, t):
if self.polarInertiaRateCurve is not None:
Ipdot = np.interp(t, self._Ipdot[:,0], self._Ipdot[:,1])
else:
Ipdot = 0
return Ipdot
def densityCurve(self, rho):
if rho is callable:
self._rho = rho
else:
self._rho = lambda h : rho
def density(self, h):
return self._rho(h)
def dragForce(self, x, v, rho=1.225):
V = np.linalg.norm(v)
yaw = self.yaw(x, v)
return -rho*self.cal**2 * (self.KD0 + self.KDa*yaw + self.KDa2*yaw**2)*V*v
def spindampingMoment(self, x, v, h, IDIVIp, rho=1.225):
V = np.linalg.norm(v)
Rtilde = self.Rtilde(x, h, IDIVIp)
return -rho*self.cal**4 * self.KA * Rtilde * V * x
def fincantMoment(self, x, v, eps=0, rho=1.225):
V = np.linalg.norm(v)
return -rho*self.cal**3 * self.KE * eps * V**2 * x
def liftForce(self, x, v, rho=1.225):
V = np.linalg.norm(v)
vDOTx = v.flatten().dot(x.flatten())
return rho*self.cal**2 * self.KL * (V**2 * x - vDOTx*v)
def overturningMoment(self, x, v, rho=1.225):
V = np.linalg.norm(v)
vCRSx = np.cross(v.flatten(), x.flatten()).reshape((3,1))
return rho*self.cal**3 * self.KM * V * vDOTx
def magnusForce(self, x, v, h, IDIVIp, rho=1.225):
xCRSv = np.cross(x.flatten(), v.flatten()).reshape((3,1))
Rtilde = self.Rtilde(x, h, IDIVIp)
return rho*self.cal**3 * self.KF * Rtilde * xCRSv
def magnusMoment(self, x, v, h, IDIVIp, rho=1.225):
vDOTx = v.flatten().dot(x.flatten())
Rtilde = self.Rtilde(x, h, IDIVIp)
return rho*self.cal**4 * self.KT * Rtilde * (xDOTv*x - v)
def pitchingForce(self, x, v, h, rho=1.225):
V = np.linalg.norm(v)
hCRSx = np.cross(h.flatten(), x.flatten()).reshape((3,1))
return -rho*self.cal**3 * self.KS * V * hCRSx
def dampingMoment(self, x, v, h, rho=1.225):
V = np.linalg.norm(v)
hDOTx = h.flatten().dot(x.flatten())
return -rho*self.cal**4 * self.KH * V * (h - hDOTx*x)
def magnuscrossForce(self, x, v, h, IDIVIp, rho=1.225):
V = np.linalg.norm(v)
hDOTx = h.flatten().dot(x.flatten())
Rtilde = self.Rtilde(x, h, IDIVIp)
return rho*self.cal**4 * self.KXF * Rtilde * V * (h - hDOTx*x)
def magnuscrossMoment(self, x, v, h, IDIVIp, rho=1.225):
V = np.linalg.norm(v)
hCRSx = np.cross(h.flatten(), x.flatten()).reshape((3,1))
Rtilde = self.Rtilde(x, h, IDIVIp)
return -rho*self.cal**5 * self.KXT * Rtilde * hCRSx
def linacc(self, t, y):
x = y[:3].reshape((3,1))
v = y[3:6].reshape((3,1))
o = y[6:9].reshape((3,1))
h = y[9:].reshape((3,1))
m = self.m
rho = self.density(x[2])
I = self.transverseInertia(t)
Idot = self.transverseInertiaRate(t)
Ip = self.polarInertia(t)
Ipdot = self.polarInertiaRate(t)
IDIVIp = I/Ip
hCRSx = np.cross(h.flatten(), x.flatten()).reshape((3,1))
F = self.thrustForce(t) + self.dragForce(x, v, rho=rho) + self.liftForce(x, v, rho=rho) \
+ self.magnusForce(x, v, h, IDIVIp, rho=rho) + self.pitchingForce(x, v, h, rho=rho) \
+ self.magnuscrossForce(x, v, h, IDIVIp, rho=rho) + (Idot/self.rt - self.mdot*self.re)*hCRSx
vdot = F/m
return vdot
def angacc(self, t, y):
x = y[:3].reshape((3,1))
v = y[3:6].reshape((3,1))
o = y[6:9].reshape((3,1))
h = y[9:].reshape((3,1))
m = self.m
rho = self.density(x[2])
eps = self.eps
I = self.transverseInertia(t)
Idot = self.transverseInertiaRate(t)
Ip = self.polarInertia(t)
Ipdot = self.polarInertiaRate(t)
IDIVIp = I/Ip
hdot = self.spindampingMoment(x, v, h, IDIVIp, rho=rho)/Ip + self.fincantMoment(x, v, eps=eps, rho=rho)/I \
+ self.overturningMoment(x, v, rho=rho)/I + self.magnusMoment(x, v, h, IDIVIp, rho=rho)/Ip \
+ self.dampingMoment(x, v, h, rho=rho)/I + self.magnuscrossMoment(x, v, h, IDIVIp, rho=rho)/Ip
hDOTx = h.flatten().dot(x.flatten())
hdot += -((Idot - self.mdot*self.re*self.rt)/I)*(h - hDOTx*x)
return hdot
def odefunc(self, t, y):
x = y[:3].reshape((3,1))
v = y[3:6].reshape((3,1))
o = y[6:9].reshape((3,1))
h = y[9:].reshape((3,1))
vdot = linacc(t, y)
hdot = angacc(t, y)
T = self.thrustForce(t)
mdot = T/(self.Isp*9.80665)
self.mdot = mdot
ydot = np.vstack([v,
vdot,
h,
hdot])
return ydot | class Aerodb(object):
def __init__(self, aerodb=None, cal=1, area=None):
if isinstance(aerodb, AeroDB):
self.clone(aerodb)
else:
self.clear()
if cal is None and area is None:
raise value_error('Provide at least one of caliber and area as dimensional input.')
elif area is None:
self.cal = cal
self.area = area
else:
self.area = area
self.cal = cal
self.eps = 0
self.m = 0
self.rho = 1.225
self.transverseInertiaCurve = None
self.polarInertiaCurve = None
self.transverseInertiaRateCurve = None
self.polarInertiaRateCurve = None
def clear(self):
self.cal = 1
self.area = None
self.KD0 = 0
self.KDa = 0
def c2_k(self, C):
return C * self.area / (2 * self.cal ** 2)
def k2_c(self, K):
return 2 * K * self.cal ** 2 / self.area
@property
def area(self):
return self._area
@area.setter
def area(self, area):
if area is None:
self._area = np.sqrt(np.pi) * self.cal / 2
elif np.isscalar(area):
area = np.abs(area)
self._area = area
else:
raise type_error('Area must be a scalar.')
@property
def cal(self):
return self._cal
@cal.setter
def cal(self, cal):
if cal is None:
self._cal = 2 * self.area / np.sqrt(np.pi)
elif np.isscalar(cal):
cal = np.abs(cal)
self._cal = cal
else:
raise type_error('Caliber must be a scalar.')
@property
def kd0(self):
return self._KD0
@KD0.setter
def kd0(self, KD0):
if np.isscalar(KD0):
kd0 = np.abs(KD0)
self._KD0 = KD0
else:
raise type_error('Zero-lift drag force coefficient KD0 (AB) must be a scalar.')
@property
def cd0(self):
return self.K2C(self.KD0)
@CD0.setter
def cd0(self, CD0):
if np.isscalar(CD0):
cd0 = np.abs(CD0)
self.KD0 = self.C2K(CD0)
else:
raise type_error('Zero-lift drag force coefficient CD0 (AD) must be a scalar.')
@property
def k_da(self):
return self._KDa
@KDa.setter
def k_da(self, KDa):
if np.isscalar(KDa):
k_da = KDa
self._KDa = KDa
else:
raise type_error('Angle-dep. drag force coefficient KDa (AB) must be a scalar.')
@property
def c_da(self):
return self.K2C(self.KDa)
@CDa.setter
def c_da(self, CDa):
if np.isscalar(CDa):
c_da = CDa
self.KDa = self.C2K(CDa)
else:
raise type_error('Angle-dep. drag force coefficient CDa (AD) must be a scalar.')
@property
def k_da2(self):
return self._KDa2
@KDa.setter
def k_da2(self, KDa2):
if np.isscalar(KDa2):
k_da2 = KDa2
self._KDa2 = KDa2
else:
raise type_error('Square angle-dep. drag force coefficient KDa2 (AB) must be a scalar.')
@property
def c_da2(self):
return self.K2C(self.KDa2)
@CDa2.setter
def c_da2(self, CDa2):
if np.isscalar(CDa2):
c_da2 = CDa2
self.KDa2 = self.C2K(CDa2)
else:
raise type_error('Square angle-dep. drag force coefficient CDa2 (AD) must be a scalar.')
@property
def ka(self):
return self._KA
@KA.setter
def ka(self, KA):
if np.isscalar(KA):
ka = np.abs(KA)
self._KA = KA
else:
raise type_error('Spin damping moment coefficient KA (AB) must be a scalar.')
@property
def ca(self):
return self.K2C(self.KA)
@CA.setter
def ca(self, CA):
if np.isscalar(CA):
ca = np.abs(CA)
self.KA = self.C2K(CA)
else:
raise type_error('Spin damping moment coefficient CA (AD) must be a scalar.')
@property
def ke(self):
return self._KE
@KE.setter
def ke(self, KE):
if np.isscalar(KE):
ke = KE
self._KE = KE
else:
raise type_error('Fin cant moment coefficient KE (AB) must be a scalar.')
@property
def ce(self):
return self.K2C(self.KE)
@CE.setter
def ce(self, CE):
if np.isscalar(CE):
ce = CE
self.KE = self.C2K(CE)
else:
raise type_error('Fin cant moment coefficient CE (AD) must be a scalar.')
@property
def kl(self):
return self._KL
@KL.setter
def kl(self, KL):
if np.isscalar(KL):
kl = np.abs(KL)
self._KL = KL
else:
raise type_error('Lift force coefficient KL (AB) must be a scalar.')
@property
def cl(self):
return self.K2C(self.KL)
@CL.setter
def cl(self, CL):
if np.isscalar(CL):
cl = np.abs(CL)
self.KL = self.C2K(CL)
else:
raise type_error('Lift force coefficient CL (AD) must be a scalar.')
@property
def km(self):
return self._KM
@KM.setter
def km(self, KM):
if np.isscalar(KM):
km = KM
self._KM = KM
else:
raise type_error('Overturning moment coefficient KM (AB) must be a scalar.')
@property
def cm(self):
return self.K2C(self.KM)
@CM.setter
def cm(self, CM):
if np.isscalar(CM):
cm = CM
self.KM = self.C2K(CM)
else:
raise type_error('Overturning moment coefficient CM (AD) must be a scalar.')
@property
def kf(self):
return self._KF
@KF.setter
def kf(self, KF):
if np.isscalar(KF):
kf = np.abs(KF)
self._KF = KF
else:
raise type_error('Magnus force coefficient KF (AB) must be a scalar.')
@property
def cf(self):
return self.K2C(self.KF)
@CF.setter
def cf(self, CF):
if np.isscalar(CF):
cf = np.abs(CF)
self.KF = self.C2K(CF)
else:
raise type_error('Magnus force coefficient CF (AD) must be a scalar.')
@property
def kt(self):
return self._KT
@KT.setter
def kt(self, KT):
if np.isscalar(KT):
kt = np.abs(KT)
self._KT = KT
else:
raise type_error('Magnus moment coefficient KT (AB) must be a scalar.')
@property
def ct(self):
return self.K2C(self.KT)
@CT.setter
def ct(self, CT):
if np.isscalar(CT):
ct = np.abs(CT)
self.KT = self.C2K(CT)
else:
raise type_error('Magnus moment coefficient CT (AD) must be a scalar.')
@property
def ks(self):
return self._KS
@KS.setter
def ks(self, KS):
if np.isscalar(KS):
ks = np.abs(KS)
self._KS = KS
else:
raise type_error('Pitching force coefficient KS (AB) must be a scalar.')
@property
def cs(self):
return self.K2C(self.KS)
@CS.setter
def cs(self, CS):
if np.isscalar(CS):
cs = np.abs(CS)
self.KS = self.C2K(CS)
else:
raise type_error('Pitching force coefficient CS (AD) must be a scalar.')
@property
def kh(self):
return self._KH
@KH.setter
def kh(self, KH):
if np.isscalar(KH):
kh = KH
self._KH = KH
else:
raise type_error('Damping moment coefficient KH (AB) must be a scalar.')
@property
def ch(self):
return self.K2C(self.KH)
@CH.setter
def ch(self, CH):
if np.isscalar(CH):
ch = CH
self.KH = self.C2K(CH)
else:
raise type_error('Damping moment coefficient CH (AD) must be a scalar.')
@property
def kxf(self):
return self._KXF
@KXF.setter
def kxf(self, KXF):
if np.isscalar(KXF):
kxf = np.abs(KXF)
self._KXF = KXF
else:
raise type_error('Magnus cross force coefficient KXF (AB) must be a scalar.')
@property
def cxf(self):
return self.K2C(self.KXF)
@CXF.setter
def cxf(self, CXF):
if np.isscalar(CXF):
cxf = np.abs(CXF)
self.KXF = self.C2K(CXF)
else:
raise type_error('Magnus cross force coefficient CXF (AD) must be a scalar.')
@property
def kxt(self):
return self._KXT
@KXT.setter
def kxt(self, KXT):
if np.isscalar(KXT):
kxt = np.abs(KXT)
self._KXT = KXT
else:
raise type_error('Magnus cross moment coefficient KXT (AB) must be a scalar.')
@property
def cxt(self):
return self.K2C(self.KXT)
@CXT.setter
def cxt(self, CXT):
if np.isscalar(CXT):
cxt = np.abs(CXT)
self.KXT = self.C2K(CXT)
else:
raise type_error('Magnus cross moment coefficient CXT (AD) must be a scalar.')
def yaw(self, x, v):
x_do_tv = x.flatten().dot(v.flatten())
xmulv = np.linalg.norm(x) * np.linalg.norm(v)
yaw = np.arccos(xDOTv / XMULV)
if np.isnan(yaw):
yaw = 0
return yaw
def rtilde(self, x, h, IDIVIp):
h_do_tx = h.flatten().dot(x.flatten())
return IDIVIp * hDOTx
@property
def thrust_curve(self):
return self._T
@thrustCurve.setter
def thrust_curve(self, T):
if T is None:
self._T = None
else:
try:
T.shape
except:
raise type_error('Thrust curve must be a numpy array.')
else:
if T.shape[1] != 2:
raise value_error('Thrust curve must have a time and thrust force column.')
else:
self._T = T
def thrust_force(self, t):
if self.thrustCurve is not None:
t = np.interp(t, self._T[:, 0], self._T[:, 1])
else:
t = 0
tvec = np.array([[T], [0], [0]])
return Tvec
@property
def transverse_inertia_curve(self):
return self._I
@transverseInertiaCurve.setter
def transverse_inertia_curve(self, I):
if I is None:
self._I = None
else:
try:
I.shape
except:
raise type_error('Transverse inertia curve must be a numpy array.')
else:
if I.shape[1] != 2:
raise value_error('Transverse inertia curve must have a time and thrust force column.')
else:
self._I = I
def transverse_inertia(self, t):
if self.transverseInertiaCurve is not None:
i = np.interp(t, self._I[:, 0], self._I[:, 1])
else:
i = 0
return I
@property
def transverse_inertia_rate_curve(self):
return self._Idot
@transverseInertiaRateCurve.setter
def transverse_inertia_rate_curve(self, Idot):
if Idot is None:
self._Idot = None
else:
try:
Idot.shape
except:
raise type_error('Transverse inertia rate curve must be a numpy array.')
else:
if Idot.shape[1] != 2:
raise value_error('Transverse inertia rate curve must have a time and thrust force column.')
else:
self._Idot = Idot
def transverse_inertia_rate(self, t):
if self.transverseInertiaRateCurve is not None:
idot = np.interp(t, self._Idot[:, 0], self._Idot[:, 1])
else:
idot = 0
return Idot
@property
def transverse_inertia_curve(self):
return self._I
@transverseInertiaCurve.setter
def transverse_inertia_curve(self, I):
if I is None:
self._I = None
else:
try:
I.shape
except:
raise type_error('Transverse inertia curve must be a numpy array.')
else:
if I.shape[1] != 2:
raise value_error('Transverse inertia curve must have a time and thrust force column.')
else:
self._I = I
def transverse_inertia(self, t):
if self.transverseInertiaCurve is not None:
i = np.interp(t, self._I[:, 0], self._I[:, 1])
else:
i = 0
return I
@property
def polar_inertia_rate_curve(self):
return self._Ipdot
@polarInertiaRateCurve.setter
def polar_inertia_rate_curve(self, Ipdot):
if Ipdot is None:
self._Ipdot = None
else:
try:
Ipdot.shape
except:
raise type_error('Polar inertia rate curve must be a numpy array.')
else:
if Ipdot.shape[1] != 2:
raise value_error('Polar inertia rate curve must have a time and thrust force column.')
else:
self._Ipdot = Ipdot
def polar_inertia_rate(self, t):
if self.polarInertiaRateCurve is not None:
ipdot = np.interp(t, self._Ipdot[:, 0], self._Ipdot[:, 1])
else:
ipdot = 0
return Ipdot
def density_curve(self, rho):
if rho is callable:
self._rho = rho
else:
self._rho = lambda h: rho
def density(self, h):
return self._rho(h)
def drag_force(self, x, v, rho=1.225):
v = np.linalg.norm(v)
yaw = self.yaw(x, v)
return -rho * self.cal ** 2 * (self.KD0 + self.KDa * yaw + self.KDa2 * yaw ** 2) * V * v
def spindamping_moment(self, x, v, h, IDIVIp, rho=1.225):
v = np.linalg.norm(v)
rtilde = self.Rtilde(x, h, IDIVIp)
return -rho * self.cal ** 4 * self.KA * Rtilde * V * x
def fincant_moment(self, x, v, eps=0, rho=1.225):
v = np.linalg.norm(v)
return -rho * self.cal ** 3 * self.KE * eps * V ** 2 * x
def lift_force(self, x, v, rho=1.225):
v = np.linalg.norm(v)
v_do_tx = v.flatten().dot(x.flatten())
return rho * self.cal ** 2 * self.KL * (V ** 2 * x - vDOTx * v)
def overturning_moment(self, x, v, rho=1.225):
v = np.linalg.norm(v)
v_cr_sx = np.cross(v.flatten(), x.flatten()).reshape((3, 1))
return rho * self.cal ** 3 * self.KM * V * vDOTx
def magnus_force(self, x, v, h, IDIVIp, rho=1.225):
x_cr_sv = np.cross(x.flatten(), v.flatten()).reshape((3, 1))
rtilde = self.Rtilde(x, h, IDIVIp)
return rho * self.cal ** 3 * self.KF * Rtilde * xCRSv
def magnus_moment(self, x, v, h, IDIVIp, rho=1.225):
v_do_tx = v.flatten().dot(x.flatten())
rtilde = self.Rtilde(x, h, IDIVIp)
return rho * self.cal ** 4 * self.KT * Rtilde * (xDOTv * x - v)
def pitching_force(self, x, v, h, rho=1.225):
v = np.linalg.norm(v)
h_cr_sx = np.cross(h.flatten(), x.flatten()).reshape((3, 1))
return -rho * self.cal ** 3 * self.KS * V * hCRSx
def damping_moment(self, x, v, h, rho=1.225):
v = np.linalg.norm(v)
h_do_tx = h.flatten().dot(x.flatten())
return -rho * self.cal ** 4 * self.KH * V * (h - hDOTx * x)
def magnuscross_force(self, x, v, h, IDIVIp, rho=1.225):
v = np.linalg.norm(v)
h_do_tx = h.flatten().dot(x.flatten())
rtilde = self.Rtilde(x, h, IDIVIp)
return rho * self.cal ** 4 * self.KXF * Rtilde * V * (h - hDOTx * x)
def magnuscross_moment(self, x, v, h, IDIVIp, rho=1.225):
v = np.linalg.norm(v)
h_cr_sx = np.cross(h.flatten(), x.flatten()).reshape((3, 1))
rtilde = self.Rtilde(x, h, IDIVIp)
return -rho * self.cal ** 5 * self.KXT * Rtilde * hCRSx
def linacc(self, t, y):
x = y[:3].reshape((3, 1))
v = y[3:6].reshape((3, 1))
o = y[6:9].reshape((3, 1))
h = y[9:].reshape((3, 1))
m = self.m
rho = self.density(x[2])
i = self.transverseInertia(t)
idot = self.transverseInertiaRate(t)
ip = self.polarInertia(t)
ipdot = self.polarInertiaRate(t)
idiv_ip = I / Ip
h_cr_sx = np.cross(h.flatten(), x.flatten()).reshape((3, 1))
f = self.thrustForce(t) + self.dragForce(x, v, rho=rho) + self.liftForce(x, v, rho=rho) + self.magnusForce(x, v, h, IDIVIp, rho=rho) + self.pitchingForce(x, v, h, rho=rho) + self.magnuscrossForce(x, v, h, IDIVIp, rho=rho) + (Idot / self.rt - self.mdot * self.re) * hCRSx
vdot = F / m
return vdot
def angacc(self, t, y):
x = y[:3].reshape((3, 1))
v = y[3:6].reshape((3, 1))
o = y[6:9].reshape((3, 1))
h = y[9:].reshape((3, 1))
m = self.m
rho = self.density(x[2])
eps = self.eps
i = self.transverseInertia(t)
idot = self.transverseInertiaRate(t)
ip = self.polarInertia(t)
ipdot = self.polarInertiaRate(t)
idiv_ip = I / Ip
hdot = self.spindampingMoment(x, v, h, IDIVIp, rho=rho) / Ip + self.fincantMoment(x, v, eps=eps, rho=rho) / I + self.overturningMoment(x, v, rho=rho) / I + self.magnusMoment(x, v, h, IDIVIp, rho=rho) / Ip + self.dampingMoment(x, v, h, rho=rho) / I + self.magnuscrossMoment(x, v, h, IDIVIp, rho=rho) / Ip
h_do_tx = h.flatten().dot(x.flatten())
hdot += -((Idot - self.mdot * self.re * self.rt) / I) * (h - hDOTx * x)
return hdot
def odefunc(self, t, y):
x = y[:3].reshape((3, 1))
v = y[3:6].reshape((3, 1))
o = y[6:9].reshape((3, 1))
h = y[9:].reshape((3, 1))
vdot = linacc(t, y)
hdot = angacc(t, y)
t = self.thrustForce(t)
mdot = T / (self.Isp * 9.80665)
self.mdot = mdot
ydot = np.vstack([v, vdot, h, hdot])
return ydot |
class Token(object):
def __init__(self, cell, railroad):
self.cell = cell
self.railroad = railroad
class Station(Token):
pass
class PrivateCompanyToken(Token):
@staticmethod
def place(name, cell, railroad, properties):
if railroad.is_removed:
raise ValueError(f"A removed railroad cannot place a private company's token: {railroad.name}")
return PrivateCompanyToken(cell, railroad)
def __init__(self, name, cell, railroad, bonus=0):
super().__init__(cell, railroad)
self.name = name
self.bonus = bonus
def value(self, game, railroad):
return self.bonus if not game.private_is_closed(self.name) and self.railroad == railroad else 0 | class Token(object):
def __init__(self, cell, railroad):
self.cell = cell
self.railroad = railroad
class Station(Token):
pass
class Privatecompanytoken(Token):
@staticmethod
def place(name, cell, railroad, properties):
if railroad.is_removed:
raise value_error(f"A removed railroad cannot place a private company's token: {railroad.name}")
return private_company_token(cell, railroad)
def __init__(self, name, cell, railroad, bonus=0):
super().__init__(cell, railroad)
self.name = name
self.bonus = bonus
def value(self, game, railroad):
return self.bonus if not game.private_is_closed(self.name) and self.railroad == railroad else 0 |
# coding: utf-8
# In[ ]:
#Exist Database
database={"log_in":{"User_ID":[100,101,102,103,104,105], "Password":
["@Tanmoy*1234","@Tarpan*1234","@Sagnik*1234","@Nikita*1234"
"@Pritam*1234","@Gautamee*1234"],"Name":["Tanmoy","Tarpan"
,"Sagnik","Nikita","Pritam","Gautamee"]}}
#Sign in Page
qu=input("do you have any account : \n")
if qu in ("Yes","yes","YES"):
user_id=int(input("Enter your User ID\n"))
for i in range(0,6):
if user_id==database['log_in']['User_ID'][i]:
print("your id is :",database['log_in']['User_ID'][i])
pswd=input("Enter your password\n")
if pswd==database['log_in']['Password'][i]:
print("welcome!!!!",database['log_in']['Name'][i])
else:
print("Click forget password")
else:
print("Please enter your correct user ID")
break
#Sign Up Page
elif qu in ("NO","no","No"):
print("Welcome to sign up page!!!!!")
name=input("Enter your first Name\n")
last_name=input("Enter your last Name\n")
Id=input("Enter your id\n")
paswd=input("Enter your password\n")
print("hi",name,"!!!","Welcome to Learning_Python's page ")
else:
print("pls enter : yes or no")
#Exit page
ext=input("Do you want to leave this page")
ans=input("Yes or No")
if ans in ("Yes","yes","YES"):
print("Exit")
else:
print("Please click Sign in or sign up and keep reading")
| database = {'log_in': {'User_ID': [100, 101, 102, 103, 104, 105], 'Password': ['@Tanmoy*1234', '@Tarpan*1234', '@Sagnik*1234', '@Nikita*1234@Pritam*1234', '@Gautamee*1234'], 'Name': ['Tanmoy', 'Tarpan', 'Sagnik', 'Nikita', 'Pritam', 'Gautamee']}}
qu = input('do you have any account : \n')
if qu in ('Yes', 'yes', 'YES'):
user_id = int(input('Enter your User ID\n'))
for i in range(0, 6):
if user_id == database['log_in']['User_ID'][i]:
print('your id is :', database['log_in']['User_ID'][i])
pswd = input('Enter your password\n')
if pswd == database['log_in']['Password'][i]:
print('welcome!!!!', database['log_in']['Name'][i])
else:
print('Click forget password')
else:
print('Please enter your correct user ID')
break
elif qu in ('NO', 'no', 'No'):
print('Welcome to sign up page!!!!!')
name = input('Enter your first Name\n')
last_name = input('Enter your last Name\n')
id = input('Enter your id\n')
paswd = input('Enter your password\n')
print('hi', name, '!!!', "Welcome to Learning_Python's page ")
else:
print('pls enter : yes or no')
ext = input('Do you want to leave this page')
ans = input('Yes or No')
if ans in ('Yes', 'yes', 'YES'):
print('Exit')
else:
print('Please click Sign in or sign up and keep reading') |
filters = \
('+ c ESI Full ms [300.00-2000.00]',
'+ c ESI Full ms [400.00-2000.00]',
'+ c d Full ms2 400.31@cid45.00 [100.00-815.00]',
'+ c d Full ms2 401.39@cid45.00 [100.00-815.00]',
'+ c d Full ms2 406.73@cid45.00 [100.00-825.00]',
'+ c d Full ms2 408.00@cid45.00 [100.00-830.00]',
'+ c d Full ms2 412.90@cid45.00 [100.00-840.00]',
'+ c d Full ms2 415.06@cid45.00 [100.00-845.00]',
'+ c d Full ms2 416.05@cid45.00 [100.00-845.00]',
'+ c d Full ms2 418.81@cid45.00 [105.00-850.00]',
'+ c d Full ms2 420.63@cid45.00 [105.00-855.00]',
'+ c d Full ms2 421.87@cid45.00 [105.00-855.00]',
'+ c d Full ms2 426.02@cid45.00 [105.00-865.00]',
'+ c d Full ms2 428.43@cid45.00 [105.00-870.00]',
'+ c d Full ms2 431.93@cid45.00 [105.00-875.00]',
'+ c d Full ms2 433.34@cid45.00 [105.00-880.00]',
'+ c d Full ms2 435.86@cid45.00 [110.00-885.00]',
'+ c d Full ms2 437.65@cid45.00 [110.00-890.00]',
'+ c d Full ms2 440.08@cid45.00 [110.00-895.00]',
'+ c d Full ms2 440.47@cid45.00 [110.00-895.00]',
'+ c d Full ms2 441.47@cid45.00 [110.00-895.00]',
'+ c d Full ms2 444.32@cid45.00 [110.00-900.00]',
'+ c d Full ms2 450.22@cid45.00 [110.00-915.00]',
'+ c d Full ms2 450.53@cid45.00 [110.00-915.00]',
'+ c d Full ms2 451.01@cid45.00 [110.00-915.00]',
'+ c d Full ms2 451.75@cid45.00 [110.00-915.00]',
'+ c d Full ms2 454.12@cid45.00 [115.00-920.00]',
'+ c d Full ms2 457.86@cid45.00 [115.00-930.00]',
'+ c d Full ms2 458.18@cid45.00 [115.00-930.00]',
'+ c d Full ms2 461.43@cid45.00 [115.00-935.00]',
'+ c d Full ms2 462.49@cid45.00 [115.00-935.00]',
'+ c d Full ms2 462.50@cid45.00 [115.00-940.00]',
'+ c d Full ms2 470.47@cid45.00 [115.00-955.00]',
'+ c d Full ms2 475.87@cid45.00 [120.00-965.00]',
'+ c d Full ms2 476.27@cid45.00 [120.00-965.00]',
'+ c d Full ms2 479.45@cid45.00 [120.00-970.00]',
'+ c d Full ms2 480.12@cid45.00 [120.00-975.00]',
'+ c d Full ms2 484.53@cid45.00 [120.00-980.00]',
'+ c d Full ms2 485.31@cid45.00 [120.00-985.00]',
'+ c d Full ms2 491.11@cid45.00 [125.00-995.00]',
'+ c d Full ms2 493.40@cid45.00 [125.00-1000.00]',
'+ c d Full ms2 493.92@cid45.00 [125.00-1000.00]',
'+ c d Full ms2 495.99@cid45.00 [125.00-1005.00]',
'+ c d Full ms2 502.39@cid45.00 [125.00-1015.00]',
'+ c d Full ms2 504.00@cid45.00 [125.00-1020.00]',
'+ c d Full ms2 506.28@cid45.00 [125.00-1025.00]',
'+ c d Full ms2 507.01@cid45.00 [125.00-1025.00]',
'+ c d Full ms2 510.83@cid45.00 [130.00-1035.00]',
'+ c d Full ms2 515.37@cid45.00 [130.00-1045.00]',
'+ c d Full ms2 523.83@cid45.00 [130.00-1060.00]',
'+ c d Full ms2 529.27@cid45.00 [135.00-1070.00]',
'+ c d Full ms2 530.70@cid45.00 [135.00-1075.00]',
'+ c d Full ms2 533.63@cid45.00 [135.00-1080.00]',
'+ c d Full ms2 537.62@cid45.00 [135.00-1090.00]',
'+ c d Full ms2 540.32@cid45.00 [135.00-1095.00]',
'+ c d Full ms2 541.33@cid45.00 [135.00-1095.00]',
'+ c d Full ms2 545.32@cid45.00 [140.00-1105.00]',
'+ c d Full ms2 546.18@cid45.00 [140.00-1105.00]',
'+ c d Full ms2 549.30@cid45.00 [140.00-1110.00]',
'+ c d Full ms2 559.23@cid45.00 [140.00-1130.00]',
'+ c d Full ms2 562.08@cid45.00 [140.00-1135.00]',
'+ c d Full ms2 571.30@cid45.00 [145.00-1155.00]',
'+ c d Full ms2 572.33@cid45.00 [145.00-1155.00]',
'+ c d Full ms2 573.88@cid45.00 [145.00-1160.00]',
'+ c d Full ms2 574.31@cid45.00 [145.00-1160.00]',
'+ c d Full ms2 575.33@cid45.00 [145.00-1165.00]',
'+ c d Full ms2 584.27@cid45.00 [150.00-1180.00]',
'+ c d Full ms2 591.99@cid45.00 [150.00-1195.00]',
'+ c d Full ms2 594.20@cid45.00 [150.00-1200.00]',
'+ c d Full ms2 594.90@cid45.00 [150.00-1200.00]',
'+ c d Full ms2 595.76@cid45.00 [150.00-1205.00]',
'+ c d Full ms2 596.55@cid45.00 [150.00-1205.00]',
'+ c d Full ms2 599.35@cid45.00 [155.00-1210.00]',
'+ c d Full ms2 600.32@cid45.00 [155.00-1215.00]',
'+ c d Full ms2 601.42@cid45.00 [155.00-1215.00]',
'+ c d Full ms2 602.31@cid45.00 [155.00-1215.00]',
'+ c d Full ms2 602.59@cid45.00 [155.00-1220.00]',
'+ c d Full ms2 606.32@cid45.00 [155.00-1225.00]',
'+ c d Full ms2 607.35@cid45.00 [155.00-1225.00]',
'+ c d Full ms2 612.36@cid45.00 [155.00-1235.00]',
'+ c d Full ms2 614.33@cid45.00 [155.00-1240.00]',
'+ c d Full ms2 616.40@cid45.00 [155.00-1245.00]',
'+ c d Full ms2 620.38@cid45.00 [160.00-1255.00]',
'+ c d Full ms2 624.71@cid45.00 [160.00-1260.00]',
'+ c d Full ms2 629.41@cid45.00 [160.00-1270.00]',
'+ c d Full ms2 631.37@cid45.00 [160.00-1275.00]',
'+ c d Full ms2 631.93@cid45.00 [160.00-1275.00]',
'+ c d Full ms2 633.62@cid45.00 [160.00-1280.00]',
'+ c d Full ms2 634.07@cid45.00 [160.00-1280.00]',
'+ c d Full ms2 637.77@cid45.00 [165.00-1290.00]',
'+ c d Full ms2 639.72@cid45.00 [165.00-1290.00]',
'+ c d Full ms2 640.57@cid45.00 [165.00-1295.00]',
'+ c d Full ms2 641.38@cid45.00 [165.00-1295.00]',
'+ c d Full ms2 642.12@cid45.00 [165.00-1295.00]',
'+ c d Full ms2 643.33@cid45.00 [165.00-1300.00]',
'+ c d Full ms2 646.37@cid45.00 [165.00-1305.00]',
'+ c d Full ms2 648.41@cid45.00 [165.00-1310.00]',
'+ c d Full ms2 653.16@cid45.00 [165.00-1320.00]',
'+ c d Full ms2 654.91@cid45.00 [170.00-1320.00]',
'+ c d Full ms2 655.08@cid45.00 [170.00-1325.00]',
'+ c d Full ms2 656.14@cid45.00 [170.00-1325.00]',
'+ c d Full ms2 658.62@cid45.00 [170.00-1330.00]',
'+ c d Full ms2 662.25@cid45.00 [170.00-1335.00]',
'+ c d Full ms2 663.40@cid45.00 [170.00-1340.00]',
'+ c d Full ms2 664.30@cid45.00 [170.00-1340.00]',
'+ c d Full ms2 665.58@cid45.00 [170.00-1345.00]',
'+ c d Full ms2 667.35@cid45.00 [170.00-1345.00]',
'+ c d Full ms2 668.58@cid45.00 [170.00-1350.00]',
'+ c d Full ms2 669.35@cid45.00 [170.00-1350.00]',
'+ c d Full ms2 671.52@cid45.00 [170.00-1355.00]',
'+ c d Full ms2 672.38@cid45.00 [175.00-1355.00]',
'+ c d Full ms2 675.21@cid45.00 [175.00-1365.00]',
'+ c d Full ms2 676.56@cid45.00 [175.00-1365.00]',
'+ c d Full ms2 677.96@cid45.00 [175.00-1370.00]',
'+ c d Full ms2 679.26@cid45.00 [175.00-1370.00]',
'+ c d Full ms2 679.59@cid45.00 [175.00-1370.00]',
'+ c d Full ms2 680.83@cid45.00 [175.00-1375.00]',
'+ c d Full ms2 683.84@cid45.00 [175.00-1380.00]',
'+ c d Full ms2 684.27@cid45.00 [175.00-1380.00]',
'+ c d Full ms2 686.29@cid45.00 [175.00-1385.00]',
'+ c d Full ms2 687.40@cid45.00 [175.00-1385.00]',
'+ c d Full ms2 688.24@cid45.00 [175.00-1390.00]',
'+ c d Full ms2 689.38@cid45.00 [175.00-1390.00]',
'+ c d Full ms2 691.77@cid45.00 [180.00-1395.00]',
'+ c d Full ms2 693.42@cid45.00 [180.00-1400.00]',
'+ c d Full ms2 695.41@cid45.00 [180.00-1405.00]',
'+ c d Full ms2 698.33@cid45.00 [180.00-1410.00]',
'+ c d Full ms2 698.88@cid45.00 [180.00-1410.00]',
'+ c d Full ms2 700.37@cid45.00 [180.00-1415.00]',
'+ c d Full ms2 703.33@cid45.00 [180.00-1420.00]',
'+ c d Full ms2 706.10@cid45.00 [180.00-1425.00]',
'+ c d Full ms2 708.37@cid45.00 [185.00-1430.00]',
'+ c d Full ms2 712.24@cid45.00 [185.00-1435.00]',
'+ c d Full ms2 714.45@cid45.00 [185.00-1440.00]',
'+ c d Full ms2 715.38@cid45.00 [185.00-1445.00]',
'+ c d Full ms2 719.12@cid45.00 [185.00-1450.00]',
'+ c d Full ms2 723.37@cid45.00 [185.00-1460.00]',
'+ c d Full ms2 723.88@cid45.00 [185.00-1460.00]',
'+ c d Full ms2 728.21@cid45.00 [190.00-1470.00]',
'+ c d Full ms2 729.27@cid45.00 [190.00-1470.00]',
'+ c d Full ms2 730.41@cid45.00 [190.00-1475.00]',
'+ c d Full ms2 731.88@cid45.00 [190.00-1475.00]',
'+ c d Full ms2 733.56@cid45.00 [190.00-1480.00]',
'+ c d Full ms2 739.66@cid45.00 [190.00-1490.00]',
'+ c d Full ms2 740.16@cid45.00 [190.00-1495.00]',
'+ c d Full ms2 741.56@cid45.00 [190.00-1495.00]',
'+ c d Full ms2 742.30@cid45.00 [190.00-1495.00]',
'+ c d Full ms2 743.35@cid45.00 [190.00-1500.00]',
'+ c d Full ms2 744.46@cid45.00 [190.00-1500.00]',
'+ c d Full ms2 745.45@cid45.00 [195.00-1505.00]',
'+ c d Full ms2 745.97@cid45.00 [195.00-1505.00]',
'+ c d Full ms2 750.03@cid45.00 [195.00-1515.00]',
'+ c d Full ms2 751.19@cid45.00 [195.00-1515.00]',
'+ c d Full ms2 751.42@cid45.00 [195.00-1515.00]',
'+ c d Full ms2 752.37@cid45.00 [195.00-1515.00]',
'+ c d Full ms2 753.04@cid45.00 [195.00-1520.00]',
'+ c d Full ms2 754.38@cid45.00 [195.00-1520.00]',
'+ c d Full ms2 756.35@cid45.00 [195.00-1525.00]',
'+ c d Full ms2 757.39@cid45.00 [195.00-1525.00]',
'+ c d Full ms2 758.35@cid45.00 [195.00-1530.00]',
'+ c d Full ms2 759.11@cid45.00 [195.00-1530.00]',
'+ c d Full ms2 760.68@cid45.00 [195.00-1535.00]',
'+ c d Full ms2 761.47@cid45.00 [195.00-1535.00]',
'+ c d Full ms2 762.38@cid45.00 [195.00-1535.00]',
'+ c d Full ms2 763.41@cid45.00 [200.00-1540.00]',
'+ c d Full ms2 766.53@cid45.00 [200.00-1545.00]',
'+ c d Full ms2 767.03@cid45.00 [200.00-1545.00]',
'+ c d Full ms2 768.43@cid45.00 [200.00-1550.00]',
'+ c d Full ms2 768.72@cid45.00 [200.00-1550.00]',
'+ c d Full ms2 769.48@cid45.00 [200.00-1550.00]',
'+ c d Full ms2 772.29@cid45.00 [200.00-1555.00]',
'+ c d Full ms2 772.55@cid45.00 [200.00-1560.00]',
'+ c d Full ms2 773.18@cid45.00 [200.00-1560.00]',
'+ c d Full ms2 773.59@cid45.00 [200.00-1560.00]',
'+ c d Full ms2 774.44@cid45.00 [200.00-1560.00]',
'+ c d Full ms2 776.39@cid45.00 [200.00-1565.00]',
'+ c d Full ms2 777.24@cid45.00 [200.00-1565.00]',
'+ c d Full ms2 778.38@cid45.00 [200.00-1570.00]',
'+ c d Full ms2 779.02@cid45.00 [200.00-1570.00]',
'+ c d Full ms2 779.42@cid45.00 [200.00-1570.00]',
'+ c d Full ms2 781.25@cid45.00 [205.00-1575.00]',
'+ c d Full ms2 783.46@cid45.00 [205.00-1580.00]',
'+ c d Full ms2 785.09@cid45.00 [205.00-1585.00]',
'+ c d Full ms2 786.41@cid45.00 [205.00-1585.00]',
'+ c d Full ms2 787.37@cid45.00 [205.00-1585.00]',
'+ c d Full ms2 787.86@cid45.00 [205.00-1590.00]',
'+ c d Full ms2 790.32@cid45.00 [205.00-1595.00]',
'+ c d Full ms2 790.99@cid45.00 [205.00-1595.00]',
'+ c d Full ms2 792.30@cid45.00 [205.00-1595.00]',
'+ c d Full ms2 793.57@cid45.00 [205.00-1600.00]',
'+ c d Full ms2 794.82@cid45.00 [205.00-1600.00]',
'+ c d Full ms2 795.31@cid45.00 [205.00-1605.00]',
'+ c d Full ms2 796.38@cid45.00 [205.00-1605.00]',
'+ c d Full ms2 796.98@cid45.00 [205.00-1605.00]',
'+ c d Full ms2 798.67@cid45.00 [205.00-1610.00]',
'+ c d Full ms2 799.09@cid45.00 [210.00-1610.00]',
'+ c d Full ms2 801.33@cid45.00 [210.00-1615.00]',
'+ c d Full ms2 802.25@cid45.00 [210.00-1615.00]',
'+ c d Full ms2 802.99@cid45.00 [210.00-1620.00]',
'+ c d Full ms2 803.39@cid45.00 [210.00-1620.00]',
'+ c d Full ms2 804.66@cid45.00 [210.00-1620.00]',
'+ c d Full ms2 805.35@cid45.00 [210.00-1625.00]',
'+ c d Full ms2 806.24@cid45.00 [210.00-1625.00]',
'+ c d Full ms2 807.41@cid45.00 [210.00-1625.00]',
'+ c d Full ms2 807.80@cid45.00 [210.00-1630.00]',
'+ c d Full ms2 808.42@cid45.00 [210.00-1630.00]',
'+ c d Full ms2 809.38@cid45.00 [210.00-1630.00]',
'+ c d Full ms2 809.59@cid45.00 [210.00-1630.00]',
'+ c d Full ms2 810.39@cid45.00 [210.00-1635.00]',
'+ c d Full ms2 811.34@cid45.00 [210.00-1635.00]',
'+ c d Full ms2 811.61@cid45.00 [210.00-1635.00]',
'+ c d Full ms2 812.20@cid45.00 [210.00-1635.00]',
'+ c d Full ms2 812.49@cid45.00 [210.00-1635.00]',
'+ c d Full ms2 814.31@cid45.00 [210.00-1640.00]',
'+ c d Full ms2 815.32@cid45.00 [210.00-1645.00]',
'+ c d Full ms2 815.92@cid45.00 [210.00-1645.00]',
'+ c d Full ms2 816.26@cid45.00 [210.00-1645.00]',
'+ c d Full ms2 816.51@cid45.00 [210.00-1645.00]',
'+ c d Full ms2 817.43@cid45.00 [215.00-1645.00]',
'+ c d Full ms2 817.78@cid45.00 [215.00-1650.00]',
'+ c d Full ms2 818.41@cid45.00 [215.00-1650.00]',
'+ c d Full ms2 819.38@cid45.00 [215.00-1650.00]',
'+ c d Full ms2 822.30@cid45.00 [215.00-1655.00]',
'+ c d Full ms2 822.57@cid45.00 [215.00-1660.00]',
'+ c d Full ms2 823.22@cid45.00 [215.00-1660.00]',
'+ c d Full ms2 823.85@cid45.00 [215.00-1660.00]',
'+ c d Full ms2 824.44@cid45.00 [215.00-1660.00]',
'+ c d Full ms2 824.96@cid45.00 [215.00-1660.00]',
'+ c d Full ms2 826.38@cid45.00 [215.00-1665.00]',
'+ c d Full ms2 827.31@cid45.00 [215.00-1665.00]',
'+ c d Full ms2 828.41@cid45.00 [215.00-1670.00]',
'+ c d Full ms2 829.41@cid45.00 [215.00-1670.00]',
'+ c d Full ms2 829.83@cid45.00 [215.00-1670.00]',
'+ c d Full ms2 830.10@cid45.00 [215.00-1675.00]',
'+ c d Full ms2 830.83@cid45.00 [215.00-1675.00]',
'+ c d Full ms2 831.41@cid45.00 [215.00-1675.00]',
'+ c d Full ms2 832.41@cid45.00 [215.00-1675.00]',
'+ c d Full ms2 834.32@cid45.00 [215.00-1680.00]',
'+ c d Full ms2 834.77@cid45.00 [215.00-1680.00]',
'+ c d Full ms2 836.43@cid45.00 [220.00-1685.00]',
'+ c d Full ms2 837.95@cid45.00 [220.00-1690.00]',
'+ c d Full ms2 838.48@cid45.00 [220.00-1690.00]',
'+ c d Full ms2 839.40@cid45.00 [220.00-1690.00]',
'+ c d Full ms2 842.34@cid45.00 [220.00-1695.00]',
'+ c d Full ms2 843.86@cid45.00 [220.00-1700.00]',
'+ c d Full ms2 844.20@cid45.00 [220.00-1700.00]',
'+ c d Full ms2 844.48@cid45.00 [220.00-1700.00]',
'+ c d Full ms2 845.24@cid45.00 [220.00-1705.00]',
'+ c d Full ms2 847.69@cid45.00 [220.00-1710.00]',
'+ c d Full ms2 848.05@cid45.00 [220.00-1710.00]',
'+ c d Full ms2 848.45@cid45.00 [220.00-1710.00]',
'+ c d Full ms2 849.37@cid45.00 [220.00-1710.00]',
'+ c d Full ms2 849.58@cid45.00 [220.00-1710.00]',
'+ c d Full ms2 850.94@cid45.00 [220.00-1715.00]',
'+ c d Full ms2 851.34@cid45.00 [220.00-1715.00]',
'+ c d Full ms2 852.11@cid45.00 [220.00-1715.00]',
'+ c d Full ms2 853.27@cid45.00 [220.00-1720.00]',
'+ c d Full ms2 854.04@cid45.00 [225.00-1720.00]',
'+ c d Full ms2 854.43@cid45.00 [225.00-1720.00]',
'+ c d Full ms2 855.33@cid45.00 [225.00-1725.00]',
'+ c d Full ms2 857.32@cid45.00 [225.00-1725.00]',
'+ c d Full ms2 858.28@cid45.00 [225.00-1730.00]',
'+ c d Full ms2 858.95@cid45.00 [225.00-1730.00]',
'+ c d Full ms2 859.35@cid45.00 [225.00-1730.00]',
'+ c d Full ms2 860.53@cid45.00 [225.00-1735.00]',
'+ c d Full ms2 861.33@cid45.00 [225.00-1735.00]',
'+ c d Full ms2 861.93@cid45.00 [225.00-1735.00]',
'+ c d Full ms2 862.22@cid45.00 [225.00-1735.00]',
'+ c d Full ms2 863.50@cid45.00 [225.00-1740.00]',
'+ c d Full ms2 864.06@cid45.00 [225.00-1740.00]',
'+ c d Full ms2 864.40@cid45.00 [225.00-1740.00]',
'+ c d Full ms2 866.15@cid45.00 [225.00-1745.00]',
'+ c d Full ms2 868.39@cid45.00 [225.00-1750.00]',
'+ c d Full ms2 868.96@cid45.00 [225.00-1750.00]',
'+ c d Full ms2 871.16@cid45.00 [225.00-1755.00]',
'+ c d Full ms2 871.67@cid45.00 [225.00-1755.00]',
'+ c d Full ms2 872.36@cid45.00 [230.00-1755.00]',
'+ c d Full ms2 874.10@cid45.00 [230.00-1760.00]',
'+ c d Full ms2 874.39@cid45.00 [230.00-1760.00]',
'+ c d Full ms2 875.69@cid45.00 [230.00-1765.00]',
'+ c d Full ms2 877.42@cid45.00 [230.00-1765.00]',
'+ c d Full ms2 877.53@cid45.00 [230.00-1770.00]',
'+ c d Full ms2 880.17@cid45.00 [230.00-1775.00]',
'+ c d Full ms2 880.62@cid45.00 [230.00-1775.00]',
'+ c d Full ms2 881.11@cid45.00 [230.00-1775.00]',
'+ c d Full ms2 881.42@cid45.00 [230.00-1775.00]',
'+ c d Full ms2 881.83@cid45.00 [230.00-1775.00]',
'+ c d Full ms2 884.41@cid45.00 [230.00-1780.00]',
'+ c d Full ms2 885.52@cid45.00 [230.00-1785.00]',
'+ c d Full ms2 885.82@cid45.00 [230.00-1785.00]',
'+ c d Full ms2 888.12@cid45.00 [230.00-1790.00]',
'+ c d Full ms2 889.17@cid45.00 [230.00-1790.00]',
'+ c d Full ms2 889.78@cid45.00 [230.00-1790.00]',
'+ c d Full ms2 890.33@cid45.00 [235.00-1795.00]',
'+ c d Full ms2 891.38@cid45.00 [235.00-1795.00]',
'+ c d Full ms2 891.70@cid45.00 [235.00-1795.00]',
'+ c d Full ms2 892.68@cid45.00 [235.00-1800.00]',
'+ c d Full ms2 894.59@cid45.00 [235.00-1800.00]',
'+ c d Full ms2 894.89@cid45.00 [235.00-1800.00]',
'+ c d Full ms2 895.20@cid45.00 [235.00-1805.00]',
'+ c d Full ms2 895.45@cid45.00 [235.00-1805.00]',
'+ c d Full ms2 896.19@cid45.00 [235.00-1805.00]',
'+ c d Full ms2 896.71@cid45.00 [235.00-1805.00]',
'+ c d Full ms2 899.26@cid45.00 [235.00-1810.00]',
'+ c d Full ms2 899.51@cid45.00 [235.00-1810.00]',
'+ c d Full ms2 899.94@cid45.00 [235.00-1810.00]',
'+ c d Full ms2 900.15@cid45.00 [235.00-1815.00]',
'+ c d Full ms2 900.86@cid45.00 [235.00-1815.00]',
'+ c d Full ms2 901.06@cid45.00 [235.00-1815.00]',
'+ c d Full ms2 901.40@cid45.00 [235.00-1815.00]',
'+ c d Full ms2 902.55@cid45.00 [235.00-1820.00]',
'+ c d Full ms2 902.80@cid45.00 [235.00-1820.00]',
'+ c d Full ms2 904.25@cid45.00 [235.00-1820.00]',
'+ c d Full ms2 904.63@cid45.00 [235.00-1820.00]',
'+ c d Full ms2 905.13@cid45.00 [235.00-1825.00]',
'+ c d Full ms2 905.38@cid45.00 [235.00-1825.00]',
'+ c d Full ms2 905.59@cid45.00 [235.00-1825.00]',
'+ c d Full ms2 906.01@cid45.00 [235.00-1825.00]',
'+ c d Full ms2 906.48@cid45.00 [235.00-1825.00]',
'+ c d Full ms2 906.87@cid45.00 [235.00-1825.00]',
'+ c d Full ms2 907.11@cid45.00 [235.00-1825.00]',
'+ c d Full ms2 907.97@cid45.00 [235.00-1830.00]',
'+ c d Full ms2 908.40@cid45.00 [240.00-1830.00]',
'+ c d Full ms2 909.43@cid45.00 [240.00-1830.00]',
'+ c d Full ms2 910.07@cid45.00 [240.00-1835.00]',
'+ c d Full ms2 910.74@cid45.00 [240.00-1835.00]',
'+ c d Full ms2 911.04@cid45.00 [240.00-1835.00]',
'+ c d Full ms2 911.42@cid45.00 [240.00-1835.00]',
'+ c d Full ms2 911.83@cid45.00 [240.00-1835.00]',
'+ c d Full ms2 912.10@cid45.00 [240.00-1835.00]',
'+ c d Full ms2 912.46@cid45.00 [240.00-1835.00]',
'+ c d Full ms2 912.56@cid45.00 [240.00-1840.00]',
'+ c d Full ms2 913.88@cid45.00 [240.00-1840.00]',
'+ c d Full ms2 914.39@cid45.00 [240.00-1840.00]',
'+ c d Full ms2 914.93@cid45.00 [240.00-1840.00]',
'+ c d Full ms2 915.89@cid45.00 [240.00-1845.00]',
'+ c d Full ms2 916.33@cid45.00 [240.00-1845.00]',
'+ c d Full ms2 917.65@cid45.00 [240.00-1850.00]',
'+ c d Full ms2 918.07@cid45.00 [240.00-1850.00]',
'+ c d Full ms2 918.29@cid45.00 [240.00-1850.00]',
'+ c d Full ms2 918.76@cid45.00 [240.00-1850.00]',
'+ c d Full ms2 919.63@cid45.00 [240.00-1850.00]',
'+ c d Full ms2 920.02@cid45.00 [240.00-1855.00]',
'+ c d Full ms2 921.31@cid45.00 [240.00-1855.00]',
'+ c d Full ms2 921.59@cid45.00 [240.00-1855.00]',
'+ c d Full ms2 923.39@cid45.00 [240.00-1860.00]',
'+ c d Full ms2 923.80@cid45.00 [240.00-1860.00]',
'+ c d Full ms2 924.41@cid45.00 [240.00-1860.00]',
'+ c d Full ms2 924.66@cid45.00 [240.00-1860.00]',
'+ c d Full ms2 925.38@cid45.00 [240.00-1865.00]',
'+ c d Full ms2 925.78@cid45.00 [240.00-1865.00]',
'+ c d Full ms2 926.96@cid45.00 [245.00-1865.00]',
'+ c d Full ms2 927.27@cid45.00 [245.00-1865.00]',
'+ c d Full ms2 927.54@cid45.00 [245.00-1870.00]',
'+ c d Full ms2 928.26@cid45.00 [245.00-1870.00]',
'+ c d Full ms2 928.84@cid45.00 [245.00-1870.00]',
'+ c d Full ms2 929.24@cid45.00 [245.00-1870.00]',
'+ c d Full ms2 929.48@cid45.00 [245.00-1870.00]',
'+ c d Full ms2 930.67@cid45.00 [245.00-1875.00]',
'+ c d Full ms2 931.41@cid45.00 [245.00-1875.00]',
'+ c d Full ms2 932.60@cid45.00 [245.00-1880.00]',
'+ c d Full ms2 933.16@cid45.00 [245.00-1880.00]',
'+ c d Full ms2 933.47@cid45.00 [245.00-1880.00]',
'+ c d Full ms2 933.69@cid45.00 [245.00-1880.00]',
'+ c d Full ms2 935.15@cid45.00 [245.00-1885.00]',
'+ c d Full ms2 936.08@cid45.00 [245.00-1885.00]',
'+ c d Full ms2 936.38@cid45.00 [245.00-1885.00]',
'+ c d Full ms2 937.44@cid45.00 [245.00-1885.00]',
'+ c d Full ms2 937.84@cid45.00 [245.00-1890.00]',
'+ c d Full ms2 938.13@cid45.00 [245.00-1890.00]',
'+ c d Full ms2 938.36@cid45.00 [245.00-1890.00]',
'+ c d Full ms2 939.80@cid45.00 [245.00-1890.00]',
'+ c d Full ms2 940.24@cid45.00 [245.00-1895.00]',
'+ c d Full ms2 940.44@cid45.00 [245.00-1895.00]',
'+ c d Full ms2 941.62@cid45.00 [245.00-1895.00]',
'+ c d Full ms2 942.72@cid45.00 [245.00-1900.00]',
'+ c d Full ms2 943.05@cid45.00 [245.00-1900.00]',
'+ c d Full ms2 943.47@cid45.00 [245.00-1900.00]',
'+ c d Full ms2 944.40@cid45.00 [250.00-1900.00]',
'+ c d Full ms2 944.97@cid45.00 [250.00-1900.00]',
'+ c d Full ms2 945.37@cid45.00 [250.00-1905.00]',
'+ c d Full ms2 945.91@cid45.00 [250.00-1905.00]',
'+ c d Full ms2 946.43@cid45.00 [250.00-1905.00]',
'+ c d Full ms2 947.74@cid45.00 [250.00-1910.00]',
'+ c d Full ms2 949.47@cid45.00 [250.00-1910.00]',
'+ c d Full ms2 950.47@cid45.00 [250.00-1915.00]',
'+ c d Full ms2 950.94@cid45.00 [250.00-1915.00]',
'+ c d Full ms2 951.32@cid45.00 [250.00-1915.00]',
'+ c d Full ms2 952.53@cid45.00 [250.00-1920.00]',
'+ c d Full ms2 953.41@cid45.00 [250.00-1920.00]',
'+ c d Full ms2 953.71@cid45.00 [250.00-1920.00]',
'+ c d Full ms2 954.96@cid45.00 [250.00-1920.00]',
'+ c d Full ms2 955.59@cid45.00 [250.00-1925.00]',
'+ c d Full ms2 957.40@cid45.00 [250.00-1925.00]',
'+ c d Full ms2 957.52@cid45.00 [250.00-1930.00]',
'+ c d Full ms2 957.87@cid45.00 [250.00-1930.00]',
'+ c d Full ms2 958.27@cid45.00 [250.00-1930.00]',
'+ c d Full ms2 959.14@cid45.00 [250.00-1930.00]',
'+ c d Full ms2 959.37@cid45.00 [250.00-1930.00]',
'+ c d Full ms2 959.72@cid45.00 [250.00-1930.00]',
'+ c d Full ms2 960.41@cid45.00 [250.00-1935.00]',
'+ c d Full ms2 960.63@cid45.00 [250.00-1935.00]',
'+ c d Full ms2 961.10@cid45.00 [250.00-1935.00]',
'+ c d Full ms2 961.41@cid45.00 [250.00-1935.00]',
'+ c d Full ms2 961.62@cid45.00 [250.00-1935.00]',
'+ c d Full ms2 962.85@cid45.00 [255.00-1940.00]',
'+ c d Full ms2 963.39@cid45.00 [255.00-1940.00]',
'+ c d Full ms2 963.88@cid45.00 [255.00-1940.00]',
'+ c d Full ms2 964.72@cid45.00 [255.00-1940.00]',
'+ c d Full ms2 966.25@cid45.00 [255.00-1945.00]',
'+ c d Full ms2 966.49@cid45.00 [255.00-1945.00]',
'+ c d Full ms2 967.28@cid45.00 [255.00-1945.00]',
'+ c d Full ms2 967.52@cid45.00 [255.00-1950.00]',
'+ c d Full ms2 968.08@cid45.00 [255.00-1950.00]',
'+ c d Full ms2 968.34@cid45.00 [255.00-1950.00]',
'+ c d Full ms2 968.57@cid45.00 [255.00-1950.00]',
'+ c d Full ms2 969.52@cid45.00 [255.00-1950.00]',
'+ c d Full ms2 970.16@cid45.00 [255.00-1955.00]',
'+ c d Full ms2 970.68@cid45.00 [255.00-1955.00]',
'+ c d Full ms2 971.01@cid45.00 [255.00-1955.00]',
'+ c d Full ms2 971.61@cid45.00 [255.00-1955.00]',
'+ c d Full ms2 972.29@cid45.00 [255.00-1955.00]',
'+ c d Full ms2 972.81@cid45.00 [255.00-1960.00]',
'+ c d Full ms2 973.12@cid45.00 [255.00-1960.00]',
'+ c d Full ms2 973.40@cid45.00 [255.00-1960.00]',
'+ c d Full ms2 974.29@cid45.00 [255.00-1960.00]',
'+ c d Full ms2 974.78@cid45.00 [255.00-1960.00]',
'+ c d Full ms2 975.58@cid45.00 [255.00-1965.00]',
'+ c d Full ms2 976.62@cid45.00 [255.00-1965.00]',
'+ c d Full ms2 977.65@cid45.00 [255.00-1970.00]',
'+ c d Full ms2 978.57@cid45.00 [255.00-1970.00]',
'+ c d Full ms2 979.30@cid45.00 [255.00-1970.00]',
'+ c d Full ms2 979.59@cid45.00 [255.00-1970.00]',
'+ c d Full ms2 980.18@cid45.00 [255.00-1975.00]',
'+ c d Full ms2 980.40@cid45.00 [255.00-1975.00]',
'+ c d Full ms2 980.63@cid45.00 [255.00-1975.00]',
'+ c d Full ms2 981.06@cid45.00 [260.00-1975.00]',
'+ c d Full ms2 981.61@cid45.00 [260.00-1975.00]',
'+ c d Full ms2 981.95@cid45.00 [260.00-1975.00]',
'+ c d Full ms2 983.47@cid45.00 [260.00-1980.00]',
'+ c d Full ms2 984.00@cid45.00 [260.00-1980.00]',
'+ c d Full ms2 984.44@cid45.00 [260.00-1980.00]',
'+ c d Full ms2 985.39@cid45.00 [260.00-1985.00]',
'+ c d Full ms2 985.72@cid45.00 [260.00-1985.00]',
'+ c d Full ms2 986.31@cid45.00 [260.00-1985.00]',
'+ c d Full ms2 986.63@cid45.00 [260.00-1985.00]',
'+ c d Full ms2 987.41@cid45.00 [260.00-1985.00]',
'+ c d Full ms2 988.69@cid45.00 [260.00-1990.00]',
'+ c d Full ms2 989.35@cid45.00 [260.00-1990.00]',
'+ c d Full ms2 990.43@cid45.00 [260.00-1995.00]',
'+ c d Full ms2 991.27@cid45.00 [260.00-1995.00]',
'+ c d Full ms2 991.56@cid45.00 [260.00-1995.00]',
'+ c d Full ms2 993.08@cid45.00 [260.00-2000.00]',
'+ c d Full ms2 993.41@cid45.00 [260.00-2000.00]',
'+ c d Full ms2 993.96@cid45.00 [260.00-2000.00]',
'+ c d Full ms2 994.22@cid45.00 [260.00-2000.00]',
'+ c d Full ms2 994.80@cid45.00 [260.00-2000.00]',
'+ c d Full ms2 995.06@cid45.00 [260.00-2000.00]',
'+ c d Full ms2 996.25@cid45.00 [260.00-2000.00]',
'+ c d Full ms2 997.38@cid45.00 [260.00-2000.00]',
'+ c d Full ms2 998.27@cid45.00 [260.00-2000.00]',
'+ c d Full ms2 998.52@cid45.00 [260.00-2000.00]',
'+ c d Full ms2 998.96@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 999.55@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1000.25@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1001.01@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1001.35@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1001.95@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1002.42@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1002.87@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1004.08@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1004.45@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1005.47@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1006.25@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1006.51@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1007.01@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1007.26@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1007.91@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1008.44@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1008.86@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1009.09@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1009.30@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1009.75@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1010.13@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1010.62@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1011.22@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1011.43@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1011.75@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1012.56@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1012.84@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1013.70@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1014.12@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1014.93@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1015.18@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1015.49@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1015.77@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1016.20@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1016.66@cid45.00 [265.00-2000.00]',
'+ c d Full ms2 1017.51@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1018.19@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1018.55@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1018.80@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1019.95@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1020.39@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1020.68@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1020.97@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1021.26@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1021.77@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1022.47@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1022.75@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1023.14@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1023.35@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1024.71@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1024.99@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1025.58@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1026.89@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1027.19@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1027.44@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1027.70@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1029.41@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1029.64@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1030.50@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1031.04@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1031.70@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1032.71@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1033.07@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1033.82@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1034.38@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1034.87@cid45.00 [270.00-2000.00]',
'+ c d Full ms2 1035.62@cid45.00 [275.00-2000.00]',
'+ c d Full ms2 1036.45@cid45.00 [275.00-2000.00]',
'+ c d Full ms2 1036.77@cid45.00 [275.00-2000.00]',
'+ c d Full ms2 1037.18@cid45.00 [275.00-2000.00]',
'+ c d Full ms2 1037.41@cid45.00 [275.00-2000.00]',
'+ c d Full ms2 1038.50@cid45.00 [275.00-2000.00]',
'+ c d Full ms2 1041.84@cid45.00 [275.00-2000.00]',
'+ c d Full ms2 1042.75@cid45.00 [275.00-2000.00]',
'+ c d Full ms2 1043.90@cid45.00 [275.00-2000.00]',
'+ c d Full ms2 1044.24@cid45.00 [275.00-2000.00]',
'+ c d Full ms2 1044.67@cid45.00 [275.00-2000.00]',
'+ c d Full ms2 1045.25@cid45.00 [275.00-2000.00]',
'+ c d Full ms2 1046.43@cid45.00 [275.00-2000.00]',
'+ c d Full ms2 1046.98@cid45.00 [275.00-2000.00]',
'+ c d Full ms2 1047.65@cid45.00 [275.00-2000.00]',
'+ c d Full ms2 1048.43@cid45.00 [275.00-2000.00]',
'+ c d Full ms2 1048.94@cid45.00 [275.00-2000.00]',
'+ c d Full ms2 1050.59@cid45.00 [275.00-2000.00]',
'+ c d Full ms2 1051.41@cid45.00 [275.00-2000.00]',
'+ c d Full ms2 1054.08@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1054.41@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1054.62@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1054.98@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1055.28@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1055.88@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1056.12@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1056.48@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1056.79@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1057.15@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1057.47@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1057.83@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1058.05@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1058.59@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1059.30@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1059.56@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1059.82@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1060.14@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1060.39@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1060.72@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1061.09@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1061.54@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1062.15@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1062.80@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1063.83@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1064.40@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1065.47@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1067.25@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1067.57@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1068.17@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1068.42@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1068.66@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1069.23@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1070.10@cid45.00 [280.00-2000.00]',
'+ c d Full ms2 1071.46@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1072.28@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1073.35@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1073.59@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1074.02@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1074.43@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1074.89@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1075.40@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1077.00@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1077.85@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1078.07@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1078.30@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1078.74@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1079.00@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1079.57@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1080.21@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1080.71@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1081.47@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1081.85@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1082.42@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1082.84@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1083.33@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1083.91@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1084.39@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1084.66@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1085.02@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1085.29@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1085.69@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1086.39@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1087.02@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1087.51@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1088.67@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1089.29@cid45.00 [285.00-2000.00]',
'+ c d Full ms2 1089.81@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1090.03@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1090.26@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1090.73@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1091.02@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1091.34@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1092.35@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1092.72@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1093.42@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1094.32@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1094.68@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1095.12@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1095.35@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1095.75@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1096.07@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1096.44@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1096.91@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1097.48@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1097.81@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1098.33@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1098.98@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1099.26@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1099.47@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1100.24@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1101.06@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1101.40@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1101.72@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1102.20@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1102.66@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1103.11@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1103.47@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1104.23@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1104.49@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1105.22@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1105.49@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1106.09@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1106.60@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1106.84@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1107.09@cid45.00 [290.00-2000.00]',
'+ c d Full ms2 1107.87@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1108.14@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1108.35@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1108.78@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1110.17@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1110.39@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1111.11@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1112.47@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1112.92@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1113.29@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1113.71@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1114.10@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1114.37@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1114.69@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1115.44@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1116.28@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1116.87@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1117.14@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1118.29@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1118.50@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1119.32@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1119.70@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1120.73@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1121.24@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1121.70@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1122.20@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1123.35@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1124.20@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1124.50@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1124.82@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1125.56@cid45.00 [295.00-2000.00]',
'+ c d Full ms2 1125.99@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1126.45@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1127.51@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1127.73@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1128.26@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1128.86@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1129.18@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1129.79@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1130.50@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1131.65@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1132.30@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1132.75@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1133.12@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1133.47@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1133.92@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1134.30@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1134.56@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1134.79@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1135.14@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1135.47@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1135.80@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1136.69@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1136.91@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1137.32@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1138.01@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1138.68@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1139.00@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1139.47@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1140.12@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1140.39@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1141.30@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1141.99@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1142.61@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1143.15@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1143.57@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1144.04@cid45.00 [300.00-2000.00]',
'+ c d Full ms2 1144.28@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1144.70@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1145.82@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1146.04@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1146.43@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1147.03@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1147.36@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1147.67@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1148.34@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1148.56@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1148.84@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1151.55@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1151.75@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1152.55@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1152.80@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1153.07@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1153.53@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1153.92@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1154.35@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1155.06@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1155.29@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1155.50@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1156.28@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1156.54@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1156.76@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1157.03@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1157.25@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1157.91@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1158.18@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1158.54@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1160.86@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1161.43@cid45.00 [305.00-2000.00]',
'+ c d Full ms2 1162.67@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1163.21@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1163.42@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1163.80@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1165.94@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1166.17@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1166.71@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1167.32@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1167.79@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1168.12@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1168.45@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1168.78@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1169.17@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1169.84@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1170.13@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1170.53@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1170.91@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1171.23@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1171.54@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1172.03@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1172.24@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1172.66@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1173.19@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1173.52@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1173.81@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1174.07@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1174.38@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1174.99@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1175.29@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1175.57@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1176.00@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1176.65@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1176.86@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1177.27@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1178.16@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1179.94@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1180.24@cid45.00 [310.00-2000.00]',
'+ c d Full ms2 1180.49@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1180.76@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1180.98@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1181.45@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1181.89@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1182.20@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1182.49@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1183.36@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1185.39@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1185.61@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1186.62@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1187.45@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1187.83@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1188.39@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1188.63@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1189.41@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1190.32@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1190.52@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1190.74@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1191.20@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1191.84@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1192.25@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1192.60@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1193.22@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1193.45@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1193.74@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1194.50@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1194.78@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1196.48@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1197.12@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1197.75@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1198.28@cid45.00 [315.00-2000.00]',
'+ c d Full ms2 1198.73@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1199.00@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1199.39@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1200.39@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1201.28@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1201.59@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1202.54@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1202.89@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1203.29@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1203.83@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1204.12@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1204.37@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1204.65@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1205.07@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1205.61@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1206.31@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1206.89@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1207.11@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1208.02@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1208.33@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1208.70@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1209.72@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1210.00@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1210.23@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1210.58@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1211.29@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1212.35@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1212.86@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1213.29@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1213.64@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1213.92@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1214.21@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1214.56@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1215.03@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1215.58@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1216.30@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1216.59@cid45.00 [320.00-2000.00]',
'+ c d Full ms2 1217.65@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1218.19@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1218.66@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1218.86@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1220.87@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1221.49@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1222.00@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1223.12@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1223.40@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1223.61@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1224.13@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1224.50@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1224.96@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1225.20@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1225.41@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1226.17@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1226.41@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1226.63@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1227.12@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1227.36@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1227.77@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1228.09@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1228.38@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1228.62@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1230.05@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1230.35@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1230.61@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1230.86@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1231.10@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1231.37@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1231.93@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1232.75@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1233.36@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1234.07@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1234.42@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1234.67@cid45.00 [325.00-2000.00]',
'+ c d Full ms2 1234.93@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1235.52@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1235.73@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1235.99@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1236.30@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1236.76@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1237.14@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1237.37@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1237.78@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1238.83@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1239.12@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1239.38@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1239.91@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1240.22@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1240.67@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1241.34@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1241.56@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1242.47@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1242.82@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1243.28@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1243.90@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1244.23@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1244.65@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1244.92@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1245.29@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1245.83@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1246.05@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1246.35@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1246.68@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1246.93@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1247.58@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1247.86@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1248.24@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1248.67@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1249.26@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1250.34@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1251.56@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1251.76@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1252.31@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1252.76@cid45.00 [330.00-2000.00]',
'+ c d Full ms2 1253.64@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1254.24@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1254.45@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1255.05@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1255.49@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1256.62@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1257.46@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1258.58@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1259.45@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1260.52@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1261.08@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1261.50@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1261.81@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1262.19@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1262.55@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1262.80@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1263.25@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1263.54@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1264.09@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1264.47@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1264.98@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1265.77@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1266.07@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1266.38@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1266.73@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1267.36@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1267.58@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1267.88@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1268.14@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1270.59@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1270.81@cid45.00 [335.00-2000.00]',
'+ c d Full ms2 1271.40@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1272.27@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1272.94@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1273.73@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1274.08@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1274.36@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1275.42@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1276.44@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1276.93@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1277.16@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1277.61@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1278.78@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1279.03@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1279.53@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1280.60@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1281.27@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1281.83@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1282.33@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1282.74@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1282.97@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1283.30@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1284.12@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1284.78@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1285.21@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1285.44@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1285.69@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1286.05@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1286.46@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1286.88@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1287.34@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1287.80@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1288.07@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1288.97@cid45.00 [340.00-2000.00]',
'+ c d Full ms2 1290.42@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1290.65@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1291.10@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1291.64@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1292.97@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1293.49@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1293.93@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1294.83@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1295.24@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1295.61@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1295.94@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1296.69@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1297.01@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1297.68@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1298.05@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1299.23@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1300.22@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1300.51@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1300.73@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1301.46@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1302.36@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1302.71@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1302.97@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1304.04@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1304.53@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1305.66@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1305.97@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1306.31@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1306.58@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1306.86@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1307.31@cid45.00 [345.00-2000.00]',
'+ c d Full ms2 1307.77@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1308.12@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1308.41@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1308.65@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1309.23@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1309.45@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1309.77@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1310.15@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1310.65@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1311.05@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1311.44@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1311.87@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1312.20@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1312.72@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1314.60@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1314.84@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1317.11@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1317.51@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1317.95@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1318.36@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1319.03@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1319.44@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1319.86@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1320.14@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1320.41@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1320.93@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1321.15@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1321.42@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1322.17@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1322.74@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1323.14@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1323.45@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1323.83@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1324.05@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1324.29@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1324.84@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1325.08@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1325.46@cid45.00 [350.00-2000.00]',
'+ c d Full ms2 1325.82@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1326.18@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1326.54@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1327.18@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1327.64@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1328.13@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1328.42@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1328.82@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1329.61@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1329.83@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1330.08@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1330.51@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1330.74@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1331.12@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1332.79@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1333.02@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1334.25@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1334.67@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1334.98@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1335.38@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1335.84@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1336.31@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1336.74@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1337.12@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1337.83@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1338.08@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1338.42@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1339.64@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1341.24@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1342.18@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1342.62@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1342.97@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1343.62@cid45.00 [355.00-2000.00]',
'+ c d Full ms2 1343.98@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1344.75@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1345.79@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1346.06@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1346.69@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1347.54@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1348.21@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1349.06@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1349.44@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1350.65@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1351.56@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1353.17@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1353.46@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1354.26@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1354.55@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1354.75@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1355.26@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1355.83@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1356.39@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1357.27@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1357.87@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1358.31@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1358.81@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1359.11@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1359.40@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1359.73@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1360.49@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1361.20@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1361.46@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1361.67@cid45.00 [360.00-2000.00]',
'+ c d Full ms2 1362.04@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1362.27@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1362.48@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1362.72@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1363.34@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1364.21@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1365.97@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1366.55@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1367.12@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1367.35@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1367.82@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1368.08@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1368.80@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1370.16@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1370.36@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1371.30@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1371.73@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1372.28@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1372.66@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1373.38@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1373.98@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1374.39@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1374.84@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1375.35@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1375.61@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1376.23@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1376.56@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1377.09@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1377.46@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1378.79@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1379.48@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1380.14@cid45.00 [365.00-2000.00]',
'+ c d Full ms2 1380.38@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1380.65@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1381.89@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1382.58@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1383.46@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1383.84@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1384.39@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1385.17@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1385.54@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1386.28@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1386.50@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1386.80@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1387.25@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1387.49@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1387.82@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1388.89@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1390.17@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1390.77@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1391.02@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1391.31@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1391.73@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1392.30@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1392.51@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1393.31@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1393.52@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1394.48@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1394.76@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1395.99@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1396.55@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1397.84@cid45.00 [370.00-2000.00]',
'+ c d Full ms2 1398.59@cid45.00 [375.00-2000.00]',
'+ c d Full ms2 1402.18@cid45.00 [375.00-2000.00]',
'+ c d Full ms2 1402.47@cid45.00 [375.00-2000.00]',
'+ c d Full ms2 1404.40@cid45.00 [375.00-2000.00]',
'+ c d Full ms2 1405.00@cid45.00 [375.00-2000.00]',
'+ c d Full ms2 1405.30@cid45.00 [375.00-2000.00]',
'+ c d Full ms2 1406.30@cid45.00 [375.00-2000.00]',
'+ c d Full ms2 1406.66@cid45.00 [375.00-2000.00]',
'+ c d Full ms2 1408.27@cid45.00 [375.00-2000.00]',
'+ c d Full ms2 1409.03@cid45.00 [375.00-2000.00]',
'+ c d Full ms2 1409.48@cid45.00 [375.00-2000.00]',
'+ c d Full ms2 1409.75@cid45.00 [375.00-2000.00]',
'+ c d Full ms2 1410.07@cid45.00 [375.00-2000.00]',
'+ c d Full ms2 1410.29@cid45.00 [375.00-2000.00]',
'+ c d Full ms2 1410.55@cid45.00 [375.00-2000.00]',
'+ c d Full ms2 1411.75@cid45.00 [375.00-2000.00]',
'+ c d Full ms2 1412.08@cid45.00 [375.00-2000.00]',
'+ c d Full ms2 1412.49@cid45.00 [375.00-2000.00]',
'+ c d Full ms2 1413.12@cid45.00 [375.00-2000.00]',
'+ c d Full ms2 1413.60@cid45.00 [375.00-2000.00]',
'+ c d Full ms2 1413.84@cid45.00 [375.00-2000.00]',
'+ c d Full ms2 1414.16@cid45.00 [375.00-2000.00]',
'+ c d Full ms2 1415.51@cid45.00 [375.00-2000.00]',
'+ c d Full ms2 1415.98@cid45.00 [375.00-2000.00]',
'+ c d Full ms2 1416.85@cid45.00 [380.00-2000.00]',
'+ c d Full ms2 1418.04@cid45.00 [380.00-2000.00]',
'+ c d Full ms2 1418.27@cid45.00 [380.00-2000.00]',
'+ c d Full ms2 1419.24@cid45.00 [380.00-2000.00]',
'+ c d Full ms2 1420.18@cid45.00 [380.00-2000.00]',
'+ c d Full ms2 1420.97@cid45.00 [380.00-2000.00]',
'+ c d Full ms2 1421.21@cid45.00 [380.00-2000.00]',
'+ c d Full ms2 1421.74@cid45.00 [380.00-2000.00]',
'+ c d Full ms2 1422.15@cid45.00 [380.00-2000.00]',
'+ c d Full ms2 1422.40@cid45.00 [380.00-2000.00]',
'+ c d Full ms2 1423.47@cid45.00 [380.00-2000.00]',
'+ c d Full ms2 1423.76@cid45.00 [380.00-2000.00]',
'+ c d Full ms2 1424.28@cid45.00 [380.00-2000.00]',
'+ c d Full ms2 1424.80@cid45.00 [380.00-2000.00]',
'+ c d Full ms2 1425.36@cid45.00 [380.00-2000.00]',
'+ c d Full ms2 1425.80@cid45.00 [380.00-2000.00]',
'+ c d Full ms2 1426.23@cid45.00 [380.00-2000.00]',
'+ c d Full ms2 1426.56@cid45.00 [380.00-2000.00]',
'+ c d Full ms2 1427.23@cid45.00 [380.00-2000.00]',
'+ c d Full ms2 1427.57@cid45.00 [380.00-2000.00]',
'+ c d Full ms2 1428.18@cid45.00 [380.00-2000.00]',
'+ c d Full ms2 1429.93@cid45.00 [380.00-2000.00]',
'+ c d Full ms2 1431.09@cid45.00 [380.00-2000.00]',
'+ c d Full ms2 1431.33@cid45.00 [380.00-2000.00]',
'+ c d Full ms2 1434.59@cid45.00 [380.00-2000.00]',
'+ c d Full ms2 1435.30@cid45.00 [385.00-2000.00]',
'+ c d Full ms2 1435.81@cid45.00 [385.00-2000.00]',
'+ c d Full ms2 1436.55@cid45.00 [385.00-2000.00]',
'+ c d Full ms2 1438.42@cid45.00 [385.00-2000.00]',
'+ c d Full ms2 1438.62@cid45.00 [385.00-2000.00]',
'+ c d Full ms2 1439.33@cid45.00 [385.00-2000.00]',
'+ c d Full ms2 1440.17@cid45.00 [385.00-2000.00]',
'+ c d Full ms2 1440.77@cid45.00 [385.00-2000.00]',
'+ c d Full ms2 1441.16@cid45.00 [385.00-2000.00]',
'+ c d Full ms2 1441.44@cid45.00 [385.00-2000.00]',
'+ c d Full ms2 1442.61@cid45.00 [385.00-2000.00]',
'+ c d Full ms2 1443.12@cid45.00 [385.00-2000.00]',
'+ c d Full ms2 1443.47@cid45.00 [385.00-2000.00]',
'+ c d Full ms2 1443.92@cid45.00 [385.00-2000.00]',
'+ c d Full ms2 1444.46@cid45.00 [385.00-2000.00]',
'+ c d Full ms2 1445.53@cid45.00 [385.00-2000.00]',
'+ c d Full ms2 1446.72@cid45.00 [385.00-2000.00]',
'+ c d Full ms2 1447.22@cid45.00 [385.00-2000.00]',
'+ c d Full ms2 1447.53@cid45.00 [385.00-2000.00]',
'+ c d Full ms2 1448.12@cid45.00 [385.00-2000.00]',
'+ c d Full ms2 1448.42@cid45.00 [385.00-2000.00]',
'+ c d Full ms2 1448.92@cid45.00 [385.00-2000.00]',
'+ c d Full ms2 1449.40@cid45.00 [385.00-2000.00]',
'+ c d Full ms2 1449.66@cid45.00 [385.00-2000.00]',
'+ c d Full ms2 1450.57@cid45.00 [385.00-2000.00]',
'+ c d Full ms2 1451.32@cid45.00 [385.00-2000.00]',
'+ c d Full ms2 1451.96@cid45.00 [385.00-2000.00]',
'+ c d Full ms2 1453.03@cid45.00 [390.00-2000.00]',
'+ c d Full ms2 1453.69@cid45.00 [390.00-2000.00]',
'+ c d Full ms2 1453.99@cid45.00 [390.00-2000.00]',
'+ c d Full ms2 1455.12@cid45.00 [390.00-2000.00]',
'+ c d Full ms2 1455.82@cid45.00 [390.00-2000.00]',
'+ c d Full ms2 1456.19@cid45.00 [390.00-2000.00]',
'+ c d Full ms2 1456.65@cid45.00 [390.00-2000.00]',
'+ c d Full ms2 1456.87@cid45.00 [390.00-2000.00]',
'+ c d Full ms2 1457.36@cid45.00 [390.00-2000.00]',
'+ c d Full ms2 1457.68@cid45.00 [390.00-2000.00]',
'+ c d Full ms2 1458.17@cid45.00 [390.00-2000.00]',
'+ c d Full ms2 1458.57@cid45.00 [390.00-2000.00]',
'+ c d Full ms2 1459.12@cid45.00 [390.00-2000.00]',
'+ c d Full ms2 1460.04@cid45.00 [390.00-2000.00]',
'+ c d Full ms2 1460.68@cid45.00 [390.00-2000.00]',
'+ c d Full ms2 1461.25@cid45.00 [390.00-2000.00]',
'+ c d Full ms2 1461.54@cid45.00 [390.00-2000.00]',
'+ c d Full ms2 1461.79@cid45.00 [390.00-2000.00]',
'+ c d Full ms2 1463.28@cid45.00 [390.00-2000.00]',
'+ c d Full ms2 1464.01@cid45.00 [390.00-2000.00]',
'+ c d Full ms2 1464.44@cid45.00 [390.00-2000.00]',
'+ c d Full ms2 1465.71@cid45.00 [390.00-2000.00]',
'+ c d Full ms2 1467.27@cid45.00 [390.00-2000.00]',
'+ c d Full ms2 1469.86@cid45.00 [390.00-2000.00]',
'+ c d Full ms2 1470.24@cid45.00 [390.00-2000.00]',
'+ c d Full ms2 1470.98@cid45.00 [395.00-2000.00]',
'+ c d Full ms2 1471.87@cid45.00 [395.00-2000.00]',
'+ c d Full ms2 1472.75@cid45.00 [395.00-2000.00]',
'+ c d Full ms2 1473.08@cid45.00 [395.00-2000.00]',
'+ c d Full ms2 1473.61@cid45.00 [395.00-2000.00]',
'+ c d Full ms2 1474.05@cid45.00 [395.00-2000.00]',
'+ c d Full ms2 1475.78@cid45.00 [395.00-2000.00]',
'+ c d Full ms2 1476.67@cid45.00 [395.00-2000.00]',
'+ c d Full ms2 1478.23@cid45.00 [395.00-2000.00]',
'+ c d Full ms2 1478.78@cid45.00 [395.00-2000.00]',
'+ c d Full ms2 1480.73@cid45.00 [395.00-2000.00]',
'+ c d Full ms2 1480.94@cid45.00 [395.00-2000.00]',
'+ c d Full ms2 1481.18@cid45.00 [395.00-2000.00]',
'+ c d Full ms2 1481.69@cid45.00 [395.00-2000.00]',
'+ c d Full ms2 1483.68@cid45.00 [395.00-2000.00]',
'+ c d Full ms2 1484.16@cid45.00 [395.00-2000.00]',
'+ c d Full ms2 1485.03@cid45.00 [395.00-2000.00]',
'+ c d Full ms2 1485.56@cid45.00 [395.00-2000.00]',
'+ c d Full ms2 1486.16@cid45.00 [395.00-2000.00]',
'+ c d Full ms2 1486.68@cid45.00 [395.00-2000.00]',
'+ c d Full ms2 1487.22@cid45.00 [395.00-2000.00]',
'+ c d Full ms2 1488.95@cid45.00 [395.00-2000.00]',
'+ c d Full ms2 1489.16@cid45.00 [400.00-2000.00]',
'+ c d Full ms2 1489.60@cid45.00 [400.00-2000.00]',
'+ c d Full ms2 1490.51@cid45.00 [400.00-2000.00]',
'+ c d Full ms2 1491.64@cid45.00 [400.00-2000.00]',
'+ c d Full ms2 1492.19@cid45.00 [400.00-2000.00]',
'+ c d Full ms2 1492.51@cid45.00 [400.00-2000.00]',
'+ c d Full ms2 1492.90@cid45.00 [400.00-2000.00]',
'+ c d Full ms2 1493.60@cid45.00 [400.00-2000.00]',
'+ c d Full ms2 1493.98@cid45.00 [400.00-2000.00]',
'+ c d Full ms2 1494.28@cid45.00 [400.00-2000.00]',
'+ c d Full ms2 1495.28@cid45.00 [400.00-2000.00]',
'+ c d Full ms2 1495.80@cid45.00 [400.00-2000.00]',
'+ c d Full ms2 1496.26@cid45.00 [400.00-2000.00]',
'+ c d Full ms2 1497.46@cid45.00 [400.00-2000.00]',
'+ c d Full ms2 1497.97@cid45.00 [400.00-2000.00]',
'+ c d Full ms2 1498.68@cid45.00 [400.00-2000.00]',
'+ c d Full ms2 1499.23@cid45.00 [400.00-2000.00]',
'+ c d Full ms2 1499.66@cid45.00 [400.00-2000.00]',
'+ c d Full ms2 1501.32@cid45.00 [400.00-2000.00]',
'+ c d Full ms2 1501.93@cid45.00 [400.00-2000.00]',
'+ c d Full ms2 1504.87@cid45.00 [400.00-2000.00]',
'+ c d Full ms2 1505.39@cid45.00 [400.00-2000.00]',
'+ c d Full ms2 1505.70@cid45.00 [400.00-2000.00]',
'+ c d Full ms2 1506.53@cid45.00 [400.00-2000.00]',
'+ c d Full ms2 1507.59@cid45.00 [405.00-2000.00]',
'+ c d Full ms2 1508.64@cid45.00 [405.00-2000.00]',
'+ c d Full ms2 1509.00@cid45.00 [405.00-2000.00]',
'+ c d Full ms2 1509.34@cid45.00 [405.00-2000.00]',
'+ c d Full ms2 1509.83@cid45.00 [405.00-2000.00]',
'+ c d Full ms2 1510.37@cid45.00 [405.00-2000.00]',
'+ c d Full ms2 1511.93@cid45.00 [405.00-2000.00]',
'+ c d Full ms2 1512.57@cid45.00 [405.00-2000.00]',
'+ c d Full ms2 1513.31@cid45.00 [405.00-2000.00]',
'+ c d Full ms2 1513.89@cid45.00 [405.00-2000.00]',
'+ c d Full ms2 1514.12@cid45.00 [405.00-2000.00]',
'+ c d Full ms2 1515.71@cid45.00 [405.00-2000.00]',
'+ c d Full ms2 1516.48@cid45.00 [405.00-2000.00]',
'+ c d Full ms2 1516.89@cid45.00 [405.00-2000.00]',
'+ c d Full ms2 1518.14@cid45.00 [405.00-2000.00]',
'+ c d Full ms2 1519.06@cid45.00 [405.00-2000.00]',
'+ c d Full ms2 1520.53@cid45.00 [405.00-2000.00]',
'+ c d Full ms2 1521.33@cid45.00 [405.00-2000.00]',
'+ c d Full ms2 1521.56@cid45.00 [405.00-2000.00]',
'+ c d Full ms2 1522.25@cid45.00 [405.00-2000.00]',
'+ c d Full ms2 1522.70@cid45.00 [405.00-2000.00]',
'+ c d Full ms2 1523.83@cid45.00 [405.00-2000.00]',
'+ c d Full ms2 1524.64@cid45.00 [405.00-2000.00]',
'+ c d Full ms2 1525.14@cid45.00 [405.00-2000.00]',
'+ c d Full ms2 1525.71@cid45.00 [410.00-2000.00]',
'+ c d Full ms2 1526.39@cid45.00 [410.00-2000.00]',
'+ c d Full ms2 1527.35@cid45.00 [410.00-2000.00]',
'+ c d Full ms2 1527.89@cid45.00 [410.00-2000.00]',
'+ c d Full ms2 1530.51@cid45.00 [410.00-2000.00]',
'+ c d Full ms2 1531.26@cid45.00 [410.00-2000.00]',
'+ c d Full ms2 1531.79@cid45.00 [410.00-2000.00]',
'+ c d Full ms2 1532.11@cid45.00 [410.00-2000.00]',
'+ c d Full ms2 1533.10@cid45.00 [410.00-2000.00]',
'+ c d Full ms2 1533.49@cid45.00 [410.00-2000.00]',
'+ c d Full ms2 1533.95@cid45.00 [410.00-2000.00]',
'+ c d Full ms2 1534.83@cid45.00 [410.00-2000.00]',
'+ c d Full ms2 1535.28@cid45.00 [410.00-2000.00]',
'+ c d Full ms2 1535.55@cid45.00 [410.00-2000.00]',
'+ c d Full ms2 1536.16@cid45.00 [410.00-2000.00]',
'+ c d Full ms2 1536.62@cid45.00 [410.00-2000.00]',
'+ c d Full ms2 1539.44@cid45.00 [410.00-2000.00]',
'+ c d Full ms2 1540.18@cid45.00 [410.00-2000.00]',
'+ c d Full ms2 1540.43@cid45.00 [410.00-2000.00]',
'+ c d Full ms2 1540.98@cid45.00 [410.00-2000.00]',
'+ c d Full ms2 1541.43@cid45.00 [410.00-2000.00]',
'+ c d Full ms2 1542.33@cid45.00 [410.00-2000.00]',
'+ c d Full ms2 1542.87@cid45.00 [410.00-2000.00]',
'+ c d Full ms2 1544.34@cid45.00 [415.00-2000.00]',
'+ c d Full ms2 1546.55@cid45.00 [415.00-2000.00]',
'+ c d Full ms2 1547.23@cid45.00 [415.00-2000.00]',
'+ c d Full ms2 1547.59@cid45.00 [415.00-2000.00]',
'+ c d Full ms2 1548.33@cid45.00 [415.00-2000.00]',
'+ c d Full ms2 1548.59@cid45.00 [415.00-2000.00]',
'+ c d Full ms2 1548.99@cid45.00 [415.00-2000.00]',
'+ c d Full ms2 1549.96@cid45.00 [415.00-2000.00]',
'+ c d Full ms2 1550.56@cid45.00 [415.00-2000.00]',
'+ c d Full ms2 1550.78@cid45.00 [415.00-2000.00]',
'+ c d Full ms2 1551.14@cid45.00 [415.00-2000.00]',
'+ c d Full ms2 1551.42@cid45.00 [415.00-2000.00]',
'+ c d Full ms2 1551.67@cid45.00 [415.00-2000.00]',
'+ c d Full ms2 1552.36@cid45.00 [415.00-2000.00]',
'+ c d Full ms2 1553.50@cid45.00 [415.00-2000.00]',
'+ c d Full ms2 1553.85@cid45.00 [415.00-2000.00]',
'+ c d Full ms2 1555.23@cid45.00 [415.00-2000.00]',
'+ c d Full ms2 1555.47@cid45.00 [415.00-2000.00]',
'+ c d Full ms2 1555.76@cid45.00 [415.00-2000.00]',
'+ c d Full ms2 1557.34@cid45.00 [415.00-2000.00]',
'+ c d Full ms2 1557.80@cid45.00 [415.00-2000.00]',
'+ c d Full ms2 1558.03@cid45.00 [415.00-2000.00]',
'+ c d Full ms2 1558.85@cid45.00 [415.00-2000.00]',
'+ c d Full ms2 1559.67@cid45.00 [415.00-2000.00]',
'+ c d Full ms2 1559.93@cid45.00 [415.00-2000.00]',
'+ c d Full ms2 1560.67@cid45.00 [415.00-2000.00]',
'+ c d Full ms2 1561.46@cid45.00 [415.00-2000.00]',
'+ c d Full ms2 1562.85@cid45.00 [420.00-2000.00]',
'+ c d Full ms2 1563.38@cid45.00 [420.00-2000.00]',
'+ c d Full ms2 1564.01@cid45.00 [420.00-2000.00]',
'+ c d Full ms2 1565.13@cid45.00 [420.00-2000.00]',
'+ c d Full ms2 1566.08@cid45.00 [420.00-2000.00]',
'+ c d Full ms2 1567.21@cid45.00 [420.00-2000.00]',
'+ c d Full ms2 1568.19@cid45.00 [420.00-2000.00]',
'+ c d Full ms2 1568.44@cid45.00 [420.00-2000.00]',
'+ c d Full ms2 1568.97@cid45.00 [420.00-2000.00]',
'+ c d Full ms2 1569.38@cid45.00 [420.00-2000.00]',
'+ c d Full ms2 1570.17@cid45.00 [420.00-2000.00]',
'+ c d Full ms2 1570.87@cid45.00 [420.00-2000.00]',
'+ c d Full ms2 1571.28@cid45.00 [420.00-2000.00]',
'+ c d Full ms2 1575.42@cid45.00 [420.00-2000.00]',
'+ c d Full ms2 1576.01@cid45.00 [420.00-2000.00]',
'+ c d Full ms2 1576.26@cid45.00 [420.00-2000.00]',
'+ c d Full ms2 1578.12@cid45.00 [420.00-2000.00]',
'+ c d Full ms2 1578.87@cid45.00 [420.00-2000.00]',
'+ c d Full ms2 1580.11@cid45.00 [425.00-2000.00]',
'+ c d Full ms2 1580.75@cid45.00 [425.00-2000.00]',
'+ c d Full ms2 1581.76@cid45.00 [425.00-2000.00]',
'+ c d Full ms2 1582.34@cid45.00 [425.00-2000.00]',
'+ c d Full ms2 1582.73@cid45.00 [425.00-2000.00]',
'+ c d Full ms2 1583.71@cid45.00 [425.00-2000.00]',
'+ c d Full ms2 1583.95@cid45.00 [425.00-2000.00]',
'+ c d Full ms2 1584.17@cid45.00 [425.00-2000.00]',
'+ c d Full ms2 1584.78@cid45.00 [425.00-2000.00]',
'+ c d Full ms2 1585.39@cid45.00 [425.00-2000.00]',
'+ c d Full ms2 1585.67@cid45.00 [425.00-2000.00]',
'+ c d Full ms2 1586.38@cid45.00 [425.00-2000.00]',
'+ c d Full ms2 1586.96@cid45.00 [425.00-2000.00]',
'+ c d Full ms2 1587.46@cid45.00 [425.00-2000.00]',
'+ c d Full ms2 1587.91@cid45.00 [425.00-2000.00]',
'+ c d Full ms2 1588.67@cid45.00 [425.00-2000.00]',
'+ c d Full ms2 1589.52@cid45.00 [425.00-2000.00]',
'+ c d Full ms2 1590.04@cid45.00 [425.00-2000.00]',
'+ c d Full ms2 1590.89@cid45.00 [425.00-2000.00]',
'+ c d Full ms2 1591.99@cid45.00 [425.00-2000.00]',
'+ c d Full ms2 1592.20@cid45.00 [425.00-2000.00]',
'+ c d Full ms2 1592.69@cid45.00 [425.00-2000.00]',
'+ c d Full ms2 1592.96@cid45.00 [425.00-2000.00]',
'+ c d Full ms2 1593.68@cid45.00 [425.00-2000.00]',
'+ c d Full ms2 1593.90@cid45.00 [425.00-2000.00]',
'+ c d Full ms2 1595.56@cid45.00 [425.00-2000.00]',
'+ c d Full ms2 1596.08@cid45.00 [425.00-2000.00]',
'+ c d Full ms2 1598.36@cid45.00 [430.00-2000.00]',
'+ c d Full ms2 1601.14@cid45.00 [430.00-2000.00]',
'+ c d Full ms2 1602.04@cid45.00 [430.00-2000.00]',
'+ c d Full ms2 1602.60@cid45.00 [430.00-2000.00]',
'+ c d Full ms2 1602.81@cid45.00 [430.00-2000.00]',
'+ c d Full ms2 1603.16@cid45.00 [430.00-2000.00]',
'+ c d Full ms2 1603.53@cid45.00 [430.00-2000.00]',
'+ c d Full ms2 1604.29@cid45.00 [430.00-2000.00]',
'+ c d Full ms2 1604.97@cid45.00 [430.00-2000.00]',
'+ c d Full ms2 1605.32@cid45.00 [430.00-2000.00]',
'+ c d Full ms2 1607.12@cid45.00 [430.00-2000.00]',
'+ c d Full ms2 1607.55@cid45.00 [430.00-2000.00]',
'+ c d Full ms2 1613.38@cid45.00 [430.00-2000.00]',
'+ c d Full ms2 1614.10@cid45.00 [430.00-2000.00]',
'+ c d Full ms2 1614.48@cid45.00 [430.00-2000.00]',
'+ c d Full ms2 1616.13@cid45.00 [430.00-2000.00]',
'+ c d Full ms2 1616.48@cid45.00 [435.00-2000.00]',
'+ c d Full ms2 1616.94@cid45.00 [435.00-2000.00]',
'+ c d Full ms2 1617.58@cid45.00 [435.00-2000.00]',
'+ c d Full ms2 1617.86@cid45.00 [435.00-2000.00]',
'+ c d Full ms2 1619.41@cid45.00 [435.00-2000.00]',
'+ c d Full ms2 1620.32@cid45.00 [435.00-2000.00]',
'+ c d Full ms2 1621.06@cid45.00 [435.00-2000.00]',
'+ c d Full ms2 1622.22@cid45.00 [435.00-2000.00]',
'+ c d Full ms2 1623.74@cid45.00 [435.00-2000.00]',
'+ c d Full ms2 1624.51@cid45.00 [435.00-2000.00]',
'+ c d Full ms2 1625.15@cid45.00 [435.00-2000.00]',
'+ c d Full ms2 1625.83@cid45.00 [435.00-2000.00]',
'+ c d Full ms2 1627.44@cid45.00 [435.00-2000.00]',
'+ c d Full ms2 1627.81@cid45.00 [435.00-2000.00]',
'+ c d Full ms2 1628.13@cid45.00 [435.00-2000.00]',
'+ c d Full ms2 1629.79@cid45.00 [435.00-2000.00]',
'+ c d Full ms2 1630.55@cid45.00 [435.00-2000.00]',
'+ c d Full ms2 1631.44@cid45.00 [435.00-2000.00]',
'+ c d Full ms2 1633.48@cid45.00 [435.00-2000.00]',
'+ c d Full ms2 1633.69@cid45.00 [435.00-2000.00]',
'+ c d Full ms2 1634.63@cid45.00 [440.00-2000.00]',
'+ c d Full ms2 1635.17@cid45.00 [440.00-2000.00]',
'+ c d Full ms2 1636.10@cid45.00 [440.00-2000.00]',
'+ c d Full ms2 1637.87@cid45.00 [440.00-2000.00]',
'+ c d Full ms2 1638.76@cid45.00 [440.00-2000.00]',
'+ c d Full ms2 1639.58@cid45.00 [440.00-2000.00]',
'+ c d Full ms2 1639.79@cid45.00 [440.00-2000.00]',
'+ c d Full ms2 1640.84@cid45.00 [440.00-2000.00]',
'+ c d Full ms2 1641.39@cid45.00 [440.00-2000.00]',
'+ c d Full ms2 1643.49@cid45.00 [440.00-2000.00]',
'+ c d Full ms2 1644.01@cid45.00 [440.00-2000.00]',
'+ c d Full ms2 1644.48@cid45.00 [440.00-2000.00]',
'+ c d Full ms2 1644.71@cid45.00 [440.00-2000.00]',
'+ c d Full ms2 1645.46@cid45.00 [440.00-2000.00]',
'+ c d Full ms2 1645.70@cid45.00 [440.00-2000.00]',
'+ c d Full ms2 1646.28@cid45.00 [440.00-2000.00]',
'+ c d Full ms2 1646.50@cid45.00 [440.00-2000.00]',
'+ c d Full ms2 1647.00@cid45.00 [440.00-2000.00]',
'+ c d Full ms2 1647.86@cid45.00 [440.00-2000.00]',
'+ c d Full ms2 1648.82@cid45.00 [440.00-2000.00]',
'+ c d Full ms2 1649.32@cid45.00 [440.00-2000.00]',
'+ c d Full ms2 1651.44@cid45.00 [440.00-2000.00]',
'+ c d Full ms2 1654.03@cid45.00 [445.00-2000.00]',
'+ c d Full ms2 1654.84@cid45.00 [445.00-2000.00]',
'+ c d Full ms2 1656.22@cid45.00 [445.00-2000.00]',
'+ c d Full ms2 1656.44@cid45.00 [445.00-2000.00]',
'+ c d Full ms2 1657.78@cid45.00 [445.00-2000.00]',
'+ c d Full ms2 1658.43@cid45.00 [445.00-2000.00]',
'+ c d Full ms2 1661.11@cid45.00 [445.00-2000.00]',
'+ c d Full ms2 1662.57@cid45.00 [445.00-2000.00]',
'+ c d Full ms2 1663.04@cid45.00 [445.00-2000.00]',
'+ c d Full ms2 1663.38@cid45.00 [445.00-2000.00]',
'+ c d Full ms2 1663.93@cid45.00 [445.00-2000.00]',
'+ c d Full ms2 1665.77@cid45.00 [445.00-2000.00]',
'+ c d Full ms2 1666.84@cid45.00 [445.00-2000.00]',
'+ c d Full ms2 1667.41@cid45.00 [445.00-2000.00]',
'+ c d Full ms2 1668.84@cid45.00 [445.00-2000.00]',
'+ c d Full ms2 1669.45@cid45.00 [445.00-2000.00]',
'+ c d Full ms2 1670.71@cid45.00 [445.00-2000.00]',
'+ c d Full ms2 1671.10@cid45.00 [450.00-2000.00]',
'+ c d Full ms2 1671.66@cid45.00 [450.00-2000.00]',
'+ c d Full ms2 1672.68@cid45.00 [450.00-2000.00]',
'+ c d Full ms2 1673.45@cid45.00 [450.00-2000.00]',
'+ c d Full ms2 1675.08@cid45.00 [450.00-2000.00]',
'+ c d Full ms2 1676.34@cid45.00 [450.00-2000.00]',
'+ c d Full ms2 1677.02@cid45.00 [450.00-2000.00]',
'+ c d Full ms2 1678.75@cid45.00 [450.00-2000.00]',
'+ c d Full ms2 1679.09@cid45.00 [450.00-2000.00]',
'+ c d Full ms2 1680.29@cid45.00 [450.00-2000.00]',
'+ c d Full ms2 1680.90@cid45.00 [450.00-2000.00]',
'+ c d Full ms2 1682.73@cid45.00 [450.00-2000.00]',
'+ c d Full ms2 1683.69@cid45.00 [450.00-2000.00]',
'+ c d Full ms2 1685.85@cid45.00 [450.00-2000.00]',
'+ c d Full ms2 1686.51@cid45.00 [450.00-2000.00]',
'+ c d Full ms2 1686.98@cid45.00 [450.00-2000.00]',
'+ c d Full ms2 1690.60@cid45.00 [455.00-2000.00]',
'+ c d Full ms2 1692.08@cid45.00 [455.00-2000.00]',
'+ c d Full ms2 1692.93@cid45.00 [455.00-2000.00]',
'+ c d Full ms2 1694.48@cid45.00 [455.00-2000.00]',
'+ c d Full ms2 1694.84@cid45.00 [455.00-2000.00]',
'+ c d Full ms2 1695.84@cid45.00 [455.00-2000.00]',
'+ c d Full ms2 1697.48@cid45.00 [455.00-2000.00]',
'+ c d Full ms2 1697.96@cid45.00 [455.00-2000.00]',
'+ c d Full ms2 1698.50@cid45.00 [455.00-2000.00]',
'+ c d Full ms2 1700.60@cid45.00 [455.00-2000.00]',
'+ c d Full ms2 1702.26@cid45.00 [455.00-2000.00]',
'+ c d Full ms2 1704.41@cid45.00 [455.00-2000.00]',
'+ c d Full ms2 1704.62@cid45.00 [455.00-2000.00]',
'+ c d Full ms2 1707.18@cid45.00 [460.00-2000.00]',
'+ c d Full ms2 1708.64@cid45.00 [460.00-2000.00]',
'+ c d Full ms2 1709.58@cid45.00 [460.00-2000.00]',
'+ c d Full ms2 1710.76@cid45.00 [460.00-2000.00]',
'+ c d Full ms2 1711.39@cid45.00 [460.00-2000.00]',
'+ c d Full ms2 1712.65@cid45.00 [460.00-2000.00]',
'+ c d Full ms2 1712.94@cid45.00 [460.00-2000.00]',
'+ c d Full ms2 1713.82@cid45.00 [460.00-2000.00]',
'+ c d Full ms2 1714.05@cid45.00 [460.00-2000.00]',
'+ c d Full ms2 1714.71@cid45.00 [460.00-2000.00]',
'+ c d Full ms2 1714.93@cid45.00 [460.00-2000.00]',
'+ c d Full ms2 1715.53@cid45.00 [460.00-2000.00]',
'+ c d Full ms2 1716.97@cid45.00 [460.00-2000.00]',
'+ c d Full ms2 1717.35@cid45.00 [460.00-2000.00]',
'+ c d Full ms2 1718.09@cid45.00 [460.00-2000.00]',
'+ c d Full ms2 1718.36@cid45.00 [460.00-2000.00]',
'+ c d Full ms2 1721.44@cid45.00 [460.00-2000.00]',
'+ c d Full ms2 1721.85@cid45.00 [460.00-2000.00]',
'+ c d Full ms2 1723.93@cid45.00 [460.00-2000.00]',
'+ c d Full ms2 1724.35@cid45.00 [460.00-2000.00]',
'+ c d Full ms2 1724.65@cid45.00 [460.00-2000.00]',
'+ c d Full ms2 1725.45@cid45.00 [465.00-2000.00]',
'+ c d Full ms2 1726.45@cid45.00 [465.00-2000.00]',
'+ c d Full ms2 1726.83@cid45.00 [465.00-2000.00]',
'+ c d Full ms2 1727.30@cid45.00 [465.00-2000.00]',
'+ c d Full ms2 1727.88@cid45.00 [465.00-2000.00]',
'+ c d Full ms2 1731.49@cid45.00 [465.00-2000.00]',
'+ c d Full ms2 1731.99@cid45.00 [465.00-2000.00]',
'+ c d Full ms2 1733.02@cid45.00 [465.00-2000.00]',
'+ c d Full ms2 1734.70@cid45.00 [465.00-2000.00]',
'+ c d Full ms2 1735.52@cid45.00 [465.00-2000.00]',
'+ c d Full ms2 1736.21@cid45.00 [465.00-2000.00]',
'+ c d Full ms2 1737.08@cid45.00 [465.00-2000.00]',
'+ c d Full ms2 1738.18@cid45.00 [465.00-2000.00]',
'+ c d Full ms2 1742.66@cid45.00 [465.00-2000.00]',
'+ c d Full ms2 1743.28@cid45.00 [465.00-2000.00]',
'+ c d Full ms2 1745.21@cid45.00 [470.00-2000.00]',
'+ c d Full ms2 1748.11@cid45.00 [470.00-2000.00]',
'+ c d Full ms2 1748.43@cid45.00 [470.00-2000.00]',
'+ c d Full ms2 1749.37@cid45.00 [470.00-2000.00]',
'+ c d Full ms2 1750.27@cid45.00 [470.00-2000.00]',
'+ c d Full ms2 1751.49@cid45.00 [470.00-2000.00]',
'+ c d Full ms2 1752.35@cid45.00 [470.00-2000.00]',
'+ c d Full ms2 1753.85@cid45.00 [470.00-2000.00]',
'+ c d Full ms2 1754.72@cid45.00 [470.00-2000.00]',
'+ c d Full ms2 1755.60@cid45.00 [470.00-2000.00]',
'+ c d Full ms2 1756.45@cid45.00 [470.00-2000.00]',
'+ c d Full ms2 1757.59@cid45.00 [470.00-2000.00]',
'+ c d Full ms2 1757.98@cid45.00 [470.00-2000.00]',
'+ c d Full ms2 1759.96@cid45.00 [470.00-2000.00]',
'+ c d Full ms2 1764.69@cid45.00 [475.00-2000.00]',
'+ c d Full ms2 1764.99@cid45.00 [475.00-2000.00]',
'+ c d Full ms2 1767.04@cid45.00 [475.00-2000.00]',
'+ c d Full ms2 1769.91@cid45.00 [475.00-2000.00]',
'+ c d Full ms2 1771.06@cid45.00 [475.00-2000.00]',
'+ c d Full ms2 1772.64@cid45.00 [475.00-2000.00]',
'+ c d Full ms2 1774.50@cid45.00 [475.00-2000.00]',
'+ c d Full ms2 1777.30@cid45.00 [475.00-2000.00]',
'+ c d Full ms2 1779.16@cid45.00 [475.00-2000.00]',
'+ c d Full ms2 1779.56@cid45.00 [475.00-2000.00]',
'+ c d Full ms2 1781.25@cid45.00 [480.00-2000.00]',
'+ c d Full ms2 1781.86@cid45.00 [480.00-2000.00]',
'+ c d Full ms2 1783.48@cid45.00 [480.00-2000.00]',
'+ c d Full ms2 1783.88@cid45.00 [480.00-2000.00]',
'+ c d Full ms2 1784.91@cid45.00 [480.00-2000.00]',
'+ c d Full ms2 1785.16@cid45.00 [480.00-2000.00]',
'+ c d Full ms2 1785.70@cid45.00 [480.00-2000.00]',
'+ c d Full ms2 1786.05@cid45.00 [480.00-2000.00]',
'+ c d Full ms2 1787.98@cid45.00 [480.00-2000.00]',
'+ c d Full ms2 1792.09@cid45.00 [480.00-2000.00]',
'+ c d Full ms2 1792.54@cid45.00 [480.00-2000.00]',
'+ c d Full ms2 1793.58@cid45.00 [480.00-2000.00]',
'+ c d Full ms2 1798.47@cid45.00 [485.00-2000.00]',
'+ c d Full ms2 1802.44@cid45.00 [485.00-2000.00]',
'+ c d Full ms2 1803.49@cid45.00 [485.00-2000.00]',
'+ c d Full ms2 1804.55@cid45.00 [485.00-2000.00]',
'+ c d Full ms2 1805.51@cid45.00 [485.00-2000.00]',
'+ c d Full ms2 1806.75@cid45.00 [485.00-2000.00]',
'+ c d Full ms2 1807.44@cid45.00 [485.00-2000.00]',
'+ c d Full ms2 1808.21@cid45.00 [485.00-2000.00]',
'+ c d Full ms2 1811.97@cid45.00 [485.00-2000.00]',
'+ c d Full ms2 1813.78@cid45.00 [485.00-2000.00]',
'+ c d Full ms2 1817.10@cid45.00 [490.00-2000.00]',
'+ c d Full ms2 1819.44@cid45.00 [490.00-2000.00]',
'+ c d Full ms2 1821.79@cid45.00 [490.00-2000.00]',
'+ c d Full ms2 1826.20@cid45.00 [490.00-2000.00]',
'+ c d Full ms2 1828.42@cid45.00 [490.00-2000.00]',
'+ c d Full ms2 1829.13@cid45.00 [490.00-2000.00]',
'+ c d Full ms2 1829.42@cid45.00 [490.00-2000.00]',
'+ c d Full ms2 1831.26@cid45.00 [490.00-2000.00]',
'+ c d Full ms2 1835.72@cid45.00 [495.00-2000.00]',
'+ c d Full ms2 1836.84@cid45.00 [495.00-2000.00]',
'+ c d Full ms2 1841.06@cid45.00 [495.00-2000.00]',
'+ c d Full ms2 1842.28@cid45.00 [495.00-2000.00]',
'+ c d Full ms2 1847.28@cid45.00 [495.00-2000.00]',
'+ c d Full ms2 1848.36@cid45.00 [495.00-2000.00]',
'+ c d Full ms2 1849.21@cid45.00 [495.00-2000.00]',
'+ c d Full ms2 1854.90@cid45.00 [500.00-2000.00]',
'+ c d Full ms2 1855.53@cid45.00 [500.00-2000.00]',
'+ c d Full ms2 1860.02@cid45.00 [500.00-2000.00]',
'+ c d Full ms2 1861.93@cid45.00 [500.00-2000.00]',
'+ c d Full ms2 1862.13@cid45.00 [500.00-2000.00]',
'+ c d Full ms2 1865.29@cid45.00 [500.00-2000.00]',
'+ c d Full ms2 1869.54@cid45.00 [500.00-2000.00]',
'+ c d Full ms2 1871.64@cid45.00 [505.00-2000.00]',
'+ c d Full ms2 1872.62@cid45.00 [505.00-2000.00]',
'+ c d Full ms2 1873.22@cid45.00 [505.00-2000.00]',
'+ c d Full ms2 1878.72@cid45.00 [505.00-2000.00]',
'+ c d Full ms2 1880.77@cid45.00 [505.00-2000.00]',
'+ c d Full ms2 1881.71@cid45.00 [505.00-2000.00]',
'+ c d Full ms2 1882.62@cid45.00 [505.00-2000.00]',
'+ c d Full ms2 1884.41@cid45.00 [505.00-2000.00]',
'+ c d Full ms2 1886.10@cid45.00 [505.00-2000.00]',
'+ c d Full ms2 1886.76@cid45.00 [505.00-2000.00]',
'+ c d Full ms2 1887.78@cid45.00 [505.00-2000.00]',
'+ c d Full ms2 1888.03@cid45.00 [505.00-2000.00]',
'+ c d Full ms2 1890.18@cid45.00 [510.00-2000.00]',
'+ c d Full ms2 1892.65@cid45.00 [510.00-2000.00]',
'+ c d Full ms2 1895.17@cid45.00 [510.00-2000.00]',
'+ c d Full ms2 1896.10@cid45.00 [510.00-2000.00]',
'+ c d Full ms2 1898.14@cid45.00 [510.00-2000.00]',
'+ c d Full ms2 1900.50@cid45.00 [510.00-2000.00]',
'+ c d Full ms2 1902.20@cid45.00 [510.00-2000.00]',
'+ c d Full ms2 1902.41@cid45.00 [510.00-2000.00]',
'+ c d Full ms2 1903.86@cid45.00 [510.00-2000.00]',
'+ c d Full ms2 1905.46@cid45.00 [510.00-2000.00]',
'+ c d Full ms2 1905.98@cid45.00 [510.00-2000.00]',
'+ c d Full ms2 1911.29@cid45.00 [515.00-2000.00]',
'+ c d Full ms2 1914.09@cid45.00 [515.00-2000.00]',
'+ c d Full ms2 1914.91@cid45.00 [515.00-2000.00]',
'+ c d Full ms2 1917.57@cid45.00 [515.00-2000.00]',
'+ c d Full ms2 1921.83@cid45.00 [515.00-2000.00]',
'+ c d Full ms2 1924.58@cid45.00 [515.00-2000.00]',
'+ c d Full ms2 1926.45@cid45.00 [520.00-2000.00]',
'+ c d Full ms2 1931.41@cid45.00 [520.00-2000.00]',
'+ c d Full ms2 1931.94@cid45.00 [520.00-2000.00]',
'+ c d Full ms2 1933.56@cid45.00 [520.00-2000.00]',
'+ c d Full ms2 1935.11@cid45.00 [520.00-2000.00]',
'+ c d Full ms2 1939.01@cid45.00 [520.00-2000.00]',
'+ c d Full ms2 1940.43@cid45.00 [520.00-2000.00]',
'+ c d Full ms2 1942.28@cid45.00 [520.00-2000.00]',
'+ c d Full ms2 1943.85@cid45.00 [525.00-2000.00]',
'+ c d Full ms2 1946.86@cid45.00 [525.00-2000.00]',
'+ c d Full ms2 1950.70@cid45.00 [525.00-2000.00]',
'+ c d Full ms2 1951.34@cid45.00 [525.00-2000.00]',
'+ c d Full ms2 1953.11@cid45.00 [525.00-2000.00]',
'+ c d Full ms2 1953.72@cid45.00 [525.00-2000.00]',
'+ c d Full ms2 1957.90@cid45.00 [525.00-2000.00]',
'+ c d Full ms2 1959.53@cid45.00 [525.00-2000.00]',
'+ c d Full ms2 1959.90@cid45.00 [525.00-2000.00]',
'+ c d Full ms2 1960.18@cid45.00 [525.00-2000.00]',
'+ c d Full ms2 1962.24@cid45.00 [530.00-2000.00]',
'+ c d Full ms2 1969.87@cid45.00 [530.00-2000.00]',
'+ c d Full ms2 1971.23@cid45.00 [530.00-2000.00]',
'+ c d Full ms2 1971.51@cid45.00 [530.00-2000.00]',
'+ c d Full ms2 1971.79@cid45.00 [530.00-2000.00]',
'+ c d Full ms2 1972.78@cid45.00 [530.00-2000.00]',
'+ c d Full ms2 1976.08@cid45.00 [530.00-2000.00]',
'+ c d Full ms2 1986.43@cid45.00 [535.00-2000.00]',
'+ c d Full ms2 1988.63@cid45.00 [535.00-2000.00]',
'+ c d Full ms2 1994.49@cid45.00 [535.00-2000.00]')
| filters = ('+ c ESI Full ms [300.00-2000.00]', '+ c ESI Full ms [400.00-2000.00]', '+ c d Full ms2 400.31@cid45.00 [100.00-815.00]', '+ c d Full ms2 401.39@cid45.00 [100.00-815.00]', '+ c d Full ms2 406.73@cid45.00 [100.00-825.00]', '+ c d Full ms2 408.00@cid45.00 [100.00-830.00]', '+ c d Full ms2 412.90@cid45.00 [100.00-840.00]', '+ c d Full ms2 415.06@cid45.00 [100.00-845.00]', '+ c d Full ms2 416.05@cid45.00 [100.00-845.00]', '+ c d Full ms2 418.81@cid45.00 [105.00-850.00]', '+ c d Full ms2 420.63@cid45.00 [105.00-855.00]', '+ c d Full ms2 421.87@cid45.00 [105.00-855.00]', '+ c d Full ms2 426.02@cid45.00 [105.00-865.00]', '+ c d Full ms2 428.43@cid45.00 [105.00-870.00]', '+ c d Full ms2 431.93@cid45.00 [105.00-875.00]', '+ c d Full ms2 433.34@cid45.00 [105.00-880.00]', '+ c d Full ms2 435.86@cid45.00 [110.00-885.00]', '+ c d Full ms2 437.65@cid45.00 [110.00-890.00]', '+ c d Full ms2 440.08@cid45.00 [110.00-895.00]', '+ c d Full ms2 440.47@cid45.00 [110.00-895.00]', '+ c d Full ms2 441.47@cid45.00 [110.00-895.00]', '+ c d Full ms2 444.32@cid45.00 [110.00-900.00]', '+ c d Full ms2 450.22@cid45.00 [110.00-915.00]', '+ c d Full ms2 450.53@cid45.00 [110.00-915.00]', '+ c d Full ms2 451.01@cid45.00 [110.00-915.00]', '+ c d Full ms2 451.75@cid45.00 [110.00-915.00]', '+ c d Full ms2 454.12@cid45.00 [115.00-920.00]', '+ c d Full ms2 457.86@cid45.00 [115.00-930.00]', '+ c d Full ms2 458.18@cid45.00 [115.00-930.00]', '+ c d Full ms2 461.43@cid45.00 [115.00-935.00]', '+ c d Full ms2 462.49@cid45.00 [115.00-935.00]', '+ c d Full ms2 462.50@cid45.00 [115.00-940.00]', '+ c d Full ms2 470.47@cid45.00 [115.00-955.00]', '+ c d Full ms2 475.87@cid45.00 [120.00-965.00]', '+ c d Full ms2 476.27@cid45.00 [120.00-965.00]', '+ c d Full ms2 479.45@cid45.00 [120.00-970.00]', '+ c d Full ms2 480.12@cid45.00 [120.00-975.00]', '+ c d Full ms2 484.53@cid45.00 [120.00-980.00]', '+ c d Full ms2 485.31@cid45.00 [120.00-985.00]', '+ c d Full ms2 491.11@cid45.00 [125.00-995.00]', '+ c d Full ms2 493.40@cid45.00 [125.00-1000.00]', '+ c d Full ms2 493.92@cid45.00 [125.00-1000.00]', '+ c d Full ms2 495.99@cid45.00 [125.00-1005.00]', '+ c d Full ms2 502.39@cid45.00 [125.00-1015.00]', '+ c d Full ms2 504.00@cid45.00 [125.00-1020.00]', '+ c d Full ms2 506.28@cid45.00 [125.00-1025.00]', '+ c d Full ms2 507.01@cid45.00 [125.00-1025.00]', '+ c d Full ms2 510.83@cid45.00 [130.00-1035.00]', '+ c d Full ms2 515.37@cid45.00 [130.00-1045.00]', '+ c d Full ms2 523.83@cid45.00 [130.00-1060.00]', '+ c d Full ms2 529.27@cid45.00 [135.00-1070.00]', '+ c d Full ms2 530.70@cid45.00 [135.00-1075.00]', '+ c d Full ms2 533.63@cid45.00 [135.00-1080.00]', '+ c d Full ms2 537.62@cid45.00 [135.00-1090.00]', '+ c d Full ms2 540.32@cid45.00 [135.00-1095.00]', '+ c d Full ms2 541.33@cid45.00 [135.00-1095.00]', '+ c d Full ms2 545.32@cid45.00 [140.00-1105.00]', '+ c d Full ms2 546.18@cid45.00 [140.00-1105.00]', '+ c d Full ms2 549.30@cid45.00 [140.00-1110.00]', '+ c d Full ms2 559.23@cid45.00 [140.00-1130.00]', '+ c d Full ms2 562.08@cid45.00 [140.00-1135.00]', '+ c d Full ms2 571.30@cid45.00 [145.00-1155.00]', '+ c d Full ms2 572.33@cid45.00 [145.00-1155.00]', '+ c d Full ms2 573.88@cid45.00 [145.00-1160.00]', '+ c d Full ms2 574.31@cid45.00 [145.00-1160.00]', '+ c d Full ms2 575.33@cid45.00 [145.00-1165.00]', '+ c d Full ms2 584.27@cid45.00 [150.00-1180.00]', '+ c d Full ms2 591.99@cid45.00 [150.00-1195.00]', '+ c d Full ms2 594.20@cid45.00 [150.00-1200.00]', '+ c d Full ms2 594.90@cid45.00 [150.00-1200.00]', '+ c d Full ms2 595.76@cid45.00 [150.00-1205.00]', '+ c d Full ms2 596.55@cid45.00 [150.00-1205.00]', '+ c d Full ms2 599.35@cid45.00 [155.00-1210.00]', '+ c d Full ms2 600.32@cid45.00 [155.00-1215.00]', '+ c d Full ms2 601.42@cid45.00 [155.00-1215.00]', '+ c d Full ms2 602.31@cid45.00 [155.00-1215.00]', '+ c d Full ms2 602.59@cid45.00 [155.00-1220.00]', '+ c d Full ms2 606.32@cid45.00 [155.00-1225.00]', '+ c d Full ms2 607.35@cid45.00 [155.00-1225.00]', '+ c d Full ms2 612.36@cid45.00 [155.00-1235.00]', '+ c d Full ms2 614.33@cid45.00 [155.00-1240.00]', '+ c d Full ms2 616.40@cid45.00 [155.00-1245.00]', '+ c d Full ms2 620.38@cid45.00 [160.00-1255.00]', '+ c d Full ms2 624.71@cid45.00 [160.00-1260.00]', '+ c d Full ms2 629.41@cid45.00 [160.00-1270.00]', '+ c d Full ms2 631.37@cid45.00 [160.00-1275.00]', '+ c d Full ms2 631.93@cid45.00 [160.00-1275.00]', '+ c d Full ms2 633.62@cid45.00 [160.00-1280.00]', '+ c d Full ms2 634.07@cid45.00 [160.00-1280.00]', '+ c d Full ms2 637.77@cid45.00 [165.00-1290.00]', '+ c d Full ms2 639.72@cid45.00 [165.00-1290.00]', '+ c d Full ms2 640.57@cid45.00 [165.00-1295.00]', '+ c d Full ms2 641.38@cid45.00 [165.00-1295.00]', '+ c d Full ms2 642.12@cid45.00 [165.00-1295.00]', '+ c d Full ms2 643.33@cid45.00 [165.00-1300.00]', '+ c d Full ms2 646.37@cid45.00 [165.00-1305.00]', '+ c d Full ms2 648.41@cid45.00 [165.00-1310.00]', '+ c d Full ms2 653.16@cid45.00 [165.00-1320.00]', '+ c d Full ms2 654.91@cid45.00 [170.00-1320.00]', '+ c d Full ms2 655.08@cid45.00 [170.00-1325.00]', '+ c d Full ms2 656.14@cid45.00 [170.00-1325.00]', '+ c d Full ms2 658.62@cid45.00 [170.00-1330.00]', '+ c d Full ms2 662.25@cid45.00 [170.00-1335.00]', '+ c d Full ms2 663.40@cid45.00 [170.00-1340.00]', '+ c d Full ms2 664.30@cid45.00 [170.00-1340.00]', '+ c d Full ms2 665.58@cid45.00 [170.00-1345.00]', '+ c d Full ms2 667.35@cid45.00 [170.00-1345.00]', '+ c d Full ms2 668.58@cid45.00 [170.00-1350.00]', '+ c d Full ms2 669.35@cid45.00 [170.00-1350.00]', '+ c d Full ms2 671.52@cid45.00 [170.00-1355.00]', '+ c d Full ms2 672.38@cid45.00 [175.00-1355.00]', '+ c d Full ms2 675.21@cid45.00 [175.00-1365.00]', '+ c d Full ms2 676.56@cid45.00 [175.00-1365.00]', '+ c d Full ms2 677.96@cid45.00 [175.00-1370.00]', '+ c d Full ms2 679.26@cid45.00 [175.00-1370.00]', '+ c d Full ms2 679.59@cid45.00 [175.00-1370.00]', '+ c d Full ms2 680.83@cid45.00 [175.00-1375.00]', '+ c d Full ms2 683.84@cid45.00 [175.00-1380.00]', '+ c d Full ms2 684.27@cid45.00 [175.00-1380.00]', '+ c d Full ms2 686.29@cid45.00 [175.00-1385.00]', '+ c d Full ms2 687.40@cid45.00 [175.00-1385.00]', '+ c d Full ms2 688.24@cid45.00 [175.00-1390.00]', '+ c d Full ms2 689.38@cid45.00 [175.00-1390.00]', '+ c d Full ms2 691.77@cid45.00 [180.00-1395.00]', '+ c d Full ms2 693.42@cid45.00 [180.00-1400.00]', '+ c d Full ms2 695.41@cid45.00 [180.00-1405.00]', '+ c d Full ms2 698.33@cid45.00 [180.00-1410.00]', '+ c d Full ms2 698.88@cid45.00 [180.00-1410.00]', '+ c d Full ms2 700.37@cid45.00 [180.00-1415.00]', '+ c d Full ms2 703.33@cid45.00 [180.00-1420.00]', '+ c d Full ms2 706.10@cid45.00 [180.00-1425.00]', '+ c d Full ms2 708.37@cid45.00 [185.00-1430.00]', '+ c d Full ms2 712.24@cid45.00 [185.00-1435.00]', '+ c d Full ms2 714.45@cid45.00 [185.00-1440.00]', '+ c d Full ms2 715.38@cid45.00 [185.00-1445.00]', '+ c d Full ms2 719.12@cid45.00 [185.00-1450.00]', '+ c d Full ms2 723.37@cid45.00 [185.00-1460.00]', '+ c d Full ms2 723.88@cid45.00 [185.00-1460.00]', '+ c d Full ms2 728.21@cid45.00 [190.00-1470.00]', '+ c d Full ms2 729.27@cid45.00 [190.00-1470.00]', '+ c d Full ms2 730.41@cid45.00 [190.00-1475.00]', '+ c d Full ms2 731.88@cid45.00 [190.00-1475.00]', '+ c d Full ms2 733.56@cid45.00 [190.00-1480.00]', '+ c d Full ms2 739.66@cid45.00 [190.00-1490.00]', '+ c d Full ms2 740.16@cid45.00 [190.00-1495.00]', '+ c d Full ms2 741.56@cid45.00 [190.00-1495.00]', '+ c d Full ms2 742.30@cid45.00 [190.00-1495.00]', '+ c d Full ms2 743.35@cid45.00 [190.00-1500.00]', '+ c d Full ms2 744.46@cid45.00 [190.00-1500.00]', '+ c d Full ms2 745.45@cid45.00 [195.00-1505.00]', '+ c d Full ms2 745.97@cid45.00 [195.00-1505.00]', '+ c d Full ms2 750.03@cid45.00 [195.00-1515.00]', '+ c d Full ms2 751.19@cid45.00 [195.00-1515.00]', '+ c d Full ms2 751.42@cid45.00 [195.00-1515.00]', '+ c d Full ms2 752.37@cid45.00 [195.00-1515.00]', '+ c d Full ms2 753.04@cid45.00 [195.00-1520.00]', '+ c d Full ms2 754.38@cid45.00 [195.00-1520.00]', '+ c d Full ms2 756.35@cid45.00 [195.00-1525.00]', '+ c d Full ms2 757.39@cid45.00 [195.00-1525.00]', '+ c d Full ms2 758.35@cid45.00 [195.00-1530.00]', '+ c d Full ms2 759.11@cid45.00 [195.00-1530.00]', '+ c d Full ms2 760.68@cid45.00 [195.00-1535.00]', '+ c d Full ms2 761.47@cid45.00 [195.00-1535.00]', '+ c d Full ms2 762.38@cid45.00 [195.00-1535.00]', '+ c d Full ms2 763.41@cid45.00 [200.00-1540.00]', '+ c d Full ms2 766.53@cid45.00 [200.00-1545.00]', '+ c d Full ms2 767.03@cid45.00 [200.00-1545.00]', '+ c d Full ms2 768.43@cid45.00 [200.00-1550.00]', '+ c d Full ms2 768.72@cid45.00 [200.00-1550.00]', '+ c d Full ms2 769.48@cid45.00 [200.00-1550.00]', '+ c d Full ms2 772.29@cid45.00 [200.00-1555.00]', '+ c d Full ms2 772.55@cid45.00 [200.00-1560.00]', '+ c d Full ms2 773.18@cid45.00 [200.00-1560.00]', '+ c d Full ms2 773.59@cid45.00 [200.00-1560.00]', '+ c d Full ms2 774.44@cid45.00 [200.00-1560.00]', '+ c d Full ms2 776.39@cid45.00 [200.00-1565.00]', '+ c d Full ms2 777.24@cid45.00 [200.00-1565.00]', '+ c d Full ms2 778.38@cid45.00 [200.00-1570.00]', '+ c d Full ms2 779.02@cid45.00 [200.00-1570.00]', '+ c d Full ms2 779.42@cid45.00 [200.00-1570.00]', '+ c d Full ms2 781.25@cid45.00 [205.00-1575.00]', '+ c d Full ms2 783.46@cid45.00 [205.00-1580.00]', '+ c d Full ms2 785.09@cid45.00 [205.00-1585.00]', '+ c d Full ms2 786.41@cid45.00 [205.00-1585.00]', '+ c d Full ms2 787.37@cid45.00 [205.00-1585.00]', '+ c d Full ms2 787.86@cid45.00 [205.00-1590.00]', '+ c d Full ms2 790.32@cid45.00 [205.00-1595.00]', '+ c d Full ms2 790.99@cid45.00 [205.00-1595.00]', '+ c d Full ms2 792.30@cid45.00 [205.00-1595.00]', '+ c d Full ms2 793.57@cid45.00 [205.00-1600.00]', '+ c d Full ms2 794.82@cid45.00 [205.00-1600.00]', '+ c d Full ms2 795.31@cid45.00 [205.00-1605.00]', '+ c d Full ms2 796.38@cid45.00 [205.00-1605.00]', '+ c d Full ms2 796.98@cid45.00 [205.00-1605.00]', '+ c d Full ms2 798.67@cid45.00 [205.00-1610.00]', '+ c d Full ms2 799.09@cid45.00 [210.00-1610.00]', '+ c d Full ms2 801.33@cid45.00 [210.00-1615.00]', '+ c d Full ms2 802.25@cid45.00 [210.00-1615.00]', '+ c d Full ms2 802.99@cid45.00 [210.00-1620.00]', '+ c d Full ms2 803.39@cid45.00 [210.00-1620.00]', '+ c d Full ms2 804.66@cid45.00 [210.00-1620.00]', '+ c d Full ms2 805.35@cid45.00 [210.00-1625.00]', '+ c d Full ms2 806.24@cid45.00 [210.00-1625.00]', '+ c d Full ms2 807.41@cid45.00 [210.00-1625.00]', '+ c d Full ms2 807.80@cid45.00 [210.00-1630.00]', '+ c d Full ms2 808.42@cid45.00 [210.00-1630.00]', '+ c d Full ms2 809.38@cid45.00 [210.00-1630.00]', '+ c d Full ms2 809.59@cid45.00 [210.00-1630.00]', '+ c d Full ms2 810.39@cid45.00 [210.00-1635.00]', '+ c d Full ms2 811.34@cid45.00 [210.00-1635.00]', '+ c d Full ms2 811.61@cid45.00 [210.00-1635.00]', '+ c d Full ms2 812.20@cid45.00 [210.00-1635.00]', '+ c d Full ms2 812.49@cid45.00 [210.00-1635.00]', '+ c d Full ms2 814.31@cid45.00 [210.00-1640.00]', '+ c d Full ms2 815.32@cid45.00 [210.00-1645.00]', '+ c d Full ms2 815.92@cid45.00 [210.00-1645.00]', '+ c d Full ms2 816.26@cid45.00 [210.00-1645.00]', '+ c d Full ms2 816.51@cid45.00 [210.00-1645.00]', '+ c d Full ms2 817.43@cid45.00 [215.00-1645.00]', '+ c d Full ms2 817.78@cid45.00 [215.00-1650.00]', '+ c d Full ms2 818.41@cid45.00 [215.00-1650.00]', '+ c d Full ms2 819.38@cid45.00 [215.00-1650.00]', '+ c d Full ms2 822.30@cid45.00 [215.00-1655.00]', '+ c d Full ms2 822.57@cid45.00 [215.00-1660.00]', '+ c d Full ms2 823.22@cid45.00 [215.00-1660.00]', '+ c d Full ms2 823.85@cid45.00 [215.00-1660.00]', '+ c d Full ms2 824.44@cid45.00 [215.00-1660.00]', '+ c d Full ms2 824.96@cid45.00 [215.00-1660.00]', '+ c d Full ms2 826.38@cid45.00 [215.00-1665.00]', '+ c d Full ms2 827.31@cid45.00 [215.00-1665.00]', '+ c d Full ms2 828.41@cid45.00 [215.00-1670.00]', '+ c d Full ms2 829.41@cid45.00 [215.00-1670.00]', '+ c d Full ms2 829.83@cid45.00 [215.00-1670.00]', '+ c d Full ms2 830.10@cid45.00 [215.00-1675.00]', '+ c d Full ms2 830.83@cid45.00 [215.00-1675.00]', '+ c d Full ms2 831.41@cid45.00 [215.00-1675.00]', '+ c d Full ms2 832.41@cid45.00 [215.00-1675.00]', '+ c d Full ms2 834.32@cid45.00 [215.00-1680.00]', '+ c d Full ms2 834.77@cid45.00 [215.00-1680.00]', '+ c d Full ms2 836.43@cid45.00 [220.00-1685.00]', '+ c d Full ms2 837.95@cid45.00 [220.00-1690.00]', '+ c d Full ms2 838.48@cid45.00 [220.00-1690.00]', '+ c d Full ms2 839.40@cid45.00 [220.00-1690.00]', '+ c d Full ms2 842.34@cid45.00 [220.00-1695.00]', '+ c d Full ms2 843.86@cid45.00 [220.00-1700.00]', '+ c d Full ms2 844.20@cid45.00 [220.00-1700.00]', '+ c d Full ms2 844.48@cid45.00 [220.00-1700.00]', '+ c d Full ms2 845.24@cid45.00 [220.00-1705.00]', '+ c d Full ms2 847.69@cid45.00 [220.00-1710.00]', '+ c d Full ms2 848.05@cid45.00 [220.00-1710.00]', '+ c d Full ms2 848.45@cid45.00 [220.00-1710.00]', '+ c d Full ms2 849.37@cid45.00 [220.00-1710.00]', '+ c d Full ms2 849.58@cid45.00 [220.00-1710.00]', '+ c d Full ms2 850.94@cid45.00 [220.00-1715.00]', '+ c d Full ms2 851.34@cid45.00 [220.00-1715.00]', '+ c d Full ms2 852.11@cid45.00 [220.00-1715.00]', '+ c d Full ms2 853.27@cid45.00 [220.00-1720.00]', '+ c d Full ms2 854.04@cid45.00 [225.00-1720.00]', '+ c d Full ms2 854.43@cid45.00 [225.00-1720.00]', '+ c d Full ms2 855.33@cid45.00 [225.00-1725.00]', '+ c d Full ms2 857.32@cid45.00 [225.00-1725.00]', '+ c d Full ms2 858.28@cid45.00 [225.00-1730.00]', '+ c d Full ms2 858.95@cid45.00 [225.00-1730.00]', '+ c d Full ms2 859.35@cid45.00 [225.00-1730.00]', '+ c d Full ms2 860.53@cid45.00 [225.00-1735.00]', '+ c d Full ms2 861.33@cid45.00 [225.00-1735.00]', '+ c d Full ms2 861.93@cid45.00 [225.00-1735.00]', '+ c d Full ms2 862.22@cid45.00 [225.00-1735.00]', '+ c d Full ms2 863.50@cid45.00 [225.00-1740.00]', '+ c d Full ms2 864.06@cid45.00 [225.00-1740.00]', '+ c d Full ms2 864.40@cid45.00 [225.00-1740.00]', '+ c d Full ms2 866.15@cid45.00 [225.00-1745.00]', '+ c d Full ms2 868.39@cid45.00 [225.00-1750.00]', '+ c d Full ms2 868.96@cid45.00 [225.00-1750.00]', '+ c d Full ms2 871.16@cid45.00 [225.00-1755.00]', '+ c d Full ms2 871.67@cid45.00 [225.00-1755.00]', '+ c d Full ms2 872.36@cid45.00 [230.00-1755.00]', '+ c d Full ms2 874.10@cid45.00 [230.00-1760.00]', '+ c d Full ms2 874.39@cid45.00 [230.00-1760.00]', '+ c d Full ms2 875.69@cid45.00 [230.00-1765.00]', '+ c d Full ms2 877.42@cid45.00 [230.00-1765.00]', '+ c d Full ms2 877.53@cid45.00 [230.00-1770.00]', '+ c d Full ms2 880.17@cid45.00 [230.00-1775.00]', '+ c d Full ms2 880.62@cid45.00 [230.00-1775.00]', '+ c d Full ms2 881.11@cid45.00 [230.00-1775.00]', '+ c d Full ms2 881.42@cid45.00 [230.00-1775.00]', '+ c d Full ms2 881.83@cid45.00 [230.00-1775.00]', '+ c d Full ms2 884.41@cid45.00 [230.00-1780.00]', '+ c d Full ms2 885.52@cid45.00 [230.00-1785.00]', '+ c d Full ms2 885.82@cid45.00 [230.00-1785.00]', '+ c d Full ms2 888.12@cid45.00 [230.00-1790.00]', '+ c d Full ms2 889.17@cid45.00 [230.00-1790.00]', '+ c d Full ms2 889.78@cid45.00 [230.00-1790.00]', '+ c d Full ms2 890.33@cid45.00 [235.00-1795.00]', '+ c d Full ms2 891.38@cid45.00 [235.00-1795.00]', '+ c d Full ms2 891.70@cid45.00 [235.00-1795.00]', '+ c d Full ms2 892.68@cid45.00 [235.00-1800.00]', '+ c d Full ms2 894.59@cid45.00 [235.00-1800.00]', '+ c d Full ms2 894.89@cid45.00 [235.00-1800.00]', '+ c d Full ms2 895.20@cid45.00 [235.00-1805.00]', '+ c d Full ms2 895.45@cid45.00 [235.00-1805.00]', '+ c d Full ms2 896.19@cid45.00 [235.00-1805.00]', '+ c d Full ms2 896.71@cid45.00 [235.00-1805.00]', '+ c d Full ms2 899.26@cid45.00 [235.00-1810.00]', '+ c d Full ms2 899.51@cid45.00 [235.00-1810.00]', '+ c d Full ms2 899.94@cid45.00 [235.00-1810.00]', '+ c d Full ms2 900.15@cid45.00 [235.00-1815.00]', '+ c d Full ms2 900.86@cid45.00 [235.00-1815.00]', '+ c d Full ms2 901.06@cid45.00 [235.00-1815.00]', '+ c d Full ms2 901.40@cid45.00 [235.00-1815.00]', '+ c d Full ms2 902.55@cid45.00 [235.00-1820.00]', '+ c d Full ms2 902.80@cid45.00 [235.00-1820.00]', '+ c d Full ms2 904.25@cid45.00 [235.00-1820.00]', '+ c d Full ms2 904.63@cid45.00 [235.00-1820.00]', '+ c d Full ms2 905.13@cid45.00 [235.00-1825.00]', '+ c d Full ms2 905.38@cid45.00 [235.00-1825.00]', '+ c d Full ms2 905.59@cid45.00 [235.00-1825.00]', '+ c d Full ms2 906.01@cid45.00 [235.00-1825.00]', '+ c d Full ms2 906.48@cid45.00 [235.00-1825.00]', '+ c d Full ms2 906.87@cid45.00 [235.00-1825.00]', '+ c d Full ms2 907.11@cid45.00 [235.00-1825.00]', '+ c d Full ms2 907.97@cid45.00 [235.00-1830.00]', '+ c d Full ms2 908.40@cid45.00 [240.00-1830.00]', '+ c d Full ms2 909.43@cid45.00 [240.00-1830.00]', '+ c d Full ms2 910.07@cid45.00 [240.00-1835.00]', '+ c d Full ms2 910.74@cid45.00 [240.00-1835.00]', '+ c d Full ms2 911.04@cid45.00 [240.00-1835.00]', '+ c d Full ms2 911.42@cid45.00 [240.00-1835.00]', '+ c d Full ms2 911.83@cid45.00 [240.00-1835.00]', '+ c d Full ms2 912.10@cid45.00 [240.00-1835.00]', '+ c d Full ms2 912.46@cid45.00 [240.00-1835.00]', '+ c d Full ms2 912.56@cid45.00 [240.00-1840.00]', '+ c d Full ms2 913.88@cid45.00 [240.00-1840.00]', '+ c d Full ms2 914.39@cid45.00 [240.00-1840.00]', '+ c d Full ms2 914.93@cid45.00 [240.00-1840.00]', '+ c d Full ms2 915.89@cid45.00 [240.00-1845.00]', '+ c d Full ms2 916.33@cid45.00 [240.00-1845.00]', '+ c d Full ms2 917.65@cid45.00 [240.00-1850.00]', '+ c d Full ms2 918.07@cid45.00 [240.00-1850.00]', '+ c d Full ms2 918.29@cid45.00 [240.00-1850.00]', '+ c d Full ms2 918.76@cid45.00 [240.00-1850.00]', '+ c d Full ms2 919.63@cid45.00 [240.00-1850.00]', '+ c d Full ms2 920.02@cid45.00 [240.00-1855.00]', '+ c d Full ms2 921.31@cid45.00 [240.00-1855.00]', '+ c d Full ms2 921.59@cid45.00 [240.00-1855.00]', '+ c d Full ms2 923.39@cid45.00 [240.00-1860.00]', '+ c d Full ms2 923.80@cid45.00 [240.00-1860.00]', '+ c d Full ms2 924.41@cid45.00 [240.00-1860.00]', '+ c d Full ms2 924.66@cid45.00 [240.00-1860.00]', '+ c d Full ms2 925.38@cid45.00 [240.00-1865.00]', '+ c d Full ms2 925.78@cid45.00 [240.00-1865.00]', '+ c d Full ms2 926.96@cid45.00 [245.00-1865.00]', '+ c d Full ms2 927.27@cid45.00 [245.00-1865.00]', '+ c d Full ms2 927.54@cid45.00 [245.00-1870.00]', '+ c d Full ms2 928.26@cid45.00 [245.00-1870.00]', '+ c d Full ms2 928.84@cid45.00 [245.00-1870.00]', '+ c d Full ms2 929.24@cid45.00 [245.00-1870.00]', '+ c d Full ms2 929.48@cid45.00 [245.00-1870.00]', '+ c d Full ms2 930.67@cid45.00 [245.00-1875.00]', '+ c d Full ms2 931.41@cid45.00 [245.00-1875.00]', '+ c d Full ms2 932.60@cid45.00 [245.00-1880.00]', '+ c d Full ms2 933.16@cid45.00 [245.00-1880.00]', '+ c d Full ms2 933.47@cid45.00 [245.00-1880.00]', '+ c d Full ms2 933.69@cid45.00 [245.00-1880.00]', '+ c d Full ms2 935.15@cid45.00 [245.00-1885.00]', '+ c d Full ms2 936.08@cid45.00 [245.00-1885.00]', '+ c d Full ms2 936.38@cid45.00 [245.00-1885.00]', '+ c d Full ms2 937.44@cid45.00 [245.00-1885.00]', '+ c d Full ms2 937.84@cid45.00 [245.00-1890.00]', '+ c d Full ms2 938.13@cid45.00 [245.00-1890.00]', '+ c d Full ms2 938.36@cid45.00 [245.00-1890.00]', '+ c d Full ms2 939.80@cid45.00 [245.00-1890.00]', '+ c d Full ms2 940.24@cid45.00 [245.00-1895.00]', '+ c d Full ms2 940.44@cid45.00 [245.00-1895.00]', '+ c d Full ms2 941.62@cid45.00 [245.00-1895.00]', '+ c d Full ms2 942.72@cid45.00 [245.00-1900.00]', '+ c d Full ms2 943.05@cid45.00 [245.00-1900.00]', '+ c d Full ms2 943.47@cid45.00 [245.00-1900.00]', '+ c d Full ms2 944.40@cid45.00 [250.00-1900.00]', '+ c d Full ms2 944.97@cid45.00 [250.00-1900.00]', '+ c d Full ms2 945.37@cid45.00 [250.00-1905.00]', '+ c d Full ms2 945.91@cid45.00 [250.00-1905.00]', '+ c d Full ms2 946.43@cid45.00 [250.00-1905.00]', '+ c d Full ms2 947.74@cid45.00 [250.00-1910.00]', '+ c d Full ms2 949.47@cid45.00 [250.00-1910.00]', '+ c d Full ms2 950.47@cid45.00 [250.00-1915.00]', '+ c d Full ms2 950.94@cid45.00 [250.00-1915.00]', '+ c d Full ms2 951.32@cid45.00 [250.00-1915.00]', '+ c d Full ms2 952.53@cid45.00 [250.00-1920.00]', '+ c d Full ms2 953.41@cid45.00 [250.00-1920.00]', '+ c d Full ms2 953.71@cid45.00 [250.00-1920.00]', '+ c d Full ms2 954.96@cid45.00 [250.00-1920.00]', '+ c d Full ms2 955.59@cid45.00 [250.00-1925.00]', '+ c d Full ms2 957.40@cid45.00 [250.00-1925.00]', '+ c d Full ms2 957.52@cid45.00 [250.00-1930.00]', '+ c d Full ms2 957.87@cid45.00 [250.00-1930.00]', '+ c d Full ms2 958.27@cid45.00 [250.00-1930.00]', '+ c d Full ms2 959.14@cid45.00 [250.00-1930.00]', '+ c d Full ms2 959.37@cid45.00 [250.00-1930.00]', '+ c d Full ms2 959.72@cid45.00 [250.00-1930.00]', '+ c d Full ms2 960.41@cid45.00 [250.00-1935.00]', '+ c d Full ms2 960.63@cid45.00 [250.00-1935.00]', '+ c d Full ms2 961.10@cid45.00 [250.00-1935.00]', '+ c d Full ms2 961.41@cid45.00 [250.00-1935.00]', '+ c d Full ms2 961.62@cid45.00 [250.00-1935.00]', '+ c d Full ms2 962.85@cid45.00 [255.00-1940.00]', '+ c d Full ms2 963.39@cid45.00 [255.00-1940.00]', '+ c d Full ms2 963.88@cid45.00 [255.00-1940.00]', '+ c d Full ms2 964.72@cid45.00 [255.00-1940.00]', '+ c d Full ms2 966.25@cid45.00 [255.00-1945.00]', '+ c d Full ms2 966.49@cid45.00 [255.00-1945.00]', '+ c d Full ms2 967.28@cid45.00 [255.00-1945.00]', '+ c d Full ms2 967.52@cid45.00 [255.00-1950.00]', '+ c d Full ms2 968.08@cid45.00 [255.00-1950.00]', '+ c d Full ms2 968.34@cid45.00 [255.00-1950.00]', '+ c d Full ms2 968.57@cid45.00 [255.00-1950.00]', '+ c d Full ms2 969.52@cid45.00 [255.00-1950.00]', '+ c d Full ms2 970.16@cid45.00 [255.00-1955.00]', '+ c d Full ms2 970.68@cid45.00 [255.00-1955.00]', '+ c d Full ms2 971.01@cid45.00 [255.00-1955.00]', '+ c d Full ms2 971.61@cid45.00 [255.00-1955.00]', '+ c d Full ms2 972.29@cid45.00 [255.00-1955.00]', '+ c d Full ms2 972.81@cid45.00 [255.00-1960.00]', '+ c d Full ms2 973.12@cid45.00 [255.00-1960.00]', '+ c d Full ms2 973.40@cid45.00 [255.00-1960.00]', '+ c d Full ms2 974.29@cid45.00 [255.00-1960.00]', '+ c d Full ms2 974.78@cid45.00 [255.00-1960.00]', '+ c d Full ms2 975.58@cid45.00 [255.00-1965.00]', '+ c d Full ms2 976.62@cid45.00 [255.00-1965.00]', '+ c d Full ms2 977.65@cid45.00 [255.00-1970.00]', '+ c d Full ms2 978.57@cid45.00 [255.00-1970.00]', '+ c d Full ms2 979.30@cid45.00 [255.00-1970.00]', '+ c d Full ms2 979.59@cid45.00 [255.00-1970.00]', '+ c d Full ms2 980.18@cid45.00 [255.00-1975.00]', '+ c d Full ms2 980.40@cid45.00 [255.00-1975.00]', '+ c d Full ms2 980.63@cid45.00 [255.00-1975.00]', '+ c d Full ms2 981.06@cid45.00 [260.00-1975.00]', '+ c d Full ms2 981.61@cid45.00 [260.00-1975.00]', '+ c d Full ms2 981.95@cid45.00 [260.00-1975.00]', '+ c d Full ms2 983.47@cid45.00 [260.00-1980.00]', '+ c d Full ms2 984.00@cid45.00 [260.00-1980.00]', '+ c d Full ms2 984.44@cid45.00 [260.00-1980.00]', '+ c d Full ms2 985.39@cid45.00 [260.00-1985.00]', '+ c d Full ms2 985.72@cid45.00 [260.00-1985.00]', '+ c d Full ms2 986.31@cid45.00 [260.00-1985.00]', '+ c d Full ms2 986.63@cid45.00 [260.00-1985.00]', '+ c d Full ms2 987.41@cid45.00 [260.00-1985.00]', '+ c d Full ms2 988.69@cid45.00 [260.00-1990.00]', '+ c d Full ms2 989.35@cid45.00 [260.00-1990.00]', '+ c d Full ms2 990.43@cid45.00 [260.00-1995.00]', '+ c d Full ms2 991.27@cid45.00 [260.00-1995.00]', '+ c d Full ms2 991.56@cid45.00 [260.00-1995.00]', '+ c d Full ms2 993.08@cid45.00 [260.00-2000.00]', '+ c d Full ms2 993.41@cid45.00 [260.00-2000.00]', '+ c d Full ms2 993.96@cid45.00 [260.00-2000.00]', '+ c d Full ms2 994.22@cid45.00 [260.00-2000.00]', '+ c d Full ms2 994.80@cid45.00 [260.00-2000.00]', '+ c d Full ms2 995.06@cid45.00 [260.00-2000.00]', '+ c d Full ms2 996.25@cid45.00 [260.00-2000.00]', '+ c d Full ms2 997.38@cid45.00 [260.00-2000.00]', '+ c d Full ms2 998.27@cid45.00 [260.00-2000.00]', '+ c d Full ms2 998.52@cid45.00 [260.00-2000.00]', '+ c d Full ms2 998.96@cid45.00 [265.00-2000.00]', '+ c d Full ms2 999.55@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1000.25@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1001.01@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1001.35@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1001.95@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1002.42@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1002.87@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1004.08@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1004.45@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1005.47@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1006.25@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1006.51@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1007.01@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1007.26@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1007.91@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1008.44@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1008.86@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1009.09@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1009.30@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1009.75@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1010.13@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1010.62@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1011.22@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1011.43@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1011.75@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1012.56@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1012.84@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1013.70@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1014.12@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1014.93@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1015.18@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1015.49@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1015.77@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1016.20@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1016.66@cid45.00 [265.00-2000.00]', '+ c d Full ms2 1017.51@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1018.19@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1018.55@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1018.80@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1019.95@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1020.39@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1020.68@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1020.97@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1021.26@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1021.77@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1022.47@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1022.75@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1023.14@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1023.35@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1024.71@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1024.99@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1025.58@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1026.89@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1027.19@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1027.44@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1027.70@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1029.41@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1029.64@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1030.50@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1031.04@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1031.70@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1032.71@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1033.07@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1033.82@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1034.38@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1034.87@cid45.00 [270.00-2000.00]', '+ c d Full ms2 1035.62@cid45.00 [275.00-2000.00]', '+ c d Full ms2 1036.45@cid45.00 [275.00-2000.00]', '+ c d Full ms2 1036.77@cid45.00 [275.00-2000.00]', '+ c d Full ms2 1037.18@cid45.00 [275.00-2000.00]', '+ c d Full ms2 1037.41@cid45.00 [275.00-2000.00]', '+ c d Full ms2 1038.50@cid45.00 [275.00-2000.00]', '+ c d Full ms2 1041.84@cid45.00 [275.00-2000.00]', '+ c d Full ms2 1042.75@cid45.00 [275.00-2000.00]', '+ c d Full ms2 1043.90@cid45.00 [275.00-2000.00]', '+ c d Full ms2 1044.24@cid45.00 [275.00-2000.00]', '+ c d Full ms2 1044.67@cid45.00 [275.00-2000.00]', '+ c d Full ms2 1045.25@cid45.00 [275.00-2000.00]', '+ c d Full ms2 1046.43@cid45.00 [275.00-2000.00]', '+ c d Full ms2 1046.98@cid45.00 [275.00-2000.00]', '+ c d Full ms2 1047.65@cid45.00 [275.00-2000.00]', '+ c d Full ms2 1048.43@cid45.00 [275.00-2000.00]', '+ c d Full ms2 1048.94@cid45.00 [275.00-2000.00]', '+ c d Full ms2 1050.59@cid45.00 [275.00-2000.00]', '+ c d Full ms2 1051.41@cid45.00 [275.00-2000.00]', '+ c d Full ms2 1054.08@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1054.41@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1054.62@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1054.98@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1055.28@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1055.88@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1056.12@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1056.48@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1056.79@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1057.15@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1057.47@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1057.83@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1058.05@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1058.59@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1059.30@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1059.56@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1059.82@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1060.14@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1060.39@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1060.72@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1061.09@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1061.54@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1062.15@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1062.80@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1063.83@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1064.40@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1065.47@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1067.25@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1067.57@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1068.17@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1068.42@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1068.66@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1069.23@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1070.10@cid45.00 [280.00-2000.00]', '+ c d Full ms2 1071.46@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1072.28@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1073.35@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1073.59@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1074.02@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1074.43@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1074.89@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1075.40@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1077.00@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1077.85@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1078.07@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1078.30@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1078.74@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1079.00@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1079.57@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1080.21@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1080.71@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1081.47@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1081.85@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1082.42@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1082.84@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1083.33@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1083.91@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1084.39@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1084.66@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1085.02@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1085.29@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1085.69@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1086.39@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1087.02@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1087.51@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1088.67@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1089.29@cid45.00 [285.00-2000.00]', '+ c d Full ms2 1089.81@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1090.03@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1090.26@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1090.73@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1091.02@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1091.34@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1092.35@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1092.72@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1093.42@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1094.32@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1094.68@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1095.12@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1095.35@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1095.75@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1096.07@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1096.44@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1096.91@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1097.48@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1097.81@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1098.33@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1098.98@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1099.26@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1099.47@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1100.24@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1101.06@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1101.40@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1101.72@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1102.20@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1102.66@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1103.11@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1103.47@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1104.23@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1104.49@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1105.22@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1105.49@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1106.09@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1106.60@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1106.84@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1107.09@cid45.00 [290.00-2000.00]', '+ c d Full ms2 1107.87@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1108.14@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1108.35@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1108.78@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1110.17@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1110.39@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1111.11@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1112.47@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1112.92@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1113.29@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1113.71@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1114.10@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1114.37@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1114.69@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1115.44@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1116.28@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1116.87@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1117.14@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1118.29@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1118.50@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1119.32@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1119.70@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1120.73@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1121.24@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1121.70@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1122.20@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1123.35@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1124.20@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1124.50@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1124.82@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1125.56@cid45.00 [295.00-2000.00]', '+ c d Full ms2 1125.99@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1126.45@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1127.51@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1127.73@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1128.26@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1128.86@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1129.18@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1129.79@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1130.50@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1131.65@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1132.30@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1132.75@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1133.12@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1133.47@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1133.92@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1134.30@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1134.56@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1134.79@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1135.14@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1135.47@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1135.80@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1136.69@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1136.91@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1137.32@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1138.01@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1138.68@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1139.00@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1139.47@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1140.12@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1140.39@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1141.30@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1141.99@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1142.61@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1143.15@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1143.57@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1144.04@cid45.00 [300.00-2000.00]', '+ c d Full ms2 1144.28@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1144.70@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1145.82@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1146.04@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1146.43@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1147.03@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1147.36@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1147.67@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1148.34@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1148.56@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1148.84@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1151.55@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1151.75@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1152.55@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1152.80@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1153.07@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1153.53@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1153.92@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1154.35@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1155.06@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1155.29@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1155.50@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1156.28@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1156.54@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1156.76@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1157.03@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1157.25@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1157.91@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1158.18@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1158.54@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1160.86@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1161.43@cid45.00 [305.00-2000.00]', '+ c d Full ms2 1162.67@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1163.21@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1163.42@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1163.80@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1165.94@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1166.17@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1166.71@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1167.32@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1167.79@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1168.12@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1168.45@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1168.78@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1169.17@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1169.84@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1170.13@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1170.53@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1170.91@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1171.23@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1171.54@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1172.03@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1172.24@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1172.66@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1173.19@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1173.52@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1173.81@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1174.07@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1174.38@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1174.99@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1175.29@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1175.57@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1176.00@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1176.65@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1176.86@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1177.27@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1178.16@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1179.94@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1180.24@cid45.00 [310.00-2000.00]', '+ c d Full ms2 1180.49@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1180.76@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1180.98@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1181.45@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1181.89@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1182.20@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1182.49@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1183.36@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1185.39@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1185.61@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1186.62@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1187.45@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1187.83@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1188.39@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1188.63@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1189.41@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1190.32@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1190.52@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1190.74@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1191.20@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1191.84@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1192.25@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1192.60@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1193.22@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1193.45@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1193.74@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1194.50@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1194.78@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1196.48@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1197.12@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1197.75@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1198.28@cid45.00 [315.00-2000.00]', '+ c d Full ms2 1198.73@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1199.00@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1199.39@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1200.39@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1201.28@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1201.59@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1202.54@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1202.89@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1203.29@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1203.83@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1204.12@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1204.37@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1204.65@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1205.07@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1205.61@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1206.31@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1206.89@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1207.11@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1208.02@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1208.33@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1208.70@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1209.72@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1210.00@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1210.23@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1210.58@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1211.29@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1212.35@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1212.86@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1213.29@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1213.64@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1213.92@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1214.21@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1214.56@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1215.03@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1215.58@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1216.30@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1216.59@cid45.00 [320.00-2000.00]', '+ c d Full ms2 1217.65@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1218.19@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1218.66@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1218.86@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1220.87@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1221.49@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1222.00@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1223.12@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1223.40@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1223.61@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1224.13@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1224.50@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1224.96@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1225.20@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1225.41@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1226.17@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1226.41@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1226.63@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1227.12@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1227.36@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1227.77@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1228.09@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1228.38@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1228.62@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1230.05@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1230.35@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1230.61@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1230.86@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1231.10@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1231.37@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1231.93@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1232.75@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1233.36@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1234.07@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1234.42@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1234.67@cid45.00 [325.00-2000.00]', '+ c d Full ms2 1234.93@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1235.52@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1235.73@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1235.99@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1236.30@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1236.76@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1237.14@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1237.37@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1237.78@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1238.83@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1239.12@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1239.38@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1239.91@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1240.22@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1240.67@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1241.34@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1241.56@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1242.47@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1242.82@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1243.28@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1243.90@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1244.23@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1244.65@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1244.92@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1245.29@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1245.83@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1246.05@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1246.35@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1246.68@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1246.93@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1247.58@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1247.86@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1248.24@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1248.67@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1249.26@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1250.34@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1251.56@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1251.76@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1252.31@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1252.76@cid45.00 [330.00-2000.00]', '+ c d Full ms2 1253.64@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1254.24@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1254.45@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1255.05@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1255.49@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1256.62@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1257.46@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1258.58@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1259.45@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1260.52@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1261.08@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1261.50@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1261.81@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1262.19@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1262.55@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1262.80@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1263.25@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1263.54@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1264.09@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1264.47@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1264.98@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1265.77@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1266.07@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1266.38@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1266.73@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1267.36@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1267.58@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1267.88@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1268.14@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1270.59@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1270.81@cid45.00 [335.00-2000.00]', '+ c d Full ms2 1271.40@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1272.27@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1272.94@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1273.73@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1274.08@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1274.36@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1275.42@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1276.44@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1276.93@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1277.16@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1277.61@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1278.78@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1279.03@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1279.53@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1280.60@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1281.27@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1281.83@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1282.33@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1282.74@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1282.97@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1283.30@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1284.12@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1284.78@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1285.21@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1285.44@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1285.69@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1286.05@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1286.46@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1286.88@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1287.34@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1287.80@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1288.07@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1288.97@cid45.00 [340.00-2000.00]', '+ c d Full ms2 1290.42@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1290.65@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1291.10@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1291.64@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1292.97@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1293.49@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1293.93@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1294.83@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1295.24@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1295.61@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1295.94@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1296.69@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1297.01@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1297.68@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1298.05@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1299.23@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1300.22@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1300.51@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1300.73@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1301.46@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1302.36@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1302.71@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1302.97@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1304.04@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1304.53@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1305.66@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1305.97@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1306.31@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1306.58@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1306.86@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1307.31@cid45.00 [345.00-2000.00]', '+ c d Full ms2 1307.77@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1308.12@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1308.41@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1308.65@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1309.23@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1309.45@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1309.77@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1310.15@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1310.65@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1311.05@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1311.44@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1311.87@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1312.20@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1312.72@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1314.60@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1314.84@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1317.11@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1317.51@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1317.95@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1318.36@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1319.03@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1319.44@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1319.86@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1320.14@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1320.41@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1320.93@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1321.15@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1321.42@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1322.17@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1322.74@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1323.14@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1323.45@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1323.83@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1324.05@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1324.29@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1324.84@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1325.08@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1325.46@cid45.00 [350.00-2000.00]', '+ c d Full ms2 1325.82@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1326.18@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1326.54@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1327.18@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1327.64@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1328.13@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1328.42@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1328.82@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1329.61@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1329.83@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1330.08@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1330.51@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1330.74@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1331.12@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1332.79@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1333.02@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1334.25@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1334.67@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1334.98@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1335.38@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1335.84@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1336.31@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1336.74@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1337.12@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1337.83@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1338.08@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1338.42@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1339.64@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1341.24@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1342.18@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1342.62@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1342.97@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1343.62@cid45.00 [355.00-2000.00]', '+ c d Full ms2 1343.98@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1344.75@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1345.79@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1346.06@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1346.69@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1347.54@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1348.21@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1349.06@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1349.44@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1350.65@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1351.56@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1353.17@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1353.46@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1354.26@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1354.55@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1354.75@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1355.26@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1355.83@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1356.39@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1357.27@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1357.87@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1358.31@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1358.81@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1359.11@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1359.40@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1359.73@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1360.49@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1361.20@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1361.46@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1361.67@cid45.00 [360.00-2000.00]', '+ c d Full ms2 1362.04@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1362.27@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1362.48@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1362.72@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1363.34@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1364.21@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1365.97@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1366.55@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1367.12@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1367.35@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1367.82@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1368.08@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1368.80@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1370.16@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1370.36@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1371.30@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1371.73@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1372.28@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1372.66@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1373.38@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1373.98@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1374.39@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1374.84@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1375.35@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1375.61@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1376.23@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1376.56@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1377.09@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1377.46@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1378.79@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1379.48@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1380.14@cid45.00 [365.00-2000.00]', '+ c d Full ms2 1380.38@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1380.65@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1381.89@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1382.58@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1383.46@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1383.84@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1384.39@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1385.17@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1385.54@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1386.28@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1386.50@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1386.80@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1387.25@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1387.49@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1387.82@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1388.89@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1390.17@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1390.77@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1391.02@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1391.31@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1391.73@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1392.30@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1392.51@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1393.31@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1393.52@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1394.48@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1394.76@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1395.99@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1396.55@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1397.84@cid45.00 [370.00-2000.00]', '+ c d Full ms2 1398.59@cid45.00 [375.00-2000.00]', '+ c d Full ms2 1402.18@cid45.00 [375.00-2000.00]', '+ c d Full ms2 1402.47@cid45.00 [375.00-2000.00]', '+ c d Full ms2 1404.40@cid45.00 [375.00-2000.00]', '+ c d Full ms2 1405.00@cid45.00 [375.00-2000.00]', '+ c d Full ms2 1405.30@cid45.00 [375.00-2000.00]', '+ c d Full ms2 1406.30@cid45.00 [375.00-2000.00]', '+ c d Full ms2 1406.66@cid45.00 [375.00-2000.00]', '+ c d Full ms2 1408.27@cid45.00 [375.00-2000.00]', '+ c d Full ms2 1409.03@cid45.00 [375.00-2000.00]', '+ c d Full ms2 1409.48@cid45.00 [375.00-2000.00]', '+ c d Full ms2 1409.75@cid45.00 [375.00-2000.00]', '+ c d Full ms2 1410.07@cid45.00 [375.00-2000.00]', '+ c d Full ms2 1410.29@cid45.00 [375.00-2000.00]', '+ c d Full ms2 1410.55@cid45.00 [375.00-2000.00]', '+ c d Full ms2 1411.75@cid45.00 [375.00-2000.00]', '+ c d Full ms2 1412.08@cid45.00 [375.00-2000.00]', '+ c d Full ms2 1412.49@cid45.00 [375.00-2000.00]', '+ c d Full ms2 1413.12@cid45.00 [375.00-2000.00]', '+ c d Full ms2 1413.60@cid45.00 [375.00-2000.00]', '+ c d Full ms2 1413.84@cid45.00 [375.00-2000.00]', '+ c d Full ms2 1414.16@cid45.00 [375.00-2000.00]', '+ c d Full ms2 1415.51@cid45.00 [375.00-2000.00]', '+ c d Full ms2 1415.98@cid45.00 [375.00-2000.00]', '+ c d Full ms2 1416.85@cid45.00 [380.00-2000.00]', '+ c d Full ms2 1418.04@cid45.00 [380.00-2000.00]', '+ c d Full ms2 1418.27@cid45.00 [380.00-2000.00]', '+ c d Full ms2 1419.24@cid45.00 [380.00-2000.00]', '+ c d Full ms2 1420.18@cid45.00 [380.00-2000.00]', '+ c d Full ms2 1420.97@cid45.00 [380.00-2000.00]', '+ c d Full ms2 1421.21@cid45.00 [380.00-2000.00]', '+ c d Full ms2 1421.74@cid45.00 [380.00-2000.00]', '+ c d Full ms2 1422.15@cid45.00 [380.00-2000.00]', '+ c d Full ms2 1422.40@cid45.00 [380.00-2000.00]', '+ c d Full ms2 1423.47@cid45.00 [380.00-2000.00]', '+ c d Full ms2 1423.76@cid45.00 [380.00-2000.00]', '+ c d Full ms2 1424.28@cid45.00 [380.00-2000.00]', '+ c d Full ms2 1424.80@cid45.00 [380.00-2000.00]', '+ c d Full ms2 1425.36@cid45.00 [380.00-2000.00]', '+ c d Full ms2 1425.80@cid45.00 [380.00-2000.00]', '+ c d Full ms2 1426.23@cid45.00 [380.00-2000.00]', '+ c d Full ms2 1426.56@cid45.00 [380.00-2000.00]', '+ c d Full ms2 1427.23@cid45.00 [380.00-2000.00]', '+ c d Full ms2 1427.57@cid45.00 [380.00-2000.00]', '+ c d Full ms2 1428.18@cid45.00 [380.00-2000.00]', '+ c d Full ms2 1429.93@cid45.00 [380.00-2000.00]', '+ c d Full ms2 1431.09@cid45.00 [380.00-2000.00]', '+ c d Full ms2 1431.33@cid45.00 [380.00-2000.00]', '+ c d Full ms2 1434.59@cid45.00 [380.00-2000.00]', '+ c d Full ms2 1435.30@cid45.00 [385.00-2000.00]', '+ c d Full ms2 1435.81@cid45.00 [385.00-2000.00]', '+ c d Full ms2 1436.55@cid45.00 [385.00-2000.00]', '+ c d Full ms2 1438.42@cid45.00 [385.00-2000.00]', '+ c d Full ms2 1438.62@cid45.00 [385.00-2000.00]', '+ c d Full ms2 1439.33@cid45.00 [385.00-2000.00]', '+ c d Full ms2 1440.17@cid45.00 [385.00-2000.00]', '+ c d Full ms2 1440.77@cid45.00 [385.00-2000.00]', '+ c d Full ms2 1441.16@cid45.00 [385.00-2000.00]', '+ c d Full ms2 1441.44@cid45.00 [385.00-2000.00]', '+ c d Full ms2 1442.61@cid45.00 [385.00-2000.00]', '+ c d Full ms2 1443.12@cid45.00 [385.00-2000.00]', '+ c d Full ms2 1443.47@cid45.00 [385.00-2000.00]', '+ c d Full ms2 1443.92@cid45.00 [385.00-2000.00]', '+ c d Full ms2 1444.46@cid45.00 [385.00-2000.00]', '+ c d Full ms2 1445.53@cid45.00 [385.00-2000.00]', '+ c d Full ms2 1446.72@cid45.00 [385.00-2000.00]', '+ c d Full ms2 1447.22@cid45.00 [385.00-2000.00]', '+ c d Full ms2 1447.53@cid45.00 [385.00-2000.00]', '+ c d Full ms2 1448.12@cid45.00 [385.00-2000.00]', '+ c d Full ms2 1448.42@cid45.00 [385.00-2000.00]', '+ c d Full ms2 1448.92@cid45.00 [385.00-2000.00]', '+ c d Full ms2 1449.40@cid45.00 [385.00-2000.00]', '+ c d Full ms2 1449.66@cid45.00 [385.00-2000.00]', '+ c d Full ms2 1450.57@cid45.00 [385.00-2000.00]', '+ c d Full ms2 1451.32@cid45.00 [385.00-2000.00]', '+ c d Full ms2 1451.96@cid45.00 [385.00-2000.00]', '+ c d Full ms2 1453.03@cid45.00 [390.00-2000.00]', '+ c d Full ms2 1453.69@cid45.00 [390.00-2000.00]', '+ c d Full ms2 1453.99@cid45.00 [390.00-2000.00]', '+ c d Full ms2 1455.12@cid45.00 [390.00-2000.00]', '+ c d Full ms2 1455.82@cid45.00 [390.00-2000.00]', '+ c d Full ms2 1456.19@cid45.00 [390.00-2000.00]', '+ c d Full ms2 1456.65@cid45.00 [390.00-2000.00]', '+ c d Full ms2 1456.87@cid45.00 [390.00-2000.00]', '+ c d Full ms2 1457.36@cid45.00 [390.00-2000.00]', '+ c d Full ms2 1457.68@cid45.00 [390.00-2000.00]', '+ c d Full ms2 1458.17@cid45.00 [390.00-2000.00]', '+ c d Full ms2 1458.57@cid45.00 [390.00-2000.00]', '+ c d Full ms2 1459.12@cid45.00 [390.00-2000.00]', '+ c d Full ms2 1460.04@cid45.00 [390.00-2000.00]', '+ c d Full ms2 1460.68@cid45.00 [390.00-2000.00]', '+ c d Full ms2 1461.25@cid45.00 [390.00-2000.00]', '+ c d Full ms2 1461.54@cid45.00 [390.00-2000.00]', '+ c d Full ms2 1461.79@cid45.00 [390.00-2000.00]', '+ c d Full ms2 1463.28@cid45.00 [390.00-2000.00]', '+ c d Full ms2 1464.01@cid45.00 [390.00-2000.00]', '+ c d Full ms2 1464.44@cid45.00 [390.00-2000.00]', '+ c d Full ms2 1465.71@cid45.00 [390.00-2000.00]', '+ c d Full ms2 1467.27@cid45.00 [390.00-2000.00]', '+ c d Full ms2 1469.86@cid45.00 [390.00-2000.00]', '+ c d Full ms2 1470.24@cid45.00 [390.00-2000.00]', '+ c d Full ms2 1470.98@cid45.00 [395.00-2000.00]', '+ c d Full ms2 1471.87@cid45.00 [395.00-2000.00]', '+ c d Full ms2 1472.75@cid45.00 [395.00-2000.00]', '+ c d Full ms2 1473.08@cid45.00 [395.00-2000.00]', '+ c d Full ms2 1473.61@cid45.00 [395.00-2000.00]', '+ c d Full ms2 1474.05@cid45.00 [395.00-2000.00]', '+ c d Full ms2 1475.78@cid45.00 [395.00-2000.00]', '+ c d Full ms2 1476.67@cid45.00 [395.00-2000.00]', '+ c d Full ms2 1478.23@cid45.00 [395.00-2000.00]', '+ c d Full ms2 1478.78@cid45.00 [395.00-2000.00]', '+ c d Full ms2 1480.73@cid45.00 [395.00-2000.00]', '+ c d Full ms2 1480.94@cid45.00 [395.00-2000.00]', '+ c d Full ms2 1481.18@cid45.00 [395.00-2000.00]', '+ c d Full ms2 1481.69@cid45.00 [395.00-2000.00]', '+ c d Full ms2 1483.68@cid45.00 [395.00-2000.00]', '+ c d Full ms2 1484.16@cid45.00 [395.00-2000.00]', '+ c d Full ms2 1485.03@cid45.00 [395.00-2000.00]', '+ c d Full ms2 1485.56@cid45.00 [395.00-2000.00]', '+ c d Full ms2 1486.16@cid45.00 [395.00-2000.00]', '+ c d Full ms2 1486.68@cid45.00 [395.00-2000.00]', '+ c d Full ms2 1487.22@cid45.00 [395.00-2000.00]', '+ c d Full ms2 1488.95@cid45.00 [395.00-2000.00]', '+ c d Full ms2 1489.16@cid45.00 [400.00-2000.00]', '+ c d Full ms2 1489.60@cid45.00 [400.00-2000.00]', '+ c d Full ms2 1490.51@cid45.00 [400.00-2000.00]', '+ c d Full ms2 1491.64@cid45.00 [400.00-2000.00]', '+ c d Full ms2 1492.19@cid45.00 [400.00-2000.00]', '+ c d Full ms2 1492.51@cid45.00 [400.00-2000.00]', '+ c d Full ms2 1492.90@cid45.00 [400.00-2000.00]', '+ c d Full ms2 1493.60@cid45.00 [400.00-2000.00]', '+ c d Full ms2 1493.98@cid45.00 [400.00-2000.00]', '+ c d Full ms2 1494.28@cid45.00 [400.00-2000.00]', '+ c d Full ms2 1495.28@cid45.00 [400.00-2000.00]', '+ c d Full ms2 1495.80@cid45.00 [400.00-2000.00]', '+ c d Full ms2 1496.26@cid45.00 [400.00-2000.00]', '+ c d Full ms2 1497.46@cid45.00 [400.00-2000.00]', '+ c d Full ms2 1497.97@cid45.00 [400.00-2000.00]', '+ c d Full ms2 1498.68@cid45.00 [400.00-2000.00]', '+ c d Full ms2 1499.23@cid45.00 [400.00-2000.00]', '+ c d Full ms2 1499.66@cid45.00 [400.00-2000.00]', '+ c d Full ms2 1501.32@cid45.00 [400.00-2000.00]', '+ c d Full ms2 1501.93@cid45.00 [400.00-2000.00]', '+ c d Full ms2 1504.87@cid45.00 [400.00-2000.00]', '+ c d Full ms2 1505.39@cid45.00 [400.00-2000.00]', '+ c d Full ms2 1505.70@cid45.00 [400.00-2000.00]', '+ c d Full ms2 1506.53@cid45.00 [400.00-2000.00]', '+ c d Full ms2 1507.59@cid45.00 [405.00-2000.00]', '+ c d Full ms2 1508.64@cid45.00 [405.00-2000.00]', '+ c d Full ms2 1509.00@cid45.00 [405.00-2000.00]', '+ c d Full ms2 1509.34@cid45.00 [405.00-2000.00]', '+ c d Full ms2 1509.83@cid45.00 [405.00-2000.00]', '+ c d Full ms2 1510.37@cid45.00 [405.00-2000.00]', '+ c d Full ms2 1511.93@cid45.00 [405.00-2000.00]', '+ c d Full ms2 1512.57@cid45.00 [405.00-2000.00]', '+ c d Full ms2 1513.31@cid45.00 [405.00-2000.00]', '+ c d Full ms2 1513.89@cid45.00 [405.00-2000.00]', '+ c d Full ms2 1514.12@cid45.00 [405.00-2000.00]', '+ c d Full ms2 1515.71@cid45.00 [405.00-2000.00]', '+ c d Full ms2 1516.48@cid45.00 [405.00-2000.00]', '+ c d Full ms2 1516.89@cid45.00 [405.00-2000.00]', '+ c d Full ms2 1518.14@cid45.00 [405.00-2000.00]', '+ c d Full ms2 1519.06@cid45.00 [405.00-2000.00]', '+ c d Full ms2 1520.53@cid45.00 [405.00-2000.00]', '+ c d Full ms2 1521.33@cid45.00 [405.00-2000.00]', '+ c d Full ms2 1521.56@cid45.00 [405.00-2000.00]', '+ c d Full ms2 1522.25@cid45.00 [405.00-2000.00]', '+ c d Full ms2 1522.70@cid45.00 [405.00-2000.00]', '+ c d Full ms2 1523.83@cid45.00 [405.00-2000.00]', '+ c d Full ms2 1524.64@cid45.00 [405.00-2000.00]', '+ c d Full ms2 1525.14@cid45.00 [405.00-2000.00]', '+ c d Full ms2 1525.71@cid45.00 [410.00-2000.00]', '+ c d Full ms2 1526.39@cid45.00 [410.00-2000.00]', '+ c d Full ms2 1527.35@cid45.00 [410.00-2000.00]', '+ c d Full ms2 1527.89@cid45.00 [410.00-2000.00]', '+ c d Full ms2 1530.51@cid45.00 [410.00-2000.00]', '+ c d Full ms2 1531.26@cid45.00 [410.00-2000.00]', '+ c d Full ms2 1531.79@cid45.00 [410.00-2000.00]', '+ c d Full ms2 1532.11@cid45.00 [410.00-2000.00]', '+ c d Full ms2 1533.10@cid45.00 [410.00-2000.00]', '+ c d Full ms2 1533.49@cid45.00 [410.00-2000.00]', '+ c d Full ms2 1533.95@cid45.00 [410.00-2000.00]', '+ c d Full ms2 1534.83@cid45.00 [410.00-2000.00]', '+ c d Full ms2 1535.28@cid45.00 [410.00-2000.00]', '+ c d Full ms2 1535.55@cid45.00 [410.00-2000.00]', '+ c d Full ms2 1536.16@cid45.00 [410.00-2000.00]', '+ c d Full ms2 1536.62@cid45.00 [410.00-2000.00]', '+ c d Full ms2 1539.44@cid45.00 [410.00-2000.00]', '+ c d Full ms2 1540.18@cid45.00 [410.00-2000.00]', '+ c d Full ms2 1540.43@cid45.00 [410.00-2000.00]', '+ c d Full ms2 1540.98@cid45.00 [410.00-2000.00]', '+ c d Full ms2 1541.43@cid45.00 [410.00-2000.00]', '+ c d Full ms2 1542.33@cid45.00 [410.00-2000.00]', '+ c d Full ms2 1542.87@cid45.00 [410.00-2000.00]', '+ c d Full ms2 1544.34@cid45.00 [415.00-2000.00]', '+ c d Full ms2 1546.55@cid45.00 [415.00-2000.00]', '+ c d Full ms2 1547.23@cid45.00 [415.00-2000.00]', '+ c d Full ms2 1547.59@cid45.00 [415.00-2000.00]', '+ c d Full ms2 1548.33@cid45.00 [415.00-2000.00]', '+ c d Full ms2 1548.59@cid45.00 [415.00-2000.00]', '+ c d Full ms2 1548.99@cid45.00 [415.00-2000.00]', '+ c d Full ms2 1549.96@cid45.00 [415.00-2000.00]', '+ c d Full ms2 1550.56@cid45.00 [415.00-2000.00]', '+ c d Full ms2 1550.78@cid45.00 [415.00-2000.00]', '+ c d Full ms2 1551.14@cid45.00 [415.00-2000.00]', '+ c d Full ms2 1551.42@cid45.00 [415.00-2000.00]', '+ c d Full ms2 1551.67@cid45.00 [415.00-2000.00]', '+ c d Full ms2 1552.36@cid45.00 [415.00-2000.00]', '+ c d Full ms2 1553.50@cid45.00 [415.00-2000.00]', '+ c d Full ms2 1553.85@cid45.00 [415.00-2000.00]', '+ c d Full ms2 1555.23@cid45.00 [415.00-2000.00]', '+ c d Full ms2 1555.47@cid45.00 [415.00-2000.00]', '+ c d Full ms2 1555.76@cid45.00 [415.00-2000.00]', '+ c d Full ms2 1557.34@cid45.00 [415.00-2000.00]', '+ c d Full ms2 1557.80@cid45.00 [415.00-2000.00]', '+ c d Full ms2 1558.03@cid45.00 [415.00-2000.00]', '+ c d Full ms2 1558.85@cid45.00 [415.00-2000.00]', '+ c d Full ms2 1559.67@cid45.00 [415.00-2000.00]', '+ c d Full ms2 1559.93@cid45.00 [415.00-2000.00]', '+ c d Full ms2 1560.67@cid45.00 [415.00-2000.00]', '+ c d Full ms2 1561.46@cid45.00 [415.00-2000.00]', '+ c d Full ms2 1562.85@cid45.00 [420.00-2000.00]', '+ c d Full ms2 1563.38@cid45.00 [420.00-2000.00]', '+ c d Full ms2 1564.01@cid45.00 [420.00-2000.00]', '+ c d Full ms2 1565.13@cid45.00 [420.00-2000.00]', '+ c d Full ms2 1566.08@cid45.00 [420.00-2000.00]', '+ c d Full ms2 1567.21@cid45.00 [420.00-2000.00]', '+ c d Full ms2 1568.19@cid45.00 [420.00-2000.00]', '+ c d Full ms2 1568.44@cid45.00 [420.00-2000.00]', '+ c d Full ms2 1568.97@cid45.00 [420.00-2000.00]', '+ c d Full ms2 1569.38@cid45.00 [420.00-2000.00]', '+ c d Full ms2 1570.17@cid45.00 [420.00-2000.00]', '+ c d Full ms2 1570.87@cid45.00 [420.00-2000.00]', '+ c d Full ms2 1571.28@cid45.00 [420.00-2000.00]', '+ c d Full ms2 1575.42@cid45.00 [420.00-2000.00]', '+ c d Full ms2 1576.01@cid45.00 [420.00-2000.00]', '+ c d Full ms2 1576.26@cid45.00 [420.00-2000.00]', '+ c d Full ms2 1578.12@cid45.00 [420.00-2000.00]', '+ c d Full ms2 1578.87@cid45.00 [420.00-2000.00]', '+ c d Full ms2 1580.11@cid45.00 [425.00-2000.00]', '+ c d Full ms2 1580.75@cid45.00 [425.00-2000.00]', '+ c d Full ms2 1581.76@cid45.00 [425.00-2000.00]', '+ c d Full ms2 1582.34@cid45.00 [425.00-2000.00]', '+ c d Full ms2 1582.73@cid45.00 [425.00-2000.00]', '+ c d Full ms2 1583.71@cid45.00 [425.00-2000.00]', '+ c d Full ms2 1583.95@cid45.00 [425.00-2000.00]', '+ c d Full ms2 1584.17@cid45.00 [425.00-2000.00]', '+ c d Full ms2 1584.78@cid45.00 [425.00-2000.00]', '+ c d Full ms2 1585.39@cid45.00 [425.00-2000.00]', '+ c d Full ms2 1585.67@cid45.00 [425.00-2000.00]', '+ c d Full ms2 1586.38@cid45.00 [425.00-2000.00]', '+ c d Full ms2 1586.96@cid45.00 [425.00-2000.00]', '+ c d Full ms2 1587.46@cid45.00 [425.00-2000.00]', '+ c d Full ms2 1587.91@cid45.00 [425.00-2000.00]', '+ c d Full ms2 1588.67@cid45.00 [425.00-2000.00]', '+ c d Full ms2 1589.52@cid45.00 [425.00-2000.00]', '+ c d Full ms2 1590.04@cid45.00 [425.00-2000.00]', '+ c d Full ms2 1590.89@cid45.00 [425.00-2000.00]', '+ c d Full ms2 1591.99@cid45.00 [425.00-2000.00]', '+ c d Full ms2 1592.20@cid45.00 [425.00-2000.00]', '+ c d Full ms2 1592.69@cid45.00 [425.00-2000.00]', '+ c d Full ms2 1592.96@cid45.00 [425.00-2000.00]', '+ c d Full ms2 1593.68@cid45.00 [425.00-2000.00]', '+ c d Full ms2 1593.90@cid45.00 [425.00-2000.00]', '+ c d Full ms2 1595.56@cid45.00 [425.00-2000.00]', '+ c d Full ms2 1596.08@cid45.00 [425.00-2000.00]', '+ c d Full ms2 1598.36@cid45.00 [430.00-2000.00]', '+ c d Full ms2 1601.14@cid45.00 [430.00-2000.00]', '+ c d Full ms2 1602.04@cid45.00 [430.00-2000.00]', '+ c d Full ms2 1602.60@cid45.00 [430.00-2000.00]', '+ c d Full ms2 1602.81@cid45.00 [430.00-2000.00]', '+ c d Full ms2 1603.16@cid45.00 [430.00-2000.00]', '+ c d Full ms2 1603.53@cid45.00 [430.00-2000.00]', '+ c d Full ms2 1604.29@cid45.00 [430.00-2000.00]', '+ c d Full ms2 1604.97@cid45.00 [430.00-2000.00]', '+ c d Full ms2 1605.32@cid45.00 [430.00-2000.00]', '+ c d Full ms2 1607.12@cid45.00 [430.00-2000.00]', '+ c d Full ms2 1607.55@cid45.00 [430.00-2000.00]', '+ c d Full ms2 1613.38@cid45.00 [430.00-2000.00]', '+ c d Full ms2 1614.10@cid45.00 [430.00-2000.00]', '+ c d Full ms2 1614.48@cid45.00 [430.00-2000.00]', '+ c d Full ms2 1616.13@cid45.00 [430.00-2000.00]', '+ c d Full ms2 1616.48@cid45.00 [435.00-2000.00]', '+ c d Full ms2 1616.94@cid45.00 [435.00-2000.00]', '+ c d Full ms2 1617.58@cid45.00 [435.00-2000.00]', '+ c d Full ms2 1617.86@cid45.00 [435.00-2000.00]', '+ c d Full ms2 1619.41@cid45.00 [435.00-2000.00]', '+ c d Full ms2 1620.32@cid45.00 [435.00-2000.00]', '+ c d Full ms2 1621.06@cid45.00 [435.00-2000.00]', '+ c d Full ms2 1622.22@cid45.00 [435.00-2000.00]', '+ c d Full ms2 1623.74@cid45.00 [435.00-2000.00]', '+ c d Full ms2 1624.51@cid45.00 [435.00-2000.00]', '+ c d Full ms2 1625.15@cid45.00 [435.00-2000.00]', '+ c d Full ms2 1625.83@cid45.00 [435.00-2000.00]', '+ c d Full ms2 1627.44@cid45.00 [435.00-2000.00]', '+ c d Full ms2 1627.81@cid45.00 [435.00-2000.00]', '+ c d Full ms2 1628.13@cid45.00 [435.00-2000.00]', '+ c d Full ms2 1629.79@cid45.00 [435.00-2000.00]', '+ c d Full ms2 1630.55@cid45.00 [435.00-2000.00]', '+ c d Full ms2 1631.44@cid45.00 [435.00-2000.00]', '+ c d Full ms2 1633.48@cid45.00 [435.00-2000.00]', '+ c d Full ms2 1633.69@cid45.00 [435.00-2000.00]', '+ c d Full ms2 1634.63@cid45.00 [440.00-2000.00]', '+ c d Full ms2 1635.17@cid45.00 [440.00-2000.00]', '+ c d Full ms2 1636.10@cid45.00 [440.00-2000.00]', '+ c d Full ms2 1637.87@cid45.00 [440.00-2000.00]', '+ c d Full ms2 1638.76@cid45.00 [440.00-2000.00]', '+ c d Full ms2 1639.58@cid45.00 [440.00-2000.00]', '+ c d Full ms2 1639.79@cid45.00 [440.00-2000.00]', '+ c d Full ms2 1640.84@cid45.00 [440.00-2000.00]', '+ c d Full ms2 1641.39@cid45.00 [440.00-2000.00]', '+ c d Full ms2 1643.49@cid45.00 [440.00-2000.00]', '+ c d Full ms2 1644.01@cid45.00 [440.00-2000.00]', '+ c d Full ms2 1644.48@cid45.00 [440.00-2000.00]', '+ c d Full ms2 1644.71@cid45.00 [440.00-2000.00]', '+ c d Full ms2 1645.46@cid45.00 [440.00-2000.00]', '+ c d Full ms2 1645.70@cid45.00 [440.00-2000.00]', '+ c d Full ms2 1646.28@cid45.00 [440.00-2000.00]', '+ c d Full ms2 1646.50@cid45.00 [440.00-2000.00]', '+ c d Full ms2 1647.00@cid45.00 [440.00-2000.00]', '+ c d Full ms2 1647.86@cid45.00 [440.00-2000.00]', '+ c d Full ms2 1648.82@cid45.00 [440.00-2000.00]', '+ c d Full ms2 1649.32@cid45.00 [440.00-2000.00]', '+ c d Full ms2 1651.44@cid45.00 [440.00-2000.00]', '+ c d Full ms2 1654.03@cid45.00 [445.00-2000.00]', '+ c d Full ms2 1654.84@cid45.00 [445.00-2000.00]', '+ c d Full ms2 1656.22@cid45.00 [445.00-2000.00]', '+ c d Full ms2 1656.44@cid45.00 [445.00-2000.00]', '+ c d Full ms2 1657.78@cid45.00 [445.00-2000.00]', '+ c d Full ms2 1658.43@cid45.00 [445.00-2000.00]', '+ c d Full ms2 1661.11@cid45.00 [445.00-2000.00]', '+ c d Full ms2 1662.57@cid45.00 [445.00-2000.00]', '+ c d Full ms2 1663.04@cid45.00 [445.00-2000.00]', '+ c d Full ms2 1663.38@cid45.00 [445.00-2000.00]', '+ c d Full ms2 1663.93@cid45.00 [445.00-2000.00]', '+ c d Full ms2 1665.77@cid45.00 [445.00-2000.00]', '+ c d Full ms2 1666.84@cid45.00 [445.00-2000.00]', '+ c d Full ms2 1667.41@cid45.00 [445.00-2000.00]', '+ c d Full ms2 1668.84@cid45.00 [445.00-2000.00]', '+ c d Full ms2 1669.45@cid45.00 [445.00-2000.00]', '+ c d Full ms2 1670.71@cid45.00 [445.00-2000.00]', '+ c d Full ms2 1671.10@cid45.00 [450.00-2000.00]', '+ c d Full ms2 1671.66@cid45.00 [450.00-2000.00]', '+ c d Full ms2 1672.68@cid45.00 [450.00-2000.00]', '+ c d Full ms2 1673.45@cid45.00 [450.00-2000.00]', '+ c d Full ms2 1675.08@cid45.00 [450.00-2000.00]', '+ c d Full ms2 1676.34@cid45.00 [450.00-2000.00]', '+ c d Full ms2 1677.02@cid45.00 [450.00-2000.00]', '+ c d Full ms2 1678.75@cid45.00 [450.00-2000.00]', '+ c d Full ms2 1679.09@cid45.00 [450.00-2000.00]', '+ c d Full ms2 1680.29@cid45.00 [450.00-2000.00]', '+ c d Full ms2 1680.90@cid45.00 [450.00-2000.00]', '+ c d Full ms2 1682.73@cid45.00 [450.00-2000.00]', '+ c d Full ms2 1683.69@cid45.00 [450.00-2000.00]', '+ c d Full ms2 1685.85@cid45.00 [450.00-2000.00]', '+ c d Full ms2 1686.51@cid45.00 [450.00-2000.00]', '+ c d Full ms2 1686.98@cid45.00 [450.00-2000.00]', '+ c d Full ms2 1690.60@cid45.00 [455.00-2000.00]', '+ c d Full ms2 1692.08@cid45.00 [455.00-2000.00]', '+ c d Full ms2 1692.93@cid45.00 [455.00-2000.00]', '+ c d Full ms2 1694.48@cid45.00 [455.00-2000.00]', '+ c d Full ms2 1694.84@cid45.00 [455.00-2000.00]', '+ c d Full ms2 1695.84@cid45.00 [455.00-2000.00]', '+ c d Full ms2 1697.48@cid45.00 [455.00-2000.00]', '+ c d Full ms2 1697.96@cid45.00 [455.00-2000.00]', '+ c d Full ms2 1698.50@cid45.00 [455.00-2000.00]', '+ c d Full ms2 1700.60@cid45.00 [455.00-2000.00]', '+ c d Full ms2 1702.26@cid45.00 [455.00-2000.00]', '+ c d Full ms2 1704.41@cid45.00 [455.00-2000.00]', '+ c d Full ms2 1704.62@cid45.00 [455.00-2000.00]', '+ c d Full ms2 1707.18@cid45.00 [460.00-2000.00]', '+ c d Full ms2 1708.64@cid45.00 [460.00-2000.00]', '+ c d Full ms2 1709.58@cid45.00 [460.00-2000.00]', '+ c d Full ms2 1710.76@cid45.00 [460.00-2000.00]', '+ c d Full ms2 1711.39@cid45.00 [460.00-2000.00]', '+ c d Full ms2 1712.65@cid45.00 [460.00-2000.00]', '+ c d Full ms2 1712.94@cid45.00 [460.00-2000.00]', '+ c d Full ms2 1713.82@cid45.00 [460.00-2000.00]', '+ c d Full ms2 1714.05@cid45.00 [460.00-2000.00]', '+ c d Full ms2 1714.71@cid45.00 [460.00-2000.00]', '+ c d Full ms2 1714.93@cid45.00 [460.00-2000.00]', '+ c d Full ms2 1715.53@cid45.00 [460.00-2000.00]', '+ c d Full ms2 1716.97@cid45.00 [460.00-2000.00]', '+ c d Full ms2 1717.35@cid45.00 [460.00-2000.00]', '+ c d Full ms2 1718.09@cid45.00 [460.00-2000.00]', '+ c d Full ms2 1718.36@cid45.00 [460.00-2000.00]', '+ c d Full ms2 1721.44@cid45.00 [460.00-2000.00]', '+ c d Full ms2 1721.85@cid45.00 [460.00-2000.00]', '+ c d Full ms2 1723.93@cid45.00 [460.00-2000.00]', '+ c d Full ms2 1724.35@cid45.00 [460.00-2000.00]', '+ c d Full ms2 1724.65@cid45.00 [460.00-2000.00]', '+ c d Full ms2 1725.45@cid45.00 [465.00-2000.00]', '+ c d Full ms2 1726.45@cid45.00 [465.00-2000.00]', '+ c d Full ms2 1726.83@cid45.00 [465.00-2000.00]', '+ c d Full ms2 1727.30@cid45.00 [465.00-2000.00]', '+ c d Full ms2 1727.88@cid45.00 [465.00-2000.00]', '+ c d Full ms2 1731.49@cid45.00 [465.00-2000.00]', '+ c d Full ms2 1731.99@cid45.00 [465.00-2000.00]', '+ c d Full ms2 1733.02@cid45.00 [465.00-2000.00]', '+ c d Full ms2 1734.70@cid45.00 [465.00-2000.00]', '+ c d Full ms2 1735.52@cid45.00 [465.00-2000.00]', '+ c d Full ms2 1736.21@cid45.00 [465.00-2000.00]', '+ c d Full ms2 1737.08@cid45.00 [465.00-2000.00]', '+ c d Full ms2 1738.18@cid45.00 [465.00-2000.00]', '+ c d Full ms2 1742.66@cid45.00 [465.00-2000.00]', '+ c d Full ms2 1743.28@cid45.00 [465.00-2000.00]', '+ c d Full ms2 1745.21@cid45.00 [470.00-2000.00]', '+ c d Full ms2 1748.11@cid45.00 [470.00-2000.00]', '+ c d Full ms2 1748.43@cid45.00 [470.00-2000.00]', '+ c d Full ms2 1749.37@cid45.00 [470.00-2000.00]', '+ c d Full ms2 1750.27@cid45.00 [470.00-2000.00]', '+ c d Full ms2 1751.49@cid45.00 [470.00-2000.00]', '+ c d Full ms2 1752.35@cid45.00 [470.00-2000.00]', '+ c d Full ms2 1753.85@cid45.00 [470.00-2000.00]', '+ c d Full ms2 1754.72@cid45.00 [470.00-2000.00]', '+ c d Full ms2 1755.60@cid45.00 [470.00-2000.00]', '+ c d Full ms2 1756.45@cid45.00 [470.00-2000.00]', '+ c d Full ms2 1757.59@cid45.00 [470.00-2000.00]', '+ c d Full ms2 1757.98@cid45.00 [470.00-2000.00]', '+ c d Full ms2 1759.96@cid45.00 [470.00-2000.00]', '+ c d Full ms2 1764.69@cid45.00 [475.00-2000.00]', '+ c d Full ms2 1764.99@cid45.00 [475.00-2000.00]', '+ c d Full ms2 1767.04@cid45.00 [475.00-2000.00]', '+ c d Full ms2 1769.91@cid45.00 [475.00-2000.00]', '+ c d Full ms2 1771.06@cid45.00 [475.00-2000.00]', '+ c d Full ms2 1772.64@cid45.00 [475.00-2000.00]', '+ c d Full ms2 1774.50@cid45.00 [475.00-2000.00]', '+ c d Full ms2 1777.30@cid45.00 [475.00-2000.00]', '+ c d Full ms2 1779.16@cid45.00 [475.00-2000.00]', '+ c d Full ms2 1779.56@cid45.00 [475.00-2000.00]', '+ c d Full ms2 1781.25@cid45.00 [480.00-2000.00]', '+ c d Full ms2 1781.86@cid45.00 [480.00-2000.00]', '+ c d Full ms2 1783.48@cid45.00 [480.00-2000.00]', '+ c d Full ms2 1783.88@cid45.00 [480.00-2000.00]', '+ c d Full ms2 1784.91@cid45.00 [480.00-2000.00]', '+ c d Full ms2 1785.16@cid45.00 [480.00-2000.00]', '+ c d Full ms2 1785.70@cid45.00 [480.00-2000.00]', '+ c d Full ms2 1786.05@cid45.00 [480.00-2000.00]', '+ c d Full ms2 1787.98@cid45.00 [480.00-2000.00]', '+ c d Full ms2 1792.09@cid45.00 [480.00-2000.00]', '+ c d Full ms2 1792.54@cid45.00 [480.00-2000.00]', '+ c d Full ms2 1793.58@cid45.00 [480.00-2000.00]', '+ c d Full ms2 1798.47@cid45.00 [485.00-2000.00]', '+ c d Full ms2 1802.44@cid45.00 [485.00-2000.00]', '+ c d Full ms2 1803.49@cid45.00 [485.00-2000.00]', '+ c d Full ms2 1804.55@cid45.00 [485.00-2000.00]', '+ c d Full ms2 1805.51@cid45.00 [485.00-2000.00]', '+ c d Full ms2 1806.75@cid45.00 [485.00-2000.00]', '+ c d Full ms2 1807.44@cid45.00 [485.00-2000.00]', '+ c d Full ms2 1808.21@cid45.00 [485.00-2000.00]', '+ c d Full ms2 1811.97@cid45.00 [485.00-2000.00]', '+ c d Full ms2 1813.78@cid45.00 [485.00-2000.00]', '+ c d Full ms2 1817.10@cid45.00 [490.00-2000.00]', '+ c d Full ms2 1819.44@cid45.00 [490.00-2000.00]', '+ c d Full ms2 1821.79@cid45.00 [490.00-2000.00]', '+ c d Full ms2 1826.20@cid45.00 [490.00-2000.00]', '+ c d Full ms2 1828.42@cid45.00 [490.00-2000.00]', '+ c d Full ms2 1829.13@cid45.00 [490.00-2000.00]', '+ c d Full ms2 1829.42@cid45.00 [490.00-2000.00]', '+ c d Full ms2 1831.26@cid45.00 [490.00-2000.00]', '+ c d Full ms2 1835.72@cid45.00 [495.00-2000.00]', '+ c d Full ms2 1836.84@cid45.00 [495.00-2000.00]', '+ c d Full ms2 1841.06@cid45.00 [495.00-2000.00]', '+ c d Full ms2 1842.28@cid45.00 [495.00-2000.00]', '+ c d Full ms2 1847.28@cid45.00 [495.00-2000.00]', '+ c d Full ms2 1848.36@cid45.00 [495.00-2000.00]', '+ c d Full ms2 1849.21@cid45.00 [495.00-2000.00]', '+ c d Full ms2 1854.90@cid45.00 [500.00-2000.00]', '+ c d Full ms2 1855.53@cid45.00 [500.00-2000.00]', '+ c d Full ms2 1860.02@cid45.00 [500.00-2000.00]', '+ c d Full ms2 1861.93@cid45.00 [500.00-2000.00]', '+ c d Full ms2 1862.13@cid45.00 [500.00-2000.00]', '+ c d Full ms2 1865.29@cid45.00 [500.00-2000.00]', '+ c d Full ms2 1869.54@cid45.00 [500.00-2000.00]', '+ c d Full ms2 1871.64@cid45.00 [505.00-2000.00]', '+ c d Full ms2 1872.62@cid45.00 [505.00-2000.00]', '+ c d Full ms2 1873.22@cid45.00 [505.00-2000.00]', '+ c d Full ms2 1878.72@cid45.00 [505.00-2000.00]', '+ c d Full ms2 1880.77@cid45.00 [505.00-2000.00]', '+ c d Full ms2 1881.71@cid45.00 [505.00-2000.00]', '+ c d Full ms2 1882.62@cid45.00 [505.00-2000.00]', '+ c d Full ms2 1884.41@cid45.00 [505.00-2000.00]', '+ c d Full ms2 1886.10@cid45.00 [505.00-2000.00]', '+ c d Full ms2 1886.76@cid45.00 [505.00-2000.00]', '+ c d Full ms2 1887.78@cid45.00 [505.00-2000.00]', '+ c d Full ms2 1888.03@cid45.00 [505.00-2000.00]', '+ c d Full ms2 1890.18@cid45.00 [510.00-2000.00]', '+ c d Full ms2 1892.65@cid45.00 [510.00-2000.00]', '+ c d Full ms2 1895.17@cid45.00 [510.00-2000.00]', '+ c d Full ms2 1896.10@cid45.00 [510.00-2000.00]', '+ c d Full ms2 1898.14@cid45.00 [510.00-2000.00]', '+ c d Full ms2 1900.50@cid45.00 [510.00-2000.00]', '+ c d Full ms2 1902.20@cid45.00 [510.00-2000.00]', '+ c d Full ms2 1902.41@cid45.00 [510.00-2000.00]', '+ c d Full ms2 1903.86@cid45.00 [510.00-2000.00]', '+ c d Full ms2 1905.46@cid45.00 [510.00-2000.00]', '+ c d Full ms2 1905.98@cid45.00 [510.00-2000.00]', '+ c d Full ms2 1911.29@cid45.00 [515.00-2000.00]', '+ c d Full ms2 1914.09@cid45.00 [515.00-2000.00]', '+ c d Full ms2 1914.91@cid45.00 [515.00-2000.00]', '+ c d Full ms2 1917.57@cid45.00 [515.00-2000.00]', '+ c d Full ms2 1921.83@cid45.00 [515.00-2000.00]', '+ c d Full ms2 1924.58@cid45.00 [515.00-2000.00]', '+ c d Full ms2 1926.45@cid45.00 [520.00-2000.00]', '+ c d Full ms2 1931.41@cid45.00 [520.00-2000.00]', '+ c d Full ms2 1931.94@cid45.00 [520.00-2000.00]', '+ c d Full ms2 1933.56@cid45.00 [520.00-2000.00]', '+ c d Full ms2 1935.11@cid45.00 [520.00-2000.00]', '+ c d Full ms2 1939.01@cid45.00 [520.00-2000.00]', '+ c d Full ms2 1940.43@cid45.00 [520.00-2000.00]', '+ c d Full ms2 1942.28@cid45.00 [520.00-2000.00]', '+ c d Full ms2 1943.85@cid45.00 [525.00-2000.00]', '+ c d Full ms2 1946.86@cid45.00 [525.00-2000.00]', '+ c d Full ms2 1950.70@cid45.00 [525.00-2000.00]', '+ c d Full ms2 1951.34@cid45.00 [525.00-2000.00]', '+ c d Full ms2 1953.11@cid45.00 [525.00-2000.00]', '+ c d Full ms2 1953.72@cid45.00 [525.00-2000.00]', '+ c d Full ms2 1957.90@cid45.00 [525.00-2000.00]', '+ c d Full ms2 1959.53@cid45.00 [525.00-2000.00]', '+ c d Full ms2 1959.90@cid45.00 [525.00-2000.00]', '+ c d Full ms2 1960.18@cid45.00 [525.00-2000.00]', '+ c d Full ms2 1962.24@cid45.00 [530.00-2000.00]', '+ c d Full ms2 1969.87@cid45.00 [530.00-2000.00]', '+ c d Full ms2 1971.23@cid45.00 [530.00-2000.00]', '+ c d Full ms2 1971.51@cid45.00 [530.00-2000.00]', '+ c d Full ms2 1971.79@cid45.00 [530.00-2000.00]', '+ c d Full ms2 1972.78@cid45.00 [530.00-2000.00]', '+ c d Full ms2 1976.08@cid45.00 [530.00-2000.00]', '+ c d Full ms2 1986.43@cid45.00 [535.00-2000.00]', '+ c d Full ms2 1988.63@cid45.00 [535.00-2000.00]', '+ c d Full ms2 1994.49@cid45.00 [535.00-2000.00]') |
num = 9669
s = str(num)
max = num
x = num
for i in s:
if (i == '6'):
s = s.replace(i, '9', 1)
if (int(s) > max):
max = int(s)
s = str(x)
else:
s = str(x)
elif ( i == '9'):
s =s.replace(i, '6', 1)
if (int(s) > max):
max = int(s)
s = str(x)
else:
s = str(x)
print(max)
| num = 9669
s = str(num)
max = num
x = num
for i in s:
if i == '6':
s = s.replace(i, '9', 1)
if int(s) > max:
max = int(s)
s = str(x)
else:
s = str(x)
elif i == '9':
s = s.replace(i, '6', 1)
if int(s) > max:
max = int(s)
s = str(x)
else:
s = str(x)
print(max) |
# coding=utf-8
# --------------------------------------------------------------------------------------------
# Copyright (c) Microsoft Corporation. All rights reserved.
# Licensed under the MIT License. See License.txt in the project root for license information.
# --------------------------------------------------------------------------------------------
class Destination:
def __init__(self, destination: dict):
self.id = destination.get("id")
self.display_name = destination.get("displayName")
self.type = destination.get("type")
self.authorization = destination.get("authorization")
self.status = destination.get("status")
self.error = destination.get("errors")
class WebhookDestination(Destination):
def __init__(self, destination: dict):
super().__init__(destination)
self.url = destination.get("url")
self.header_customizations = destination.get("headerCustomizations")
class AdxDestination(Destination):
def __init__(self, destination: dict):
super().__init__(destination)
self.cluster_url = destination.get("clusterUrl")
self.database = destination.get("database")
self.table = destination.get("table")
| class Destination:
def __init__(self, destination: dict):
self.id = destination.get('id')
self.display_name = destination.get('displayName')
self.type = destination.get('type')
self.authorization = destination.get('authorization')
self.status = destination.get('status')
self.error = destination.get('errors')
class Webhookdestination(Destination):
def __init__(self, destination: dict):
super().__init__(destination)
self.url = destination.get('url')
self.header_customizations = destination.get('headerCustomizations')
class Adxdestination(Destination):
def __init__(self, destination: dict):
super().__init__(destination)
self.cluster_url = destination.get('clusterUrl')
self.database = destination.get('database')
self.table = destination.get('table') |
# Copyright (c) Jupyter Development Team.
# Distributed under the terms of the Modified BSD License.
def mkdir(tmp_path, *parts):
path = tmp_path.joinpath(*parts)
if not path.exists():
path.mkdir(parents=True)
return path
| def mkdir(tmp_path, *parts):
path = tmp_path.joinpath(*parts)
if not path.exists():
path.mkdir(parents=True)
return path |
expected_output = {
"fpc-information": {
"fpc": {
"pic-detail": {
"pic-slot": "0",
"pic-type": "2X100GE CFP2 OTN",
"pic-version": "1.19",
"port-information": {
"port": [
{
"cable-type": "100GBASE LR4",
"fiber-mode": "SM",
"port-number": "0",
"sfp-vendor-fw-ver": "1.5",
"sfp-vendor-name": "FINISAR CORP.",
"sfp-vendor-pno": "FTLC1121RDNL-J3",
"wavelength": "1310 nm"
},
{
"cable-type": "100GBASE LR4",
"fiber-mode": "SM",
"port-number": "1",
"sfp-vendor-fw-ver": "1.5",
"sfp-vendor-name": "FINISAR CORP.",
"sfp-vendor-pno": "FTLC1121RDNL-J3",
"wavelength": "1310 nm"
}
]
},
"slot": "0",
"state": "Online",
"up-time": {
"#text": "2 hours, 36 minutes, 38 seconds",
"@junos:seconds": "9398"
}
}
}
}
}
| expected_output = {'fpc-information': {'fpc': {'pic-detail': {'pic-slot': '0', 'pic-type': '2X100GE CFP2 OTN', 'pic-version': '1.19', 'port-information': {'port': [{'cable-type': '100GBASE LR4', 'fiber-mode': 'SM', 'port-number': '0', 'sfp-vendor-fw-ver': '1.5', 'sfp-vendor-name': 'FINISAR CORP.', 'sfp-vendor-pno': 'FTLC1121RDNL-J3', 'wavelength': '1310 nm'}, {'cable-type': '100GBASE LR4', 'fiber-mode': 'SM', 'port-number': '1', 'sfp-vendor-fw-ver': '1.5', 'sfp-vendor-name': 'FINISAR CORP.', 'sfp-vendor-pno': 'FTLC1121RDNL-J3', 'wavelength': '1310 nm'}]}, 'slot': '0', 'state': 'Online', 'up-time': {'#text': '2 hours, 36 minutes, 38 seconds', '@junos:seconds': '9398'}}}}} |
# $$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$ #
# $$$$$$$$$$ Type Casting - DataType COnversion $$$$$$$$$$ #
# $$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$ #
# First Method
print('Salary Calculator!')
hour = input('Hour in Week: ')
hour = int(hour)
salary = input('Salary per Hour: ')
salary = int(salary)
print(hour * salary)
# Second Method
print('Salary Calculator!')
hour = int(input('Hour in Week: '))
salary = int(input('Salary per Hour: '))
print(hour * salary)
# Third Method
print('Salary Calculator!')
hour = input('Hour in Week: ')
salary = input('Salary per Hour: ')
print(int(hour) * int(salary)) | print('Salary Calculator!')
hour = input('Hour in Week: ')
hour = int(hour)
salary = input('Salary per Hour: ')
salary = int(salary)
print(hour * salary)
print('Salary Calculator!')
hour = int(input('Hour in Week: '))
salary = int(input('Salary per Hour: '))
print(hour * salary)
print('Salary Calculator!')
hour = input('Hour in Week: ')
salary = input('Salary per Hour: ')
print(int(hour) * int(salary)) |
css = [
{"selector": "table, th, td", "props": [("border", "0")]},
{
"selector": "thead th",
"props": [
("padding", "10px 3px"),
("border-bottom", "1px solid black"),
("text-align", "right"),
],
},
{"selector": "td", "props": [("padding", "3px")]},
{"selector": ".row_heading", "props": [("padding-right", "3px")]}
]
css_typ = [
{"selector": "tr:nth-child(even)", "props": [("background-color", "#eeeeee")]},
{"selector": "td:nth-child(odd)", "props": [("text-align", "right")]},
{"selector": "th:nth-child(odd)", "props": [("color", "white")]},
{
"selector": "td:nth-child(even)",
"props": [("text-align", "center"), ("font-size", "0.9em")],
},
]
css_corr = [
{"selector": "td, th", "props": [("text-align", "center")]},
{"selector": "thead th", "props": [("text-align", "center !important")]},
{"selector": "tbody th", "props": [("text-align", "right")]},
] | css = [{'selector': 'table, th, td', 'props': [('border', '0')]}, {'selector': 'thead th', 'props': [('padding', '10px 3px'), ('border-bottom', '1px solid black'), ('text-align', 'right')]}, {'selector': 'td', 'props': [('padding', '3px')]}, {'selector': '.row_heading', 'props': [('padding-right', '3px')]}]
css_typ = [{'selector': 'tr:nth-child(even)', 'props': [('background-color', '#eeeeee')]}, {'selector': 'td:nth-child(odd)', 'props': [('text-align', 'right')]}, {'selector': 'th:nth-child(odd)', 'props': [('color', 'white')]}, {'selector': 'td:nth-child(even)', 'props': [('text-align', 'center'), ('font-size', '0.9em')]}]
css_corr = [{'selector': 'td, th', 'props': [('text-align', 'center')]}, {'selector': 'thead th', 'props': [('text-align', 'center !important')]}, {'selector': 'tbody th', 'props': [('text-align', 'right')]}] |
#
# PySNMP MIB module JNX-MPLS-TE-P2MP-STD-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/JNX-MPLS-TE-P2MP-STD-MIB
# Produced by pysmi-0.3.4 at Wed May 1 13:58:39 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")
ConstraintsUnion, ConstraintsIntersection, ValueRangeConstraint, ValueSizeConstraint, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "ConstraintsIntersection", "ValueRangeConstraint", "ValueSizeConstraint", "SingleValueConstraint")
IndexInteger, IndexIntegerNextFree = mibBuilder.importSymbols("DIFFSERV-MIB", "IndexInteger", "IndexIntegerNextFree")
InetAddress, InetAddressType = mibBuilder.importSymbols("INET-ADDRESS-MIB", "InetAddress", "InetAddressType")
jnxP2mpExperiment, = mibBuilder.importSymbols("JUNIPER-EXPERIMENT-MIB", "jnxP2mpExperiment")
MplsIndexType, = mibBuilder.importSymbols("MPLS-LSR-STD-MIB", "MplsIndexType")
mplsStdMIB, MplsPathIndexOrZero = mibBuilder.importSymbols("MPLS-TC-STD-MIB", "mplsStdMIB", "MplsPathIndexOrZero")
mplsTunnelIngressLSRId, mplsTunnelEgressLSRId, mplsTunnelInstance, mplsTunnelIndex = mibBuilder.importSymbols("MPLS-TE-STD-MIB", "mplsTunnelIngressLSRId", "mplsTunnelEgressLSRId", "mplsTunnelInstance", "mplsTunnelIndex")
ModuleCompliance, NotificationGroup, ObjectGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup", "ObjectGroup")
ModuleIdentity, Counter32, TimeTicks, Bits, Gauge32, iso, Unsigned32, IpAddress, ObjectIdentity, Counter64, Integer32, MibIdentifier, MibScalar, MibTable, MibTableRow, MibTableColumn, NotificationType = mibBuilder.importSymbols("SNMPv2-SMI", "ModuleIdentity", "Counter32", "TimeTicks", "Bits", "Gauge32", "iso", "Unsigned32", "IpAddress", "ObjectIdentity", "Counter64", "Integer32", "MibIdentifier", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "NotificationType")
TimeStamp, TextualConvention, RowStatus, DisplayString, TruthValue, StorageType = mibBuilder.importSymbols("SNMPv2-TC", "TimeStamp", "TextualConvention", "RowStatus", "DisplayString", "TruthValue", "StorageType")
jnxMplsTeP2mpStdMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1))
jnxMplsTeP2mpStdMIB.setRevisions(('2009-04-17 00:00',))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts: jnxMplsTeP2mpStdMIB.setRevisionsDescriptions(('Initial version issued as part of RFC XXXX.',))
if mibBuilder.loadTexts: jnxMplsTeP2mpStdMIB.setLastUpdated('200904170000Z')
if mibBuilder.loadTexts: jnxMplsTeP2mpStdMIB.setOrganization('Multiprotocol Label Switching (MPLS) Working Group')
if mibBuilder.loadTexts: jnxMplsTeP2mpStdMIB.setContactInfo(' Adrian Farrel Old Dog Consulting Email: adrian@olddog.co.uk Seisho Yasukawa NTT Corporation Email: s.yasukawa@hco.ntt.co.jp Thomas D. Nadeau British Telecom Email: tom.nadeau@bt.com Comments about this document should be emailed directly to the MPLS working group mailing list at mpls@lists.ietf.org')
if mibBuilder.loadTexts: jnxMplsTeP2mpStdMIB.setDescription("Copyright (c) 2009 IETF Trust and the persons identified as the document authors. All rights reserved. This document is subject to BCP 78 and the IETF Trust's Legal Provisions Relating to IETF Documents in effect on the date of publication of this document (http://trustee.ietf.org/license-info). Please review these documents carefully, as they describe your rights and restrictions with respect to this document. The initial version of this MIB module was published in RFC XXXX. For full legal notices see the RFC itself or see: http://www.ietf.org/copyrights/ianamib.html -- RFC Editor. Please replace XXXX with the RFC number for this -- document and remove this note. This MIB module contains managed object definitions for Point-to-Multipoint (P2MP) MPLS Traffic Engineering (TE) defined in: 1. Signaling Requirements for Point-to-Multipoint Traffic-Engineered MPLS Label Switched Paths (LSPs), S. Yasukawa, RFC 4461, April 2006. 2. Extensions to Resource Reservation Protocol - Traffic Engineering (RSVP-TE) for Point-to-Multipoint TE Label Switched Paths (LSPs), Aggarwal, R., Papadimitriou, D., and Yasukawa, S., RFC 4875, May 2007.")
jnxMplsTeP2mpNotifications = MibIdentifier((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 0))
jnxMplsTeP2mpScalars = MibIdentifier((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 1))
jnxMplsTeP2mpObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2))
jnxMplsTeP2mpConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 3))
jnxMplsTeP2mpTunnelConfigured = MibScalar((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelConfigured.setReference('RFC 3812 - Multiprotocol Label Switching (MPLS) Traffic Engineering (TE) Management Information Base (MIB), Srinivasan, C., Viswanathan, A., and T. Nadeau, June 2004.')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelConfigured.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelConfigured.setDescription('The number of P2MP tunnels configured on this device. A tunnel is considered configured if the mplsTunnelRowStatus in MPLS-TE-STD-MIB is active(1).')
jnxMplsTeP2mpTunnelActive = MibScalar((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 1, 2), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelActive.setReference('RFC 3812 - Multiprotocol Label Switching (MPLS) Traffic Engineering (TE) Management Information Base (MIB), Srinivasan, C., Viswanathan, A., and T. Nadeau, June 2004.')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelActive.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelActive.setDescription('The number of P2MP tunnels active on this device. A tunnel is considered active if the mplsTunnelOperStatus in MPLS-TE-STD-MIB is up(1).')
jnxMplsTeP2mpTunnelTotalMaxHops = MibScalar((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 1, 3), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelTotalMaxHops.setReference('RFC 3812 - Multiprotocol Label Switching (MPLS) Traffic Engineering (TE) Management Information Base (MIB), Srinivasan, C., Viswanathan, A., and T. Nadeau, June 2004.')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelTotalMaxHops.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelTotalMaxHops.setDescription('The maximum number of hops that can be specified for an entire P2MP tunnel on this device. This object should be used in conjunction with mplsTunnelMaxHops in MPLS-TE-STD-MIB that is used in the context of P2MP tunnels to express the maximum number of hops to any individual destination of a P2MP tunnel that can be configured on this device. mplsTeP2mpTunnelTotalMaxHops would normally be set larger than or equal to mplsTunnelMaxHops.')
jnxMplsTeP2mpTunnelTable = MibTable((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 1), )
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelTable.setReference('RFC 3812 - Multiprotocol Label Switching (MPLS) Traffic Engineering (TE) Management Information Base (MIB), Srinivasan, C., Viswanathan, A., and T. Nadeau, June 2004.')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelTable.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelTable.setDescription('The mplsTeP2mpTunnelTable allows new P2MP MPLS tunnels to be created between an LSR and one or more remote end-points, and existing P2MP tunnels to be reconfigured or removed. This table sparse augments mplsTunnelTable in MPLS-TE-STD-MIB such that entries in that table can be flagged as point-to-multipoint, and can be configured and monitored appropriately.')
jnxMplsTeP2mpTunnelEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 1, 1), ).setIndexNames((0, "MPLS-TE-STD-MIB", "mplsTunnelIndex"), (0, "MPLS-TE-STD-MIB", "mplsTunnelInstance"), (0, "MPLS-TE-STD-MIB", "mplsTunnelIngressLSRId"), (0, "MPLS-TE-STD-MIB", "mplsTunnelEgressLSRId"))
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelEntry.setReference('RFC 3812 - Multiprotocol Label Switching (MPLS) Traffic Engineering (TE) Management Information Base (MIB), Srinivasan, C., Viswanathan, A., and T. Nadeau, June 2004.')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelEntry.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelEntry.setDescription('An entry in this table represents a P2MP MPLS tunnel. An entry can be created by a network administrator or by an SNMP agent as instructed by an MPLS signaling protocol. An entry in this table MUST correspond to an entry in the mplsTunnelTable in MPLS-TE-STD-MIB. This table shares index objects with that table and sparse augments that table. Thus, an entry in this table can only be created at the same time as or after a corresponding entry in mplsTunnelTable, and an entry in mplsTunnelTable cannot be deleted while a corresponding entry exists in this table. This table entry includes a row status object, but administrative and operational statuses should be taken from mplsTunnelAdminStatus and mplsTunnelOperStatus in the corresponding entry in mplsTunnelTable.')
jnxMplsTeP2mpTunnelP2mpIntegrity = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 1, 1, 2), TruthValue().clone('false')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelP2mpIntegrity.setReference('RFC 4875 - Extensions to Resource Reservation Protocol - Traffic Engineering (RSVP-TE) for Point-to-Multipoint TE Label Switched Paths (LSPs), R. Aggarwal, D. Papadimitriou, and S. Yasukawa, May 2007.')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelP2mpIntegrity.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelP2mpIntegrity.setDescription('Denotes whether or not P2MP Integrity is required for this tunnel. If P2MP integrity is operational on a P2MP tunnel then the failure of the path to any of the tunnel destinations should cause the teardown of the entire P2MP tunnel.')
jnxMplsTeP2mpTunnelBranchRole = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("notBranch", 1), ("branch", 2), ("bud", 3))).clone('notBranch')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelBranchRole.setReference('RFC 3812 - Multiprotocol Label Switching (MPLS) Traffic Engineering (TE) Management Information Base (MIB), Srinivasan, C., Viswanathan, A., and T. Nadeau, June 2004.')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelBranchRole.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelBranchRole.setDescription('This value supplements the value in the object mplsTunnelRole in MPLS-TE-STD-MIB that indicates the role of this LSR in the tunnel represented by this entry in mplsTeP2mpTunnelTable. mplsTunnelRole may take any of the values: head(1), transit(2), tail(3), headTail(4) If this LSR is an ingress and there is exactly one out-segment, mplsTunnelRole should contain the value head(1), and mplsTeP2mpTunnelBranchRole should have the value notBranch(1). If this LSR is an ingress with more than one out segment, mplsTunnelRole should contain the value head(1), and mplsTeP2mpTunnelBranchRole should have the value branch(2). If this LSR is an ingress, an egress, and there is one or more out-segments, mplsTunnelRole should contain the value headTail(4), and mplsTeP2mpTunnelBranchRole should have the value bud(3). If this LSR is a transit with exactly one out-segment, mplsTunnelRole should contain the value transit(2), and mplsTeP2mpTunnelBranchRole should have the value notBranch(1). If this LSR is a transit with more than one out-segment, mplsTunnelRole should contain the value transit(2), and mplsTeP2mpTunnelBranchRole should have the value branch(2). If this LSR is a transit with one or more out-segments and is also an egress, mplsTunnelRole should contain the value transit(2), and mplsTeP2mpTunnelBranchRole should have the value bud(3). If this LSR is an egress with no out-segment and is not the ingress, mplsTunnelRole should contain the value tail(3), and mplsTeP2mpTunnelBranchRole should have the value notBranch(1). If this LSR is an egress and has one or more out-segments, mplsTunnelRole should contain the value transit(1), and mplsTeP2mpTunnelBranchRole should have the value bud(3).')
jnxMplsTeP2mpTunnelP2mpXcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 1, 1, 4), MplsIndexType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelP2mpXcIndex.setReference('RFC 3813 - Multiprotocol Label Switching (MPLS) Label Switching (LSR) Router Management Information Base (MIB), Srinivasan, C., Viswanathan, A., and T. Nadeau, June 2004.')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelP2mpXcIndex.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelP2mpXcIndex.setDescription('This object contains the value of mplsXCIndex, the primary index of the mplsXCTable for all cross-connect entries for this P2MP LSP. If no XC entries have been created yet, this object must return zero. The set of entries in the mplsXCTable for this P2MP LSP can be walked by reading Get-or-GetNext starting with the three indexes to mplsXCTable set as: mplsXCIndex = the value of this object mplsXCInSegmentIndex = 0x0 mplsXCOutSegmentIndex = 0x0')
jnxMplsTeP2mpTunnelRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 1, 1, 5), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelRowStatus.setReference('RFC 3812 - Multiprotocol Label Switching (MPLS) Traffic Engineering (TE) Management Information Base (MIB), Srinivasan, C., Viswanathan, A., and T. Nadeau, June 2004.')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelRowStatus.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelRowStatus.setDescription('This variable is used to create, modify, and/or delete a row in this table. When a row in this table is in active(1) state, no objects in that row can be modified by the agent except mplsTeP2mpTunnelRowStatus and mplsTeP2mpTunnelStorageType. This object and mplsTunnelRowStatus in the corresponding entry in mplsTunnelTable in MPLS-TE-STD-MIB should be managed together. No objects in a row in this table can be modified when the mplsTunnelRowStatus object in the corresponding row in mplsTunnelTable has value active(1). Note that no admin or oper status objects are provided in this table. The administrative and operational status of P2MP tunnels is taken from the values of mplsTunnelAdminStatus and mplsTunnelOperStatus in the corresponding row mplsTunnelTable.')
jnxMplsTeP2mpTunnelStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 1, 1, 6), StorageType().clone('volatile')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelStorageType.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelStorageType.setDescription("The storage type for this tunnel entry. Conceptual rows having the value 'permanent' need not allow write-access to any columnar objects in the row.")
jnxMplsTeP2mpTunnelSubGroupIDNext = MibScalar((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 2), IndexIntegerNextFree().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelSubGroupIDNext.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelSubGroupIDNext.setDescription('This object contains an unused value for mplsTeP2mpTunnelDestSubGroupID, or a zero to indicate that none exists. Negative values are not allowed, as they do not correspond to valid values of mplsTeP2mpTunnelDestSubGroupID. Note that this object offers an unused value for an mplsTeP2mpTunnelDestSubGroupID value at the local LSR when it is a sub-group originator. In other cases, the value of mplsTeP2mpTunnelDestSubGroupID SHOULD be taken from the received value signaled by the signaling protocol and corresponds to the value in mplsTeP2mpTunnelDestSrcSubGroupID.')
jnxMplsTeP2mpTunnelDestTable = MibTable((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3), )
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestTable.setReference('RFC 3812 - Multiprotocol Label Switching (MPLS) Traffic Engineering (TE) Management Information Base (MIB), Srinivasan, C., Viswanathan, A., and T. Nadeau, June 2004.')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestTable.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestTable.setDescription('The mplsTeP2mpTunnelDestTable allows new destinations of P2MP MPLS tunnels to be added to and removed from P2MP tunnels.')
jnxMplsTeP2mpTunnelDestEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1), ).setIndexNames((0, "MPLS-TE-STD-MIB", "mplsTunnelIndex"), (0, "MPLS-TE-STD-MIB", "mplsTunnelInstance"), (0, "MPLS-TE-STD-MIB", "mplsTunnelIngressLSRId"), (0, "MPLS-TE-STD-MIB", "mplsTunnelEgressLSRId"), (0, "JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestSrcSubGroupOriginType"), (0, "JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestSrcSubGroupOrigin"), (0, "JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestSrcSubGroupID"), (0, "JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestSubGroupOriginType"), (0, "JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestSubGroupOrigin"), (0, "JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestSubGroupID"), (0, "JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestDestinationType"), (0, "JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestDestination"))
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestEntry.setReference('RFC 3812 - Multiprotocol Label Switching (MPLS) Traffic Engineering (TE) Management Information Base (MIB), Srinivasan, C., Viswanathan, A., and T. Nadeau, June 2004.')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestEntry.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestEntry.setDescription('An entry in this table represents a destination of a P2MP MPLS tunnel. An entry can be created by a network administrator or by an SNMP agent as instructed by an MPLS signaling protocol. Entries in this table share some index fields with the mplsTeP2mpTunnelTable and the mplsTunnelTable in MPLS-TE-STD-MIB. Entries in this table have no meaning unless there is a corresponding entry in mplsTeP2mpTunnelTable (which, itself, depends on a corresponding entry in mplsTunnelTable). Note that the same destination may be present more than once if it is in more than one sub-group as reflected by the mplsTeP2mpTunnelDestSrcSubGroupOriginType, mplsTeP2mpTunnelDestSrcSubGroupOrigin, mplsTeP2mpTunnelDestSrcSubGroupID, mplsTeP2mpTunnelDestSubGroupOriginType, mplsTeP2mpTunnelDestSubGroupOrigin, and mplsTeP2mpTunnelDestSubGroupID, index objects. Entries in this table may be created at any time. If created before an entry in the mplsTeP2mpTunnelTable the entries have no meaning, but may be kept ready for the creation of the P2MP tunnel. If created after the entry in mplsTeP2mpTunnelTable, entries in this table may reflect the addition of destinations to active P2MP tunnels. For this reason, entries in this table are equipped with row, admin, and oper status objects. ')
jnxMplsTeP2mpTunnelDestSrcSubGroupOriginType = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 1), InetAddressType())
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestSrcSubGroupOriginType.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestSrcSubGroupOriginType.setDescription('This object identifies the type of address carried in mplsTeP2mpTunnelDestSrcSubGroupOrigin. Since the object mplsTeP2mpTunnelDestSrcSubGroupOrigin must conform to the protocol specification, this object must return either ipv4(1) or ipv6(2) at a transit or egress LSR. At an ingress LSR, there is no source sub-group and this object should return the value unknown(0).')
jnxMplsTeP2mpTunnelDestSrcSubGroupOrigin = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 2), InetAddress().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(0, 0), ValueSizeConstraint(4, 4), ValueSizeConstraint(16, 16), )))
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestSrcSubGroupOrigin.setReference('RFC 4875 - Extensions to Resource Reservation Protocol - Traffic Engineering (RSVP-TE) for Point-to-Multipoint TE Label Switched Paths (LSPs), R. Aggarwal, D. Papadimitriou, and S. Yasukawa, May 2007.')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestSrcSubGroupOrigin.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestSrcSubGroupOrigin.setDescription('The TE Router ID (reachable and stable IP address) of the originator of the P2MP sub-group as received on a Path message by a transit or egress LSR. This object is interpreted in the context of mplsTeP2mpTunnelDestSrcSubGroupOriginType. The value of the sub-group originator used on outgoing Path messages is found in mplsTeP2mpTunnelDestSubGroupOrigin and is copied from this object unless this LSR is responsible for changing the sub-group ID. At an ingress LSR there is no received Path message. mplsTeP2mpTunnelDestSrcSubGroupOriginType should return unknown(0), and this object should return a zero-length string.')
jnxMplsTeP2mpTunnelDestSrcSubGroupID = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 3), IndexInteger().subtype(subtypeSpec=ValueRangeConstraint(0, 65535)))
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestSrcSubGroupID.setReference('RFC 4875 - Extensions to Resource Reservation Protocol - Traffic Engineering (RSVP-TE) for Point-to-Multipoint TE Label Switched Paths (LSPs), R. Aggarwal, D. Papadimitriou, and S. Yasukawa, May 2007.')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestSrcSubGroupID.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestSrcSubGroupID.setDescription('The unique identifier assigned by the sub-group originator for this sub-group of this P2MP tunnel as received on a Path message by a transit or egress LSR. The value of the sub-group identifier used on outgoing Path messages is found in mplsTeP2mpTunnelDestSubGroupID and is copied from this object unless this LSR is responsible for changing the sub-group ID. At an ingress LSR there is no received Path message, and this object should return zero.')
jnxMplsTeP2mpTunnelDestSubGroupOriginType = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 4), InetAddressType())
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestSubGroupOriginType.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestSubGroupOriginType.setDescription('This object identifies the type of address carried in mplsTeP2mpTunnelDestSubGroupOrigin. This object must return either ipv4(1) or ipv6(2) in keeping with the protocol specification.')
jnxMplsTeP2mpTunnelDestSubGroupOrigin = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 5), InetAddress().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(4, 4), ValueSizeConstraint(16, 16), )))
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestSubGroupOrigin.setReference('RFC 4875 - Extensions to Resource Reservation Protocol - Traffic Engineering (RSVP-TE) for Point-to-Multipoint TE Label Switched Paths (LSPs), R. Aggarwal, D. Papadimitriou, and S. Yasukawa, May 2007.')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestSubGroupOrigin.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestSubGroupOrigin.setDescription('The TE Router ID (reachable and stable IP address) of the originator of the P2MP sub-group. In many cases, this will be the ingress LSR of the P2MP tunnel and will be the received signaled value as available in mplsTeP2mpTunnelDestSrcSubGroupOrigin. When a signaling protocol is used, this object corresponds to the Sub-Group Originator field in the SENDER_TEMPLATE object. This object is interpreted in the context of mplsTeP2mpTunnelDestSubGroupOriginType.')
jnxMplsTeP2mpTunnelDestSubGroupID = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 6), IndexInteger().subtype(subtypeSpec=ValueRangeConstraint(1, 65535)))
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestSubGroupID.setReference('RFC 4875 - Extensions to Resource Reservation Protocol - Traffic Engineering (RSVP-TE) for Point-to-Multipoint TE Label Switched Paths (LSPs), R. Aggarwal, D. Papadimitriou, and S. Yasukawa, May 2007.')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestSubGroupID.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestSubGroupID.setDescription('The unique identifier assigned by the sub-group originator for this sub-group of this P2MP tunnel. An appropriate value for this object during row creation when the sub-group origin in mplsTeP2mpTunnelDestSubGroupOrigin is the local LSR can be obtained by reading mplsTeP2mpTunnelSubGroupIDNext. At an egress, there is no downstream sub-group ID. This object should return the value received from upstream and reported in mplsTeP2mpTunnelDestSrcSubGroupID.')
jnxMplsTeP2mpTunnelDestDestinationType = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 7), InetAddressType())
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestDestinationType.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestDestinationType.setDescription('This object identifies the type of address carried in mplsTeP2mpTunnelDestDestination. This object forms part of the index of this table and can, therefore, not return the value unknown(0). Similarly, since the object mplsTeP2mpTunnelDestDestination must conform to the protocol specification, this object must return either ipv4(1) or ipv6(2).')
jnxMplsTeP2mpTunnelDestDestination = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 8), InetAddress().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(4, 4), ValueSizeConstraint(16, 16), )))
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestDestination.setReference('RFC 4875 - Extensions to Resource Reservation Protocol - Traffic Engineering (RSVP-TE) for Point-to-Multipoint TE Label Switched Paths (LSPs), R. Aggarwal, D. Papadimitriou, and S. Yasukawa, May 2007.')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestDestination.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestDestination.setDescription('A single destination of this P2MP tunnel. That is, a routable TE address of a leaf. This will often be the TE Router ID of the leaf, but can be any interface address. When a signaling protocol is used, this object corresponds to the S2L Sub-LSP destination address field in the S2L_SUB_LSP object. This object is interpreted in the context of mplsTeP2mpTunnelDestDestinationType.')
jnxMplsTeP2mpTunnelDestBranchOutSegment = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 9), MplsIndexType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestBranchOutSegment.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestBranchOutSegment.setDescription('This object identifies the outgoing branch from this LSR towards the destination represented by this table entry. It must be a unique identifier within the scope of this tunnel. If MPLS-LSR-STD-MIB is implemented, this object should contain an index into mplsOutSegmentTable. If MPLS-LSR-STD-MIB is not implemented, the LSR should assign a unique value to each branch of the tunnel. The value of this object is also used as an index into mplsTeP2mpTunnelBranchPerfTable.')
jnxMplsTeP2mpTunnelDestHopTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 10), MplsPathIndexOrZero()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestHopTableIndex.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestHopTableIndex.setDescription('Index into the mplsTunnelHopTable entry that specifies the explicit route hops for this destination of the P2MP tunnel. This object represents the configured route for the branch of the P2MP tree to this destination and is meaningful only at the head-end (ingress or root) of the P2MP tunnel. Note that many such paths may be configured within the mplsTunnelHopTable for each destination, and that the object mplsTeP2mpTunnelDestPathInUse identifies which path has been selected for use.')
jnxMplsTeP2mpTunnelDestPathInUse = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 11), MplsPathIndexOrZero()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestPathInUse.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestPathInUse.setDescription('This value denotes the configured path that was chosen as the explicit path to this destination of this P2MP tunnel. This value reflects the secondary index into mplsTunnelHopTable where the primary index comes from mplsTeP2mpTunnelDestHopTableIndex. The path indicated by this object might not exactly match the one signaled and recorded in mplsTunnelCHopTable as specific details of the path might be computed locally. Similarly, the path might not match the actual path in use as recorded in mplsTunnelARHopTable due to the fact that some details of the path may have been resolved within the network. A value of zero denotes that no path is currently in use or available.')
jnxMplsTeP2mpTunnelDestCHopTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 12), MplsPathIndexOrZero()).setMaxAccess("readonly")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestCHopTableIndex.setReference('RFC 4875 - Extensions to Resource Reservation Protocol - Traffic Engineering (RSVP-TE) for Point-to-Multipoint TE Label Switched Paths (LSPs), R. Aggarwal, D. Papadimitriou, and S. Yasukawa, May 2007.')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestCHopTableIndex.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestCHopTableIndex.setDescription("Index into the mplsTunnelCHopTable that identifies the explicit path for this destination of the P2MP tunnel. This path is based on the chosen configured path identified by mplsTeP2mpTunnelDestHopTableIndex and mplsTeP2mpTunnelDestPathInUse, but may have been modified and automatically updated by the agent when computed hops become available or when computed hops get modified. If this destination is the destination of the 'first S2L sub-LSP' then this path will be signaled in the Explicit Route Object. If this destination is the destination of a 'subsequent S2L sub-LSP' then this path will be signaled in a Secondary Explicit Route Object.")
jnxMplsTeP2mpTunnelDestARHopTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 13), MplsPathIndexOrZero()).setMaxAccess("readonly")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestARHopTableIndex.setReference('RFC 4875 - Extensions to Resource Reservation Protocol - Traffic Engineering (RSVP-TE) for Point-to-Multipoint TE Label Switched Paths (LSPs), R. Aggarwal, D. Papadimitriou, and S. Yasukawa, May 2007.')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestARHopTableIndex.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestARHopTableIndex.setDescription("Index into the mplsTunnelARHopTable that identifies the actual hops traversed to this destination of the P2MP tunnel. This is automatically updated by the agent when the actual hops becomes available. If this destination is the destination of the 'first S2L sub-LSP' then this path will be signaled in the Recorded Route Object. If this destination is the destination of a 'subsequent S2L sub-LSP' then this path will be signaled in a Secondary Recorded Route Object.")
jnxMplsTeP2mpTunnelDestTotalUpTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 14), TimeTicks()).setMaxAccess("readonly")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestTotalUpTime.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestTotalUpTime.setDescription('This value represents the aggregate up time for all instances of this tunnel to this destination, if this information is available. If this information is not available, this object MUST return a value of 0.')
jnxMplsTeP2mpTunnelDestInstanceUpTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 15), TimeTicks()).setMaxAccess("readonly")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestInstanceUpTime.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestInstanceUpTime.setDescription('This value identifies the total time that the currently active tunnel instance to this destination has had its operational status (mplsTeP2mpTunnelDestOperStatus) set to up(1) since it was last previously not up(1).')
jnxMplsTeP2mpTunnelDestPathChanges = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 16), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestPathChanges.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestPathChanges.setDescription('This object counts the number of times the actual path for this destination of this P2MP tunnel instance has changed. This object should be read in conjunction with mplsTeP2mpTunnelDestDiscontinuityTime.')
jnxMplsTeP2mpTunnelDestLastPathChange = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 17), TimeTicks()).setMaxAccess("readonly")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestLastPathChange.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestLastPathChange.setDescription('Specifies the time since the last change to the actual path for this destination of this P2MP tunnel instance.')
jnxMplsTeP2mpTunnelDestCreationTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 18), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestCreationTime.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestCreationTime.setDescription('Specifies the value of sysUpTime when the first instance of this tunnel came into existence for this destination. That is, when the value of mplsTeP2mpTunnelDestOperStatus was first set to up(1).')
jnxMplsTeP2mpTunnelDestStateTransitions = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 19), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestStateTransitions.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestStateTransitions.setDescription('This object counts the number of times the status (mplsTeP2mpTunnelDestOperStatus) of this tunnel instance to this destination has changed. This object should be read in conjunction with mplsTeP2mpTunnelDestDiscontinuityTime.')
jnxMplsTeP2mpTunnelDestDiscontinuityTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 20), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestDiscontinuityTime.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestDiscontinuityTime.setDescription("The value of sysUpTime on the most recent occasion at which any one or more of this row's Counter32 objects experienced a discontinuity. If no such discontinuity has occurred since the last re-initialization of the local management subsystem, then this object contains a zero value.")
jnxMplsTeP2mpTunnelDestAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestAdminStatus.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestAdminStatus.setDescription('Indicates the desired operational status of this destination of this P2MP tunnel.')
jnxMplsTeP2mpTunnelDestOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 22), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 7))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3), ("unknown", 4), ("lowerLayerDown", 7)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestOperStatus.setReference('RFC 3812 - Multiprotocol Label Switching (MPLS) Traffic Engineering (TE) Management Information Base (MIB), Srinivasan, C., Viswanathan, A., and T. Nadeau, June 2004.')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestOperStatus.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestOperStatus.setDescription('Indicates the actual operational status of this destination of this P2MP tunnel. This object may be compared to mplsTunnelOperStatus that includes two other values: dormant(5) -- some component is missing notPresent(6) -- down due to the state of -- lower layer interfaces. These states do not apply to an individual destination of a P2MP MPLS-TE LSP and so are not included in this object.')
jnxMplsTeP2mpTunnelDestRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 23), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestRowStatus.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestRowStatus.setDescription('This object is used to create, modify, and/or delete a row in this table. When a row in this table is in active(1) state, no objects in that row can be modified by SET operations except mplsTeP2mpTunnelDestAdminStatus and mplsTeP2mpTunnelDestStorageType.')
jnxMplsTeP2mpTunnelDestStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 24), StorageType().clone('volatile')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestStorageType.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestStorageType.setDescription("The storage type for this table entry. Conceptual rows having the value 'permanent' need not allow write-access to any columnar objects in the row.")
jnxMplsTeP2mpTunnelBranchPerfTable = MibTable((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 4), )
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelBranchPerfTable.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelBranchPerfTable.setDescription('This table provides per-tunnel branch MPLS performance information. This table is not valid for switching types other than packet.')
jnxMplsTeP2mpTunnelBranchPerfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 4, 1), ).setIndexNames((0, "MPLS-TE-STD-MIB", "mplsTunnelIndex"), (0, "MPLS-TE-STD-MIB", "mplsTunnelInstance"), (0, "MPLS-TE-STD-MIB", "mplsTunnelIngressLSRId"), (0, "MPLS-TE-STD-MIB", "mplsTunnelEgressLSRId"), (0, "JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelBranchPerfBranch"))
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelBranchPerfEntry.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelBranchPerfEntry.setDescription('An entry in this table is created by the LSR for each downstream branch (out-segment) from this LSR for this P2MP tunnel. More than one destination as represented by an entry in the mplsTeP2mpTunnelDestTable may be reached through a single out-segment. More than one out-segment may belong to a single P2MP tunnel represented by an entry in mplsTeP2mpTunnelTable. Each entry in the table is indexed by the four identifiers of the P2MP tunnel, and the out-segment that identifies the outgoing branch.')
jnxMplsTeP2mpTunnelBranchPerfBranch = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 4, 1, 1), MplsIndexType())
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelBranchPerfBranch.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelBranchPerfBranch.setDescription('This object identifies an outgoing branch from this LSR for this tunnel. Its value is unique within the context of the tunnel. If MPLS-LSR-STD-MIB is implemented, this object should contain an index into mplsOutSegmentTable. Under all circumstances, this object should contain the same value as mplsTeP2mpTunnelDestBranchOutSegment for destinations reached on this branch.')
jnxMplsTeP2mpTunnelBranchPerfPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 4, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelBranchPerfPackets.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelBranchPerfPackets.setDescription('Number of packets forwarded by the tunnel onto this branch. This object should represents the 32-bit value of the least significant part of the 64-bit value if both mplsTeP2mpTunnelBranchPerfHCPackets is returned. This object should be read in conjunction with mplsTeP2mpTunnelBranchDiscontinuityTime.')
jnxMplsTeP2mpTunnelBranchPerfHCPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 4, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelBranchPerfHCPackets.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelBranchPerfHCPackets.setDescription('High capacity counter for number of packets forwarded by the tunnel onto this branch. This object should be read in conjunction with mplsTeP2mpTunnelBranchDiscontinuityTime.')
jnxMplsTeP2mpTunnelBranchPerfErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 4, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelBranchPerfErrors.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelBranchPerfErrors.setDescription('Number of packets dropped because of errors or for other reasons, that were supposed to be forwarded onto this branch for this tunnel. This object should be read in conjunction with mplsTeP2mpTunnelBranchDiscontinuityTime.')
jnxMplsTeP2mpTunnelBranchPerfBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 4, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelBranchPerfBytes.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelBranchPerfBytes.setDescription('Number of bytes forwarded by the tunnel onto this branch. This object should represents the 32-bit value of the least significant part of the 64-bit value if both mplsTeP2mpTunnelBranchPerfHCBytes is returned. This object should be read in conjunction with mplsTeP2mpTunnelBranchDiscontinuityTime.')
jnxMplsTeP2mpTunnelBranchPerfHCBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 4, 1, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelBranchPerfHCBytes.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelBranchPerfHCBytes.setDescription('High capacity counter for number of bytes forwarded by the tunnel onto this branch. This object should be read in conjunction with mplsTeP2mpTunnelBranchDiscontinuityTime.')
jnxMplsTeP2mpTunnelBranchDiscontinuityTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 4, 1, 7), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelBranchDiscontinuityTime.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelBranchDiscontinuityTime.setDescription("The value of sysUpTime on the most recent occasion at which any one or more of this row's Counter32 or Counter64 objects experienced a discontinuity. If no such discontinuity has occurred since the last re-initialization of the local management subsystem, then this object contains a zero value.")
jnxMplsTeP2mpTunnelNotificationEnable = MibScalar((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 5), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelNotificationEnable.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelNotificationEnable.setDescription('If this object is true(1), then it enables the generation of mplsTeP2mpTunnelDestUp and mplsTeP2mpTunnelDestDown notifications. Otherwise these notifications are not emitted. Note that when tunnels have large numbers of destinations, setting this object to true(1) may result in the generation of large numbers of notifications.')
jnxMplsTeP2mpTunnelDestUp = NotificationType((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 0, 1)).setObjects(("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestAdminStatus"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestOperStatus"))
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestUp.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestUp.setDescription('This notification is generated when a mplsTeP2mpTunnelDestOperStatus object for one of the destinations of one of the configured tunnels is about to leave the down(2) state and transition into some other state. This other state is indicated by the included value of mplsTeP2mpTunnelDestOperStatus. This reporting of state transitions mirrors mplsTunnelUp.')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestUp.setReference('RFC 3812 - Multiprotocol Label Switching (MPLS) Traffic Engineering (TE) Management Information Base (MIB), Srinivasan, C., Viswanathan, A., and T. Nadeau, June 2004.')
jnxMplsTeP2mpTunnelDestDown = NotificationType((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 0, 2)).setObjects(("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestAdminStatus"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestOperStatus"))
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestDown.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestDown.setDescription('This notification is generated when a mplsTeP2mpTunnelDestOperStatus object for one of the destinations of one of the configured tunnels is about to enter the down(2) state from some other state. This other state is indicated by the included value of mplsTeP2mpTunnelDestOperStatus. This reporting of state transitions mirrors mplsTunnelDown.')
if mibBuilder.loadTexts: jnxMplsTeP2mpTunnelDestDown.setReference('RFC 3812 - Multiprotocol Label Switching (MPLS) Traffic Engineering (TE) Management Information Base (MIB), Srinivasan, C., Viswanathan, A., and T. Nadeau, June 2004.')
jnxMplsTeP2mpGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 3, 1))
jnxMplsTeP2mpCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 3, 2))
jnxMplsTeP2mpModuleFullCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 3, 2, 1)).setObjects(("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpGeneralGroup"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpNotifGroup"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpScalarGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
jnxMplsTeP2mpModuleFullCompliance = jnxMplsTeP2mpModuleFullCompliance.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpModuleFullCompliance.setDescription('Compliance statement for agents that provide full support for MPLS-TE-P2MP-STD-MIB. Such devices can be monitored and also be configured using this MIB module. The Module is implemented with support for read-create and read-write. In other words, both monitoring and configuration are available when using this MODULE-COMPLIANCE.')
jnxMplsTeP2mpModuleReadOnlyCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 3, 2, 2)).setObjects(("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpGeneralGroup"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpScalarGroup"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpNotifGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
jnxMplsTeP2mpModuleReadOnlyCompliance = jnxMplsTeP2mpModuleReadOnlyCompliance.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpModuleReadOnlyCompliance.setDescription('Compliance statement for agents that provide read-only support for MPLS-TE-P2MP-STD-MIB. Such devices can only be monitored using this MIB module. The Module is implemented with support for read-only. In other words, only monitoring is available by implementing this MODULE-COMPLIANCE.')
jnxMplsTeP2mpGeneralGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 3, 1, 1)).setObjects(("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelConfigured"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelActive"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelTotalMaxHops"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelP2mpIntegrity"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelBranchRole"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelP2mpXcIndex"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelRowStatus"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelStorageType"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelSubGroupIDNext"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestBranchOutSegment"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestHopTableIndex"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestPathInUse"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestCHopTableIndex"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestARHopTableIndex"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestTotalUpTime"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestInstanceUpTime"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestPathChanges"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestLastPathChange"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestCreationTime"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestStateTransitions"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestDiscontinuityTime"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestAdminStatus"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestOperStatus"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestRowStatus"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestStorageType"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelBranchPerfPackets"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelBranchPerfHCPackets"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelBranchPerfErrors"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelBranchPerfBytes"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelBranchPerfHCBytes"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelBranchDiscontinuityTime"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelNotificationEnable"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
jnxMplsTeP2mpGeneralGroup = jnxMplsTeP2mpGeneralGroup.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpGeneralGroup.setDescription('Collection of objects needed for MPLS P2MP.')
jnxMplsTeP2mpNotifGroup = NotificationGroup((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 3, 1, 2)).setObjects(("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestUp"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelDestDown"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
jnxMplsTeP2mpNotifGroup = jnxMplsTeP2mpNotifGroup.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpNotifGroup.setDescription('Notifications implemented in this module.')
jnxMplsTeP2mpScalarGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 3, 1, 3)).setObjects(("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelConfigured"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelActive"), ("JNX-MPLS-TE-P2MP-STD-MIB", "jnxMplsTeP2mpTunnelTotalMaxHops"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
jnxMplsTeP2mpScalarGroup = jnxMplsTeP2mpScalarGroup.setStatus('current')
if mibBuilder.loadTexts: jnxMplsTeP2mpScalarGroup.setDescription('Scalar objects needed to implement P2MP MPLS tunnels.')
mibBuilder.exportSymbols("JNX-MPLS-TE-P2MP-STD-MIB", jnxMplsTeP2mpStdMIB=jnxMplsTeP2mpStdMIB, jnxMplsTeP2mpTunnelSubGroupIDNext=jnxMplsTeP2mpTunnelSubGroupIDNext, jnxMplsTeP2mpTunnelDestDiscontinuityTime=jnxMplsTeP2mpTunnelDestDiscontinuityTime, jnxMplsTeP2mpTunnelDestRowStatus=jnxMplsTeP2mpTunnelDestRowStatus, jnxMplsTeP2mpTunnelBranchPerfBranch=jnxMplsTeP2mpTunnelBranchPerfBranch, jnxMplsTeP2mpTunnelEntry=jnxMplsTeP2mpTunnelEntry, jnxMplsTeP2mpTunnelP2mpIntegrity=jnxMplsTeP2mpTunnelP2mpIntegrity, jnxMplsTeP2mpTunnelTable=jnxMplsTeP2mpTunnelTable, jnxMplsTeP2mpTunnelDestHopTableIndex=jnxMplsTeP2mpTunnelDestHopTableIndex, jnxMplsTeP2mpTunnelDestSrcSubGroupID=jnxMplsTeP2mpTunnelDestSrcSubGroupID, jnxMplsTeP2mpTunnelDestCHopTableIndex=jnxMplsTeP2mpTunnelDestCHopTableIndex, jnxMplsTeP2mpTunnelDestLastPathChange=jnxMplsTeP2mpTunnelDestLastPathChange, jnxMplsTeP2mpNotifGroup=jnxMplsTeP2mpNotifGroup, jnxMplsTeP2mpScalarGroup=jnxMplsTeP2mpScalarGroup, jnxMplsTeP2mpTunnelBranchPerfHCPackets=jnxMplsTeP2mpTunnelBranchPerfHCPackets, jnxMplsTeP2mpTunnelDestDestination=jnxMplsTeP2mpTunnelDestDestination, jnxMplsTeP2mpGroups=jnxMplsTeP2mpGroups, jnxMplsTeP2mpNotifications=jnxMplsTeP2mpNotifications, jnxMplsTeP2mpTunnelDestBranchOutSegment=jnxMplsTeP2mpTunnelDestBranchOutSegment, jnxMplsTeP2mpTunnelTotalMaxHops=jnxMplsTeP2mpTunnelTotalMaxHops, jnxMplsTeP2mpTunnelDestSubGroupOrigin=jnxMplsTeP2mpTunnelDestSubGroupOrigin, jnxMplsTeP2mpTunnelDestStateTransitions=jnxMplsTeP2mpTunnelDestStateTransitions, jnxMplsTeP2mpTunnelDestTable=jnxMplsTeP2mpTunnelDestTable, PYSNMP_MODULE_ID=jnxMplsTeP2mpStdMIB, jnxMplsTeP2mpConformance=jnxMplsTeP2mpConformance, jnxMplsTeP2mpTunnelDestCreationTime=jnxMplsTeP2mpTunnelDestCreationTime, jnxMplsTeP2mpTunnelP2mpXcIndex=jnxMplsTeP2mpTunnelP2mpXcIndex, jnxMplsTeP2mpTunnelDestTotalUpTime=jnxMplsTeP2mpTunnelDestTotalUpTime, jnxMplsTeP2mpTunnelConfigured=jnxMplsTeP2mpTunnelConfigured, jnxMplsTeP2mpTunnelBranchPerfErrors=jnxMplsTeP2mpTunnelBranchPerfErrors, jnxMplsTeP2mpModuleReadOnlyCompliance=jnxMplsTeP2mpModuleReadOnlyCompliance, jnxMplsTeP2mpTunnelBranchPerfPackets=jnxMplsTeP2mpTunnelBranchPerfPackets, jnxMplsTeP2mpTunnelDestSubGroupID=jnxMplsTeP2mpTunnelDestSubGroupID, jnxMplsTeP2mpTunnelDestEntry=jnxMplsTeP2mpTunnelDestEntry, jnxMplsTeP2mpTunnelDestSubGroupOriginType=jnxMplsTeP2mpTunnelDestSubGroupOriginType, jnxMplsTeP2mpTunnelBranchDiscontinuityTime=jnxMplsTeP2mpTunnelBranchDiscontinuityTime, jnxMplsTeP2mpTunnelDestSrcSubGroupOriginType=jnxMplsTeP2mpTunnelDestSrcSubGroupOriginType, jnxMplsTeP2mpTunnelDestOperStatus=jnxMplsTeP2mpTunnelDestOperStatus, jnxMplsTeP2mpScalars=jnxMplsTeP2mpScalars, jnxMplsTeP2mpTunnelBranchPerfTable=jnxMplsTeP2mpTunnelBranchPerfTable, jnxMplsTeP2mpTunnelDestARHopTableIndex=jnxMplsTeP2mpTunnelDestARHopTableIndex, jnxMplsTeP2mpTunnelDestStorageType=jnxMplsTeP2mpTunnelDestStorageType, jnxMplsTeP2mpTunnelNotificationEnable=jnxMplsTeP2mpTunnelNotificationEnable, jnxMplsTeP2mpTunnelStorageType=jnxMplsTeP2mpTunnelStorageType, jnxMplsTeP2mpTunnelDestInstanceUpTime=jnxMplsTeP2mpTunnelDestInstanceUpTime, jnxMplsTeP2mpTunnelDestUp=jnxMplsTeP2mpTunnelDestUp, jnxMplsTeP2mpCompliances=jnxMplsTeP2mpCompliances, jnxMplsTeP2mpTunnelDestPathInUse=jnxMplsTeP2mpTunnelDestPathInUse, jnxMplsTeP2mpTunnelBranchPerfHCBytes=jnxMplsTeP2mpTunnelBranchPerfHCBytes, jnxMplsTeP2mpTunnelDestSrcSubGroupOrigin=jnxMplsTeP2mpTunnelDestSrcSubGroupOrigin, jnxMplsTeP2mpTunnelBranchPerfEntry=jnxMplsTeP2mpTunnelBranchPerfEntry, jnxMplsTeP2mpTunnelBranchRole=jnxMplsTeP2mpTunnelBranchRole, jnxMplsTeP2mpTunnelRowStatus=jnxMplsTeP2mpTunnelRowStatus, jnxMplsTeP2mpGeneralGroup=jnxMplsTeP2mpGeneralGroup, jnxMplsTeP2mpTunnelDestDown=jnxMplsTeP2mpTunnelDestDown, jnxMplsTeP2mpTunnelActive=jnxMplsTeP2mpTunnelActive, jnxMplsTeP2mpTunnelBranchPerfBytes=jnxMplsTeP2mpTunnelBranchPerfBytes, jnxMplsTeP2mpObjects=jnxMplsTeP2mpObjects, jnxMplsTeP2mpModuleFullCompliance=jnxMplsTeP2mpModuleFullCompliance, jnxMplsTeP2mpTunnelDestDestinationType=jnxMplsTeP2mpTunnelDestDestinationType, jnxMplsTeP2mpTunnelDestAdminStatus=jnxMplsTeP2mpTunnelDestAdminStatus, jnxMplsTeP2mpTunnelDestPathChanges=jnxMplsTeP2mpTunnelDestPathChanges)
| (object_identifier, integer, octet_string) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'Integer', 'OctetString')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(constraints_union, constraints_intersection, value_range_constraint, value_size_constraint, single_value_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsUnion', 'ConstraintsIntersection', 'ValueRangeConstraint', 'ValueSizeConstraint', 'SingleValueConstraint')
(index_integer, index_integer_next_free) = mibBuilder.importSymbols('DIFFSERV-MIB', 'IndexInteger', 'IndexIntegerNextFree')
(inet_address, inet_address_type) = mibBuilder.importSymbols('INET-ADDRESS-MIB', 'InetAddress', 'InetAddressType')
(jnx_p2mp_experiment,) = mibBuilder.importSymbols('JUNIPER-EXPERIMENT-MIB', 'jnxP2mpExperiment')
(mpls_index_type,) = mibBuilder.importSymbols('MPLS-LSR-STD-MIB', 'MplsIndexType')
(mpls_std_mib, mpls_path_index_or_zero) = mibBuilder.importSymbols('MPLS-TC-STD-MIB', 'mplsStdMIB', 'MplsPathIndexOrZero')
(mpls_tunnel_ingress_lsr_id, mpls_tunnel_egress_lsr_id, mpls_tunnel_instance, mpls_tunnel_index) = mibBuilder.importSymbols('MPLS-TE-STD-MIB', 'mplsTunnelIngressLSRId', 'mplsTunnelEgressLSRId', 'mplsTunnelInstance', 'mplsTunnelIndex')
(module_compliance, notification_group, object_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup', 'ObjectGroup')
(module_identity, counter32, time_ticks, bits, gauge32, iso, unsigned32, ip_address, object_identity, counter64, integer32, mib_identifier, mib_scalar, mib_table, mib_table_row, mib_table_column, notification_type) = mibBuilder.importSymbols('SNMPv2-SMI', 'ModuleIdentity', 'Counter32', 'TimeTicks', 'Bits', 'Gauge32', 'iso', 'Unsigned32', 'IpAddress', 'ObjectIdentity', 'Counter64', 'Integer32', 'MibIdentifier', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'NotificationType')
(time_stamp, textual_convention, row_status, display_string, truth_value, storage_type) = mibBuilder.importSymbols('SNMPv2-TC', 'TimeStamp', 'TextualConvention', 'RowStatus', 'DisplayString', 'TruthValue', 'StorageType')
jnx_mpls_te_p2mp_std_mib = module_identity((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1))
jnxMplsTeP2mpStdMIB.setRevisions(('2009-04-17 00:00',))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts:
jnxMplsTeP2mpStdMIB.setRevisionsDescriptions(('Initial version issued as part of RFC XXXX.',))
if mibBuilder.loadTexts:
jnxMplsTeP2mpStdMIB.setLastUpdated('200904170000Z')
if mibBuilder.loadTexts:
jnxMplsTeP2mpStdMIB.setOrganization('Multiprotocol Label Switching (MPLS) Working Group')
if mibBuilder.loadTexts:
jnxMplsTeP2mpStdMIB.setContactInfo(' Adrian Farrel Old Dog Consulting Email: adrian@olddog.co.uk Seisho Yasukawa NTT Corporation Email: s.yasukawa@hco.ntt.co.jp Thomas D. Nadeau British Telecom Email: tom.nadeau@bt.com Comments about this document should be emailed directly to the MPLS working group mailing list at mpls@lists.ietf.org')
if mibBuilder.loadTexts:
jnxMplsTeP2mpStdMIB.setDescription("Copyright (c) 2009 IETF Trust and the persons identified as the document authors. All rights reserved. This document is subject to BCP 78 and the IETF Trust's Legal Provisions Relating to IETF Documents in effect on the date of publication of this document (http://trustee.ietf.org/license-info). Please review these documents carefully, as they describe your rights and restrictions with respect to this document. The initial version of this MIB module was published in RFC XXXX. For full legal notices see the RFC itself or see: http://www.ietf.org/copyrights/ianamib.html -- RFC Editor. Please replace XXXX with the RFC number for this -- document and remove this note. This MIB module contains managed object definitions for Point-to-Multipoint (P2MP) MPLS Traffic Engineering (TE) defined in: 1. Signaling Requirements for Point-to-Multipoint Traffic-Engineered MPLS Label Switched Paths (LSPs), S. Yasukawa, RFC 4461, April 2006. 2. Extensions to Resource Reservation Protocol - Traffic Engineering (RSVP-TE) for Point-to-Multipoint TE Label Switched Paths (LSPs), Aggarwal, R., Papadimitriou, D., and Yasukawa, S., RFC 4875, May 2007.")
jnx_mpls_te_p2mp_notifications = mib_identifier((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 0))
jnx_mpls_te_p2mp_scalars = mib_identifier((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 1))
jnx_mpls_te_p2mp_objects = mib_identifier((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2))
jnx_mpls_te_p2mp_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 3))
jnx_mpls_te_p2mp_tunnel_configured = mib_scalar((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelConfigured.setReference('RFC 3812 - Multiprotocol Label Switching (MPLS) Traffic Engineering (TE) Management Information Base (MIB), Srinivasan, C., Viswanathan, A., and T. Nadeau, June 2004.')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelConfigured.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelConfigured.setDescription('The number of P2MP tunnels configured on this device. A tunnel is considered configured if the mplsTunnelRowStatus in MPLS-TE-STD-MIB is active(1).')
jnx_mpls_te_p2mp_tunnel_active = mib_scalar((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 1, 2), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelActive.setReference('RFC 3812 - Multiprotocol Label Switching (MPLS) Traffic Engineering (TE) Management Information Base (MIB), Srinivasan, C., Viswanathan, A., and T. Nadeau, June 2004.')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelActive.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelActive.setDescription('The number of P2MP tunnels active on this device. A tunnel is considered active if the mplsTunnelOperStatus in MPLS-TE-STD-MIB is up(1).')
jnx_mpls_te_p2mp_tunnel_total_max_hops = mib_scalar((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 1, 3), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelTotalMaxHops.setReference('RFC 3812 - Multiprotocol Label Switching (MPLS) Traffic Engineering (TE) Management Information Base (MIB), Srinivasan, C., Viswanathan, A., and T. Nadeau, June 2004.')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelTotalMaxHops.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelTotalMaxHops.setDescription('The maximum number of hops that can be specified for an entire P2MP tunnel on this device. This object should be used in conjunction with mplsTunnelMaxHops in MPLS-TE-STD-MIB that is used in the context of P2MP tunnels to express the maximum number of hops to any individual destination of a P2MP tunnel that can be configured on this device. mplsTeP2mpTunnelTotalMaxHops would normally be set larger than or equal to mplsTunnelMaxHops.')
jnx_mpls_te_p2mp_tunnel_table = mib_table((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 1))
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelTable.setReference('RFC 3812 - Multiprotocol Label Switching (MPLS) Traffic Engineering (TE) Management Information Base (MIB), Srinivasan, C., Viswanathan, A., and T. Nadeau, June 2004.')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelTable.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelTable.setDescription('The mplsTeP2mpTunnelTable allows new P2MP MPLS tunnels to be created between an LSR and one or more remote end-points, and existing P2MP tunnels to be reconfigured or removed. This table sparse augments mplsTunnelTable in MPLS-TE-STD-MIB such that entries in that table can be flagged as point-to-multipoint, and can be configured and monitored appropriately.')
jnx_mpls_te_p2mp_tunnel_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 1, 1)).setIndexNames((0, 'MPLS-TE-STD-MIB', 'mplsTunnelIndex'), (0, 'MPLS-TE-STD-MIB', 'mplsTunnelInstance'), (0, 'MPLS-TE-STD-MIB', 'mplsTunnelIngressLSRId'), (0, 'MPLS-TE-STD-MIB', 'mplsTunnelEgressLSRId'))
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelEntry.setReference('RFC 3812 - Multiprotocol Label Switching (MPLS) Traffic Engineering (TE) Management Information Base (MIB), Srinivasan, C., Viswanathan, A., and T. Nadeau, June 2004.')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelEntry.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelEntry.setDescription('An entry in this table represents a P2MP MPLS tunnel. An entry can be created by a network administrator or by an SNMP agent as instructed by an MPLS signaling protocol. An entry in this table MUST correspond to an entry in the mplsTunnelTable in MPLS-TE-STD-MIB. This table shares index objects with that table and sparse augments that table. Thus, an entry in this table can only be created at the same time as or after a corresponding entry in mplsTunnelTable, and an entry in mplsTunnelTable cannot be deleted while a corresponding entry exists in this table. This table entry includes a row status object, but administrative and operational statuses should be taken from mplsTunnelAdminStatus and mplsTunnelOperStatus in the corresponding entry in mplsTunnelTable.')
jnx_mpls_te_p2mp_tunnel_p2mp_integrity = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 1, 1, 2), truth_value().clone('false')).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelP2mpIntegrity.setReference('RFC 4875 - Extensions to Resource Reservation Protocol - Traffic Engineering (RSVP-TE) for Point-to-Multipoint TE Label Switched Paths (LSPs), R. Aggarwal, D. Papadimitriou, and S. Yasukawa, May 2007.')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelP2mpIntegrity.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelP2mpIntegrity.setDescription('Denotes whether or not P2MP Integrity is required for this tunnel. If P2MP integrity is operational on a P2MP tunnel then the failure of the path to any of the tunnel destinations should cause the teardown of the entire P2MP tunnel.')
jnx_mpls_te_p2mp_tunnel_branch_role = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('notBranch', 1), ('branch', 2), ('bud', 3))).clone('notBranch')).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelBranchRole.setReference('RFC 3812 - Multiprotocol Label Switching (MPLS) Traffic Engineering (TE) Management Information Base (MIB), Srinivasan, C., Viswanathan, A., and T. Nadeau, June 2004.')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelBranchRole.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelBranchRole.setDescription('This value supplements the value in the object mplsTunnelRole in MPLS-TE-STD-MIB that indicates the role of this LSR in the tunnel represented by this entry in mplsTeP2mpTunnelTable. mplsTunnelRole may take any of the values: head(1), transit(2), tail(3), headTail(4) If this LSR is an ingress and there is exactly one out-segment, mplsTunnelRole should contain the value head(1), and mplsTeP2mpTunnelBranchRole should have the value notBranch(1). If this LSR is an ingress with more than one out segment, mplsTunnelRole should contain the value head(1), and mplsTeP2mpTunnelBranchRole should have the value branch(2). If this LSR is an ingress, an egress, and there is one or more out-segments, mplsTunnelRole should contain the value headTail(4), and mplsTeP2mpTunnelBranchRole should have the value bud(3). If this LSR is a transit with exactly one out-segment, mplsTunnelRole should contain the value transit(2), and mplsTeP2mpTunnelBranchRole should have the value notBranch(1). If this LSR is a transit with more than one out-segment, mplsTunnelRole should contain the value transit(2), and mplsTeP2mpTunnelBranchRole should have the value branch(2). If this LSR is a transit with one or more out-segments and is also an egress, mplsTunnelRole should contain the value transit(2), and mplsTeP2mpTunnelBranchRole should have the value bud(3). If this LSR is an egress with no out-segment and is not the ingress, mplsTunnelRole should contain the value tail(3), and mplsTeP2mpTunnelBranchRole should have the value notBranch(1). If this LSR is an egress and has one or more out-segments, mplsTunnelRole should contain the value transit(1), and mplsTeP2mpTunnelBranchRole should have the value bud(3).')
jnx_mpls_te_p2mp_tunnel_p2mp_xc_index = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 1, 1, 4), mpls_index_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelP2mpXcIndex.setReference('RFC 3813 - Multiprotocol Label Switching (MPLS) Label Switching (LSR) Router Management Information Base (MIB), Srinivasan, C., Viswanathan, A., and T. Nadeau, June 2004.')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelP2mpXcIndex.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelP2mpXcIndex.setDescription('This object contains the value of mplsXCIndex, the primary index of the mplsXCTable for all cross-connect entries for this P2MP LSP. If no XC entries have been created yet, this object must return zero. The set of entries in the mplsXCTable for this P2MP LSP can be walked by reading Get-or-GetNext starting with the three indexes to mplsXCTable set as: mplsXCIndex = the value of this object mplsXCInSegmentIndex = 0x0 mplsXCOutSegmentIndex = 0x0')
jnx_mpls_te_p2mp_tunnel_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 1, 1, 5), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelRowStatus.setReference('RFC 3812 - Multiprotocol Label Switching (MPLS) Traffic Engineering (TE) Management Information Base (MIB), Srinivasan, C., Viswanathan, A., and T. Nadeau, June 2004.')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelRowStatus.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelRowStatus.setDescription('This variable is used to create, modify, and/or delete a row in this table. When a row in this table is in active(1) state, no objects in that row can be modified by the agent except mplsTeP2mpTunnelRowStatus and mplsTeP2mpTunnelStorageType. This object and mplsTunnelRowStatus in the corresponding entry in mplsTunnelTable in MPLS-TE-STD-MIB should be managed together. No objects in a row in this table can be modified when the mplsTunnelRowStatus object in the corresponding row in mplsTunnelTable has value active(1). Note that no admin or oper status objects are provided in this table. The administrative and operational status of P2MP tunnels is taken from the values of mplsTunnelAdminStatus and mplsTunnelOperStatus in the corresponding row mplsTunnelTable.')
jnx_mpls_te_p2mp_tunnel_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 1, 1, 6), storage_type().clone('volatile')).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelStorageType.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelStorageType.setDescription("The storage type for this tunnel entry. Conceptual rows having the value 'permanent' need not allow write-access to any columnar objects in the row.")
jnx_mpls_te_p2mp_tunnel_sub_group_id_next = mib_scalar((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 2), index_integer_next_free().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelSubGroupIDNext.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelSubGroupIDNext.setDescription('This object contains an unused value for mplsTeP2mpTunnelDestSubGroupID, or a zero to indicate that none exists. Negative values are not allowed, as they do not correspond to valid values of mplsTeP2mpTunnelDestSubGroupID. Note that this object offers an unused value for an mplsTeP2mpTunnelDestSubGroupID value at the local LSR when it is a sub-group originator. In other cases, the value of mplsTeP2mpTunnelDestSubGroupID SHOULD be taken from the received value signaled by the signaling protocol and corresponds to the value in mplsTeP2mpTunnelDestSrcSubGroupID.')
jnx_mpls_te_p2mp_tunnel_dest_table = mib_table((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3))
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestTable.setReference('RFC 3812 - Multiprotocol Label Switching (MPLS) Traffic Engineering (TE) Management Information Base (MIB), Srinivasan, C., Viswanathan, A., and T. Nadeau, June 2004.')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestTable.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestTable.setDescription('The mplsTeP2mpTunnelDestTable allows new destinations of P2MP MPLS tunnels to be added to and removed from P2MP tunnels.')
jnx_mpls_te_p2mp_tunnel_dest_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1)).setIndexNames((0, 'MPLS-TE-STD-MIB', 'mplsTunnelIndex'), (0, 'MPLS-TE-STD-MIB', 'mplsTunnelInstance'), (0, 'MPLS-TE-STD-MIB', 'mplsTunnelIngressLSRId'), (0, 'MPLS-TE-STD-MIB', 'mplsTunnelEgressLSRId'), (0, 'JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestSrcSubGroupOriginType'), (0, 'JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestSrcSubGroupOrigin'), (0, 'JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestSrcSubGroupID'), (0, 'JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestSubGroupOriginType'), (0, 'JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestSubGroupOrigin'), (0, 'JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestSubGroupID'), (0, 'JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestDestinationType'), (0, 'JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestDestination'))
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestEntry.setReference('RFC 3812 - Multiprotocol Label Switching (MPLS) Traffic Engineering (TE) Management Information Base (MIB), Srinivasan, C., Viswanathan, A., and T. Nadeau, June 2004.')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestEntry.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestEntry.setDescription('An entry in this table represents a destination of a P2MP MPLS tunnel. An entry can be created by a network administrator or by an SNMP agent as instructed by an MPLS signaling protocol. Entries in this table share some index fields with the mplsTeP2mpTunnelTable and the mplsTunnelTable in MPLS-TE-STD-MIB. Entries in this table have no meaning unless there is a corresponding entry in mplsTeP2mpTunnelTable (which, itself, depends on a corresponding entry in mplsTunnelTable). Note that the same destination may be present more than once if it is in more than one sub-group as reflected by the mplsTeP2mpTunnelDestSrcSubGroupOriginType, mplsTeP2mpTunnelDestSrcSubGroupOrigin, mplsTeP2mpTunnelDestSrcSubGroupID, mplsTeP2mpTunnelDestSubGroupOriginType, mplsTeP2mpTunnelDestSubGroupOrigin, and mplsTeP2mpTunnelDestSubGroupID, index objects. Entries in this table may be created at any time. If created before an entry in the mplsTeP2mpTunnelTable the entries have no meaning, but may be kept ready for the creation of the P2MP tunnel. If created after the entry in mplsTeP2mpTunnelTable, entries in this table may reflect the addition of destinations to active P2MP tunnels. For this reason, entries in this table are equipped with row, admin, and oper status objects. ')
jnx_mpls_te_p2mp_tunnel_dest_src_sub_group_origin_type = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 1), inet_address_type())
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestSrcSubGroupOriginType.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestSrcSubGroupOriginType.setDescription('This object identifies the type of address carried in mplsTeP2mpTunnelDestSrcSubGroupOrigin. Since the object mplsTeP2mpTunnelDestSrcSubGroupOrigin must conform to the protocol specification, this object must return either ipv4(1) or ipv6(2) at a transit or egress LSR. At an ingress LSR, there is no source sub-group and this object should return the value unknown(0).')
jnx_mpls_te_p2mp_tunnel_dest_src_sub_group_origin = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 2), inet_address().subtype(subtypeSpec=constraints_union(value_size_constraint(0, 0), value_size_constraint(4, 4), value_size_constraint(16, 16))))
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestSrcSubGroupOrigin.setReference('RFC 4875 - Extensions to Resource Reservation Protocol - Traffic Engineering (RSVP-TE) for Point-to-Multipoint TE Label Switched Paths (LSPs), R. Aggarwal, D. Papadimitriou, and S. Yasukawa, May 2007.')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestSrcSubGroupOrigin.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestSrcSubGroupOrigin.setDescription('The TE Router ID (reachable and stable IP address) of the originator of the P2MP sub-group as received on a Path message by a transit or egress LSR. This object is interpreted in the context of mplsTeP2mpTunnelDestSrcSubGroupOriginType. The value of the sub-group originator used on outgoing Path messages is found in mplsTeP2mpTunnelDestSubGroupOrigin and is copied from this object unless this LSR is responsible for changing the sub-group ID. At an ingress LSR there is no received Path message. mplsTeP2mpTunnelDestSrcSubGroupOriginType should return unknown(0), and this object should return a zero-length string.')
jnx_mpls_te_p2mp_tunnel_dest_src_sub_group_id = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 3), index_integer().subtype(subtypeSpec=value_range_constraint(0, 65535)))
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestSrcSubGroupID.setReference('RFC 4875 - Extensions to Resource Reservation Protocol - Traffic Engineering (RSVP-TE) for Point-to-Multipoint TE Label Switched Paths (LSPs), R. Aggarwal, D. Papadimitriou, and S. Yasukawa, May 2007.')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestSrcSubGroupID.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestSrcSubGroupID.setDescription('The unique identifier assigned by the sub-group originator for this sub-group of this P2MP tunnel as received on a Path message by a transit or egress LSR. The value of the sub-group identifier used on outgoing Path messages is found in mplsTeP2mpTunnelDestSubGroupID and is copied from this object unless this LSR is responsible for changing the sub-group ID. At an ingress LSR there is no received Path message, and this object should return zero.')
jnx_mpls_te_p2mp_tunnel_dest_sub_group_origin_type = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 4), inet_address_type())
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestSubGroupOriginType.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestSubGroupOriginType.setDescription('This object identifies the type of address carried in mplsTeP2mpTunnelDestSubGroupOrigin. This object must return either ipv4(1) or ipv6(2) in keeping with the protocol specification.')
jnx_mpls_te_p2mp_tunnel_dest_sub_group_origin = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 5), inet_address().subtype(subtypeSpec=constraints_union(value_size_constraint(4, 4), value_size_constraint(16, 16))))
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestSubGroupOrigin.setReference('RFC 4875 - Extensions to Resource Reservation Protocol - Traffic Engineering (RSVP-TE) for Point-to-Multipoint TE Label Switched Paths (LSPs), R. Aggarwal, D. Papadimitriou, and S. Yasukawa, May 2007.')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestSubGroupOrigin.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestSubGroupOrigin.setDescription('The TE Router ID (reachable and stable IP address) of the originator of the P2MP sub-group. In many cases, this will be the ingress LSR of the P2MP tunnel and will be the received signaled value as available in mplsTeP2mpTunnelDestSrcSubGroupOrigin. When a signaling protocol is used, this object corresponds to the Sub-Group Originator field in the SENDER_TEMPLATE object. This object is interpreted in the context of mplsTeP2mpTunnelDestSubGroupOriginType.')
jnx_mpls_te_p2mp_tunnel_dest_sub_group_id = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 6), index_integer().subtype(subtypeSpec=value_range_constraint(1, 65535)))
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestSubGroupID.setReference('RFC 4875 - Extensions to Resource Reservation Protocol - Traffic Engineering (RSVP-TE) for Point-to-Multipoint TE Label Switched Paths (LSPs), R. Aggarwal, D. Papadimitriou, and S. Yasukawa, May 2007.')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestSubGroupID.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestSubGroupID.setDescription('The unique identifier assigned by the sub-group originator for this sub-group of this P2MP tunnel. An appropriate value for this object during row creation when the sub-group origin in mplsTeP2mpTunnelDestSubGroupOrigin is the local LSR can be obtained by reading mplsTeP2mpTunnelSubGroupIDNext. At an egress, there is no downstream sub-group ID. This object should return the value received from upstream and reported in mplsTeP2mpTunnelDestSrcSubGroupID.')
jnx_mpls_te_p2mp_tunnel_dest_destination_type = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 7), inet_address_type())
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestDestinationType.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestDestinationType.setDescription('This object identifies the type of address carried in mplsTeP2mpTunnelDestDestination. This object forms part of the index of this table and can, therefore, not return the value unknown(0). Similarly, since the object mplsTeP2mpTunnelDestDestination must conform to the protocol specification, this object must return either ipv4(1) or ipv6(2).')
jnx_mpls_te_p2mp_tunnel_dest_destination = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 8), inet_address().subtype(subtypeSpec=constraints_union(value_size_constraint(4, 4), value_size_constraint(16, 16))))
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestDestination.setReference('RFC 4875 - Extensions to Resource Reservation Protocol - Traffic Engineering (RSVP-TE) for Point-to-Multipoint TE Label Switched Paths (LSPs), R. Aggarwal, D. Papadimitriou, and S. Yasukawa, May 2007.')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestDestination.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestDestination.setDescription('A single destination of this P2MP tunnel. That is, a routable TE address of a leaf. This will often be the TE Router ID of the leaf, but can be any interface address. When a signaling protocol is used, this object corresponds to the S2L Sub-LSP destination address field in the S2L_SUB_LSP object. This object is interpreted in the context of mplsTeP2mpTunnelDestDestinationType.')
jnx_mpls_te_p2mp_tunnel_dest_branch_out_segment = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 9), mpls_index_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestBranchOutSegment.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestBranchOutSegment.setDescription('This object identifies the outgoing branch from this LSR towards the destination represented by this table entry. It must be a unique identifier within the scope of this tunnel. If MPLS-LSR-STD-MIB is implemented, this object should contain an index into mplsOutSegmentTable. If MPLS-LSR-STD-MIB is not implemented, the LSR should assign a unique value to each branch of the tunnel. The value of this object is also used as an index into mplsTeP2mpTunnelBranchPerfTable.')
jnx_mpls_te_p2mp_tunnel_dest_hop_table_index = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 10), mpls_path_index_or_zero()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestHopTableIndex.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestHopTableIndex.setDescription('Index into the mplsTunnelHopTable entry that specifies the explicit route hops for this destination of the P2MP tunnel. This object represents the configured route for the branch of the P2MP tree to this destination and is meaningful only at the head-end (ingress or root) of the P2MP tunnel. Note that many such paths may be configured within the mplsTunnelHopTable for each destination, and that the object mplsTeP2mpTunnelDestPathInUse identifies which path has been selected for use.')
jnx_mpls_te_p2mp_tunnel_dest_path_in_use = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 11), mpls_path_index_or_zero()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestPathInUse.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestPathInUse.setDescription('This value denotes the configured path that was chosen as the explicit path to this destination of this P2MP tunnel. This value reflects the secondary index into mplsTunnelHopTable where the primary index comes from mplsTeP2mpTunnelDestHopTableIndex. The path indicated by this object might not exactly match the one signaled and recorded in mplsTunnelCHopTable as specific details of the path might be computed locally. Similarly, the path might not match the actual path in use as recorded in mplsTunnelARHopTable due to the fact that some details of the path may have been resolved within the network. A value of zero denotes that no path is currently in use or available.')
jnx_mpls_te_p2mp_tunnel_dest_c_hop_table_index = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 12), mpls_path_index_or_zero()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestCHopTableIndex.setReference('RFC 4875 - Extensions to Resource Reservation Protocol - Traffic Engineering (RSVP-TE) for Point-to-Multipoint TE Label Switched Paths (LSPs), R. Aggarwal, D. Papadimitriou, and S. Yasukawa, May 2007.')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestCHopTableIndex.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestCHopTableIndex.setDescription("Index into the mplsTunnelCHopTable that identifies the explicit path for this destination of the P2MP tunnel. This path is based on the chosen configured path identified by mplsTeP2mpTunnelDestHopTableIndex and mplsTeP2mpTunnelDestPathInUse, but may have been modified and automatically updated by the agent when computed hops become available or when computed hops get modified. If this destination is the destination of the 'first S2L sub-LSP' then this path will be signaled in the Explicit Route Object. If this destination is the destination of a 'subsequent S2L sub-LSP' then this path will be signaled in a Secondary Explicit Route Object.")
jnx_mpls_te_p2mp_tunnel_dest_ar_hop_table_index = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 13), mpls_path_index_or_zero()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestARHopTableIndex.setReference('RFC 4875 - Extensions to Resource Reservation Protocol - Traffic Engineering (RSVP-TE) for Point-to-Multipoint TE Label Switched Paths (LSPs), R. Aggarwal, D. Papadimitriou, and S. Yasukawa, May 2007.')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestARHopTableIndex.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestARHopTableIndex.setDescription("Index into the mplsTunnelARHopTable that identifies the actual hops traversed to this destination of the P2MP tunnel. This is automatically updated by the agent when the actual hops becomes available. If this destination is the destination of the 'first S2L sub-LSP' then this path will be signaled in the Recorded Route Object. If this destination is the destination of a 'subsequent S2L sub-LSP' then this path will be signaled in a Secondary Recorded Route Object.")
jnx_mpls_te_p2mp_tunnel_dest_total_up_time = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 14), time_ticks()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestTotalUpTime.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestTotalUpTime.setDescription('This value represents the aggregate up time for all instances of this tunnel to this destination, if this information is available. If this information is not available, this object MUST return a value of 0.')
jnx_mpls_te_p2mp_tunnel_dest_instance_up_time = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 15), time_ticks()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestInstanceUpTime.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestInstanceUpTime.setDescription('This value identifies the total time that the currently active tunnel instance to this destination has had its operational status (mplsTeP2mpTunnelDestOperStatus) set to up(1) since it was last previously not up(1).')
jnx_mpls_te_p2mp_tunnel_dest_path_changes = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 16), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestPathChanges.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestPathChanges.setDescription('This object counts the number of times the actual path for this destination of this P2MP tunnel instance has changed. This object should be read in conjunction with mplsTeP2mpTunnelDestDiscontinuityTime.')
jnx_mpls_te_p2mp_tunnel_dest_last_path_change = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 17), time_ticks()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestLastPathChange.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestLastPathChange.setDescription('Specifies the time since the last change to the actual path for this destination of this P2MP tunnel instance.')
jnx_mpls_te_p2mp_tunnel_dest_creation_time = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 18), time_stamp()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestCreationTime.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestCreationTime.setDescription('Specifies the value of sysUpTime when the first instance of this tunnel came into existence for this destination. That is, when the value of mplsTeP2mpTunnelDestOperStatus was first set to up(1).')
jnx_mpls_te_p2mp_tunnel_dest_state_transitions = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 19), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestStateTransitions.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestStateTransitions.setDescription('This object counts the number of times the status (mplsTeP2mpTunnelDestOperStatus) of this tunnel instance to this destination has changed. This object should be read in conjunction with mplsTeP2mpTunnelDestDiscontinuityTime.')
jnx_mpls_te_p2mp_tunnel_dest_discontinuity_time = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 20), time_stamp()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestDiscontinuityTime.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestDiscontinuityTime.setDescription("The value of sysUpTime on the most recent occasion at which any one or more of this row's Counter32 objects experienced a discontinuity. If no such discontinuity has occurred since the last re-initialization of the local management subsystem, then this object contains a zero value.")
jnx_mpls_te_p2mp_tunnel_dest_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 21), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestAdminStatus.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestAdminStatus.setDescription('Indicates the desired operational status of this destination of this P2MP tunnel.')
jnx_mpls_te_p2mp_tunnel_dest_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 22), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 7))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3), ('unknown', 4), ('lowerLayerDown', 7)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestOperStatus.setReference('RFC 3812 - Multiprotocol Label Switching (MPLS) Traffic Engineering (TE) Management Information Base (MIB), Srinivasan, C., Viswanathan, A., and T. Nadeau, June 2004.')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestOperStatus.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestOperStatus.setDescription('Indicates the actual operational status of this destination of this P2MP tunnel. This object may be compared to mplsTunnelOperStatus that includes two other values: dormant(5) -- some component is missing notPresent(6) -- down due to the state of -- lower layer interfaces. These states do not apply to an individual destination of a P2MP MPLS-TE LSP and so are not included in this object.')
jnx_mpls_te_p2mp_tunnel_dest_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 23), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestRowStatus.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestRowStatus.setDescription('This object is used to create, modify, and/or delete a row in this table. When a row in this table is in active(1) state, no objects in that row can be modified by SET operations except mplsTeP2mpTunnelDestAdminStatus and mplsTeP2mpTunnelDestStorageType.')
jnx_mpls_te_p2mp_tunnel_dest_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 3, 1, 24), storage_type().clone('volatile')).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestStorageType.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestStorageType.setDescription("The storage type for this table entry. Conceptual rows having the value 'permanent' need not allow write-access to any columnar objects in the row.")
jnx_mpls_te_p2mp_tunnel_branch_perf_table = mib_table((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 4))
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelBranchPerfTable.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelBranchPerfTable.setDescription('This table provides per-tunnel branch MPLS performance information. This table is not valid for switching types other than packet.')
jnx_mpls_te_p2mp_tunnel_branch_perf_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 4, 1)).setIndexNames((0, 'MPLS-TE-STD-MIB', 'mplsTunnelIndex'), (0, 'MPLS-TE-STD-MIB', 'mplsTunnelInstance'), (0, 'MPLS-TE-STD-MIB', 'mplsTunnelIngressLSRId'), (0, 'MPLS-TE-STD-MIB', 'mplsTunnelEgressLSRId'), (0, 'JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelBranchPerfBranch'))
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelBranchPerfEntry.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelBranchPerfEntry.setDescription('An entry in this table is created by the LSR for each downstream branch (out-segment) from this LSR for this P2MP tunnel. More than one destination as represented by an entry in the mplsTeP2mpTunnelDestTable may be reached through a single out-segment. More than one out-segment may belong to a single P2MP tunnel represented by an entry in mplsTeP2mpTunnelTable. Each entry in the table is indexed by the four identifiers of the P2MP tunnel, and the out-segment that identifies the outgoing branch.')
jnx_mpls_te_p2mp_tunnel_branch_perf_branch = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 4, 1, 1), mpls_index_type())
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelBranchPerfBranch.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelBranchPerfBranch.setDescription('This object identifies an outgoing branch from this LSR for this tunnel. Its value is unique within the context of the tunnel. If MPLS-LSR-STD-MIB is implemented, this object should contain an index into mplsOutSegmentTable. Under all circumstances, this object should contain the same value as mplsTeP2mpTunnelDestBranchOutSegment for destinations reached on this branch.')
jnx_mpls_te_p2mp_tunnel_branch_perf_packets = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 4, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelBranchPerfPackets.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelBranchPerfPackets.setDescription('Number of packets forwarded by the tunnel onto this branch. This object should represents the 32-bit value of the least significant part of the 64-bit value if both mplsTeP2mpTunnelBranchPerfHCPackets is returned. This object should be read in conjunction with mplsTeP2mpTunnelBranchDiscontinuityTime.')
jnx_mpls_te_p2mp_tunnel_branch_perf_hc_packets = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 4, 1, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelBranchPerfHCPackets.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelBranchPerfHCPackets.setDescription('High capacity counter for number of packets forwarded by the tunnel onto this branch. This object should be read in conjunction with mplsTeP2mpTunnelBranchDiscontinuityTime.')
jnx_mpls_te_p2mp_tunnel_branch_perf_errors = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 4, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelBranchPerfErrors.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelBranchPerfErrors.setDescription('Number of packets dropped because of errors or for other reasons, that were supposed to be forwarded onto this branch for this tunnel. This object should be read in conjunction with mplsTeP2mpTunnelBranchDiscontinuityTime.')
jnx_mpls_te_p2mp_tunnel_branch_perf_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 4, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelBranchPerfBytes.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelBranchPerfBytes.setDescription('Number of bytes forwarded by the tunnel onto this branch. This object should represents the 32-bit value of the least significant part of the 64-bit value if both mplsTeP2mpTunnelBranchPerfHCBytes is returned. This object should be read in conjunction with mplsTeP2mpTunnelBranchDiscontinuityTime.')
jnx_mpls_te_p2mp_tunnel_branch_perf_hc_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 4, 1, 6), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelBranchPerfHCBytes.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelBranchPerfHCBytes.setDescription('High capacity counter for number of bytes forwarded by the tunnel onto this branch. This object should be read in conjunction with mplsTeP2mpTunnelBranchDiscontinuityTime.')
jnx_mpls_te_p2mp_tunnel_branch_discontinuity_time = mib_table_column((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 4, 1, 7), time_stamp()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelBranchDiscontinuityTime.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelBranchDiscontinuityTime.setDescription("The value of sysUpTime on the most recent occasion at which any one or more of this row's Counter32 or Counter64 objects experienced a discontinuity. If no such discontinuity has occurred since the last re-initialization of the local management subsystem, then this object contains a zero value.")
jnx_mpls_te_p2mp_tunnel_notification_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 2, 5), truth_value().clone('false')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelNotificationEnable.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelNotificationEnable.setDescription('If this object is true(1), then it enables the generation of mplsTeP2mpTunnelDestUp and mplsTeP2mpTunnelDestDown notifications. Otherwise these notifications are not emitted. Note that when tunnels have large numbers of destinations, setting this object to true(1) may result in the generation of large numbers of notifications.')
jnx_mpls_te_p2mp_tunnel_dest_up = notification_type((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 0, 1)).setObjects(('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestAdminStatus'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestOperStatus'))
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestUp.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestUp.setDescription('This notification is generated when a mplsTeP2mpTunnelDestOperStatus object for one of the destinations of one of the configured tunnels is about to leave the down(2) state and transition into some other state. This other state is indicated by the included value of mplsTeP2mpTunnelDestOperStatus. This reporting of state transitions mirrors mplsTunnelUp.')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestUp.setReference('RFC 3812 - Multiprotocol Label Switching (MPLS) Traffic Engineering (TE) Management Information Base (MIB), Srinivasan, C., Viswanathan, A., and T. Nadeau, June 2004.')
jnx_mpls_te_p2mp_tunnel_dest_down = notification_type((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 0, 2)).setObjects(('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestAdminStatus'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestOperStatus'))
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestDown.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestDown.setDescription('This notification is generated when a mplsTeP2mpTunnelDestOperStatus object for one of the destinations of one of the configured tunnels is about to enter the down(2) state from some other state. This other state is indicated by the included value of mplsTeP2mpTunnelDestOperStatus. This reporting of state transitions mirrors mplsTunnelDown.')
if mibBuilder.loadTexts:
jnxMplsTeP2mpTunnelDestDown.setReference('RFC 3812 - Multiprotocol Label Switching (MPLS) Traffic Engineering (TE) Management Information Base (MIB), Srinivasan, C., Viswanathan, A., and T. Nadeau, June 2004.')
jnx_mpls_te_p2mp_groups = mib_identifier((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 3, 1))
jnx_mpls_te_p2mp_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 3, 2))
jnx_mpls_te_p2mp_module_full_compliance = module_compliance((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 3, 2, 1)).setObjects(('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpGeneralGroup'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpNotifGroup'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpScalarGroup'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
jnx_mpls_te_p2mp_module_full_compliance = jnxMplsTeP2mpModuleFullCompliance.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpModuleFullCompliance.setDescription('Compliance statement for agents that provide full support for MPLS-TE-P2MP-STD-MIB. Such devices can be monitored and also be configured using this MIB module. The Module is implemented with support for read-create and read-write. In other words, both monitoring and configuration are available when using this MODULE-COMPLIANCE.')
jnx_mpls_te_p2mp_module_read_only_compliance = module_compliance((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 3, 2, 2)).setObjects(('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpGeneralGroup'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpScalarGroup'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpNotifGroup'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
jnx_mpls_te_p2mp_module_read_only_compliance = jnxMplsTeP2mpModuleReadOnlyCompliance.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpModuleReadOnlyCompliance.setDescription('Compliance statement for agents that provide read-only support for MPLS-TE-P2MP-STD-MIB. Such devices can only be monitored using this MIB module. The Module is implemented with support for read-only. In other words, only monitoring is available by implementing this MODULE-COMPLIANCE.')
jnx_mpls_te_p2mp_general_group = object_group((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 3, 1, 1)).setObjects(('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelConfigured'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelActive'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelTotalMaxHops'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelP2mpIntegrity'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelBranchRole'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelP2mpXcIndex'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelRowStatus'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelStorageType'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelSubGroupIDNext'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestBranchOutSegment'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestHopTableIndex'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestPathInUse'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestCHopTableIndex'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestARHopTableIndex'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestTotalUpTime'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestInstanceUpTime'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestPathChanges'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestLastPathChange'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestCreationTime'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestStateTransitions'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestDiscontinuityTime'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestAdminStatus'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestOperStatus'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestRowStatus'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestStorageType'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelBranchPerfPackets'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelBranchPerfHCPackets'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelBranchPerfErrors'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelBranchPerfBytes'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelBranchPerfHCBytes'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelBranchDiscontinuityTime'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelNotificationEnable'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
jnx_mpls_te_p2mp_general_group = jnxMplsTeP2mpGeneralGroup.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpGeneralGroup.setDescription('Collection of objects needed for MPLS P2MP.')
jnx_mpls_te_p2mp_notif_group = notification_group((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 3, 1, 2)).setObjects(('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestUp'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelDestDown'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
jnx_mpls_te_p2mp_notif_group = jnxMplsTeP2mpNotifGroup.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpNotifGroup.setDescription('Notifications implemented in this module.')
jnx_mpls_te_p2mp_scalar_group = object_group((1, 3, 6, 1, 4, 1, 2636, 5, 7, 1, 3, 1, 3)).setObjects(('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelConfigured'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelActive'), ('JNX-MPLS-TE-P2MP-STD-MIB', 'jnxMplsTeP2mpTunnelTotalMaxHops'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
jnx_mpls_te_p2mp_scalar_group = jnxMplsTeP2mpScalarGroup.setStatus('current')
if mibBuilder.loadTexts:
jnxMplsTeP2mpScalarGroup.setDescription('Scalar objects needed to implement P2MP MPLS tunnels.')
mibBuilder.exportSymbols('JNX-MPLS-TE-P2MP-STD-MIB', jnxMplsTeP2mpStdMIB=jnxMplsTeP2mpStdMIB, jnxMplsTeP2mpTunnelSubGroupIDNext=jnxMplsTeP2mpTunnelSubGroupIDNext, jnxMplsTeP2mpTunnelDestDiscontinuityTime=jnxMplsTeP2mpTunnelDestDiscontinuityTime, jnxMplsTeP2mpTunnelDestRowStatus=jnxMplsTeP2mpTunnelDestRowStatus, jnxMplsTeP2mpTunnelBranchPerfBranch=jnxMplsTeP2mpTunnelBranchPerfBranch, jnxMplsTeP2mpTunnelEntry=jnxMplsTeP2mpTunnelEntry, jnxMplsTeP2mpTunnelP2mpIntegrity=jnxMplsTeP2mpTunnelP2mpIntegrity, jnxMplsTeP2mpTunnelTable=jnxMplsTeP2mpTunnelTable, jnxMplsTeP2mpTunnelDestHopTableIndex=jnxMplsTeP2mpTunnelDestHopTableIndex, jnxMplsTeP2mpTunnelDestSrcSubGroupID=jnxMplsTeP2mpTunnelDestSrcSubGroupID, jnxMplsTeP2mpTunnelDestCHopTableIndex=jnxMplsTeP2mpTunnelDestCHopTableIndex, jnxMplsTeP2mpTunnelDestLastPathChange=jnxMplsTeP2mpTunnelDestLastPathChange, jnxMplsTeP2mpNotifGroup=jnxMplsTeP2mpNotifGroup, jnxMplsTeP2mpScalarGroup=jnxMplsTeP2mpScalarGroup, jnxMplsTeP2mpTunnelBranchPerfHCPackets=jnxMplsTeP2mpTunnelBranchPerfHCPackets, jnxMplsTeP2mpTunnelDestDestination=jnxMplsTeP2mpTunnelDestDestination, jnxMplsTeP2mpGroups=jnxMplsTeP2mpGroups, jnxMplsTeP2mpNotifications=jnxMplsTeP2mpNotifications, jnxMplsTeP2mpTunnelDestBranchOutSegment=jnxMplsTeP2mpTunnelDestBranchOutSegment, jnxMplsTeP2mpTunnelTotalMaxHops=jnxMplsTeP2mpTunnelTotalMaxHops, jnxMplsTeP2mpTunnelDestSubGroupOrigin=jnxMplsTeP2mpTunnelDestSubGroupOrigin, jnxMplsTeP2mpTunnelDestStateTransitions=jnxMplsTeP2mpTunnelDestStateTransitions, jnxMplsTeP2mpTunnelDestTable=jnxMplsTeP2mpTunnelDestTable, PYSNMP_MODULE_ID=jnxMplsTeP2mpStdMIB, jnxMplsTeP2mpConformance=jnxMplsTeP2mpConformance, jnxMplsTeP2mpTunnelDestCreationTime=jnxMplsTeP2mpTunnelDestCreationTime, jnxMplsTeP2mpTunnelP2mpXcIndex=jnxMplsTeP2mpTunnelP2mpXcIndex, jnxMplsTeP2mpTunnelDestTotalUpTime=jnxMplsTeP2mpTunnelDestTotalUpTime, jnxMplsTeP2mpTunnelConfigured=jnxMplsTeP2mpTunnelConfigured, jnxMplsTeP2mpTunnelBranchPerfErrors=jnxMplsTeP2mpTunnelBranchPerfErrors, jnxMplsTeP2mpModuleReadOnlyCompliance=jnxMplsTeP2mpModuleReadOnlyCompliance, jnxMplsTeP2mpTunnelBranchPerfPackets=jnxMplsTeP2mpTunnelBranchPerfPackets, jnxMplsTeP2mpTunnelDestSubGroupID=jnxMplsTeP2mpTunnelDestSubGroupID, jnxMplsTeP2mpTunnelDestEntry=jnxMplsTeP2mpTunnelDestEntry, jnxMplsTeP2mpTunnelDestSubGroupOriginType=jnxMplsTeP2mpTunnelDestSubGroupOriginType, jnxMplsTeP2mpTunnelBranchDiscontinuityTime=jnxMplsTeP2mpTunnelBranchDiscontinuityTime, jnxMplsTeP2mpTunnelDestSrcSubGroupOriginType=jnxMplsTeP2mpTunnelDestSrcSubGroupOriginType, jnxMplsTeP2mpTunnelDestOperStatus=jnxMplsTeP2mpTunnelDestOperStatus, jnxMplsTeP2mpScalars=jnxMplsTeP2mpScalars, jnxMplsTeP2mpTunnelBranchPerfTable=jnxMplsTeP2mpTunnelBranchPerfTable, jnxMplsTeP2mpTunnelDestARHopTableIndex=jnxMplsTeP2mpTunnelDestARHopTableIndex, jnxMplsTeP2mpTunnelDestStorageType=jnxMplsTeP2mpTunnelDestStorageType, jnxMplsTeP2mpTunnelNotificationEnable=jnxMplsTeP2mpTunnelNotificationEnable, jnxMplsTeP2mpTunnelStorageType=jnxMplsTeP2mpTunnelStorageType, jnxMplsTeP2mpTunnelDestInstanceUpTime=jnxMplsTeP2mpTunnelDestInstanceUpTime, jnxMplsTeP2mpTunnelDestUp=jnxMplsTeP2mpTunnelDestUp, jnxMplsTeP2mpCompliances=jnxMplsTeP2mpCompliances, jnxMplsTeP2mpTunnelDestPathInUse=jnxMplsTeP2mpTunnelDestPathInUse, jnxMplsTeP2mpTunnelBranchPerfHCBytes=jnxMplsTeP2mpTunnelBranchPerfHCBytes, jnxMplsTeP2mpTunnelDestSrcSubGroupOrigin=jnxMplsTeP2mpTunnelDestSrcSubGroupOrigin, jnxMplsTeP2mpTunnelBranchPerfEntry=jnxMplsTeP2mpTunnelBranchPerfEntry, jnxMplsTeP2mpTunnelBranchRole=jnxMplsTeP2mpTunnelBranchRole, jnxMplsTeP2mpTunnelRowStatus=jnxMplsTeP2mpTunnelRowStatus, jnxMplsTeP2mpGeneralGroup=jnxMplsTeP2mpGeneralGroup, jnxMplsTeP2mpTunnelDestDown=jnxMplsTeP2mpTunnelDestDown, jnxMplsTeP2mpTunnelActive=jnxMplsTeP2mpTunnelActive, jnxMplsTeP2mpTunnelBranchPerfBytes=jnxMplsTeP2mpTunnelBranchPerfBytes, jnxMplsTeP2mpObjects=jnxMplsTeP2mpObjects, jnxMplsTeP2mpModuleFullCompliance=jnxMplsTeP2mpModuleFullCompliance, jnxMplsTeP2mpTunnelDestDestinationType=jnxMplsTeP2mpTunnelDestDestinationType, jnxMplsTeP2mpTunnelDestAdminStatus=jnxMplsTeP2mpTunnelDestAdminStatus, jnxMplsTeP2mpTunnelDestPathChanges=jnxMplsTeP2mpTunnelDestPathChanges) |
#Last Updated: 1/20/17
class CachedTeamData(object):
def __init__(self, teamNumber):
super(CachedTeamData, self).__init__()
self.number = teamNumber
self.completedTIMDs = []
class CachedCompetitionData(object):
def __init__(self):
super(CachedCompetitionData, self).__init__()
self.teamsWithMatchesCompleted = []
self.speedZScores = {-1 : 0}
self.agilityZScores = {-1 : 0}
self.defenseZScores = {-1 : 0}
self.drivingAbilityZScores = {-1 : 0}
self.predictedSeedings = []
self.actualSeedings = []
self.TBAMatches = {}
self.scaleErrors = {}
self.switchErrors = {}
| class Cachedteamdata(object):
def __init__(self, teamNumber):
super(CachedTeamData, self).__init__()
self.number = teamNumber
self.completedTIMDs = []
class Cachedcompetitiondata(object):
def __init__(self):
super(CachedCompetitionData, self).__init__()
self.teamsWithMatchesCompleted = []
self.speedZScores = {-1: 0}
self.agilityZScores = {-1: 0}
self.defenseZScores = {-1: 0}
self.drivingAbilityZScores = {-1: 0}
self.predictedSeedings = []
self.actualSeedings = []
self.TBAMatches = {}
self.scaleErrors = {}
self.switchErrors = {} |
(10 ** 2)[::-5]
(10 ** 2)[5]
(10 ** 2)(5)
(10 ** 2).foo
-(10 ** 2)
+(10 ** 2)
~(10 ** 2)
5 ** 10 ** 2
(10 ** 2) ** 5
5 * 10 ** 2
10 ** 2 * 5
5 / 10 ** 2
10 ** 2 / 5
5 // 10 ** 2
10 ** 2 // 5
5 + 10 ** 2
10 ** 2 + 5
10 ** 2 - 5
5 - 10 ** 2
5 >> 10 ** 2
10 ** 2 << 5
5 & 10 ** 2
10 ** 2 & 5
5 ^ 10 ** 2
10 ** 2 ^ 5
5 | 10 ** 2
10 ** 2 | 5
() in 10 ** 2
10 ** 2 in ()
5 is 10 ** 2
10 ** 2 is 5
5 < 10 ** 2
10 ** 2 < 5
not 10 ** 2
5 and 10 ** 2
10 ** 2 and 5
5 or 10 ** 2
10 ** 2 or 5
10 ** 2 if 10 ** 2 else 10 ** 2
| (10 ** 2)[::-5]
(10 ** 2)[5]
(10 ** 2)(5)
(10 ** 2).foo
-10 ** 2
+10 ** 2
~10 ** 2
5 ** 10 ** 2
(10 ** 2) ** 5
5 * 10 ** 2
10 ** 2 * 5
5 / 10 ** 2
10 ** 2 / 5
5 // 10 ** 2
10 ** 2 // 5
5 + 10 ** 2
10 ** 2 + 5
10 ** 2 - 5
5 - 10 ** 2
5 >> 10 ** 2
10 ** 2 << 5
5 & 10 ** 2
10 ** 2 & 5
5 ^ 10 ** 2
10 ** 2 ^ 5
5 | 10 ** 2
10 ** 2 | 5
() in 10 ** 2
10 ** 2 in ()
5 is 10 ** 2
10 ** 2 is 5
5 < 10 ** 2
10 ** 2 < 5
not 10 ** 2
5 and 10 ** 2
10 ** 2 and 5
5 or 10 ** 2
10 ** 2 or 5
10 ** 2 if 10 ** 2 else 10 ** 2 |
# http://www.lintcode.com/en/problem/find-the-missing-number/
class Solution:
# @param nums: a list of integers
# @return: an integer
def findMissing(self, nums):
return sum(range(len(nums)+1)) - sum(nums)
| class Solution:
def find_missing(self, nums):
return sum(range(len(nums) + 1)) - sum(nums) |
first_rect = input().split()
for x in range(len(first_rect)):
first_rect[x] = int(first_rect[x])
second_rect = input().split()
for x in range(len(second_rect)):
second_rect[x] = int(second_rect[x])
x_list = [first_rect[0], first_rect[2], second_rect[0], second_rect[2]]
y_list = [first_rect[1], first_rect[3], second_rect[1], second_rect[3]]
x_min = min(x_list)
x_max = max(x_list)
y_min = min(y_list)
y_max = max(y_list)
print(max(x_max-x_min, y_max-y_min)**2)
| first_rect = input().split()
for x in range(len(first_rect)):
first_rect[x] = int(first_rect[x])
second_rect = input().split()
for x in range(len(second_rect)):
second_rect[x] = int(second_rect[x])
x_list = [first_rect[0], first_rect[2], second_rect[0], second_rect[2]]
y_list = [first_rect[1], first_rect[3], second_rect[1], second_rect[3]]
x_min = min(x_list)
x_max = max(x_list)
y_min = min(y_list)
y_max = max(y_list)
print(max(x_max - x_min, y_max - y_min) ** 2) |
'''
Contains dicts of links for use in prempy
'''
scorespro = {
"epl": {
"_l_name":"https://www.scorespro.com/soccer/england/premier-league/",
"_l_name_r":"https://www.scorespro.com/soccer/england/premier-league/results/",
"_l_name_f":"https://www.scorespro.com/soccer/england/premier-league/fixtures/",
"_l_name_t":"https://www.scorespro.com/soccer/england/premier-league/standings/",
"_l_name_s":"https://www.scorespro.com/soccer/england/premier-league/top-scorers/",
"liverpool":"https://www.scorespro.com/soccer/england/teams/liverpool-fc-MTA5OTE=/",
"everton":"https://www.scorespro.com/soccer/england/teams/everton-fc-MTA4MTg=/",
"astonvilla":"https://www.scorespro.com/soccer/england/teams/aston-villa-NTI1OQ==/",
"leicester":"https://www.scorespro.com/soccer/england/teams/leicester-city-MTA4MjI=/",
"arsenal":"https://www.scorespro.com/soccer/england/teams/arsenal-fc-MTE1NzM=/",
"tottenham":"https://www.scorespro.com/soccer/england/teams/tottenham-MjQzMg==/",
"chelsea":"https://www.scorespro.com/soccer/england/teams/chelsea-fc-MjQyMA==/",
"westham":"https://www.scorespro.com/soccer/england/teams/west-ham-MTA4MzA=/",
"leeds":"https://www.scorespro.com/soccer/england/teams/leeds-united-NDY4Mw==/",
"manchestercity":"https://www.scorespro.com/soccer/england/teams/manchester-city-MTE2NzY=/",
"southampton":"https://www.scorespro.com/soccer/england/teams/southampton-NTI3Mw==/",
"newcastle":"https://www.scorespro.com/soccer/england/teams/newcastle-united-MTA4MjY=/",
"crystalpalace":"https://www.scorespro.com/soccer/england/teams/crystal-palace-MTA4Mzc=/",
"manchesterunited":"https://www.scorespro.com/soccer/england/teams/manchester-united-MjQyNw==/",
"wolves":"https://www.scorespro.com/soccer/england/teams/wolverhampton-wanderers-fc-MjQzMw==/",
"brighton":"https://www.scorespro.com/soccer/england/teams/brighton-MjQ2Mg==/",
"sheffield":"https://www.scorespro.com/soccer/england/teams/sheffield-united-MTA4NDc=/",
"westbrom":"https://www.scorespro.com/soccer/england/teams/west-bromwich-MjQ1NA==/",
"fulham":"https://www.scorespro.com/soccer/england/teams/fulham-fc-MjQyMg==/",
"burnley":"https://www.scorespro.com/soccer/england/teams/burnley-fc-MTA4MzQ=/"
},
"laliga": {
"_l_name":"https://www.scorespro.com/soccer/spain/laliga/",
"_l_name_r":"https://www.scorespro.com/soccer/spain/laliga/results/",
"_l_name_f":"https://www.scorespro.com/soccer/spain/laliga/fixtures/",
"_l_name_t":"https://www.scorespro.com/soccer/spain/laliga/standings/",
"_l_name_s":"https://www.scorespro.com/soccer/spain/laliga/top-scorers/",
"athletico": "https://www.scorespro.com/soccer/spain/teams/atletico-madrid-MTgwNjM=/",
"realmadrid": "https://www.scorespro.com/soccer/spain/teams/real-madrid-NDE4MA==/",
"barcelona": "https://www.scorespro.com/soccer/spain/teams/fc-barcelona-MTc3NjI=/",
"sevilla": "https://www.scorespro.com/soccer/spain/teams/sevilla-MjYyNTM=/",
"realsociedad": "https://www.scorespro.com/soccer/spain/teams/real-sociedad-MTgwMzI=/",
"villarreal": "https://www.scorespro.com/soccer/spain/teams/villarreal-MTc4NDI=/",
"realbetis": "https://www.scorespro.com/soccer/spain/teams/real-betis-MTgwMjI=/",
"celtavigo": "https://www.scorespro.com/soccer/spain/teams/celta-vigo-NDE3Mg==/",
"athleticclub": "https://www.scorespro.com/soccer/spain/teams/athletic-bilbao-MTgwMTk=/",
"granada": "https://www.scorespro.com/soccer/spain/teams/granada-cf-Mzc4MDE=/",
"cadiz": "https://www.scorespro.com/soccer/spain/teams/cadiz-MTc4MDM=/",
"osasuna": "https://www.scorespro.com/soccer/spain/teams/osasuna-NDE3OA==/",
"valencia": "https://www.scorespro.com/soccer/spain/teams/valencia-MTgwMzc=/",
"levante": "https://www.scorespro.com/soccer/spain/teams/levante-MTgwNTI=/",
"getafe": "https://www.scorespro.com/soccer/spain/teams/getafe-MTc5MTk=/",
"alaves": "https://www.scorespro.com/soccer/spain/teams/deportivo-alaves-MTc4MjQ=/",
"valladolid": "https://www.scorespro.com/soccer/spain/teams/valladolid-MTc5NDk=/",
"huesca": "https://www.scorespro.com/soccer/spain/teams/huesca-MzA5MzU=/",
"elche": "https://www.scorespro.com/soccer/spain/teams/elche-MTc3ODc=/",
"elbar": "https://www.scorespro.com/soccer/spain/teams/eibar-MTc3MjE=/"
},
"test": {
"livegame": "https://www.scorespro.com/soccer/china/teams/hebei-zhongji-NDY1ODA=/"
}
}
premierleague = {
'liverpool':'https://www.premierleague.com/clubs/10/Liverpool/stats',
"everton":"https://www.premierleague.com/clubs/7/Everton/stats",
"astonvilla":"https://www.premierleague.com/clubs/2/Aston-Villa/stats",
"leicester":"https://www.premierleague.com/clubs/26/Leicester-City/stats",
"arsenal":"https://www.premierleague.com/clubs/1/Arsenal/stats",
"tottenham":"https://www.premierleague.com/clubs/21/Tottenham-Hotspur/stats/",
"chelsea":"https://www.premierleague.com/clubs/4/Chelsea/stats",
"westham":"https://www.premierleague.com/clubs/25/West-Ham-United/stats",
"leeds":"https://www.premierleague.com/clubs/9/Leeds-United/stats",
"manchestercity":"https://www.premierleague.com/clubs/11/Manchester-City/stats",
"southampton":"https://www.premierleague.com/clubs/20/Southampton/stats",
"newcastle":"https://www.premierleague.com/clubs/23/Newcastle-United/stats",
"crystalpalace":"https://www.premierleague.com/clubs/6/Crystal-Palace/stats",
"manchesterunited":"https://www.premierleague.com/clubs/12/Manchester-United/stats",
"wolves":"https://www.premierleague.com/clubs/38/Wolverhampton-Wanderers/stats",
"brighton":"https://www.premierleague.com/clubs/131/Brighton-and-Hove-Albion/stats",
"sheffield":"https://www.premierleague.com/clubs/18/Sheffield-United/stats",
"westbrom":"https://www.premierleague.com/clubs/36/West-Bromwich-Albion/stats",
"fulham":"https://www.premierleague.com/clubs/34/Fulham/stats",
"burnley":"https://www.premierleague.com/clubs/43/Burnley/stats"
} | """
Contains dicts of links for use in prempy
"""
scorespro = {'epl': {'_l_name': 'https://www.scorespro.com/soccer/england/premier-league/', '_l_name_r': 'https://www.scorespro.com/soccer/england/premier-league/results/', '_l_name_f': 'https://www.scorespro.com/soccer/england/premier-league/fixtures/', '_l_name_t': 'https://www.scorespro.com/soccer/england/premier-league/standings/', '_l_name_s': 'https://www.scorespro.com/soccer/england/premier-league/top-scorers/', 'liverpool': 'https://www.scorespro.com/soccer/england/teams/liverpool-fc-MTA5OTE=/', 'everton': 'https://www.scorespro.com/soccer/england/teams/everton-fc-MTA4MTg=/', 'astonvilla': 'https://www.scorespro.com/soccer/england/teams/aston-villa-NTI1OQ==/', 'leicester': 'https://www.scorespro.com/soccer/england/teams/leicester-city-MTA4MjI=/', 'arsenal': 'https://www.scorespro.com/soccer/england/teams/arsenal-fc-MTE1NzM=/', 'tottenham': 'https://www.scorespro.com/soccer/england/teams/tottenham-MjQzMg==/', 'chelsea': 'https://www.scorespro.com/soccer/england/teams/chelsea-fc-MjQyMA==/', 'westham': 'https://www.scorespro.com/soccer/england/teams/west-ham-MTA4MzA=/', 'leeds': 'https://www.scorespro.com/soccer/england/teams/leeds-united-NDY4Mw==/', 'manchestercity': 'https://www.scorespro.com/soccer/england/teams/manchester-city-MTE2NzY=/', 'southampton': 'https://www.scorespro.com/soccer/england/teams/southampton-NTI3Mw==/', 'newcastle': 'https://www.scorespro.com/soccer/england/teams/newcastle-united-MTA4MjY=/', 'crystalpalace': 'https://www.scorespro.com/soccer/england/teams/crystal-palace-MTA4Mzc=/', 'manchesterunited': 'https://www.scorespro.com/soccer/england/teams/manchester-united-MjQyNw==/', 'wolves': 'https://www.scorespro.com/soccer/england/teams/wolverhampton-wanderers-fc-MjQzMw==/', 'brighton': 'https://www.scorespro.com/soccer/england/teams/brighton-MjQ2Mg==/', 'sheffield': 'https://www.scorespro.com/soccer/england/teams/sheffield-united-MTA4NDc=/', 'westbrom': 'https://www.scorespro.com/soccer/england/teams/west-bromwich-MjQ1NA==/', 'fulham': 'https://www.scorespro.com/soccer/england/teams/fulham-fc-MjQyMg==/', 'burnley': 'https://www.scorespro.com/soccer/england/teams/burnley-fc-MTA4MzQ=/'}, 'laliga': {'_l_name': 'https://www.scorespro.com/soccer/spain/laliga/', '_l_name_r': 'https://www.scorespro.com/soccer/spain/laliga/results/', '_l_name_f': 'https://www.scorespro.com/soccer/spain/laliga/fixtures/', '_l_name_t': 'https://www.scorespro.com/soccer/spain/laliga/standings/', '_l_name_s': 'https://www.scorespro.com/soccer/spain/laliga/top-scorers/', 'athletico': 'https://www.scorespro.com/soccer/spain/teams/atletico-madrid-MTgwNjM=/', 'realmadrid': 'https://www.scorespro.com/soccer/spain/teams/real-madrid-NDE4MA==/', 'barcelona': 'https://www.scorespro.com/soccer/spain/teams/fc-barcelona-MTc3NjI=/', 'sevilla': 'https://www.scorespro.com/soccer/spain/teams/sevilla-MjYyNTM=/', 'realsociedad': 'https://www.scorespro.com/soccer/spain/teams/real-sociedad-MTgwMzI=/', 'villarreal': 'https://www.scorespro.com/soccer/spain/teams/villarreal-MTc4NDI=/', 'realbetis': 'https://www.scorespro.com/soccer/spain/teams/real-betis-MTgwMjI=/', 'celtavigo': 'https://www.scorespro.com/soccer/spain/teams/celta-vigo-NDE3Mg==/', 'athleticclub': 'https://www.scorespro.com/soccer/spain/teams/athletic-bilbao-MTgwMTk=/', 'granada': 'https://www.scorespro.com/soccer/spain/teams/granada-cf-Mzc4MDE=/', 'cadiz': 'https://www.scorespro.com/soccer/spain/teams/cadiz-MTc4MDM=/', 'osasuna': 'https://www.scorespro.com/soccer/spain/teams/osasuna-NDE3OA==/', 'valencia': 'https://www.scorespro.com/soccer/spain/teams/valencia-MTgwMzc=/', 'levante': 'https://www.scorespro.com/soccer/spain/teams/levante-MTgwNTI=/', 'getafe': 'https://www.scorespro.com/soccer/spain/teams/getafe-MTc5MTk=/', 'alaves': 'https://www.scorespro.com/soccer/spain/teams/deportivo-alaves-MTc4MjQ=/', 'valladolid': 'https://www.scorespro.com/soccer/spain/teams/valladolid-MTc5NDk=/', 'huesca': 'https://www.scorespro.com/soccer/spain/teams/huesca-MzA5MzU=/', 'elche': 'https://www.scorespro.com/soccer/spain/teams/elche-MTc3ODc=/', 'elbar': 'https://www.scorespro.com/soccer/spain/teams/eibar-MTc3MjE=/'}, 'test': {'livegame': 'https://www.scorespro.com/soccer/china/teams/hebei-zhongji-NDY1ODA=/'}}
premierleague = {'liverpool': 'https://www.premierleague.com/clubs/10/Liverpool/stats', 'everton': 'https://www.premierleague.com/clubs/7/Everton/stats', 'astonvilla': 'https://www.premierleague.com/clubs/2/Aston-Villa/stats', 'leicester': 'https://www.premierleague.com/clubs/26/Leicester-City/stats', 'arsenal': 'https://www.premierleague.com/clubs/1/Arsenal/stats', 'tottenham': 'https://www.premierleague.com/clubs/21/Tottenham-Hotspur/stats/', 'chelsea': 'https://www.premierleague.com/clubs/4/Chelsea/stats', 'westham': 'https://www.premierleague.com/clubs/25/West-Ham-United/stats', 'leeds': 'https://www.premierleague.com/clubs/9/Leeds-United/stats', 'manchestercity': 'https://www.premierleague.com/clubs/11/Manchester-City/stats', 'southampton': 'https://www.premierleague.com/clubs/20/Southampton/stats', 'newcastle': 'https://www.premierleague.com/clubs/23/Newcastle-United/stats', 'crystalpalace': 'https://www.premierleague.com/clubs/6/Crystal-Palace/stats', 'manchesterunited': 'https://www.premierleague.com/clubs/12/Manchester-United/stats', 'wolves': 'https://www.premierleague.com/clubs/38/Wolverhampton-Wanderers/stats', 'brighton': 'https://www.premierleague.com/clubs/131/Brighton-and-Hove-Albion/stats', 'sheffield': 'https://www.premierleague.com/clubs/18/Sheffield-United/stats', 'westbrom': 'https://www.premierleague.com/clubs/36/West-Bromwich-Albion/stats', 'fulham': 'https://www.premierleague.com/clubs/34/Fulham/stats', 'burnley': 'https://www.premierleague.com/clubs/43/Burnley/stats'} |
# Creating a cyclic sort function
def cyclic_sort(a):
i=0
while(i<len(a)):
if(a[i]!=i+1):
index=a[i]-1
x=a[i]
a[i]=a[index];
a[index]=x;
else:
i+=1
return a
list1 = [4,5,6,2,1,7,3]
print("The unsorted list is: ", list1)
# Calling the cyclic sort function
print("The sorted list is: ", cyclic_sort(list1))
| def cyclic_sort(a):
i = 0
while i < len(a):
if a[i] != i + 1:
index = a[i] - 1
x = a[i]
a[i] = a[index]
a[index] = x
else:
i += 1
return a
list1 = [4, 5, 6, 2, 1, 7, 3]
print('The unsorted list is: ', list1)
print('The sorted list is: ', cyclic_sort(list1)) |
n = int(input())
contador = 3
c2 = 0
c3 = 1
print(f'{c2}, {c3}', end='')
while n >= contador:
c4 = c2 + c3
print(f',', end=' ')
print(f'{c4}', end='')
c2 = c3
c3 = c4
contador += 1
| n = int(input())
contador = 3
c2 = 0
c3 = 1
print(f'{c2}, {c3}', end='')
while n >= contador:
c4 = c2 + c3
print(f',', end=' ')
print(f'{c4}', end='')
c2 = c3
c3 = c4
contador += 1 |
# A simple calculator - Y1, group D, MEET Project
# Author: Tamar Shabtai
# This function adds two numbers
def add(x, y):
return x + y
# This function subtracts two numbers
def subtract(x, y):
return x - y
# This function multiplies two numbers
def multiply(x, y):
return x * y
# This function divides two numbers
def divide(x, y):
return x / y
# This function calculates one number power the second numbers
def power(x, y):
return x ** y
# This function calculates the modulo resulting from the division of one number by the second number
def modulo(x, y):
return x % y
def add_to_history(num1, num2, operator, result):
hist_str = str(num1) + " " + operator + " " + str(num2) + " = " + str(result)
if 50 <= len(history):
history.pop()
history.append(hist_str)
history = []
print("Hi! Please select operation:")
print("1 for addition")
print("2 for subtraction")
print("3 for multiplication")
print("4 for dividtion")
print("5 for power")
print("6 for modulo")
print("h for history")
print("q to quit")
while True:
# Take input from the user
choice = input("Enter choice(1/2/3/4/5/6/h/q): ")
# Accept 'q' or 'Q' by adding str.upper()
if 'Q' == choice.upper():
print("Thanks for using my simple calculator.")
break
# Check if choice is one of the four options
if choice in ('1', '2', '3', '4', '5', '6', 'h', 'H'):
if 'H' == choice.upper():
print(history)
else:
user_input = input("Enter first number: ")
if user_input.isnumeric():
num1 = float(user_input)
user_input = input("Enter second number: ")
if user_input.isnumeric():
num2 = float(user_input)
if choice == '1':
add_to_history(num1, num2, "+", add(num1, num2))
print(num1, "+", num2, "=", add(num1, num2))
elif choice == '2':
add_to_history(num1, num2, "-", subtract(num1, num2))
print(num1, "-", num2, "=", subtract(num1, num2))
elif choice == '3':
add_to_history(num1, num2, "*", multiply(num1, num2))
print(num1, "*", num2, "=", multiply(num1, num2))
elif choice == '4':
print(num1, "/", num2, "=", divide(num1, num2))
elif choice == '5':
add_to_history(num1, num2, "**", power(num1, num2))
print(num1, "**", num2, "=", power(num1, num2))
elif choice == '6':
add_to_history(num1, num2, "%", modulo(num1, num2))
print(num1, "%", num2, "=", modulo(num1, num2))
print() # Just adding a blank line for the separation from the previous calculation.
else:
print("Please enter a numerical value.")
else:
print("Please enter a numeric value.")
else:
print("Invalid selection.")
| def add(x, y):
return x + y
def subtract(x, y):
return x - y
def multiply(x, y):
return x * y
def divide(x, y):
return x / y
def power(x, y):
return x ** y
def modulo(x, y):
return x % y
def add_to_history(num1, num2, operator, result):
hist_str = str(num1) + ' ' + operator + ' ' + str(num2) + ' = ' + str(result)
if 50 <= len(history):
history.pop()
history.append(hist_str)
history = []
print('Hi! Please select operation:')
print('1 for addition')
print('2 for subtraction')
print('3 for multiplication')
print('4 for dividtion')
print('5 for power')
print('6 for modulo')
print('h for history')
print('q to quit')
while True:
choice = input('Enter choice(1/2/3/4/5/6/h/q): ')
if 'Q' == choice.upper():
print('Thanks for using my simple calculator.')
break
if choice in ('1', '2', '3', '4', '5', '6', 'h', 'H'):
if 'H' == choice.upper():
print(history)
else:
user_input = input('Enter first number: ')
if user_input.isnumeric():
num1 = float(user_input)
user_input = input('Enter second number: ')
if user_input.isnumeric():
num2 = float(user_input)
if choice == '1':
add_to_history(num1, num2, '+', add(num1, num2))
print(num1, '+', num2, '=', add(num1, num2))
elif choice == '2':
add_to_history(num1, num2, '-', subtract(num1, num2))
print(num1, '-', num2, '=', subtract(num1, num2))
elif choice == '3':
add_to_history(num1, num2, '*', multiply(num1, num2))
print(num1, '*', num2, '=', multiply(num1, num2))
elif choice == '4':
print(num1, '/', num2, '=', divide(num1, num2))
elif choice == '5':
add_to_history(num1, num2, '**', power(num1, num2))
print(num1, '**', num2, '=', power(num1, num2))
elif choice == '6':
add_to_history(num1, num2, '%', modulo(num1, num2))
print(num1, '%', num2, '=', modulo(num1, num2))
print()
else:
print('Please enter a numerical value.')
else:
print('Please enter a numeric value.')
else:
print('Invalid selection.') |
num = int(input("Enter the nmber.\n"))
f = 1
print("Factors :")
for i in range(1 , num+1):
if(num%i) == 0:
print(i)
print("Factorial:")
for j in range(1 , num+1):
f = f*j;
print(f)
| num = int(input('Enter the nmber.\n'))
f = 1
print('Factors :')
for i in range(1, num + 1):
if num % i == 0:
print(i)
print('Factorial:')
for j in range(1, num + 1):
f = f * j
print(f) |
def union (setA = '', setB = ''):
print('union')
pass
def intersection ():
print('intersection')
pass
def difference ():
print('difference')
pass | def union(setA='', setB=''):
print('union')
pass
def intersection():
print('intersection')
pass
def difference():
print('difference')
pass |
L = [
1, 2, 3, 4, 5, 6, 7, 8, 9
]
def split_list(a_list):
half = len(a_list)//2
return a_list[:half], a_list[half:]
B, C = split_list(L)
print (B)
print (C) | l = [1, 2, 3, 4, 5, 6, 7, 8, 9]
def split_list(a_list):
half = len(a_list) // 2
return (a_list[:half], a_list[half:])
(b, c) = split_list(L)
print(B)
print(C) |
thisdict = {
"brand":"Ford",
"model":"Mustang",
"year":1964
}
del thisdict
print(thisdict) #Error
| thisdict = {'brand': 'Ford', 'model': 'Mustang', 'year': 1964}
del thisdict
print(thisdict) |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.