content
stringlengths
7
1.05M
fixed_cases
stringlengths
1
1.28M
""" vigor - A collection of semi-random, semi-useful Python scripts and CLI tools. """ __version__ = '0.1.1' __author__ = 'Ryan Liu <ryan@ryanliu6.xyz>' """ __all__ only affects if you do from vigor import *. """ __all__ = []
""" vigor - A collection of semi-random, semi-useful Python scripts and CLI tools. """ __version__ = '0.1.1' __author__ = 'Ryan Liu <ryan@ryanliu6.xyz>' '\n__all__ only affects if you do from vigor import *.\n' __all__ = []
def divisible7(n): for x in range(0,n): if x%7==0: yield x print([x for x in divisible7(1000)])
def divisible7(n): for x in range(0, n): if x % 7 == 0: yield x print([x for x in divisible7(1000)])
getApproxError = lambda x_i, x_i_1: abs(x_i_1-x_i)/x_i_1 # For Percent error def _NR_(xn, f, fp, iterations, n = 1, c_error = 1, p_error = 2): if iterations == 0 or c_error > p_error: return xn xr = xn - f(xn)/fp(xn) p_error = c_error c_error = getApproxError(xn, xr) print(f'{n}\t{xn:.8f}\t\t{c_error*100}%') return _NR_(xr, f, fp, iterations - 1, n + 1, c_error, p_error) def newtonRaphson(x, f, fp, iterations): return _NR_(x, f, fp, iterations) f = lambda x: (x**3)-(2*x**2)-5 fp = lambda x: 3*(x**2)-(4*x) x0 = 2 print('n\txn\t\t\terror') print('**\t**********\t\t***************') newtonRaphson(x0, f, fp, 6)
get_approx_error = lambda x_i, x_i_1: abs(x_i_1 - x_i) / x_i_1 def _nr_(xn, f, fp, iterations, n=1, c_error=1, p_error=2): if iterations == 0 or c_error > p_error: return xn xr = xn - f(xn) / fp(xn) p_error = c_error c_error = get_approx_error(xn, xr) print(f'{n}\t{xn:.8f}\t\t{c_error * 100}%') return _nr_(xr, f, fp, iterations - 1, n + 1, c_error, p_error) def newton_raphson(x, f, fp, iterations): return _nr_(x, f, fp, iterations) f = lambda x: x ** 3 - 2 * x ** 2 - 5 fp = lambda x: 3 * x ** 2 - 4 * x x0 = 2 print('n\txn\t\t\terror') print('**\t**********\t\t***************') newton_raphson(x0, f, fp, 6)
class Solution: def reverseParentheses(self, s: str) -> str: #initialize a stack to keep track of left bracket indexes leftBracketIndices = [] #iterate through the string outputString = s index = 0 while index < len(outputString): if outputString[index] == "(": leftBracketIndices.append(index) elif outputString[index] == ")": #print("right bracket found at index " + str(index)) lastLeftBracketIndex = leftBracketIndices[len(leftBracketIndices)-1] toBeReplaced = outputString[lastLeftBracketIndex:index+1] reversedString = toBeReplaced[::-1] outputString = outputString.replace(toBeReplaced,reversedString[1:len(reversedString)-1]) leftBracketIndices.pop() index = index-2 index = index + 1 return outputString
class Solution: def reverse_parentheses(self, s: str) -> str: left_bracket_indices = [] output_string = s index = 0 while index < len(outputString): if outputString[index] == '(': leftBracketIndices.append(index) elif outputString[index] == ')': last_left_bracket_index = leftBracketIndices[len(leftBracketIndices) - 1] to_be_replaced = outputString[lastLeftBracketIndex:index + 1] reversed_string = toBeReplaced[::-1] output_string = outputString.replace(toBeReplaced, reversedString[1:len(reversedString) - 1]) leftBracketIndices.pop() index = index - 2 index = index + 1 return outputString
# -*- coding: utf-8 -*- # Copyright 2019 Cohesity Inc. class TypeFlashBladeProtectionSourceEnum(object): """Implementation of the 'Type_FlashBladeProtectionSource' enum. Specifies the type of managed object in a Pure Storage FlashBlade like 'kStorageArray' or 'kFileSystem'. 'kStorageArray' indicates a top level Pure Storage FlashBlade array. 'kFileSystem' indicates a Pure Storage FlashBlade file system within the array. Attributes: KSTORAGEARRAY: TODO: type description here. KFILESYSTEM: TODO: type description here. """ KSTORAGEARRAY = 'kStorageArray' KFILESYSTEM = 'kFileSystem'
class Typeflashbladeprotectionsourceenum(object): """Implementation of the 'Type_FlashBladeProtectionSource' enum. Specifies the type of managed object in a Pure Storage FlashBlade like 'kStorageArray' or 'kFileSystem'. 'kStorageArray' indicates a top level Pure Storage FlashBlade array. 'kFileSystem' indicates a Pure Storage FlashBlade file system within the array. Attributes: KSTORAGEARRAY: TODO: type description here. KFILESYSTEM: TODO: type description here. """ kstoragearray = 'kStorageArray' kfilesystem = 'kFileSystem'
students = ['Ivan', 'Masha', 'Sasha'] students += ['Olga'] students += 'Olga' print(len(students))
students = ['Ivan', 'Masha', 'Sasha'] students += ['Olga'] students += 'Olga' print(len(students))
class OpenSRSError(Exception): """Base class for errors in this library.""" pass class XCPError(OpenSRSError): def __init__(self, response_message): self.response_message = response_message self.message_data = response_message.get_data() self.response_code = self.message_data['response_code'] self.response_text = self.message_data['response_text'] def __str__(self): return "%s: %s" % (self.response_code, self.response_text) class BadResponseError(OpenSRSError): def __init__(self, xcp_error): self.response_message = xcp_error.response_message self.message_data = xcp_error.message_data self.response_code = xcp_error.response_code self.response_text = xcp_error.response_text def __str__(self): return "%s: %s" % (self.response_code, self.response_text) class OperationFailure(OpenSRSError): def __init__(self, response_message, response_code=None, response_text=None): self.response_message = response_message self.message_data = response_message.get_data() self.response_code = response_code or \ self.message_data['response_code'] self.response_text = response_text or \ self.message_data['response_text'] def __str__(self): return "%s: %s" % (self.response_code, self.response_text) class InvalidDomain(BadResponseError): pass class AuthenticationFailure(BadResponseError): pass class DomainRegistrationFailure(BadResponseError): pass class DomainTaken(DomainRegistrationFailure): pass class DomainTransferFailure(BadResponseError): pass class DomainNotTransferable(DomainTransferFailure): pass class DomainLookupFailure(OperationFailure): pass class DomainAlreadyRenewed(BadResponseError): pass class DomainLookupUnavailable(OperationFailure): pass class DomainRegistrationTimedOut(BadResponseError): pass
class Opensrserror(Exception): """Base class for errors in this library.""" pass class Xcperror(OpenSRSError): def __init__(self, response_message): self.response_message = response_message self.message_data = response_message.get_data() self.response_code = self.message_data['response_code'] self.response_text = self.message_data['response_text'] def __str__(self): return '%s: %s' % (self.response_code, self.response_text) class Badresponseerror(OpenSRSError): def __init__(self, xcp_error): self.response_message = xcp_error.response_message self.message_data = xcp_error.message_data self.response_code = xcp_error.response_code self.response_text = xcp_error.response_text def __str__(self): return '%s: %s' % (self.response_code, self.response_text) class Operationfailure(OpenSRSError): def __init__(self, response_message, response_code=None, response_text=None): self.response_message = response_message self.message_data = response_message.get_data() self.response_code = response_code or self.message_data['response_code'] self.response_text = response_text or self.message_data['response_text'] def __str__(self): return '%s: %s' % (self.response_code, self.response_text) class Invaliddomain(BadResponseError): pass class Authenticationfailure(BadResponseError): pass class Domainregistrationfailure(BadResponseError): pass class Domaintaken(DomainRegistrationFailure): pass class Domaintransferfailure(BadResponseError): pass class Domainnottransferable(DomainTransferFailure): pass class Domainlookupfailure(OperationFailure): pass class Domainalreadyrenewed(BadResponseError): pass class Domainlookupunavailable(OperationFailure): pass class Domainregistrationtimedout(BadResponseError): pass
def rot_char(character, n): """Rot-n for a single character""" if character.islower(): return chr(((ord(character)-97+n)%26)+97) elif character.isupper(): return chr(((ord(character)-65+n)%26)+65) else: return character def rot_n(plaintext,n): """Implementation of caesar cypher""" cyphertext = "" for character in plaintext: cyphertext += rot_char(character, n) return cyphertext def ui(): """UI Implementation with prints and inputs""" print("Insert the text to be encyphered") plaintext = input() print("Input the desired N for the ROT-N") n = int(input()) return plaintext, n if __name__ == "__main__": plaintext, n = ui() print(rot_n(plaintext, n))
def rot_char(character, n): """Rot-n for a single character""" if character.islower(): return chr((ord(character) - 97 + n) % 26 + 97) elif character.isupper(): return chr((ord(character) - 65 + n) % 26 + 65) else: return character def rot_n(plaintext, n): """Implementation of caesar cypher""" cyphertext = '' for character in plaintext: cyphertext += rot_char(character, n) return cyphertext def ui(): """UI Implementation with prints and inputs""" print('Insert the text to be encyphered') plaintext = input() print('Input the desired N for the ROT-N') n = int(input()) return (plaintext, n) if __name__ == '__main__': (plaintext, n) = ui() print(rot_n(plaintext, n))
#!/usr/bin/env python ''' Copyright (C) 2020, WAFW00F Developers. See the LICENSE file for copying permission. ''' NAME = 'chuangyudun (zhidaochuangyu Technologies)' def is_waf(self): schemes = [ self.matchContent(r'<span class="r-tip01"><%= error_403 %>'), self.matchContent(r"'hacker';"), self.matchContent(r'<center>client: (.*?), server: (.*?), time: (.*?)</center>'), ] if all(i for i in schemes): return True return False
""" Copyright (C) 2020, WAFW00F Developers. See the LICENSE file for copying permission. """ name = 'chuangyudun (zhidaochuangyu Technologies)' def is_waf(self): schemes = [self.matchContent('<span class="r-tip01"><%= error_403 %>'), self.matchContent("'hacker';"), self.matchContent('<center>client: (.*?), server: (.*?), time: (.*?)</center>')] if all((i for i in schemes)): return True return False
#replace username,pwd, api_key with yours USER_NAME = '6565' PWD = '6g!fdfgd' API_KEY = '657hgg' #Dont change below varibale FEED_TOKEN = None TOKEN_MAP = None SMART_API_OBJ = None
user_name = '6565' pwd = '6g!fdfgd' api_key = '657hgg' feed_token = None token_map = None smart_api_obj = None
""" Summary: -------- 0416: sequence labeling, with granularity 1/4 of the signal's frequency 0433: (subtract) unet 0436: object detection (yolo) 0430: unet 0437: unet (+lstm) 0343: unet/lstm/etc. 0348: crnn (cnn no downsampling) """
""" Summary: -------- 0416: sequence labeling, with granularity 1/4 of the signal's frequency 0433: (subtract) unet 0436: object detection (yolo) 0430: unet 0437: unet (+lstm) 0343: unet/lstm/etc. 0348: crnn (cnn no downsampling) """
#!/usr/bin/python2 # Copyright (c) 2017 Public Library of Science # # Permission is hereby granted, free of charge, to any person obtaining a # copy of this software and associated documentation files (the "Software"), # to deal in the Software without restriction, including without limitation # the rights to use, copy, modify, merge, publish, distribute, sublicense, # and/or sell copies of the Software, and to permit persons to whom the # Software is furnished to do so, subject to the following conditions: # # The above copyright notice and this permission notice shall be included in # all copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR # IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, # FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL # THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER # LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING # FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER # DEALINGS IN THE SOFTWARE. """Test case representations for volumes and issues.""" class VolumeCase(object): """One test case of a volume to create.""" def __init__(self, doi, journal_key, display_name, issues=()): self.doi = DOI_PREFIX + doi self.journal_key = journal_key self.display_name = display_name self.issues = issues def __str__(self): return 'TestVolume({0!r}, {1!r}, {2!r}, {3!r})'.format( self.doi, self.journal_key, self.display_name, self.issues) class IssueCase(object): """One test case of an issue to create. In order to be created, an instance should belong to the 'issues' field of a TestVolume object. """ def __init__(self, suffix, display_name, image_uri=None): if not suffix.startswith('.'): suffix = '.' + suffix self.suffix = suffix self.display_name = display_name self.image_uri = image_uri def __str__(self): return 'TestIssue({0!r}, {1!r}, {2!r})'.format( self.suffix, self.display_name, self.image_uri) TEST_VOLUMES = [ VolumeCase('volume.pone.v47', 'PLoSONE', 'TestVolume', issues=[TestIssue('i23', 'TestIssue')]), ] """A list of cases to use."""
"""Test case representations for volumes and issues.""" class Volumecase(object): """One test case of a volume to create.""" def __init__(self, doi, journal_key, display_name, issues=()): self.doi = DOI_PREFIX + doi self.journal_key = journal_key self.display_name = display_name self.issues = issues def __str__(self): return 'TestVolume({0!r}, {1!r}, {2!r}, {3!r})'.format(self.doi, self.journal_key, self.display_name, self.issues) class Issuecase(object): """One test case of an issue to create. In order to be created, an instance should belong to the 'issues' field of a TestVolume object. """ def __init__(self, suffix, display_name, image_uri=None): if not suffix.startswith('.'): suffix = '.' + suffix self.suffix = suffix self.display_name = display_name self.image_uri = image_uri def __str__(self): return 'TestIssue({0!r}, {1!r}, {2!r})'.format(self.suffix, self.display_name, self.image_uri) test_volumes = [volume_case('volume.pone.v47', 'PLoSONE', 'TestVolume', issues=[test_issue('i23', 'TestIssue')])] 'A list of cases to use.'
class ListNode: def __init__(self, x): self.val = x self.next = None class MyLinkedList(object): def __init__(self): """ Initialize your data structure here. """ self.head = None self.length = 0 def get(self, index): """ Get the value of the index-th node in the linked list. If the index is invalid, return -1. :type index: int :rtype: int """ if index < 0 or index >= self.length: return -1 curr = self.head for i in range(1, index + 1): curr = curr.next return curr.val def addAtHead(self, val): """ Add a node of value val before the first element of the linked list. After the insertion, the new node will be the first node of the linked list. :type val: int :rtype: None """ new_node = ListNode(val) new_node.next = self.head self.head = new_node self.length += 1 def addAtTail(self, val): """ Append a node of value val to the last element of the linked list. :type val: int :rtype: None """ curr = self.head while curr.next: curr = curr.next new_node = ListNode(val) curr.next = new_node self.length += 1 def addAtIndex(self, index, val): """ Add a node of value val before the index-th node in the linked list. If index equals to the length of linked list, the node will be appended to the end of linked list. If index is greater than the length, the node will not be inserted. :type index: int :type val: int :rtype: None """ if index < 0: new_node = ListNode(val) new_node.next = self.head self.head = new_node if index <= self.length: prev = None curr = self.head for i in range(1, index + 1): prev = curr curr = curr.next new_node = ListNode(val) if prev: prev.next = new_node else: self.head = new_node new_node.next = curr self.length += 1 def deleteAtIndex(self, index): """ Delete the index-th node in the linked list, if the index is valid. :type index: int :rtype: None """ if index >= 0 and index < self.length: prev = None curr = self.head _next = None if curr: _next = curr.next for i in range(1, index + 1): prev = curr curr = curr.next if curr: _next = curr.next if prev: prev.next = _next else: self.head = _next self.length -= 1 def test_my_linked_list_1(): ll = MyLinkedList() ll.addAtHead(1) assert 1 == ll.get(0) ll.addAtTail(3) assert -1 == ll.get(-1) assert 1 == ll.get(0) assert 3 == ll.get(1) ll.addAtIndex(1, 2) assert 1 == ll.get(0) assert 2 == ll.get(1) assert 3 == ll.get(2) ll.deleteAtIndex(1) assert 3 == ll.get(1) assert -1 == ll.get(-3) def test_my_linked_list_2(): ll = MyLinkedList() ll.addAtHead(1) assert 1 == ll.get(0) ll.addAtIndex(1, 2) assert 1 == ll.get(0) assert 2 == ll.get(1) assert -1 == ll.get(2) def test_my_linked_list_3(): ll = MyLinkedList() ll.addAtHead(1) assert 1 == ll.get(0) ll.addAtTail(3) assert -1 == ll.get(-1) assert 1 == ll.get(0) assert 3 == ll.get(1) ll.addAtIndex(4, 2) assert 3 == ll.get(1) ll.deleteAtIndex(-1) assert 3 == ll.get(1) def test_my_linked_list_4(): ll = MyLinkedList() ll.addAtIndex(-1, 0) assert 0 == ll.get(0)
class Listnode: def __init__(self, x): self.val = x self.next = None class Mylinkedlist(object): def __init__(self): """ Initialize your data structure here. """ self.head = None self.length = 0 def get(self, index): """ Get the value of the index-th node in the linked list. If the index is invalid, return -1. :type index: int :rtype: int """ if index < 0 or index >= self.length: return -1 curr = self.head for i in range(1, index + 1): curr = curr.next return curr.val def add_at_head(self, val): """ Add a node of value val before the first element of the linked list. After the insertion, the new node will be the first node of the linked list. :type val: int :rtype: None """ new_node = list_node(val) new_node.next = self.head self.head = new_node self.length += 1 def add_at_tail(self, val): """ Append a node of value val to the last element of the linked list. :type val: int :rtype: None """ curr = self.head while curr.next: curr = curr.next new_node = list_node(val) curr.next = new_node self.length += 1 def add_at_index(self, index, val): """ Add a node of value val before the index-th node in the linked list. If index equals to the length of linked list, the node will be appended to the end of linked list. If index is greater than the length, the node will not be inserted. :type index: int :type val: int :rtype: None """ if index < 0: new_node = list_node(val) new_node.next = self.head self.head = new_node if index <= self.length: prev = None curr = self.head for i in range(1, index + 1): prev = curr curr = curr.next new_node = list_node(val) if prev: prev.next = new_node else: self.head = new_node new_node.next = curr self.length += 1 def delete_at_index(self, index): """ Delete the index-th node in the linked list, if the index is valid. :type index: int :rtype: None """ if index >= 0 and index < self.length: prev = None curr = self.head _next = None if curr: _next = curr.next for i in range(1, index + 1): prev = curr curr = curr.next if curr: _next = curr.next if prev: prev.next = _next else: self.head = _next self.length -= 1 def test_my_linked_list_1(): ll = my_linked_list() ll.addAtHead(1) assert 1 == ll.get(0) ll.addAtTail(3) assert -1 == ll.get(-1) assert 1 == ll.get(0) assert 3 == ll.get(1) ll.addAtIndex(1, 2) assert 1 == ll.get(0) assert 2 == ll.get(1) assert 3 == ll.get(2) ll.deleteAtIndex(1) assert 3 == ll.get(1) assert -1 == ll.get(-3) def test_my_linked_list_2(): ll = my_linked_list() ll.addAtHead(1) assert 1 == ll.get(0) ll.addAtIndex(1, 2) assert 1 == ll.get(0) assert 2 == ll.get(1) assert -1 == ll.get(2) def test_my_linked_list_3(): ll = my_linked_list() ll.addAtHead(1) assert 1 == ll.get(0) ll.addAtTail(3) assert -1 == ll.get(-1) assert 1 == ll.get(0) assert 3 == ll.get(1) ll.addAtIndex(4, 2) assert 3 == ll.get(1) ll.deleteAtIndex(-1) assert 3 == ll.get(1) def test_my_linked_list_4(): ll = my_linked_list() ll.addAtIndex(-1, 0) assert 0 == ll.get(0)
S = input() #win = S.count("o") lose = S.count("x") if lose <= 7: print("YES") else: print("NO")
s = input() lose = S.count('x') if lose <= 7: print('YES') else: print('NO')
class Fish: def __init__(self, color, age): self.color = color self.age = age def speed_up(self, speed): print("Move speed to "+speed+" mph") p1 = Fish("blue","0.5") print(p1.color) print(p1.age) p1.speed_up("100")
class Fish: def __init__(self, color, age): self.color = color self.age = age def speed_up(self, speed): print('Move speed to ' + speed + ' mph') p1 = fish('blue', '0.5') print(p1.color) print(p1.age) p1.speed_up('100')
def smallest_range(nums, k): difference = max(nums) - min(nums) if 2 * k >= difference: return 0 else: return difference - 2 * k print(smallest_range([0, 10], 2)) print(smallest_range([1, 3, 6], 3)) print(smallest_range([1], 0)) print(smallest_range([9, 9, 2, 8, 7], 4))
def smallest_range(nums, k): difference = max(nums) - min(nums) if 2 * k >= difference: return 0 else: return difference - 2 * k print(smallest_range([0, 10], 2)) print(smallest_range([1, 3, 6], 3)) print(smallest_range([1], 0)) print(smallest_range([9, 9, 2, 8, 7], 4))
# Default `TAR` package extensions. # Please change the below value to suit your corresponding environment requirement. TAR_EXTENSION = {'gz': '.tar.gz', 'bz2': '.tar.bz2'} # Store the `TAR` extracts in the below destination directory option. TAR_BASE_EXTRACT_DIRECTORY = '/home/vagrant/downloads/MW_AUTOMATE/TarExtractsCommon/' # Default `TAR` extraction directory. DEFAULT_TAR_PACKAGE_TYPE = 'Default/'
tar_extension = {'gz': '.tar.gz', 'bz2': '.tar.bz2'} tar_base_extract_directory = '/home/vagrant/downloads/MW_AUTOMATE/TarExtractsCommon/' default_tar_package_type = 'Default/'
class QuizBrain: def __init__(self, question_list): """takes a list of questions as input. questions are dicts with text and answer keys.""" self.question_list = question_list self.question_number = 0 self.score = 0 def next_question(self): """will print the next question, collect a response, print the answer, then advance the question number""" # grab the next question question = self.question_list[self.question_number] # ask it and collect a response response = input(f"Q.{self.question_number + 1}: {question.text} (True/False): ") # score the response self.score_response(response, question.answer) # advance question number in prep for next question self.question_number += 1 # done with this question print() def has_next(self): return self.question_number < len(self.question_list) def score_response(self, response, answer): if response.lower() == answer.lower(): self.score += 1 print("You got it right!") else: print("That's wrong.") print(f"The correct answer was: {answer}.") print(f"Score: {self.score}/{self.question_number + 1}")
class Quizbrain: def __init__(self, question_list): """takes a list of questions as input. questions are dicts with text and answer keys.""" self.question_list = question_list self.question_number = 0 self.score = 0 def next_question(self): """will print the next question, collect a response, print the answer, then advance the question number""" question = self.question_list[self.question_number] response = input(f'Q.{self.question_number + 1}: {question.text} (True/False): ') self.score_response(response, question.answer) self.question_number += 1 print() def has_next(self): return self.question_number < len(self.question_list) def score_response(self, response, answer): if response.lower() == answer.lower(): self.score += 1 print('You got it right!') else: print("That's wrong.") print(f'The correct answer was: {answer}.') print(f'Score: {self.score}/{self.question_number + 1}')
__import__('pkg_resources').declare_namespace(__name__) version = (0, 1, 4) __version__ = ".".join(map(str, version))
__import__('pkg_resources').declare_namespace(__name__) version = (0, 1, 4) __version__ = '.'.join(map(str, version))
# -*- coding: utf-8 -*- class Card: """ generic game card """ def __init__(self, value): self.value = value def __eq__(self, other_card): return self.value == other_card.value def __ne__(self, other_card): return self.value != other_card.value def __lt__(self, other_card): return self.value < other_card.value def __le__(self, other_card): return self.value <= other_card.value def __gt__(self, other_card): return self.value > other_card.value def __ge__(self, other_card): return self.value >= other_card.value def offset(self, diff=0): return self.__class__(self.value + diff) def __sub__(self, diff): return self.offset(-diff) def __add__(self, diff): return self.offset(diff) class OppCard(Card): """ card played by the opponent player on the other player stacks """ def __str__(self): return "O({})".format(self.value) def __repr__(self): return "O({})".format(self.value) class SelfCard(Card): """ card played by one player on its own stacks """ def __str__(self): return "S({})".format(self.value) def __repr__(self): return "S({})".format(self.value) def get_opp(self): return OppCard(self.value)
class Card: """ generic game card """ def __init__(self, value): self.value = value def __eq__(self, other_card): return self.value == other_card.value def __ne__(self, other_card): return self.value != other_card.value def __lt__(self, other_card): return self.value < other_card.value def __le__(self, other_card): return self.value <= other_card.value def __gt__(self, other_card): return self.value > other_card.value def __ge__(self, other_card): return self.value >= other_card.value def offset(self, diff=0): return self.__class__(self.value + diff) def __sub__(self, diff): return self.offset(-diff) def __add__(self, diff): return self.offset(diff) class Oppcard(Card): """ card played by the opponent player on the other player stacks """ def __str__(self): return 'O({})'.format(self.value) def __repr__(self): return 'O({})'.format(self.value) class Selfcard(Card): """ card played by one player on its own stacks """ def __str__(self): return 'S({})'.format(self.value) def __repr__(self): return 'S({})'.format(self.value) def get_opp(self): return opp_card(self.value)
#!/usr/bin/env python3 # -*- coding: utf-8 -*- # src/model.py # Author : Irreq """ DOCUMENTATION: Define the model. TODO: Everything. Implement the CNN and fix the core of modem. """
""" DOCUMENTATION: Define the model. TODO: Everything. Implement the CNN and fix the core of modem. """
USER_NAME = 'Big Joe' USER_EMAIL = 'bigjoe@bigjoe.com' USER_PASSWORD = 'bigjoe99' def delete_user(login_manager, email): """Delete given user""" try: login_manager.delete_user(email=email) except Exception: pass
user_name = 'Big Joe' user_email = 'bigjoe@bigjoe.com' user_password = 'bigjoe99' def delete_user(login_manager, email): """Delete given user""" try: login_manager.delete_user(email=email) except Exception: pass
#!/usr/bin/env python3 # -*- coding: utf-8 -*- """ ####################################### # Author: Jorge Mauricio # Email: jorge.ernesto.mauricio@gmail.com # Date: 2018-02-01 # Version: 1.0 ####################################### Objetivo: Escribe un programa que calcule el valor neto de una cuenta de banco basado en las transacciones que se ingresan en la consola de comandos. Ej: D 200 D 250 P 300 D 100 P 200 Donde: D = Deposito P = Pago Resultado: 50 """
""" ####################################### # Author: Jorge Mauricio # Email: jorge.ernesto.mauricio@gmail.com # Date: 2018-02-01 # Version: 1.0 ####################################### Objetivo: Escribe un programa que calcule el valor neto de una cuenta de banco basado en las transacciones que se ingresan en la consola de comandos. Ej: D 200 D 250 P 300 D 100 P 200 Donde: D = Deposito P = Pago Resultado: 50 """
# Definition for a binary tree node. # class TreeNode(object): # def __init__(self, x): # self.val = x # self.left = None # self.right = None """ Given a Binary Search Tree (BST) with the root node root, return the minimum difference between the values of any two different nodes in the tree. 1. Naive solution: traverse the tree, get in order traversal. Then find all possible difference between pairs, which takes O(n^2) 2. For each node find the closest number to it, which takes O(nlogn), because we search for closer number in logn time for each n nodes. 3. Do in order traversal and Compare the adjacents, keep track of min difference """ class Solution(object): # smallest number possible prev = -float('inf') # the biggest possible difference difference = float('inf') def minDiffInBST(self, root): """ :type root: TreeNode :rtype: int """ self.in_order(root) return self.difference def in_order(self, node, prev=None, difference=None): if node is None: return # if prev is None and difference is None: # prev = -float('inf') # difference = float('inf') self.in_order(node.left) self.difference = min(node.val-self.prev, self.difference) # update the prev value to current node's val self.prev = node.val # move to the right side of node self.in_order(node.right)
""" Given a Binary Search Tree (BST) with the root node root, return the minimum difference between the values of any two different nodes in the tree. 1. Naive solution: traverse the tree, get in order traversal. Then find all possible difference between pairs, which takes O(n^2) 2. For each node find the closest number to it, which takes O(nlogn), because we search for closer number in logn time for each n nodes. 3. Do in order traversal and Compare the adjacents, keep track of min difference """ class Solution(object): prev = -float('inf') difference = float('inf') def min_diff_in_bst(self, root): """ :type root: TreeNode :rtype: int """ self.in_order(root) return self.difference def in_order(self, node, prev=None, difference=None): if node is None: return self.in_order(node.left) self.difference = min(node.val - self.prev, self.difference) self.prev = node.val self.in_order(node.right)
class FileWriter: def __init__(self): pass def Write(self, path, record): with open(path, 'w') as f: if None is not record['Title'] and 0 != len(record['Title']): f.write(record['Title']) f.write('\n\n') f.write(record['Content'])
class Filewriter: def __init__(self): pass def write(self, path, record): with open(path, 'w') as f: if None is not record['Title'] and 0 != len(record['Title']): f.write(record['Title']) f.write('\n\n') f.write(record['Content'])
expected_output = { 'red_sys_info': { 'available_system_uptime': '21 weeks, 5 days, 1 hour, 3 minutes', 'communications': 'Down', 'communications_reason': 'Simplex mode', 'conf_red_mode': 'sso', 'hw_mode': 'Simplex', 'last_switchover_reason': 'none', 'maint_mode': 'Disabled', 'oper_red_mode': 'sso', 'standby_failures': '0', 'switchovers_system_experienced': '0', }, 'slot': { 'slot 1': { 'compiled_by': 'kellythw', 'compiled_date': 'Thu 23-Nov-06 06:26', 'config_register': '0x2102', 'curr_sw_state': 'ACTIVE', 'image_id': 's72033_rp-ADVENTERPRISEK9_WAN-M', 'image_ver': 'Cisco Internetwork Operating System Software', 'os': 'IOS', 'platform': 's72033_rp', 'uptime_in_curr_state': '21 weeks, 5 days, 1 hour, 2 minutes', 'version': '12.2(18)SXF7', }, }, }
expected_output = {'red_sys_info': {'available_system_uptime': '21 weeks, 5 days, 1 hour, 3 minutes', 'communications': 'Down', 'communications_reason': 'Simplex mode', 'conf_red_mode': 'sso', 'hw_mode': 'Simplex', 'last_switchover_reason': 'none', 'maint_mode': 'Disabled', 'oper_red_mode': 'sso', 'standby_failures': '0', 'switchovers_system_experienced': '0'}, 'slot': {'slot 1': {'compiled_by': 'kellythw', 'compiled_date': 'Thu 23-Nov-06 06:26', 'config_register': '0x2102', 'curr_sw_state': 'ACTIVE', 'image_id': 's72033_rp-ADVENTERPRISEK9_WAN-M', 'image_ver': 'Cisco Internetwork Operating System Software', 'os': 'IOS', 'platform': 's72033_rp', 'uptime_in_curr_state': '21 weeks, 5 days, 1 hour, 2 minutes', 'version': '12.2(18)SXF7'}}}
# -*- coding: utf-8 -*- """ Created on Fri Aug 24 10:52:22 2018 @author: haiwa """
""" Created on Fri Aug 24 10:52:22 2018 @author: haiwa """
""" Datos de entrada edad_uno-> e_uno-->int edad_dos--> e_dos-->int edad_tres--> e_tres-->int Datos de salida promedio-->p-->float """ # Entradas e_uno=int(input("Digite edad uno : ")) e_dos=int(input("Digite edad dos : ")) e_tres=int(input("Digite edad tres : ")) # Caja Negra p=((e_uno+e_dos+e_tres)/3)#float # Salidas print("El promedio es " , p)
""" Datos de entrada edad_uno-> e_uno-->int edad_dos--> e_dos-->int edad_tres--> e_tres-->int Datos de salida promedio-->p-->float """ e_uno = int(input('Digite edad uno : ')) e_dos = int(input('Digite edad dos : ')) e_tres = int(input('Digite edad tres : ')) p = (e_uno + e_dos + e_tres) / 3 print('El promedio es ', p)
# # ---------------------------------------------------------------------------------------------------- # DESCRIPTION # ---------------------------------------------------------------------------------------------------- # # ---------------------------------------------------------------------------------------------------- # IMPORTS # ---------------------------------------------------------------------------------------------------- # # ---------------------------------------------------------------------------------------------------- # CODE # ---------------------------------------------------------------------------------------------------- # ## @brief [ ENUM CLASS ] - Language codes. class LanguageLabel(object): ## [ str ] - US english. kUSEnglish = 'English' ## [ str ] - Spanish. kSpanish = 'Spanish' # ## @brief [ ENUM CLASS ] - Language codes. class LanguageCode(object): ## [ str ] - US english. kUSEnglish = 'en-us' ## [ str ] - Spanish. kSpanish = 'es' ## [ tuple ] - Language choices. LANGUAGE_CODE_CHOICES = ( (LanguageCode.kUSEnglish , LanguageLabel.kUSEnglish), (LanguageCode.kSpanish , LanguageLabel.kSpanish), )
class Languagelabel(object): k_us_english = 'English' k_spanish = 'Spanish' class Languagecode(object): k_us_english = 'en-us' k_spanish = 'es' language_code_choices = ((LanguageCode.kUSEnglish, LanguageLabel.kUSEnglish), (LanguageCode.kSpanish, LanguageLabel.kSpanish))
# https://www.codewars.com/kata/5276c18121e20900c0000235/ ''' Instructions : Background: You're working in a number zoo, and it seems that one of the numbers has gone missing! Zoo workers have no idea what number is missing, and are too incompetent to figure it out, so they're hiring you to do it for them. In case the zoo loses another number, they want your program to work regardless of how many numbers there are in total. Task: Write a function that takes a shuffled list of unique numbers from 1 to n with one element missing (which can be any number including n). Return this missing number. Note: huge lists will be tested. Examples: [1, 3, 4] => 2 [1, 2, 3] => 4 [4, 2, 3] => 1 ''' def find_missing_number(numbers): s = sum(list(range(len(numbers)+2))) return (s - sum(numbers))
""" Instructions : Background: You're working in a number zoo, and it seems that one of the numbers has gone missing! Zoo workers have no idea what number is missing, and are too incompetent to figure it out, so they're hiring you to do it for them. In case the zoo loses another number, they want your program to work regardless of how many numbers there are in total. Task: Write a function that takes a shuffled list of unique numbers from 1 to n with one element missing (which can be any number including n). Return this missing number. Note: huge lists will be tested. Examples: [1, 3, 4] => 2 [1, 2, 3] => 4 [4, 2, 3] => 1 """ def find_missing_number(numbers): s = sum(list(range(len(numbers) + 2))) return s - sum(numbers)
class Network: ''' TODO: Document this ''' def train(self, **kwargs): ''' Train the network ''' raise NotImplementedError
class Network: """ TODO: Document this """ def train(self, **kwargs): """ Train the network """ raise NotImplementedError
# Declaration x, y, z = 1, 2, 3 p, q, r = (1, 2, 3) # In function definition def f(*a): print(a[0]) f([1, 2, 3], [2]) # In function calls def g(a, b): print(a + b) g(*[1,2])
(x, y, z) = (1, 2, 3) (p, q, r) = (1, 2, 3) def f(*a): print(a[0]) f([1, 2, 3], [2]) def g(a, b): print(a + b) g(*[1, 2])
""" author: Shawn time : 11/9/18 6:41 PM desc : update: Shawn 11/9/18 6:41 PM """
""" author: Shawn time : 11/9/18 6:41 PM desc : update: Shawn 11/9/18 6:41 PM """
DEFAULT_TAGS = { 'Key': 'Solution', 'Value': 'DataMeshUtils' } DOMAIN_TAG_KEY = 'Domain' DATA_PRODUCT_TAG_KEY = 'DataProduct' DATA_MESH_MANAGER_ROLENAME = 'DataMeshManager' DATA_MESH_ADMIN_PRODUCER_ROLENAME = 'DataMeshAdminProducer' DATA_MESH_ADMIN_CONSUMER_ROLENAME = 'DataMeshAdminConsumer' DATA_MESH_READONLY_ROLENAME = 'DataMeshAdminReadOnly' DATA_MESH_PRODUCER_ROLENAME = 'DataMeshProducer' DATA_MESH_CONSUMER_ROLENAME = 'DataMeshConsumer' DATA_MESH_IAM_PATH = '/AwsDataMesh/' PRODUCER_POLICY_NAME = 'DataMeshProducerAccess' CONSUMER_POLICY_NAME = 'DataMeshConsumerAccess' SUBSCRIPTIONS_TRACKER_TABLE = 'AwsDataMeshSubscriptions' MESH = 'Mesh' PRODUCER = 'Producer' CONSUMER = 'Consumer' PRODUCER_ADMIN = 'ProducerAdmin' CONSUMER_ADMIN = 'ConsumerAdmin' BUCKET_POLICY_STATEMENT_SID = 'AwsDataMeshUtilsBucketPolicyStatement'
default_tags = {'Key': 'Solution', 'Value': 'DataMeshUtils'} domain_tag_key = 'Domain' data_product_tag_key = 'DataProduct' data_mesh_manager_rolename = 'DataMeshManager' data_mesh_admin_producer_rolename = 'DataMeshAdminProducer' data_mesh_admin_consumer_rolename = 'DataMeshAdminConsumer' data_mesh_readonly_rolename = 'DataMeshAdminReadOnly' data_mesh_producer_rolename = 'DataMeshProducer' data_mesh_consumer_rolename = 'DataMeshConsumer' data_mesh_iam_path = '/AwsDataMesh/' producer_policy_name = 'DataMeshProducerAccess' consumer_policy_name = 'DataMeshConsumerAccess' subscriptions_tracker_table = 'AwsDataMeshSubscriptions' mesh = 'Mesh' producer = 'Producer' consumer = 'Consumer' producer_admin = 'ProducerAdmin' consumer_admin = 'ConsumerAdmin' bucket_policy_statement_sid = 'AwsDataMeshUtilsBucketPolicyStatement'
""" 219. Contains Duplicate II Given an array of integers and an integer k, find out whether there are two distinct indices i and j in the array such that nums[i] = nums[j] and the absolute difference between i and j is at most k. Example 1: Input: nums = [1,2,3,1], k = 3 Output: true Example 2: Input: nums = [1,0,1,1], k = 1 Output: true Example 3: Input: nums = [1,2,3,1,2,3], k = 2 Output: false """ class Solution(object): def containsNearbyDuplicate(self, nums, k): """ :type nums: List[int] :type k: int :rtype: bool """ if len(nums) == len(set(nums)): return False for i in range(len(nums)): for j in range(i + 1, len(nums)): if nums[i] == nums[j]: if j - i <= k: return True return False class Solution(object): def containsNearbyDuplicate(self, nums, k): """ :type nums: List[int] :type k: int :rtype: bool """ dic = {} for i, v in enumerate(nums): if v in dic and i - dic[v] <= k: return True dic[v] = i return False
""" 219. Contains Duplicate II Given an array of integers and an integer k, find out whether there are two distinct indices i and j in the array such that nums[i] = nums[j] and the absolute difference between i and j is at most k. Example 1: Input: nums = [1,2,3,1], k = 3 Output: true Example 2: Input: nums = [1,0,1,1], k = 1 Output: true Example 3: Input: nums = [1,2,3,1,2,3], k = 2 Output: false """ class Solution(object): def contains_nearby_duplicate(self, nums, k): """ :type nums: List[int] :type k: int :rtype: bool """ if len(nums) == len(set(nums)): return False for i in range(len(nums)): for j in range(i + 1, len(nums)): if nums[i] == nums[j]: if j - i <= k: return True return False class Solution(object): def contains_nearby_duplicate(self, nums, k): """ :type nums: List[int] :type k: int :rtype: bool """ dic = {} for (i, v) in enumerate(nums): if v in dic and i - dic[v] <= k: return True dic[v] = i return False
class Bounds: def __init__(self, minimum, maximum): self.minimum = minimum self.maximum = maximum def keep_in_bounds(self, value): if value < self.minimum: return self.minimum if value > self.maximum: return self.maximum return value
class Bounds: def __init__(self, minimum, maximum): self.minimum = minimum self.maximum = maximum def keep_in_bounds(self, value): if value < self.minimum: return self.minimum if value > self.maximum: return self.maximum return value
# Description: Run the PE75 function from the pymolshortcuts.py file to show the pearl effect with the inner sphere scaled by 0.75 of the van der Waals surface. # Source: placeHolder """ cmd.do('cmd.do("PE75")') """ cmd.do('cmd.do("PE75")')
""" cmd.do('cmd.do("PE75")') """ cmd.do('cmd.do("PE75")')
""" Write a Python program to convert a list of multiple integers into a single integer. """ l = [11, 33, 50] print("Original List: ", l) x = int("".join(map(str, l))) print("Single integer: ",x)
""" Write a Python program to convert a list of multiple integers into a single integer. """ l = [11, 33, 50] print('Original List: ', l) x = int(''.join(map(str, l))) print('Single integer: ', x)
company = 'Tesla' model = 'Model 3' fsd = 12000 base_price = 36000 tax_per = 7.5 retail = (fsd + base_price) tax = ((fsd + base_price) * tax_per )/100 print(retail+tax) print(type(company)) print(type(base_price)) print(type(tax_per)) print(type(retail))
company = 'Tesla' model = 'Model 3' fsd = 12000 base_price = 36000 tax_per = 7.5 retail = fsd + base_price tax = (fsd + base_price) * tax_per / 100 print(retail + tax) print(type(company)) print(type(base_price)) print(type(tax_per)) print(type(retail))
''' import gym from myrl.environments.environment import Environment def make(name, gamma): if name == 'CartPole-v0': return GymCartPole(name=name, gamma=gamma) else: raise ValueError('Agent name [' + name + '] not found.') class GymCartPole(Environment): def __init__(self, name, gamma): Environment.__init__(self, name=name, actions=[0, 1], gamma=gamma) self.env = gym.make('CartPole-v0') def get_state_dimension(self): return 4 def get_state_dtype(self): return float def get_state_magnitude(self): return -self.x_threshold, self.x_threshold def get_initial_state(self): return self.env.reset() def step(self, s, a): """ :param s: state :param a: action :return: r, s_p, is_terminal(s_p) """ s_p, r, is_terminal, _ = self.env.step(a) return r, s_p, is_terminal def get_info(self): """ Get general information to be saved on disk. """ return { 'name': self.name, 'actions': self.actions, 'gamma': self.gamma } '''
''' import gym from myrl.environments.environment import Environment def make(name, gamma): if name == 'CartPole-v0': return GymCartPole(name=name, gamma=gamma) else: raise ValueError('Agent name [' + name + '] not found.') class GymCartPole(Environment): def __init__(self, name, gamma): Environment.__init__(self, name=name, actions=[0, 1], gamma=gamma) self.env = gym.make('CartPole-v0') def get_state_dimension(self): return 4 def get_state_dtype(self): return float def get_state_magnitude(self): return -self.x_threshold, self.x_threshold def get_initial_state(self): return self.env.reset() def step(self, s, a): """ :param s: state :param a: action :return: r, s_p, is_terminal(s_p) """ s_p, r, is_terminal, _ = self.env.step(a) return r, s_p, is_terminal def get_info(self): """ Get general information to be saved on disk. """ return { 'name': self.name, 'actions': self.actions, 'gamma': self.gamma } '''
# -*- coding: utf-8 -*- # class AB2R(): # AB2/TR method as described in 3.16.4 of # # Incompressible flow and the finite element method; # Volume 2: Isothermal laminar flow; # P.M. Gresho, R.L. Sani. # # Here, the Navier-Stokes equation is written as # # Mu' + (K+N(u)) u + Cp = f, # C^T u = g. # # For incompressible Navier-Stokes, # # rho (u' + u.nabla(u)) = - nabla(p) + mu Delta(u) + f, # div(u) = 0, # # we have # # M = rho, # K = - mu \Delta, # N(u) = rho * u.nabla(u), # C = nabla, # C^T = div, # g = 0. # def __init__(self): return # Initial AB2/TR step. def ab2tr_step0(u0, P, f, # right-hand side rho, mu, dudt_bcs=None, p_bcs=None, eps=1.0e-4, # relative error tolerance verbose=True ): if dudt_bcs is None: dudt_bcs = [] if p_bcs is None: p_bcs = [] # Make sure that the initial velocity is divergence-free. alpha = norm(u0, 'Hdiv0') if abs(alpha) > DOLFIN_EPS: warn('Initial velocity not divergence-free (||u||_div = %e).' % alpha ) # Get the initial u0' and p0 by solving the linear equation system # # [M C] [u0'] [f0 - (K+N(u0)u0)] # [C^T 0] [p0 ] = [ g0' ], # # i.e., # # rho u0' + nabla(p0) = f0 + mu\Delta(u0) - rho u0.nabla(u0), # div(u0') = 0. # W = u0.function_space() WP = W*P # Translate the boundary conditions into product space. See # <http://fenicsproject.org/qa/703/boundary-conditions-in-product-space>. dudt_bcs_new = [] for dudt_bc in dudt_bcs: dudt_bcs_new.append(DirichletBC(WP.sub(0), dudt_bc.value(), dudt_bc.user_sub_domain())) p_bcs_new = [] for p_bc in p_bcs: p_bcs_new.append(DirichletBC(WP.sub(1), p_bc.value(), p_bc.user_sub_domain())) new_bcs = dudt_bcs_new + p_bcs_new (u, p) = TrialFunctions(WP) (v, q) = TestFunctions(WP) # a = rho * dot(u, v) * dx + dot(grad(p), v) * dx \ a = rho * inner(u, v) * dx - p * div(v) * dx \ - div(u) * q * dx L = _rhs_weak(u0, v, f, rho, mu) A, b = assemble_system(a, L, new_bcs) # Similar preconditioner as for the Stokes problem. # TODO implement something better! prec = rho * inner(u, v) * dx \ - p*q*dx M, _ = assemble_system(prec, L, new_bcs) solver = KrylovSolver('gmres', 'amg') solver.parameters['monitor_convergence'] = verbose solver.parameters['report'] = verbose solver.parameters['absolute_tolerance'] = 0.0 solver.parameters['relative_tolerance'] = 1.0e-6 solver.parameters['maximum_iterations'] = 10000 # Associate operator (A) and preconditioner matrix (M) solver.set_operators(A, M) # solver.set_operator(A) # Solve up = Function(WP) solver.solve(up.vector(), b) # Get sub-functions dudt0, p0 = up.split() # Choosing the first step size for the trapezoidal rule can be tricky. # Chapters 2.7.4a, 2.7.4e of the book # # Incompressible flow and the finite element method, # volume 1: advection-diffusion; # P.M. Gresho, R.L. Sani, # # give some hints. # # eps ... relative error tolerance # tau ... estimate of the initial 'time constant' tau = None if tau: dt0 = tau * eps**(1.0/3.0) else: # Choose something 'reasonably small'. dt0 = 1.0e-3 # Alternative: # Use a dissipative scheme like backward Euler or BDF2 for the first # couple of steps. This makes sure that noisy initial data is damped # out. return dudt0, p0, dt0 def ab2tr_step( W, P, dt0, dt_1, mu, rho, u0, u_1, u_bcs, dudt0, dudt_1, dudt_bcs, p_1, p_bcs, f0, f1, tol=1.0e-12, verbose=True ): # General AB2/TR step. # # Steps are labeled in the following way: # # * u_1: previous step. # * u0: current step. # * u1: next step. # # The same scheme applies to all other entities. # WP = W * P # Make sure the boundary conditions fit with the space. u_bcs_new = [] for u_bc in u_bcs: u_bcs_new.append(DirichletBC(WP.sub(0), u_bc.value(), u_bc.user_sub_domain())) p_bcs_new = [] for p_bc in p_bcs: p_bcs_new.append(DirichletBC(WP.sub(1), p_bc.value(), p_bc.user_sub_domain())) # Predict velocity. if dudt_1: u_pred = u0 \ + 0.5*dt0*((2 + dt0/dt_1) * dudt0 - (dt0/dt_1) * dudt_1) else: # Simple linear extrapolation. u_pred = u0 + dt0 * dudt0 uu = TrialFunctions(WP) vv = TestFunctions(WP) # Assign up[1] with u_pred and up[1] with p_1. # As of now (2013/09/05), there is no proper subfunction assignment in # Dolfin, cf. # <https://bitbucket.org/fenics-project/dolfin/issue/84/subfunction-assignment>. # Hence, we need to be creative here. # TODO proper subfunction assignment # # up1.assign(0, u_pred) # up1.assign(1, p_1) # up1 = Function(WP) a = (dot(uu[0], vv[0]) + uu[1] * vv[1]) * dx L = dot(u_pred, vv[0]) * dx if p_1: L += p_1 * vv[1] * dx solve(a == L, up1, bcs=u_bcs_new + p_bcs_new ) # Split up1 for easier access. # This is not as easy as it may seem at first, see # <http://fenicsproject.org/qa/1123/nonlinear-solves-with-mixed-function-spaces>. # Note in particular that # u1, p1 = up1.split() # doesn't work here. # u1, p1 = split(up1) # Form the nonlinear equation system (3.16-235) in Gresho/Sani. # Left-hand side of the nonlinear equation system. F = 2.0/dt0 * rho * dot(u1, vv[0]) * dx \ + mu * inner(grad(u1), grad(vv[0])) * dx \ + rho * 0.5 * (inner(grad(u1)*u1, vv[0]) - inner(grad(vv[0]) * u1, u1)) * dx \ + dot(grad(p1), vv[0]) * dx \ + div(u1) * vv[1] * dx # Subtract the right-hand side. F -= dot(rho*(2.0/dt0*u0 + dudt0) + f1, vv[0]) * dx # J = derivative(F, up1) # Solve nonlinear system for u1, p1. solve( F == 0, up1, bcs=u_bcs_new + p_bcs_new, # J = J, solver_parameters={ # 'nonlinear_solver': 'snes', 'nonlinear_solver': 'newton', 'newton_solver': { 'maximum_iterations': 5, 'report': True, 'absolute_tolerance': tol, 'relative_tolerance': 0.0 }, 'linear_solver': 'direct', # 'linear_solver': 'iterative', # # The nonlinear term makes the problem # # generally nonsymmetric. # 'symmetric': False, # # If the nonsymmetry is too strong, e.g., if # # u_1 is large, then AMG preconditioning # # might not work very well. # 'preconditioner': 'ilu', # #'preconditioner': 'hypre_amg', # 'krylov_solver': {'relative_tolerance': tol, # 'absolute_tolerance': 0.0, # 'maximum_iterations': 100, # 'monitor_convergence': verbose} }) # # Simpler access to the solution. # u1, p1 = up1.split() # Invert trapezoidal rule for next du/dt. dudt1 = 2 * (u1 - u0)/dt0 - dudt0 # Get next dt. if dt_1: # Compute local trunction error (LTE) estimate. d = (u1 - u_pred) / (3*(1.0 + dt_1 / dt)) # There are other ways of estimating the LTE norm. norm_d = numpy.sqrt(inner(d, d) / u_max**2) # Get next step size. dt1 = dt0 * (eps / norm_d)**(1.0/3.0) else: dt1 = dt0 return u1, p1, dudt1, dt1
class Ab2R: def __init__(self): return def ab2tr_step0(u0, P, f, rho, mu, dudt_bcs=None, p_bcs=None, eps=0.0001, verbose=True): if dudt_bcs is None: dudt_bcs = [] if p_bcs is None: p_bcs = [] alpha = norm(u0, 'Hdiv0') if abs(alpha) > DOLFIN_EPS: warn('Initial velocity not divergence-free (||u||_div = %e).' % alpha) w = u0.function_space() wp = W * P dudt_bcs_new = [] for dudt_bc in dudt_bcs: dudt_bcs_new.append(dirichlet_bc(WP.sub(0), dudt_bc.value(), dudt_bc.user_sub_domain())) p_bcs_new = [] for p_bc in p_bcs: p_bcs_new.append(dirichlet_bc(WP.sub(1), p_bc.value(), p_bc.user_sub_domain())) new_bcs = dudt_bcs_new + p_bcs_new (u, p) = trial_functions(WP) (v, q) = test_functions(WP) a = rho * inner(u, v) * dx - p * div(v) * dx - div(u) * q * dx l = _rhs_weak(u0, v, f, rho, mu) (a, b) = assemble_system(a, L, new_bcs) prec = rho * inner(u, v) * dx - p * q * dx (m, _) = assemble_system(prec, L, new_bcs) solver = krylov_solver('gmres', 'amg') solver.parameters['monitor_convergence'] = verbose solver.parameters['report'] = verbose solver.parameters['absolute_tolerance'] = 0.0 solver.parameters['relative_tolerance'] = 1e-06 solver.parameters['maximum_iterations'] = 10000 solver.set_operators(A, M) up = function(WP) solver.solve(up.vector(), b) (dudt0, p0) = up.split() tau = None if tau: dt0 = tau * eps ** (1.0 / 3.0) else: dt0 = 0.001 return (dudt0, p0, dt0) def ab2tr_step(W, P, dt0, dt_1, mu, rho, u0, u_1, u_bcs, dudt0, dudt_1, dudt_bcs, p_1, p_bcs, f0, f1, tol=1e-12, verbose=True): wp = W * P u_bcs_new = [] for u_bc in u_bcs: u_bcs_new.append(dirichlet_bc(WP.sub(0), u_bc.value(), u_bc.user_sub_domain())) p_bcs_new = [] for p_bc in p_bcs: p_bcs_new.append(dirichlet_bc(WP.sub(1), p_bc.value(), p_bc.user_sub_domain())) if dudt_1: u_pred = u0 + 0.5 * dt0 * ((2 + dt0 / dt_1) * dudt0 - dt0 / dt_1 * dudt_1) else: u_pred = u0 + dt0 * dudt0 uu = trial_functions(WP) vv = test_functions(WP) up1 = function(WP) a = (dot(uu[0], vv[0]) + uu[1] * vv[1]) * dx l = dot(u_pred, vv[0]) * dx if p_1: l += p_1 * vv[1] * dx solve(a == L, up1, bcs=u_bcs_new + p_bcs_new) (u1, p1) = split(up1) f = 2.0 / dt0 * rho * dot(u1, vv[0]) * dx + mu * inner(grad(u1), grad(vv[0])) * dx + rho * 0.5 * (inner(grad(u1) * u1, vv[0]) - inner(grad(vv[0]) * u1, u1)) * dx + dot(grad(p1), vv[0]) * dx + div(u1) * vv[1] * dx f -= dot(rho * (2.0 / dt0 * u0 + dudt0) + f1, vv[0]) * dx solve(F == 0, up1, bcs=u_bcs_new + p_bcs_new, solver_parameters={'nonlinear_solver': 'newton', 'newton_solver': {'maximum_iterations': 5, 'report': True, 'absolute_tolerance': tol, 'relative_tolerance': 0.0}, 'linear_solver': 'direct'}) dudt1 = 2 * (u1 - u0) / dt0 - dudt0 if dt_1: d = (u1 - u_pred) / (3 * (1.0 + dt_1 / dt)) norm_d = numpy.sqrt(inner(d, d) / u_max ** 2) dt1 = dt0 * (eps / norm_d) ** (1.0 / 3.0) else: dt1 = dt0 return (u1, p1, dudt1, dt1)
#!/usr/bin/env python """ _ThreadPool_t_ ThreadPool test methods """ __all__ = []
""" _ThreadPool_t_ ThreadPool test methods """ __all__ = []
# Scrapy settings for worldmeters project # # For simplicity, this file contains only settings considered important or # commonly used. You can find more settings consulting the documentation: # # https://docs.scrapy.org/en/latest/topics/settings.html # https://docs.scrapy.org/en/latest/topics/downloader-middleware.html # https://docs.scrapy.org/en/latest/topics/spider-middleware.html BOT_NAME = 'worldmeters' SPIDER_MODULES = ['worldmeters.spiders'] NEWSPIDER_MODULE = 'worldmeters.spiders' # Crawl responsibly by identifying yourself (and your website) on the user-agent #USER_AGENT = 'worldmeters (+http://www.yourdomain.com)' # Obey robots.txt rules ROBOTSTXT_OBEY = True DOWNLOAD_DELAY = 3 COOKIES_ENABLED = False # scrapy-user-agents uses a file with 2200 user-agent strings DOWNLOADER_MIDDLEWARES = { 'scrapy.downloadermiddlewares.useragent.UserAgentMiddleware': None, 'scrapy_user_agents.middlewares.RandomUserAgentMiddleware': 400, } # splash setting # SPLASH_URL = 'http://localhost:8050' # DOWNLOADER_MIDDLEWARES = { # 'scrapy_splash.SplashCookiesMiddleware': 723, # 'scrapy_splash.SplashMiddleware': 725, # 'scrapy.downloadermiddlewares.httpcompression.HttpCompressionMiddleware': 810, # } # SPIDER_MIDDLEWARES = { # 'scrapy_splash.SplashDeduplicateArgsMiddleware': 100, # } # DUPEFILTER_CLASS = 'scrapy_splash.SplashAwareDupeFilter' # HTTPCACHE_STORAGE = 'scrapy_splash.SplashAwareFSCacheStorage'
bot_name = 'worldmeters' spider_modules = ['worldmeters.spiders'] newspider_module = 'worldmeters.spiders' robotstxt_obey = True download_delay = 3 cookies_enabled = False downloader_middlewares = {'scrapy.downloadermiddlewares.useragent.UserAgentMiddleware': None, 'scrapy_user_agents.middlewares.RandomUserAgentMiddleware': 400}
class Maximum(Bound): __metaclass__ = ABCMeta class MaximumWidth( Property, Minimum, ): pass class MinimumHeight( Property, Minimum, ): pass
class Maximum(Bound): __metaclass__ = ABCMeta class Maximumwidth(Property, Minimum): pass class Minimumheight(Property, Minimum): pass
""" Given a singly linked list, group all odd nodes together followed by the even nodes. Please note here we are talking about the node number and not the value in the nodes. You should try to do it in place. The program should run in O(1) space complexity and O(nodes) time complexity. Example 1: Input: 1->2->3->4->5->NULL Output: 1->3->5->2->4->NULL Example 2: Input: 2->1->3->5->6->4->7->NULL Output: 2->3->6->7->1->5->4->NULL """ class ListNode: def __init__(self, val=0, next=None): self.val = val self.next = next def __repr__(self): return repr(self.val) # to print the Node values class Solution: def __init__(self, head=None): self.head = head def print_list(self, head): """ This will return entire linkedlist. """ nodes = list() # create empty list first curr = head # current pointer is at the head of the list while curr: # while current node has val and does not contains None, loop over nodes.append(repr(curr)) # append val of current node to the nodes list curr = curr.next # now the current pointer shifts to the next node return '->'.join(nodes) + "->None" # return list of all elements in the linkedlist def append(self, data): if not self.head: # check if head is None self.head = ListNode(val=data) # add first value to the head and return return curr = self.head # if head is not None, head is the current node while curr.next: # loop till the point we reach None curr = curr.next # point next node to current pointer curr.next = ListNode(val=data) # add new listnode at end of linkedlist having found None def oddEvenList(self, head: ListNode) -> ListNode: curr = head # current node is the head of linkedlist values = list() # initialize list to hold node values while curr: values.append(curr.val) # append value of the current node curr = curr.next # go to the next node i = 0 # start from index 0 for odd values curr = head # point current node back to head again while i < len(values): curr.val = values[i] # add odd values from the value list curr = curr.next # move to next node i += 2 # increment counter by 2 i = 1 # start from index 1 for even values while i < len(values): curr.val = values[i] # add even values from the value list curr = curr.next # next node i += 2 # increment counter by 2 return head s1 = Solution() s1.append(1) s1.append(2) s1.append(3) s1.append(4) s1.append(5) print("Original LinkedList: ", s1.print_list(s1.head)) oe = s1.oddEvenList(s1.head) print("Odd-Even LinkedList: {}\n".format(s1.print_list(oe))) s2 = Solution() s2.append(2) s2.append(1) s2.append(3) s2.append(5) s2.append(6) s2.append(4) s2.append(7) print("Original LinkedList: ", s2.print_list(s2.head)) oe = s2.oddEvenList(s2.head) print("Odd-Even LinkedList: {}\n".format(s2.print_list(oe)))
""" Given a singly linked list, group all odd nodes together followed by the even nodes. Please note here we are talking about the node number and not the value in the nodes. You should try to do it in place. The program should run in O(1) space complexity and O(nodes) time complexity. Example 1: Input: 1->2->3->4->5->NULL Output: 1->3->5->2->4->NULL Example 2: Input: 2->1->3->5->6->4->7->NULL Output: 2->3->6->7->1->5->4->NULL """ class Listnode: def __init__(self, val=0, next=None): self.val = val self.next = next def __repr__(self): return repr(self.val) class Solution: def __init__(self, head=None): self.head = head def print_list(self, head): """ This will return entire linkedlist. """ nodes = list() curr = head while curr: nodes.append(repr(curr)) curr = curr.next return '->'.join(nodes) + '->None' def append(self, data): if not self.head: self.head = list_node(val=data) return curr = self.head while curr.next: curr = curr.next curr.next = list_node(val=data) def odd_even_list(self, head: ListNode) -> ListNode: curr = head values = list() while curr: values.append(curr.val) curr = curr.next i = 0 curr = head while i < len(values): curr.val = values[i] curr = curr.next i += 2 i = 1 while i < len(values): curr.val = values[i] curr = curr.next i += 2 return head s1 = solution() s1.append(1) s1.append(2) s1.append(3) s1.append(4) s1.append(5) print('Original LinkedList: ', s1.print_list(s1.head)) oe = s1.oddEvenList(s1.head) print('Odd-Even LinkedList: {}\n'.format(s1.print_list(oe))) s2 = solution() s2.append(2) s2.append(1) s2.append(3) s2.append(5) s2.append(6) s2.append(4) s2.append(7) print('Original LinkedList: ', s2.print_list(s2.head)) oe = s2.oddEvenList(s2.head) print('Odd-Even LinkedList: {}\n'.format(s2.print_list(oe)))
# Good morning! Here's your coding interview problem for today. # This problem was asked by Stripe. # Given an array of integers, find the first missing positive integer in linear time and constant space. # In other words, find the lowest positive integer that does not exist in the array. # The array can contain duplicates and negative numbers as well. # For example, the input [3, 4, -1, 1] should give 2. The input [1, 2, 0] should give 3. # You can modify the input array in-place. list = [3, 5, 2, -1, 1,6,5] # didn't find this one in linear time, because i didn't understand that making a constant number of iteration on the whole # set is still linear time... # Remove non-positive numbers for i in range(len(list)-1,-1, -1): if list[i] <= 0 : list.pop(i) # Setting negative values at index found for v in list: if abs(v) <= len(list): list[abs(v)-1] = - list[abs(v)-1] # Searching the first positive value solution = len(list)+1 for i in range(0,len(list)-1): if list[i] > 0: solution = i + 1 break print (solution)
list = [3, 5, 2, -1, 1, 6, 5] for i in range(len(list) - 1, -1, -1): if list[i] <= 0: list.pop(i) for v in list: if abs(v) <= len(list): list[abs(v) - 1] = -list[abs(v) - 1] solution = len(list) + 1 for i in range(0, len(list) - 1): if list[i] > 0: solution = i + 1 break print(solution)
#!/usr/bin/python3 #___________________________________________________________________ #config for boot- and shutdown-logo oledBootLogo = "volumio_logo.ppm" oledShutdownLogo = "shutdown.ppm" #___________________________________________________________________ok #config for Clock/Standby: oledtext03 = 59, 4 #clock oledtext04 = 34, 52 #IP oledtext05 = 169, 52 #Date oledtext09 = 236, 51 #LibraryInfoIcon #_______Spectrum-Left_____________________________________________________ #Config TextPositions NowPlaying-/StandBy-Screen: Screen1text01 = 34, 0 #Artist Screen1text02 = 34, 19 #Title Screen1text06 = 110, 41 #format Screen1text07 = 155, 41 #samplerate Screen1text08 = 200, 41 #bitdepth Screen1text28 = 100, 41 #Play/Pause Indicator ???????????? #configuration of the duration and playtime (textbox-) positions Screen1ActualPlaytimeText = 99, 54 Screen1DurationText = 191, 54 #config for Progress-Bar Screen1barwidth = 48 Screen1barLineBorder = 'white' Screen1barLineFill = 'black' Screen1barLineX = 141 Screen1barLineThick1 = 59 #difference between both = thickness Screen1barLineThick2 = 59 # 59 and 59 = 1 Pixel thick Screen1barBorder = 'white' Screen1barFill = 'black' Screen1barX = 141 Screen1barThick1 = 57 #difference between both = thickness Screen1barThick2 = 61 # 56 and 62 = 6 Pixel thick Screen1barNibbleWidth = 2 #config for Spectrum Screen1specDistance = 34 Screen1specBorder = (255, 255, 255) Screen1specFill = (255, 255, 255) Screen1specWide1 = 1 Screen1specWide2 = 0 Screen1specYposTag = 63 Screen1specYposNoTag = 63 #config for Spectrum2 NoProgress Screen11specDistance = 34 Screen11specBorder = (130, 130, 130) Screen11specFill = (130, 130, 130) Screen11specWide1 = 4 Screen11specWide2 = 0 Screen11specYposTag = 63 Screen11specYposNoTag = 63 #_______'Spectrum-Center'_____________________________________________________ #Config TextPositions NowPlaying-/StandBy-Screen: Screen2text01 = 35, 0 #Artist Screen2text02 = 35, 19 #Title Screen2text06 = 35, 41 #format Screen2text07 = 151, 41 #samplerate Screen2text08 = 212, 41 #bitdepth Screen2text28 = 59, 41 #Play/Pause Indicator #configuration of the duration and playtime (textbox-) positions Screen2ActualPlaytimeText = 35, 54 Screen2DurationText = 205, 54 #config for Progress-Bar Screen2barwidth = 128 Screen2barLineBorder = 'white' Screen2barLineFill = 'black' Screen2barLineX = 76 Screen2barLineThick1 = 61 #difference between both = thickness Screen2barLineThick2 = 61 # 59 and 59 = 1 Pixel thick Screen2barBorder = 'white' Screen2barFill = 'black' Screen2barX = 76 Screen2barThick1 = 59 #difference between both = thickness Screen2barThick2 = 63 # 56 and 62 = 6 Pixel thick Screen2barNibbleWidth = 2 #config for Spectrum Screen2specDistance = 76 Screen2specBorder = (80, 80, 80) Screen2specFill = (80, 80, 80) Screen2specWide1 = 2 Screen2specWide2 = 0 Screen2specYposTag = 61 Screen2specYposNoTag = 61 #config for Spectrum2 NoProgress Screen22specDistance = 34 Screen22specBorder = (130, 130, 130) Screen22specFill = (130, 130, 130) Screen22specWide1 = 3 Screen22specWide2 = 0 Screen22specYposTag = 63 Screen22specYposNoTag = 63 #_______'Spectrum-Right'_____________________________________________________ #Config TextPositions NowPlaying-/StandBy-Screen: Screen3text01 = 35, 0 #Artist Screen3text02 = 35, 19 #Title Screen3text06 = 35, 41 #format Screen3text07 = 87, 41 #samplerate Screen3text08 = 138, 41 #bitdepth Screen3text28 = 59, 41 #Play/Pause Indicator #configuration of the duration and playtime (textbox-) positions Screen3ActualPlaytimeText = 34, 54 Screen3DurationText = 125, 54 #config for Progress-Bar Screen3barwidth = 48 Screen3barLineBorder = 'white' Screen3barLineFill = 'black' Screen3barLineX = 76 Screen3barLineThick1 = 59 #difference between both = thickness Screen3barLineThick2 = 59 # 59 and 59 = 1 Pixel thick Screen3barBorder = 'white' Screen3barFill = 'black' Screen3barX = 76 Screen3barThick1 = 56 #difference between both = thickness Screen3barThick2 = 62 # 56 and 62 = 6 Pixel thick Screen3barNibbleWidth = 2 #config for Spectrum Screen3specDistance = 229 #Inverted! 255 - 1x64 =196 Screen3specBorder = (255, 255, 255) Screen3specFill = (255, 255, 255) Screen3specWide1 = 1 Screen3specWide2 = 0 Screen3specYposTag = 63 Screen3specYposNoTag = 63 #config for Spectrum2 NoProgress Screen33specDistance = 34 Screen33specBorder = (130, 130, 130) Screen33specFill = (130, 130, 130) Screen33specWide1 = 3 Screen33specWide2 = 0 Screen33specYposTag = 63 Screen33specYposNoTag = 63 #_______'No-Spectrum'_____________________________________________________ #Config TextPositions NowPlaying-/StandBy-Screen: Screen4text01 = 34, 2 #Artist Screen4text02 = 34, 22 #Title Screen4text06 = 45, 41 #format Screen4text07 = 80, 41 #samplerate Screen4text08 = 210, 41 #bitdepth Screen4text28 = 35, 41 #Play/Pause Indicator #configuration of the duration and playtime (textbox-) positions Screen4ActualPlaytimeText = 35, 54 Screen4DurationText = 205, 54 #config for Progress-Bar Screen4barwidth = 128 Screen4barLineBorder = 'white' Screen4barLineFill = 'black' Screen4barLineX = 76 Screen4barLineThick1 = 59 #difference between both = thickness Screen4barLineThick2 = 59 # 59 and 59 = 1 Pixel thick Screen4barBorder = 'white' Screen4barFill = 'black' Screen4barX = 76 Screen4barThick1 = 57 #difference between both = thickness Screen4barThick2 = 61 # 56 and 62 = 6 Pixel thick Screen4barNibbleWidth =2 #_______'Modern'_____________________________________________________ #Config TextPositions NowPlaying-/StandBy-Screen: Screen5text01 = 35, 51 #Artist Screen5text02 = 35, 51 #Title Screen5text012 = 35, 0 #Artist Screen5text022 = 35, 19 #Title Screen5text06 = 91, 39 #format Screen5text07 = 123, 39 #samplerate Screen5text08 = 163, 39 #bitdepth Screen5text28 = 113, 37 #Play/Pause Indicator #configuration of the duration and playtime (textbox-) positions Screen5ActualPlaytimeText = 35, 0 Screen5DurationText = 207, 0 #config for Progress-Bar Screen5barwidth = 208 Screen5barLineBorder = 'white' Screen5barLineFill = 'white' Screen5barLineX = 34 Screen5barLineThick1 = 32 #difference between both = thickness Screen5barLineThick2 = 32 # 59 and 59 = 1 Pixel thick Screen5barBorder = 'white' Screen5barFill = 'black' Screen5barX = 34 Screen5barThick1 = 30 #difference between both = thickness Screen5barThick2 = 34 # 56 and 62 = 6 Pixel thick Screen5barNibbleWidth = 2 #config for Spectrum Screen5specDistance = 34 Screen5specBorder = (130, 130, 130) Screen5specFill = (130, 130, 130) Screen5specWide1 = 3.3 Screen5specWide2 = 0 Screen5specYposTag = 28 Screen5specYposNoTag = 28 #config for Spectrum2 NoProgress Screen55specDistance = 35 Screen55specBorder = (130, 130, 130) Screen55specFill = (130, 130, 130) Screen55specWide1 = 3.5 Screen55specWide2 = 1 Screen55specYposTag = 33 Screen55specYposNoTag = 33 #config for leftVU Screen5leftVUDistance = 35 Screen5leftVUBorder = (80, 80, 80) Screen5leftVUFill = (80, 80, 80) Screen5leftVUWide1 = 1.5 Screen5leftVUWide2 = 0 Screen5leftVUYpos1 = 38 Screen5leftVUYpos2 = 45 #config for leftVU NoProgress Screen55leftVUDistance = 35 Screen55leftVUBorder = (80, 80, 80) Screen55leftVUFill = (80, 80, 80) Screen55leftVUWide1 = 1.5 Screen55leftVUWide2 = 0 Screen55leftVUYpos1 = 38 Screen55leftVUYpos2 = 45 #config for rightVU Screen5rightVUDistance = 241 Screen5rightVUBorder = (80, 80, 80) Screen5rightVUFill = (80, 80, 80) Screen5rightVUWide1 = 1.5 Screen5rightVUWide2 = 0 Screen5rightVUYpos1 = 38 Screen5rightVUYpos2 = 45 #config for rightVU NoProgress Screen55rightVUDistance = 241 Screen55rightVUBorder = (80, 80, 80) Screen55rightVUFill = (80, 80, 80) Screen55rightVUWide1 = 1.5 Screen55rightVUWide2 = 0 Screen55rightVUYpos1 = 38 Screen55rightVUYpos2 = 45 #_______'VU-Meter-1'_____________________________________________________ #Config TextPositions NowPlaying-/StandBy-Screen: Screen6text01 = 34, 2 #Artist Screen6text28 = 34, 14 #Play/Pause Indicator #configuration of the duration and playtime (textbox-) positions Screen6ActualPlaytimeText = 35, 0 Screen6DurationText = 207, 0 #config for VU-Meter "Hand"/"Pointer" Screen6leftVUcoordinates = [(105, 160, 47, 47), (105, 160, 49, 45), (105, 160, 52, 43), (105, 160, 54, 41), (105, 160, 56, 40), (105, 160, 59, 39), (105, 160, 61, 37), (105, 160, 64, 35), (105, 160, 66, 34), (105, 160, 68, 33), (105, 160, 71, 32), (105, 160, 73, 31), (105, 160, 75, 31), (105, 160, 78, 30), (105, 160, 80, 30), (105, 160, 83, 29), (105, 160, 85, 28), (105, 160, 87, 28), (105, 160, 90, 28), (105, 160, 92, 28), (105, 160, 94, 29), (105, 160, 97, 29), (105, 160, 99, 29), (105, 160, 102, 29), (105, 160, 104, 30), (105, 160, 106, 30), (105, 160, 109, 31), (105, 160, 111, 31), (105, 160, 113, 32), (105, 160, 116, 32), (105, 160, 118, 33), (105, 160, 121, 33), (105, 160, 123, 34)] Screen6rightVUcoordinates = [(191, 160, 154, 47), (191, 160, 157, 45), (191, 160, 159, 43), (191, 160, 161, 41), (191, 160, 164, 40), (191, 160, 166, 39), (191, 160, 169, 37), (191, 160, 171, 35), (191, 160, 173, 34), (191, 160, 176, 33), (191, 160, 178, 32), (191, 160, 180, 31), (191, 160, 183, 31), (191, 160, 185, 30), (191, 160, 188, 30), (191, 160, 190, 29), (191, 160, 192, 28), (191, 160, 195, 28), (191, 160, 197, 28), (191, 160, 199, 28), (191, 160, 202, 29), (191, 160, 204, 29), (191, 160, 207, 29), (191, 160, 209, 29), (191, 160, 211, 30), (191, 160, 214, 30), (191, 160, 216, 31), (191, 160, 218, 31), (191, 160, 221, 32), (191, 160, 223, 32), (191, 160, 226, 33), (191, 160, 228, 33), (191, 160, 230, 34)] #_______'VU-Meter-2'_____________________________________________________ #Config TextPositions NowPlaying-/StandBy-Screen: Screen7text01 = 35, 0 #Artist Screen7text02 = 35, 14 #Title Screen7text012 = 35, 0 #Artist Screen7text022 = 35, 19 #Title Screen7text06 = 78, 14 #format Screen7text07 = 101, 14 #samplerate Screen7text08 = 148, 14 #bitdepth Screen7text28 = 66, 13 #Play/Pause Indicator #config for VU-Meter "Hand"/"Pointer" Screen7leftVUcoordinates = [(105, 160, 5, 59), (105, 160, 8, 57), (105, 160, 11, 55), (105, 160, 14, 53), (105, 160, 17, 52), (105, 160, 20, 51), (105, 160, 23, 49), (105, 160, 26, 47), (105, 160, 29, 46), (105, 160, 32, 45), (105, 160, 35, 44), (105, 160, 38, 43), (105, 160, 41, 43), (105, 160, 44, 42), (105, 160, 47, 42), (105, 160, 50, 41), (105, 160, 53, 40), (105, 160, 56, 40), (105, 160, 59, 40), (105, 160, 62, 40), (105, 160, 65, 41), (105, 160, 68, 41), (105, 160, 71, 41), (105, 160, 74, 41), (105, 160, 77, 42), (105, 160, 80, 42), (105, 160, 83, 43), (105, 160, 86, 43), (105, 160, 89, 44), (105, 160, 92, 44), (105, 160, 95, 45), (105, 160, 98, 45), (105, 160, 101, 46)] Screen7rightVUcoordinates = [(191, 160, 133, 59), (191, 160, 136, 57), (191, 160, 139, 55), (191, 160, 142, 53), (191, 160, 145, 52), (191, 160, 148, 51), (191, 160, 151, 49), (191, 160, 154, 47), (191, 160, 157, 46), (191, 160, 160, 45), (191, 160, 1105, 44), (191, 160, 166, 43), (191, 160, 169, 43), (191, 160, 172, 42), (191, 160, 175, 42), (191, 160, 178, 41), (191, 160, 181, 40), (191, 160, 184, 40), (191, 160, 187, 40), (191, 160, 190, 40), (191, 160, 193, 41), (191, 160, 196, 41), (191, 160, 199, 41), (191, 160, 202, 41), (191, 160, 205, 42), (191, 160, 208, 42), (191, 160, 211, 43), (191, 160, 214, 43), (191, 160, 217, 44), (191, 160, 220, 44), (191, 160, 223, 45), (191, 160, 226, 45), (191, 160, 229, 45)] #configuration of the duration and playtime (textbox-) positions Screen7ActualPlaytimeText = 35, 14 Screen7DurationText = 207, 14 #config for Progress-Bar Screen7barwidth = 208 Screen7barLineBorder = 'white' Screen7barLineFill = 'white' Screen7barLineX = 34 Screen7barLineThick1 = 26 #difference between both = thickness Screen7barLineThick2 = 26 # 59 and 59 = 1 Pixel thick Screen7barBorder = 'white' Screen7barFill = 'black' Screen7barX = 34 Screen7barThick1 = 24 #difference between both = thickness Screen7barThick2 = 28 # 56 and 62 = 6 Pixel thick Screen7barNibbleWidth = 2 #_______'VU-Meter-Bar'_____________________________________________________ #Config TextPositions NowPlaying-/StandBy-Screen: Screen8text01 = 96, 0 #Artist Screen8text02 = 96, 16 #Title Screen8text012 = 35, 0 #Artist Screen8text022 = 35, 19 #Title Screen8text06 = 35, 2 #format Screen8text07 = 44, 16 #samplerate Screen8text08 = 56, 2 #bitdepth Screen8text28 = 35, 14 #Play/Pause Indicator #configuration of the duration and playtime (textbox-) positions Screen8ActualPlaytimeText = 35, 29 Screen8DurationText = 207, 29 #config for Progress-Bar Screen8barwidth = 130 Screen8barLineBorder = 'white' Screen8barLineFill = 'white' Screen8barLineX = 82 Screen8barLineThick1 = 34 #difference between both = thickness Screen8barLineThick2 = 34 # 59 and 59 = 1 Pixel thick Screen8barBorder = 'white' Screen8barFill = 'black' Screen8barX = 82 Screen8barThick1 = 32 #difference between both = thickness Screen8barThick2 = 36 # 56 and 62 = 6 Pixel thick Screen8barNibbleWidth = 2 #config for leftVU Screen8leftVUDistance = 64 #startpoint oft the VU from the left side of the screen Screen8leftVUWide1 = 6.7 #spacing/width of each value -> 32max value from cava * 7 = 224pixels width Screen8leftVUWide2 = 4 #width of each Value from cava -> Value <= Screen8leftVUWide1 -> results in Spaces between / Value >= Screen8leftVUWide1 -> continous Bar Screen8leftVUYpos1 = 40 Screen8leftVUYpos2 = 46 #config for rightVU Screen8rightVUDistance = 64 Screen8rightVUWide1 = 6.7 Screen8rightVUWide2 = 4 Screen8rightVUYpos1 = 56 Screen8rightVUYpos2 = 62 #config for "Peak-Hold" Screen8fallingTime = 0.3 # lower = faster drop / higher = longer hold time Screen8PeakWidth = 2 # wdith of the peak indicator in pixels #config for gradient color of the VU Screen8specGradstart = 80 Screen8specGradstop = 210 Screen8specGradSamples = 32 #_______'Modern-simplistic'_____________________________________________________ #Config TextPositions NowPlaying-/StandBy-Screen: Screen9text01 = 92, 53 #Artist Screen9text02 = 92, 53 #Title Screen9text012 = 92, 53 #Artist Screen9text022 = 92, 53 #Title Screen9text06 = 91, 39 #format Screen9text07 = 123, 39 #samplerate Screen9text08 = 163, 39 #bitdepth Screen9text28 = 113, 37 #Play/Pause Indicator #configuration of the duration and playtime (textbox-) positions Screen9ActualPlaytimeText = 35, 39 Screen9DurationText = 207, 39 #config for Progress-Bar Screen9barwidth = 128 Screen9barLineBorder = 'white' Screen9barLineFill = 'white' Screen9barLineX = 76 Screen9barLineThick1 = 44 #difference between both = thickness Screen9barLineThick2 = 44 # 59 and 59 = 1 Pixel thick Screen9barBorder = 'white' Screen9barFill = 'black' Screen9barX = 76 Screen9barThick1 = 42 #difference between both = thickness Screen9barThick2 = 46 # 56 and 62 = 6 Pixel thick Screen9barNibbleWidth = 2 #config for Spectrum Screen9specDistance = 34 Screen9specBorder = (130, 130, 130) Screen9specFill = (130, 130, 130) Screen9specWide1 = 3.3 Screen9specWide2 = 0 Screen9specYposTag = 38 Screen9specYposNoTag = 38 Screen9specHigh = 1.5 #config for Spectrum2 NoProgress Screen99specDistance = 35 Screen99specBorder = (130, 130, 130) Screen99specFill = (130, 130, 130) Screen99specWide1 = 3.5 Screen99specWide2 = 1 Screen99specYposTag = 43 Screen99specYposNoTag = 43 #config for leftVU Screen9leftVUDistance = 35 Screen9leftVUBorder = (80, 80, 80) Screen9leftVUFill = (80, 80, 80) Screen9leftVUWide1 = 1.5 Screen9leftVUWide2 = 0 Screen9leftVUYpos1 = 53 Screen9leftVUYpos2 = 58 #config for leftVU NoProgress Screen99leftVUDistance = 35 Screen99leftVUBorder = (80, 80, 80) Screen99leftVUFill = (80, 80, 80) Screen99leftVUWide1 = 1.5 Screen99leftVUWide2 = 0 Screen99leftVUYpos1 = 53 Screen99leftVUYpos2 = 58 #config for rightVU Screen9rightVUDistance = 241 Screen9rightVUBorder = (80, 80, 80) Screen9rightVUFill = (80, 80, 80) Screen9rightVUWide1 = 1.5 Screen9rightVUWide2 = 0 Screen9rightVUYpos1 = 53 Screen9rightVUYpos2 = 58 #config for rightVU NoProgress Screen99rightVUDistance = 241 Screen99rightVUBorder = (80, 80, 80) Screen99rightVUFill = (80, 80, 80) Screen99rightVUWide1 = 1.5 Screen99rightVUWide2 = 0 Screen99rightVUYpos1 = 53 Screen99rightVUYpos2 = 58 #config for gradient color of the VU Screen9specGradstart = 80 Screen9specGradstop = 255 Screen9specGradSamples = 32 #___________________________________________________________________ #Config TextPositions Media-Library-Info-Screen: oledtext10 = 180, 2 #Number of Artists oledtext11 = 180, 15 #Number of Albums oledtext12 = 180, 28 #Number of Songs oledtext13 = 180, 41 #Summary of duration oledtext14 = 56, 2 #Text for Artists oledtext15 = 56, 15 #Text for Albums oledtext16 = 56, 28 #Text for Songs oledtext17 = 56, 41 #Text for duration oledtext18 = 176, 52 #Menu-Label Icon oledtext19 = 237, 54 #LibraryInfoIcon oledtext20 = 42, 2 #icon for Artists oledtext21 = 42, 15 #icon for Albums oledtext22 = 42, 28 #icon for Songs oledtext23 = 42, 41 #icon for duration #___________________________________________________________________ #configuration Menu-Screen: oledListEntrys = 4 oledEmptyListText = 'no items..' oledEmptyListTextPosition = 42, 4 oledListTextPosX = 44 oledListTextPosY = 16 #height of each Entry (4x16 = 64) #___________________________________________________________________ #config for Text: oledArt = 'Interpreten :' #sets the Artists-text for the MediaLibrarayInfo oledAlb = 'Alben :' #sets the Albums-text for the MediaLibrarayInfo oledSon = 'Songs :' #sets the Songs-text for the MediaLibrarayInfo oledPla = 'Playtime :' #sets the Playtime-text for the MediaLibrarayInfo #___________________________________________________________________ #config for Icons: oledlibraryInfo = '\U0001F4D6' oledlibraryReturn = '\u2302' oledArtistIcon = '\uF0F3' oledAlbumIcon = '\uF2BB' oledSongIcon = '\U0000F001' oledPlaytimeIcon = '\U0000F1DA' oledplayIcon = '\u25B6' oledpauseIcon = '\u2389'
oled_boot_logo = 'volumio_logo.ppm' oled_shutdown_logo = 'shutdown.ppm' oledtext03 = (59, 4) oledtext04 = (34, 52) oledtext05 = (169, 52) oledtext09 = (236, 51) screen1text01 = (34, 0) screen1text02 = (34, 19) screen1text06 = (110, 41) screen1text07 = (155, 41) screen1text08 = (200, 41) screen1text28 = (100, 41) screen1_actual_playtime_text = (99, 54) screen1_duration_text = (191, 54) screen1barwidth = 48 screen1bar_line_border = 'white' screen1bar_line_fill = 'black' screen1bar_line_x = 141 screen1bar_line_thick1 = 59 screen1bar_line_thick2 = 59 screen1bar_border = 'white' screen1bar_fill = 'black' screen1bar_x = 141 screen1bar_thick1 = 57 screen1bar_thick2 = 61 screen1bar_nibble_width = 2 screen1spec_distance = 34 screen1spec_border = (255, 255, 255) screen1spec_fill = (255, 255, 255) screen1spec_wide1 = 1 screen1spec_wide2 = 0 screen1spec_ypos_tag = 63 screen1spec_ypos_no_tag = 63 screen11spec_distance = 34 screen11spec_border = (130, 130, 130) screen11spec_fill = (130, 130, 130) screen11spec_wide1 = 4 screen11spec_wide2 = 0 screen11spec_ypos_tag = 63 screen11spec_ypos_no_tag = 63 screen2text01 = (35, 0) screen2text02 = (35, 19) screen2text06 = (35, 41) screen2text07 = (151, 41) screen2text08 = (212, 41) screen2text28 = (59, 41) screen2_actual_playtime_text = (35, 54) screen2_duration_text = (205, 54) screen2barwidth = 128 screen2bar_line_border = 'white' screen2bar_line_fill = 'black' screen2bar_line_x = 76 screen2bar_line_thick1 = 61 screen2bar_line_thick2 = 61 screen2bar_border = 'white' screen2bar_fill = 'black' screen2bar_x = 76 screen2bar_thick1 = 59 screen2bar_thick2 = 63 screen2bar_nibble_width = 2 screen2spec_distance = 76 screen2spec_border = (80, 80, 80) screen2spec_fill = (80, 80, 80) screen2spec_wide1 = 2 screen2spec_wide2 = 0 screen2spec_ypos_tag = 61 screen2spec_ypos_no_tag = 61 screen22spec_distance = 34 screen22spec_border = (130, 130, 130) screen22spec_fill = (130, 130, 130) screen22spec_wide1 = 3 screen22spec_wide2 = 0 screen22spec_ypos_tag = 63 screen22spec_ypos_no_tag = 63 screen3text01 = (35, 0) screen3text02 = (35, 19) screen3text06 = (35, 41) screen3text07 = (87, 41) screen3text08 = (138, 41) screen3text28 = (59, 41) screen3_actual_playtime_text = (34, 54) screen3_duration_text = (125, 54) screen3barwidth = 48 screen3bar_line_border = 'white' screen3bar_line_fill = 'black' screen3bar_line_x = 76 screen3bar_line_thick1 = 59 screen3bar_line_thick2 = 59 screen3bar_border = 'white' screen3bar_fill = 'black' screen3bar_x = 76 screen3bar_thick1 = 56 screen3bar_thick2 = 62 screen3bar_nibble_width = 2 screen3spec_distance = 229 screen3spec_border = (255, 255, 255) screen3spec_fill = (255, 255, 255) screen3spec_wide1 = 1 screen3spec_wide2 = 0 screen3spec_ypos_tag = 63 screen3spec_ypos_no_tag = 63 screen33spec_distance = 34 screen33spec_border = (130, 130, 130) screen33spec_fill = (130, 130, 130) screen33spec_wide1 = 3 screen33spec_wide2 = 0 screen33spec_ypos_tag = 63 screen33spec_ypos_no_tag = 63 screen4text01 = (34, 2) screen4text02 = (34, 22) screen4text06 = (45, 41) screen4text07 = (80, 41) screen4text08 = (210, 41) screen4text28 = (35, 41) screen4_actual_playtime_text = (35, 54) screen4_duration_text = (205, 54) screen4barwidth = 128 screen4bar_line_border = 'white' screen4bar_line_fill = 'black' screen4bar_line_x = 76 screen4bar_line_thick1 = 59 screen4bar_line_thick2 = 59 screen4bar_border = 'white' screen4bar_fill = 'black' screen4bar_x = 76 screen4bar_thick1 = 57 screen4bar_thick2 = 61 screen4bar_nibble_width = 2 screen5text01 = (35, 51) screen5text02 = (35, 51) screen5text012 = (35, 0) screen5text022 = (35, 19) screen5text06 = (91, 39) screen5text07 = (123, 39) screen5text08 = (163, 39) screen5text28 = (113, 37) screen5_actual_playtime_text = (35, 0) screen5_duration_text = (207, 0) screen5barwidth = 208 screen5bar_line_border = 'white' screen5bar_line_fill = 'white' screen5bar_line_x = 34 screen5bar_line_thick1 = 32 screen5bar_line_thick2 = 32 screen5bar_border = 'white' screen5bar_fill = 'black' screen5bar_x = 34 screen5bar_thick1 = 30 screen5bar_thick2 = 34 screen5bar_nibble_width = 2 screen5spec_distance = 34 screen5spec_border = (130, 130, 130) screen5spec_fill = (130, 130, 130) screen5spec_wide1 = 3.3 screen5spec_wide2 = 0 screen5spec_ypos_tag = 28 screen5spec_ypos_no_tag = 28 screen55spec_distance = 35 screen55spec_border = (130, 130, 130) screen55spec_fill = (130, 130, 130) screen55spec_wide1 = 3.5 screen55spec_wide2 = 1 screen55spec_ypos_tag = 33 screen55spec_ypos_no_tag = 33 screen5left_vu_distance = 35 screen5left_vu_border = (80, 80, 80) screen5left_vu_fill = (80, 80, 80) screen5left_vu_wide1 = 1.5 screen5left_vu_wide2 = 0 screen5left_vu_ypos1 = 38 screen5left_vu_ypos2 = 45 screen55left_vu_distance = 35 screen55left_vu_border = (80, 80, 80) screen55left_vu_fill = (80, 80, 80) screen55left_vu_wide1 = 1.5 screen55left_vu_wide2 = 0 screen55left_vu_ypos1 = 38 screen55left_vu_ypos2 = 45 screen5right_vu_distance = 241 screen5right_vu_border = (80, 80, 80) screen5right_vu_fill = (80, 80, 80) screen5right_vu_wide1 = 1.5 screen5right_vu_wide2 = 0 screen5right_vu_ypos1 = 38 screen5right_vu_ypos2 = 45 screen55right_vu_distance = 241 screen55right_vu_border = (80, 80, 80) screen55right_vu_fill = (80, 80, 80) screen55right_vu_wide1 = 1.5 screen55right_vu_wide2 = 0 screen55right_vu_ypos1 = 38 screen55right_vu_ypos2 = 45 screen6text01 = (34, 2) screen6text28 = (34, 14) screen6_actual_playtime_text = (35, 0) screen6_duration_text = (207, 0) screen6left_v_ucoordinates = [(105, 160, 47, 47), (105, 160, 49, 45), (105, 160, 52, 43), (105, 160, 54, 41), (105, 160, 56, 40), (105, 160, 59, 39), (105, 160, 61, 37), (105, 160, 64, 35), (105, 160, 66, 34), (105, 160, 68, 33), (105, 160, 71, 32), (105, 160, 73, 31), (105, 160, 75, 31), (105, 160, 78, 30), (105, 160, 80, 30), (105, 160, 83, 29), (105, 160, 85, 28), (105, 160, 87, 28), (105, 160, 90, 28), (105, 160, 92, 28), (105, 160, 94, 29), (105, 160, 97, 29), (105, 160, 99, 29), (105, 160, 102, 29), (105, 160, 104, 30), (105, 160, 106, 30), (105, 160, 109, 31), (105, 160, 111, 31), (105, 160, 113, 32), (105, 160, 116, 32), (105, 160, 118, 33), (105, 160, 121, 33), (105, 160, 123, 34)] screen6right_v_ucoordinates = [(191, 160, 154, 47), (191, 160, 157, 45), (191, 160, 159, 43), (191, 160, 161, 41), (191, 160, 164, 40), (191, 160, 166, 39), (191, 160, 169, 37), (191, 160, 171, 35), (191, 160, 173, 34), (191, 160, 176, 33), (191, 160, 178, 32), (191, 160, 180, 31), (191, 160, 183, 31), (191, 160, 185, 30), (191, 160, 188, 30), (191, 160, 190, 29), (191, 160, 192, 28), (191, 160, 195, 28), (191, 160, 197, 28), (191, 160, 199, 28), (191, 160, 202, 29), (191, 160, 204, 29), (191, 160, 207, 29), (191, 160, 209, 29), (191, 160, 211, 30), (191, 160, 214, 30), (191, 160, 216, 31), (191, 160, 218, 31), (191, 160, 221, 32), (191, 160, 223, 32), (191, 160, 226, 33), (191, 160, 228, 33), (191, 160, 230, 34)] screen7text01 = (35, 0) screen7text02 = (35, 14) screen7text012 = (35, 0) screen7text022 = (35, 19) screen7text06 = (78, 14) screen7text07 = (101, 14) screen7text08 = (148, 14) screen7text28 = (66, 13) screen7left_v_ucoordinates = [(105, 160, 5, 59), (105, 160, 8, 57), (105, 160, 11, 55), (105, 160, 14, 53), (105, 160, 17, 52), (105, 160, 20, 51), (105, 160, 23, 49), (105, 160, 26, 47), (105, 160, 29, 46), (105, 160, 32, 45), (105, 160, 35, 44), (105, 160, 38, 43), (105, 160, 41, 43), (105, 160, 44, 42), (105, 160, 47, 42), (105, 160, 50, 41), (105, 160, 53, 40), (105, 160, 56, 40), (105, 160, 59, 40), (105, 160, 62, 40), (105, 160, 65, 41), (105, 160, 68, 41), (105, 160, 71, 41), (105, 160, 74, 41), (105, 160, 77, 42), (105, 160, 80, 42), (105, 160, 83, 43), (105, 160, 86, 43), (105, 160, 89, 44), (105, 160, 92, 44), (105, 160, 95, 45), (105, 160, 98, 45), (105, 160, 101, 46)] screen7right_v_ucoordinates = [(191, 160, 133, 59), (191, 160, 136, 57), (191, 160, 139, 55), (191, 160, 142, 53), (191, 160, 145, 52), (191, 160, 148, 51), (191, 160, 151, 49), (191, 160, 154, 47), (191, 160, 157, 46), (191, 160, 160, 45), (191, 160, 1105, 44), (191, 160, 166, 43), (191, 160, 169, 43), (191, 160, 172, 42), (191, 160, 175, 42), (191, 160, 178, 41), (191, 160, 181, 40), (191, 160, 184, 40), (191, 160, 187, 40), (191, 160, 190, 40), (191, 160, 193, 41), (191, 160, 196, 41), (191, 160, 199, 41), (191, 160, 202, 41), (191, 160, 205, 42), (191, 160, 208, 42), (191, 160, 211, 43), (191, 160, 214, 43), (191, 160, 217, 44), (191, 160, 220, 44), (191, 160, 223, 45), (191, 160, 226, 45), (191, 160, 229, 45)] screen7_actual_playtime_text = (35, 14) screen7_duration_text = (207, 14) screen7barwidth = 208 screen7bar_line_border = 'white' screen7bar_line_fill = 'white' screen7bar_line_x = 34 screen7bar_line_thick1 = 26 screen7bar_line_thick2 = 26 screen7bar_border = 'white' screen7bar_fill = 'black' screen7bar_x = 34 screen7bar_thick1 = 24 screen7bar_thick2 = 28 screen7bar_nibble_width = 2 screen8text01 = (96, 0) screen8text02 = (96, 16) screen8text012 = (35, 0) screen8text022 = (35, 19) screen8text06 = (35, 2) screen8text07 = (44, 16) screen8text08 = (56, 2) screen8text28 = (35, 14) screen8_actual_playtime_text = (35, 29) screen8_duration_text = (207, 29) screen8barwidth = 130 screen8bar_line_border = 'white' screen8bar_line_fill = 'white' screen8bar_line_x = 82 screen8bar_line_thick1 = 34 screen8bar_line_thick2 = 34 screen8bar_border = 'white' screen8bar_fill = 'black' screen8bar_x = 82 screen8bar_thick1 = 32 screen8bar_thick2 = 36 screen8bar_nibble_width = 2 screen8left_vu_distance = 64 screen8left_vu_wide1 = 6.7 screen8left_vu_wide2 = 4 screen8left_vu_ypos1 = 40 screen8left_vu_ypos2 = 46 screen8right_vu_distance = 64 screen8right_vu_wide1 = 6.7 screen8right_vu_wide2 = 4 screen8right_vu_ypos1 = 56 screen8right_vu_ypos2 = 62 screen8falling_time = 0.3 screen8_peak_width = 2 screen8spec_gradstart = 80 screen8spec_gradstop = 210 screen8spec_grad_samples = 32 screen9text01 = (92, 53) screen9text02 = (92, 53) screen9text012 = (92, 53) screen9text022 = (92, 53) screen9text06 = (91, 39) screen9text07 = (123, 39) screen9text08 = (163, 39) screen9text28 = (113, 37) screen9_actual_playtime_text = (35, 39) screen9_duration_text = (207, 39) screen9barwidth = 128 screen9bar_line_border = 'white' screen9bar_line_fill = 'white' screen9bar_line_x = 76 screen9bar_line_thick1 = 44 screen9bar_line_thick2 = 44 screen9bar_border = 'white' screen9bar_fill = 'black' screen9bar_x = 76 screen9bar_thick1 = 42 screen9bar_thick2 = 46 screen9bar_nibble_width = 2 screen9spec_distance = 34 screen9spec_border = (130, 130, 130) screen9spec_fill = (130, 130, 130) screen9spec_wide1 = 3.3 screen9spec_wide2 = 0 screen9spec_ypos_tag = 38 screen9spec_ypos_no_tag = 38 screen9spec_high = 1.5 screen99spec_distance = 35 screen99spec_border = (130, 130, 130) screen99spec_fill = (130, 130, 130) screen99spec_wide1 = 3.5 screen99spec_wide2 = 1 screen99spec_ypos_tag = 43 screen99spec_ypos_no_tag = 43 screen9left_vu_distance = 35 screen9left_vu_border = (80, 80, 80) screen9left_vu_fill = (80, 80, 80) screen9left_vu_wide1 = 1.5 screen9left_vu_wide2 = 0 screen9left_vu_ypos1 = 53 screen9left_vu_ypos2 = 58 screen99left_vu_distance = 35 screen99left_vu_border = (80, 80, 80) screen99left_vu_fill = (80, 80, 80) screen99left_vu_wide1 = 1.5 screen99left_vu_wide2 = 0 screen99left_vu_ypos1 = 53 screen99left_vu_ypos2 = 58 screen9right_vu_distance = 241 screen9right_vu_border = (80, 80, 80) screen9right_vu_fill = (80, 80, 80) screen9right_vu_wide1 = 1.5 screen9right_vu_wide2 = 0 screen9right_vu_ypos1 = 53 screen9right_vu_ypos2 = 58 screen99right_vu_distance = 241 screen99right_vu_border = (80, 80, 80) screen99right_vu_fill = (80, 80, 80) screen99right_vu_wide1 = 1.5 screen99right_vu_wide2 = 0 screen99right_vu_ypos1 = 53 screen99right_vu_ypos2 = 58 screen9spec_gradstart = 80 screen9spec_gradstop = 255 screen9spec_grad_samples = 32 oledtext10 = (180, 2) oledtext11 = (180, 15) oledtext12 = (180, 28) oledtext13 = (180, 41) oledtext14 = (56, 2) oledtext15 = (56, 15) oledtext16 = (56, 28) oledtext17 = (56, 41) oledtext18 = (176, 52) oledtext19 = (237, 54) oledtext20 = (42, 2) oledtext21 = (42, 15) oledtext22 = (42, 28) oledtext23 = (42, 41) oled_list_entrys = 4 oled_empty_list_text = 'no items..' oled_empty_list_text_position = (42, 4) oled_list_text_pos_x = 44 oled_list_text_pos_y = 16 oled_art = 'Interpreten :' oled_alb = 'Alben :' oled_son = 'Songs :' oled_pla = 'Playtime :' oledlibrary_info = '📖' oledlibrary_return = '⌂' oled_artist_icon = '\uf0f3' oled_album_icon = '\uf2bb' oled_song_icon = '\uf001' oled_playtime_icon = '\uf1da' oledplay_icon = '▶' oledpause_icon = '⎉'
class AssignWorkers: def __init__(self, test_cases, n_workers): """ Assign workers, check that task required is good. Arguments: ----- `test_cases`: df containing all test cases scenario `n_workers`: number of workers required. """ self.test_cases = test_cases self.n_workers = self._validate_workers(n_workers) def _validate_workers(self, n_workers): assert type(n_workers) is int, f"n_workers={n_workers} has to be an integer > 0" assert n_workers > 0, f"n_workers={n_workers} cannot be empty or 0" m = len(self.test_cases) # assign the n_workers as total number of cases return n_workers if n_workers < m else m def assign(self): """ Assign workers to the tasks return: ----- An assigned workers dictionary: {worker_i: task list} """ ### initialize dict ### workers = {} ### create worker's task ### # calculate number of task per worker num_task = round(len(self.test_cases) / self.n_workers) print(num_task) cur = 0 for i in range(1, self.n_workers + 1): if i == self.n_workers: workers['worker_' + str(i)] = self.test_cases[cur::] else: workers['worker_' + str(i)] = self.test_cases[cur : cur + num_task] cur += num_task print(f">> worker_{i} gets a job...") return workers
class Assignworkers: def __init__(self, test_cases, n_workers): """ Assign workers, check that task required is good. Arguments: ----- `test_cases`: df containing all test cases scenario `n_workers`: number of workers required. """ self.test_cases = test_cases self.n_workers = self._validate_workers(n_workers) def _validate_workers(self, n_workers): assert type(n_workers) is int, f'n_workers={n_workers} has to be an integer > 0' assert n_workers > 0, f'n_workers={n_workers} cannot be empty or 0' m = len(self.test_cases) return n_workers if n_workers < m else m def assign(self): """ Assign workers to the tasks return: ----- An assigned workers dictionary: {worker_i: task list} """ workers = {} num_task = round(len(self.test_cases) / self.n_workers) print(num_task) cur = 0 for i in range(1, self.n_workers + 1): if i == self.n_workers: workers['worker_' + str(i)] = self.test_cases[cur:] else: workers['worker_' + str(i)] = self.test_cases[cur:cur + num_task] cur += num_task print(f'>> worker_{i} gets a job...') return workers
# Author: Harsh Goyal # Date: 20-04-2020 def generate_crud(table_name, attributes): file = open('crud_{}.py'.format(table_name), 'w') attr_list = attributes.split(",") attributes_str = "" for i in attr_list: attributes_str += i attributes_str += ',' attributes_str = attributes_str[:-1] print(attributes_str) function_string_connection = """def create_conn(): pass #Enter your connection code #Example: for postgresql #conn = psycopg2.connect(database = "testdb", user = "postgres", password = "pass123", host = "127.0.0.1", port = "5432") #then return conn """ print(function_string_connection) function_string_create = """def create_{0}(values): print(values) conn = create_conn() cur = conn.cursor() sql = \"insert into {0}({1}) values({2}{3});\".format(values); print(sql) try: cur.execute(sql) except: print("Something Went wrong") conn.commit() conn.close() """.format(table_name, attributes_str, '{', '}') print(function_string_create) function_string_read = """def read_{0}(condition=\"1=1\"): conn = create_conn() cur = conn.cursor() sql = \"select * from {0} where {1}{2};\".format(condition) print(sql) try: cur.execute(sql) except: print("Something Went wrong") rows = cur.fetchall() data_dictionary = {1}{2} indices = 0 for row in rows: data_dictionary[indices] = list(row) indices += 1 conn.commit() conn.close() return data_dictionary """.format(table_name, '{', '}') print(function_string_read) function_string_update = """def update_{0}(values, condition=\"1=1\"): conn = create_conn() cur = conn.cursor() sql = \"update {0} set {2}{3} where {2}{3};\".format(values, condition) print(sql) try: cur.execute(sql) except: print("Something Went wrong") conn.commit() conn.close() """.format(table_name, attributes_str, '{', '}') print(function_string_update) function_string_delete = """def delete_{0}(condition=\"1=1\"): conn = create_conn() cur = conn.cursor() sql = \"delete from {0} where {1}{2};\".format(condition) print(sql) try: cur.execute(sql) except: print("Something Went wrong") conn.commit() conn.close() """.format(table_name, '{', '}') print(function_string_delete) file.write(function_string_connection) file.write("\n\n") file.write(function_string_create) file.write("\n\n") file.write(function_string_read) file.write("\n\n") file.write(function_string_update) file.write("\n\n") file.write(function_string_delete) file.close() return 1
def generate_crud(table_name, attributes): file = open('crud_{}.py'.format(table_name), 'w') attr_list = attributes.split(',') attributes_str = '' for i in attr_list: attributes_str += i attributes_str += ',' attributes_str = attributes_str[:-1] print(attributes_str) function_string_connection = 'def create_conn():\n pass\n #Enter your connection code\n #Example: for postgresql\n #conn = psycopg2.connect(database = "testdb", user = "postgres", password = "pass123", host = "127.0.0.1", port = "5432")\n #then return conn\n ' print(function_string_connection) function_string_create = 'def create_{0}(values):\n print(values)\n conn = create_conn()\n cur = conn.cursor()\n sql = "insert into {0}({1}) values({2}{3});".format(values);\n print(sql)\n try:\n cur.execute(sql)\n except:\n print("Something Went wrong")\n conn.commit()\n conn.close()\n '.format(table_name, attributes_str, '{', '}') print(function_string_create) function_string_read = 'def read_{0}(condition="1=1"):\n conn = create_conn()\n cur = conn.cursor()\n sql = "select * from {0} where {1}{2};".format(condition)\n print(sql)\n try:\n cur.execute(sql)\n except:\n print("Something Went wrong")\n rows = cur.fetchall()\n data_dictionary = {1}{2}\n indices = 0\n for row in rows:\n data_dictionary[indices] = list(row)\n indices += 1\n conn.commit()\n conn.close()\n return data_dictionary\n '.format(table_name, '{', '}') print(function_string_read) function_string_update = 'def update_{0}(values, condition="1=1"):\n conn = create_conn()\n cur = conn.cursor()\n sql = "update {0} set {2}{3} where {2}{3};".format(values, condition)\n print(sql)\n try:\n cur.execute(sql)\n except:\n print("Something Went wrong")\n conn.commit()\n conn.close()\n '.format(table_name, attributes_str, '{', '}') print(function_string_update) function_string_delete = 'def delete_{0}(condition="1=1"):\n conn = create_conn()\n cur = conn.cursor()\n sql = "delete from {0} where {1}{2};".format(condition)\n print(sql)\n try:\n cur.execute(sql)\n except:\n print("Something Went wrong")\n conn.commit()\n conn.close()\n'.format(table_name, '{', '}') print(function_string_delete) file.write(function_string_connection) file.write('\n\n') file.write(function_string_create) file.write('\n\n') file.write(function_string_read) file.write('\n\n') file.write(function_string_update) file.write('\n\n') file.write(function_string_delete) file.close() return 1
# https://leetcode.com/problems/reverse-nodes-in-k-group/description/ # Definition for singly-linked list. class ListNode(object): def __init__(self, x): self.val = x self.next = None class Solution(object): def reverseKGroup(self, head, k): if head is None or k < 2: return head next_head = head for i in range(k - 1): next_head = next_head.next if next_head is None: return head ret = next_head current = head while next_head: tail = current prev = None for i in range(k): if next_head: next_head = next_head.next _next = current.next current.next = prev prev = current current = _next tail.next = next_head or current return ret
class Listnode(object): def __init__(self, x): self.val = x self.next = None class Solution(object): def reverse_k_group(self, head, k): if head is None or k < 2: return head next_head = head for i in range(k - 1): next_head = next_head.next if next_head is None: return head ret = next_head current = head while next_head: tail = current prev = None for i in range(k): if next_head: next_head = next_head.next _next = current.next current.next = prev prev = current current = _next tail.next = next_head or current return ret
# "Sell All the Cars" # Alec Dewulf # April Long 2020 # Difficulty: Simple # Concepts: Greedy """ EXPLANATION The only thing really to figure out was that it is better to sell the most profitable cars first. All the cars lose one off of their values until they are sold or are valued at zero so selling the most valuable cars first minimizes this loss. """ num_cases = int(input()) profits = [] for x in range(num_cases): profit = 0 num_cars = int(input()) # car input cars = sorted(list(map(int, input().split()))) n, num_years = -1, 0 while n >= -1 * len(cars): # compute the final value for the car if cars[n] - (num_years) >= 0: value = cars[n] - (num_years) # value would have been negative else: value = 0 # don't sell a worthless car if value == 0: pass else: profit += value num_years += 1 n -= 1 profits.append(profit) x += 1 # output resutls for p in profits: print(p % (10**9 + 7))
""" EXPLANATION The only thing really to figure out was that it is better to sell the most profitable cars first. All the cars lose one off of their values until they are sold or are valued at zero so selling the most valuable cars first minimizes this loss. """ num_cases = int(input()) profits = [] for x in range(num_cases): profit = 0 num_cars = int(input()) cars = sorted(list(map(int, input().split()))) (n, num_years) = (-1, 0) while n >= -1 * len(cars): if cars[n] - num_years >= 0: value = cars[n] - num_years else: value = 0 if value == 0: pass else: profit += value num_years += 1 n -= 1 profits.append(profit) x += 1 for p in profits: print(p % (10 ** 9 + 7))
""" Watch over a stream of numbers, incrementally learning their median. Implemented via nested lists. New numbers are added to `lst[i]` and when it fills up, it posts its median to `lst[i+1]`. Wen `lst[i+1]` fills up, it posts the medians of its medians to `lst[i+2]`. Etc. When a remedian is queried for the current median, it returns the median of the last list with any numbers. This approach is quite space efficient . E.g. four nested lists, each with 64 items, require memory for 4*64 items yet can hold the median of the median of the median of the median of over 17 million numbers. Example usage: z=remedian() for i in range(1000): z + i if not i % 100: print(i, z.median()) Based on [The Remedian:A Robust Averaging Method for Large Data Sets](http://web.ipac.caltech.edu/staff/fmasci/home/astro_refs/Remedian.pdf). by Peter J. Rousseeuw and Gilbert W. Bassett Jr. Journal of the American Statistical Association March 1990, Vol. 85, No. 409, Theory and Methods The code [remedianeg.py](remedianeg.py) compares this rig to just using Python's built-in sort then reporing the middle number. Assuming lists of length 64 and use of pypy3: - Remedian is getting nearly as fast (within 20%) as raw sort after 500 items; - While at the same time, avoids having to store all the numbers in RAM; - Further, remedian's computed median is within 1% (or less) of the medians found via Python's sort. _____ ## Programmer's Guide """ # If `ordered` is `False`, do not sort `lst` def median(lst,ordered=False): assert lst,"median needs a non-empty list" n = len(lst) p = q = n//2 if n < 3: p,q = 0, n-1 else: lst = lst if ordered else sorted(lst) if not n % 2: # for even-length lists, use mean of mid 2 nums q = p -1 return lst[p] if p==q else (lst[p]+lst[q])/2 class remedian: # Initialization def __init__(i,inits=[], k=64, # after some experimentation, 64 works ok about = None): i.all,i.k = [],k i.more,i._median=None,None [i + x for x in inits] # When full, push the median of current values to next list, then reset. def __add__(i,x): i._median = None i.all.append(x) if len(i.all) == i.k: i.more = i.more or remedian(k=i.k) i.more + i._medianPrim(i.all) i.all = [] # reset # If there is a next list, ask its median. Else, work it out locally. def median(i): return i.more.median() if i.more else i._medianPrim(i.all) # Only recompute median if we do not know it already. def _medianPrim(i,all): if i._median == None: i._median = median(all,ordered=False) return i._median
""" Watch over a stream of numbers, incrementally learning their median. Implemented via nested lists. New numbers are added to `lst[i]` and when it fills up, it posts its median to `lst[i+1]`. Wen `lst[i+1]` fills up, it posts the medians of its medians to `lst[i+2]`. Etc. When a remedian is queried for the current median, it returns the median of the last list with any numbers. This approach is quite space efficient . E.g. four nested lists, each with 64 items, require memory for 4*64 items yet can hold the median of the median of the median of the median of over 17 million numbers. Example usage: z=remedian() for i in range(1000): z + i if not i % 100: print(i, z.median()) Based on [The Remedian:A Robust Averaging Method for Large Data Sets](http://web.ipac.caltech.edu/staff/fmasci/home/astro_refs/Remedian.pdf). by Peter J. Rousseeuw and Gilbert W. Bassett Jr. Journal of the American Statistical Association March 1990, Vol. 85, No. 409, Theory and Methods The code [remedianeg.py](remedianeg.py) compares this rig to just using Python's built-in sort then reporing the middle number. Assuming lists of length 64 and use of pypy3: - Remedian is getting nearly as fast (within 20%) as raw sort after 500 items; - While at the same time, avoids having to store all the numbers in RAM; - Further, remedian's computed median is within 1% (or less) of the medians found via Python's sort. _____ ## Programmer's Guide """ def median(lst, ordered=False): assert lst, 'median needs a non-empty list' n = len(lst) p = q = n // 2 if n < 3: (p, q) = (0, n - 1) else: lst = lst if ordered else sorted(lst) if not n % 2: q = p - 1 return lst[p] if p == q else (lst[p] + lst[q]) / 2 class Remedian: def __init__(i, inits=[], k=64, about=None): (i.all, i.k) = ([], k) (i.more, i._median) = (None, None) [i + x for x in inits] def __add__(i, x): i._median = None i.all.append(x) if len(i.all) == i.k: i.more = i.more or remedian(k=i.k) i.more + i._medianPrim(i.all) i.all = [] def median(i): return i.more.median() if i.more else i._medianPrim(i.all) def _median_prim(i, all): if i._median == None: i._median = median(all, ordered=False) return i._median
def pytest_addoption(parser): parser.addoption( "--skip-integration", action="store_true", dest="skip_integration", default=False, help="skip integration tests", ) def pytest_configure(config): config.addinivalue_line("markers", "integration: mark integration tests") if config.option.skip_integration: setattr(config.option, "markexpr", "not integration")
def pytest_addoption(parser): parser.addoption('--skip-integration', action='store_true', dest='skip_integration', default=False, help='skip integration tests') def pytest_configure(config): config.addinivalue_line('markers', 'integration: mark integration tests') if config.option.skip_integration: setattr(config.option, 'markexpr', 'not integration')
class NoJsExtensionFound(Exception): pass class InvalidRegistry(Exception): pass
class Nojsextensionfound(Exception): pass class Invalidregistry(Exception): pass
""" https://leetcode.com/problems/reverse-words-in-a-string/ """ class Solution: def reverseWords(self, s: str) -> str: s = s.strip() while " " in s: s = s.replace(" ", " ") return " ".join(s.split(" ")[::-1])
""" https://leetcode.com/problems/reverse-words-in-a-string/ """ class Solution: def reverse_words(self, s: str) -> str: s = s.strip() while ' ' in s: s = s.replace(' ', ' ') return ' '.join(s.split(' ')[::-1])
delete_groups_query = ''' mutation deleteGroups($groupPks: [Int!]!) { deleteGroups(input: {groupPks: $groupPks}) { succeeded failed { groupPk message code } error { message code } } } ''' create_group_query = ''' mutation createTeam($name: String!) { createTeam(input: {name: $name}) { ok team { pk name } error { message code } } } ''' add_members_query = ''' mutation addMembersToTeam($teamPk: Int!, $emails: [String]!) { addMembersToTeam(input: {teamPk: $teamPk, emails: $emails}) { succeeded { pk email } failed { email message code } team { members { edges { node { pk email } } } } } } ''' remove_members_query = ''' mutation removeMembersFromTeam($teamPk: Int!, $emails: [String]!) { removeMembersFromTeam(input: {teamPk: $teamPk, emails: $emails}) { succeeded failed { email message code } team { members { edges { node { pk email } } } } } } ''' update_group_name_query = ''' mutation updateGroup($pk: Int!, $name: String!) { updateGroup(input: {pk: $pk, name: $name}) { ok error { message code } team { pk } } } '''
delete_groups_query = '\n\tmutation deleteGroups($groupPks: [Int!]!) {\n deleteGroups(input: {groupPks: $groupPks}) {\n succeeded\n failed {\n groupPk\n message\n code\n }\n error {\n message\n code\n }\n }\n }\n' create_group_query = '\n\tmutation createTeam($name: String!) {\n createTeam(input: {name: $name}) {\n ok\n team {\n pk\n name\n }\n error {\n message\n code\n }\n }\n }\n' add_members_query = '\n\tmutation addMembersToTeam($teamPk: Int!, $emails: [String]!) {\n addMembersToTeam(input: {teamPk: $teamPk, emails: $emails}) {\n succeeded {\n pk\n email\n }\n failed {\n email\n message\n code\n }\n team {\n members {\n edges {\n node {\n pk\n email\n }\n }\n }\n }\n }\n }\n' remove_members_query = '\n\tmutation removeMembersFromTeam($teamPk: Int!, $emails: [String]!) {\n removeMembersFromTeam(input: {teamPk: $teamPk, emails: $emails}) {\n succeeded\n failed {\n email\n message\n code\n }\n team {\n members {\n edges {\n node {\n pk\n email\n }\n }\n }\n }\n }\n }\n' update_group_name_query = '\n mutation updateGroup($pk: Int!, $name: String!) {\n updateGroup(input: {pk: $pk, name: $name}) {\n ok\n error {\n message\n code\n }\n team {\n pk\n }\n }\n }\n'
'c' == "c" # character 'text' == "text" ' " ' " ' " '\x20' == ' ' 'unicode string' '\u05d0' # unicode literal
'c' == 'c' 'text' == 'text' ' " ' " ' " ' ' == ' ' 'unicode string' 'א'
n = int(input()) arr = list(map(int, input().split())) res = "Yes" for i in range(n): if i == 0: continue if sorted(arr)[i] != sorted(arr)[i - 1] + 1: res = "No" break print(res)
n = int(input()) arr = list(map(int, input().split())) res = 'Yes' for i in range(n): if i == 0: continue if sorted(arr)[i] != sorted(arr)[i - 1] + 1: res = 'No' break print(res)
class Employee(): count = 0 def __init__(self,name,salary): self.name = name self.salary = salary Employee.count += 1 def to_string(self): return 'Name: {}\nSalary: {}'.format(self.name,self.salary) #Driver code emp1 = Employee('Birju',21100) emp2 = Employee('Harsh',25200) emp3 = Employee('Karan',18000) print(emp1.to_string()) print(emp2.to_string()) print(emp3.to_string()) print('\nTotal count: {}'.format(Employee.count))
class Employee: count = 0 def __init__(self, name, salary): self.name = name self.salary = salary Employee.count += 1 def to_string(self): return 'Name: {}\nSalary: {}'.format(self.name, self.salary) emp1 = employee('Birju', 21100) emp2 = employee('Harsh', 25200) emp3 = employee('Karan', 18000) print(emp1.to_string()) print(emp2.to_string()) print(emp3.to_string()) print('\nTotal count: {}'.format(Employee.count))
# Gravitational constant (m3/kg.s2) G = 6.67408e-11 # ASTROPHYSICAL DATA OF CELESTIAL BODIES # Sources: International Astronomical Union Resolution B3; NASA Planetary Fact Sheet; JPL Planets and Pluto: Physical Characteristics; JPL Technical Document D-32296 Lunar Constants and Models Document # Masses (kg) dict_M = { 'Sun' : 1.98855e30, 'Mercury' : 0.33011e24, 'Venus' : 4.8675e24, 'Earth' : 5.9722e24, 'Moon' : (5.9722e24)/(81.300570), 'Mars' : 0.64171e24, 'Jupiter' : 1898.19e24, 'Saturn' : 568.34e24, 'Uranus' : 86.813e24, 'Neptune' : 102.413e24, 'Pluto' : 0.01303e24 } # Sources: Report of the IAU/IAG Working Group on cartographic coordinates and rotational elements: 2015; JPL Technical Document D-32296 Lunar Constants and Models Document # Nominal equatorial radii (m) dict_R = { 'Sun' : 6.957e8, 'Mercury' : 2440.53e3, 'Venus' : 6051.8e3, 'Earth' : 6.3781e6, 'Moon' : 1737.4e3, 'Mars' : 3396.19e3, 'Jupiter' : 7.1492e7, 'Saturn' : 60268e3, 'Uranus' : 25559e3, 'Neptune' : 24764e3, 'Pluto' : 1188.3e3 } # Source: JPL/Caltech Solar System Dynamics Group - Keplerian Elements for Approximate Positions of the Major Planets # Distances in AU, angles in degrees # Epoch: J2000 dict_PLNTPOS = { 'Mercury' : { 'a' : 0.38709543, 'da' : 0.00000037, 'e' : 0.20563661, 'de' : 0.00001906, 'I' : 7.00559432, 'dI' : -0.00594749, 'L' : 252.25032350, 'dL' : 149472.67411175, 'o' : 77.45779628, 'do' : 0.16047689, 'O' : 48.33076593, 'dO' : -0.12534081, 'b' : 0, 'c' : 0, 's' : 0, 'f' : 0 }, 'Venus' : { 'a' : 0.72333566, 'da' : 0.00000390, 'e' : 0.00677672, 'de' : -0.00004107, 'I' : 3.39467605, 'dI' : -0.00078890, 'L' : 181.97909950, 'dL' : 58517.81538729, 'o' : 131.60246718, 'do' : 0.00268329, 'O' : 76.67984255, 'dO' : -0.27769418, 'b' : 0, 'c' : 0, 's' : 0, 'f' : 0, }, 'Earth' : { 'a' : 1.00000018, 'da' : -0.00000003, 'e' : 0.01673163, 'de' : -0.00003661, 'I' : -0.00054346, 'dI' : -0.01337178, 'L' : 100.46691572, 'dL' : 35999.37306329, 'o' : 102.93005885, 'do' : 0.31795260, 'O' : -5.11260389, 'dO' : -0.24123856, 'b' : 0, 'c' : 0, 's' : 0, 'f' : 0, }, 'Mars' : { 'a' : 1.52371243, 'da' : 0.00000097, 'e' : 0.09336511, 'de' : 0.00009149, 'I' : 1.85181869, 'dI' : -0.00724757, 'L' : -4.56813164, 'dL' : 19140.29934243, 'o' : -23.91744784, 'do' : 0.45223625, 'O' : 49.71320984, 'dO' : -0.26852431, 'b' : 0, 'c' : 0, 's' : 0, 'f' : 0, }, 'Jupiter' : { 'a' : 5.20248019, 'da' : -0.00002864, 'e' : 0.04853590, 'de' : 0.00018026, 'I' : 1.29861416, 'dI' : -0.00322699, 'L' : 34.33479152, 'dL' : 3034.90371757, 'o' : 14.27495244, 'do' : 0.18199196, 'O' : 100.29282654, 'dO' : 0.13024619, 'b' : -0.00012452, 'c' : 0.06064060, 's' : -0.35635438, 'f' : 38.35125000, }, 'Saturn' : { 'a' : 9.54149883, 'da' : -0.00003065, 'e' : 0.05550825, 'de' : -0.00032044, 'I' : 2.49424102, 'dI' : 0.00451969, 'L' : 50.07571329, 'dL' : 1222.11494724, 'o' : 92.86136063, 'do' : 0.54179478, 'O' : 113.63998702, 'dO' : -0.25015002, 'b' : 0.00025899, 'c' : -0.13434469, 's' : 0.87320147, 'f' : 38.35125000, }, 'Uranus' : { 'a' : 19.18797948, 'da' : -0.00020455, 'e' : 0.04685740, 'de' : -0.00001550, 'I' : 0.77298127, 'dI' : -0.00180155, 'L' : 314.20276625, 'dL' : 428.49512595, 'o' : 172.43404441, 'do' : 0.09266985, 'O' : 73.96250215, 'dO' : 0.05739699, 'b' : 0.00058331, 'c' : -0.97731848, 's' : 0.17689245, 'f' : 7.67025000, }, 'Neptune' : { 'a' : 30.06952752, 'da' : 0.00006447, 'e' : 0.00895439, 'de' : 0.00000818, 'I' : 1.77005520, 'dI' : 0.00024400, 'L' : 304.22289287, 'dL' : 218.46515314, 'o' : 46.68158724, 'do' : 0.01009938, 'O' : 131.78635853, 'dO' : -0.00606302, 'b' : -0.00041348, 'c' : 0.68346318, 's' : -0.10162547, 'f' : 7.67025000, }, 'Pluto' : { 'a' : 39.48686035, 'da' : 0.00449751, 'e' : 0.24885238, 'de' : 0.00006016, 'I' : 17.14104260, 'dI' : 0.00000501, 'L' : 238.96535011, 'dL' : 145.18042903, 'o' : 224.09702598, 'do' : -0.00968827, 'O' : 110.30167986, 'dO' : -0.00809981, 'b' : 0, 'c' : 0, 's' : 0, 'f' : -0.01262724, } } # Source: JPL/Caltech Solar System Dynamics Group - Keplerian Elements for Approximate Positions of the Major Planets # Distances in km, angles in degrees # Epoch: J2000 dict_STLTPOS = { 'Mercury' : { 'a' : 0.38709543, 'da' : 0.00000037, 'e' : 0.20563661, 'de' : 0.00001906, 'I' : 7.00559432, 'dI' : -0.00594749, 'L' : 252.25032350, 'dL' : 149472.67411175, 'o' : 77.45779628, 'do' : 0.16047689, 'O' : 48.33076593, 'dO' : -0.12534081 }, 'Venus' : { 'a' : 0.72333566, 'da' : 0.00000390, 'e' : 0.00677672, 'de' : -0.00004107, 'I' : 3.39467605, 'dI' : -0.00078890, 'L' : 181.97909950, 'dL' : 58517.81538729, 'o' : 131.60246718, 'do' : 0.00268329, 'O' : 76.67984255, 'dO' : -0.27769418, }, 'Earth' : { 'a' : 1.00000018, 'da' : -0.00000003, 'e' : 0.01673163, 'de' : -0.00003661, 'I' : -0.00054346, 'dI' : -0.01337178, 'L' : 100.46691572, 'dL' : 35999.37306329, 'o' : 102.93005885, 'do' : 0.31795260, 'O' : -5.11260389, 'dO' : -0.24123856, }, 'Mars' : { 'a' : 1.52371243, 'da' : 0.00000097, 'e' : 0.09336511, 'de' : 0.00009149, 'I' : 1.85181869, 'dI' : -0.00724757, 'L' : -4.56813164, 'dL' : 19140.29934243, 'o' : -23.91744784, 'do' : 0.45223625, 'O' : 49.71320984, 'dO' : -0.26852431, }, 'Jupiter' : { 'a' : 5.20248019, 'da' : -0.00002864, 'e' : 0.04853590, 'de' : 0.00018026, 'I' : 1.29861416, 'dI' : -0.00322699, 'L' : 34.33479152, 'dL' : 3034.90371757, 'o' : 14.27495244, 'do' : 0.18199196, 'O' : 100.29282654, 'dO' : 0.13024619, }, 'Saturn' : { 'a' : 9.54149883, 'da' : -0.00003065, 'e' : 0.05550825, 'de' : -0.00032044, 'I' : 2.49424102, 'dI' : 0.00451969, 'L' : 50.07571329, 'dL' : 1222.11494724, 'o' : 92.86136063, 'do' : 0.54179478, 'O' : 113.63998702, 'dO' : -0.25015002, }, 'Uranus' : { 'a' : 19.18797948, 'da' : -0.00020455, 'e' : 0.04685740, 'de' : -0.00001550, 'I' : 0.77298127, 'dI' : -0.00180155, 'L' : 314.20276625, 'dL' : 428.49512595, 'o' : 172.43404441, 'do' : 0.09266985, 'O' : 73.96250215, 'dO' : 0.05739699, }, 'Neptune' : { 'a' : 30.06952752, 'da' : 0.00006447, 'e' : 0.00895439, 'de' : 0.00000818, 'I' : 1.77005520, 'dI' : 0.00024400, 'L' : 304.22289287, 'dL' : 218.46515314, 'o' : 46.68158724, 'do' : 0.01009938, 'O' : 131.78635853, 'dO' : -0.00606302, }, 'Pluto' : { 'a' : 39.48686035, 'da' : 0.00449751, 'e' : 0.24885238, 'de' : 0.00006016, 'I' : 17.14104260, 'dI' : 0.00000501, 'L' : 238.96535011, 'dL' : 145.18042903, 'o' : 224.09702598, 'do' : -0.00968827, 'O' : 110.30167986, 'dO' : -0.00809981, } } # Specific gas constant (J/kg.K) dict_R_gas = { 'Venus' : 189, 'Earth' : 287.058, 'Mars' : 191, 'Jupiter' : 3745, 'Saturn' : 3892, 'Titan' : 290, 'Uranus' : 3615, 'Neptune' : 3615 } # Celestial body colors dict_c = { 'Sun' : '#FF820A', 'Mercury' : '#9C958D', 'Venus' : '#DEB982', 'Earth' : '#2e69dd', 'Moon' : '#6A6664', 'Mars' : '#B08962', 'Jupiter' : '#83654B', 'Saturn' : '#D9C098', 'Uranus' : '#BFDBF1', 'Neptune' : '#9FC6FF', 'Pluto' : '#F4CAA4' } # Celestial body symbols dict_sym = { 'Sun' : u"\u2609", 'Mercury' : u"\u263F", 'Venus' : u"\u2640", 'Earth' : u"\u2641", 'Moon' : u"\u263E", 'Mars' : u"\u2642", 'Jupiter' : u"\u2643", 'Saturn' : u"\u2644", 'Uranus' : u"\u26E2", 'Neptune' : u"\u2646", 'Pluto' : u"\u2647" } # Ordered list of Celestial Bodies in the Solar System l_CB = [ 'Sun', 'Mercury', 'Venus', 'Earth', 'Moon', 'Mars', 'Jupiter', 'Saturn', 'Uranus', 'Neptune', 'Pluto' ] # Ordered list of Major Bodies in the Solar System (excl. Sun) list_SS = ['Mercury', 'Venus', 'Earth', 'Mars', 'Jupiter', 'Saturn', 'Uranus', 'Neptune', 'Pluto']
g = 6.67408e-11 dict_m = {'Sun': 1.98855e+30, 'Mercury': 3.3011e+23, 'Venus': 4.8675e+24, 'Earth': 5.9722e+24, 'Moon': 5.9722e+24 / 81.30057, 'Mars': 6.4171e+23, 'Jupiter': 1.89819e+27, 'Saturn': 5.6834e+26, 'Uranus': 8.6813e+25, 'Neptune': 1.02413e+26, 'Pluto': 1.303e+22} dict_r = {'Sun': 695700000.0, 'Mercury': 2440530.0, 'Venus': 6051800.0, 'Earth': 6378100.0, 'Moon': 1737400.0, 'Mars': 3396190.0, 'Jupiter': 71492000.0, 'Saturn': 60268000.0, 'Uranus': 25559000.0, 'Neptune': 24764000.0, 'Pluto': 1188300.0} dict_plntpos = {'Mercury': {'a': 0.38709543, 'da': 3.7e-07, 'e': 0.20563661, 'de': 1.906e-05, 'I': 7.00559432, 'dI': -0.00594749, 'L': 252.2503235, 'dL': 149472.67411175, 'o': 77.45779628, 'do': 0.16047689, 'O': 48.33076593, 'dO': -0.12534081, 'b': 0, 'c': 0, 's': 0, 'f': 0}, 'Venus': {'a': 0.72333566, 'da': 3.9e-06, 'e': 0.00677672, 'de': -4.107e-05, 'I': 3.39467605, 'dI': -0.0007889, 'L': 181.9790995, 'dL': 58517.81538729, 'o': 131.60246718, 'do': 0.00268329, 'O': 76.67984255, 'dO': -0.27769418, 'b': 0, 'c': 0, 's': 0, 'f': 0}, 'Earth': {'a': 1.00000018, 'da': -3e-08, 'e': 0.01673163, 'de': -3.661e-05, 'I': -0.00054346, 'dI': -0.01337178, 'L': 100.46691572, 'dL': 35999.37306329, 'o': 102.93005885, 'do': 0.3179526, 'O': -5.11260389, 'dO': -0.24123856, 'b': 0, 'c': 0, 's': 0, 'f': 0}, 'Mars': {'a': 1.52371243, 'da': 9.7e-07, 'e': 0.09336511, 'de': 9.149e-05, 'I': 1.85181869, 'dI': -0.00724757, 'L': -4.56813164, 'dL': 19140.29934243, 'o': -23.91744784, 'do': 0.45223625, 'O': 49.71320984, 'dO': -0.26852431, 'b': 0, 'c': 0, 's': 0, 'f': 0}, 'Jupiter': {'a': 5.20248019, 'da': -2.864e-05, 'e': 0.0485359, 'de': 0.00018026, 'I': 1.29861416, 'dI': -0.00322699, 'L': 34.33479152, 'dL': 3034.90371757, 'o': 14.27495244, 'do': 0.18199196, 'O': 100.29282654, 'dO': 0.13024619, 'b': -0.00012452, 'c': 0.0606406, 's': -0.35635438, 'f': 38.35125}, 'Saturn': {'a': 9.54149883, 'da': -3.065e-05, 'e': 0.05550825, 'de': -0.00032044, 'I': 2.49424102, 'dI': 0.00451969, 'L': 50.07571329, 'dL': 1222.11494724, 'o': 92.86136063, 'do': 0.54179478, 'O': 113.63998702, 'dO': -0.25015002, 'b': 0.00025899, 'c': -0.13434469, 's': 0.87320147, 'f': 38.35125}, 'Uranus': {'a': 19.18797948, 'da': -0.00020455, 'e': 0.0468574, 'de': -1.55e-05, 'I': 0.77298127, 'dI': -0.00180155, 'L': 314.20276625, 'dL': 428.49512595, 'o': 172.43404441, 'do': 0.09266985, 'O': 73.96250215, 'dO': 0.05739699, 'b': 0.00058331, 'c': -0.97731848, 's': 0.17689245, 'f': 7.67025}, 'Neptune': {'a': 30.06952752, 'da': 6.447e-05, 'e': 0.00895439, 'de': 8.18e-06, 'I': 1.7700552, 'dI': 0.000244, 'L': 304.22289287, 'dL': 218.46515314, 'o': 46.68158724, 'do': 0.01009938, 'O': 131.78635853, 'dO': -0.00606302, 'b': -0.00041348, 'c': 0.68346318, 's': -0.10162547, 'f': 7.67025}, 'Pluto': {'a': 39.48686035, 'da': 0.00449751, 'e': 0.24885238, 'de': 6.016e-05, 'I': 17.1410426, 'dI': 5.01e-06, 'L': 238.96535011, 'dL': 145.18042903, 'o': 224.09702598, 'do': -0.00968827, 'O': 110.30167986, 'dO': -0.00809981, 'b': 0, 'c': 0, 's': 0, 'f': -0.01262724}} dict_stltpos = {'Mercury': {'a': 0.38709543, 'da': 3.7e-07, 'e': 0.20563661, 'de': 1.906e-05, 'I': 7.00559432, 'dI': -0.00594749, 'L': 252.2503235, 'dL': 149472.67411175, 'o': 77.45779628, 'do': 0.16047689, 'O': 48.33076593, 'dO': -0.12534081}, 'Venus': {'a': 0.72333566, 'da': 3.9e-06, 'e': 0.00677672, 'de': -4.107e-05, 'I': 3.39467605, 'dI': -0.0007889, 'L': 181.9790995, 'dL': 58517.81538729, 'o': 131.60246718, 'do': 0.00268329, 'O': 76.67984255, 'dO': -0.27769418}, 'Earth': {'a': 1.00000018, 'da': -3e-08, 'e': 0.01673163, 'de': -3.661e-05, 'I': -0.00054346, 'dI': -0.01337178, 'L': 100.46691572, 'dL': 35999.37306329, 'o': 102.93005885, 'do': 0.3179526, 'O': -5.11260389, 'dO': -0.24123856}, 'Mars': {'a': 1.52371243, 'da': 9.7e-07, 'e': 0.09336511, 'de': 9.149e-05, 'I': 1.85181869, 'dI': -0.00724757, 'L': -4.56813164, 'dL': 19140.29934243, 'o': -23.91744784, 'do': 0.45223625, 'O': 49.71320984, 'dO': -0.26852431}, 'Jupiter': {'a': 5.20248019, 'da': -2.864e-05, 'e': 0.0485359, 'de': 0.00018026, 'I': 1.29861416, 'dI': -0.00322699, 'L': 34.33479152, 'dL': 3034.90371757, 'o': 14.27495244, 'do': 0.18199196, 'O': 100.29282654, 'dO': 0.13024619}, 'Saturn': {'a': 9.54149883, 'da': -3.065e-05, 'e': 0.05550825, 'de': -0.00032044, 'I': 2.49424102, 'dI': 0.00451969, 'L': 50.07571329, 'dL': 1222.11494724, 'o': 92.86136063, 'do': 0.54179478, 'O': 113.63998702, 'dO': -0.25015002}, 'Uranus': {'a': 19.18797948, 'da': -0.00020455, 'e': 0.0468574, 'de': -1.55e-05, 'I': 0.77298127, 'dI': -0.00180155, 'L': 314.20276625, 'dL': 428.49512595, 'o': 172.43404441, 'do': 0.09266985, 'O': 73.96250215, 'dO': 0.05739699}, 'Neptune': {'a': 30.06952752, 'da': 6.447e-05, 'e': 0.00895439, 'de': 8.18e-06, 'I': 1.7700552, 'dI': 0.000244, 'L': 304.22289287, 'dL': 218.46515314, 'o': 46.68158724, 'do': 0.01009938, 'O': 131.78635853, 'dO': -0.00606302}, 'Pluto': {'a': 39.48686035, 'da': 0.00449751, 'e': 0.24885238, 'de': 6.016e-05, 'I': 17.1410426, 'dI': 5.01e-06, 'L': 238.96535011, 'dL': 145.18042903, 'o': 224.09702598, 'do': -0.00968827, 'O': 110.30167986, 'dO': -0.00809981}} dict_r_gas = {'Venus': 189, 'Earth': 287.058, 'Mars': 191, 'Jupiter': 3745, 'Saturn': 3892, 'Titan': 290, 'Uranus': 3615, 'Neptune': 3615} dict_c = {'Sun': '#FF820A', 'Mercury': '#9C958D', 'Venus': '#DEB982', 'Earth': '#2e69dd', 'Moon': '#6A6664', 'Mars': '#B08962', 'Jupiter': '#83654B', 'Saturn': '#D9C098', 'Uranus': '#BFDBF1', 'Neptune': '#9FC6FF', 'Pluto': '#F4CAA4'} dict_sym = {'Sun': u'☉', 'Mercury': u'☿', 'Venus': u'♀', 'Earth': u'♁', 'Moon': u'☾', 'Mars': u'♂', 'Jupiter': u'♃', 'Saturn': u'♄', 'Uranus': u'⛢', 'Neptune': u'♆', 'Pluto': u'♇'} l_cb = ['Sun', 'Mercury', 'Venus', 'Earth', 'Moon', 'Mars', 'Jupiter', 'Saturn', 'Uranus', 'Neptune', 'Pluto'] list_ss = ['Mercury', 'Venus', 'Earth', 'Mars', 'Jupiter', 'Saturn', 'Uranus', 'Neptune', 'Pluto']
a,b,c=[int(i) for i in input().split()] hangshu = c list=[] for i in range(hangshu): # list.append([int(i) for i in input().split()]) list.extend([int(i) for i in input().split()]) print(list)
(a, b, c) = [int(i) for i in input().split()] hangshu = c list = [] for i in range(hangshu): list.extend([int(i) for i in input().split()]) print(list)
class NoDataError(Exception): pass class InvalidModeError(Exception): pass
class Nodataerror(Exception): pass class Invalidmodeerror(Exception): pass
class Solution: def invertTree(self): if root: tmp = root.left root.left = self.invertTree(root.right) root.right = self.invertTree(tmp) return root
class Solution: def invert_tree(self): if root: tmp = root.left root.left = self.invertTree(root.right) root.right = self.invertTree(tmp) return root
""" Model Configurations """ TASK3_A = { "name": "TASK3_A", "token_type": "word", "batch_train": 64, "batch_eval": 64, "epochs": 50, "embeddings_file": "ntua_twitter_affect_310", "embed_dim": 310, "embed_finetune": False, "embed_noise": 0.05, "embed_dropout": 0.1, "encoder_dropout": 0.2, "encoder_size": 150, "encoder_layers": 2, "encoder_bidirectional": True, "attention": True, "attention_layers": 1, "attention_context": False, "attention_activation": "tanh", "attention_dropout": 0.0, "base": 0.7, "patience": 10, "weight_decay": 0.0, "clip_norm": 1, } TASK3_B = { "name": "TASK3_B", "token_type": "word", "batch_train": 32, "batch_eval": 32, "epochs": 50, "embeddings_file": "ntua_twitter_affect_310", "embed_dim": 310, "embed_finetune": False, "embed_noise": 0.2, "embed_dropout": 0.1, "encoder_dropout": 0.2, "encoder_size": 150, "encoder_layers": 2, "encoder_bidirectional": True, "attention": True, "attention_layers": 1, "attention_context": False, "attention_activation": "tanh", "attention_dropout": 0.0, "base": 0.3, "patience": 10, "weight_decay": 0.0, "clip_norm": 1, }
""" Model Configurations """ task3_a = {'name': 'TASK3_A', 'token_type': 'word', 'batch_train': 64, 'batch_eval': 64, 'epochs': 50, 'embeddings_file': 'ntua_twitter_affect_310', 'embed_dim': 310, 'embed_finetune': False, 'embed_noise': 0.05, 'embed_dropout': 0.1, 'encoder_dropout': 0.2, 'encoder_size': 150, 'encoder_layers': 2, 'encoder_bidirectional': True, 'attention': True, 'attention_layers': 1, 'attention_context': False, 'attention_activation': 'tanh', 'attention_dropout': 0.0, 'base': 0.7, 'patience': 10, 'weight_decay': 0.0, 'clip_norm': 1} task3_b = {'name': 'TASK3_B', 'token_type': 'word', 'batch_train': 32, 'batch_eval': 32, 'epochs': 50, 'embeddings_file': 'ntua_twitter_affect_310', 'embed_dim': 310, 'embed_finetune': False, 'embed_noise': 0.2, 'embed_dropout': 0.1, 'encoder_dropout': 0.2, 'encoder_size': 150, 'encoder_layers': 2, 'encoder_bidirectional': True, 'attention': True, 'attention_layers': 1, 'attention_context': False, 'attention_activation': 'tanh', 'attention_dropout': 0.0, 'base': 0.3, 'patience': 10, 'weight_decay': 0.0, 'clip_norm': 1}
# BSD 2-Clause License # # Copyright (c) 2021-2022, Hewlett Packard Enterprise # All rights reserved. # # Redistribution and use in source and binary forms, with or without # modification, are permitted provided that the following conditions are met: # # 1. Redistributions of source code must retain the above copyright notice, this # list of conditions and the following disclaimer. # # 2. 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. # # 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 HOLDER 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. class EntityList: """Abstract class for containers for SmartSimEntities""" def __init__(self, name, path, **kwargs): self.name = name self.path = path self.entities = [] self._initialize_entities(**kwargs) def _initialize_entities(self, **kwargs): """Initialize the SmartSimEntity objects in the container""" raise NotImplementedError @property def batch(self): try: if self.batch_settings: return True return False # local orchestrator cannot launch with batches except AttributeError: return False @property def type(self): """Return the name of the class""" return type(self).__name__ def set_path(self, new_path): self.path = new_path for entity in self.entities: entity.path = new_path def __getitem__(self, name): for entity in self.entities: if entity.name == name: return entity def __iter__(self): for entity in self.entities: yield entity def __len__(self): return len(self.entities)
class Entitylist: """Abstract class for containers for SmartSimEntities""" def __init__(self, name, path, **kwargs): self.name = name self.path = path self.entities = [] self._initialize_entities(**kwargs) def _initialize_entities(self, **kwargs): """Initialize the SmartSimEntity objects in the container""" raise NotImplementedError @property def batch(self): try: if self.batch_settings: return True return False except AttributeError: return False @property def type(self): """Return the name of the class""" return type(self).__name__ def set_path(self, new_path): self.path = new_path for entity in self.entities: entity.path = new_path def __getitem__(self, name): for entity in self.entities: if entity.name == name: return entity def __iter__(self): for entity in self.entities: yield entity def __len__(self): return len(self.entities)
#1.1 class Person: """ Class handle with instances that includes personal data of persons """ def __init__(self, full_name = "", birth_year = None): """ Defines two parameters for Person class instances. Validate parameters value. :param full_name: Full Name of the Person should consists of 2 words :param birth_year: When the person was born """ self.full_name = full_name self.birth_year = birth_year if type(self.full_name) != str or self.full_name.count(" ") == 0: raise Exception("There value is not string or string consists of 1 word") else: pass if 1900 < self.birth_year < 2019: pass else: raise ValueError("Year value is out of allowed range") def name(self): """ :return: Persons name """ return self.full_name[0:self.full_name.index(" ")] def surname(self): """ :return: Persons surname """ return self.full_name[self.full_name.index(" ")+1:] def years_old(self, year = 2019): """ Calculate persons age in the certain year :param year: certain year when you check persons age :return: persons age """ return year - self.birth_year #1.2 class Employee(Person): """Class add Employee parameters to Persons class instances""" def __init__(self, full_name = "", birth_year = 0, position = "", experience = 0, salary = 0): """ Defines additional parameters for Employee class instances. :param full_name: inherits from class Person :param birth_year: inherits from class Person :param position: position of the Employee :param experience: Employee experience :param salary: Employee salary """ Person.__init__(self, full_name, birth_year) self.position = position self.experience = experience self.salary = salary if self.experience < 0 or self.salary < 0: raise ValueError("Salary or Experience value cannot be negative") else: pass def position_level(self): """ :return: position level based on Employee experience """ b = None if self.experience < 3: b = "Junior {}".format(self.position) elif 3 <= self.experience <= 6: b = "Middle {}".format(self.position) else: b = "Senior {}".format(self.position) return b def salary_raise(self, amount): """ Calculates salary after raise :param amount: amount of raise :return: salary after raise """ return self.salary + amount #1.3 class ITEmployee(Employee): """Class add ITEmployee parameters to Employee class instances """ def __init__(self, *args, **kwargs): """ Add possibility to add skills to ITEmployee :param args: inherits from Employee :param kwargs: inherits from Employee """ Employee.__init__(self, *args, **kwargs) self.skills = [] def add_skill(self, new_skill): """ Adds one value mentioned in arg to objects property skills""" self.skills.append(new_skill) def add_skills(self, *args ): """ Adds all values mentioned in args to objects property skills""" for skill in args: self.skills.append(skill) if __name__ == "__main__": p1 = Person("Artur Pirozkov", 2000) print(p1.name()) print(p1.surname()) print(p1.years_old(2020)) e1 = Employee("Gogi Suhishvili", 1992, "cleaner", 2, 14878) print("*" * 30) print(e1.position_level()) print(e1.salary_raise(1488)) it1 = ITEmployee(full_name="Valera Leontiev", experience=3, position="plotnik", birth_year=1950) print("*" * 30) print(it1.name()) print(it1.position_level()) it1.add_skill("QA Automation") it1.add_skill("lazy_ass") print(it1.skills) it1.add_skills("Selenium", "Python", "Mentoring") print(it1.skills)
class Person: """ Class handle with instances that includes personal data of persons """ def __init__(self, full_name='', birth_year=None): """ Defines two parameters for Person class instances. Validate parameters value. :param full_name: Full Name of the Person should consists of 2 words :param birth_year: When the person was born """ self.full_name = full_name self.birth_year = birth_year if type(self.full_name) != str or self.full_name.count(' ') == 0: raise exception('There value is not string or string consists of 1 word') else: pass if 1900 < self.birth_year < 2019: pass else: raise value_error('Year value is out of allowed range') def name(self): """ :return: Persons name """ return self.full_name[0:self.full_name.index(' ')] def surname(self): """ :return: Persons surname """ return self.full_name[self.full_name.index(' ') + 1:] def years_old(self, year=2019): """ Calculate persons age in the certain year :param year: certain year when you check persons age :return: persons age """ return year - self.birth_year class Employee(Person): """Class add Employee parameters to Persons class instances""" def __init__(self, full_name='', birth_year=0, position='', experience=0, salary=0): """ Defines additional parameters for Employee class instances. :param full_name: inherits from class Person :param birth_year: inherits from class Person :param position: position of the Employee :param experience: Employee experience :param salary: Employee salary """ Person.__init__(self, full_name, birth_year) self.position = position self.experience = experience self.salary = salary if self.experience < 0 or self.salary < 0: raise value_error('Salary or Experience value cannot be negative') else: pass def position_level(self): """ :return: position level based on Employee experience """ b = None if self.experience < 3: b = 'Junior {}'.format(self.position) elif 3 <= self.experience <= 6: b = 'Middle {}'.format(self.position) else: b = 'Senior {}'.format(self.position) return b def salary_raise(self, amount): """ Calculates salary after raise :param amount: amount of raise :return: salary after raise """ return self.salary + amount class Itemployee(Employee): """Class add ITEmployee parameters to Employee class instances """ def __init__(self, *args, **kwargs): """ Add possibility to add skills to ITEmployee :param args: inherits from Employee :param kwargs: inherits from Employee """ Employee.__init__(self, *args, **kwargs) self.skills = [] def add_skill(self, new_skill): """ Adds one value mentioned in arg to objects property skills""" self.skills.append(new_skill) def add_skills(self, *args): """ Adds all values mentioned in args to objects property skills""" for skill in args: self.skills.append(skill) if __name__ == '__main__': p1 = person('Artur Pirozkov', 2000) print(p1.name()) print(p1.surname()) print(p1.years_old(2020)) e1 = employee('Gogi Suhishvili', 1992, 'cleaner', 2, 14878) print('*' * 30) print(e1.position_level()) print(e1.salary_raise(1488)) it1 = it_employee(full_name='Valera Leontiev', experience=3, position='plotnik', birth_year=1950) print('*' * 30) print(it1.name()) print(it1.position_level()) it1.add_skill('QA Automation') it1.add_skill('lazy_ass') print(it1.skills) it1.add_skills('Selenium', 'Python', 'Mentoring') print(it1.skills)
def toStr(n,base): digits = '01234567890ABCDEF' if n < base: return digits[n] return toStr(n // base,base) + digits[n % base] print("9145 in hex is ", toStr(9145,16))
def to_str(n, base): digits = '01234567890ABCDEF' if n < base: return digits[n] return to_str(n // base, base) + digits[n % base] print('9145 in hex is ', to_str(9145, 16))
#training parameters TRAIN_GPU_ID = 0 TEST_GPU_ID = 0 BATCH_SIZE = 200 VAL_BATCH_SIZE = 200 PRINT_INTERVAL = 100 VALIDATE_INTERVAL = 5000 MAX_ITERATIONS = 100000 RESTORE_ITER = 0 # iteration to restore. *.solverstate file is needed! # what data to use for training TRAIN_DATA_SPLITS = 'train' # what data to use for the vocabulary QUESTION_VOCAB_SPACE = 'train' ANSWER_VOCAB_SPACE = 'train' # test/test-dev/genome should not appear here #network parameters NUM_OUTPUT_UNITS = 3000 # This is the answer vocabulary size MFB_FACTOR_NUM = 5 MFB_OUT_DIM = 1000 LSTM_UNIT_NUM = 1024 JOINT_EMB_SIZE = MFB_FACTOR_NUM*MFB_OUT_DIM MAX_WORDS_IN_QUESTION = 15 LSTM_DROPOUT_RATIO = 0.3 MFB_DROPOUT_RATIO = 0.1 # vqa tools - get from https://github.com/VT-vision-lab/VQA VQA_TOOLS_PATH = '/home/yuz/data/VQA/PythonHelperTools' VQA_EVAL_TOOLS_PATH = '/home/yuz/data/VQA/PythonEvaluationTools' # location of the data VQA_PREFIX = '/home/yuz/data/VQA' feat = 'pool5' DATA_PATHS = { 'train': { 'ques_file': VQA_PREFIX + '/Questions/OpenEnded_mscoco_train2014_questions.json', 'ans_file': VQA_PREFIX + '/Annotations/mscoco_train2014_annotations.json', 'features_prefix': VQA_PREFIX + '/Features/ms_coco/resnet_%s_bgrms_large/train2014/COCO_train2014_'%feat }, 'val': { 'ques_file': VQA_PREFIX + '/Questions/OpenEnded_mscoco_val2014_questions.json', 'ans_file': VQA_PREFIX + '/Annotations/mscoco_val2014_annotations.json', 'features_prefix': VQA_PREFIX + '/Features/ms_coco/resnet_%s_bgrms_large/val2014/COCO_val2014_'%feat }, 'test-dev': { 'ques_file': VQA_PREFIX + '/Questions/OpenEnded_mscoco_test-dev2015_questions.json', 'features_prefix': VQA_PREFIX + '/Features/ms_coco/resnet_%s_bgrms_large/test2015/COCO_test2015_'%feat }, 'test': { 'ques_file': VQA_PREFIX + '/Questions/OpenEnded_mscoco_test2015_questions.json', 'features_prefix': VQA_PREFIX + '/Features/ms_coco/resnet_%s_bgrms_large/test2015/COCO_test2015_'%feat }, 'genome': { 'genome_file': VQA_PREFIX + '/Questions/OpenEnded_genome_train_questions.json', 'features_prefix': VQA_PREFIX + '/Features/genome/feat_resnet-152/resnet_%s_bgrms_large/'%feat } }
train_gpu_id = 0 test_gpu_id = 0 batch_size = 200 val_batch_size = 200 print_interval = 100 validate_interval = 5000 max_iterations = 100000 restore_iter = 0 train_data_splits = 'train' question_vocab_space = 'train' answer_vocab_space = 'train' num_output_units = 3000 mfb_factor_num = 5 mfb_out_dim = 1000 lstm_unit_num = 1024 joint_emb_size = MFB_FACTOR_NUM * MFB_OUT_DIM max_words_in_question = 15 lstm_dropout_ratio = 0.3 mfb_dropout_ratio = 0.1 vqa_tools_path = '/home/yuz/data/VQA/PythonHelperTools' vqa_eval_tools_path = '/home/yuz/data/VQA/PythonEvaluationTools' vqa_prefix = '/home/yuz/data/VQA' feat = 'pool5' data_paths = {'train': {'ques_file': VQA_PREFIX + '/Questions/OpenEnded_mscoco_train2014_questions.json', 'ans_file': VQA_PREFIX + '/Annotations/mscoco_train2014_annotations.json', 'features_prefix': VQA_PREFIX + '/Features/ms_coco/resnet_%s_bgrms_large/train2014/COCO_train2014_' % feat}, 'val': {'ques_file': VQA_PREFIX + '/Questions/OpenEnded_mscoco_val2014_questions.json', 'ans_file': VQA_PREFIX + '/Annotations/mscoco_val2014_annotations.json', 'features_prefix': VQA_PREFIX + '/Features/ms_coco/resnet_%s_bgrms_large/val2014/COCO_val2014_' % feat}, 'test-dev': {'ques_file': VQA_PREFIX + '/Questions/OpenEnded_mscoco_test-dev2015_questions.json', 'features_prefix': VQA_PREFIX + '/Features/ms_coco/resnet_%s_bgrms_large/test2015/COCO_test2015_' % feat}, 'test': {'ques_file': VQA_PREFIX + '/Questions/OpenEnded_mscoco_test2015_questions.json', 'features_prefix': VQA_PREFIX + '/Features/ms_coco/resnet_%s_bgrms_large/test2015/COCO_test2015_' % feat}, 'genome': {'genome_file': VQA_PREFIX + '/Questions/OpenEnded_genome_train_questions.json', 'features_prefix': VQA_PREFIX + '/Features/genome/feat_resnet-152/resnet_%s_bgrms_large/' % feat}}
"""Kata: Friend or foe. Make a program that filters a list of strings and returns a list with only your friends name in it. If a name has exactly 4 letters in it, you can be sure that it has to be a friend of yours! Otherwise, you can be sure he's not... - **URL**: [challenge url](https://www.codewars.com/kata/friend-or-foe) #1 Best Practices Solution by SquishyStrawberry & others def friend(x): return [f for f in x if len(f) == 4] """ def friend(names): """Return list of friends with name lenght of four.""" result = [] for name in names: if len(name) == 4: result.append(name) return result
"""Kata: Friend or foe. Make a program that filters a list of strings and returns a list with only your friends name in it. If a name has exactly 4 letters in it, you can be sure that it has to be a friend of yours! Otherwise, you can be sure he's not... - **URL**: [challenge url](https://www.codewars.com/kata/friend-or-foe) #1 Best Practices Solution by SquishyStrawberry & others def friend(x): return [f for f in x if len(f) == 4] """ def friend(names): """Return list of friends with name lenght of four.""" result = [] for name in names: if len(name) == 4: result.append(name) return result
# -*- coding: utf-8 -*- def main(): n, k = map(int, input().split()) a = sorted(list(map(int, input().split())), reverse=True) total = 0 for key, ai in enumerate(a, 1): total += ai if total >= k: print(key) exit() print(-1) if __name__ == '__main__': main()
def main(): (n, k) = map(int, input().split()) a = sorted(list(map(int, input().split())), reverse=True) total = 0 for (key, ai) in enumerate(a, 1): total += ai if total >= k: print(key) exit() print(-1) if __name__ == '__main__': main()
azure_credentials_schema = { "$id": "http://azure-ml.com/schemas/azure_credentials.json", "$schema": "http://json-schema.org/schema", "title": "azure_credentials", "description": "JSON specification for your azure credentials", "type": "object", "required": ["clientId", "clientSecret", "subscriptionId", "tenantId"], "properties": { "clientId": { "type": "string", "description": "The client ID of the service principal." }, "clientSecret": { "type": "string", "description": "The client secret of the service principal." }, "subscriptionId": { "type": "string", "description": "The subscription ID that should be used." }, "tenantId": { "type": "string", "description": "The tenant ID of the service principal." } } } parameters_schema = { "$id": "http://azure-ml.com/schemas/deploy.json", "$schema": "http://json-schema.org/schema", "title": "aml-registermodel", "description": "JSON specification for your deploy details", "type": "object", "properties": { "name": { "type": "string", "description": "The name to give the deployed service.", "minLength": 3, "maxLength": 32 }, "deployment_compute_target": { "type": "string", "description": "Name of the compute target to deploy the webservice to." }, "inference_source_directory": { "type": "string", "description": "The path to the folder that contains all files to create the image." }, "inference_entry_script": { "type": "string", "description": "The path to a local file in your repository that contains the code to run for the image and score the data." }, "test_enabled": { "type": "boolean", "description": "Whether to run tests for this model deployment and the created real-time endpoint." }, "test_file_path": { "type": "string", "description": "Path to the python script in your repository in which you define your own tests that you want to run against the webservice endpoint." }, "test_file_function_name": { "type": "string", "description": "Name of the function in your python script in your repository in which you define your own tests that you want to run against the webservice endpoint." }, "conda_file": { "type": "string", "description": "The path to a local file in your repository containing a conda environment definition to use for the image." }, "extra_docker_file_steps": { "type": "string", "description": "The path to a local file in your repository containing additional Docker steps to run when setting up image." }, "enable_gpu": { "type": "boolean", "description": "Indicates whether to enable GPU support in the image." }, "cuda_version": { "type": "string", "description": "The Version of CUDA to install for images that need GPU support." }, "model_data_collection_enabled": { "type": "boolean", "description": "Whether or not to enable model data collection for this Webservice." }, "authentication_enabled": { "type": "boolean", "description": "Whether or not to enable key auth for this Webservice." }, "app_insights_enabled": { "type": "boolean", "description": "Whether or not to enable Application Insights logging for this Webservice." }, "runtime": { "type": "string", "description": "The runtime to use for the image.", "pattern": "python|spark-py" }, "custom_base_image": { "type": "string", "description": "A custom Docker image to be used as base image." }, "cpu_cores": { "type": "number", "description": "The number of CPU cores to allocate for this Webservice.", "exclusiveMinimum": 0.0 }, "memory_gb": { "type": "number", "description": "The amount of memory (in GB) to allocate for this Webservice.", "exclusiveMinimum": 0.0 }, "delete_service_after_deployment": { "type": "boolean", "description": "Indicates whether the service gets deleted after the deployment completed successfully." }, "tags": { "type": "object", "description": "Dictionary of key value tags to give this Webservice." }, "properties": { "type": "object", "description": "Dictionary of key value properties to give this Webservice." }, "description": { "type": "string", "description": "A description to give this Webservice and image." }, "location": { "type": "string", "description": "The Azure region to deploy this Webservice to." }, "ssl_enabled": { "type": "boolean", "description": "Whether or not to enable SSL for this Webservice." }, "ssl_cert_pem_file": { "type": "string", "description": "A file path to a file containing cert information for SSL validation." }, "ssl_key_pem_file": { "type": "string", "description": "A file path to a file containing key information for SSL validation." }, "ssl_cname": { "type": "string", "description": "A CName to use if enabling SSL validation on the cluster." }, "dns_name_label": { "type": "string", "description": "The DNS name label for the scoring endpoint." }, "gpu_cores": { "type": "integer", "description": "The number of GPU cores to allocate for this Webservice.", "minimum": 0 }, "autoscale_enabled": { "type": "boolean", "description": "Whether to enable autoscale for this Webservice." }, "autoscale_min_replicas": { "type": "integer", "description": "The minimum number of containers to use when autoscaling this Webservice.", "minimum": 1 }, "autoscale_max_replicas": { "type": "integer", "description": "The maximum number of containers to use when autoscaling this Webservice.", "minimum": 1 }, "autoscale_refresh_seconds": { "type": "integer", "description": "How often the autoscaler should attempt to scale this Webservice (in seconds).", "minimum": 1 }, "autoscale_target_utilization": { "type": "integer", "description": "The target utilization (in percent out of 100) the autoscaler should attempt to maintain for this Webservice.", "minimum": 1, "maximum": 100 }, "scoring_timeout_ms": { "type": "integer", "description": "A timeout in ms to enforce for scoring calls to this Webservice.", "minimum": 1 }, "replica_max_concurrent_requests": { "type": "integer", "description": "The number of maximum concurrent requests per replica to allow for this Webservice.", "minimum": 1 }, "max_request_wait_time": { "type": "integer", "description": "The maximum amount of time a request will stay in the queue (in milliseconds) before returning a 503 error.", "minimum": 0 }, "num_replicas": { "type": "integer", "description": "The number of containers to allocate for this Webservice." }, "period_seconds": { "type": "integer", "description": "How often (in seconds) to perform the liveness probe.", "minimum": 1 }, "initial_delay_seconds": { "type": "integer", "description": "The number of seconds after the container has started before liveness probes are initiated.", "minimum": 1 }, "timeout_seconds": { "type": "integer", "description": "The number of seconds after which the liveness probe times out.", "minimum": 1 }, "success_threshold": { "type": "integer", "description": "The minimum consecutive successes for the liveness probe to be considered successful after having failed.", "minimum": 1 }, "failure_threshold": { "type": "integer", "description": "When a Pod starts and the liveness probe fails, Kubernetes will try failureThreshold times before giving up.", "minimum": 1 }, "namespace": { "type": "string", "description": "The Kubernetes namespace in which to deploy this Webservice.", "maxLength": 63, "pattern": "([a-z0-9-])+" }, "token_auth_enabled": { "type": "boolean", "description": "Whether to enable Token authentication for this Webservice." } } }
azure_credentials_schema = {'$id': 'http://azure-ml.com/schemas/azure_credentials.json', '$schema': 'http://json-schema.org/schema', 'title': 'azure_credentials', 'description': 'JSON specification for your azure credentials', 'type': 'object', 'required': ['clientId', 'clientSecret', 'subscriptionId', 'tenantId'], 'properties': {'clientId': {'type': 'string', 'description': 'The client ID of the service principal.'}, 'clientSecret': {'type': 'string', 'description': 'The client secret of the service principal.'}, 'subscriptionId': {'type': 'string', 'description': 'The subscription ID that should be used.'}, 'tenantId': {'type': 'string', 'description': 'The tenant ID of the service principal.'}}} parameters_schema = {'$id': 'http://azure-ml.com/schemas/deploy.json', '$schema': 'http://json-schema.org/schema', 'title': 'aml-registermodel', 'description': 'JSON specification for your deploy details', 'type': 'object', 'properties': {'name': {'type': 'string', 'description': 'The name to give the deployed service.', 'minLength': 3, 'maxLength': 32}, 'deployment_compute_target': {'type': 'string', 'description': 'Name of the compute target to deploy the webservice to.'}, 'inference_source_directory': {'type': 'string', 'description': 'The path to the folder that contains all files to create the image.'}, 'inference_entry_script': {'type': 'string', 'description': 'The path to a local file in your repository that contains the code to run for the image and score the data.'}, 'test_enabled': {'type': 'boolean', 'description': 'Whether to run tests for this model deployment and the created real-time endpoint.'}, 'test_file_path': {'type': 'string', 'description': 'Path to the python script in your repository in which you define your own tests that you want to run against the webservice endpoint.'}, 'test_file_function_name': {'type': 'string', 'description': 'Name of the function in your python script in your repository in which you define your own tests that you want to run against the webservice endpoint.'}, 'conda_file': {'type': 'string', 'description': 'The path to a local file in your repository containing a conda environment definition to use for the image.'}, 'extra_docker_file_steps': {'type': 'string', 'description': 'The path to a local file in your repository containing additional Docker steps to run when setting up image.'}, 'enable_gpu': {'type': 'boolean', 'description': 'Indicates whether to enable GPU support in the image.'}, 'cuda_version': {'type': 'string', 'description': 'The Version of CUDA to install for images that need GPU support.'}, 'model_data_collection_enabled': {'type': 'boolean', 'description': 'Whether or not to enable model data collection for this Webservice.'}, 'authentication_enabled': {'type': 'boolean', 'description': 'Whether or not to enable key auth for this Webservice.'}, 'app_insights_enabled': {'type': 'boolean', 'description': 'Whether or not to enable Application Insights logging for this Webservice.'}, 'runtime': {'type': 'string', 'description': 'The runtime to use for the image.', 'pattern': 'python|spark-py'}, 'custom_base_image': {'type': 'string', 'description': 'A custom Docker image to be used as base image.'}, 'cpu_cores': {'type': 'number', 'description': 'The number of CPU cores to allocate for this Webservice.', 'exclusiveMinimum': 0.0}, 'memory_gb': {'type': 'number', 'description': 'The amount of memory (in GB) to allocate for this Webservice.', 'exclusiveMinimum': 0.0}, 'delete_service_after_deployment': {'type': 'boolean', 'description': 'Indicates whether the service gets deleted after the deployment completed successfully.'}, 'tags': {'type': 'object', 'description': 'Dictionary of key value tags to give this Webservice.'}, 'properties': {'type': 'object', 'description': 'Dictionary of key value properties to give this Webservice.'}, 'description': {'type': 'string', 'description': 'A description to give this Webservice and image.'}, 'location': {'type': 'string', 'description': 'The Azure region to deploy this Webservice to.'}, 'ssl_enabled': {'type': 'boolean', 'description': 'Whether or not to enable SSL for this Webservice.'}, 'ssl_cert_pem_file': {'type': 'string', 'description': 'A file path to a file containing cert information for SSL validation.'}, 'ssl_key_pem_file': {'type': 'string', 'description': 'A file path to a file containing key information for SSL validation.'}, 'ssl_cname': {'type': 'string', 'description': 'A CName to use if enabling SSL validation on the cluster.'}, 'dns_name_label': {'type': 'string', 'description': 'The DNS name label for the scoring endpoint.'}, 'gpu_cores': {'type': 'integer', 'description': 'The number of GPU cores to allocate for this Webservice.', 'minimum': 0}, 'autoscale_enabled': {'type': 'boolean', 'description': 'Whether to enable autoscale for this Webservice.'}, 'autoscale_min_replicas': {'type': 'integer', 'description': 'The minimum number of containers to use when autoscaling this Webservice.', 'minimum': 1}, 'autoscale_max_replicas': {'type': 'integer', 'description': 'The maximum number of containers to use when autoscaling this Webservice.', 'minimum': 1}, 'autoscale_refresh_seconds': {'type': 'integer', 'description': 'How often the autoscaler should attempt to scale this Webservice (in seconds).', 'minimum': 1}, 'autoscale_target_utilization': {'type': 'integer', 'description': 'The target utilization (in percent out of 100) the autoscaler should attempt to maintain for this Webservice.', 'minimum': 1, 'maximum': 100}, 'scoring_timeout_ms': {'type': 'integer', 'description': 'A timeout in ms to enforce for scoring calls to this Webservice.', 'minimum': 1}, 'replica_max_concurrent_requests': {'type': 'integer', 'description': 'The number of maximum concurrent requests per replica to allow for this Webservice.', 'minimum': 1}, 'max_request_wait_time': {'type': 'integer', 'description': 'The maximum amount of time a request will stay in the queue (in milliseconds) before returning a 503 error.', 'minimum': 0}, 'num_replicas': {'type': 'integer', 'description': 'The number of containers to allocate for this Webservice.'}, 'period_seconds': {'type': 'integer', 'description': 'How often (in seconds) to perform the liveness probe.', 'minimum': 1}, 'initial_delay_seconds': {'type': 'integer', 'description': 'The number of seconds after the container has started before liveness probes are initiated.', 'minimum': 1}, 'timeout_seconds': {'type': 'integer', 'description': 'The number of seconds after which the liveness probe times out.', 'minimum': 1}, 'success_threshold': {'type': 'integer', 'description': 'The minimum consecutive successes for the liveness probe to be considered successful after having failed.', 'minimum': 1}, 'failure_threshold': {'type': 'integer', 'description': 'When a Pod starts and the liveness probe fails, Kubernetes will try failureThreshold times before giving up.', 'minimum': 1}, 'namespace': {'type': 'string', 'description': 'The Kubernetes namespace in which to deploy this Webservice.', 'maxLength': 63, 'pattern': '([a-z0-9-])+'}, 'token_auth_enabled': {'type': 'boolean', 'description': 'Whether to enable Token authentication for this Webservice.'}}}
# Write a program that reads an integer and outputs its last digit. # print(int(input()) % 10) # another solution print(input()[-1]) # another solution print(input()[-1])
print(input()[-1]) print(input()[-1])
'''Implement a program to calculate number of digits in the given number Input Format a number from the user Constraints n>0 Output Format print number of digits in the number Sample Input 0 124 Sample Output 0 3 Sample Input 1 6789 Sample Output 1 4''' #solution n = input() print(len(n))
"""Implement a program to calculate number of digits in the given number Input Format a number from the user Constraints n>0 Output Format print number of digits in the number Sample Input 0 124 Sample Output 0 3 Sample Input 1 6789 Sample Output 1 4""" n = input() print(len(n))
#!/usr/bin/env python # -*- coding: utf-8 -*- __author__ = 'Ben Thomasson' __email__ = 'ben.thomasson@gmail.com' __version__ = '0.1.0'
__author__ = 'Ben Thomasson' __email__ = 'ben.thomasson@gmail.com' __version__ = '0.1.0'
# data= ['pran',20,10, (2022,12,13)] # # name,age,price,date = data # print(name) # print(price) # print(age) # print(date) # name='bella' # a,b,c,d,e=name # print(a,b,c,d,e) # print(a) # print(b) # print(c) # print(b) # print(e) bio=['tuna',18,'sgc', 'samsungA12',(1,2,2004)] name,age,collegename,phonenmae,birthdate=bio date,month,year=birthdate print(bio) print(birthdate)
bio = ['tuna', 18, 'sgc', 'samsungA12', (1, 2, 2004)] (name, age, collegename, phonenmae, birthdate) = bio (date, month, year) = birthdate print(bio) print(birthdate)
""" 538. Convert BST to Greater Tree Given a Binary Search Tree (BST), convert it to a Greater Tree such that every key of the original BST is changed to the original key plus sum of all keys greater than the original key in BST. Example: Input: The root of a Binary Search Tree like this: 5 / \ 2 13 Output: The root of a Greater Tree like this: 18 / \ 20 13 Note: This question is the same as 1038: https://leetcode.com/problems/binary-search-tree-to-greater-sum-tree/ """ # Definition for a binary tree node. # class TreeNode(object): # def __init__(self, x): # self.val = x # self.left = None # self.right = None class Solution(object): def convertBST(self, root): self.sum = 0 def dfs(root): if not root: return dfs(root.right) root.val += self.sum self.sum = root.val dfs(root.left) dfs(root) return root
""" 538. Convert BST to Greater Tree Given a Binary Search Tree (BST), convert it to a Greater Tree such that every key of the original BST is changed to the original key plus sum of all keys greater than the original key in BST. Example: Input: The root of a Binary Search Tree like this: 5 / 2 13 Output: The root of a Greater Tree like this: 18 / 20 13 Note: This question is the same as 1038: https://leetcode.com/problems/binary-search-tree-to-greater-sum-tree/ """ class Solution(object): def convert_bst(self, root): self.sum = 0 def dfs(root): if not root: return dfs(root.right) root.val += self.sum self.sum = root.val dfs(root.left) dfs(root) return root
def mul(a, b): r = [[0, 0], [0, 0]] r[0][0] = a[0][0] * b[0][0] + a[0][1] * b[1][0]; r[0][1] = a[0][0] * b[0][1] + a[0][1] * b[1][1]; r[1][0] = a[1][0] * b[0][0] + a[1][1] * b[1][0]; r[1][1] = a[1][0] * b[0][1] + a[1][1] * b[1][1]; return r; def _fib(n): if n == 0: return [[1, 0], [0, 1]] if n == 1: return [[1, 1], [1, 0]] if n % 2 == 0 : return mul(_fib((n / 2)), _fib((n / 2))) else: return mul(mul(_fib((n-1) / 2), _fib((n-1) / 2)), [[1, 1], [1, 0]]) def fib(n): if n<0: return _fib(-n)[1][0] * (1 if n%2 == 1 else -1) else: return _fib(n)[1][0]
def mul(a, b): r = [[0, 0], [0, 0]] r[0][0] = a[0][0] * b[0][0] + a[0][1] * b[1][0] r[0][1] = a[0][0] * b[0][1] + a[0][1] * b[1][1] r[1][0] = a[1][0] * b[0][0] + a[1][1] * b[1][0] r[1][1] = a[1][0] * b[0][1] + a[1][1] * b[1][1] return r def _fib(n): if n == 0: return [[1, 0], [0, 1]] if n == 1: return [[1, 1], [1, 0]] if n % 2 == 0: return mul(_fib(n / 2), _fib(n / 2)) else: return mul(mul(_fib((n - 1) / 2), _fib((n - 1) / 2)), [[1, 1], [1, 0]]) def fib(n): if n < 0: return _fib(-n)[1][0] * (1 if n % 2 == 1 else -1) else: return _fib(n)[1][0]
""" Coalesce multiple identical call into one, preventing thundering-herd/stampede to database/other backends python port of https://github.com/golang/groupcache/blob/master/singleflight/singleflight.go This module **does not** provide caching mechanism. Rather, this module can used behind a caching abstraction to deduplicate cache-filling call """ __version__ = "0.1.2"
""" Coalesce multiple identical call into one, preventing thundering-herd/stampede to database/other backends python port of https://github.com/golang/groupcache/blob/master/singleflight/singleflight.go This module **does not** provide caching mechanism. Rather, this module can used behind a caching abstraction to deduplicate cache-filling call """ __version__ = '0.1.2'
class base(object): def __init__ (self, T, N, lam): self.T = T self.N = N self.lam = lam def compute(self, S, A0, status_f, history, test_check_f): pass def __call__(self, S): return self.compute(S, None, None, False, None)[0] def compute_full(self, S, status_f): return self.compute(S, None, status_f, True, None)[:-1] def compute_status(self, S, status_f): return self.compute(S, None, status_f, False, None)[:-2] def compute_final(self, S): return self(S) def compute_test(self, S, test_check_f): res = self.compute(S, None, None, False, test_check_f) return res[0], res[-1] def compute_warmup(self, S): T = self.T self.T = 1 self.compute(S, None, None, False, None) self.T = T def name(self): pass
class Base(object): def __init__(self, T, N, lam): self.T = T self.N = N self.lam = lam def compute(self, S, A0, status_f, history, test_check_f): pass def __call__(self, S): return self.compute(S, None, None, False, None)[0] def compute_full(self, S, status_f): return self.compute(S, None, status_f, True, None)[:-1] def compute_status(self, S, status_f): return self.compute(S, None, status_f, False, None)[:-2] def compute_final(self, S): return self(S) def compute_test(self, S, test_check_f): res = self.compute(S, None, None, False, test_check_f) return (res[0], res[-1]) def compute_warmup(self, S): t = self.T self.T = 1 self.compute(S, None, None, False, None) self.T = T def name(self): pass
# Definition for a binary tree node. # class TreeNode: # def __init__(self, val=0, left=None, right=None): # self.val = val # self.left = left # self.right = right class Solution: def zigzagLevelOrder(self, root: Optional[TreeNode]) -> List[List[int]]: if not root: return [] que = [root] res = [] reverse = 1 while que: reverse *= -1 level_res = [] for _ in range(len(que)): node = que.pop(0) level_res.append(node.val) if node.left: que.append(node.left) if node.right: que.append(node.right) if reverse == 1: level_res.reverse() res.append(level_res) return res
class Solution: def zigzag_level_order(self, root: Optional[TreeNode]) -> List[List[int]]: if not root: return [] que = [root] res = [] reverse = 1 while que: reverse *= -1 level_res = [] for _ in range(len(que)): node = que.pop(0) level_res.append(node.val) if node.left: que.append(node.left) if node.right: que.append(node.right) if reverse == 1: level_res.reverse() res.append(level_res) return res
#!/usr/bin/env python3 # -*- coding: utf-8 -*- MONGO_URL='localhost' MONGO_DB='meizitu' MONGO_TABLE='meizitu'
mongo_url = 'localhost' mongo_db = 'meizitu' mongo_table = 'meizitu'
"""Constants for the Neerslag Sensor (Buienalarm / Buienradar) integration.""" DOMAIN = "neerslag" FRONTEND_SCRIPT_URL = "/neerslag-card.js" DATA_EXTRA_MODULE_URL = 'frontend_extra_module_url'
"""Constants for the Neerslag Sensor (Buienalarm / Buienradar) integration.""" domain = 'neerslag' frontend_script_url = '/neerslag-card.js' data_extra_module_url = 'frontend_extra_module_url'
''' Add conditionals 100xp The while loop that corrects the offset is a good start, but what if offset is negative? You can try to run the sample code on the right where offset is initialized to -6, but your sessions will be disconnected. The while loop will never stop running, because offset will be further decreased on every run. offset != 0 will never become False and the while loop continues forever. Fix things by putting an if-else statement inside the while loop. Instructions -Inside the while loop, replace offset = offset - 1 by an if-else statement: -If offset > 0, you should decrease offset by 1. -Else, you should increase offset by 1. If you've coded things correctly, hitting Submit Answer should work this time. ''' # Initialize offset offset = -6 # Code the while loop while offset != 0 : print("correcting...") if offset > 0: offset = offset - 1 else: offset = offset + 1 print(offset)
""" Add conditionals 100xp The while loop that corrects the offset is a good start, but what if offset is negative? You can try to run the sample code on the right where offset is initialized to -6, but your sessions will be disconnected. The while loop will never stop running, because offset will be further decreased on every run. offset != 0 will never become False and the while loop continues forever. Fix things by putting an if-else statement inside the while loop. Instructions -Inside the while loop, replace offset = offset - 1 by an if-else statement: -If offset > 0, you should decrease offset by 1. -Else, you should increase offset by 1. If you've coded things correctly, hitting Submit Answer should work this time. """ offset = -6 while offset != 0: print('correcting...') if offset > 0: offset = offset - 1 else: offset = offset + 1 print(offset)
# -*- coding: utf-8 -*- """ Created on 08/10/2019 at 17:30 @author: Alfie Bowman """ def get_digit(n, l=None, r=None): """ Finds the `d`-th digit from the left or the `d`-th from the right, depending on how variables are called: - Returns the `d`-th digit of `n` from the left if the function was called as `get_digit(n, l=d)``. If the required digit doesn't exist, the function returns -1. - Returns the `d`-th digit of `n` from the right if the function was called as `get_digit(n, r=d)``. If the required digit doesn't exist, the function returns 0. - Returns -1 otherwise, i.e., for calls `get_digit(n)` and `get_digit(n, l=d1, r=d2)`. Parameters ---------- n : int The integer whose digit is to be found. l : int The digit from the left hand side to be found, if desired. r : int The digit from the right hand side to be found, if desired. Returns ------- -1 : int Indicates no values were entered for `l` and `r` or the required digit from the left hand side doesn't exist. 0 : int Indicates values were entered for both `l` and `r` or the required digit from the right hand side doesn't exist. """ # Initialisations n = abs(n) # Special Cases if l == None and r == None: # Returns -1 when no values are entered for `l` and `r` return -1 if l != None and r != None: # Returns 0 when values are entered for both `l` and `r` return 0 if r > len(str(n)) or r < 1: # Returns 0 if the value for `r` is invalid return 0 if l > len(str(n)) or l < 1: # Returns -1 if the value for `l` is invalid return -1 # Right-Hand Side if l == None and r != None: for i in range(1, r): # Runs through `n` `r` times removing digts n = n // 10 if n >= 10: # Takes last digit of `n`, if required n = n % 10 return n def main(): print(get_digit(987654321, None, 19)) main()
""" Created on 08/10/2019 at 17:30 @author: Alfie Bowman """ def get_digit(n, l=None, r=None): """ Finds the `d`-th digit from the left or the `d`-th from the right, depending on how variables are called: - Returns the `d`-th digit of `n` from the left if the function was called as `get_digit(n, l=d)``. If the required digit doesn't exist, the function returns -1. - Returns the `d`-th digit of `n` from the right if the function was called as `get_digit(n, r=d)``. If the required digit doesn't exist, the function returns 0. - Returns -1 otherwise, i.e., for calls `get_digit(n)` and `get_digit(n, l=d1, r=d2)`. Parameters ---------- n : int The integer whose digit is to be found. l : int The digit from the left hand side to be found, if desired. r : int The digit from the right hand side to be found, if desired. Returns ------- -1 : int Indicates no values were entered for `l` and `r` or the required digit from the left hand side doesn't exist. 0 : int Indicates values were entered for both `l` and `r` or the required digit from the right hand side doesn't exist. """ n = abs(n) if l == None and r == None: return -1 if l != None and r != None: return 0 if r > len(str(n)) or r < 1: return 0 if l > len(str(n)) or l < 1: return -1 if l == None and r != None: for i in range(1, r): n = n // 10 if n >= 10: n = n % 10 return n def main(): print(get_digit(987654321, None, 19)) main()
def BinaryTree(r): return [r, [], []] def insertLeft(root, newBranch): t = root.pop(1) if len(t) > 1: root.insert(1, [newBranch, t, []]) else: root.insert(1, [newBranch, [], []]) return root def insertRight(root, newBranch): t = root.pop(2) if len(t) > 1: root.insert(2, [newBranch, [], t]) else: root.insert(2, [newBranch, [], []]) return root def getRootVal(root): return root[0] def setRootVal(root, newVal): root[0] = newVal def getLeftChild(root): return root[1] def getRightChild(root): return root[2]
def binary_tree(r): return [r, [], []] def insert_left(root, newBranch): t = root.pop(1) if len(t) > 1: root.insert(1, [newBranch, t, []]) else: root.insert(1, [newBranch, [], []]) return root def insert_right(root, newBranch): t = root.pop(2) if len(t) > 1: root.insert(2, [newBranch, [], t]) else: root.insert(2, [newBranch, [], []]) return root def get_root_val(root): return root[0] def set_root_val(root, newVal): root[0] = newVal def get_left_child(root): return root[1] def get_right_child(root): return root[2]
# Find larger of two nums a = int(input('First Number: ')) b = int(input('Second Number: ')) # if-elif-else conditional if a > b: print(a, 'is greater than', b) elif a == b: print(a, 'is equal to', b) else: print(a, 'is less than', b)
a = int(input('First Number: ')) b = int(input('Second Number: ')) if a > b: print(a, 'is greater than', b) elif a == b: print(a, 'is equal to', b) else: print(a, 'is less than', b)
# Request websites to minimize non-essential animations and motion. c.content.prefers_reduced_motion = True # Don't send any DoNotTrack headers; they're pointless. c.content.headers.do_not_track = None # Allow JavaScript to read from or write to the clipboard. c.content.javascript.can_access_clipboard = True # Draw the background color and images also when the page is printed. c.content.print_element_backgrounds = False # List of user stylesheet filenames to use. # c.content.user_stylesheets = 'stylesheet.css' c.content.prefers_reduced_motion = True # Languages to use for spell checking. # TODO Add es-MX in hopes it is added someday. c.spellcheck.languages = ['en-US', 'en-AU', 'en-GB', 'es-ES'] # Allow for more precise zooming increments. c.zoom.mouse_divider = 2048
c.content.prefers_reduced_motion = True c.content.headers.do_not_track = None c.content.javascript.can_access_clipboard = True c.content.print_element_backgrounds = False c.content.prefers_reduced_motion = True c.spellcheck.languages = ['en-US', 'en-AU', 'en-GB', 'es-ES'] c.zoom.mouse_divider = 2048
class BedwarsProException(Exception): """Base exception. This can be used to catch all errors from this library """ class APIError(BedwarsProException): """ Raised for errors """ def __init__(self, message): self.text = message super().__init__(self.text)
class Bedwarsproexception(Exception): """Base exception. This can be used to catch all errors from this library """ class Apierror(BedwarsProException): """ Raised for errors """ def __init__(self, message): self.text = message super().__init__(self.text)
def calculate_investment_value(initial_value, percentage, years): result = initial_value * (1 + percentage / 100) ** years return result
def calculate_investment_value(initial_value, percentage, years): result = initial_value * (1 + percentage / 100) ** years return result
class BadRowKeyError(Exception): pass class EmptyColumnError(Exception): pass
class Badrowkeyerror(Exception): pass class Emptycolumnerror(Exception): pass
# Due to https://github.com/bazelbuild/bazel/issues/2757 # Consumers have to specify all of the transitive dependencies recursively which is not a very nice UX and pretty error # prone, this defines a function which declares all the spectator dependencies so that any Bazel project needing to # depend on spectator can just load and call this function instead of re-declaring all dependencies. # There's no clear consensus for reusing transitive dependencies, most of the community names them in reverse fqdn # (though sometimes this may include the org name, sometimes just the repo name) and create a set of parameters # omit_xxx where xxx is the reverse fqdn of the dependency so that if the consumer happens to already have it, they can # omit_xxx = True when calling the dependency declaration function and reuse their version. See # https://github.com/google/nomulus/blob/master/java/google/registry/repositories.bzl and the corresponding # https://github.com/google/nomulus/blob/master/WORKSPACE. Discussion https://github.com/bazelbuild/bazel/issues/1952. # # New cmake_external style dependencies are referenced in a different way (e.g. "//external:<name>") so in order to # provide a way for the consumer to use their own version of the dependency which is pulled in a different way # i.e. cmake_external vs Bazel native we provide configuration settings and select the name based on those. # Probably easier to eventually let consumers specify the names altogether. load("@bazel_tools//tools/build_defs/repo:http.bzl", "http_archive") def spectator_dependencies( omit_curl = False, omit_com_github_c_ares_c_ares = False, omit_boringssl = False, omit_net_zlib = False, omit_com_github_skarupke_flat_hash_map = False, omit_com_github_tessil_hopscotch_map = False, omit_com_github_fmtlib_fmt = False, omit_com_github_tencent_rapidjson = False, omit_com_github_gabime_spdlog = False, omit_com_google_googletest = False, omit_com_google_googlebench = False): if not omit_curl: _curl() # Optional curl dependency used to fix https://stackoverflow.com/questions/9191668/error-longjmp-causes-uninitialized-stack-frame. if not omit_com_github_c_ares_c_ares: _com_github_c_ares_c_ares() # curl dependency. if not omit_boringssl: _boringssl() # curl dependency. if not omit_net_zlib: _net_zlib() if not omit_com_github_skarupke_flat_hash_map: _com_github_skarupke_flat_hash_map() if not omit_com_github_tessil_hopscotch_map: _com_github_tessil_hopscotch_map() if not omit_com_github_fmtlib_fmt: _com_github_fmtlib_fmt() if not omit_com_github_tencent_rapidjson: _com_github_tencent_rapidjson() if not omit_com_github_gabime_spdlog: _com_github_gabime_spdlog() if not omit_com_google_googletest: _com_google_googletest() if not omit_com_google_googlebench: _com_google_googlebench() def _curl(): # https://github.com/tensorflow/tensorflow/blob/master/tensorflow/workspace.bzl. http_archive( # Needs build file updates to build with reverse fqdn. name = "curl", build_file = "@spectator//third_party:curl.BUILD", sha256 = "4376ac72b95572fb6c4fbffefb97c7ea0dd083e1974c0e44cd7e49396f454839", strip_prefix = "curl-7.65.3", urls = [ "https://curl.haxx.se/download/curl-7.65.3.tar.gz", ], ) def _com_github_c_ares_c_ares(): # https://github.com/grpc/grpc/blob/master/bazel/grpc_deps.bzl. http_archive( name = "com_github_c_ares_c_ares", build_file = "@spectator//third_party/cares:cares.BUILD", strip_prefix = "c-ares-1.15.0", sha256 = "6cdb97871f2930530c97deb7cf5c8fa4be5a0b02c7cea6e7c7667672a39d6852", url = "https://github.com/c-ares/c-ares/releases/download/cares-1_15_0/c-ares-1.15.0.tar.gz", ) def _boringssl(): # https://github.com/tensorflow/tensorflow/blob/master/tensorflow/workspace.bzl. http_archive( # Envoy uses short name, update when switch to reverse fqdn. name = "boringssl", sha256 = "1188e29000013ed6517168600fc35a010d58c5d321846d6a6dfee74e4c788b45", strip_prefix = "boringssl-7f634429a04abc48e2eb041c81c5235816c96514", urls = ["https://github.com/google/boringssl/archive/7f634429a04abc48e2eb041c81c5235816c96514.tar.gz"], ) def _net_zlib(): # https://github.com/tensorflow/tensorflow/blob/master/tensorflow/workspace.bzl. http_archive( name = "net_zlib", build_file = "@spectator//third_party:zlib.BUILD", sha256 = "c3e5e9fdd5004dcb542feda5ee4f0ff0744628baf8ed2dd5d66f8ca1197cb1a1", strip_prefix = "zlib-1.2.11", urls = [ "https://mirror.bazel.build/zlib.net/zlib-1.2.11.tar.gz", "https://zlib.net/zlib-1.2.11.tar.gz", ], ) def _com_github_skarupke_flat_hash_map(): http_archive( name = "com_github_skarupke_flat_hash_map", build_file = "@spectator//third_party:flat_hash_map.BUILD", sha256 = "513efb9c2f246b6df9fa16c5640618f09804b009e69c8f7bd18b3099a11203d5", strip_prefix = "flat_hash_map-2c4687431f978f02a3780e24b8b701d22aa32d9c", urls = ["https://github.com/skarupke/flat_hash_map/archive/2c4687431f978f02a3780e24b8b701d22aa32d9c.zip"], ) def _com_github_tessil_hopscotch_map(): http_archive( name = "com_github_tessil_hopscotch_map", build_file = "@spectator//third_party:hopscotch_map.BUILD", strip_prefix = "hopscotch-map-2.2.1", sha256 = "73e301925e1418c5ed930ef37ebdcab2c395a6d1bdaf5a012034bb75307d33f1", urls = ["https://github.com/Tessil/hopscotch-map/archive/v2.2.1.tar.gz"], ) def _com_github_fmtlib_fmt(): # https://github.com/envoyproxy/envoy/blob/master/bazel/repository_locations.bzl. http_archive( name = "com_github_fmtlib_fmt", build_file = "@spectator//third_party:fmtlib.BUILD", sha256 = "4c0741e10183f75d7d6f730b8708a99b329b2f942dad5a9da3385ab92bb4a15c", strip_prefix = "fmt-5.3.0", urls = ["https://github.com/fmtlib/fmt/releases/download/5.3.0/fmt-5.3.0.zip"], ) def _com_github_tencent_rapidjson(): # https://github.com/envoyproxy/envoy/blob/master/bazel/repository_locations.bzl. http_archive( name = "com_github_tencent_rapidjson", build_file = "@spectator//third_party:rapidjson.BUILD", sha256 = "bf7ced29704a1e696fbccf2a2b4ea068e7774fa37f6d7dd4039d0787f8bed98e", strip_prefix = "rapidjson-1.1.0", urls = ["https://github.com/Tencent/rapidjson/archive/v1.1.0.tar.gz"], ) def _com_github_gabime_spdlog(): # https://github.com/envoyproxy/envoy/blob/master/bazel/repository_locations.bzl. http_archive( name = "com_github_gabime_spdlog", build_file = "@spectator//third_party:spdlog.BUILD", sha256 = "160845266e94db1d4922ef755637f6901266731c4cb3b30b45bf41efa0e6ab70", strip_prefix = "spdlog-1.3.1", urls = ["https://github.com/gabime/spdlog/archive/v1.3.1.tar.gz"], ) def _com_google_googletest(): http_archive( name = "com_google_googletest", urls = ["https://github.com/google/googletest/archive/release-1.10.0.tar.gz"], strip_prefix = "googletest-release-1.10.0", sha256 = "9dc9157a9a1551ec7a7e43daea9a694a0bb5fb8bec81235d8a1e6ef64c716dcb", ) def _com_google_googlebench(): http_archive( name = "com_google_benchmark", urls = ["https://github.com/google/benchmark/archive/v1.5.0.tar.gz"], strip_prefix = "benchmark-1.5.0", sha256 = "3c6a165b6ecc948967a1ead710d4a181d7b0fbcaa183ef7ea84604994966221a", )
load('@bazel_tools//tools/build_defs/repo:http.bzl', 'http_archive') def spectator_dependencies(omit_curl=False, omit_com_github_c_ares_c_ares=False, omit_boringssl=False, omit_net_zlib=False, omit_com_github_skarupke_flat_hash_map=False, omit_com_github_tessil_hopscotch_map=False, omit_com_github_fmtlib_fmt=False, omit_com_github_tencent_rapidjson=False, omit_com_github_gabime_spdlog=False, omit_com_google_googletest=False, omit_com_google_googlebench=False): if not omit_curl: _curl() if not omit_com_github_c_ares_c_ares: _com_github_c_ares_c_ares() if not omit_boringssl: _boringssl() if not omit_net_zlib: _net_zlib() if not omit_com_github_skarupke_flat_hash_map: _com_github_skarupke_flat_hash_map() if not omit_com_github_tessil_hopscotch_map: _com_github_tessil_hopscotch_map() if not omit_com_github_fmtlib_fmt: _com_github_fmtlib_fmt() if not omit_com_github_tencent_rapidjson: _com_github_tencent_rapidjson() if not omit_com_github_gabime_spdlog: _com_github_gabime_spdlog() if not omit_com_google_googletest: _com_google_googletest() if not omit_com_google_googlebench: _com_google_googlebench() def _curl(): http_archive(name='curl', build_file='@spectator//third_party:curl.BUILD', sha256='4376ac72b95572fb6c4fbffefb97c7ea0dd083e1974c0e44cd7e49396f454839', strip_prefix='curl-7.65.3', urls=['https://curl.haxx.se/download/curl-7.65.3.tar.gz']) def _com_github_c_ares_c_ares(): http_archive(name='com_github_c_ares_c_ares', build_file='@spectator//third_party/cares:cares.BUILD', strip_prefix='c-ares-1.15.0', sha256='6cdb97871f2930530c97deb7cf5c8fa4be5a0b02c7cea6e7c7667672a39d6852', url='https://github.com/c-ares/c-ares/releases/download/cares-1_15_0/c-ares-1.15.0.tar.gz') def _boringssl(): http_archive(name='boringssl', sha256='1188e29000013ed6517168600fc35a010d58c5d321846d6a6dfee74e4c788b45', strip_prefix='boringssl-7f634429a04abc48e2eb041c81c5235816c96514', urls=['https://github.com/google/boringssl/archive/7f634429a04abc48e2eb041c81c5235816c96514.tar.gz']) def _net_zlib(): http_archive(name='net_zlib', build_file='@spectator//third_party:zlib.BUILD', sha256='c3e5e9fdd5004dcb542feda5ee4f0ff0744628baf8ed2dd5d66f8ca1197cb1a1', strip_prefix='zlib-1.2.11', urls=['https://mirror.bazel.build/zlib.net/zlib-1.2.11.tar.gz', 'https://zlib.net/zlib-1.2.11.tar.gz']) def _com_github_skarupke_flat_hash_map(): http_archive(name='com_github_skarupke_flat_hash_map', build_file='@spectator//third_party:flat_hash_map.BUILD', sha256='513efb9c2f246b6df9fa16c5640618f09804b009e69c8f7bd18b3099a11203d5', strip_prefix='flat_hash_map-2c4687431f978f02a3780e24b8b701d22aa32d9c', urls=['https://github.com/skarupke/flat_hash_map/archive/2c4687431f978f02a3780e24b8b701d22aa32d9c.zip']) def _com_github_tessil_hopscotch_map(): http_archive(name='com_github_tessil_hopscotch_map', build_file='@spectator//third_party:hopscotch_map.BUILD', strip_prefix='hopscotch-map-2.2.1', sha256='73e301925e1418c5ed930ef37ebdcab2c395a6d1bdaf5a012034bb75307d33f1', urls=['https://github.com/Tessil/hopscotch-map/archive/v2.2.1.tar.gz']) def _com_github_fmtlib_fmt(): http_archive(name='com_github_fmtlib_fmt', build_file='@spectator//third_party:fmtlib.BUILD', sha256='4c0741e10183f75d7d6f730b8708a99b329b2f942dad5a9da3385ab92bb4a15c', strip_prefix='fmt-5.3.0', urls=['https://github.com/fmtlib/fmt/releases/download/5.3.0/fmt-5.3.0.zip']) def _com_github_tencent_rapidjson(): http_archive(name='com_github_tencent_rapidjson', build_file='@spectator//third_party:rapidjson.BUILD', sha256='bf7ced29704a1e696fbccf2a2b4ea068e7774fa37f6d7dd4039d0787f8bed98e', strip_prefix='rapidjson-1.1.0', urls=['https://github.com/Tencent/rapidjson/archive/v1.1.0.tar.gz']) def _com_github_gabime_spdlog(): http_archive(name='com_github_gabime_spdlog', build_file='@spectator//third_party:spdlog.BUILD', sha256='160845266e94db1d4922ef755637f6901266731c4cb3b30b45bf41efa0e6ab70', strip_prefix='spdlog-1.3.1', urls=['https://github.com/gabime/spdlog/archive/v1.3.1.tar.gz']) def _com_google_googletest(): http_archive(name='com_google_googletest', urls=['https://github.com/google/googletest/archive/release-1.10.0.tar.gz'], strip_prefix='googletest-release-1.10.0', sha256='9dc9157a9a1551ec7a7e43daea9a694a0bb5fb8bec81235d8a1e6ef64c716dcb') def _com_google_googlebench(): http_archive(name='com_google_benchmark', urls=['https://github.com/google/benchmark/archive/v1.5.0.tar.gz'], strip_prefix='benchmark-1.5.0', sha256='3c6a165b6ecc948967a1ead710d4a181d7b0fbcaa183ef7ea84604994966221a')
# print(123456) # print('Kaic', 'Pierre', 'Outra Coisa') # print('Kaic', 'Pierre', sep='-', end='') # print('Testando', 'Outras', 'Coisas', sep='-', end='') print('428', '330', '048', sep='.', end='-') print('93')
print('428', '330', '048', sep='.', end='-') print('93')
sym_text = '''Symbol|Security Name|Market Category|Test Issue|Financial Status|Round Lot Size AAIT|iShares MSCI All Country Asia Information Technology Index Fund|G|N|N|100 AAL|American Airlines Group, Inc. - Common Stock|Q|N|N|100 AAME|Atlantic American Corporation - Common Stock|G|N|N|100 AAOI|Applied Optoelectronics, Inc. - Common Stock|G|N|N|100 AAON|AAON, Inc. - Common Stock|Q|N|N|100 AAPL|Apple Inc. - Common Stock|Q|N|N|100 AAVL|Avalanche Biotechnologies, Inc. - Common Stock|G|N|N|100 AAWW|Atlas Air Worldwide Holdings - Common Stock|Q|N|N|100 AAXJ|iShares MSCI All Country Asia ex Japan Index Fund|G|N|N|100 ABAC|Aoxin Tianli Group, Inc. - Common Shares|S|N|N|100 ABAX|ABAXIS, Inc. - Common Stock|Q|N|N|100 ABCB|Ameris Bancorp - Common Stock|Q|N|N|100 ABCD|Cambium Learning Group, Inc. - Common Stock|S|N|N|100 ABCO|The Advisory Board Company - Common Stock|Q|N|N|100 ABCW|Anchor BanCorp Wisconsin Inc. - Common Stock|Q|N|N|100 ABDC|Alcentra Capital Corp. - Common Stock|Q|N|N|100 ABGB|Abengoa, S.A. - American Depositary Shares|Q|N|N|100 ABIO|ARCA biopharma, Inc. - Common Stock|S|N|D|100 ABMD|ABIOMED, Inc. - Common Stock|Q|N|N|100 ABTL|Autobytel Inc. - Common Stock|S|N|N|100 ABY|Abengoa Yield plc - Ordinary Shares|Q|N|N|100 ACAD|ACADIA Pharmaceuticals Inc. - Common Stock|Q|N|N|100 ACAS|American Capital, Ltd. - Common Stock|Q|N|N|100 ACAT|Arctic Cat Inc. - Common Stock|Q|N|N|100 ACET|Aceto Corporation - Common Stock|Q|N|N|100 ACFC|Atlantic Coast Financial Corporation - Common Stock|G|N|N|100 ACFN|Acorn Energy, Inc. - Common Stock|G|N|D|100 ACGL|Arch Capital Group Ltd. - Common Stock|Q|N|N|100 ACHC|Acadia Healthcare Company, Inc. - Common Stock|Q|N|N|100 ACHN|Achillion Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 ACIW|ACI Worldwide, Inc. - Common Stock|Q|N|N|100 ACLS|Axcelis Technologies, Inc. - Common Stock|Q|N|N|100 ACNB|ACNB Corporation - Common Stock|S|N|N|100 ACOR|Acorda Therapeutics, Inc. - Common Stock|Q|N|N|100 ACPW|Active Power, Inc. - Common Stock|S|N|N|100 ACRX|AcelRx Pharmaceuticals, Inc. - Common Stock|G|N|N|100 ACSF|American Capital Senior Floating, Ltd. - Common Stock|Q|N|N|100 ACST|Acasti Pharma, Inc. - Class A Common Stock|S|N|D|100 ACTA|Actua Corporation - Common Stock|Q|N|N|100 ACTG|Acacia Research Corporation - Common Stock|Q|N|N|100 ACTS|Actions Semiconductor Co., Ltd. - American Depositary Shares, each representing Six Ordinary Shares|Q|N|N|100 ACUR|Acura Pharmaceuticals, Inc. - Common Stock|S|N|D|100 ACWI|iShares MSCI ACWI Index Fund|G|N|N|100 ACWX|iShares MSCI ACWI ex US Index Fund|G|N|N|100 ACXM|Acxiom Corporation - Common Stock|Q|N|N|100 ADAT|Authentidate Holding Corp. - Common Stock|S|N|D|100 ADBE|Adobe Systems Incorporated - Common Stock|Q|N|N|100 ADEP|Adept Technology, Inc. - Common Stock|S|N|N|100 ADHD|Alcobra Ltd. - Ordinary Shares|G|N|N|100 ADI|Analog Devices, Inc. - Common Stock|Q|N|N|100 ADMA|ADMA Biologics Inc - Common Stock|S|N|N|100 ADMP|Adamis Pharmaceuticals Corporation - Common Stock|S|N|N|100 ADMS|Adamas Pharmaceuticals, Inc. - Common Stock|G|N|N|100 ADNC|Audience, Inc. - Common Stock|Q|N|N|100 ADP|Automatic Data Processing, Inc. - Common Stock|Q|N|N|100 ADRA|BLDRS Asia 50 ADR Index Fund|G|N|N|100 ADRD|BLDRS Developed Markets 100 ADR Index Fund|G|N|N|100 ADRE|BLDRS Emerging Markets 50 ADR Index Fund|G|N|N|100 ADRU|BLDRS Europe 100 ADR Index Fund|G|N|N|100 ADSK|Autodesk, Inc. - Common Stock|Q|N|N|100 ADTN|ADTRAN, Inc. - Common Stock|Q|N|N|100 ADUS|Addus HomeCare Corporation - Common Stock|Q|N|N|100 ADVS|Advent Software, Inc. - Common Stock|Q|N|N|100 ADXS|Advaxis, Inc. - Common Stock|S|N|N|100 ADXSW|Advaxis, Inc. - Warrants|S|N|N|100 AEGN|Aegion Corp - Class A Common Stock|Q|N|N|100 AEGR|Aegerion Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 AEHR|Aehr Test Systems - Common Stock|S|N|N|100 AEIS|Advanced Energy Industries, Inc. - Common Stock|Q|N|N|100 AEPI|AEP Industries Inc. - Common Stock|Q|N|N|100 AERI|Aerie Pharmaceuticals, Inc. - Common Stock|G|N|N|100 AETI|American Electric Technologies, Inc. - Common Stock|S|N|N|100 AEY|ADDvantage Technologies Group, Inc. - Common Stock|G|N|N|100 AEZS|AEterna Zentaris Inc. - Common Stock|S|N|D|100 AFAM|Almost Family Inc - Common Stock|Q|N|N|100 AFCB|Athens Bancshares Corporation - Common Stock|S|N|N|100 AFFX|Affymetrix, Inc. - Common Stock|Q|N|N|100 AFH|Atlas Financial Holdings, Inc. - Ordinary Shares|S|N|N|100 AFMD|Affimed N.V. - Common Stock|G|N|N|100 AFOP|Alliance Fiber Optic Products, Inc. - Common Stock|G|N|N|100 AFSI|AmTrust Financial Services, Inc. - Common Stock|Q|N|N|100 AGEN|Agenus Inc. - Common Stock|S|N|N|100 AGII|Argo Group International Holdings, Ltd. - Common Stock|Q|N|N|100 AGIIL|Argo Group International Holdings, Ltd. - 6.5% Senior Notes Due 2042|Q|N|N|100 AGIO|Agios Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 AGNC|American Capital Agency Corp. - Common Stock|Q|N|N|100 AGNCB|American Capital Agency Corp. - Depositary Shares representing 1/1000th Series B Preferred Stock|Q|N|N|100 AGNCP|American Capital Agency Corp. - Cumulative Preferred Series A|Q|N|N|100 AGND|WisdomTree Barclays U.S. Aggregate Bond Negative Duration Fund|G|N|N|100 AGRX|Agile Therapeutics, Inc. - Common Stock|G|N|N|100 AGTC|Applied Genetic Technologies Corporation - Common Stock|G|N|N|100 AGYS|Agilysys, Inc. - Common Stock|Q|N|N|100 AGZD|WisdomTree Barclays U.S. Aggregate Bond Zero Duration Fund|G|N|N|100 AHGP|Alliance Holdings GP, L.P. - Common Units Representing Limited Partner Interests|Q|N|N|100 AHPI|Allied Healthcare Products, Inc. - Common Stock|G|N|N|100 AIMC|Altra Industrial Motion Corp. - Common Stock|Q|N|N|100 AINV|Apollo Investment Corporation - Closed End Fund|Q|N|N|100 AIQ|Alliance HealthCare Services, Inc. - Common Stock|G|N|N|100 AIRM|Air Methods Corporation - Common Stock|Q|N|N|100 AIRR|First Trust RBA American Industrial Renaissance ETF|G|N|N|100 AIRT|Air T, Inc. - Common Stock|S|N|N|100 AIXG|Aixtron SE - American Depositary Shares, each representing one Ordinary Share|Q|N|N|100 AKAM|Akamai Technologies, Inc. - Common Stock|Q|N|N|100 AKAO|Achaogen, Inc. - Common Stock|G|N|N|100 AKBA|Akebia Therapeutics, Inc. - Common Stock|G|N|N|100 AKER|Akers Biosciences Inc - Common Stock|S|N|N|100 AKRX|Akorn, Inc. - Common Stock|Q|N|N|100 ALCO|Alico, Inc. - Common Stock|Q|N|N|100 ALDR|Alder BioPharmaceuticals, Inc. - Common Stock|G|N|N|100 ALDX|Aldeyra Therapeutics, Inc. - Common Stock|S|N|N|100 ALGN|Align Technology, Inc. - Common Stock|Q|N|N|100 ALGT|Allegiant Travel Company - Common Stock|Q|N|N|100 ALIM|Alimera Sciences, Inc. - Common Stock|G|N|N|100 ALKS|Alkermes plc - Ordinary Shares|Q|N|N|100 ALLB|Alliance Bancorp, Inc. of Pennsylvania - Common Stock|G|N|N|100 ALLT|Allot Communications Ltd. - Ordinary Shares|Q|N|N|100 ALNY|Alnylam Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 ALOG|Analogic Corporation - Common Stock|Q|N|N|100 ALOT|Astro-Med, Inc. - Common Stock|G|N|N|100 ALQA|Alliqua BioMedical, Inc. - Common Stock|S|N|N|100 ALSK|Alaska Communications Systems Group, Inc. - Common Stock|Q|N|N|100 ALTR|Altera Corporation - Common Stock|Q|N|N|100 ALXA|Alexza Pharmaceuticals, Inc. - Common Stock|S|N|N|100 ALXN|Alexion Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 AMAG|AMAG Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 AMAT|Applied Materials, Inc. - Common Stock|Q|N|N|100 AMBA|Ambarella, Inc. - Ordinary Shares|Q|N|N|100 AMBC|Ambac Financial Group, Inc. - Common Stock|Q|N|N|100 AMBCW|Ambac Financial Group, Inc. - Warrants|Q|N|N|100 AMCC|Applied Micro Circuits Corporation - Common Stock|Q|N|N|100 AMCF|Andatee China Marine Fuel Services Corporation - Common Stock|S|N|N|100 AMCN|AirMedia Group Inc - American Depositary Shares, each representing two ordinary shares|Q|N|N|100 AMCX|AMC Networks Inc. - Class A Common Stock|Q|N|N|100 AMD|Advanced Micro Devices, Inc. - Common Stock|S|N|N|100 AMDA|Amedica Corporation - Common Stock|S|N|D|100 AMED|Amedisys Inc - Common Stock|Q|N|N|100 AMGN|Amgen Inc. - Common Stock|Q|N|N|100 AMIC|American Independence Corp. - Common Stock|G|N|N|100 AMKR|Amkor Technology, Inc. - Common Stock|Q|N|N|100 AMNB|American National Bankshares, Inc. - Common Stock|Q|N|N|100 AMOT|Allied Motion Technologies, Inc. - Common Stock|G|N|N|100 AMOV|America Movil, S.A.B. de C.V. - American Depositary Shares, each representing 20 A Shares|Q|N|N|100 AMPH|Amphastar Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 AMRB|American River Bankshares - Common Stock|Q|N|N|100 AMRI|Albany Molecular Research, Inc. - Common Stock|Q|N|N|100 AMRK|A-Mark Precious Metals, Inc. - Common Stock|Q|N|N|100 AMRN|Amarin Corporation plc - American Depositary Shares, each representing one Ordinary Share|G|N|N|100 AMRS|Amyris, Inc. - Common Stock|Q|N|N|100 AMSC|American Superconductor Corporation - Common Stock|Q|N|D|100 AMSF|AMERISAFE, Inc. - Common Stock|Q|N|N|100 AMSG|Amsurg Corp. - Common Stock|Q|N|N|100 AMSGP|Amsurg Corp. - 5.250% Mandatory Convertible Preferred Stock, Series A-1|Q|N|N|100 AMSWA|American Software, Inc. - Class A Common Stock|Q|N|N|100 AMTX|Aemetis, Inc - Common Stock|G|N|N|100 AMWD|American Woodmark Corporation - Common Stock|Q|N|N|100 AMZN|Amazon.com, Inc. - Common Stock|Q|N|N|100 ANAC|Anacor Pharmaceuticals, Inc. - Common Stock|G|N|N|100 ANAD|ANADIGICS, Inc. - Common Stock|Q|N|N|100 ANAT|American National Insurance Company - Common Stock|Q|N|N|100 ANCB|Anchor Bancorp - Common Stock|G|N|N|100 ANCI|American Caresource Holdings Inc - Common Stock|S|N|D|100 ANCX|Access National Corporation - Common Stock|G|N|N|100 ANDE|The Andersons, Inc. - Common Stock|Q|N|N|100 ANGI|Angie's List, Inc. - Common Stock|Q|N|N|100 ANGO|AngioDynamics, Inc. - Common Stock|Q|N|N|100 ANIK|Anika Therapeutics Inc. - Common Stock|Q|N|N|100 ANIP|ANI Pharmaceuticals, Inc. - Common Stock|G|N|N|100 ANSS|ANSYS, Inc. - Common Stock|Q|N|N|100 ANTH|Anthera Pharmaceuticals, Inc. - Common Stock|G|N|N|100 ANY|Sphere 3D Corp. - Common Shares|G|N|N|100 AOSL|Alpha and Omega Semiconductor Limited - Common Shares|Q|N|N|100 APDN|Applied DNA Sciences Inc - Common Stock|S|N|N|100 APDNW|Applied DNA Sciences Inc - Warrant|S|N|N|100 APEI|American Public Education, Inc. - Common Stock|Q|N|N|100 APOG|Apogee Enterprises, Inc. - Common Stock|Q|N|N|100 APOL|Apollo Education Group, Inc. - Class A Common Stock|Q|N|N|100 APPS|Digital Turbine, Inc. - Common Stock|S|N|N|100 APPY|Venaxis, Inc. - Common Stock|S|N|D|100 APRI|Apricus Biosciences, Inc - Common Stock|S|N|N|100 APTO|Aptose Biosciences, Inc. - Common Shares|S|N|N|100 APWC|Asia Pacific Wire & Cable Corporation Limited - Common shares, Par value .01 per share|G|N|N|100 AQXP|Aquinox Pharmaceuticals, Inc. - Common Stock|G|N|N|100 ARAY|Accuray Incorporated - Common Stock|Q|N|N|100 ARCB|ArcBest Corporation - Common Stock|Q|N|N|100 ARCC|Ares Capital Corporation - Closed End Fund|Q|N|N|100 ARCI|Appliance Recycling Centers of America, Inc. - Common Stock|S|N|N|100 ARCP|American Realty Capital Properties, Inc. - Common Stock|Q|N|N|100 ARCPP|American Realty Capital Properties, Inc. - 6.70% Series F Cumulative Redeemable Preferred Stock|Q|N|N|100 ARCW|ARC Group Worldwide, Inc. - Common Stock|S|N|N|100 ARDM|Aradigm Corporation - Common Stock|S|N|N|100 ARDX|Ardelyx, Inc. - Common Stock|G|N|N|100 AREX|Approach Resources Inc. - Common Stock|Q|N|N|100 ARGS|Argos Therapeutics, Inc. - Common Stock|G|N|N|100 ARIA|ARIAD Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 ARII|American Railcar Industries, Inc. - Common Stock|Q|N|N|100 ARIS|ARI Network Services, Inc. - Common Stock|S|N|N|100 ARKR|Ark Restaurants Corp. - Common Stock|G|N|N|100 ARLP|Alliance Resource Partners, L.P. - Common Units Representing Limited Partnership Interests|Q|N|N|100 ARMH|ARM Holdings plc - American Depositary Shares each representing 3 Ordinary Shares|Q|N|N|100 ARNA|Arena Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 AROW|Arrow Financial Corporation - Common Stock|Q|N|N|100 ARQL|ArQule, Inc. - Common Stock|G|N|N|100 ARRS|ARRIS Group, Inc. - Common Stock|Q|N|N|100 ARRY|Array BioPharma Inc. - Common Stock|G|N|N|100 ARTNA|Artesian Resources Corporation - Class A Non-Voting Common Stock|Q|N|N|100 ARTW|Art's-Way Manufacturing Co., Inc. - Common Stock|S|N|N|100 ARTX|Arotech Corporation - Common Stock|G|N|N|100 ARUN|Aruba Networks, Inc. - Common Stock|Q|N|N|100 ARWR|Arrowhead Research Corporation - Common Stock|Q|N|N|100 ASBB|ASB Bancorp, Inc. - Common Stock|G|N|N|100 ASBI|Ameriana Bancorp - Common Stock|S|N|N|100 ASCMA|Ascent Capital Group, Inc. - Series A Common Stock|Q|N|N|100 ASEI|American Science and Engineering, Inc. - Common Stock|Q|N|N|100 ASFI|Asta Funding, Inc. - Common Stock|Q|N|H|100 ASMB|Assembly Biosciences, Inc. - Common Stock|S|N|N|100 ASMI|ASM International N.V. - Common Shares|Q|N|N|100 ASML|ASML Holding N.V. - ADS represents 1 ordinary share|Q|N|N|100 ASNA|Ascena Retail Group, Inc. - Common Stock|Q|N|N|100 ASND|Ascendis Pharma A/S - American Depositary Shares|Q|N|N|100 ASPS|Altisource Portfolio Solutions S.A. - Common Stock|Q|N|N|100 ASPX|Auspex Pharmaceuticals, Inc. - Common Stock|G|N|N|100 ASRV|AmeriServ Financial Inc. - Common Stock|G|N|N|100 ASRVP|AmeriServ Financial Inc. - AmeriServ Financial Trust I - 8.45% Beneficial Unsecured Securities, Series A|G|N|N|100 ASTC|Astrotech Corporation - Common Stock|S|N|N|100 ASTE|Astec Industries, Inc. - Common Stock|Q|N|N|100 ASTI|Ascent Solar Technologies, Inc. - Common Stock|S|N|N|100 ASUR|Asure Software Inc - Common Stock|S|N|N|100 ASYS|Amtech Systems, Inc. - Common Stock|Q|N|D|100 ATAI|ATA Inc. - American Depositary Shares, each representing two common shares|G|N|N|100 ATAX|America First Multifamily Investors, L.P. - Beneficial Unit Certificates (BUCs) representing Limited Partnership Interests|Q|N|N|100 ATEC|Alphatec Holdings, Inc. - Common Stock|Q|N|N|100 ATHN|athenahealth, Inc. - Common Stock|Q|N|N|100 ATHX|Athersys, Inc. - Common Stock|S|N|N|100 ATLC|Atlanticus Holdings Corporation - Common Stock|Q|N|N|100 ATLO|Ames National Corporation - Common Stock|S|N|N|100 ATML|Atmel Corporation - Common Stock|Q|N|N|100 ATNI|Atlantic Tele-Network, Inc. - Common Stock|Q|N|N|100 ATNY|API Technologies Corp. - Common Stock|S|N|N|100 ATOS|Atossa Genetics Inc. - Common Stock|S|N|N|100 ATRA|Atara Biotherapeutics, Inc. - Common Stock|Q|N|N|100 ATRC|AtriCure, Inc. - Common Stock|G|N|N|100 ATRI|ATRION Corporation - Common Stock|Q|N|N|100 ATRM|ATRM Holdings, Inc. - Common Stock|S|N|E|100 ATRO|Astronics Corporation - Common Stock|Q|N|N|100 ATRS|Antares Pharma, Inc. - Common Stock|S|N|N|100 ATSG|Air Transport Services Group, Inc - Common Stock|Q|N|N|100 ATTU|Attunity Ltd. - Ordinary Shares|S|N|N|100 ATVI|Activision Blizzard, Inc - Common Stock|Q|N|N|100 AUBN|Auburn National Bancorporation, Inc. - Common Stock|G|N|N|100 AUDC|AudioCodes Ltd. - Ordinary Shares|Q|N|N|100 AUMA|AR Capital Acquisition Corp. - Common Stock|S|N|N|100 AUMAU|AR Capital Acquisition Corp. - Units|S|N|N|100 AUMAW|AR Capital Acquisition Corp. - Warrants|S|N|N|100 AUPH|Aurinia Pharmaceuticals Inc - Common Shares|G|N|N|100 AVAV|AeroVironment, Inc. - Common Stock|Q|N|N|100 AVEO|AVEO Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 AVGO|Avago Technologies Limited - Ordinary Shares|Q|N|N|100 AVGR|Avinger, Inc. - Common Stock|G|N|N|100 AVHI|A V Homes, Inc. - Common Stock|Q|N|N|100 AVID|Avid Technology, Inc. - Common Stock|Q|N|N|100 AVNU|Avenue Financial Holdings, Inc. - Common Stock|Q|N|N|100 AVNW|Aviat Networks, Inc. - Common Stock|Q|N|N|100 AWAY|HomeAway, Inc. - Common Stock|Q|N|N|100 AWRE|Aware, Inc. - Common Stock|G|N|N|100 AXAS|Abraxas Petroleum Corporation - Common Stock|S|N|N|100 AXDX|Accelerate Diagnostics, Inc. - Common Stock|S|N|N|100 AXGN|AxoGen, Inc. - Common Stock|S|N|N|100 AXJS|iShares MSCI All Country Asia ex Japan Small Cap Index Fund|G|N|N|100 AXPW|Axion Power International, Inc. - Common Stock|S|N|D|100 AXPWW|Axion Power International, Inc. - Series A Warrants|S|N|N|100 AXTI|AXT Inc - Common Stock|Q|N|N|100 AZPN|Aspen Technology, Inc. - Common Stock|Q|N|N|100 BABY|Natus Medical Incorporated - Common Stock|Q|N|N|100 BAGR|Diversified Restaurant Holdings, Inc. - Common Stock|S|N|N|100 BAMM|Books-A-Million, Inc. - Common Stock|Q|N|N|100 BANF|BancFirst Corporation - Common Stock|Q|N|N|100 BANFP|BancFirst Corporation - 7.2% Cumulative Trust Preferred Securities|Q|N|N|100 BANR|Banner Corporation - Common Stock|Q|N|N|100 BANX|StoneCastle Financial Corp - Common Stock|Q|N|N|100 BASI|Bioanalytical Systems, Inc. - Common Stock|S|N|N|100 BBBY|Bed Bath & Beyond Inc. - Common Stock|Q|N|N|100 BBC|BioShares Biotechnology Clinical Trials Fund|G|N|N|100 BBCN|BBCN Bancorp, Inc. - Common Stock|Q|N|N|100 BBEP|BreitBurn Energy Partners, L.P. - Common Units Representing Limited Partnership|Q|N|N|100 BBEPP|BreitBurn Energy Partners, L.P. - 8.25% Series A Cumulative Redeemable Perpetual Preferred Units|Q|N|N|100 BBGI|Beasley Broadcast Group, Inc. - Class A Common Stock|G|N|N|100 BBLU|Blue Earth, Inc. - Common Stock|S|N|D|100 BBNK|Bridge Capital Holdings - Common Stock|Q|N|N|100 BBOX|Black Box Corporation - Common Stock|Q|N|N|100 BBP|BioShares Biotechnology Products Fund|G|N|N|100 BBRG|Bravo Brio Restaurant Group, Inc. - Common Stock|Q|N|N|100 BBRY|BlackBerry Limited - Common Stock|Q|N|N|100 BBSI|Barrett Business Services, Inc. - Common Stock|Q|N|N|100 BCBP|BCB Bancorp, Inc. (NJ) - Common Stock|G|N|N|100 BCLI|Brainstorm Cell Therapeutics Inc. - Common Stock|S|N|N|100 BCOM|B Communications Ltd. - Ordinary Shares|Q|N|N|100 BCOR|Blucora, Inc. - Common Stock|Q|N|N|100 BCOV|Brightcove Inc. - Common Stock|Q|N|N|100 BCPC|Balchem Corporation - Common Stock|Q|N|N|100 BCRX|BioCryst Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 BDBD|Boulder Brands, Inc. - Common Stock|Q|N|N|100 BDCV|BDCA Venture, Inc. - Common Stock|S|N|N|100 BDE|Black Diamond, Inc. - Common Stock|Q|N|D|100 BDGE|Bridge Bancorp, Inc. - Common Stock|Q|N|N|100 BDMS|Birner Dental Management Services, Inc. - Common Stock|S|N|N|100 BDSI|BioDelivery Sciences International, Inc. - Common Stock|S|N|N|100 BEAT|BioTelemetry, Inc. - Common Stock|Q|N|N|100 BEAV|B/E Aerospace, Inc. - Common Stock|Q|N|N|100 BEBE|bebe stores, inc. - Common Stock|Q|N|N|100 BECN|Beacon Roofing Supply, Inc. - Common Stock|Q|N|N|100 BELFA|Bel Fuse Inc. - Class A Common Stock|Q|N|N|100 BELFB|Bel Fuse Inc. - Class B Common Stock|Q|N|N|100 BFIN|BankFinancial Corporation - Common Stock|Q|N|N|100 BGCP|BGC Partners, Inc. - Class A Common Stock|Q|N|N|100 BGFV|Big 5 Sporting Goods Corporation - Common Stock|Q|N|N|100 BGMD|BG Medicine, Inc. - Common Stock|S|N|D|100 BHAC|Barington/Hilco Acquisition Corp. - Common Stock|S|N|N|100 BHACR|Barington/Hilco Acquisition Corp. - Rights|S|N|N|100 BHACU|Barington/Hilco Acquisition Corp. - Units|S|N|N|100 BHACW|Barington/Hilco Acquisition Corp. - Warrants|S|N|N|100 BHBK|Blue Hills Bancorp, Inc. - Common Stock|Q|N|N|100 BIB|ProShares Ultra Nasdaq Biotechnology|G|N|N|100 BICK|First Trust BICK Index Fund|G|N|N|100 BIDU|Baidu, Inc. - American Depositary Shares, each representing one tenth Class A ordinary share|Q|N|N|100 BIIB|Biogen Inc. - Common Stock|Q|N|N|100 BIND|BIND Therapeutics, Inc. - Common Stock|Q|N|N|100 BIOC|Biocept, Inc. - Common Stock|S|N|N|100 BIOD|Biodel Inc. - Common Stock|S|N|N|100 BIOL|Biolase, Inc. - Common Stock|S|N|N|100 BIOS|BioScrip, Inc. - Common Stock|Q|N|N|100 BIS|ProShares UltraShort Nasdaq Biotechnology|G|N|N|100 BJRI|BJ's Restaurants, Inc. - Common Stock|Q|N|N|100 BKCC|BlackRock Capital Investment Corporation - Common Stock|Q|N|N|100 BKEP|Blueknight Energy Partners L.P., L.L.C. - Common Units representing Limited Partner Interests|G|N|N|100 BKEPP|Blueknight Energy Partners L.P., L.L.C. - Series A Preferred Units|G|N|N|100 BKMU|Bank Mutual Corporation - Common Stock|Q|N|N|100 BKSC|Bank of South Carolina Corp. - Common Stock|S|N|N|100 BKYF|The Bank of Kentucky Financial Corp. - Common Stock|Q|N|N|100 BLBD|Blue Bird Corporation - Common Stock|S|N|D|100 BLBDW|Blue Bird Corporation - Warrant|S|N|D|100 BLCM|Bellicum Pharmaceuticals, Inc. - Common Stock|G|N|N|100 BLDP|Ballard Power Systems, Inc. - Common Shares|G|N|N|100 BLDR|Builders FirstSource, Inc. - Common Stock|Q|N|N|100 BLFS|BioLife Solutions, Inc. - Common Stock|S|N|N|100 BLIN|Bridgeline Digital, Inc. - Common Stock|S|N|D|100 BLKB|Blackbaud, Inc. - Common Stock|Q|N|N|100 BLMN|Bloomin' Brands, Inc. - Common Stock|Q|N|N|100 BLMT|BSB Bancorp, Inc. - Common Stock|S|N|N|100 BLPH|Bellerophon Therapeutics, Inc. - Common Stock|G|N|N|100 BLRX|BioLineRx Ltd. - American Depositary Shares|S|N|N|100 BLUE|bluebird bio, Inc. - Common Stock|Q|N|N|100 BLVD|Boulevard Acquisition Corp. - Common Stock|S|N|N|100 BLVDU|Boulevard Acquisition Corp. - Units|S|N|N|100 BLVDW|Boulevard Acquisition Corp. - Warrants|S|N|N|100 BMRC|Bank of Marin Bancorp - Common Stock|S|N|N|100 BMRN|BioMarin Pharmaceutical Inc. - Common Stock|Q|N|N|100 BMTC|Bryn Mawr Bank Corporation - Common Stock|Q|N|N|100 BNCL|Beneficial Bancorp, Inc. - Common Stock|Q|N|N|100 BNCN|BNC Bancorp - Common Stock|S|N|N|100 BNDX|Vanguard Total International Bond ETF|G|N|N|100 BNFT|Benefitfocus, Inc. - Common Stock|G|N|N|100 BNSO|Bonso Electronics International, Inc. - Common Stock|S|N|N|100 BOBE|Bob Evans Farms, Inc. - Common Stock|Q|N|N|100 BOCH|Bank of Commerce Holdings (CA) - Common Stock|G|N|N|100 BOFI|BofI Holding, Inc. - Common Stock|Q|N|N|100 BOKF|BOK Financial Corporation - Common Stock|Q|N|N|100 BONA|Bona Film Group Limited - American Depositary Shares|Q|N|N|100 BONT|The Bon-Ton Stores, Inc. - Common Stock|Q|N|N|100 BOOM|Dynamic Materials Corporation - Common Stock|Q|N|N|100 BOSC|B.O.S. Better Online Solutions - Ordinary Shares|S|N|N|100 BOTA|Biota Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 BOTJ|Bank of the James Financial Group, Inc. - Common Stock|S|N|N|100 BPFH|Boston Private Financial Holdings, Inc. - Common Stock|Q|N|N|100 BPFHP|Boston Private Financial Holdings, Inc. - Depositary Shares representing 1/40th Interest in a Share of 6.95% Non-Cumulative Perpetual Preferred Stock, Series D|Q|N|N|100 BPFHW|Boston Private Financial Holdings, Inc. - Warrants to purchase 1 share of common stock @ $8.00/share|Q|N|N|100 BPOP|Popular, Inc. - Common Stock|Q|N|N|100 BPOPM|Popular, Inc. - Popular Capital Trust II - 6.125% Cumulative Monthly Income Trust Preferred Securities|Q|N|N|100 BPOPN|Popular, Inc. - Popular Capital Trust I -6.70% Cumulative Monthly Income Trust Preferred Securities|Q|N|N|100 BPTH|Bio-Path Holdings, Inc. - Common Stock|S|N|N|100 BRCD|Brocade Communications Systems, Inc. - Common Stock|Q|N|N|100 BRCM|Broadcom Corporation - Class A Common Stock|Q|N|N|100 BRDR|Borderfree, Inc. - Common Stock|Q|N|N|100 BREW|Craft Brew Alliance, Inc. - Common Stock|Q|N|N|100 BRID|Bridgford Foods Corporation - Common Stock|G|N|N|100 BRKL|Brookline Bancorp, Inc. - Common Stock|Q|N|N|100 BRKR|Bruker Corporation - Common Stock|Q|N|N|100 BRKS|Brooks Automation, Inc. - Common Stock|Q|N|N|100 BRLI|Bio-Reference Laboratories, Inc. - Common Stock|Q|N|N|100 BSET|Bassett Furniture Industries, Incorporated - Common Stock|Q|N|N|100 BSF|Bear State Financial, Inc. - Common Stock|G|N|N|100 BSFT|BroadSoft, Inc. - Common Stock|Q|N|N|100 BSPM|Biostar Pharmaceuticals, Inc. - Common Stock|S|N|N|100 BSQR|BSQUARE Corporation - Common Stock|G|N|N|100 BSRR|Sierra Bancorp - Common Stock|Q|N|N|100 BSTC|BioSpecifics Technologies Corp - Common Stock|G|N|D|100 BUR|Burcon NutraScience Corp - Ordinary Shares|G|N|N|100 BUSE|First Busey Corporation - Common Stock|Q|N|N|100 BV|Bazaarvoice, Inc. - Common Stock|Q|N|N|100 BVA|Cordia Bancorp Inc. - Common Stock|S|N|N|100 BVSN|BroadVision, Inc. - Common Stock|G|N|N|100 BWEN|Broadwind Energy, Inc. - Common Stock|S|N|N|100 BWFG|Bankwell Financial Group, Inc. - Common Stock|G|N|N|100 BWINA|Baldwin & Lyons, Inc. - Class A (voting) Common Stock|G|N|N|100 BWINB|Baldwin & Lyons, Inc. - Class B (nonvoting) Common Stock|G|N|N|100 BWLD|Buffalo Wild Wings, Inc. - Common Stock|Q|N|N|100 BYBK|Bay Bancorp, Inc. - Common Stock|S|N|N|100 BYFC|Broadway Financial Corporation - Common Stock|S|N|N|100 BYLK|Baylake Corp - Common Stock|S|N|N|100 CA|CA Inc. - Common Stock|Q|N|N|100 CAAS|China Automotive Systems, Inc. - Common Stock|S|N|N|100 CAC|Camden National Corporation - Common Stock|Q|N|N|100 CACB|Cascade Bancorp - Common Stock|S|N|N|100 CACC|Credit Acceptance Corporation - Common Stock|Q|N|N|100 CACQ|Caesars Acquisition Company - Class A Common Stock|Q|N|N|100 CADC|China Advanced Construction Materials Group, Inc. - Common Stock|S|N|N|100 CADT|DT Asia Investments Limited - Ordinary Shares|S|N|N|100 CADTR|DT Asia Investments Limited - Right|S|N|N|100 CADTU|DT Asia Investments Limited - Unit|S|N|N|100 CADTW|DT Asia Investments Limited - Warrant|S|N|N|100 CAKE|The Cheesecake Factory Incorporated - Common Stock|Q|N|N|100 CALA|Calithera Biosciences, Inc. - Common Stock|Q|N|N|100 CALD|Callidus Software, Inc. - Common Stock|G|N|N|100 CALI|China Auto Logistics Inc. - Common Stock|G|N|D|100 CALL|magicJack VocalTec Ltd - Ordinary Shares|G|N|N|100 CALM|Cal-Maine Foods, Inc. - Common Stock|Q|N|N|100 CAMB|Cambridge Capital Acquisition Corporation - Common Stock|S|N|D|100 CAMBU|Cambridge Capital Acquisition Corporation - Unit|S|N|D|100 CAMBW|Cambridge Capital Acquisition Corporation - Warrant|S|N|D|100 CAMP|CalAmp Corp. - Common Stock|Q|N|N|100 CAMT|Camtek Ltd. - Ordinary Shares|G|N|N|100 CAPN|Capnia, Inc. - Common Stock|S|N|N|100 CAPNW|Capnia, Inc. - Series A Warrant|S|N|N|100 CAPR|Capricor Therapeutics, Inc. - Common Stock|S|N|N|100 CAR|Avis Budget Group, Inc. - Common Stock|Q|N|N|100 CARA|Cara Therapeutics, Inc. - Common Stock|G|N|N|100 CARB|Carbonite, Inc. - Common Stock|G|N|N|100 CARO|Carolina Financial Corporation - Common Stock|S|N|N|100 CART|Carolina Trust Bank - Common Stock|S|N|N|100 CARV|Carver Bancorp, Inc. - Common Stock|S|N|N|100 CARZ|First Trust NASDAQ Global Auto Index Fund|G|N|N|100 CASH|Meta Financial Group, Inc. - Common Stock|Q|N|N|100 CASI|CASI Pharmaceuticals, Inc. - Common Stock|S|N|N|100 CASM|CAS Medical Systems, Inc. - Common Stock|S|N|N|100 CASS|Cass Information Systems, Inc - Common Stock|Q|N|N|100 CASY|Caseys General Stores, Inc. - Common Stock|Q|N|N|100 CATM|Cardtronics, Inc. - Common Stock|Q|N|N|100 CATY|Cathay General Bancorp - Common Stock|Q|N|N|100 CATYW|Cathay General Bancorp - Warrant|Q|N|N|100 CAVM|Cavium, Inc. - Common Stock|Q|N|N|100 CBAK|China BAK Battery, Inc. - Common Stock|G|N|N|100 CBAN|Colony Bankcorp, Inc. - Common Stock|G|N|N|100 CBAY|CymaBay Therapeutics Inc. - Common Stock|S|N|N|100 CBDE|CBD Energy Limited - Ordinary Shares|S|N|K|100 CBF|Capital Bank Financial Corp. - Class A Common Stock|Q|N|N|100 CBFV|CB Financial Services, Inc. - Common Stock|G|N|N|100 CBIN|Community Bank Shares of Indiana, Inc. - Common Stock|S|N|N|100 CBLI|Cleveland BioLabs, Inc. - Common Stock|S|N|D|100 CBMG|Cellular Biomedicine Group, Inc. - Common Stock|S|N|N|100 CBMX|CombiMatrix Corporation - Common Stock|S|N|N|100 CBNJ|Cape Bancorp, Inc. - Common Stock|Q|N|N|100 CBNK|Chicopee Bancorp, Inc. - Common Stock|G|N|N|100 CBOE|CBOE Holdings, Inc. - Common Stock|Q|N|N|100 CBPO|China Biologic Products, Inc. - Common Stock|Q|N|N|100 CBRL|Cracker Barrel Old Country Store, Inc. - Common Stock|Q|N|N|100 CBRX|Columbia Laboratories, Inc. - Common Stock|S|N|N|100 CBSH|Commerce Bancshares, Inc. - Common Stock|Q|N|N|100 CBSHP|Commerce Bancshares, Inc. - Depositary Shares, each representing a 1/1000th interest of 6.00% Series B Non-Cumulative Perpetual Preferred Stock|Q|N|N|100 CCBG|Capital City Bank Group - Common Stock|Q|N|N|100 CCCL|China Ceramics Co., Ltd. - Common Stock|G|N|N|100 CCCR|China Commercial Credit, Inc. - Common Stock|S|N|N|100 CCD|Calamos Dynamic Convertible & Income Fund - Common Shares|Q|N|N|100 CCIH|ChinaCache International Holdings Ltd. - American Depositary Shares|Q|N|N|100 CCLP|CSI Compressco LP - common units|Q|N|N|100 CCMP|Cabot Microelectronics Corporation - Common Stock|Q|N|N|100 CCNE|CNB Financial Corporation - Common Stock|Q|N|N|100 CCOI|Cogent Communications Holdings, Inc. - Common Stock|Q|N|N|100 CCRN|Cross Country Healthcare, Inc. - Common Stock|Q|N|N|100 CCUR|Concurrent Computer Corporation - Common Stock|G|N|N|100 CCXI|ChemoCentryx, Inc. - Common Stock|Q|N|N|100 CDC|Compass EMP U S EQ Income 100 Enhanced Volatility Weighted Fund|G|N|N|100 CDK|CDK Global, Inc. - Common Stock|Q|N|N|100 CDNA|CareDx, Inc. - Common Stock|G|N|N|100 CDNS|Cadence Design Systems, Inc. - Common Stock|Q|N|N|100 CDTI|Clean Diesel Technologies, Inc. - Common Stock|S|N|N|100 CDW|CDW Corporation - Common Stock|Q|N|N|100 CDXS|Codexis, Inc. - Common Stock|Q|N|N|100 CDZI|Cadiz, Inc. - Common Stock|G|N|N|100 CECE|CECO Environmental Corp. - Common Stock|Q|N|N|100 CECO|Career Education Corporation - Common Stock|Q|N|N|100 CELG|Celgene Corporation - Common Stock|Q|N|N|100 CELGZ|Celgene Corporation - Contingent Value Right|G|N|N|100 CEMI|Chembio Diagnostics, Inc. - Common Stock|S|N|N|100 CEMP|Cempra, Inc. - Common Stock|Q|N|N|100 CENT|Central Garden & Pet Company - Common Stock|Q|N|N|100 CENTA|Central Garden & Pet Company - Class A Common Stock Nonvoting|Q|N|N|100 CENX|Century Aluminum Company - Common Stock|Q|N|N|100 CERE|Ceres, Inc. - Common Stock|S|N|D|100 CERN|Cerner Corporation - Common Stock|Q|N|N|100 CERS|Cerus Corporation - Common Stock|G|N|N|100 CERU|Cerulean Pharma Inc. - Common Stock|G|N|N|100 CETV|Central European Media Enterprises Ltd. - Class A Common Stock|Q|N|N|100 CEVA|CEVA, Inc. - Common Stock|Q|N|N|100 CFA|Compass EMP US 500 Volatility Weighted Index ETF|G|N|N|100 CFBK|Central Federal Corporation - Common Stock|S|N|N|100 CFFI|C&F Financial Corporation - Common Stock|Q|N|N|100 CFFN|Capitol Federal Financial, Inc. - Common Stock|Q|N|N|100 CFGE|Calamos Focus Growth ETF|G|N|N|100 CFNB|California First National Bancorp - Common Stock|G|N|N|100 CFNL|Cardinal Financial Corporation - Common Stock|Q|N|N|100 CFO|Compass EMP US 500 Enhanced Volatility Weighted Index ETF|G|N|N|100 CFRX|ContraFect Corporation - Common Stock|S|N|N|100 CFRXW|ContraFect Corporation - Warrant|S|N|N|100 CFRXZ|ContraFect Corporation - Warrant|S|N|N|100 CG|The Carlyle Group L.P. - Common Units|Q|N|N|100 CGEN|Compugen Ltd. - Ordinary Shares|G|N|N|100 CGIX|Cancer Genetics, Inc. - Common Stock|S|N|N|100 CGNT|Cogentix Medical, Inc. - Common Stock|S|N|D|100 CGNX|Cognex Corporation - Common Stock|Q|N|N|100 CGO|Calamos Global Total Return Fund - Common Stock|Q|N|N|100 CHCI|Comstock Holding Companies, Inc. - Class A Common Stock|S|N|N|100 CHCO|City Holding Company - Common Stock|Q|N|N|100 CHDN|Churchill Downs, Incorporated - Common Stock|Q|N|N|100 CHEF|The Chefs' Warehouse, Inc. - Common Stock|Q|N|N|100 CHEK|Check-Cap Ltd. - Ordinary Share|S|N|N|100 CHEKW|Check-Cap Ltd. - Series A Warrant|S|N|N|100 CHEV|Cheviot Financial Corp - Common Stock|S|N|N|100 CHFC|Chemical Financial Corporation - Common Stock|Q|N|N|100 CHFN|Charter Financial Corp. - Common Stock|S|N|N|100 CHI|Calamos Convertible Opportunities and Income Fund - Common Stock|Q|N|N|100 CHKE|Cherokee Inc. - Common Stock|Q|N|N|100 CHKP|Check Point Software Technologies Ltd. - Ordinary Shares|Q|N|N|100 CHLN|China Housing & Land Development, Inc. - Common Stock|S|N|D|100 CHMG|Chemung Financial Corp - Common Stock|Q|N|N|100 CHNR|China Natural Resources, Inc. - Common Stock|S|N|N|100 CHOP|China Gerui Advanced Materials Group Limited - Ordinary Shares|Q|N|D|100 CHRS|Coherus BioSciences, Inc. - Common Stock|G|N|N|100 CHRW|C.H. Robinson Worldwide, Inc. - Common Stock|Q|N|N|100 CHSCL|CHS Inc - Class B Cumulative Redeemable Preferred Stock, Series 4|Q|N|N|100 CHSCM|CHS Inc - Class B Reset Rate Cumulative Redeemable Preferred Stock, Series 3|Q|N|N|100 CHSCN|CHS Inc - Preferred Class B Series 2 Reset Rate|Q|N|N|100 CHSCO|CHS Inc - Class B Cumulative Redeemable Preferred Stock|Q|N|N|100 CHSCP|CHS Inc - 8% Cumulative Redeemable Preferred Stock|Q|N|N|100 CHTR|Charter Communications, Inc. - Class A Common Stock|Q|N|N|100 CHUY|Chuy's Holdings, Inc. - Common Stock|Q|N|N|100 CHW|Calamos Global Dynamic Income Fund - Common Stock|Q|N|N|100 CHXF|WisdomTree China Dividend Ex-Financials Fund|G|N|N|100 CHY|Calamos Convertible and High Income Fund - Common Stock|Q|N|N|100 CIDM|Cinedigm Corp - Class A Common Stock|G|N|N|100 CIFC|CIFC Corp. - Common Stock|S|N|N|100 CINF|Cincinnati Financial Corporation - Common Stock|Q|N|N|100 CISAW|CIS Acquisition Ltd. - Warrant|S|N|D|100 CISG|CNinsure Inc. - American depositary shares, each representing 20 ordinary shares|Q|N|N|100 CIZ|Compass EMP Developed 500 Enhanced Volatility Weighted Index ETF|G|N|N|100 CIZN|Citizens Holding Company - Common Stock|G|N|N|100 CJJD|China Jo-Jo Drugstores, Inc. - Common Stock|S|N|N|100 CKEC|Carmike Cinemas, Inc. - Common Stock|Q|N|N|100 CKSW|ClickSoftware Technologies Ltd. - Ordinary Shares|Q|N|N|100 CLAC|Capitol Acquisition Corp. II - Common Stock|S|N|D|100 CLACU|Capitol Acquisition Corp. II - Unit|S|N|D|100 CLACW|Capitol Acquisition Corp. II - Warrant|S|N|D|100 CLBH|Carolina Bank Holdings Inc. - Common Stock|G|N|N|100 CLCT|Collectors Universe, Inc. - Common Stock|G|N|N|100 CLDN|Celladon Corporation - Common Stock|G|N|N|100 CLDX|Celldex Therapeutics, Inc. - Common Stock|Q|N|N|100 CLFD|Clearfield, Inc. - Common Stock|G|N|N|100 CLIR|ClearSign Combustion Corporation - Common Stock|S|N|N|100 CLLS|Cellectis S.A. - American Depositary Shares|G|N|N|100 CLMS|Calamos Asset Management, Inc. - Class A Common Stock|Q|N|N|100 CLMT|Calumet Specialty Products Partners, L.P. - Common units representing limited partner interests|Q|N|N|100 CLNE|Clean Energy Fuels Corp. - Common Stock|Q|N|N|100 CLNT|Cleantech Solutions International, Inc. - Common Stock|S|N|N|100 CLRB|Cellectar Biosciences, Inc. - Common Stock|S|N|N|100 CLRBW|Cellectar Biosciences, Inc. - Warrants|S|N|N|100 CLRO|ClearOne, Inc. - Common Stock|S|N|N|100 CLRX|CollabRx, Inc. - Common Stock|S|N|N|100 CLSN|Celsion Corporation - Common Stock|S|N|N|100 CLTX|Celsus Therapeutics Plc - American Depositary Shares|S|N|N|100 CLUB|Town Sports International Holdings, Inc. - Common Stock|G|N|N|100 CLVS|Clovis Oncology, Inc. - Common Stock|Q|N|N|100 CLWT|Euro Tech Holdings Company Limited - Ordinary Shares|S|N|N|100 CMCO|Columbus McKinnon Corporation - Common Stock|Q|N|N|100 CMCSA|Comcast Corporation - Class A Common Stock|Q|N|N|100 CMCSK|Comcast Corporation - Class A Special Common Stock|Q|N|N|100 CMCT|CIM Commercial Trust Corporation - Common Stock|G|N|N|100 CME|CME Group Inc. - Class A Common Stock|Q|N|N|100 CMFN|CM Finance Inc - Common Stock|Q|N|N|100 CMGE|China Mobile Games and Entertainment Group Limited - American Depositary Shares|G|N|N|100 CMLS|Cumulus Media Inc. - Common Stock|Q|N|N|100 CMPR|Cimpress N.V - Ordinary Shares (The Netherlands)|Q|N|N|100 CMRX|Chimerix, Inc. - Common Stock|G|N|N|100 CMSB|CMS Bancorp, Inc. - common stock|S|N|N|100 CMTL|Comtech Telecommunications Corp. - Common Stock|Q|N|N|100 CNAT|Conatus Pharmaceuticals Inc. - Common Stock|G|N|N|100 CNBKA|Century Bancorp, Inc. - Class A Common Stock|Q|N|N|100 CNCE|Concert Pharmaceuticals, Inc. - Common Stock|G|N|N|100 CNDO|Coronado Biosciences, Inc. - Common Stock|S|N|N|100 CNET|ChinaNet Online Holdings, Inc. - Common Stock|S|N|N|100 CNIT|China Information Technology, Inc. - Ordinary Shares|Q|N|N|100 CNLM|CB Pharma Acquisition Corp. - Ordinary Shares|S|N|N|100 CNLMR|CB Pharma Acquisition Corp. - Rights|S|N|N|100 CNLMU|CB Pharma Acquisition Corp. - Units|S|N|N|100 CNLMW|CB Pharma Acquisition Corp. - Warrants|S|N|N|100 CNMD|CONMED Corporation - Common Stock|Q|N|N|100 CNOB|ConnectOne Bancorp, Inc. - Common Stock|Q|N|N|100 CNSI|Comverse Inc. - Common Stock|G|N|N|100 CNSL|Consolidated Communications Holdings, Inc. - Common Stock|Q|N|N|100 CNTF|China TechFaith Wireless Communication Technology Limited - American Depositary Shares, each representing 15 ordinary shares|Q|N|N|100 CNTY|Century Casinos, Inc. - Common Stock|S|N|N|100 CNV|Cnova N.V. - Ordinary Shares|Q|N|N|100 CNXR|Connecture, Inc. - Common Stock|G|N|N|100 CNYD|China Yida Holding, Co. - Common Stock|S|N|N|100 COB|CommunityOne Bancorp - Common Stock|S|N|N|100 COBZ|CoBiz Financial Inc. - Common Stock|Q|N|N|100 COHR|Coherent, Inc. - Common Stock|Q|N|N|100 COHU|Cohu, Inc. - Common Stock|Q|N|N|100 COKE|Coca-Cola Bottling Co. Consolidated - Common Stock|Q|N|N|100 COLB|Columbia Banking System, Inc. - Common Stock|Q|N|N|100 COLM|Columbia Sportswear Company - Common Stock|Q|N|N|100 COMM|CommScope Holding Company, Inc. - Common Stock|Q|N|N|100 COMT|iShares Commodities Select Strategy ETF|G|N|N|100 CONE|CyrusOne Inc - Common Stock|Q|N|N|100 CONN|Conn's, Inc. - Common Stock|Q|N|N|100 COOL|Majesco Entertainment Company - Common Stock|S|N|N|100 CORE|Core-Mark Holding Company, Inc. - Common Stock|Q|N|N|100 CORI|Corium International, Inc. - Common Stock|G|N|N|100 CORT|Corcept Therapeutics Incorporated - Common Stock|S|N|N|100 COSI|Cosi, Inc. - Common Stock|S|N|N|100 COST|Costco Wholesale Corporation - Common Stock|Q|N|N|100 COVS|Covisint Corporation - Common Stock|Q|N|N|100 COWN|Cowen Group, Inc. - Class A Common Stock|Q|N|N|100 COWNL|Cowen Group, Inc. - 8.25% Senior Notes due 2021|Q|N|N|100 CPAH|CounterPath Corporation - Common Stock|S|N|D|100 CPGI|China Shengda Packaging Group, Inc. - Common Stock|S|N|D|100 CPHC|Canterbury Park Holding Corporation - Common Stock|G|N|N|100 CPHD|CEPHEID - Common Stock|Q|N|N|100 CPHR|Cipher Pharmaceuticals Inc. - Common Shares|G|N|N|100 CPIX|Cumberland Pharmaceuticals Inc. - Common Stock|Q|N|N|100 CPLA|Capella Education Company - Common Stock|Q|N|N|100 CPLP|Capital Product Partners L.P. - common units representing limited partner interests|Q|N|N|100 CPRT|Copart, Inc. - Common Stock|Q|N|N|100 CPRX|Catalyst Pharmaceutical Partners, Inc. - Common Stock|S|N|N|100 CPSH|CPS Technologies Corp. - Common Stock|S|N|N|100 CPSI|Computer Programs and Systems, Inc. - Common Stock|Q|N|N|100 CPSS|Consumer Portfolio Services, Inc. - Common Stock|G|N|N|100 CPST|Capstone Turbine Corporation - Common Stock|G|N|D|100 CPTA|Capitala Finance Corp. - Common Stock|Q|N|N|100 CPXX|Celator Pharmaceuticals Inc. - Common Stock|S|N|N|100 CRAI|CRA International,Inc. - Common Stock|Q|N|N|100 CRAY|Cray Inc - Common Stock|Q|N|N|100 CRDC|Cardica, Inc. - Common Stock|G|N|D|100 CRDS|Crossroads Systems, Inc. - Common Stock|S|N|N|100 CRDT|WisdomTree Strategic Corporate Bond Fund|G|N|N|100 CREE|Cree, Inc. - Common Stock|Q|N|N|100 CREG|China Recycling Energy Corporation - Common Stock|G|N|N|100 CRESW|Cresud S.A.C.I.F. y A. - Warrants 5/22/2015|Q|N|N|100 CRESY|Cresud S.A.C.I.F. y A. - American Depositary Shares, each representing ten shares of Common Stock|Q|N|N|100 CRIS|Curis, Inc. - Common Stock|G|N|N|100 CRME|Cardiome Pharma Corporation - Ordinary Shares (Canada)|S|N|N|100 CRMT|America's Car-Mart, Inc. - Common Stock|Q|N|N|100 CRNT|Ceragon Networks Ltd. - Ordinary Shares|Q|N|N|100 CROX|Crocs, Inc. - Common Stock|Q|N|N|100 CRRC|Courier Corporation - Common Stock|Q|N|N|100 CRTN|Cartesian, Inc. - Common Stock|G|N|N|100 CRTO|Criteo S.A. - American Depositary Shares|Q|N|N|100 CRUS|Cirrus Logic, Inc. - Common Stock|Q|N|N|100 CRVL|CorVel Corp. - Common Stock|Q|N|N|100 CRWN|Crown Media Holdings, Inc. - Class A Common Stock|Q|N|N|100 CRWS|Crown Crafts, Inc. - Common Stock|S|N|N|100 CRZO|Carrizo Oil & Gas, Inc. - Common Stock|Q|N|N|100 CSBK|Clifton Bancorp Inc. - Common Stock|Q|N|N|100 CSCD|Cascade Microtech, Inc. - Common Stock|G|N|N|100 CSCO|Cisco Systems, Inc. - Common Stock|Q|N|N|100 CSF|Compass EMP U.S. Discovery 500 Enhanced Volatility Weighted Fund|G|N|N|100 CSFL|CenterState Banks, Inc. - Common Stock|Q|N|N|100 CSGP|CoStar Group, Inc. - Common Stock|Q|N|N|100 CSGS|CSG Systems International, Inc. - Common Stock|Q|N|N|100 CSII|Cardiovascular Systems, Inc. - Common Stock|Q|N|N|100 CSIQ|Canadian Solar Inc. - common shares|Q|N|N|100 CSOD|Cornerstone OnDemand, Inc. - Common Stock|Q|N|N|100 CSPI|CSP Inc. - Common Stock|G|N|N|100 CSQ|Calamos Strategic Total Return Fund - Common Stock|Q|N|N|100 CSRE|CSR plc - American Depositary Shares|Q|N|N|100 CSTE|CaesarStone Sdot-Yam Ltd. - Ordinary Shares|Q|N|N|100 CSUN|China Sunergy Co., Ltd. - American Depositary Shares, each representing 18 ordinary shares|Q|N|N|100 CSWC|Capital Southwest Corporation - Common Stock|Q|N|N|100 CTAS|Cintas Corporation - Common Stock|Q|N|N|100 CTBI|Community Trust Bancorp, Inc. - Common Stock|Q|N|N|100 CTCM|CTC Media, Inc. - Common Stock|Q|N|N|100 CTCT|Constant Contact, Inc. - Common Stock|Q|N|N|100 CTG|Computer Task Group, Incorporated - Common Stock|Q|N|N|100 CTHR|Charles & Colvard Ltd - Common Stock|Q|N|N|100 CTIB|CTI Industries Corporation - Common Stock|S|N|N|100 CTIC|CTI BioPharma Corp. - Common Stock|S|N|N|100 CTRE|CareTrust REIT, Inc. - Common Stock|Q|N|N|100 CTRL|Control4 Corporation - Common Stock|Q|N|N|100 CTRN|Citi Trends, Inc. - Common Stock|Q|N|N|100 CTRP|Ctrip.com International, Ltd. - American Depositary Shares|Q|N|N|100 CTRV|ContraVir Pharmaceuticals Inc - Common Stock|S|N|N|100 CTRX|Catamaran Corporation - Common Stock|Q|N|N|100 CTSH|Cognizant Technology Solutions Corporation - Class A Common Stock|Q|N|N|100 CTSO|Cytosorbents Corporation - Common Stock|S|N|N|100 CTWS|Connecticut Water Service, Inc. - Common Stock|Q|N|N|100 CTXS|Citrix Systems, Inc. - Common Stock|Q|N|N|100 CU|First Trust ISE Global Copper Index Fund|G|N|N|100 CUBA|The Herzfeld Caribbean Basin Fund, Inc. - Closed End FUnd|S|N|N|100 CUI|CUI Global, Inc. - Common Stock|S|N|N|100 CUNB|CU Bancorp (CA) - Common Stock|S|N|N|100 CUTR|Cutera, Inc. - Common Stock|Q|N|N|100 CVBF|CVB Financial Corporation - Common Stock|Q|N|N|100 CVCO|Cavco Industries, Inc. - Common Stock|Q|N|N|100 CVCY|Central Valley Community Bancorp - Common Stock|S|N|N|100 CVGI|Commercial Vehicle Group, Inc. - Common Stock|Q|N|N|100 CVGW|Calavo Growers, Inc. - Common Stock|Q|N|N|100 CVLT|CommVault Systems, Inc. - Common Stock|Q|N|N|100 CVLY|Codorus Valley Bancorp, Inc - Common Stock|G|N|N|100 CVTI|Covenant Transportation Group, Inc. - Class A Common Stock|Q|N|N|100 CVV|CVD Equipment Corporation - Common Stock|S|N|N|100 CWAY|Coastway Bancorp, Inc. - Common Stock|S|N|N|100 CWBC|Community West Bancshares - Common Stock|G|N|N|100 CWCO|Consolidated Water Co. Ltd. - Ordinary Shares|Q|N|N|100 CWST|Casella Waste Systems, Inc. - Class A Common Stock|Q|N|N|100 CXDC|China XD Plastics Company Limited - Common Stock|G|N|N|100 CY|Cypress Semiconductor Corporation - Common Stock|Q|N|N|100 CYAN|Cyanotech Corporation - Common Stock|S|N|N|100 CYBE|CyberOptics Corporation - Common Stock|G|N|N|100 CYBR|CyberArk Software Ltd. - Ordinary Shares|Q|N|N|100 CYBX|Cyberonics, Inc. - Common Stock|Q|N|N|100 CYCC|Cyclacel Pharmaceuticals, Inc. - Common Stock|G|N|D|100 CYCCP|Cyclacel Pharmaceuticals, Inc. - 6% Convertible Preferred Stock|S|N|N|100 CYHHZ|Community Health Systems, Inc. - Series A Contingent Value Rights|G|N|N|100 CYNO|Cynosure, Inc. - Class A Common Stock|Q|N|N|100 CYOU|Changyou.com Limited - American Depositary Shares, each representing two Class A ordinary shares|Q|N|N|100 CYRN|CYREN Ltd. - Ordinary Shares|S|N|N|100 CYTK|Cytokinetics, Incorporated - Common Stock|S|N|N|100 CYTR|CytRx Corporation - Common Stock|S|N|N|100 CYTX|Cytori Therapeutics Inc - Common Stock|G|N|N|100 CZFC|Citizens First Corporation - Common Stock|G|N|N|100 CZNC|Citizens & Northern Corp - Common Stock|S|N|N|100 CZR|Caesars Entertainment Corporation - Common Stock|Q|N|N|100 CZWI|Citizens Community Bancorp, Inc. - Common Stock|G|N|N|100 DAEG|Daegis Inc - Common Stock|S|N|D|100 DAIO|Data I/O Corporation - Common Stock|S|N|N|100 DAKT|Daktronics, Inc. - Common Stock|Q|N|N|100 DARA|DARA Biosciences, Inc. - Common Stock|S|N|D|100 DATE|Jiayuan.com International Ltd. - American Depositary Shares|Q|N|N|100 DAVE|Famous Dave's of America, Inc. - Common Stock|Q|N|D|100 DAX|Recon Capital DAX Germany ETF|G|N|N|100 DBVT|DBV Technologies S.A. - American Depositary Shares|Q|N|N|100 DCIX|Diana Containerships Inc. - Common Shares|Q|N|N|100 DCOM|Dime Community Bancshares, Inc. - Common Stock|Q|N|N|100 DCTH|Delcath Systems, Inc. - Common Stock|S|N|N|100 DENN|Denny's Corporation - Common Stock|S|N|N|100 DEPO|Depomed, Inc. - Common Stock|Q|N|N|100 DERM|Dermira, Inc. - Common Stock|Q|N|N|100 DEST|Destination Maternity Corporation - Common Stock|Q|N|N|100 DFRG|Del Frisco's Restaurant Group, Inc. - Common Stock|Q|N|N|100 DFVL|Barclays PLC - iPath US Treasury 5 Year Bull ETN|G|N|N|100 DFVS|Barclays PLC - iPath US Treasury 5-year Bear ETN|G|N|N|100 DGAS|Delta Natural Gas Company, Inc. - Common Stock|Q|N|N|100 DGICA|Donegal Group, Inc. - Class A Common Stock|Q|N|N|100 DGICB|Donegal Group, Inc. - Class B Common Stock|Q|N|N|100 DGII|Digi International Inc. - Common Stock|Q|N|N|100 DGLD|Credit Suisse AG - VelocityShares 3x Inverse Gold ETN|G|N|N|100 DGLY|Digital Ally, Inc. - Common Stock|S|N|N|100 DGRE|WisdomTree Emerging Markets Dividend Growth Fund|G|N|N|100 DGRS|WisdomTree U.S. SmallCap Dividend Growth Fund|G|N|N|100 DGRW|WisdomTree U.S. Dividend Growth Fund|G|N|N|100 DHIL|Diamond Hill Investment Group, Inc. - Class A Common Stock|Q|N|N|100 DHRM|Dehaier Medical Systems Limited - Common Stock|S|N|N|100 DIOD|Diodes Incorporated - Common Stock|Q|N|N|100 DISCA|Discovery Communications, Inc. - Series A Common Stock|Q|N|N|100 DISCB|Discovery Communications, Inc. - Series B Common Stock|Q|N|N|100 DISCK|Discovery Communications, Inc. - Series C Common Stock|Q|N|N|100 DISH|DISH Network Corporation - Class A Common Stock|Q|N|N|100 DJCO|Daily Journal Corp. (S.C.) - Common Stock|S|N|N|100 DLBL|Barclays PLC - iPath US Treasury Long Bond Bull ETN|G|N|N|100 DLBS|Barclays PLC - iPath US Treasury Long Bond Bear ETN|G|N|N|100 DLHC|DLH Holdings Corp. - Common Stock|S|N|N|100 DLTR|Dollar Tree, Inc. - Common Stock|Q|N|N|100 DMLP|Dorchester Minerals, L.P. - Common Units Representing Limited Partnership Interests|Q|N|N|100 DMND|Diamond Foods, Inc. - Common Stock|Q|N|N|100 DMRC|Digimarc Corporation - Common Stock|Q|N|N|100 DNBF|DNB Financial Corp - Common Stock|S|N|N|100 DNKN|Dunkin' Brands Group, Inc. - Common Stock|Q|N|N|100 DORM|Dorman Products, Inc. - Common Stock|Q|N|N|100 DOVR|Dover Saddlery, Inc. - Common Stock|S|N|N|100 DOX|Amdocs Limited - Ordinary Shares|Q|N|N|100 DPRX|Dipexium Pharmaceuticals, Inc. - Common Stock|S|N|N|100 DRAD|Digirad Corporation - Common Stock|G|N|N|100 DRAM|Dataram Corporation - Common Stock|S|N|D|100 DRNA|Dicerna Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 DRRX|DURECT Corporation - Common Stock|G|N|N|100 DRWI|DragonWave Inc - Common Shares|Q|N|D|100 DRWIW|DragonWave Inc - Warrants|Q|N|N|100 DRYS|DryShips Inc. - Common Stock|Q|N|N|100 DSCI|Derma Sciences, Inc. - Common Stock|S|N|N|100 DSCO|Discovery Laboratories, Inc. - Common Stock|S|N|N|100 DSGX|The Descartes Systems Group Inc. - Common Stock|Q|N|N|100 DSKX|DS Healthcare Group, Inc. - Common Stock|S|N|D|100 DSKY|iDreamSky Technology Limited - American Depositary Shares|Q|N|N|100 DSLV|Credit Suisse AG - VelocityShares 3x Inverse Silver ETN|G|N|N|100 DSPG|DSP Group, Inc. - Common Stock|Q|N|N|100 DSWL|Deswell Industries, Inc. - Common Shares|G|N|N|100 DTLK|Datalink Corporation - Common Stock|Q|N|N|100 DTSI|DTS, Inc. - Common Stock|Q|N|N|100 DTUL|Barclays PLC - iPath US Treasury 2 Yr Bull ETN|G|N|N|100 DTUS|Barclays PLC - iPath US Treasury 2-year Bear ETN|G|N|N|100 DTV|DIRECTV - Common Stock|Q|N|N|100 DTYL|Barclays PLC - iPath US Treasury 10 Year Bull ETN|G|N|N|100 DTYS|Barclays PLC - iPath US Treasury 10-year Bear ETN|G|N|N|100 DVAX|Dynavax Technologies Corporation - Common Stock|S|N|N|100 DVCR|Diversicare Healthcare Services Inc. - Common Stock|S|N|N|100 DWA|Dreamworks Animation SKG, Inc. - Class A Common Stock|Q|N|N|100 DWAT|Arrow DWA Tactical ETF|G|N|N|100 DWCH|Datawatch Corporation - Common Stock|S|N|N|100 DWSN|Dawson Geophysical Company - Common Stock|Q|N|N|100 DXCM|DexCom, Inc. - Common Stock|Q|N|N|100 DXGE|WisdomTree Germany Hedged Equity Fund|G|N|N|100 DXJS|WisdomTree Japan Hedged SmallCap Equity Fund|G|N|N|100 DXKW|WisdomTree Korea Hedged Equity Fund|G|N|N|100 DXLG|Destination XL Group, Inc. - Common Stock|Q|N|N|100 DXM|Dex Media, Inc. - Common Stock|Q|N|N|100 DXPE|DXP Enterprises, Inc. - Common Stock|Q|N|N|100 DXPS|WisdomTree United Kingdom Hedged Equity Fund|G|N|N|100 DXYN|The Dixie Group, Inc. - Common Stock|G|N|N|100 DYAX|Dyax Corp. - Common Stock|G|N|N|100 DYNT|Dynatronics Corporation - Common Stock|S|N|D|100 DYSL|Dynasil Corporation of America - Common Stock|S|N|N|100 EA|Electronic Arts Inc. - Common Stock|Q|N|N|100 EAC|Erickson Incorporated - Common Stock|G|N|D|100 EARS|Auris Medical Holding AG - Common Shares|G|N|N|100 EBAY|eBay Inc. - Common Stock|Q|N|N|100 EBIO|Eleven Biotherapeutics, Inc. - Common Stock|G|N|N|100 EBIX|Ebix, Inc. - Common Stock|Q|N|N|100 EBMT|Eagle Bancorp Montana, Inc. - Common Stock|G|N|N|100 EBSB|Meridian Bancorp, Inc. - Common Stock|Q|N|N|100 EBTC|Enterprise Bancorp Inc - Common Stock|Q|N|N|100 ECHO|Echo Global Logistics, Inc. - Common Stock|Q|N|N|100 ECOL|US Ecology, Inc. - Common Stock|Q|N|N|100 ECPG|Encore Capital Group Inc - Common Stock|Q|N|N|100 ECTE|Echo Therapeutics, Inc. - Common Stock|S|N|D|100 ECYT|Endocyte, Inc. - Common Stock|Q|N|N|100 EDAP|EDAP TMS S.A. - American Depositary Shares, each representing One Ordinary Share|G|N|N|100 EDGW|Edgewater Technology, Inc. - Common Stock|G|N|N|100 EDS|Exceed Company Ltd. - Common Stock|Q|N|N|100 EDUC|Educational Development Corporation - Common Stock|G|N|N|100 EEFT|Euronet Worldwide, Inc. - Common Stock|Q|N|N|100 EEI|Ecology and Environment, Inc. - Class A Common Stock|G|N|N|100 EEMA|iShares MSCI Emerging Markets Asia Index Fund|G|N|N|100 EEME|iShares MSCI Emerging Markets EMEA Index Fund|G|N|N|100 EEML|iShares MSCI Emerging Markets Latin America Index Fund|G|N|N|100 EFII|Electronics for Imaging, Inc. - Common Stock|Q|N|N|100 EFOI|Energy Focus, Inc. - Common Stock|S|N|N|100 EFSC|Enterprise Financial Services Corporation - Common Stock|Q|N|N|100 EFUT|eFuture Information Technology Inc. - Ordinary Shares|S|N|N|100 EGAN|eGain Corporation - Common Stock|S|N|N|100 EGBN|Eagle Bancorp, Inc. - Common Stock|S|N|N|100 EGHT|8x8 Inc - Common Stock|Q|N|N|100 EGLE|Eagle Bulk Shipping Inc. - Common Stock|Q|N|N|100 EGLT|Egalet Corporation - Common Stock|G|N|N|100 EGOV|NIC Inc. - Common Stock|Q|N|N|100 EGRW|iShares MSCI Emerging Markets Growth Index Fund|G|N|N|100 EGRX|Eagle Pharmaceuticals, Inc. - Common Stock|G|N|N|100 EGT|Entertainment Gaming Asia Incorporated - Common Stock|S|N|N|100 EHTH|eHealth, Inc. - Common Stock|Q|N|N|100 EIGI|Endurance International Group Holdings, Inc. - Common Stock|Q|N|N|100 ELGX|Endologix, Inc. - Common Stock|Q|N|N|100 ELNK|EarthLink Holdings Corp. - Common Stock|Q|N|N|100 ELON|Echelon Corporation - Common Stock|Q|N|N|100 ELOS|Syneron Medical Ltd. - Ordinary Shares|Q|N|N|100 ELRC|Electro Rent Corporation - Common Stock|Q|N|N|100 ELSE|Electro-Sensors, Inc. - Common Stock|S|N|N|100 ELTK|Eltek Ltd. - Ordinary Shares|S|N|N|100 EMCB|WisdomTree Emerging Markets Corporate Bond Fund|G|N|N|100 EMCF|Emclaire Financial Corp - Common Stock|S|N|N|100 EMCG|WisdomTree Emerging Markets Consumer Growth Fund|G|N|N|100 EMCI|EMC Insurance Group Inc. - Common Stock|Q|N|N|100 EMDI|iShares MSCI Emerging Markets Consumer Discrectionary Sector Index Fund|G|N|N|100 EMEY|iShares MSCI Emerging Markets Energy Sector Capped Index Fund|G|N|N|100 EMIF|iShares S&P Emerging Markets Infrastructure Index Fund|G|N|N|100 EMITF|Elbit Imaging Ltd. - Ordinary Shares|Q|N|N|100 EMKR|EMCORE Corporation - Common Stock|G|N|N|100 EML|Eastern Company (The) - Common Stock|G|N|N|100 EMMS|Emmis Communications Corporation - Class A Common Stock|Q|N|N|100 EMMSP|Emmis Communications Corporation - 6.25% Series A Cumulative Convertible Preferred Stock|Q|N|N|100 ENDP|Endo International plc - Ordinary Shares|Q|N|N|100 ENFC|Entegra Financial Corp. - Common Stock|G|N|N|100 ENG|ENGlobal Corporation - Common Stock|S|N|N|100 ENOC|EnerNOC, Inc. - Common Stock|Q|N|N|100 ENPH|Enphase Energy, Inc. - Common Stock|G|N|N|100 ENSG|The Ensign Group, Inc. - Common Stock|Q|N|N|100 ENT|Global Eagle Entertainment Inc. - Common Stock|S|N|N|100 ENTA|Enanta Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 ENTG|Entegris, Inc. - Common Stock|Q|N|N|100 ENTL|Entellus Medical, Inc. - Common Stock|G|N|N|100 ENTR|Entropic Communications, Inc. - Common Stock|S|N|N|100 ENVI|Envivio, Inc. - Common Stock|Q|N|N|100 ENZN|Enzon Pharmaceuticals, Inc. - Common Stock|S|N|N|100 ENZY|Enzymotec Ltd. - Ordinary Shares|Q|N|N|100 EPAX|Ambassadors Group, Inc. - Common Stock|Q|N|N|100 EPAY|Bottomline Technologies, Inc. - Common Stock|Q|N|N|100 EPIQ|EPIQ Systems, Inc. - Common Stock|Q|N|N|100 EPRS|EPIRUS Biopharmaceuticals, Inc. - Common Stock|S|N|N|100 EPZM|Epizyme, Inc. - Common Stock|Q|N|N|100 EQIX|Equinix, Inc. - Common Stock|Q|N|N|100 ERI|Eldorado Resorts, Inc. - Common Stock|Q|N|N|100 ERIC|Ericsson - ADS each representing 1 underlying Class B share|Q|N|N|100 ERIE|Erie Indemnity Company - Class A Common Stock|Q|N|N|100 ERII|Energy Recovery, Inc. - Common Stock|Q|N|N|100 EROC|Eagle Rock Energy Partners, L.P. - Common Units Representing Limited Partner Interests|Q|N|N|100 ERS|Empire Resources, Inc. - Common Stock|S|N|N|100 ERW|Janus Equal Risk Weighted Large Cap ETF|G|N|N|100 ESBK|Elmira Savings Bank NY (The) - Common Stock|S|N|N|100 ESCA|Escalade, Incorporated - Common Stock|G|N|N|100 ESCR|Escalera Resources Co. - Common Stock|Q|N|D|100 ESCRP|Escalera Resources Co. - Series A Cumulative Preferred Stock|Q|N|N|100 ESEA|Euroseas Ltd. - Common Stock|Q|N|D|100 ESGR|Enstar Group Limited - Ordinary Shares|Q|N|N|100 ESIO|Electro Scientific Industries, Inc. - Common Stock|Q|N|N|100 ESLT|Elbit Systems Ltd. - Ordinary Shares|Q|N|N|100 ESMC|Escalon Medical Corp. - Common Stock|S|N|N|100 ESPR|Esperion Therapeutics, Inc. - Common Stock|G|N|N|100 ESRX|Express Scripts Holding Company - Common Stock|Q|N|N|100 ESSA|ESSA Bancorp, Inc. - common stock|Q|N|N|100 ESSX|Essex Rental Corporation - Common Stock|S|N|N|100 ESXB|Community Bankers Trust Corporation. - Common Stock|S|N|N|100 ETFC|E*TRADE Financial Corporation - Common Stock|Q|N|N|100 ETRM|EnteroMedics Inc. - Common Stock|S|N|N|100 EUFN|iShares MSCI Europe Financials Sector Index Fund|G|N|N|100 EVAL|iShares MSCI Emerging Markets Value Index Fund|G|N|N|100 EVAR|Lombard Medical, Inc. - Ordinary Shares|G|N|N|100 EVBS|Eastern Virginia Bankshares, Inc. - Common Stock|Q|N|N|100 EVEP|EV Energy Partners, L.P. - common units representing limited partnership interest|Q|N|N|100 EVK|Ever-Glory International Group, Inc. - Common Stock|G|N|N|100 EVLV|EVINE Live Inc. - Common Stock|Q|N|N|100 EVOK|Evoke Pharma, Inc. - Common Stock|S|N|N|100 EVOL|Evolving Systems, Inc. - Common Stock|S|N|N|100 EVRY|EveryWare Global, Inc. - Common Stock|G|N|D|100 EWBC|East West Bancorp, Inc. - Common Stock|Q|N|N|100 EXA|Exa Corporation - Common Stock|G|N|N|100 EXAC|Exactech, Inc. - Common Stock|Q|N|N|100 EXAS|Exact Sciences Corporation - Common Stock|S|N|N|100 EXEL|Exelixis, Inc. - Common Stock|Q|N|N|100 EXFO|EXFO Inc - Subordinate Voting Shares|Q|N|N|100 EXLP|Exterran Partners, L.P. - Common Units representing Limited Partner Interests|Q|N|N|100 EXLS|ExlService Holdings, Inc. - Common Stock|Q|N|N|100 EXPD|Expeditors International of Washington, Inc. - Common Stock|Q|N|N|100 EXPE|Expedia, Inc. - Common Stock|Q|N|N|100 EXPO|Exponent, Inc. - Common Stock|Q|N|N|100 EXTR|Extreme Networks, Inc. - Common Stock|Q|N|N|100 EXXI|Energy XXI Ltd. - Common Stock|Q|N|N|100 EYES|Second Sight Medical Products, Inc. - Common Stock|S|N|N|100 EZCH|EZchip Semiconductor Limited - Ordinary Shares|Q|N|N|100 EZPW|EZCORP, Inc. - Class A Non-Voting Common Stock|Q|N|N|100 FALC|FalconStor Software, Inc. - Common Stock|G|N|N|100 FANG|Diamondback Energy, Inc. - Commmon Stock|Q|N|N|100 FARM|Farmer Brothers Company - Common Stock|Q|N|N|100 FARO|FARO Technologies, Inc. - Common Stock|Q|N|N|100 FAST|Fastenal Company - Common Stock|Q|N|N|100 FATE|Fate Therapeutics, Inc. - Common Stock|G|N|N|100 FB|Facebook, Inc. - Class A Common Stock|Q|N|N|100 FBIZ|First Business Financial Services, Inc. - Common Stock|Q|N|N|100 FBMS|The First Bancshares, Inc. - Common Stock|G|N|N|100 FBNC|First Bancorp - Common Stock|Q|N|N|100 FBNK|First Connecticut Bancorp, Inc. - Common Stock|Q|N|N|100 FBRC|FBR & Co - Common Stock|Q|N|N|100 FBSS|Fauquier Bankshares, Inc. - Common Stock|S|N|N|100 FCAP|First Capital, Inc. - Common Stock|S|N|N|100 FCBC|First Community Bancshares, Inc. - Common Stock|Q|N|N|100 FCCO|First Community Corporation - Common Stock|S|N|N|100 FCCY|1st Constitution Bancorp (NJ) - Common Stock|G|N|N|100 FCEL|FuelCell Energy, Inc. - Common Stock|G|N|N|100 FCFS|First Cash Financial Services, Inc. - Common Stock|Q|N|N|100 FCHI|iShares FTSE China (HK Listed) Index Fund|G|N|N|100 FCLF|First Clover Leaf Financial Corp. - Common Stock|S|N|N|100 FCNCA|First Citizens BancShares, Inc. - Class A Common Stock|Q|N|N|100 FCS|Fairchild Semiconductor International, Inc. - Common Stock|Q|N|N|100 FCSC|Fibrocell Science Inc - Common Stock|S|N|N|100 FCTY|1st Century Bancshares, Inc - Common Stock|S|N|N|100 FCVA|First Capital Bancorp, Inc. (VA) - Common Stock|S|N|N|100 FCZA|First Citizens Banc Corp. - Common Stock|S|N|N|100 FCZAP|First Citizens Banc Corp. - Depositary Shares Each Representing a 1/40th Interest in a 6.50% Noncumulative Redeemable Convertible Perpetual Preferred Share, Series B|S|N|N|100 FDEF|First Defiance Financial Corp. - Common Stock|Q|N|N|100 FDIV|First Trust Strategic Income ETF|G|N|N|100 FDML|Federal-Mogul Holdings Corporation - Class A Common Stock|Q|N|N|100 FDUS|Fidus Investment Corporation - Common Stock|Q|N|N|100 FEIC|FEI Company - Common Stock|Q|N|N|100 FEIM|Frequency Electronics, Inc. - Common Stock|G|N|N|100 FELE|Franklin Electric Co., Inc. - Common Stock|Q|N|N|100 FEMB|First Trust Emerging Markets Local Currency Bond ETF|G|N|N|100 FES|Forbes Energy Services Ltd - Ordinary shares (Bermuda)|G|N|N|100 FEUZ|First Trust Eurozone AlphaDEX ETF|G|N|N|100 FEYE|FireEye, Inc. - Common Stock|Q|N|N|100 FFBC|First Financial Bancorp. - Common Stock|Q|N|N|100 FFBCW|First Financial Bancorp. - Warrant 12/23/2018|Q|N|N|100 FFHL|Fuwei Films (Holdings) Co., Ltd. - ORDINARY SHARES|G|N|D|100 FFIC|Flushing Financial Corporation - Common Stock|Q|N|N|100 FFIN|First Financial Bankshares, Inc. - Common Stock|Q|N|N|100 FFIV|F5 Networks, Inc. - Common Stock|Q|N|N|100 FFKT|Farmers Capital Bank Corporation - Common Stock|Q|N|N|100 FFNM|First Federal of Northern Michigan Bancorp, Inc. - Common Stock|S|N|N|100 FFNW|First Financial Northwest, Inc. - Common Stock|Q|N|N|100 FFWM|First Foundation Inc. - Common Stock|G|N|N|100 FGEN|FibroGen, Inc - Common Stock|Q|N|N|100 FHCO|Female Health Company (The) - Common Stock|S|N|N|100 FIBK|First Interstate BancSystem, Inc. - Class A Common Stock|Q|N|N|100 FINL|The Finish Line, Inc. - Class A Common Stock|Q|N|N|100 FISH|Marlin Midstream Partners, LP - Common Units representing Limited Partner Interests.|G|N|N|100 FISI|Financial Institutions, Inc. - Common Stock|Q|N|N|100 FISV|Fiserv, Inc. - Common Stock|Q|N|N|100 FITB|Fifth Third Bancorp - Common Stock|Q|N|N|100 FITBI|Fifth Third Bancorp - Depositary Share repstg 1/1000th Ownership Interest Perp Pfd Series I|Q|N|N|100 FIVE|Five Below, Inc. - Common Stock|Q|N|N|100 FIVN|Five9, Inc. - Common Stock|G|N|N|100 FIZZ|National Beverage Corp. - Common Stock|Q|N|N|100 FLAT|Barclays PLC - iPath US Treasury Flattener ETN|G|N|N|100 FLDM|Fluidigm Corporation - Common Stock|Q|N|N|100 FLEX|Flextronics International Ltd. - Ordinary Shares|Q|N|N|100 FLIC|The First of Long Island Corporation - Common Stock|S|N|N|100 FLIR|FLIR Systems, Inc. - Common Stock|Q|N|N|100 FLKS|Flex Pharma, Inc. - Common Stock|G|N|N|100 FLL|Full House Resorts, Inc. - Common Stock|S|N|N|100 FLML|Flamel Technologies S.A. - American Depositary Shares each representing one Ordinary Share|G|N|N|100 FLWS|1-800 FLOWERS.COM, Inc. - Class A Common Stock|Q|N|N|100 FLXN|Flexion Therapeutics, Inc. - Common Stock|G|N|N|100 FLXS|Flexsteel Industries, Inc. - Common Stock|Q|N|N|100 FMB|First Trust Managed Municipal ETF|G|N|N|100 FMBH|First Mid-Illinois Bancshares, Inc. - Common Stock|G|N|N|100 FMBI|First Midwest Bancorp, Inc. - Common Stock|Q|N|N|100 FMER|FirstMerit Corporation - Common Stock|Q|N|N|100 FMI|Foundation Medicine, Inc. - Common Stock|Q|N|N|100 FMNB|Farmers National Banc Corp. - Common Stock|S|N|N|100 FNBC|First NBC Bank Holding Company - Common Stock|Q|N|N|100 FNFG|First Niagara Financial Group Inc. - Common Stock|Q|N|N|100 FNGN|Financial Engines, Inc. - Common Stock|Q|N|N|100 FNHC|Federated National Holding Company - Common Stock|G|N|N|100 FNJN|Finjan Holdings, Inc. - Common Stock|S|N|N|100 FNLC|First Bancorp, Inc (ME) - Common Stock|Q|N|N|100 FNRG|ForceField Energy Inc. - Common Stock|S|N|N|100 FNSR|Finisar Corporation - Common Stock|Q|N|N|100 FNTCU|FinTech Acquisition Corp. - Units|S|N|N|100 FNWB|First Northwest Bancorp - Common Stock|G|N|N|100 FOLD|Amicus Therapeutics, Inc. - Common Stock|G|N|N|100 FOMX|Foamix Pharmaceuticals Ltd. - Ordinary Shares|G|N|N|100 FONE|First Trust NASDAQ CEA Smartphone Index Fund|G|N|N|100 FONR|Fonar Corporation - Common Stock|S|N|N|100 FORD|Forward Industries, Inc. - Common Stock|S|N|D|100 FORM|FormFactor, Inc. - Common Stock|Q|N|N|100 FORR|Forrester Research, Inc. - Common Stock|Q|N|N|100 FORTY|Formula Systems (1985) Ltd. - ADS represents 1 ordinary shares|Q|N|N|100 FOSL|Fossil Group, Inc. - Common Stock|Q|N|N|100 FOX|Twenty-First Century Fox, Inc. - Class B Common Stock|Q|N|N|100 FOXA|Twenty-First Century Fox, Inc. - Class A Common Stock|Q|N|N|100 FOXF|Fox Factory Holding Corp. - Common Stock|Q|N|N|100 FPRX|Five Prime Therapeutics, Inc. - Common Stock|Q|N|N|100 FPXI|First Trust International IPO ETF|G|N|N|100 FRAN|Francesca's Holdings Corporation - Common Stock|Q|N|N|100 FRBA|First Bank - Common Stock|G|N|N|100 FRBK|Republic First Bancorp, Inc. - Common Stock|G|N|N|100 FRED|Fred's, Inc. - Common Stock|Q|N|N|100 FREE|FreeSeas Inc. - Common Stock|S|N|D|100 FRGI|Fiesta Restaurant Group, Inc. - Common Stock|Q|N|N|100 FRME|First Merchants Corporation - Common Stock|Q|N|N|100 FRP|FairPoint Communications, Inc. - Common Stock|S|N|N|100 FRPH|FRP Holdings, Inc. - Common Stock|Q|N|N|100 FRPT|Freshpet, Inc. - Common Stock|G|N|N|100 FRSH|Papa Murphy's Holdings, Inc. - Common Stock|Q|N|N|100 FSAM|Fifth Street Asset Management Inc. - Class A Common Stock|Q|N|N|100 FSBK|First South Bancorp Inc - Common Stock|Q|N|N|100 FSBW|FS Bancorp, Inc. - Common Stock|S|N|N|100 FSC|Fifth Street Finance Corp. - Common Stock|Q|N|N|100 FSCFL|Fifth Street Finance Corp. - 6.125% senior notes due 2028|Q|N|N|100 FSFG|First Savings Financial Group, Inc. - Common Stock|S|N|N|100 FSFR|Fifth Street Senior Floating Rate Corp. - Common Stock|Q|N|N|100 FSGI|First Security Group, Inc. - Common Stock|S|N|N|100 FSLR|First Solar, Inc. - Common Stock|Q|N|N|100 FSNN|Fusion Telecommunications International, Inc. - Common Stock|S|N|N|100 FSRV|FirstService Corporation - Subordinate Voting Shares|Q|N|N|100 FSTR|L.B. Foster Company - Common Stock|Q|N|N|100 FSYS|Fuel Systems Solutions, Inc. - Common Stock|Q|N|N|100 FTCS|First Trust Capital Strength ETF|G|N|N|100 FTD|FTD Companies, Inc. - Common Stock|Q|N|N|100 FTEK|Fuel Tech, Inc. - Common Stock|Q|N|N|100 FTGC|First Trust Global Tactical Commodity Strategy Fund|G|N|N|100 FTHI|First Trust High Income ETF|G|N|N|100 FTLB|First Trust Low Beta Income ETF|G|N|N|100 FTNT|Fortinet, Inc. - Common Stock|Q|N|N|100 FTR|Frontier Communications Corporation - Common Stock|Q|N|N|100 FTSL|First Trust Senior Loan Fund ETF|G|N|N|100 FTSM|First Trust Enhanced Short Maturity ETF|G|N|N|100 FUEL|Rocket Fuel Inc. - Common Stock|Q|N|N|100 FULL|Full Circle Capital Corporation - Common Stock|G|N|N|100 FULLL|Full Circle Capital Corporation - 8.25% Notes due 2020|G|N|N|100 FULT|Fulton Financial Corporation - Common Stock|Q|N|N|100 FUNC|First United Corporation - Common Stock|Q|N|N|100 FUND|Sprott Focus Trust, Inc. - Closed End Fund|Q|N|N|100 FV|First Trust Dorsey Wright Focus 5 ETF|G|N|N|100 FWM|Fairway Group Holdings Corp. - Class A Common Stock|G|N|N|100 FWP|Forward Pharma A/S - American Depositary Shares|Q|N|N|100 FWRD|Forward Air Corporation - Common Stock|Q|N|N|100 FXCB|Fox Chase Bancorp, Inc. - Common Stock|Q|N|N|100 FXEN|FX Energy, Inc. - Common Stock|Q|N|N|100 FXENP|FX Energy, Inc. - Series B Cumulative Convertible Preferred Stock|Q|N|N|100 GABC|German American Bancorp, Inc. - Common Stock|Q|N|N|100 GAI|Global-Tech Advanced Innovations Inc. - Common Stock|G|N|N|100 GAIA|Gaiam, Inc. - Class A Common Stock|G|N|N|100 GAIN|Gladstone Investment Corporation - Business Development Company|Q|N|N|100 GAINO|Gladstone Investment Corporation - 6.75% Series B Cumulative Term Preferred Stock|Q|N|N|100 GAINP|Gladstone Investment Corporation - 7.125% Series A Term Preferred Stock|Q|N|N|100 GALE|Galena Biopharma, Inc. - Common Stock|S|N|N|100 GALT|Galectin Therapeutics Inc. - Common Stock|S|N|N|100 GALTU|Galectin Therapeutics Inc. - Units|S|N|N|100 GALTW|Galectin Therapeutics Inc. - Warrants|S|N|N|100 GAME|Shanda Games Limited - American Depositary Shares representing 2 Class A Ordinary Shares|Q|N|N|100 GARS|Garrison Capital Inc. - Common Stock|Q|N|N|100 GASS|StealthGas, Inc. - common stock|Q|N|N|100 GBCI|Glacier Bancorp, Inc. - Common Stock|Q|N|N|100 GBDC|Golub Capital BDC, Inc. - Common Stock|Q|N|N|100 GBIM|GlobeImmune, Inc. - Common Stock|S|N|N|100 GBLI|Global Indemnity plc - Class A Common Shares|Q|N|N|100 GBNK|Guaranty Bancorp - Common Stock|Q|N|N|100 GBSN|Great Basin Scientific, Inc. - Common Stock|S|N|N|100 GBSNU|Great Basin Scientific, Inc. - Units|S|N|N|100 GCBC|Greene County Bancorp, Inc. - Common Stock|S|N|N|100 GCVRZ|Sanofi - Contingent Value Right (Expiring 12/31/2020)|G|N|N|100 GDEF|Global Defense & National Security Systems, Inc. - Common Stock|S|N|D|100 GENC|Gencor Industries Inc. - Common Stock|G|N|N|100 GENE|Genetic Technologies Ltd - American Depositary Shares representing 30 ordinary shares|S|N|D|100 GEOS|Geospace Technologies Corporation - Common Stock|Q|N|N|100 GERN|Geron Corporation - Common Stock|Q|N|N|100 GEVA|Synageva BioPharma Corp. - Common Stock|Q|N|N|100 GEVO|Gevo, Inc. - Common Stock|S|N|D|100 GFED|Guaranty Federal Bancshares, Inc. - Common Stock|G|N|N|100 GFN|General Finance Corporation - Common Stock|G|N|N|100 GFNCP|General Finance Corporation - Cumulative Redeemable Perpetual Preferred Series C|G|N|N|100 GFNSL|General Finance Corporation - Senior Notes due 2021|G|N|N|100 GGAC|Garnero Group Acquisition Company - Ordinary Shares|S|N|N|100 GGACR|Garnero Group Acquisition Company - Rights expiring 6/25/2016|S|N|N|100 GGACU|Garnero Group Acquisition Company - Units|S|N|N|100 GGACW|Garnero Group Acquisition Company - Warrant expiring 6/24/2019|S|N|N|100 GGAL|Grupo Financiero Galicia S.A. - American Depositary Shares, Class B Shares underlying|S|N|N|100 GHDX|Genomic Health, Inc. - Common Stock|Q|N|N|100 GIFI|Gulf Island Fabrication, Inc. - Common Stock|Q|N|N|100 GIGA|Giga-tronics Incorporated - Common Stock|S|N|D|100 GIGM|GigaMedia Limited - Ordinary Shares|Q|N|D|100 GIII|G-III Apparel Group, LTD. - Common Stock|Q|N|N|100 GILD|Gilead Sciences, Inc. - Common Stock|Q|N|N|100 GILT|Gilat Satellite Networks Ltd. - Ordinary Shares|Q|N|N|100 GK|G&K Services, Inc. - Class A Common Stock|Q|N|N|100 GKNT|Geeknet, Inc. - Common Stock|G|N|N|100 GLAD|Gladstone Capital Corporation - Business Development Company|Q|N|N|100 GLADO|Gladstone Capital Corporation - Term Preferred Shares, 6.75% Series 2021|Q|N|N|100 GLBS|Globus Maritime Limited - Common Stock|G|N|N|100 GLBZ|Glen Burnie Bancorp - Common Stock|S|N|N|100 GLDC|Golden Enterprises, Inc. - Common Stock|G|N|N|100 GLDD|Great Lakes Dredge & Dock Corporation - Common Stock|Q|N|N|100 GLDI|Credit Suisse AG - Credit Suisse Gold Shares Covered Call Exchange Traded Notes|G|N|N|100 GLMD|Galmed Pharmaceuticals Ltd. - Ordinary Shares|S|N|N|100 GLNG|Golar LNG Limited - Common Shares|Q|N|N|100 GLPI|Gaming and Leisure Properties, Inc. - Common Stock|Q|N|N|100 GLRE|Greenlight Reinsurance, Ltd. - Class A Ordinary Shares|Q|N|N|100 GLRI|Glori Energy Inc - Common Stock|S|N|N|100 GLUU|Glu Mobile Inc. - Common Stock|Q|N|N|100 GLYC|GlycoMimetics, Inc. - Common Stock|G|N|N|100 GMAN|Gordmans Stores, Inc. - Common Stock|Q|N|N|100 GMCR|Keurig Green Mountain, Inc. - Common Stock|Q|N|N|100 GMLP|Golar LNG Partners LP - Common Units Representing Limited Partnership|Q|N|N|100 GNBC|Green Bancorp, Inc. - Common Stock|Q|N|N|100 GNCA|Genocea Biosciences, Inc. - Common Stock|G|N|N|100 GNCMA|General Communication, Inc. - Class A Common Stock|Q|N|N|100 GNMA|iShares Core GNMA Bond ETF|G|N|N|100 GNMK|GenMark Diagnostics, Inc. - Common Stock|G|N|N|100 GNTX|Gentex Corporation - Common Stock|Q|N|N|100 GNVC|GenVec, Inc. - Common Stock|S|N|N|100 GOGL|Golden Ocean Group Limited - Common Stock|Q|N|N|100 GOGO|Gogo Inc. - Common Stock|Q|N|N|100 GOLD|Randgold Resources Limited - American Depositary Shares each represented by one Ordinary Share|Q|N|N|100 GOMO|Sungy Mobile Limited - American Depositary Shares|G|N|N|100 GOOD|Gladstone Commercial Corporation - Real Estate Investment Trust|Q|N|N|100 GOODN|Gladstone Commercial Corporation - 7.125% Series C Cumulative Term Preferred Stock|Q|N|N|100 GOODO|Gladstone Commercial Corporation - 7.50% Series B Cumulative Redeemable Preferred Stock|Q|N|N|100 GOODP|Gladstone Commercial Corporation - 7.75% Series A Cumulative Redeemable Preferred Stock|Q|N|N|100 GOOG|Google Inc. - Class C Capital Stock|Q|N|N|100 GOOGL|Google Inc. - Class A Common Stock|Q|N|N|100 GPIC|Gaming Partners International Corporation - Common Stock|G|N|N|100 GPOR|Gulfport Energy Corporation - Common Stock|Q|N|N|100 GPRE|Green Plains, Inc. - Common Stock|Q|N|N|100 GPRO|GoPro, Inc. - Class A Common Stock|Q|N|N|100 GRBK|Green Brick Partners, Inc. - Common Stock|S|N|N|100 GRFS|Grifols, S.A. - American Depositary Shares|Q|N|N|100 GRID|First Trust NASDAQ Clean Edge Smart Grid Infrastructure Index Fund|G|N|N|100 GRIF|Griffin Land & Nurseries, Inc. - Common Stock|G|N|N|100 GRMN|Garmin Ltd. - Common Stock|Q|N|N|100 GROW|U.S. Global Investors, Inc. - Class A Common Stock|S|N|N|100 GRPN|Groupon, Inc. - Class A Common Stock|Q|N|N|100 GRVY|GRAVITY Co., Ltd. - American depositary shares, each representing one-fourth of a share of common stock|S|N|D|100 GSBC|Great Southern Bancorp, Inc. - Common Stock|Q|N|N|100 GSIG|GSI Group, Inc. - Common Stock|Q|N|N|100 GSIT|GSI Technology, Inc. - Common Stock|Q|N|N|100 GSM|Globe Specialty Metals Inc. - Common Stock|Q|N|N|100 GSOL|Global Sources Ltd. - Common Stock|Q|N|N|100 GSVC|GSV Capital Corp - Common Stock|S|N|N|100 GT|The Goodyear Tire & Rubber Company - Common Stock|Q|N|N|100 GTIM|Good Times Restaurants Inc. - Common Stock|S|N|N|100 GTLS|Chart Industries, Inc. - Common Stock|Q|N|N|100 GTWN|Georgetown Bancorp, Inc. - Common Stock|S|N|N|100 GTXI|GTx, Inc. - Common Stock|S|N|D|100 GUID|Guidance Software, Inc. - Common Stock|G|N|N|100 GULF|WisdomTree Middle East Dividend Fund|G|N|N|100 GULTU|Gulf Coast Ultra Deep Royalty Trust - Royalty Trust Unit|S|N|N|100 GURE|Gulf Resources, Inc. - Common Stock|Q|N|N|100 GWGH|GWG Holdings, Inc - Common Stock|S|N|N|100 GWPH|GW Pharmaceuticals Plc - American Depositary Shares|G|N|N|100 GYRO|Gyrodyne Company of America, Inc. - Common Stock|S|N|N|100 HA|Hawaiian Holdings, Inc. - Common Stock|Q|N|N|100 HABT|The Habit Restaurants, Inc. - Class A Common Stock|G|N|N|100 HAFC|Hanmi Financial Corporation - Common Stock|Q|N|N|100 HAIN|The Hain Celestial Group, Inc. - Common Stock|Q|N|N|100 HALL|Hallmark Financial Services, Inc. - Common Stock|G|N|N|100 HALO|Halozyme Therapeutics, Inc. - Common Stock|Q|N|N|100 HART|Harvard Apparatus Regenerative Technology, Inc. - Common Stock|S|N|N|100 HAS|Hasbro, Inc. - Common Stock|Q|N|N|100 HAWK|Blackhawk Network Holdings, Inc. - Class A Common Stock|Q|N|N|100 HAWKB|Blackhawk Network Holdings, Inc. - Class B Common Stock|Q|N|N|100 HAYN|Haynes International, Inc. - Common Stock|Q|N|N|100 HBAN|Huntington Bancshares Incorporated - Common Stock|Q|N|N|100 HBANP|Huntington Bancshares Incorporated - Non Cumulative Perp Conv Pfd Ser A|Q|N|N|10 HBCP|Home Bancorp, Inc. - Common Stock|Q|N|N|100 HBHC|Hancock Holding Company - Common Stock|Q|N|N|100 HBHCL|Hancock Holding Company - 5.95% Subordinated Notes due 2045|Q|N|N|100 HBIO|Harvard Bioscience, Inc. - Common Stock|G|N|N|100 HBK|Hamilton Bancorp, Inc. - Common Stock|S|N|N|100 HBMD|Howard Bancorp, Inc. - Common Stock|S|N|N|100 HBNC|Horizon Bancorp (IN) - Common Stock|Q|N|N|100 HBNK|Hampden Bancorp, Inc. - common stock|G|N|N|100 HBOS|Heritage Financial Group - Common Stock|Q|N|N|100 HBP|Huttig Building Products, Inc. - Common Stock|S|N|N|100 HCAP|Harvest Capital Credit Corporation - Common Stock|G|N|N|100 HCAPL|Harvest Capital Credit Corporation - 7.00% Notes due 2020|G|N|N|100 HCBK|Hudson City Bancorp, Inc. - Common Stock|Q|N|N|100 HCCI|Heritage-Crystal Clean, Inc. - Common Stock|Q|N|N|100 HCKT|The Hackett Group, Inc. - Common Stock|Q|N|N|100 HCOM|Hawaiian Telcom Holdco, Inc. - Common Stock|Q|N|N|100 HCSG|Healthcare Services Group, Inc. - Common Stock|Q|N|N|100 HDNG|Hardinge, Inc. - Common Stock|Q|N|N|100 HDP|Hortonworks, Inc. - Common Stock|Q|N|N|100 HDRA|Hydra Industries Acquisition Corp. - Common Stock|S|N|N|100 HDRAR|Hydra Industries Acquisition Corp. - Rights|S|N|N|100 HDRAU|Hydra Industries Acquisition Corp. - Units|S|N|N|100 HDRAW|Hydra Industries Acquisition Corp. - Warrants|S|N|N|100 HDS|HD Supply Holdings, Inc. - Common Stock|Q|N|N|100 HDSN|Hudson Technologies, Inc. - Common Stock|S|N|N|100 HEAR|Turtle Beach Corporation - Common Stock|G|N|N|100 HEES|H&E Equipment Services, Inc. - Common Stock|Q|N|N|100 HELE|Helen of Troy Limited - Common Stock|Q|N|N|100 HEOP|Heritage Oaks Bancorp - Common Stock|S|N|N|100 HERO|Hercules Offshore, Inc. - Common Stock|Q|N|D|100 HFBC|HopFed Bancorp, Inc. - Common Stock|G|N|N|100 HFBL|Home Federal Bancorp, Inc. of Louisiana - Common Stock|S|N|N|100 HFFC|HF Financial Corp. - Common Stock|G|N|N|100 HFWA|Heritage Financial Corporation - Common Stock|Q|N|N|100 HGSH|China HGS Real Estate, Inc. - Common Stock|S|N|N|100 HIBB|Hibbett Sports, Inc. - Common Stock|Q|N|N|100 HIFS|Hingham Institution for Savings - Common Stock|G|N|N|100 HIHO|Highway Holdings Limited - Common Stock|S|N|N|100 HIIQ|Health Insurance Innovations, Inc. - Class A Common Stock|G|N|N|100 HILL|Dot Hill Systems Corporation - Common Stock|G|N|N|100 HIMX|Himax Technologies, Inc. - American depositary shares, each of which represents two ordinary shares.|Q|N|N|100 HKTV|Hong Kong Television Network Limited - American Depositary Shares, each representing 20 Ordinary Shares|Q|N|N|100 HLIT|Harmonic Inc. - Common Stock|Q|N|N|100 HLSS|Home Loan Servicing Solutions, Ltd. - Ordinary Shares|Q|N|E|100 HMHC|Houghton Mifflin Harcourt Company - Common Stock|Q|N|N|100 HMIN|Homeinns Hotel Group - American Depositary Shares, each representing two ordinary shares|Q|N|N|100 HMNF|HMN Financial, Inc. - Common Stock|G|N|N|100 HMNY|Helios and Matheson Analytics Inc - Common Stock|S|N|N|100 HMPR|Hampton Roads Bankshares Inc - Common Stock|Q|N|N|100 HMST|HomeStreet, Inc. - Common Stock|Q|N|N|100 HMSY|HMS Holdings Corp - Common Stock|Q|N|N|100 HMTV|Hemisphere Media Group, Inc. - Class A Common Stock|G|N|N|100 HNH|Handy & Harman Ltd. - Common Stock|S|N|N|100 HNNA|Hennessy Advisors, Inc. - Common Stock|S|N|N|100 HNRG|Hallador Energy Company - Common Stock|S|N|N|100 HNSN|Hansen Medical, Inc. - Common Stock|G|N|N|100 HOFT|Hooker Furniture Corporation - Common Stock|Q|N|N|100 HOLI|Hollysys Automation Technologies, Ltd. - Common Stock|Q|N|N|100 HOLX|Hologic, Inc. - Common Stock|Q|N|N|100 HOMB|Home BancShares, Inc. - common stock|Q|N|N|100 HOTR|Chanticleer Holdings, Inc. - Common Stock|S|N|N|100 HOTRW|Chanticleer Holdings, Inc. - Warrants|S|N|N|100 HOVNP|Hovnanian Enterprises Inc - Depositary Share representing 1/1000th of 7.625% Series A Preferred Stock|G|N|N|100 HPJ|Highpower International Inc - Common Stock|G|N|N|100 HPTX|Hyperion Therapeutics, Inc. - Common Stock|Q|N|N|100 HQCL|Hanwha Q CELLS Co., Ltd. - American Depository Shares, each representing five ordinary shares|Q|N|N|100 HQY|HealthEquity, Inc. - Common Stock|Q|N|N|100 HRMNU|Harmony Merger Corp. - Unit|S|N|N|100 HRTX|Heron Therapeutics, Inc. - Common Stock|S|N|N|100 HRZN|Horizon Technology Finance Corporation - Common Stock|Q|N|N|100 HSGX|Histogenics Corporation - Common Stock|G|N|N|100 HSIC|Henry Schein, Inc. - Common Stock|Q|N|N|100 HSII|Heidrick & Struggles International, Inc. - Common Stock|Q|N|N|100 HSKA|Heska Corporation - Common Stock|S|N|N|100 HSNI|HSN, Inc. - Common Stock|Q|N|N|100 HSON|Hudson Global, Inc. - Common Stock|Q|N|N|100 HSTM|HealthStream, Inc. - Common Stock|Q|N|N|100 HTBI|HomeTrust Bancshares, Inc. - Common Stock|Q|N|N|100 HTBK|Heritage Commerce Corp - Common Stock|Q|N|N|100 HTBX|Heat Biologics, Inc. - Common Stock|S|N|N|100 HTCH|Hutchinson Technology Incorporated - Common Stock|Q|N|N|100 HTHT|China Lodging Group, Limited - American Depositary Shares, each representing four Ordinary Shares|Q|N|N|100 HTLD|Heartland Express, Inc. - Common Stock|Q|N|N|100 HTLF|Heartland Financial USA, Inc. - Common Stock|Q|N|N|100 HTWR|Heartware International, Inc. - Common Stock|Q|N|N|100 HUBG|Hub Group, Inc. - Class A Common Stock|Q|N|N|100 HURC|Hurco Companies, Inc. - Common Stock|Q|N|N|100 HURN|Huron Consulting Group Inc. - Common Stock|Q|N|N|100 HWAY|Healthways, Inc. - Common Stock|Q|N|N|100 HWBK|Hawthorn Bancshares, Inc. - Common Stock|Q|N|N|100 HWCC|Houston Wire & Cable Company - Common Stock|Q|N|N|100 HWKN|Hawkins, Inc. - Common Stock|Q|N|N|100 HYGS|Hydrogenics Corporation - Common Shares|G|N|N|100 HYLS|First Trust High Yield Long/Short ETF|G|N|N|100 HYND|WisdomTree BofA Merrill Lynch High Yield Bond Negative Duration Fund|G|N|N|100 HYZD|WisdomTree BofA Merrill Lynch High Yield Bond Zero Duration Fund|G|N|N|100 HZNP|Horizon Pharma plc - common stock|Q|N|N|100 IACI|IAC/InterActiveCorp - Common Stock|Q|N|N|100 IART|Integra LifeSciences Holdings Corporation - Common Stock|Q|N|N|100 IBB|iShares Nasdaq Biotechnology Index Fund|G|N|N|100 IBCP|Independent Bank Corporation - Common Stock|Q|N|N|100 IBKC|IBERIABANK Corporation - Common Stock|Q|N|N|100 IBKR|Interactive Brokers Group, Inc. - Common Stock|Q|N|N|100 IBOC|International Bancshares Corporation - Common Stock|Q|N|N|100 IBTX|Independent Bank Group, Inc - Common Stock|Q|N|N|100 ICAD|icad inc. - Common Stock|S|N|N|100 ICBK|County Bancorp, Inc. - Common Stock|G|N|N|100 ICCC|ImmuCell Corporation - Common Stock|S|N|N|100 ICEL|Cellular Dynamics International, Inc. - Common Stock|G|N|N|100 ICFI|ICF International, Inc. - Common Stock|Q|N|N|100 ICLD|InterCloud Systems, Inc - Common Stock|S|N|N|100 ICLDW|InterCloud Systems, Inc - Warrant|S|N|N|100 ICLN|iShares S&P Global Clean Energy Index Fund|G|N|N|100 ICLR|ICON plc - Ordinary Shares|Q|N|N|100 ICON|Iconix Brand Group, Inc. - Common Stock|Q|N|N|100 ICPT|Intercept Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 ICUI|ICU Medical, Inc. - Common Stock|Q|N|N|100 IDCC|InterDigital, Inc. - Common Stock|Q|N|N|100 IDRA|Idera Pharmaceuticals, Inc. - Common Stock|S|N|N|100 IDSA|Industrial Services of America, Inc. - Common Stock|S|N|N|100 IDSY|I.D. Systems, Inc. - Common Stock|G|N|N|100 IDTI|Integrated Device Technology, Inc. - Common Stock|Q|N|N|100 IDXX|IDEXX Laboratories, Inc. - Common Stock|Q|N|N|100 IEP|Icahn Enterprises L.P. - Depositary units|Q|N|N|100 IESC|Integrated Electrical Services, Inc. - Common Stock|G|N|N|100 IEUS|iShares MSCI Europe Small-Cap ETF|G|N|N|100 IFAS|iShares FTSE EPRA/NAREIT Asia Index Fund|G|N|N|100 IFEU|iShares FTSE EPRA/NAREIT Europe Index Fund|G|N|N|100 IFGL|iShares FTSE EPRA/NAREIT Global Real Estate ex-U.S. Index Fund|G|N|N|100 IFNA|iShares FTSE EPRA/NAREIT North America Index Fund|G|N|N|100 IFON|InfoSonics Corp - Common Stock|S|N|N|100 IFV|First Trust Dorsey Wright International Focus 5 ETF|G|N|N|100 IGLD|Internet Gold Golden Lines Ltd. - Ordinary Shares|Q|N|N|100 IGOV|iShares S&P/Citigroup International Treasury Bond Fund|G|N|N|100 IGTE|IGATE Corporation - Common Stock|Q|N|N|100 III|Information Services Group, Inc. - Common Stock|G|N|N|100 IIIN|Insteel Industries, Inc. - Common Stock|Q|N|N|100 IIJI|Internet Initiative Japan, Inc. - ADS represents common stock|Q|N|N|100 IILG|Interval Leisure Group, Inc. - Common Stock|Q|N|N|100 IIN|IntriCon Corporation - Common Stock|G|N|N|100 IIVI|II-VI Incorporated - Common Stock|Q|N|N|100 IKAN|Ikanos Communications, Inc. - Common Stock|S|N|N|100 IKGH|Iao Kun Group Holding Company Limited - Ordinary Shares (Cayman Islands)|G|N|N|100 IKNX|Ikonics Corporation - Common Stock|S|N|N|100 ILMN|Illumina, Inc. - Common Stock|Q|N|N|100 IMDZ|Immune Design Corp. - Common Stock|G|N|N|100 IMGN|ImmunoGen, Inc. - Common Stock|Q|N|N|100 IMI|Intermolecular, Inc. - Common Stock|Q|N|N|100 IMKTA|Ingles Markets, Incorporated - Class A Common Stock|Q|N|N|100 IMMR|Immersion Corporation - Common Stock|Q|N|N|100 IMMU|Immunomedics, Inc. - Common Stock|G|N|N|100 IMMY|Imprimis Pharmaceuticals, Inc. - Common Stock|S|N|N|100 IMNP|Immune Pharmaceuticals Inc. - Common Stock|S|N|N|100 IMOS|ChipMOS TECHNOLOGIES (Bermuda) LTD. - Common Shares|S|N|N|100 IMRS|Imris Inc - Common Shares|Q|N|N|100 INAP|Internap Corporation - Common Stock|Q|N|N|100 INBK|First Internet Bancorp - Common Stock|S|N|N|100 INCR|INC Research Holdings, Inc. - Class A Common Stock|Q|N|N|100 INCY|Incyte Corporation - Common Stock|Q|N|N|100 INDB|Independent Bank Corp. - Common Stock|Q|N|N|100 INDY|iShares S&P India Nifty 50 Index Fund|G|N|N|100 INFA|Informatica Corporation - Common Stock|Q|N|N|100 INFI|Infinity Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 INFN|Infinera Corporation - Common Stock|Q|N|N|100 INGN|Inogen, Inc - Common Stock|Q|N|N|100 ININ|Interactive Intelligence Group, Inc. - Common Stock|Q|N|N|100 INNL|Innocoll AG - American Depositary Share|G|N|N|100 INO|Inovio Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 INOD|Innodata Inc. - Common Stock|G|N|N|100 INOV|Inovalon Holdings, Inc. - Class A Common Stock|Q|N|N|100 INPH|Interphase Corporation - Common Stock|S|N|N|100 INSM|Insmed, Inc. - Common Stock|Q|N|N|100 INSY|Insys Therapeutics, Inc. - Common Stock|G|N|N|100 INTC|Intel Corporation - Common Stock|Q|N|N|100 INTG|The Intergroup Corporation - Common Stock|S|N|N|100 INTL|INTL FCStone Inc. - Common Stock|Q|N|N|100 INTLL|INTL FCStone Inc. - 8.5% Senior Notes Due 2020|Q|N|N|100 INTU|Intuit Inc. - Common Stock|Q|N|N|100 INTX|Intersections, Inc. - Common Stock|G|N|N|100 INVE|Identiv, Inc. - Common Stock|S|N|N|100 INVT|Inventergy Global, Inc. - Common Stock|S|N|D|100 INWK|InnerWorkings, Inc. - Common Stock|Q|N|N|100 IOSP|Innospec Inc. - Common Stock|Q|N|N|100 IPAR|Inter Parfums, Inc. - Common Stock|Q|N|N|100 IPAS|iPass Inc. - Common Stock|Q|N|N|100 IPCC|Infinity Property and Casualty Corporation - Common Stock|Q|N|N|100 IPCI|Intellipharmaceutics International Inc. - Common Stock|S|N|N|100 IPCM|IPC Healthcare, Inc. - Common Stock|Q|N|N|100 IPDN|Professional Diversity Network, Inc. - Common Stock|S|N|N|100 IPGP|IPG Photonics Corporation - Common Stock|Q|N|N|100 IPHS|Innophos Holdings, Inc. - Common Stock|Q|N|N|100 IPKW|PowerShares International BuyBack Achievers Portfolio|G|N|N|100 IPWR|Ideal Power Inc. - Common Stock|S|N|N|100 IPXL|Impax Laboratories, Inc. - Common Stock|Q|N|N|100 IQNT|Inteliquent, Inc. - Common Stock|Q|N|N|100 IRBT|iRobot Corporation - Common Stock|Q|N|N|100 IRCP|IRSA Propiedades Comerciales S.A. - American Depository Shares, each representing forty shares of Common Stock|Q|N|N|100 IRDM|Iridium Communications Inc - Common Stock|Q|N|N|100 IRDMB|Iridium Communications Inc - 6.75% Series B Cumulative Perpetual Convertible Preferred Stock|Q|N|N|100 IRG|Ignite Restaurant Group, Inc. - Common Stock|Q|N|N|100 IRIX|IRIDEX Corporation - Common Stock|G|N|N|100 IRMD|iRadimed Corporation - Common Stock|S|N|N|100 IROQ|IF Bancorp, Inc. - Common Stock|S|N|N|100 IRWD|Ironwood Pharmaceuticals, Inc. - Class A Common Stock|Q|N|N|100 ISBC|Investors Bancorp, Inc. - Common Stock|Q|N|N|100 ISCA|International Speedway Corporation - Class A Common Stock|Q|N|N|100 ISHG|iShares S&P/Citigroup 1-3 Year International Treasury Bond Fund|G|N|N|100 ISIG|Insignia Systems, Inc. - Common Stock|S|N|N|100 ISIL|Intersil Corporation - Class A Common Stock|Q|N|N|100 ISIS|Isis Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 ISLE|Isle of Capri Casinos, Inc. - Common Stock|Q|N|N|100 ISM|SLM Corporation - Medium Term Notes, Series A, CPI-Linked Notes due January 16, 2018|G|N|N|100 ISNS|Image Sensing Systems, Inc. - Common Stock|S|N|N|100 ISRG|Intuitive Surgical, Inc. - Common Stock|Q|N|N|100 ISRL|Isramco, Inc. - Common Stock|S|N|N|100 ISSC|Innovative Solutions and Support, Inc. - Common Stock|Q|N|N|100 ISSI|Integrated Silicon Solution, Inc. - Common Stock|Q|N|N|100 ISTR|Investar Holding Corporation - Common Stock|G|N|N|100 ITCI|Intra-Cellular Therapies Inc. - Common Stock|Q|N|N|100 ITEK|Inotek Pharmaceuticals Corporation - Common Stock|G|N|N|100 ITIC|Investors Title Company - Common Stock|Q|N|N|100 ITRI|Itron, Inc. - Common Stock|Q|N|N|100 ITRN|Ituran Location and Control Ltd. - Ordinary Shares|Q|N|N|100 IVAC|Intevac, Inc. - Common Stock|Q|N|N|100 IXYS|IXYS Corporation - Common Stock|Q|N|N|100 JACK|Jack In The Box Inc. - Common Stock|Q|N|N|100 JAKK|JAKKS Pacific, Inc. - Common Stock|Q|N|N|100 JASN|Jason Industries, Inc. - Common Stock|S|N|N|100 JASNW|Jason Industries, Inc. - Warrant|S|N|N|100 JASO|JA Solar Holdings, Co., Ltd. - American depositary shares, each representing five ordinary shares|Q|N|N|100 JAXB|Jacksonville Bancorp, Inc. - Common Stock (Voting)|S|N|N|100 JAZZ|Jazz Pharmaceuticals plc - Ordinary Shares|Q|N|N|100 JBHT|J.B. Hunt Transport Services, Inc. - Common Stock|Q|N|N|100 JBLU|JetBlue Airways Corporation - Common Stock|Q|N|N|100 JBSS|John B. Sanfilippo & Son, Inc. - Common Stock|Q|N|N|100 JCOM|j2 Global, Inc. - Common Stock|Q|N|N|100 JCS|Communications Systems, Inc. - Common Stock|G|N|N|100 JCTCF|Jewett-Cameron Trading Company - Common Shares|S|N|N|100 JD|JD.com, Inc. - American Depositary Shares|Q|N|N|100 JDSU|JDS Uniphase Corporation - Common Stock|Q|N|N|100 JGBB|WisdomTree Japan Interest Rate Strategy Fund|G|N|N|100 JIVE|Jive Software, Inc. - Common Stock|Q|N|N|100 JJSF|J & J Snack Foods Corp. - Common Stock|Q|N|N|100 JKHY|Jack Henry & Associates, Inc. - Common Stock|Q|N|E|100 JMBA|Jamba, Inc. - Common Stock|G|N|N|100 JOBS|51job, Inc. - American Depositary Shares, each representing two common shares|Q|N|N|100 JOEZ|Joe's Jeans Inc. - Common Stock|S|N|D|100 JOUT|Johnson Outdoors Inc. - Class A Common Stock|Q|N|N|100 JRJC|China Finance Online Co. Limited - American Depositary Shares representing 5 ordinary shares|Q|N|N|100 JRVR|James River Group Holdings, Ltd. - Common Shares|Q|N|N|100 JSM|SLM Corporation - 6% Senior Notes due December 15, 2043|G|N|N|100 JST|Jinpan International Limited - Common Stock|Q|N|N|100 JTPY|JetPay Corporation - Common Stock|S|N|N|100 JUNO|Juno Therapeutics, Inc. - Common Stock|Q|N|N|100 JVA|Coffee Holding Co., Inc. - Common Stock|S|N|N|100 JXSB|Jacksonville Bancorp Inc. - Common Stock|S|N|N|100 JYNT|The Joint Corp. - Common Stock|S|N|N|100 KALU|Kaiser Aluminum Corporation - Common Stock|Q|N|N|100 KANG|iKang Healthcare Group, Inc. - American Depositary Shares|Q|N|N|100 KBAL|Kimball International, Inc. - Class B Common Stock|Q|N|N|100 KBIO|KaloBios Pharmaceuticals, Inc. - Common Stock|G|N|D|100 KBSF|KBS Fashion Group Limited - Common Stock|S|N|N|100 KCAP|KCAP Financial, Inc. - common stock|Q|N|N|100 KCLI|Kansas City Life Insurance Company - Common Stock|S|N|N|100 KE|Kimball Electronics, Inc. - Common Stock|Q|N|N|100 KELYA|Kelly Services, Inc. - Class A Common Stock|Q|N|N|100 KELYB|Kelly Services, Inc. - Class B Common Stock|Q|N|N|100 KEQU|Kewaunee Scientific Corporation - Common Stock|G|N|N|100 KERX|Keryx Biopharmaceuticals, Inc. - Common Stock|S|N|N|100 KEYW|The KEYW Holding Corporation - Common Stock|Q|N|N|100 KFFB|Kentucky First Federal Bancorp - Common Stock|G|N|N|100 KFRC|Kforce, Inc. - Common Stock|Q|N|N|100 KFX|Kofax Limited - Common Shares|Q|N|N|100 KGJI|Kingold Jewelry Inc. - Common Stock|S|N|N|100 KIN|Kindred Biosciences, Inc. - Common Stock|S|N|N|100 KINS|Kingstone Companies, Inc - Common Stock|S|N|N|100 KIRK|Kirkland's, Inc. - Common Stock|Q|N|N|100 KITE|Kite Pharma, Inc. - Common Stock|Q|N|N|100 KLAC|KLA-Tencor Corporation - Common Stock|Q|N|N|100 KLIC|Kulicke and Soffa Industries, Inc. - Common Stock|Q|N|N|100 KLXI|KLX Inc. - Common Stock|Q|N|N|100 KMDA|Kamada Ltd. - Ordinary Shares|Q|N|N|100 KNDI|Kandi Technologies Group, Inc. - Common Stock|Q|N|N|100 KONA|Kona Grill, Inc. - Common Stock|G|N|N|100 KONE|Kingtone Wirelessinfo Solution Holding Ltd - American Depositary Shares|S|N|N|100 KOOL|Cesca Therapeutics Inc. - Common Stock|S|N|E|100 KOPN|Kopin Corporation - Common Stock|Q|N|N|100 KOSS|Koss Corporation - Common Stock|S|N|N|100 KPTI|Karyopharm Therapeutics Inc. - Common Stock|Q|N|N|100 KRFT|Kraft Foods Group, Inc. - Common Stock|Q|N|N|100 KRNT|Kornit Digital Ltd. - Ordinary Shares|Q|N|N|100 KRNY|Kearny Financial - Common Stock|Q|N|N|100 KTCC|Key Tronic Corporation - Common Stock|G|N|N|100 KTEC|Key Technology, Inc. - Common Stock|G|N|N|100 KTOS|Kratos Defense & Security Solutions, Inc. - Common Stock|Q|N|N|100 KTWO|K2M Group Holdings, Inc. - Common Stock|Q|N|N|100 KUTV|Ku6 Media Co., Ltd. - American Depositary Shares, each representing 100 ordinary shares|G|N|N|100 KVHI|KVH Industries, Inc. - Common Stock|Q|N|N|100 KWEB|KraneShares CSI China Internet ETF|G|N|N|100 KYTH|Kythera Biopharmaceuticals, Inc. - Common Stock|Q|N|N|100 KZ|KongZhong Corporation - American Depositary Shares, each representing 40 ordinary shares|Q|N|N|100 LABC|Louisiana Bancorp, Inc. - Common Stock|G|N|N|100 LABL|Multi-Color Corporation - Common Stock|Q|N|N|100 LACO|Lakes Entertainment, Inc. - Common Stock|G|N|N|100 LAKE|Lakeland Industries, Inc. - Common Stock|G|N|N|100 LALT|PowerShares Actively Managed Exchange-Traded Fund Trust - PowerShares Multi-Strategy Alternative Portfolio|G|N|N|100 LAMR|Lamar Advertising Company - Class A Common Stock|Q|N|N|100 LANC|Lancaster Colony Corporation - Common Stock|Q|N|N|100 LAND|Gladstone Land Corporation - Common Stock|G|N|N|100 LARK|Landmark Bancorp Inc. - Common Stock|G|N|N|100 LAWS|Lawson Products, Inc. - Common Stock|Q|N|N|100 LAYN|Layne Christensen Company - Common Stock|Q|N|N|100 LBAI|Lakeland Bancorp, Inc. - Common Stock|Q|N|N|100 LBIO|Lion Biotechnologies, Inc. - Common Stock|G|N|N|100 LBIX|Leading Brands Inc - Common Shares|S|N|N|100 LBRDA|Liberty Broadband Corporation - Class A Common Stock|Q|N|N|100 LBRDK|Liberty Broadband Corporation - Class C Common Stock|Q|N|N|100 LBTYA|Liberty Global plc - Class A Ordinary Shares|Q|N|N|100 LBTYB|Liberty Global plc - Class B Ordinary Shares|Q|N|N|100 LBTYK|Liberty Global plc - Class C Ordinary Shares|Q|N|N|100 LCNB|LCNB Corporation - Common Stock|S|N|N|100 LCUT|Lifetime Brands, Inc. - Common Stock|Q|N|N|100 LDRH|LDR Holding Corporation - Common Stock|Q|N|N|100 LDRI|PowerShares LadderRite 0-5 Year Corporate Bond Portfolio|G|N|N|100 LE|Lands' End, Inc. - Common Stock|S|N|N|100 LECO|Lincoln Electric Holdings, Inc. - Common Shares|Q|N|N|100 LEDS|SemiLEDS Corporation - Common Stock|Q|N|N|100 LENS|Presbia PLC - Ordinary Shares|G|N|N|100 LEVY|Levy Acquisition Corp. - Common Stock|S|N|N|100 LEVYU|Levy Acquisition Corp. - Unit|S|N|N|100 LEVYW|Levy Acquisition Corp. - Warrants|S|N|N|100 LFUS|Littelfuse, Inc. - Common Stock|Q|N|N|100 LFVN|Lifevantage Corporation - Common Stock|S|N|N|100 LGCY|Legacy Reserves LP - Units Representing Limited Partner Interests|Q|N|N|100 LGCYO|Legacy Reserves LP - 8.00% Series B Fixed-to-Floating Rate Cumulative Redeemable Perpetual Preferred Units|Q|N|N|100 LGCYP|Legacy Reserves LP - 8% Series A Fixed-to-Floating Rate Cumulative Redeemable Perpetual Preferred Units|Q|N|N|100 LGIH|LGI Homes, Inc. - Common Stock|Q|N|N|100 LGND|Ligand Pharmaceuticals Incorporated - Common Stock|G|N|N|100 LHCG|LHC Group - common stock|Q|N|N|100 LIME|Lime Energy Co. - Common Stock|S|N|N|100 LINC|Lincoln Educational Services Corporation - Common Stock|Q|N|N|100 LINE|Linn Energy, LLC - Common Units representing limited liability company interests|Q|N|N|100 LION|Fidelity Southern Corporation - Common Stock|Q|N|N|100 LIOX|Lionbridge Technologies, Inc. - Common Stock|Q|N|N|100 LIQD|Liquid Holdings Group, Inc. - Common Stock|G|N|D|100 LIVE|LiveDeal, Inc. - Common Stock|S|N|N|100 LJPC|La Jolla Pharmaceutical Company - Common Stock|S|N|N|100 LKFN|Lakeland Financial Corporation - Common Stock|Q|N|N|100 LKQ|LKQ Corporation - Common Stock|Q|N|N|100 LLEX|Lilis Energy, Inc. - Common Stock|G|N|N|100 LLNW|Limelight Networks, Inc. - Common Stock|Q|N|N|100 LLTC|Linear Technology Corporation - Common Stock|Q|N|N|100 LMAT|LeMaitre Vascular, Inc. - Common Stock|G|N|N|100 LMBS|First Trust Low Duration Mortgage Opportunities ETF|G|N|N|100 LMCA|Liberty Media Corporation - Series A Common Stock|Q|N|N|100 LMCB|Liberty Media Corporation - Series B Common Stock|Q|N|N|100 LMCK|Liberty Media Corporation - Series C Common Stock|Q|N|N|100 LMIA|LMI Aerospace, Inc. - Common Stock|Q|N|N|100 LMNR|Limoneira Co - Common Stock|Q|N|N|100 LMNS|Lumenis Ltd. - Class B Ordinary Shares|Q|N|N|100 LMNX|Luminex Corporation - Common Stock|Q|N|N|100 LMOS|Lumos Networks Corp. - Common Stock|Q|N|N|100 LMRK|Landmark Infrastructure Partners LP - Common Units|G|N|N|100 LNBB|LNB Bancorp, Inc. - Common Stock|G|N|N|100 LNCE|Snyder's-Lance, Inc. - Common Stock|Q|N|N|100 LNCO|Linn Co, LLC - Common Shares|Q|N|N|100 LNDC|Landec Corporation - Common Stock|Q|N|N|100 LOAN|Manhattan Bridge Capital, Inc - Common Stock|S|N|N|100 LOCM|Local Corporation - Common Stock|S|N|D|100 LOCO|El Pollo Loco Holdings, Inc. - Common Stock|Q|N|N|100 LOGI|Logitech International S.A. - Registered Shares|Q|N|N|100 LOGM|LogMein, Inc. - Common Stock|Q|N|N|100 LOJN|LoJack Corporation - Common Stock|Q|N|N|100 LONG|eLong, Inc. - American Depositary Shares representing 2 Ordinary Shares|Q|N|N|100 LOOK|LookSmart, Ltd. - Common Stock|S|N|D|100 LOPE|Grand Canyon Education, Inc. - Common Stock|Q|N|N|100 LORL|Loral Space and Communications, Inc. - Common Stock|Q|N|N|100 LOXO|Loxo Oncology, Inc. - Common Stock|G|N|N|100 LPCN|Lipocine Inc. - Common Stock|S|N|N|100 LPLA|LPL Financial Holdings Inc. - Common Stock|Q|N|N|100 LPNT|LifePoint Hospitals, Inc. - Common Stock|Q|N|N|100 LPSB|LaPorte Bancorp, Inc. - Common Stock|S|N|N|100 LPSN|LivePerson, Inc. - Common Stock|Q|N|N|100 LPTH|LightPath Technologies, Inc. - Class A Common Stock|S|N|N|100 LPTN|Lpath, Inc. - Class A Common Stock|S|N|N|100 LQDT|Liquidity Services, Inc. - Common Stock|Q|N|N|100 LRAD|LRAD Corporation - Common Stock|S|N|N|100 LRCX|Lam Research Corporation - Common Stock|Q|N|N|100 LSBK|Lake Shore Bancorp, Inc. - Common Stock|G|N|N|100 LSCC|Lattice Semiconductor Corporation - Common Stock|Q|N|N|100 LSTR|Landstar System, Inc. - Common Stock|Q|N|N|100 LTBR|Lightbridge Corporation - Common Stock|S|N|D|100 LTRE|Learning Tree International, Inc. - Common Stock|G|N|N|100 LTRPA|Liberty TripAdvisor Holdings, Inc. - Series A Common Stock|Q|N|N|100 LTRPB|Liberty TripAdvisor Holdings, Inc. - Series B Common Stock|Q|N|N|100 LTRX|Lantronix, Inc. - Common Stock|S|N|N|100 LTXB|LegacyTexas Financial Group, Inc. - Common Stock|Q|N|N|100 LULU|lululemon athletica inc. - Common Stock|Q|N|N|100 LUNA|Luna Innovations Incorporated - Common Stock|S|N|N|100 LVNTA|Liberty Interactive Corporation - Series A Liberty Ventures Common Stock|Q|N|N|100 LVNTB|Liberty Interactive Corporation - Series B Liberty Ventures Common Stock|Q|N|N|100 LWAY|Lifeway Foods, Inc. - Common Stock|G|N|N|100 LXRX|Lexicon Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 LYTS|LSI Industries Inc. - Common Stock|Q|N|N|100 MACK|Merrimack Pharmaceuticals, Inc. - Common Stock|G|N|N|100 MAG|Magnetek, Inc. - Common Stock|G|N|N|100 MAGS|Magal Security Systems Ltd. - Ordinary Shares|G|N|N|100 MAMS|MAM Software Group, Inc. - Common Stock|S|N|N|100 MANH|Manhattan Associates, Inc. - Common Stock|Q|N|N|100 MANT|ManTech International Corporation - Class A Common Stock|Q|N|N|100 MAR|Marriott International - Class A Common Stock|Q|N|N|100 MARA|Marathon Patent Group, Inc. - Common Stock|S|N|N|100 MARK|Remark Media, Inc. - Common Stock|S|N|N|100 MARPS|Marine Petroleum Trust - Units of Beneficial Interest|S|N|N|100 MASI|Masimo Corporation - Common Stock|Q|N|N|100 MAT|Mattel, Inc. - Common Stock|Q|N|N|100 MATR|Mattersight Corporation - Common Stock|G|N|N|100 MATW|Matthews International Corporation - Class A Common Stock|Q|N|N|100 MAYS|J. W. Mays, Inc. - Common Stock|S|N|N|100 MBCN|Middlefield Banc Corp. - Common Stock|S|N|N|100 MBFI|MB Financial Inc. - Common Stock|Q|N|N|100 MBFIP|MB Financial Inc. - Perpetual Non-Cumulative Preferred Stock, Series A|Q|N|N|100 MBII|Marrone Bio Innovations, Inc. - Common Stock|G|N|E|100 MBLX|Metabolix, Inc. - Common Stock|S|N|D|100 MBRG|Middleburg Financial Corporation - Common Stock|S|N|N|100 MBSD|FlexShares Disciplined Duration MBS Index Fund|G|N|N|100 MBTF|M B T Financial Corp - Common Stock|Q|N|N|100 MBUU|Malibu Boats, Inc. - Common Stock|G|N|N|100 MBVT|Merchants Bancshares, Inc. - Common Stock|Q|N|N|100 MBWM|Mercantile Bank Corporation - Common Stock|Q|N|N|100 MCBC|Macatawa Bank Corporation - Common Stock|Q|N|N|100 MCBK|Madison County Financial, Inc. - Common Stock|S|N|N|100 MCEP|Mid-Con Energy Partners, LP - Common Units|Q|N|N|100 MCGC|MCG Capital Corporation - Closed End Fund|Q|N|N|100 MCHP|Microchip Technology Incorporated - Common Stock|Q|N|N|100 MCHX|Marchex, Inc. - Class B Common Stock|Q|N|N|100 MCOX|Mecox Lane Limited - American Depositary Shares|Q|N|N|100 MCRI|Monarch Casino & Resort, Inc. - Common Stock|Q|N|N|100 MCRL|Micrel, Incorporated - Common Stock|Q|N|N|100 MCUR|Macrocure Ltd. - Ordinary Shares|G|N|N|100 MDAS|MedAssets, Inc. - Common Stock|Q|N|N|100 MDCA|MDC Partners Inc. - Class A Subordinate Voting Shares|Q|N|N|100 MDCO|The Medicines Company - Common Stock|Q|N|N|100 MDIV|First Trust Exchange-Traded Fund VI Multi-Asset Diversified Income Index Fund|G|N|N|100 MDLZ|Mondelez International, Inc. - Class A Common Stock|Q|N|N|100 MDM|Mountain Province Diamonds Inc. - Common Stock|Q|N|N|100 MDRX|Allscripts Healthcare Solutions, Inc. - common stock|Q|N|N|100 MDSO|Medidata Solutions, Inc. - Common Stock|Q|N|N|100 MDSY|ModSys International Ltd. - Ordinary Shares|G|N|N|100 MDVN|Medivation, Inc. - Common Stock|Q|N|N|100 MDVX|Medovex Corp. - Common Stock|S|N|N|100 MDVXW|Medovex Corp. - Class A Warrant|S|N|N|100 MDWD|MediWound Ltd. - Ordinary Shares|G|N|N|100 MDXG|MiMedx Group, Inc - Common Stock|S|N|N|100 MEET|MeetMe, Inc. - Common Stock|S|N|N|100 MEIL|Methes Energies International Ltd - Common Stock|S|N|N|100 MEILW|Methes Energies International Ltd - Class A Warrants|S|N|N|100 MEILZ|Methes Energies International Ltd - Class B Warrants|S|N|N|100 MEIP|MEI Pharma, Inc. - Common Stock|S|N|N|100 MELA|MELA Sciences, Inc - Common Stock|S|N|N|100 MELI|MercadoLibre, Inc. - Common Stock|Q|N|N|100 MELR|Melrose Bancorp, Inc. - Common Stock|S|N|N|100 MEMP|Memorial Production Partners LP - Common Units|Q|N|N|100 MENT|Mentor Graphics Corporation - Common Stock|Q|N|N|100 MEOH|Methanex Corporation - Common Stock|Q|N|N|100 MERC|Mercer International Inc. - Common Stock|Q|N|N|100 MERU|Meru Networks, Inc. - Common Stock|G|N|N|100 METR|Metro Bancorp, Inc - Common Stock|Q|N|N|100 MFLX|Multi-Fineline Electronix, Inc. - Common Stock|Q|N|N|100 MFNC|Mackinac Financial Corporation - Common Stock|S|N|N|100 MFRI|MFRI, Inc. - Common Stock|G|N|N|100 MFRM|Mattress Firm Holding Corp. - Common Stock|Q|N|N|100 MFSF|MutualFirst Financial Inc. - Common Stock|G|N|N|100 MGCD|MGC Diagnostics Corporation - Common Stock|S|N|N|100 MGEE|MGE Energy Inc. - Common Stock|Q|N|N|100 MGI|Moneygram International, Inc. - Common Stock|Q|N|N|100 MGIC|Magic Software Enterprises Ltd. - Ordinary Shares|Q|N|N|100 MGLN|Magellan Health, Inc. - Common Stock|Q|N|N|100 MGNX|MacroGenics, Inc. - Common Stock|Q|N|N|100 MGPI|MGP Ingredients, Inc. - Common Stock|Q|N|N|100 MGRC|McGrath RentCorp - Common Stock|Q|N|N|100 MGYR|Magyar Bancorp, Inc. - Common Stock|G|N|N|100 MHGC|Morgans Hotel Group Co. - Common Stock|G|N|N|100 MHLD|Maiden Holdings, Ltd. - Common Stock|Q|N|N|100 MHLDO|Maiden Holdings, Ltd. - 7.25% Mandatory Convertible Preference Shares, Series B|Q|N|N|100 MICT|Micronet Enertec Technologies, Inc. - Common Stock|S|N|N|100 MICTW|Micronet Enertec Technologies, Inc. - Warrant|S|N|N|100 MIDD|The Middleby Corporation - Common Stock|Q|N|N|100 MIFI|Novatel Wireless, Inc. - Common Stock|Q|N|N|100 MIK|The Michaels Companies, Inc. - Common Stock|Q|N|N|100 MIND|Mitcham Industries, Inc. - Common Stock|Q|N|N|100 MINI|Mobile Mini, Inc. - Common Stock|Q|N|N|100 MITK|Mitek Systems, Inc. - Common Stock|S|N|N|100 MITL|Mitel Networks Corporation - Common Shares|Q|N|N|100 MKSI|MKS Instruments, Inc. - Common Stock|Q|N|N|100 MKTO|Marketo, Inc. - Common Stock|Q|N|N|100 MKTX|MarketAxess Holdings, Inc. - Common Stock|Q|N|N|100 MLAB|Mesa Laboratories, Inc. - Common Stock|Q|N|N|100 MLHR|Herman Miller, Inc. - Common Stock|Q|N|N|100 MLNK|ModusLink Global Solutions, Inc - Common Stock|Q|N|N|100 MLNX|Mellanox Technologies, Ltd. - Ordinary Shares|Q|N|N|100 MLVF|Malvern Bancorp, Inc. - Common Stock|G|N|N|100 MMAC|MMA Capital Management, LLC - Common Stock|S|N|N|100 MMLP|Martin Midstream Partners L.P. - Common Units Representing Limited Partnership Interests|Q|N|N|100 MMSI|Merit Medical Systems, Inc. - Common Stock|Q|N|N|100 MMYT|MakeMyTrip Limited - Ordinary Shares|Q|N|N|100 MNDO|MIND C.T.I. Ltd. - Ordinary Shares|G|N|N|100 MNGA|MagneGas Corporation - Common Stcok|S|N|D|100 MNKD|MannKind Corporation - Common Stock|G|N|N|100 MNOV|MediciNova, Inc. - Common Stock|G|N|N|100 MNRK|Monarch Financial Holdings, Inc. - Common Stock|S|N|N|100 MNRO|Monro Muffler Brake, Inc. - Common Stock|Q|N|N|100 MNST|Monster Beverage Corporation - Common Stock|Q|N|N|100 MNTA|Momenta Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 MNTX|Manitex International, Inc. - common stock|S|N|N|100 MOBI|Sky-mobi Limited - American Depositary Shares|G|N|N|100 MOBL|MobileIron, Inc. - Common Stock|Q|N|N|100 MOCO|MOCON, Inc. - Common Stock|G|N|N|100 MOFG|MidWestOne Financial Group, Inc. - Common Stock|Q|N|N|100 MOKO|MOKO Social Media Ltd. - American Depositary Shares|G|N|N|100 MOLG|MOL Global, Inc. - American Depositary Shares|Q|N|N|100 MOMO|Momo Inc. - American Depositary Shares|Q|N|N|100 MORN|Morningstar, Inc. - Common Stock|Q|N|N|100 MOSY|MoSys, Inc. - Common Stock|Q|N|N|100 MPAA|Motorcar Parts of America, Inc. - Common Stock|Q|N|N|100 MPB|Mid Penn Bancorp - Common Stock|G|N|N|100 MPEL|Melco Crown Entertainment Limited - American depositary shares each representing three ordinary shares|Q|N|N|100 MPET|Magellan Petroleum Corporation - Common Stock|S|N|D|100 MPWR|Monolithic Power Systems, Inc. - Common Stock|Q|N|N|100 MRCC|Monroe Capital Corporation - Common Stock|Q|N|N|100 MRCY|Mercury Systems Inc - Common Stock|Q|N|N|100 MRD|Memorial Resource Development Corp. - Common Stock|Q|N|N|100 MRGE|Merge Healthcare Incorporated. - Common Stock|Q|N|N|100 MRKT|Markit Ltd. - Common Shares|Q|N|N|100 MRLN|Marlin Business Services Corp. - Common Stock|Q|N|N|100 MRNS|Marinus Pharmaceuticals, Inc. - Common Stock|G|N|N|100 MRTN|Marten Transport, Ltd. - Common Stock|Q|N|N|100 MRTX|Mirati Therapeutics, Inc. - Common Stock|S|N|N|100 MRVC|MRV Communications, Inc. - Common Stock|S|N|N|100 MRVL|Marvell Technology Group Ltd. - Common Stock|Q|N|N|100 MSBF|MSB Financial Corp. - common stock|G|N|N|100 MSCC|Microsemi Corporation - Common Stock|Q|N|N|100 MSEX|Middlesex Water Company - Common Stock|Q|N|N|100 MSFG|MainSource Financial Group, Inc. - Common Stock|Q|N|N|100 MSFT|Microsoft Corporation - Common Stock|Q|N|N|100 MSG|The Madison Square Garden Company - Class A Common Stock|Q|N|N|100 MSLI|Merus Labs International Inc. - Common Stock|S|N|N|100 MSON|MISONIX, Inc. - Common Stock|G|N|N|100 MSTR|MicroStrategy Incorporated - Class A Common Stock|Q|N|N|100 MTBC|Medical Transcription Billing, Corp. - Common Stock|S|N|N|100 MTEX|Mannatech, Incorporated - Common Stock|Q|N|N|100 MTGE|American Capital Mortgage Investment Corp. - Common Stock|Q|N|N|100 MTGEP|American Capital Mortgage Investment Corp. - 8.125% Series A Cumulative Redeemable Preferred Stock|Q|N|N|100 MTLS|Materialise NV - American Depositary Shares|Q|N|N|100 MTRX|Matrix Service Company - Common Stock|Q|N|N|100 MTSC|MTS Systems Corporation - Common Stock|Q|N|N|100 MTSI|M/A-COM Technology Solutions Holdings, Inc. - Common Stock|Q|N|N|100 MTSL|MER Telemanagement Solutions Ltd. - Ordinary Shares|S|N|N|100 MTSN|Mattson Technology, Inc. - Common Stock|Q|N|N|100 MU|Micron Technology, Inc. - Common Stock|Q|N|N|100 MULT|AdvisorShares Sunrise Global Multi-Strategy ETF|G|N|N|100 MVIS|Microvision, Inc. - Common Stock|G|N|N|100 MXIM|Maxim Integrated Products, Inc. - Common Stock|Q|N|N|100 MXWL|Maxwell Technologies, Inc. - Common Stock|Q|N|N|100 MYGN|Myriad Genetics, Inc. - Common Stock|Q|N|N|100 MYL|Mylan N.V. - Common Stock|Q|N|N|100 MYOS|MYOS Corporation - Common Stock|S|N|N|100 MYRG|MYR Group, Inc. - Common Stock|Q|N|N|100 MZOR|Mazor Robotics Ltd. - American Depositary Shares|G|N|N|100 NAII|Natural Alternatives International, Inc. - Common Stock|G|N|N|100 NAME|Rightside Group, Ltd. - Common Stock|Q|N|N|100 NANO|Nanometrics Incorporated - Common Stock|Q|N|N|100 NATH|Nathan's Famous, Inc. - Common Stock|Q|N|N|100 NATI|National Instruments Corporation - Common Stock|Q|N|N|100 NATL|National Interstate Corporation - Common Stock|Q|N|N|100 NATR|Nature's Sunshine Products, Inc. - Common Stock|S|N|N|100 NAUH|National American University Holdings, Inc. - Common Stock|G|N|N|100 NAVG|The Navigators Group, Inc. - Common Stock|Q|N|N|100 NAVI|Navient Corporation - Common Stock|Q|N|N|100 NBBC|NewBridge Bancorp - Common Stock|Q|N|N|100 NBIX|Neurocrine Biosciences, Inc. - Common Stock|Q|N|N|100 NBN|Northeast Bancorp - Common Stock|G|N|N|100 NBS|Neostem, Inc. - Common Stock|S|N|N|100 NBTB|NBT Bancorp Inc. - Common Stock|Q|N|N|100 NCIT|NCI, Inc. - Class A Common Stock|Q|N|N|100 NCLH|Norwegian Cruise Line Holdings Ltd. - Ordinary Shares|Q|N|N|100 NCMI|National CineMedia, Inc. - Common Stock|Q|N|N|100 NCOM|National Commerce Corporation - Common Stock|Q|N|N|100 NCTY|The9 Limited - American Depository Shares representing one ordinary share|Q|N|N|100 NDAQ|The NASDAQ OMX Group, Inc. - Common Stock|Q|N|N|100 NDLS|Noodles & Company - Common Stock|Q|N|N|100 NDRM|NeuroDerm Ltd. - Ordinary Shares|G|N|N|100 NDSN|Nordson Corporation - Common Stock|Q|N|N|100 NECB|Northeast Community Bancorp, Inc. - Common Stock|G|N|N|100 NEO|NeoGenomics, Inc. - Common Stock|S|N|N|100 NEOG|Neogen Corporation - Common Stock|Q|N|N|100 NEON|Neonode Inc. - Common Stock|S|N|N|100 NEOT|Neothetics, Inc. - Common Stock|G|N|N|100 NEPT|Neptune Technologies & Bioresources Inc - Ordinary Shares|S|N|N|100 NERV|Minerva Neurosciences, Inc - Common Stock|G|N|N|100 NETE|Net Element, Inc. - Common Stock|S|N|N|100 NEWP|Newport Corporation - Common Stock|Q|N|N|100 NEWS|NewStar Financial, Inc. - Common Stock|Q|N|N|100 NEWT|Newtek Business Services Corp. - Common Stock|S|N|N|100 NFBK|Northfield Bancorp, Inc. - Common Stock|Q|N|N|100 NFEC|NF Energy Saving Corporation - Common Stock|S|N|N|100 NFLX|Netflix, Inc. - Common Stock|Q|N|N|100 NGHC|National General Holdings Corp - Common Stock|G|N|N|100 NGHCO|National General Holdings Corp - Depositary Shares|G|N|N|100 NGHCP|National General Holdings Corp - 7.50% Non-Cumulative Preferred Stock, Series A|G|N|N|100 NHLD|National Holdings Corporation - Common Stock|S|N|N|100 NHTB|New Hampshire Thrift Bancshares, Inc. - Common Stock|G|N|N|100 NHTC|Natural Health Trends Corp. - Commn Stock|S|N|N|100 NICE|NICE-Systems Limited - American Depositary Shares each representing one Ordinary Share|Q|N|N|100 NICK|Nicholas Financial, Inc. - Common Stock|Q|N|N|100 NILE|Blue Nile, Inc. - Common Stock|Q|N|N|100 NKSH|National Bankshares, Inc. - Common Stock|S|N|N|100 NKTR|Nektar Therapeutics - Common Stock|Q|N|N|100 NLNK|NewLink Genetics Corporation - Common Stock|G|N|N|100 NLST|Netlist, Inc. - Common Stock|G|N|N|100 NMIH|NMI Holdings Inc - Common Stock|G|N|N|100 NMRX|Numerex Corp. - Class A Common Stock|Q|N|N|100 NNBR|NN, Inc. - Common Stock|Q|N|N|100 NPBC|National Penn Bancshares, Inc. - Common Stock|Q|N|N|100 NRCIA|National Research Corporation - Class A Common Stock|Q|N|N|100 NRCIB|National Research Corporation - Common Stock|Q|N|N|100 NRIM|Northrim BanCorp Inc - Common Stock|Q|N|N|100 NRX|NephroGenex, Inc. - Common Stock|S|N|N|100 NSEC|National Security Group, Inc. - Common Stock|G|N|N|100 NSIT|Insight Enterprises, Inc. - Common Stock|Q|N|N|100 NSPH|Nanosphere, Inc. - Common Stock|S|N|D|100 NSSC|NAPCO Security Technologies, Inc. - Common Stock|Q|N|N|100 NSTG|NanoString Technologies, Inc. - Common Stock|G|N|N|100 NSYS|Nortech Systems Incorporated - Common Stock|S|N|N|100 NTAP|NetApp, Inc. - Common Stock|Q|N|N|100 NTCT|NetScout Systems, Inc. - Common Stock|Q|N|N|100 NTES|NetEase, Inc. - American Depositary Shares, each representing 25 ordinary shares|Q|N|N|100 NTGR|NETGEAR, Inc. - Common Stock|Q|N|N|100 NTIC|Northern Technologies International Corporation - Common Stock|G|N|N|100 NTK|Nortek Inc. - Common Stock|Q|N|N|100 NTLS|NTELOS Holdings Corp. - Common Stock|Q|N|N|100 NTRI|NutriSystem Inc - Common Stock|Q|N|N|100 NTRS|Northern Trust Corporation - Common Stock|Q|N|N|100 NTRSP|Northern Trust Corporation - Depository Shares|Q|N|N|100 NTWK|NetSol Technologies Inc. - Common Stock|S|N|N|100 NUAN|Nuance Communications, Inc. - Common Stock|Q|N|N|100 NURO|NeuroMetrix, Inc. - Common Stock|S|N|N|100 NUTR|Nutraceutical International Corporation - Common Stock|Q|N|N|100 NUVA|NuVasive, Inc. - Common Stock|Q|N|N|100 NVAX|Novavax, Inc. - Common Stock|Q|N|N|100 NVCN|Neovasc Inc. - Common Shares|S|N|N|100 NVDA|NVIDIA Corporation - Common Stock|Q|N|N|100 NVDQ|Novadaq Technologies Inc - Common Shares|G|N|N|100 NVEC|NVE Corporation - Common Stock|S|N|N|100 NVEE|NV5 Holdings, Inc. - Common Stock|S|N|N|100 NVET|Nexvet Biopharma plc - Ordinary Shares|G|N|N|100 NVFY|Nova Lifestyle, Inc - Common Stock|G|N|N|100 NVGN|Novogen Limited - American Depositary Shares each representing twenty five Ordinary Shares|S|N|D|100 NVMI|Nova Measuring Instruments Ltd. - Ordinary Shares|Q|N|N|100 NVSL|Naugatuck Valley Financial Corporation - Common Stock|G|N|N|100 NWBI|Northwest Bancshares, Inc. - Common Stock|Q|N|N|100 NWBO|Northwest Biotherapeutics, Inc. - Common Stock|S|N|N|100 NWBOW|Northwest Biotherapeutics, Inc. - Warrant|S|N|N|100 NWFL|Norwood Financial Corp. - Common Stock|G|N|N|100 NWLI|National Western Life Insurance Company - Class A Common Stock|Q|N|N|100 NWPX|Northwest Pipe Company - Common Stock|Q|N|N|100 NWS|News Corporation - Class B Common Stock|Q|N|N|100 NWSA|News Corporation - Class A Common Stock|Q|N|N|100 NXPI|NXP Semiconductors N.V. - Common Stock|Q|N|N|100 NXST|Nexstar Broadcasting Group, Inc. - Class A Common Stock|Q|N|N|100 NXTD|NXT-ID Inc. - Common Stock|S|N|N|100 NXTDW|NXT-ID Inc. - Warrant|S|N|N|100 NXTM|NxStage Medical, Inc. - Common Stock|Q|N|N|100 NYMT|New York Mortgage Trust, Inc. - Common Stock|Q|N|N|100 NYMTP|New York Mortgage Trust, Inc. - 7.75% Series B Cumulative Redeemable Preferred Stock|S|N|N|100 NYMX|Nymox Pharmaceutical Corporation - Common Stock|S|N|D|100 NYNY|Empire Resorts, Inc. - Common Stock|G|N|N|100 OBAS|Optibase Ltd. - Ordinary Shares|G|N|N|100 OBCI|Ocean Bio-Chem, Inc. - Common Stock|S|N|N|100 OCAT|Ocata Therapeutics, Inc. - Common Stock|G|N|N|100 OCC|Optical Cable Corporation - Common Stock|G|N|N|100 OCFC|OceanFirst Financial Corp. - Common Stock|Q|N|N|100 OCLR|Oclaro, Inc. - Common Stock|Q|N|N|100 OCLS|Oculus Innovative Sciences, Inc. - Common Stock|S|N|D|100 OCLSW|Oculus Innovative Sciences, Inc. - Warrants|S|N|N|100 OCRX|Ocera Therapeutics, Inc. - Common Stock|G|N|N|100 OCUL|Ocular Therapeutix, Inc. - Common Stock|G|N|N|100 ODFL|Old Dominion Freight Line, Inc. - Common Stock|Q|N|N|100 ODP|Office Depot, Inc. - Common Stock|Q|N|N|100 OFED|Oconee Federal Financial Corp. - Common Stock|S|N|N|100 OFIX|Orthofix International N.V. - Common Stock|Q|N|E|100 OFLX|Omega Flex, Inc. - Common Stock|G|N|N|100 OFS|OFS Capital Corporation - Common Stock|Q|N|N|100 OGXI|OncoGenex Pharmaceuticals Inc. - Common Shares|S|N|N|100 OHAI|OHA Investment Corporation - Closed End Fund|Q|N|N|100 OHGI|One Horizon Group, Inc. - Common Stock|S|N|N|100 OHRP|Ohr Pharmaceuticals, Inc. - Common Stock|S|N|N|100 OIIM|O2Micro International Limited - Ordinary Shares each 50 shares of which are represented by an American Depositary Share|Q|N|N|100 OKSB|Southwest Bancorp, Inc. - Common Stock|Q|N|N|100 OLBK|Old Line Bancshares, Inc. - Common Stock|S|N|N|100 OLED|Universal Display Corporation - Common Stock|Q|N|N|100 OMAB|Grupo Aeroportuario del Centro Norte S.A.B. de C.V. - American Depositary Shares each representing 8 Series B shares|Q|N|N|100 OMCL|Omnicell, Inc. - Common Stock|Q|N|N|100 OMED|OncoMed Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 OMER|Omeros Corporation - Common Stock|G|N|N|100 OMEX|Odyssey Marine Exploration, Inc. - Common Stock|S|N|D|100 ONB|Old National Bancorp - Common Stock|Q|N|N|100 ONCE|Spark Therapeutics, Inc. - Common Stock|Q|N|N|100 ONCY|Oncolytics Biotech, Inc. - Common Shares|S|N|D|100 ONEQ|Fidelity Nasdaq Composite Index Tracking Stock|G|N|N|100 ONFC|Oneida Financial Corp. - Common Stock|G|N|N|100 ONNN|ON Semiconductor Corporation - Common Stock|Q|N|N|100 ONTX|Onconova Therapeutics, Inc. - Common Stock|Q|N|N|100 ONTY|Oncothyreon Inc. - Common Shares|Q|N|N|100 ONVI|Onvia, Inc. - Common Stock|S|N|N|100 OPB|Opus Bank - Common Stock|Q|N|N|100 OPHC|OptimumBank Holdings, Inc. - Common Stock|S|N|N|100 OPHT|Ophthotech Corporation - Common Stock|Q|N|N|100 OPOF|Old Point Financial Corporation - Common Stock|S|N|N|100 OPTT|Ocean Power Technologies, Inc. - Common Stock|G|N|D|100 OPXA|Opexa Therapeutics, Inc. - Common Stock|S|N|D|100 ORBC|ORBCOMM Inc. - Common Stock|Q|N|N|100 ORBK|Orbotech Ltd. - Ordinary Shares|Q|N|N|100 OREX|Orexigen Therapeutics, Inc. - Common Stock|Q|N|N|100 ORIG|Ocean Rig UDW Inc. - Common Stock|Q|N|N|100 ORIT|Oritani Financial Corp. - Common Stock|Q|N|N|100 ORLY|O'Reilly Automotive, Inc. - Common Stock|Q|N|N|100 ORMP|Oramed Pharmaceuticals Inc. - Common Stock|S|N|N|100 ORPN|Bio Blast Pharma Ltd. - Ordinary Shares|G|N|N|100 ORRF|Orrstown Financial Services Inc - Common Stock|S|N|N|100 OSBC|Old Second Bancorp, Inc. - Common Stock|Q|N|N|100 OSBCP|Old Second Bancorp, Inc. - 7.80% Cumulative Trust Preferred Securities|Q|N|N|100 OSHC|Ocean Shore Holding Co. - Common Stock|G|N|N|100 OSIR|Osiris Therapeutics, Inc. - Common Stock|G|N|N|100 OSIS|OSI Systems, Inc. - Common Stock|Q|N|N|100 OSM|SLM Corporation - Medium Term Notes, Series A, CPI-Linked Notes due March 15, 2017|G|N|N|100 OSN|Ossen Innovation Co., Ltd. - American Depositary Shares|S|N|D|100 OSTK|Overstock.com, Inc. - Common Stock|G|N|N|100 OSUR|OraSure Technologies, Inc. - Common Stock|Q|N|N|100 OTEL|Otelco Inc. - Common Stock|S|N|N|100 OTEX|Open Text Corporation - Common Shares|Q|N|N|100 OTIC|Otonomy, Inc. - Common Stock|Q|N|N|100 OTIV|On Track Innovations Ltd - Ordinary Shares|G|N|N|100 OTTR|Otter Tail Corporation - Common Stock|Q|N|N|100 OUTR|Outerwall Inc. - Common Stock|Q|N|N|100 OVAS|OvaScience Inc. - Common Stock|G|N|N|100 OVBC|Ohio Valley Banc Corp. - Common Stock|G|N|N|100 OVLY|Oak Valley Bancorp (CA) - Common Stock|S|N|N|100 OVTI|OmniVision Technologies, Inc. - Common Stock|Q|N|N|100 OXBR|Oxbridge Re Holdings Limited - Ordinary Shares|S|N|N|100 OXBRW|Oxbridge Re Holdings Limited - Warrant|S|N|N|100 OXFD|Oxford Immunotec Global PLC - Ordinary Shares|G|N|N|100 OXGN|OXiGENE, Inc. - Common Stock|S|N|N|100 OXLC|Oxford Lane Capital Corp. - Common Stock|Q|N|N|100 OXLCN|Oxford Lane Capital Corp. - 8.125% Series 2024 Term Preferred Stock|Q|N|N|100 OXLCO|Oxford Lane Capital Corp. - Term Preferred Shares, 7.50% Series 2023|Q|N|N|100 OXLCP|Oxford Lane Capital Corp. - Term Preferred Shares, 8.50% Series 2017|Q|N|N|100 OZRK|Bank of the Ozarks - Common Stock|Q|N|N|100 PAAS|Pan American Silver Corp. - Common Stock|Q|N|N|100 PACB|Pacific Biosciences of California, Inc. - Common Stock|Q|N|N|100 PACW|PacWest Bancorp - Common Stock|Q|N|N|100 PAGG|PowerShares Global Agriculture Portfolio|G|N|N|100 PAHC|Phibro Animal Health Corporation - Class A Common Stock|G|N|N|100 PANL|Pangaea Logistics Solutions Ltd. - Common Stock|S|N|N|100 PARN|Parnell Pharmaceuticals Holdings Ltd - Ordinary Shares|G|N|N|100 PATI|Patriot Transportation Holding, Inc. - Common Stock|Q|N|N|100 PATK|Patrick Industries, Inc. - Common Stock|Q|N|N|100 PAYX|Paychex, Inc. - Common Stock|Q|N|N|100 PBCP|Polonia Bancorp, Inc. - Common Stock|S|N|N|100 PBCT|People's United Financial, Inc. - Common Stock|Q|N|N|100 PBHC|Pathfinder Bancorp, Inc. - Common Stock|S|N|N|100 PBIB|Porter Bancorp, Inc. - Common Stock|S|N|D|100 PBIP|Prudential Bancorp, Inc. - Common Stock|G|N|N|100 PBMD|Prima BioMed Ltd - American Depositary Shares|G|N|D|100 PBPB|Potbelly Corporation - Common Stock|Q|N|N|100 PBSK|Poage Bankshares, Inc. - Common Stock|S|N|N|100 PCAR|PACCAR Inc. - Common Stock|Q|N|N|100 PCBK|Pacific Continental Corporation (Ore) - Common Stock|Q|N|N|100 PCCC|PC Connection, Inc. - Common Stock|Q|N|N|100 PCH|Potlatch Corporation - Common Stock|Q|N|N|100 PCLN|The Priceline Group Inc. - Common Stock|Q|N|N|100 PCMI|PCM, Inc. - Common Stock|G|N|N|100 PCO|Pendrell Corporation - Class A Common Stock|Q|N|N|100 PCOM|Points International, Ltd. - Common Shares|S|N|N|100 PCRX|Pacira Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 PCTI|PC-Tel, Inc. - Common Stock|Q|N|N|100 PCTY|Paylocity Holding Corporation - Common Stock|Q|N|N|100 PCYC|Pharmacyclics, Inc. - Common Stock|Q|N|N|100 PCYG|Park City Group, Inc. - Common Stock|S|N|N|100 PCYO|Pure Cycle Corporation - Common Stock|S|N|N|100 PDBC|PowerShares DB Optimum Yield Diversified Commodity Strategy Portfolio|G|N|N|100 PDCE|PDC Energy, Inc. - Common Stock|Q|N|N|100 PDCO|Patterson Companies, Inc. - Common Stock|Q|N|N|100 PDEX|Pro-Dex, Inc. - Common Stock|S|N|N|100 PDFS|PDF Solutions, Inc. - Common Stock|Q|N|N|100 PDII|PDI, Inc. - Common Stock|G|N|N|100 PDLI|PDL BioPharma, Inc. - Common Stock|Q|N|N|100 PDVW|Pacific DataVision, Inc. - Common Stock|S|N|N|100 PEBK|Peoples Bancorp of North Carolina, Inc. - Common Stock|G|N|N|100 PEBO|Peoples Bancorp Inc. - Common Stock|Q|N|N|100 PEGA|Pegasystems Inc. - Common Stock|Q|N|N|100 PEGI|Pattern Energy Group Inc. - Class A Common Stock|Q|N|N|100 PEIX|Pacific Ethanol, Inc. - Common Stock|S|N|N|100 PENN|Penn National Gaming, Inc. - Common Stock|Q|N|N|100 PERF|Perfumania Holdings, Inc - Common Stock|S|N|N|100 PERI|Perion Network Ltd - ordinary shares|Q|N|N|100 PERY|Perry Ellis International Inc. - Common Stock|Q|N|N|100 PESI|Perma-Fix Environmental Services, Inc. - Common Stock|S|N|N|100 PETS|PetMed Express, Inc. - Common Stock|Q|N|N|100 PETX|Aratana Therapeutics, Inc. - Common Stock|G|N|N|100 PFBC|Preferred Bank - Common Stock|Q|N|N|100 PFBI|Premier Financial Bancorp, Inc. - Common Stock|G|N|N|100 PFBX|Peoples Financial Corporation - Common Stock|S|N|N|100 PFIE|Profire Energy, Inc. - Common Stock|S|N|N|100 PFIN|P & F Industries, Inc. - Class A Common Stock|G|N|N|100 PFIS|Peoples Financial Services Corp. - Common Stock|Q|N|N|100 PFLT|PennantPark Floating Rate Capital Ltd. - Common Stock|Q|N|N|100 PFMT|Performant Financial Corporation - Common Stock|Q|N|N|100 PFPT|Proofpoint, Inc. - Common Stock|G|N|N|100 PFSW|PFSweb, Inc. - Common Stock|S|N|N|100 PGC|Peapack-Gladstone Financial Corporation - Common Stock|Q|N|N|100 PGNX|Progenics Pharmaceuticals Inc. - Common Stock|Q|N|N|100 PGTI|PGT, Inc. - Common Stock|G|N|N|100 PHII|PHI, Inc. - Voting Common Stock|Q|N|N|100 PHIIK|PHI, Inc. - Non-Voting Common Stock|Q|N|N|100 PHMD|PhotoMedex, Inc. - Common Stock|Q|N|N|100 PICO|PICO Holdings Inc. - Common Stock|Q|N|N|100 PIH|1347 Property Insurance Holdings, Inc. - Common Stock|S|N|N|100 PINC|Premier, Inc. - Class A Common Stock|Q|N|N|100 PKBK|Parke Bancorp, Inc. - Common Stock|S|N|N|100 PKOH|Park-Ohio Holdings Corp. - Common Stock|Q|N|N|100 PKT|Procera Networks, Inc. - Common Stock|Q|N|N|100 PLAB|Photronics, Inc. - Common Stock|Q|N|N|100 PLAY|Dave & Buster's Entertainment, Inc. - Common Stock|Q|N|N|100 PLBC|Plumas Bancorp - Common Stock|S|N|N|100 PLCE|Children's Place, Inc. (The) - Common Stock|Q|N|N|100 PLCM|Polycom, Inc. - Common Stock|Q|N|N|100 PLKI|Popeyes Louisiana Kitchen, Inc. - Common Stock|Q|N|N|100 PLMT|Palmetto Bancshares, Inc. (SC) - Common Stock|S|N|N|100 PLNR|Planar Systems, Inc. - Common Stock|G|N|N|100 PLPC|Preformed Line Products Company - Common Stock|Q|N|N|100 PLPM|Planet Payment, Inc. - Common Stock|S|N|N|100 PLTM|First Trust ISE Global Platinum Index Fund|G|N|N|100 PLUG|Plug Power, Inc. - Common Stock|S|N|N|100 PLUS|ePlus inc. - Common Stock|Q|N|N|100 PLXS|Plexus Corp. - Common Stock|Q|N|N|100 PMBC|Pacific Mercantile Bancorp - Common Stock|Q|N|N|100 PMCS|PMC - Sierra, Inc. - Common Stock|Q|N|N|100 PMD|Psychemedics Corporation - Common Stock|S|N|N|100 PME|Pingtan Marine Enterprise Ltd. - Ordinary Shares|S|N|N|100 PMFG|PMFG, Inc. - Common Stock|Q|N|N|100 PNBK|Patriot National Bancorp Inc. - Common Stock|G|N|N|100 PNFP|Pinnacle Financial Partners, Inc. - Common Stock|Q|N|N|100 PNNT|PennantPark Investment Corporation - common stock|Q|N|N|100 PNQI|PowerShares Nasdaq Internet Portfolio|G|N|N|100 PNRA|Panera Bread Company - Class A Common Stock|Q|N|N|100 PNRG|PrimeEnergy Corporation - Common Stock|S|N|N|100 PNTR|Pointer Telocation Ltd. - Ordinary Shares|S|N|N|100 PODD|Insulet Corporation - Common Stock|Q|N|N|100 POOL|Pool Corporation - Common Stock|Q|N|N|100 POPE|Pope Resources - Limited Partnership|S|N|N|100 POWI|Power Integrations, Inc. - Common Stock|Q|N|N|100 POWL|Powell Industries, Inc. - Common Stock|Q|N|N|100 POZN|Pozen, Inc. - Common Stock|Q|N|N|100 PPBI|Pacific Premier Bancorp Inc - Common Stock|Q|N|N|100 PPC|Pilgrim's Pride Corporation - Common Stock|Q|N|N|100 PPHM|Peregrine Pharmaceuticals Inc. - Common Stock|S|N|N|100 PPHMP|Peregrine Pharmaceuticals Inc. - 10.50% Series E Convertible Preferred Stock|S|N|N|100 PPSI|Pioneer Power Solutions, Inc. - Common Stock|S|N|N|100 PRAA|PRA Group, Inc. - Common Stock|Q|N|N|100 PRAH|PRA Health Sciences, Inc. - Common Stock|Q|N|N|100 PRAN|Prana Biotechnology Ltd - American Depositary Shares each representing ten Ordinary Shares|S|N|N|100 PRCP|Perceptron, Inc. - Common Stock|G|N|N|100 PRFT|Perficient, Inc. - Common Stock|Q|N|N|100 PRFZ|PowerShares FTSE RAFI US 1500 Small-Mid Portfolio|G|N|N|100 PRGN|Paragon Shipping Inc. - Common Stock|G|N|N|100 PRGNL|Paragon Shipping Inc. - 8.375% Senior Notes due 2021|G|N|N|100 PRGS|Progress Software Corporation - Common Stock|Q|N|N|100 PRGX|PRGX Global, Inc. - Common Stock|Q|N|N|100 PRIM|Primoris Services Corporation - Common Stock|Q|N|N|100 PRKR|ParkerVision, Inc. - Common Stock|S|N|N|100 PRMW|Primo Water Corporation - Common Stock|G|N|N|100 PROV|Provident Financial Holdings, Inc. - Common Stock|Q|N|N|100 PRPH|ProPhase Labs, Inc. - Common Stock|G|N|N|100 PRQR|ProQR Therapeutics N.V. - Ordinary Shares|G|N|N|100 PRSC|The Providence Service Corporation - Common Stock|Q|N|N|100 PRSN|Perseon Corporation - Common Stock|S|N|D|100 PRSS|CafePress Inc. - Common Stock|Q|N|N|100 PRTA|Prothena Corporation plc - Ordinary Shares|Q|N|N|100 PRTK|Paratek Pharmaceuticals, Inc. - Common Stock|G|N|N|100 PRTO|Proteon Therapeutics, Inc. - Common Stock|G|N|N|100 PRTS|U.S. Auto Parts Network, Inc. - Common Stock|Q|N|N|100 PRXI|Premier Exhibitions, Inc. - Common Stock|S|N|D|100 PRXL|PAREXEL International Corporation - Common Stock|Q|N|N|100 PSAU|PowerShares Global Gold & Precious Metals Portfolio|G|N|N|100 PSBH|PSB Holdings, Inc. - Common Stock|S|N|N|100 PSCC|PowerShares S&P SmallCap Consumer Staples Portfolio|G|N|N|100 PSCD|PowerShares S&P SmallCap Consumer Discretionary Portfolio|G|N|N|100 PSCE|PowerShares S&P SmallCap Energy Portfolio|G|N|N|100 PSCF|PowerShares S&P SmallCap Financials Portfolio|G|N|N|100 PSCH|PowerShares S&P SmallCap Health Care Portfolio|G|N|N|100 PSCI|PowerShares S&P SmallCap Industrials Portfolio|G|N|N|100 PSCM|PowerShares S&P SmallCap Materials Portfolio|G|N|N|100 PSCT|PowerShares S&P SmallCap Information Technology Portfolio|G|N|N|100 PSCU|PowerShares S&P SmallCap Utilities Portfolio|G|N|N|100 PSDV|pSivida Corp. - Common Stock|G|N|N|100 PSEC|Prospect Capital Corporation - Common Stock|Q|N|N|100 PSEM|Pericom Semiconductor Corporation - Common Stock|Q|N|N|100 PSIX|Power Solutions International, Inc. - Common Stock|S|N|N|100 PSMT|PriceSmart, Inc. - Common Stock|Q|N|N|100 PSTB|Park Sterling Corporation - Common Stock|Q|N|N|100 PSTI|Pluristem Therapeutics, Inc. - Common Stock|S|N|N|100 PSTR|PostRock Energy Corporation - Common Stock|G|N|D|100 PSUN|Pacific Sunwear of California, Inc. - Common Stock|Q|N|N|100 PTBI|PlasmaTech Biopharmaceuticals, Inc. - Common Stock|S|N|N|100 PTBIW|PlasmaTech Biopharmaceuticals, Inc. - Warrant|S|N|N|100 PTC|PTC Inc. - Common Stock|Q|N|N|100 PTCT|PTC Therapeutics, Inc. - Common Stock|Q|N|N|100 PTEN|Patterson-UTI Energy, Inc. - Common Stock|Q|N|N|100 PTIE|Pain Therapeutics - Common Stock|Q|N|N|100 PTLA|Portola Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 PTNR|Partner Communications Company Ltd. - American Depositary Shares, each representing one ordinary share|Q|N|N|100 PTNT|Internet Patents Corporation - Common Stock|S|N|N|100 PTSI|P.A.M. Transportation Services, Inc. - Common Stock|G|N|N|100 PTX|Pernix Therapeutics Holdings, Inc. - Common Stock|G|N|N|100 PULB|Pulaski Financial Corp. - Common Stock|Q|N|N|100 PUMP|Asante Solutions, Inc. - Common Stock|G|N|N|100 PVTB|PrivateBancorp, Inc. - Common Stock|Q|N|N|100 PVTBP|PrivateBancorp, Inc. - PrivateBancorp Capital Trust IV - 10% Trust Preferred|Q|N|N|100 PWOD|Penns Woods Bancorp, Inc. - Common Stock|Q|N|N|100 PWRD|Perfect World Co., Ltd. - American Depositary Shares, each representing five Class B ordinary shares|Q|N|N|100 PWX|Providence and Worcester Railroad Company - Common Stock|G|N|N|100 PXLW|Pixelworks, Inc. - Common Stock|G|N|N|100 PZZA|Papa John'S International, Inc. - Common Stock|Q|N|N|100 QABA|First Trust NASDAQ ABA Community Bank Index Fund|G|N|N|100 QADA|QAD Inc. - Class A Common Stock|Q|N|N|100 QADB|QAD Inc. - Common Stock|Q|N|N|100 QAT|iShares MSCI Qatar Capped ETF|G|N|N|100 QBAK|Qualstar Corporation - Common Stock|S|N|N|100 QCCO|QC Holdings, Inc. - Common Stock|G|N|N|100 QCLN|First Trust NASDAQ Clean Edge Green Energy Index Fund|G|N|N|100 QCOM|QUALCOMM Incorporated - Common Stock|Q|N|N|100 QCRH|QCR Holdings, Inc. - Common Stock|G|N|N|100 QDEL|Quidel Corporation - Common Stock|Q|N|N|100 QGEN|Qiagen N.V. - Common Shares|Q|N|N|100 QINC|First Trust RBA Quality Income ETF|G|N|N|100 QIWI|QIWI plc - American Depositary Shares|Q|N|N|100 QKLS|QKL Stores, Inc. - Common Stock|S|N|N|100 QLGC|QLogic Corporation - Common Stock|Q|N|N|100 QLIK|Qlik Technologies Inc. - Common Stock|Q|N|N|100 QLTI|QLT Inc. - Common Shares|Q|N|N|100 QLTY|Quality Distribution, Inc. - Common Stock|G|N|N|100 QLYS|Qualys, Inc. - Common Stock|Q|N|N|100 QNST|QuinStreet, Inc. - Common Stock|Q|N|N|100 QPAC|Quinpario Acquisition Corp. 2 - Common Stock|S|N|N|100 QPACU|Quinpario Acquisition Corp. 2 - Unit|S|N|N|100 QPACW|Quinpario Acquisition Corp. 2 - Warrant|S|N|N|100 QQEW|First Trust NASDAQ-100 Equal Weighted Index Fund|G|N|N|100 QQQ|PowerShares QQQ Trust, Series 1|G|N|N|100 QQQC|Global X NASDAQ China Technology ETF|G|N|N|100 QQQX|Nuveen NASDAQ 100 Dynamic Overwrite Fund - Shares of Beneficial Interest|Q|N|N|100 QQXT|First Trust NASDAQ-100 Ex-Technology Sector Index Fund|G|N|N|100 QRHC|Quest Resource Holding Corporation. - Common Stock|S|N|N|100 QRVO|Qorvo, Inc. - Common Stock|Q|N|N|100 QSII|Quality Systems, Inc. - Common Stock|Q|N|N|100 QTEC|First Trust NASDAQ-100- Technology Index Fund|G|N|N|100 QTNT|Quotient Limited - Ordinary Shares|G|N|N|100 QTNTW|Quotient Limited - Warrant|G|N|N|100 QTWW|Quantum Fuel Systems Technologies Worldwide, Inc. - Common Stock|S|N|N|100 QUIK|QuickLogic Corporation - Common Stock|G|N|N|100 QUMU|Qumu Corporation - Common Stock|Q|N|N|100 QUNR|Qunar Cayman Islands Limited - American Depositary Shares|G|N|N|100 QURE|uniQure N.V. - Ordinary Shares|Q|N|N|100 QVCA|Liberty Interactive Corporation - Series A Liberty Interactive Common Stock|Q|N|N|100 QVCB|Liberty Interactive Corporation - Series B Liberty Interactive common stock|Q|N|N|100 QYLD|Recon Capital NASDAQ-100 Covered Call ETF|G|N|N|100 RADA|Rada Electronics Industries Limited - Ordinary Shares|S|N|N|100 RAIL|Freightcar America, Inc. - Common Stock|Q|N|N|100 RAND|Rand Capital Corporation - Common Stock ($0.10 Par Value)|S|N|N|100 RARE|Ultragenyx Pharmaceutical Inc. - Common Stock|Q|N|N|100 RAVE|Rave Restaurant Group, Inc. - Common Stock|S|N|N|100 RAVN|Raven Industries, Inc. - Common Stock|Q|N|N|100 RBCAA|Republic Bancorp, Inc. - Class A Common Stock|Q|N|N|100 RBCN|Rubicon Technology, Inc. - Common Stock|Q|N|N|100 RBPAA|Royal Bancshares of Pennsylvania, Inc. - Class A Common Stock|G|N|N|100 RCII|Rent-A-Center Inc. - Common Stock|Q|N|N|100 RCKY|Rocky Brands, Inc. - Common Stock|Q|N|N|100 RCMT|RCM Technologies, Inc. - Common Stock|G|N|N|100 RCON|Recon Technology, Ltd. - Ordinary Shares|S|N|N|100 RCPI|Rock Creek Pharmaceuticals, Inc. - Common Stock|S|N|D|100 RCPT|Receptos, Inc. - Common Stock|Q|N|N|100 RDCM|Radcom Ltd. - Ordinary Shares|S|N|N|100 RDEN|Elizabeth Arden, Inc. - Common Stock|Q|N|N|100 RDHL|Redhill Biopharma Ltd. - American Depositary Shares|S|N|N|100 RDI|Reading International Inc - Class A Non-voting Common Stock|S|N|N|100 RDIB|Reading International Inc - Class B Voting Common Stock|S|N|N|100 RDNT|RadNet, Inc. - Common Stock|G|N|N|100 RDUS|Radius Health, Inc. - Common Stock|G|N|N|100 RDVY|First Trust NASDAQ Rising Dividend Achievers ETF|G|N|N|100 RDWR|Radware Ltd. - Ordinary Shares|Q|N|N|100 RECN|Resources Connection, Inc. - Common Stock|Q|N|N|100 REDF|Rediff.com India Limited - American Depositary Shares, each represented by one-half of one equity share|G|N|N|100 REFR|Research Frontiers Incorporated - Common Stock|S|N|N|100 REGI|Renewable Energy Group, Inc. - Common Stock|Q|N|N|100 REGN|Regeneron Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 REIS|Reis, Inc - Common Stock|Q|N|N|100 RELL|Richardson Electronics, Ltd. - Common Stock|Q|N|N|100 RELV|Reliv' International, Inc. - Common Stock|Q|N|N|100 REMY|Remy International, Inc. - Common Stock|Q|N|N|100 RENT|Rentrak Corporation - Common Stock|Q|N|N|100 REPH|Recro Pharma, Inc. - Common Stock|S|N|N|100 RESN|Resonant Inc. - Common Stock|S|N|N|100 REXI|Resource America, Inc. - Class A Common Stock|Q|N|N|100 REXX|Rex Energy Corporation - Common Stock|Q|N|N|100 RFIL|RF Industries, Ltd. - Common Stock|G|N|N|100 RGCO|RGC Resources Inc. - Common Stock|G|N|N|100 RGDO|Regado BioSciences, Inc. - Common Stock|S|N|N|100 RGDX|Response Genetics, Inc. - Common Stock|S|N|D|100 RGEN|Repligen Corporation - Common Stock|Q|N|N|100 RGLD|Royal Gold, Inc. - Common Stock|Q|N|N|100 RGLS|Regulus Therapeutics Inc. - Common Stock|G|N|N|100 RGSE|Real Goods Solar, Inc. - Class A Common Stock|S|N|D|100 RIBT|RiceBran Technologies - Common Stock|S|N|N|100 RIBTW|RiceBran Technologies - Warrant|S|N|N|100 RICK|RCI Hospitality Holdings, Inc. - Common Stock|G|N|N|100 RIGL|Rigel Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 RITT|RIT Technologies Ltd. - ordinary shares|S|N|N|100 RITTW|RIT Technologies Ltd. - Warrants|S|N|N|100 RIVR|River Valley Bancorp. - Common Stock|S|N|N|100 RJET|Republic Airways Holdings, Inc. - Common Stock|Q|N|N|100 RLJE|RLJ Entertainment, Inc. - Common Stock|S|N|N|100 RLOC|ReachLocal, Inc. - Common Stock|Q|N|N|100 RLOG|Rand Logistics, Inc. - Common Stock|S|N|N|100 RLYP|Relypsa, Inc. - Common Stock|Q|N|N|100 RMBS|Rambus, Inc. - Common Stock|Q|N|N|100 RMCF|Rocky Mountain Chocolate Factory, Inc. - Common Stock|G|N|N|100 RMGN|RMG Networks Holding Corporation - Common Stock|G|N|N|100 RMTI|Rockwell Medical, Inc. - Common Stock|G|N|N|100 RNET|RigNet, Inc. - Common Stock|Q|N|N|100 RNST|Renasant Corporation - Common Stock|Q|N|N|100 RNWK|RealNetworks, Inc. - Common Stock|Q|N|N|100 ROBO|Robo-Stox Global Robotics and Automation Index ETF|G|N|N|100 ROCK|Gibraltar Industries, Inc. - Common Stock|Q|N|N|100 ROIA|Radio One, Inc. - Class A Common Stock|S|N|N|100 ROIAK|Radio One, Inc. - Class D Common Stock|S|N|N|100 ROIC|Retail Opportunity Investments Corp. - Common Stock|Q|N|N|100 ROIQ|ROI Acquisition Corp. II - Common Stock|S|N|D|100 ROIQU|ROI Acquisition Corp. II - Units|S|N|D|100 ROIQW|ROI Acquisition Corp. II - Warrants|S|N|D|100 ROKA|Roka Bioscience, Inc. - Common Stock|G|N|N|100 ROLL|RBC Bearings Incorporated - Common Stock|Q|N|N|100 ROSE|Rosetta Resources Inc. - Common Stock|Q|N|N|100 ROSG|Rosetta Genomics Ltd. - ordinary shares|S|N|N|100 ROST|Ross Stores, Inc. - Common Stock|Q|N|N|100 ROVI|Rovi Corporation - Common Stock|Q|N|N|100 ROYL|Royale Energy, Inc. - Common Stock|S|N|N|100 RP|RealPage, Inc. - Common Stock|Q|N|N|100 RPRX|Repros Therapeutics Inc. - Common Stock|S|N|N|100 RPRXW|Repros Therapeutics Inc. - Series A Warrant|S|N|N|100 RPRXZ|Repros Therapeutics Inc. - Series B warrant|S|N|N|100 RPTP|Raptor Pharmaceutical Corp. - Common Stock|G|N|N|100 RPXC|RPX Corporation - Common Stock|Q|N|N|100 RRD|R.R. Donnelley & Sons Company - Common Stock|Q|N|N|100 RRGB|Red Robin Gourmet Burgers, Inc. - Common Stock|Q|N|N|100 RRM|RR Media Ltd. - Ordinary Shares|Q|N|N|100 RSTI|Rofin-Sinar Technologies, Inc. - Common Stock|Q|N|N|100 RSYS|RadiSys Corporation - Common Stock|Q|N|N|100 RTGN|Ruthigen, Inc. - Common Stock|S|N|N|100 RTIX|RTI Surgical, Inc. - Common Stock|Q|N|N|100 RTK|Rentech, Inc. - Common Stock|S|N|N|100 RTRX|Retrophin, Inc. - Common Stock|G|N|N|100 RUSHA|Rush Enterprises, Inc. - Class A Common Stock|Q|N|N|100 RUSHB|Rush Enterprises, Inc. - Class B Common Stock|Q|N|N|100 RUTH|Ruth's Hospitality Group, Inc. - Common Stock|Q|N|N|100 RVBD|Riverbed Technology, Inc. - Common Stock|Q|N|N|100 RVLT|Revolution Lighting Technologies, Inc. - Class A Common Stock|S|N|N|100 RVNC|Revance Therapeutics, Inc. - Common Stock|G|N|N|100 RVSB|Riverview Bancorp Inc - Common Stock|Q|N|N|100 RWLK|ReWalk Robotics Ltd - Ordinary Shares|G|N|N|100 RXDX|Ignyta, Inc. - Common Stock|S|N|N|100 RXII|RXi Pharmaceuticals Corporation - Common Stock|S|N|N|100 RYAAY|Ryanair Holdings plc - American Depositary Shares, each representing five Ordinary Shares|Q|N|N|100 SAAS|inContact, Inc. - Common Stock|S|N|N|100 SABR|Sabre Corporation - Common Stock|Q|N|N|100 SAEX|SAExploration Holdings, Inc. - Common Stock|G|N|N|100 SAFM|Sanderson Farms, Inc. - Common Stock|Q|N|N|100 SAFT|Safety Insurance Group, Inc. - Common Stock|Q|N|N|100 SAGE|Sage Therapeutics, Inc. - Common Stock|G|N|N|100 SAIA|Saia, Inc. - Common Stock|Q|N|N|100 SAJA|Sajan, Inc. - Common Stock|S|N|N|100 SAL|Salisbury Bancorp, Inc. - Common Stock|S|N|N|100 SALE|RetailMeNot, Inc. - Series 1 Common Stock|Q|N|N|100 SALM|Salem Media Group, Inc. - Class A Common Stock|G|N|N|100 SAMG|Silvercrest Asset Management Group Inc. - Common Stock|G|N|N|100 SANM|Sanmina Corporation - Common Stock|Q|N|N|100 SANW|S&W Seed Company - Common Stock|S|N|N|100 SANWZ|S&W Seed Company - Warrants Class B 04/23/2015|S|N|N|100 SASR|Sandy Spring Bancorp, Inc. - Common Stock|Q|N|N|100 SATS|EchoStar Corporation - common stock|Q|N|N|100 SAVE|Spirit Airlines, Inc. - Common Stock|Q|N|N|100 SBAC|SBA Communications Corporation - Common Stock|Q|N|N|100 SBBX|Sussex Bancorp - Common Stock|G|N|N|100 SBCF|Seacoast Banking Corporation of Florida - Common Stock|Q|N|N|100 SBCP|Sunshine Bancorp, Inc. - Common Stock|S|N|N|100 SBFG|SB Financial Group, Inc. - Common Stock|S|N|N|100 SBFGP|SB Financial Group, Inc. - Depositary Shares each representing a 1/100th interest in a 6.50% Noncumulative convertible perpetual preferred share, Series A|S|N|N|100 SBGI|Sinclair Broadcast Group, Inc. - Class A Common Stock|Q|N|N|100 SBLK|Star Bulk Carriers Corp. - Common Stock|Q|N|N|100 SBLKL|Star Bulk Carriers Corp. - 8.00% Senior Notes Due 2019|Q|N|N|100 SBNY|Signature Bank - Common Stock|Q|N|N|100 SBNYW|Signature Bank - Warrants 12/12/2018|Q|N|N|100 SBRA|Sabra Healthcare REIT, Inc. - Common Stock|Q|N|N|100 SBRAP|Sabra Healthcare REIT, Inc. - 7.125% Preferred Series A (United States)|Q|N|N|100 SBSA|Spanish Broadcasting System, Inc. - Class A Common Stock|G|N|N|100 SBSI|Southside Bancshares, Inc. - Common Stock|Q|N|N|100 SBUX|Starbucks Corporation - Common Stock|Q|N|N|100 SCAI|Surgical Care Affiliates, Inc. - Common Stock|Q|N|N|100 SCHL|Scholastic Corporation - Common Stock|Q|N|N|100 SCHN|Schnitzer Steel Industries, Inc. - Class A Common Stock|Q|N|N|100 SCLN|SciClone Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 SCMP|Sucampo Pharmaceuticals, Inc. - Class A Common Stock|G|N|N|100 SCOK|SinoCoking Coal and Coke Chemical Industries, Inc - Common Stock|S|N|N|100 SCON|Superconductor Technologies Inc. - Common Stock|S|N|N|100 SCOR|comScore, Inc. - Common Stock|Q|N|N|100 SCSC|ScanSource, Inc. - Common Stock|Q|N|N|100 SCSS|Select Comfort Corporation - Common Stock|Q|N|N|100 SCTY|SolarCity Corporation - Common Stock|Q|N|N|100 SCVL|Shoe Carnival, Inc. - Common Stock|Q|N|N|100 SCYX|SCYNEXIS, Inc. - Common Stock|G|N|N|100 SEAC|SeaChange International, Inc. - Common Stock|Q|N|N|100 SEDG|SolarEdge Technologies, Inc. - Common Stock|Q|N|N|100 SEED|Origin Agritech Limited - Common Stock|Q|N|N|100 SEIC|SEI Investments Company - Common Stock|Q|N|N|100 SEMI|SunEdison Semiconductor Limited - Ordinary Shares|Q|N|N|100 SENEA|Seneca Foods Corp. - Class A Common Stock|Q|N|N|100 SENEB|Seneca Foods Corp. - Class B Common Stock|Q|N|N|100 SEV|Sevcon, Inc. - Common Stock|S|N|N|100 SFBC|Sound Financial Bancorp, Inc. - Common Stock|S|N|N|100 SFBS|ServisFirst Bancshares, Inc. - Common Stock|Q|N|N|100 SFLY|Shutterfly, Inc. - Common Stock|Q|N|N|100 SFM|Sprouts Farmers Market, Inc. - Common Stock|Q|N|N|100 SFNC|Simmons First National Corporation - Common Stock|Q|N|N|100 SFST|Southern First Bancshares, Inc. - Common Stock|G|N|N|100 SFXE|SFX Entertainment, Inc. - Common Stock|Q|N|N|100 SGBK|Stonegate Bank - Common Stock|Q|N|N|100 SGC|Superior Uniform Group, Inc. - Common Stock|G|N|N|100 SGEN|Seattle Genetics, Inc. - Common Stock|Q|N|N|100 SGI|Silicon Graphics International Corp - Common Stock|Q|N|N|100 SGMA|SigmaTron International, Inc. - Common Stock|S|N|N|100 SGMO|Sangamo BioSciences, Inc. - Common Stock|Q|N|N|100 SGMS|Scientific Games Corp - Class A Common Stock|Q|N|N|100 SGNL|Signal Genetics, Inc. - Common Stock|S|N|N|100 SGNT|Sagent Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 SGOC|SGOCO Group, Ltd - Ordinary Shares (Cayman Islands)|S|N|D|100 SGRP|SPAR Group, Inc. - Common Stock|S|N|N|100 SGYP|Synergy Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 SGYPU|Synergy Pharmaceuticals, Inc. - Unit|S|N|N|100 SGYPW|Synergy Pharmaceuticals, Inc. - Warrants|S|N|N|100 SHBI|Shore Bancshares Inc - Common Stock|Q|N|N|100 SHEN|Shenandoah Telecommunications Co - Common Stock|Q|N|N|100 SHIP|Seanergy Maritime Holdings Corp - Common Stock|S|N|D|100 SHLD|Sears Holdings Corporation - Common Stock|Q|N|N|100 SHLDW|Sears Holdings Corporation - Warrant|Q|N|N|100 SHLM|A. Schulman, Inc. - Common Stock|Q|N|N|100 SHLO|Shiloh Industries, Inc. - Common Stock|Q|N|N|100 SHOO|Steven Madden, Ltd. - Common Stock|Q|N|N|100 SHOR|ShoreTel, Inc. - Common Stock|Q|N|N|100 SHOS|Sears Hometown and Outlet Stores, Inc. - Common Stock|S|N|N|100 SHPG|Shire plc - American Depositary Shares, each representing three Ordinary Shares|Q|N|N|100 SIAL|Sigma-Aldrich Corporation - Common Stock|Q|N|N|100 SIBC|State Investors Bancorp, Inc. - Common Stock|S|N|N|100 SIEB|Siebert Financial Corp. - Common Stock|S|N|N|100 SIEN|Sientra, Inc. - Common Stock|Q|N|N|100 SIFI|SI Financial Group, Inc. - Common Stock|G|N|N|100 SIFY|Sify Technologies Limited - American Depository Shares, each represented by one Equity Share|Q|N|N|100 SIGI|Selective Insurance Group, Inc. - Common Stock|Q|N|N|100 SIGM|Sigma Designs, Inc. - Common Stock|Q|N|N|100 SILC|Silicom Ltd - Ordinary Shares|Q|N|N|100 SIMO|Silicon Motion Technology Corporation - American Depositary Shares, each representing four ordinary shares|Q|N|N|100 SINA|Sina Corporation - Ordinary Shares|Q|N|N|100 SINO|Sino-Global Shipping America, Ltd. - Common Stock|S|N|N|100 SIRI|Sirius XM Holdings Inc. - Common Stock|Q|N|N|100 SIRO|Sirona Dental Systems, Inc. - Common Stock|Q|N|N|100 SIVB|SVB Financial Group - Common Stock|Q|N|N|100 SIVBO|SVB Financial Group - 7% Cumulative Trust Preferred Securities - SVB Capital II|Q|N|N|100 SIXD|6D Global Technologies, Inc. - Common Stock|S|N|N|100 SKBI|Skystar Bio-Pharmaceutical Company - Common Stock|S|N|N|100 SKIS|Peak Resorts, Inc. - Common Stock|G|N|N|100 SKOR|FlexShares Credit-Scored US Corporate Bond Index Fund|G|N|N|100 SKUL|Skullcandy, Inc. - Common Stock|Q|N|N|100 SKYS|Sky Solar Holdings, Ltd. - American Depositary Shares|S|N|N|100 SKYW|SkyWest, Inc. - Common Stock|Q|N|N|100 SKYY|First Trust ISE Cloud Computing Index Fund|G|N|N|100 SLAB|Silicon Laboratories, Inc. - Common Stock|Q|N|N|100 SLCT|Select Bancorp, Inc. - Common Stock|G|N|N|100 SLGN|Silgan Holdings Inc. - Common Stock|Q|N|N|100 SLM|SLM Corporation - Common Stock|Q|N|N|100 SLMAP|SLM Corporation - 6.97% Cumulative Redeemable Preferred Stock, Series A|Q|N|N|100 SLMBP|SLM Corporation - Floating Rate Non-Cumulative Preferred Stock, Series B|Q|N|N|100 SLP|Simulations Plus, Inc. - Common Stock|S|N|N|100 SLRC|Solar Capital Ltd. - Common Stock|Q|N|N|100 SLTC|Selectica, Inc. - Common Stock|S|N|N|100 SLTD|Solar3D, Inc. - Common Stock|S|N|N|100 SLVO|Credit Suisse AG - Credit Suisse Silver Shares Covered Call Exchange Traded Notes|G|N|N|100 SMAC|Sino Mercury Acquisition Corp. - Common Stock|S|N|N|100 SMACR|Sino Mercury Acquisition Corp. - Right|S|N|N|100 SMACU|Sino Mercury Acquisition Corp. - Unit|S|N|N|100 SMBC|Southern Missouri Bancorp, Inc. - Common Stock|G|N|N|100 SMCI|Super Micro Computer, Inc. - Common Stock|Q|N|N|100 SMED|Sharps Compliance Corp - Common Stock|S|N|N|100 SMIT|Schmitt Industries, Inc. - Common Stock|S|N|N|100 SMLR|Semler Scientific, Inc. - Common Stock|S|N|N|100 SMMF|Summit Financial Group, Inc. - Common Stock|S|N|N|100 SMMT|Summit Therapeutics plc - American Depositary Shares|G|N|N|100 SMRT|Stein Mart, Inc. - Common Stock|Q|N|N|100 SMSI|Smith Micro Software, Inc. - Common Stock|Q|N|N|100 SMT|SMART Technologies Inc. - Common Shares|Q|N|N|100 SMTC|Semtech Corporation - Common Stock|Q|N|N|100 SMTP|SMTP, Inc. - Common Stock|S|N|N|100 SMTX|SMTC Corporation - Common Stock|G|N|N|100 SNAK|Inventure Foods, Inc. - Common Stock|Q|N|N|100 SNBC|Sun Bancorp, Inc. - Common Stock|Q|N|N|100 SNC|State National Companies, Inc. - Common Stock|Q|N|N|100 SNCR|Synchronoss Technologies, Inc. - Common Stock|Q|N|N|100 SNDK|SanDisk Corporation - Common Stock|Q|N|N|100 SNFCA|Security National Financial Corporation - Class A Common Stock|G|N|N|100 SNHY|Sun Hydraulics Corporation - Common Stock|Q|N|N|100 SNMX|Senomyx, Inc. - Common Stock|G|N|N|100 SNPS|Synopsys, Inc. - Common Stock|Q|N|N|100 SNSS|Sunesis Pharmaceuticals, Inc. - Common Stock|S|N|N|100 SNTA|Synta Pharmaceuticals Corp. - Common Stock|G|N|N|100 SOCB|Southcoast Financial Corporation - Common Stock|G|N|N|100 SOCL|Global X Social Media Index ETF|G|N|N|100 SODA|SodaStream International Ltd. - Ordinary Shares|Q|N|N|100 SOFO|Sonic Foundry, Inc. - Common Stock|S|N|N|100 SOHO|Sotherly Hotels Inc. - Common Stock|G|N|N|100 SOHOL|Sotherly Hotels LP - 8.00% Senior Unsecured Notes Due 2018|G|N|N|100 SOHOM|Sotherly Hotels LP - 7.00% Senior Notes|G|N|N|100 SOHU|Sohu.com Inc. - Common Stock|Q|N|N|100 SONA|Southern National Bancorp of Virginia, Inc. - Common Stock|G|N|N|100 SONC|Sonic Corp. - Common Stock|Q|N|N|100 SONS|Sonus Networks, Inc. - Common Stock|Q|N|N|100 SORL|SORL Auto Parts, Inc. - Common Stock|G|N|N|100 SOXX|iShares PHLX SOX Semiconductor Sector Index Fund|G|N|N|100 SP|SP Plus Corporation - Common Stock|Q|N|N|100 SPAN|Span-America Medical Systems, Inc. - Common Stock|G|N|N|100 SPAR|Spartan Motors, Inc. - Common Stock|Q|N|N|100 SPCB|SuperCom, Ltd. - Ordinary Shares|S|N|N|100 SPDC|Speed Commerce, Inc. - Common Stock|G|N|N|100 SPEX|Spherix Incorporated - Common Stock|S|N|D|100 SPHS|Sophiris Bio, Inc. - Common Shares|G|N|D|100 SPIL|Siliconware Precision Industries Company, Ltd. - ADS represents common shares|Q|N|N|100 SPKE|Spark Energy, Inc. - Class A Common Stock|Q|N|N|100 SPLK|Splunk Inc. - Common Stock|Q|N|N|100 SPLS|Staples, Inc. - Common Stock|Q|N|N|100 SPNC|The Spectranetics Corporation - Common Stock|Q|N|N|100 SPNS|Sapiens International Corporation N.V. - Common Shares|S|N|N|100 SPOK|Spok Holdings, Inc. - Common Stock|Q|N|N|100 SPPI|Spectrum Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 SPPR|Supertel Hospitality, Inc. - Common Stock|G|N|N|100 SPPRO|Supertel Hospitality, Inc. - Series B Cumulative Preferred Stock|G|N|N|100 SPPRP|Supertel Hospitality, Inc. - Series A Convertible Preferred Stock|G|N|N|100 SPRO|SmartPros Ltd. - Common Stock|S|N|N|100 SPRT|support.com, Inc. - Common Stock|Q|N|N|100 SPSC|SPS Commerce, Inc. - Common Stock|Q|N|N|100 SPTN|SpartanNash Company - Common Stock|Q|N|N|100 SPU|SkyPeople Fruit Juice, Inc. - Common Stock|G|N|N|100 SPWH|Sportsman's Warehouse Holdings, Inc. - Common Stock|Q|N|N|100 SPWR|SunPower Corporation - Common Stock|Q|N|N|100 SQBG|Sequential Brands Group, Inc. - Common Stock|S|N|N|100 SQBK|Square 1 Financial, Inc. - Class A Common Stock|Q|N|N|100 SQI|SciQuest, Inc. - Common Stock|Q|N|N|100 SQNM|Sequenom, Inc. - Common Stock|Q|N|N|100 SQQQ|ProShares UltraPro Short QQQ|G|N|N|100 SRCE|1st Source Corporation - Common Stock|Q|N|N|100 SRCL|Stericycle, Inc. - Common Stock|Q|N|N|100 SRDX|SurModics, Inc. - Common Stock|Q|N|N|100 SRET|Global X SuperDividend REIT ETF|G|N|N|100 SREV|ServiceSource International, Inc. - Common Stock|Q|N|N|100 SRNE|Sorrento Therapeutics, Inc. - Common Stock|S|N|N|100 SRPT|Sarepta Therapeutics, Inc. - Common Stock|Q|N|N|100 SRSC|Sears Canada Inc. - Common Shares|Q|N|N|100 SSB|South State Corporation - Common Stock|Q|N|N|100 SSBI|Summit State Bank - Common Stock|G|N|N|100 SSFN|Stewardship Financial Corp - Common Stock|S|N|N|100 SSH|Sunshine Heart Inc - Common Stock|S|N|N|100 SSNC|SS&C Technologies Holdings, Inc. - Common Stock|Q|N|N|100 SSRG|Symmetry Surgical Inc. - Common Stock|G|N|N|100 SSRI|Silver Standard Resources Inc. - Common Stock|Q|N|N|100 SSYS|Stratasys, Ltd. - Common Stock|Q|N|N|100 STAA|STAAR Surgical Company - Common Stock|G|N|N|100 STB|Student Transportation Inc - Common shares|Q|N|N|100 STBA|S&T Bancorp, Inc. - Common Stock|Q|N|N|100 STBZ|State Bank Financial Corporation. - Common Stock|S|N|N|100 STCK|Stock Building Supply Holdings, Inc. - Common Stock|Q|N|N|100 STDY|SteadyMed Ltd. - Ordinary Shares|G|N|N|100 STEM|StemCells, Inc. - Common Stock|S|N|N|100 STFC|State Auto Financial Corporation - Common Stock|Q|N|N|100 STKL|SunOpta, Inc. - Common Stock|Q|N|N|100 STLD|Steel Dynamics, Inc. - Common Stock|Q|N|N|100 STLY|Stanley Furniture Company, Inc. - Common Stock|Q|N|N|100 STML|Stemline Therapeutics, Inc. - Common Stock|S|N|N|100 STMP|Stamps.com Inc. - Common Stock|Q|N|N|100 STNR|Steiner Leisure Limited - Common Shares|Q|N|N|100 STPP|Barclays PLC - iPath US Treasury Steepener ETN|G|N|N|100 STRA|Strayer Education, Inc. - Common Stock|Q|N|N|100 STRL|Sterling Construction Company Inc - Common Stock|Q|N|N|100 STRM|Streamline Health Solutions, Inc. - Common Stock|S|N|N|100 STRN|Sutron Corporation - Common Stock|S|N|N|100 STRS|Stratus Properties, Inc. - Common Stock|Q|N|N|100 STRT|Strattec Security Corporation - Common Stock|G|N|N|100 STRZA|Starz - Series A Common Stock|Q|N|N|100 STRZB|Starz - Series B Common Stock|Q|N|N|100 STX|Seagate Technology. - Common Stock|Q|N|N|100 STXS|Stereotaxis, Inc. - Common Stock|S|N|N|100 SUBK|Suffolk Bancorp - Common Stock|Q|N|N|100 SUMR|Summer Infant, Inc. - Common Stock|S|N|N|100 SUNS|Solar Senior Capital Ltd. - Common Stock|Q|N|N|100 SUPN|Supernus Pharmaceuticals, Inc. - Common Stock|G|N|N|100 SURG|Synergetics USA, Inc. - Common Stock|S|N|N|100 SUSQ|Susquehanna Bancshares, Inc. - Common Stock|Q|N|N|100 SUTR|Sutor Technology Group Limited - Common Stock|S|N|D|100 SVA|Sinovac Biotech, Ltd. - Ordinary Shares (Antigua/Barbudo)|Q|N|N|100 SVBI|Severn Bancorp Inc - Common Stock|S|N|N|100 SVVC|Firsthand Technology Value Fund, Inc. - Common Stock|Q|N|N|100 SWHC|Smith & Wesson Holding Corporation - Common Stock|Q|N|N|100 SWIR|Sierra Wireless, Inc. - Common Stock|Q|N|N|100 SWKS|Skyworks Solutions, Inc. - Common Stock|Q|N|N|100 SWSH|Swisher Hygiene, Inc. - Common Stock|S|N|N|100 SYBT|Stock Yards Bancorp, Inc. - Common Stock|Q|N|N|100 SYKE|Sykes Enterprises, Incorporated - Common Stock|Q|N|N|100 SYMC|Symantec Corporation - Common Stock|Q|N|N|100 SYMX|Synthesis Energy Systems, Inc. - Common Stock|G|N|D|100 SYNA|Synaptics Incorporated - Common Stock|Q|N|N|100 SYNC|Synacor, Inc. - Common Stock|G|N|N|100 SYNL|Synalloy Corporation - Common Stock|G|N|N|100 SYNT|Syntel, Inc. - Common Stock|Q|N|N|100 SYPR|Sypris Solutions, Inc. - Common Stock|G|N|N|100 SYRX|Sysorex Global Holding Corp. - Common Stock|S|N|N|100 SYUT|Synutra International, Inc. - Common Stock|Q|N|N|100 SZMK|Sizmek Inc. - Common Stock|Q|N|N|100 SZYM|Solazyme, Inc. - Common Stock|Q|N|N|100 TACT|TransAct Technologies Incorporated - Common Stock|G|N|N|100 TAIT|Taitron Components Incorporated - Class A Common Stock|S|N|N|100 TANH|Tantech Holdings Ltd. - Common Stock|S|N|N|100 TAPR|Barclays PLC - Barclays Inverse US Treasury Composite ETN|G|N|N|100 TASR|TASER International, Inc. - Common Stock|Q|N|N|100 TAST|Carrols Restaurant Group, Inc. - Common Stock|Q|N|N|100 TATT|TAT Technologies Ltd. - Ordinary Shares|G|N|N|100 TAX|Liberty Tax, Inc. - Class A Common Stock|Q|N|N|100 TAXI|Medallion Financial Corp. - Common Stock|Q|N|N|100 TAYD|Taylor Devices, Inc. - Common Stock|S|N|N|100 TBBK|The Bancorp, Inc. - Common Stock|Q|N|N|100 TBIO|Transgenomic, Inc. - Common Stock|S|N|N|100 TBK|Triumph Bancorp, Inc. - Common Stock|Q|N|N|100 TBNK|Territorial Bancorp Inc. - Common Stock|Q|N|N|100 TBPH|Theravance Biopharma, Inc. - Ordinary Shares|G|N|N|100 TCBI|Texas Capital Bancshares, Inc. - Common Stock|Q|N|N|100 TCBIL|Texas Capital Bancshares, Inc. - 6.50% Subordinated Notes due 2042|Q|N|N|100 TCBIP|Texas Capital Bancshares, Inc. - Non Cumulative Preferred Perpetual Stock Series A|Q|N|N|100 TCBIW|Texas Capital Bancshares, Inc. - Warrants 01/16/2019|Q|N|N|100 TCBK|TriCo Bancshares - Common Stock|Q|N|N|100 TCCO|Technical Communications Corporation - Common Stock|S|N|N|100 TCFC|The Community Financial Corporation - Common Stock|S|N|N|100 TCON|TRACON Pharmaceuticals, Inc. - Common Stock|G|N|N|100 TCPC|TCP Capital Corp. - Common Stock|Q|N|N|100 TCRD|THL Credit, Inc. - Common Stock|Q|N|N|100 TCX|Tucows Inc. - Common Stock|S|N|N|100 TDIV|First Trust Exchange-Traded Fund VI First Trust NASDAQ Technology Dividend Index Fund|G|N|N|100 TEAR|TearLab Corporation - Common Stock|S|N|N|100 TECD|Tech Data Corporation - Common Stock|Q|N|N|100 TECH|Bio-Techne Corp - Common Stock|Q|N|N|100 TECU|Tecumseh Products Company - Common Stock|Q|N|N|100 TEDU|Tarena International, Inc. - American Depositary Shares|Q|N|N|100 TENX|Tenax Therapeutics, Inc. - Common Stock|S|N|N|100 TERP|TerraForm Power, Inc. - Class A Common Stock|Q|N|N|100 TESO|Tesco Corporation - Common Stock|Q|N|N|100 TESS|TESSCO Technologies Incorporated - Common Stock|Q|N|N|100 TFM|The Fresh Market, Inc. - Common Stock|Q|N|N|100 TFSC|1347 Capital Corp. - Common Stock|S|N|N|100 TFSCR|1347 Capital Corp. - Right|S|N|N|100 TFSCU|1347 Capital Corp. - Unit|S|N|N|100 TFSCW|1347 Capital Corp. - Warrant|S|N|N|100 TFSL|TFS Financial Corporation - Common Stock|Q|N|N|100 TGA|Transglobe Energy Corp - Ordinary Shares|Q|N|N|100 TGEN|Tecogen Inc. - Common Stock|S|N|N|100 TGLS|Tecnoglass Inc. - Ordinary Shares|S|N|N|100 TGTX|TG Therapeutics, Inc. - Common Stock|S|N|N|100 THFF|First Financial Corporation Indiana - Common Stock|Q|N|N|100 THLD|Threshold Pharmaceuticals, Inc. - Common Stock|S|N|N|100 THOR|Thoratec Corporation - Common Stock|Q|N|N|100 THRM|Gentherm Inc - Common Stock|Q|N|N|100 THRX|Theravance, Inc. - Common Stock|Q|N|N|100 THST|Truett-Hurst, Inc. - Class A Common Stock|S|N|N|100 THTI|THT Heat Transfer Technology, Inc. - Common Stock|S|N|N|100 TICC|TICC Capital Corp. - Closed End Fund|Q|N|N|100 TIGR|TigerLogic Corporation - Common Stock|S|N|D|100 TILE|Interface, Inc. - Common Stock|Q|N|N|100 TINY|Harris & Harris Group, Inc. - Common Stock|G|N|N|100 TIPT|Tiptree Financial Inc. - Class A Common Stock|S|N|N|100 TISA|Top Image Systems, Ltd. - Ordinary Shares|S|N|N|100 TITN|Titan Machinery Inc. - Common Stock|Q|N|N|100 TIVO|TiVo Inc. - Common Stock|Q|N|N|100 TKAI|Tokai Pharmaceuticals, Inc. - Common Stock|G|N|N|100 TKMR|Tekmira Pharmaceuticals Corp - Common Stock|S|N|N|100 TLF|Tandy Leather Factory, Inc. - Common Stock|G|N|N|100 TLMR|Talmer Bancorp, Inc. - Class A Common Stock|S|N|N|100 TLOG|TetraLogic Pharmaceuticals Corporation - Common Stock|G|N|N|100 TNAV|Telenav, Inc. - Common Stock|Q|N|N|100 TNDM|Tandem Diabetes Care, Inc. - Common Stock|G|N|N|100 TNGO|Tangoe, Inc. - Common Stock|Q|N|N|100 TNXP|Tonix Pharmaceuticals Holding Corp. - Common Stock|G|N|N|100 TOPS|TOP Ships Inc. - Common Stock|Q|N|N|100 TORM|TOR Minerals International Inc - Common Stock|S|N|N|100 TOUR|Tuniu Corporation - American Depositary Shares|G|N|N|100 TOWN|Towne Bank - Common Stock|Q|N|N|100 TQQQ|ProShares UltraPro QQQ|G|N|N|100 TRAK|Dealertrack Technologies, Inc. - Common Stock|Q|N|N|100 TRCB|Two River Bancorp - Common Stock|S|N|N|100 TRCH|Torchlight Energy Resources, Inc. - Common Stock|S|N|D|100 TREE|LendingTree, Inc. - Common Stock|Q|N|N|100 TRGT|Targacept, Inc. - Common Stock|Q|N|N|100 TRIB|Trinity Biotech plc - American Depositary Shares each representing 4 A Ordinary Shares|Q|N|N|100 TRIL|Trillium Therapeutics Inc. - Common Shares|S|N|N|100 TRIP|TripAdvisor, Inc. - Common Stock|Q|N|N|100 TRIV|TriVascular Technologies, Inc. - Common Stock|Q|N|N|100 TRMB|Trimble Navigation Limited - Common Stock|Q|N|N|100 TRMK|Trustmark Corporation - Common Stock|Q|N|N|100 TRNS|Transcat, Inc. - Common Stock|G|N|N|100 TRNX|Tornier N.V. - Ordinary Shares|Q|N|N|100 TROV|TrovaGene, Inc. - Common Stock|S|N|N|100 TROVU|TrovaGene, Inc. - Unit|S|N|N|100 TROVW|TrovaGene, Inc. - Warrant|S|N|N|100 TROW|T. Rowe Price Group, Inc. - Common Stock|Q|N|N|100 TRS|TriMas Corporation - Common Stock|Q|N|N|100 TRST|TrustCo Bank Corp NY - Common Stock|Q|N|N|100 TRTL|Terrapin 3 Acquisition Corporation - Class A Common Stock|S|N|N|100 TRTLU|Terrapin 3 Acquisition Corporation - Units|S|N|N|100 TRTLW|Terrapin 3 Acquisition Corporation - Warrants|S|N|N|100 TRUE|TrueCar, Inc. - Common Stock|Q|N|N|100 TRVN|Trevena, Inc. - Common Stock|Q|N|N|100 TSBK|Timberland Bancorp, Inc. - Common Stock|G|N|N|100 TSC|TriState Capital Holdings, Inc. - Common Stock|Q|N|N|100 TSCO|Tractor Supply Company - Common Stock|Q|N|N|100 TSEM|Tower Semiconductor Ltd. - Ordinary Shares|Q|N|N|100 TSLA|Tesla Motors, Inc. - Common Stock|Q|N|N|100 TSRA|Tessera Technologies, Inc. - Common Stock|Q|N|N|100 TSRE|Trade Street Residential, Inc. - Common Stock|G|N|N|100 TSRI|TSR, Inc. - Common Stock|S|N|N|100 TSRO|TESARO, Inc. - Common Stock|Q|N|N|100 TST|TheStreet, Inc. - Common Stock|G|N|N|100 TSYS|TeleCommunication Systems, Inc. - Class A Common Stock|Q|N|N|100 TTEC|TeleTech Holdings, Inc. - Common Stock|Q|N|N|100 TTEK|Tetra Tech, Inc. - Common Stock|Q|N|N|100 TTGT|TechTarget, Inc. - Common Stock|G|N|N|100 TTHI|Transition Therapeutics, Inc. - Ordinary Shares (Canada)|G|N|N|100 TTMI|TTM Technologies, Inc. - Common Stock|Q|N|N|100 TTOO|T2 Biosystems, Inc. - Common Stock|G|N|N|100 TTPH|Tetraphase Pharmaceuticals, Inc. - Common Stock|Q|N|N|100 TTS|Tile Shop Hldgs, Inc. - Common Stock|Q|N|N|100 TTWO|Take-Two Interactive Software, Inc. - Common Stock|Q|N|N|100 TUBE|TubeMogul, Inc. - Common Stock|Q|N|N|100 TUES|Tuesday Morning Corp. - Common Stock|Q|N|N|100 TUSA|First Trust Total US Market AlphaDEX ETF|G|N|N|100 TUTT|Tuttle Tactical Management U.S. Core ETF|G|N|N|100 TVIX|Credit Suisse AG - VelocityShares Daily 2x VIX Short Term ETN|G|N|N|100 TVIZ|Credit Suisse AG - VelocityShares Daily 2x VIX Medium Term ETN|G|N|N|100 TW|Towers Watson & Co. - Common Stock Class A|Q|N|N|100 TWER|Towerstream Corporation - Common Stock|S|N|N|100 TWIN|Twin Disc, Incorporated - Common Stock|Q|N|N|100 TWMC|Trans World Entertainment Corp. - Common Stock|G|N|N|100 TWOU|2U, Inc. - Common Stock|Q|N|N|100 TXN|Texas Instruments Incorporated - Common Stock|Q|N|N|100 TXRH|Texas Roadhouse, Inc. - Common Stock|Q|N|N|100 TYPE|Monotype Imaging Holdings Inc. - Common Stock|Q|N|N|100 TZOO|Travelzoo Inc. - Common Stock|Q|N|N|100 UACL|Universal Truckload Services, Inc. - Common Stock|Q|N|N|100 UAE|iShares MSCI UAE Capped ETF|G|N|N|100 UBCP|United Bancorp, Inc. - Common Stock|S|N|N|100 UBFO|United Security Bancshares - Common Stock|Q|N|N|100 UBIC|UBIC, Inc. - American Depositary Shares|Q|N|N|100 UBNK|United Financial Bancorp, Inc. - Common Stock|Q|N|N|100 UBNT|Ubiquiti Networks, Inc. - Common Stock|Q|N|N|100 UBOH|United Bancshares, Inc. - Common Stock|G|N|N|100 UBSH|Union Bankshares Corporation - Common Stock|Q|N|N|100 UBSI|United Bankshares, Inc. - Common Stock|Q|N|N|100 UCBA|United Community Bancorp - Common Stock|G|N|N|100 UCBI|United Community Banks, Inc. - Common Stock|Q|N|N|100 UCFC|United Community Financial Corp. - Common Stock|Q|N|N|100 UCTT|Ultra Clean Holdings, Inc. - Common Stock|Q|N|N|100 UDF|United Development Funding IV - Common Shares of Beneficial Interest|Q|N|N|100 UEIC|Universal Electronics Inc. - Common Stock|Q|N|N|100 UEPS|Net 1 UEPS Technologies, Inc. - Common Stock|Q|N|N|100 UFCS|United Fire Group, Inc - Common Stock|Q|N|N|100 UFPI|Universal Forest Products, Inc. - Common Stock|Q|N|N|100 UFPT|UFP Technologies, Inc. - Common Stock|S|N|N|100 UG|United-Guardian, Inc. - Common Stock|G|N|N|100 UGLD|Credit Suisse AG - VelocityShares 3x Long Gold ETN|G|N|N|100 UHAL|Amerco - Common Stock|Q|N|N|100 UIHC|United Insurance Holdings Corp. - Common Stock|S|N|N|100 ULBI|Ultralife Corporation - Common Stock|G|N|N|100 ULTA|Ulta Salon, Cosmetics & Fragrance, Inc. - Common Stock|Q|N|N|100 ULTI|The Ultimate Software Group, Inc. - Common Stock|Q|N|N|100 ULTR|Ultrapetrol (Bahamas) Limited - common stock|Q|N|N|100 UMBF|UMB Financial Corporation - Common Stock|Q|N|N|100 UMPQ|Umpqua Holdings Corporation - Common Stock|Q|N|N|100 UNAM|Unico American Corporation - Common Stock|G|N|N|100 UNB|Union Bankshares, Inc. - Common Stock|G|N|N|100 UNFI|United Natural Foods, Inc. - Common Stock|Q|N|N|100 UNIS|Unilife Corporation - Common Stock|G|N|N|100 UNTD|United Online, Inc. - Common Stock|Q|N|N|100 UNTY|Unity Bancorp, Inc. - Common Stock|G|N|N|100 UNXL|Uni-Pixel, Inc. - Common Stock|S|N|N|100 UPIP|Unwired Planet, Inc. - Common Stock|Q|N|D|100 UPLD|Upland Software, Inc. - Common Stock|G|N|N|100 URBN|Urban Outfitters, Inc. - Common Stock|Q|N|N|100 UREE|U.S. Rare Earths, Inc. - Common Stock|S|N|N|100 UREEW|U.S. Rare Earths, Inc. - Warrant|S|N|N|100 URRE|Uranium Resources, Inc. - Common Stock|S|N|N|100 USAK|USA Truck, Inc. - Common Stock|Q|N|N|100 USAP|Universal Stainless & Alloy Products, Inc. - Common Stock|Q|N|N|100 USAT|USA Technologies, Inc. - Common Stock|G|N|N|100 USATP|USA Technologies, Inc. - Preferred Stock|G|N|N|100 USBI|United Security Bancshares, Inc. - Common Stock|S|N|N|100 USCR|U S Concrete, Inc. - Common Stock|S|N|N|100 USEG|U.S. Energy Corp. - Common Stock|S|N|N|100 USLM|United States Lime & Minerals, Inc. - Common Stock|Q|N|N|100 USLV|Credit Suisse AG - VelocityShares 3x Long Silver ETN|G|N|N|100 USMD|USMD Holdings, Inc. - Common Stock|S|N|N|100 USTR|United Stationers Inc. - Common Stock|Q|N|N|100 UTEK|Ultratech, Inc. - Common Stock|Q|N|N|100 UTHR|United Therapeutics Corporation - Common Stock|Q|N|N|100 UTIW|UTi Worldwide Inc. - Ordinary Shares|Q|N|N|100 UTMD|Utah Medical Products, Inc. - Common Stock|Q|N|N|100 UTSI|UTStarcom Holdings Corp - Ordinary Shares|Q|N|N|100 UVSP|Univest Corporation of Pennsylvania - Common Stock|Q|N|N|100 VA|Virgin America Inc. - Common Stock|Q|N|N|100 VALU|Value Line, Inc. - Common Stock|S|N|N|100 VALX|Validea Market Legends ETF|G|N|N|100 VASC|Vascular Solutions, Inc. - Common Stock|Q|N|N|100 VBFC|Village Bank and Trust Financial Corp. - Common Stock|S|N|N|100 VBIV|VBI Vaccines Inc. - Common Stock|S|N|N|100 VBLT|Vascular Biogenics Ltd. - Ordinary Shares|G|N|N|100 VBND|Vident Core U.S. Bond Strategy Fund|G|N|N|100 VBTX|Veritex Holdings, Inc. - Common Stock|G|N|N|100 VCEL|Vericel Corporation - Common Stock|S|N|N|100 VCIT|Vanguard Intermediate-Term Corporate Bond ETF|G|N|N|100 VCLT|Vanguard Long-Term Corporate Bond ETF|G|N|N|100 VCSH|Vanguard Short-Term Corporate Bond ETF|G|N|N|100 VCYT|Veracyte, Inc. - Common Stock|G|N|N|100 VDSI|VASCO Data Security International, Inc. - Common Stock|S|N|N|100 VDTH|Videocon d2h Limited - American Depositary Shares|Q|N|N|100 VECO|Veeco Instruments Inc. - Common Stock|Q|N|N|100 VGGL|Viggle Inc. - Common Stock|S|N|N|100 VGIT|Vanguard Intermediate -Term Government Bond ETF|G|N|N|100 VGLT|Vanguard Long-Term Government Bond ETF|G|N|N|100 VGSH|Vanguard Short-Term Government ETF|G|N|N|100 VIA|Viacom Inc. - Class A Common Stock|Q|N|N|100 VIAB|Viacom Inc. - Class B Common Stock|Q|N|N|100 VIAS|Viasystems Group, Inc. - Common Stock|G|N|N|100 VICL|Vical Incorporated - Common Stock|Q|N|N|100 VICR|Vicor Corporation - Common Stock|Q|N|N|100 VIDE|Video Display Corporation - Common Stock|G|N|D|100 VIDI|Vident International Equity Fund|G|N|N|100 VIEW|Viewtran Group, Inc. - Common Stock|Q|N|E|100 VIIX|Credit Suisse AG - VelocityShares VIX Short Term ETN|G|N|N|100 VIIZ|Credit Suisse AG - VelocityShares VIX Medium Term ETN|G|N|N|100 VIMC|Vimicro International Corporation - American depositary shares, each representing four ordinary shares|G|N|N|100 VIP|VimpelCom Ltd. - American Depositary Shares|Q|N|N|100 VIRC|Virco Manufacturing Corporation - Common Stock|G|N|N|100 VISN|VisionChina Media, Inc. - American Depositary Shares, each representing one Common Share|Q|N|N|100 VIVO|Meridian Bioscience Inc. - Common Stock|Q|N|N|100 VLGEA|Village Super Market, Inc. - Class A Common Stock|Q|N|N|100 VLTC|Voltari Corporation - Common Stock|S|N|D|100 VLYWW|Valley National Bancorp - Warrants 07/01/2015|S|N|N|100 VMBS|Vanguard Mortgage-Backed Securities ETF|G|N|N|100 VNDA|Vanda Pharmaceuticals Inc. - Common Stock|G|N|N|100 VNET|21Vianet Group, Inc. - American Depositary Shares|Q|N|N|100 VNOM|Viper Energy Partners LP - Common Unit|Q|N|N|100 VNQI|Vanguard Global ex-U.S. Real Estate ETF|G|N|N|100 VNR|Vanguard Natural Resources LLC - Common Units|Q|N|N|100 VNRAP|Vanguard Natural Resources LLC - 7.875% Series A Cumulative Redeemable Perpetual Preferred Unit|Q|N|N|100 VNRBP|Vanguard Natural Resources LLC - 7.625% Series B Cumulative Redeemable Perpetual Preferred Unit|Q|N|N|100 VNRCP|Vanguard Natural Resources LLC - 7.75% Series C Cumulative Redeemable Perpetual Preferred Unit|Q|N|N|100 VOD|Vodafone Group Plc - American Depositary Shares each representing ten Ordinary Shares|Q|N|N|100 VONE|Vanguard Russell 1000 ETF|G|N|N|100 VONG|Vanguard Russell 1000 Growth ETF|G|N|N|100 VONV|Vanguard Russell 1000 Value ETF|G|N|N|100 VOXX|VOXX International Corporation - Class A Common Stock|Q|N|N|100 VPCO|Vapor Corp. - Common Stock|S|N|N|100 VRA|Vera Bradley, Inc. - Common Stock|Q|N|N|100 VRAY|ViewRay Incorporated - Common Stock|G|N|N|100 VRML|Vermillion, Inc. - Common Stock|S|N|N|100 VRNG|Vringo, Inc. - Common Stock|S|N|D|100 VRNGW|Vringo, Inc. - Warrants|S|N|N|100 VRNS|Varonis Systems, Inc. - Common Stock|Q|N|N|100 VRNT|Verint Systems Inc. - Common Stock|Q|N|N|100 VRSK|Verisk Analytics, Inc. - Class A Common Stock|Q|N|N|100 VRSN|VeriSign, Inc. - Common Stock|Q|N|N|100 VRTA|Vestin Realty Mortgage I, Inc. - Common Stock|S|N|N|100 VRTB|Vestin Realty Mortgage II, Inc. - Common Stock|Q|N|N|100 VRTS|Virtus Investment Partners, Inc. - Common Stock|Q|N|N|100 VRTU|Virtusa Corporation - common stock|Q|N|N|100 VRTX|Vertex Pharmaceuticals Incorporated - Common Stock|Q|N|N|100 VSAR|Versartis, Inc. - Common Stock|Q|N|N|100 VSAT|ViaSat, Inc. - Common Stock|Q|N|N|100 VSCP|VirtualScopics, Inc. - Common Stock|S|N|N|100 VSEC|VSE Corporation - Common Stock|Q|N|N|100 VSTM|Verastem, Inc. - Common Stock|G|N|N|100 VTAE|Vitae Pharmaceuticals, Inc. - Common Stock|G|N|N|100 VTHR|Vanguard Russell 3000 ETF|G|N|N|100 VTIP|Vanguard Short-Term Inflation-Protected Securities Index Fund|G|N|N|100 VTL|Vital Therapies, Inc. - Common Stock|Q|N|N|100 VTNR|Vertex Energy, Inc - Common Stock|S|N|N|100 VTSS|Vitesse Semiconductor Corporation - Common Stock|G|N|N|100 VTWG|Vanguard Russell 2000 Growth ETF|G|N|N|100 VTWO|Vanguard Russell 2000 ETF|G|N|N|100 VTWV|Vanguard Russell 2000 Value ETF|G|N|N|100 VUSE|Vident Core US Equity ETF|G|N|N|100 VUZI|Vuzix Corporation - Common Stock|S|N|N|100 VVUS|VIVUS, Inc. - Common Stock|Q|N|N|100 VWOB|Vanguard Emerging Markets Government Bond ETF|G|N|N|100 VWR|VWR Corporation - Common Stock|Q|N|N|100 VXUS|Vanguard Total International Stock ETF|G|N|N|100 VYFC|Valley Financial Corporation - Common Stock|S|N|N|100 WABC|Westamerica Bancorporation - Common Stock|Q|N|N|100 WAFD|Washington Federal, Inc. - Common Stock|Q|N|N|100 WAFDW|Washington Federal, Inc. - Warrants 11/14/2018|Q|N|N|100 WASH|Washington Trust Bancorp, Inc. - Common Stock|Q|N|N|100 WATT|Energous Corporation - Common Stock|S|N|N|100 WAVX|Wave Systems Corp. - Class A Common Stock|S|N|D|100 WAYN|Wayne Savings Bancshares Inc. - Common Stock|G|N|N|100 WB|Weibo Corporation - American Depositary Share|Q|N|N|100 WBA|Walgreens Boots Alliance, Inc. - Common Stock|Q|N|N|100 WBB|Westbury Bancorp, Inc. - Common Stock|S|N|N|100 WBKC|Wolverine Bancorp, Inc. - Common Stock|S|N|N|100 WBMD|WebMD Health Corp - Common Stock|Q|N|N|100 WDC|Western Digital Corporation - Common Stock|Q|N|N|100 WDFC|WD-40 Company - Common Stock|Q|N|N|100 WEBK|Wellesley Bancorp, Inc. - Common Stock|S|N|N|100 WEN|Wendy's Company (The) - Common Stock|Q|N|N|100 WERN|Werner Enterprises, Inc. - Common Stock|Q|N|N|100 WETF|WisdomTree Investments, Inc. - Common Stock|Q|N|N|100 WEYS|Weyco Group, Inc. - Common Stock|Q|N|N|100 WFBI|WashingtonFirst Bankshares Inc - Common Stock|S|N|N|100 WFD|Westfield Financial, Inc. - Common Stock|Q|N|N|100 WFM|Whole Foods Market, Inc. - Common Stock|Q|N|N|100 WGBS|WaferGen Bio-systems, Inc. - Common Stock|S|N|N|100 WHF|WhiteHorse Finance, Inc. - Common Stock|Q|N|N|100 WHFBL|WhiteHorse Finance, Inc. - 6.50% Senior Notes due 2020|Q|N|N|100 WHLM|Wilhelmina International, Inc. - Common Stock|S|N|N|100 WHLR|Wheeler Real Estate Investment Trust, Inc. - Common Stock|S|N|N|100 WHLRP|Wheeler Real Estate Investment Trust, Inc. - Preferred Stock|S|N|N|100 WHLRW|Wheeler Real Estate Investment Trust, Inc. - Warrants|S|N|N|100 WIBC|Wilshire Bancorp, Inc. - Common Stock|Q|N|N|100 WIFI|Boingo Wireless, Inc. - Common Stock|Q|N|N|100 WILC|G. Willi-Food International, Ltd. - Ordinary Shares|S|N|N|100 WILN|Wi-LAN Inc - Common Shares|Q|N|N|100 WIN|Windstream Holdings, Inc. - Common Stock|Q|N|N|100 WINA|Winmark Corporation - Common Stock|G|N|N|100 WIRE|Encore Wire Corporation - Common Stock|Q|N|N|100 WIX|Wix.com Ltd. - Ordinary Shares|Q|N|N|100 WLB|Westmoreland Coal Company - Common Stock|G|N|N|100 WLDN|Willdan Group, Inc. - Common Stock|G|N|N|100 WLFC|Willis Lease Finance Corporation - Common Stock|G|N|N|100 WLRH|WL Ross Holding Corp. - Common Stock|S|N|N|100 WLRHU|WL Ross Holding Corp. - Unit|S|N|N|100 WLRHW|WL Ross Holding Corp. - Warrant|S|N|N|100 WMAR|West Marine, Inc. - Common Stock|Q|N|N|100 WMGI|Wright Medical Group, Inc. - Common Stock|Q|N|N|100 WMGIZ|Wright Medical Group, Inc. - Contingent Value Right|G|N|N|100 WOOD|iShares S&P Global Timber & Forestry Index Fund|G|N|N|100 WOOF|VCA Inc. - Common Stock|Q|N|N|100 WOWO|Wowo Limited - ADS|G|N|N|100 WPCS|WPCS International Incorporated - Common Stock|S|N|D|100 WPPGY|WPP plc - American Depositary Shares each representing five Ordinary Shares|Q|N|N|100 WPRT|Westport Innovations Inc - Ordinary Shares|Q|N|N|100 WRES|Warren Resources, Inc. - Common Stock|Q|N|N|100 WRLD|World Acceptance Corporation - Common Stock|Q|N|N|100 WSBC|WesBanco, Inc. - Common Stock|Q|N|N|100 WSBF|Waterstone Financial, Inc. - Common Stock|Q|N|N|100 WSCI|WSI Industries Inc. - Common Stock|S|N|N|100 WSFS|WSFS Financial Corporation - Common Stock|Q|N|N|100 WSFSL|WSFS Financial Corporation - 6.25% Senior Notes Due 2019|Q|N|N|100 WSTC|West Corporation - Common Stock|Q|N|N|100 WSTG|Wayside Technology Group, Inc. - Common Stock|G|N|N|100 WSTL|Westell Technologies, Inc. - Class A Common Stock|Q|N|N|100 WTBA|West Bancorporation - Common Stock|Q|N|N|100 WTFC|Wintrust Financial Corporation - Common Stock|Q|N|N|100 WTFCW|Wintrust Financial Corporation - Warrants|Q|N|N|100 WVFC|WVS Financial Corp. - Common Stock|G|N|N|100 WVVI|Willamette Valley Vineyards, Inc. - Common Stock|S|N|N|100 WWD|Woodward, Inc. - Common Stock|Q|N|N|100 WWWW|Web.com Group, Inc. - Common Stock|Q|N|N|100 WYNN|Wynn Resorts, Limited - Common Stock|Q|N|N|100 XBKS|Xenith Bankshares, Inc. - Common Stock|S|N|N|100 XCRA|Xcerra Corporation - Common Stock|Q|N|N|100 XENE|Xenon Pharmaceuticals Inc. - Common Shares|G|N|N|100 XENT|Intersect ENT, Inc. - Common Stock|G|N|N|100 XGTI|XG Technology, Inc - Common Stock|S|N|D|100 XGTIW|XG Technology, Inc - Warrants|S|N|N|100 XIV|Credit Suisse AG - VelocityShares Daily Inverse VIX Short Term ETN|G|N|N|100 XLNX|Xilinx, Inc. - Common Stock|Q|N|N|100 XLRN|Acceleron Pharma Inc. - Common Stock|G|N|N|100 XNCR|Xencor, Inc. - Common Stock|G|N|N|100 XNET|Xunlei Limited - American Depositary Receipts|Q|N|N|100 XNPT|XenoPort, Inc. - Common Stock|Q|N|N|100 XOMA|XOMA Corporation - Common Stock|G|N|N|100 XONE|The ExOne Company - Common Stock|Q|N|N|100 XOOM|Xoom Corporation - Common Stock|Q|N|N|100 XPLR|Xplore Technologies Corp - Common Stock|S|N|N|100 XRAY|DENTSPLY International Inc. - Common Stock|Q|N|N|100 XTLB|XTL Biopharmaceuticals Ltd. - American Depositary Shares|S|N|N|100 XXIA|Ixia - Common Stock|Q|N|N|100 YDIV|First Trust International Multi-Asset Diversified Income Index Fund|G|N|N|100 YDLE|Yodlee, Inc. - Common Stock|Q|N|N|100r YHOO|Yahoo! Inc. - Common Stock|Q|N|N|100 YNDX|Yandex N.V. - Class A Ordinary Shares|Q|N|N|100 YOD|You On Demand Holdings, Inc. - Common Stock|S|N|N|100 YORW|The York Water Company - Common Stock|Q|N|N|100 YPRO|AdvisorShares YieldPro ETF|G|N|N|100 YRCW|YRC Worldwide, Inc. - Common Stock|Q|N|N|100 YY|YY Inc. - American Depositary Shares|Q|N|N|100 Z|Zillow Group, Inc. - Class A Common Stock|Q|N|N|100 ZAGG|ZAGG Inc - Common Stock|Q|N|N|100 ZAIS|ZAIS Group Holdings, Inc. - Class A Common Stock|S|N|D|100 ZAZA|ZaZa Energy Corporation - Common Stock|S|N|D|100 ZBRA|Zebra Technologies Corporation - Class A Common Stock|Q|N|N|100 ZEUS|Olympic Steel, Inc. - Common Stock|Q|N|N|100 ZFGN|Zafgen, Inc. - Common Stock|Q|N|N|100 ZGNX|Zogenix, Inc. - Common Stock|G|N|N|100 ZHNE|Zhone Technologies, Inc. - Common Stock|S|N|N|100 ZINC|Horsehead Holding Corp. - Common Stock|Q|N|N|100 ZION|Zions Bancorporation - Common Stock|Q|N|N|100 ZIONW|Zions Bancorporation - Warrants 05/21/2020|Q|N|N|100 ZIONZ|Zions Bancorporation - Warrants|Q|N|N|100 ZIOP|ZIOPHARM Oncology Inc - Common Stock|S|N|N|100 ZIV|Credit Suisse AG - VelocityShares Daily Inverse VIX Medium Term ETN|G|N|N|100 ZIXI|Zix Corporation - Common Stock|Q|N|N|100 ZJZZT|NASDAQ TEST STOCK|Q|Y|N|100 ZLTQ|ZELTIQ Aesthetics, Inc. - Common Stock|Q|N|N|100 ZN|Zion Oil & Gas Inc - Common Stock|G|N|N|100 ZNGA|Zynga Inc. - Class A Common Stock|Q|N|N|100 ZNWAA|Zion Oil & Gas Inc - Warrants|G|N|N|100 ZSAN|Zosano Pharma Corporation - Common Stock|S|N|N|100 ZSPH|ZS Pharma, Inc. - Common Stock|G|N|N|100 ZU|zulily, inc. - Class A Common Stock|Q|N|N|100 ZUMZ|Zumiez Inc. - Common Stock|Q|N|N|100 ZVZZT|NASDAQ TEST STOCK|G|Y|N|100 ZWZZT|NASDAQ TEST STOCK|S|Y|N|100 ZXYZ.A|Nasdaq Symbology Test Common Stock|Q|Y|N|100 ZXZZT|NASDAQ TEST STOCK|G|Y|N|100 File Creation Time: 0402201521:33||||| ''' symbols = [] f = open('symbols.p','w+') t = f.readlines() f.write('symbols = [') for line in sym_text.split('\n')[1:-2]: f.write('\'') f.write(line.split('|')[0]) f.write('\',\n') f.write(']')
sym_text = "Symbol|Security Name|Market Category|Test Issue|Financial Status|Round Lot Size\nAAIT|iShares MSCI All Country Asia Information Technology Index Fund|G|N|N|100\nAAL|American Airlines Group, Inc. - Common Stock|Q|N|N|100\nAAME|Atlantic American Corporation - Common Stock|G|N|N|100\nAAOI|Applied Optoelectronics, Inc. - Common Stock|G|N|N|100\nAAON|AAON, Inc. - Common Stock|Q|N|N|100\nAAPL|Apple Inc. - Common Stock|Q|N|N|100\nAAVL|Avalanche Biotechnologies, Inc. - Common Stock|G|N|N|100\nAAWW|Atlas Air Worldwide Holdings - Common Stock|Q|N|N|100\nAAXJ|iShares MSCI All Country Asia ex Japan Index Fund|G|N|N|100\nABAC|Aoxin Tianli Group, Inc. - Common Shares|S|N|N|100\nABAX|ABAXIS, Inc. - Common Stock|Q|N|N|100\nABCB|Ameris Bancorp - Common Stock|Q|N|N|100\nABCD|Cambium Learning Group, Inc. - Common Stock|S|N|N|100\nABCO|The Advisory Board Company - Common Stock|Q|N|N|100\nABCW|Anchor BanCorp Wisconsin Inc. - Common Stock|Q|N|N|100\nABDC|Alcentra Capital Corp. - Common Stock|Q|N|N|100\nABGB|Abengoa, S.A. - American Depositary Shares|Q|N|N|100\nABIO|ARCA biopharma, Inc. - Common Stock|S|N|D|100\nABMD|ABIOMED, Inc. - Common Stock|Q|N|N|100\nABTL|Autobytel Inc. - Common Stock|S|N|N|100\nABY|Abengoa Yield plc - Ordinary Shares|Q|N|N|100\nACAD|ACADIA Pharmaceuticals Inc. - Common Stock|Q|N|N|100\nACAS|American Capital, Ltd. - Common Stock|Q|N|N|100\nACAT|Arctic Cat Inc. - Common Stock|Q|N|N|100\nACET|Aceto Corporation - Common Stock|Q|N|N|100\nACFC|Atlantic Coast Financial Corporation - Common Stock|G|N|N|100\nACFN|Acorn Energy, Inc. - Common Stock|G|N|D|100\nACGL|Arch Capital Group Ltd. - Common Stock|Q|N|N|100\nACHC|Acadia Healthcare Company, Inc. - Common Stock|Q|N|N|100\nACHN|Achillion Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nACIW|ACI Worldwide, Inc. - Common Stock|Q|N|N|100\nACLS|Axcelis Technologies, Inc. - Common Stock|Q|N|N|100\nACNB|ACNB Corporation - Common Stock|S|N|N|100\nACOR|Acorda Therapeutics, Inc. - Common Stock|Q|N|N|100\nACPW|Active Power, Inc. - Common Stock|S|N|N|100\nACRX|AcelRx Pharmaceuticals, Inc. - Common Stock|G|N|N|100\nACSF|American Capital Senior Floating, Ltd. - Common Stock|Q|N|N|100\nACST|Acasti Pharma, Inc. - Class A Common Stock|S|N|D|100\nACTA|Actua Corporation - Common Stock|Q|N|N|100\nACTG|Acacia Research Corporation - Common Stock|Q|N|N|100\nACTS|Actions Semiconductor Co., Ltd. - American Depositary Shares, each representing Six Ordinary Shares|Q|N|N|100\nACUR|Acura Pharmaceuticals, Inc. - Common Stock|S|N|D|100\nACWI|iShares MSCI ACWI Index Fund|G|N|N|100\nACWX|iShares MSCI ACWI ex US Index Fund|G|N|N|100\nACXM|Acxiom Corporation - Common Stock|Q|N|N|100\nADAT|Authentidate Holding Corp. - Common Stock|S|N|D|100\nADBE|Adobe Systems Incorporated - Common Stock|Q|N|N|100\nADEP|Adept Technology, Inc. - Common Stock|S|N|N|100\nADHD|Alcobra Ltd. - Ordinary Shares|G|N|N|100\nADI|Analog Devices, Inc. - Common Stock|Q|N|N|100\nADMA|ADMA Biologics Inc - Common Stock|S|N|N|100\nADMP|Adamis Pharmaceuticals Corporation - Common Stock|S|N|N|100\nADMS|Adamas Pharmaceuticals, Inc. - Common Stock|G|N|N|100\nADNC|Audience, Inc. - Common Stock|Q|N|N|100\nADP|Automatic Data Processing, Inc. - Common Stock|Q|N|N|100\nADRA|BLDRS Asia 50 ADR Index Fund|G|N|N|100\nADRD|BLDRS Developed Markets 100 ADR Index Fund|G|N|N|100\nADRE|BLDRS Emerging Markets 50 ADR Index Fund|G|N|N|100\nADRU|BLDRS Europe 100 ADR Index Fund|G|N|N|100\nADSK|Autodesk, Inc. - Common Stock|Q|N|N|100\nADTN|ADTRAN, Inc. - Common Stock|Q|N|N|100\nADUS|Addus HomeCare Corporation - Common Stock|Q|N|N|100\nADVS|Advent Software, Inc. - Common Stock|Q|N|N|100\nADXS|Advaxis, Inc. - Common Stock|S|N|N|100\nADXSW|Advaxis, Inc. - Warrants|S|N|N|100\nAEGN|Aegion Corp - Class A Common Stock|Q|N|N|100\nAEGR|Aegerion Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nAEHR|Aehr Test Systems - Common Stock|S|N|N|100\nAEIS|Advanced Energy Industries, Inc. - Common Stock|Q|N|N|100\nAEPI|AEP Industries Inc. - Common Stock|Q|N|N|100\nAERI|Aerie Pharmaceuticals, Inc. - Common Stock|G|N|N|100\nAETI|American Electric Technologies, Inc. - Common Stock|S|N|N|100\nAEY|ADDvantage Technologies Group, Inc. - Common Stock|G|N|N|100\nAEZS|AEterna Zentaris Inc. - Common Stock|S|N|D|100\nAFAM|Almost Family Inc - Common Stock|Q|N|N|100\nAFCB|Athens Bancshares Corporation - Common Stock|S|N|N|100\nAFFX|Affymetrix, Inc. - Common Stock|Q|N|N|100\nAFH|Atlas Financial Holdings, Inc. - Ordinary Shares|S|N|N|100\nAFMD|Affimed N.V. - Common Stock|G|N|N|100\nAFOP|Alliance Fiber Optic Products, Inc. - Common Stock|G|N|N|100\nAFSI|AmTrust Financial Services, Inc. - Common Stock|Q|N|N|100\nAGEN|Agenus Inc. - Common Stock|S|N|N|100\nAGII|Argo Group International Holdings, Ltd. - Common Stock|Q|N|N|100\nAGIIL|Argo Group International Holdings, Ltd. - 6.5% Senior Notes Due 2042|Q|N|N|100\nAGIO|Agios Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nAGNC|American Capital Agency Corp. - Common Stock|Q|N|N|100\nAGNCB|American Capital Agency Corp. - Depositary Shares representing 1/1000th Series B Preferred Stock|Q|N|N|100\nAGNCP|American Capital Agency Corp. - Cumulative Preferred Series A|Q|N|N|100\nAGND|WisdomTree Barclays U.S. Aggregate Bond Negative Duration Fund|G|N|N|100\nAGRX|Agile Therapeutics, Inc. - Common Stock|G|N|N|100\nAGTC|Applied Genetic Technologies Corporation - Common Stock|G|N|N|100\nAGYS|Agilysys, Inc. - Common Stock|Q|N|N|100\nAGZD|WisdomTree Barclays U.S. Aggregate Bond Zero Duration Fund|G|N|N|100\nAHGP|Alliance Holdings GP, L.P. - Common Units Representing Limited Partner Interests|Q|N|N|100\nAHPI|Allied Healthcare Products, Inc. - Common Stock|G|N|N|100\nAIMC|Altra Industrial Motion Corp. - Common Stock|Q|N|N|100\nAINV|Apollo Investment Corporation - Closed End Fund|Q|N|N|100\nAIQ|Alliance HealthCare Services, Inc. - Common Stock|G|N|N|100\nAIRM|Air Methods Corporation - Common Stock|Q|N|N|100\nAIRR|First Trust RBA American Industrial Renaissance ETF|G|N|N|100\nAIRT|Air T, Inc. - Common Stock|S|N|N|100\nAIXG|Aixtron SE - American Depositary Shares, each representing one Ordinary Share|Q|N|N|100\nAKAM|Akamai Technologies, Inc. - Common Stock|Q|N|N|100\nAKAO|Achaogen, Inc. - Common Stock|G|N|N|100\nAKBA|Akebia Therapeutics, Inc. - Common Stock|G|N|N|100\nAKER|Akers Biosciences Inc - Common Stock|S|N|N|100\nAKRX|Akorn, Inc. - Common Stock|Q|N|N|100\nALCO|Alico, Inc. - Common Stock|Q|N|N|100\nALDR|Alder BioPharmaceuticals, Inc. - Common Stock|G|N|N|100\nALDX|Aldeyra Therapeutics, Inc. - Common Stock|S|N|N|100\nALGN|Align Technology, Inc. - Common Stock|Q|N|N|100\nALGT|Allegiant Travel Company - Common Stock|Q|N|N|100\nALIM|Alimera Sciences, Inc. - Common Stock|G|N|N|100\nALKS|Alkermes plc - Ordinary Shares|Q|N|N|100\nALLB|Alliance Bancorp, Inc. of Pennsylvania - Common Stock|G|N|N|100\nALLT|Allot Communications Ltd. - Ordinary Shares|Q|N|N|100\nALNY|Alnylam Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nALOG|Analogic Corporation - Common Stock|Q|N|N|100\nALOT|Astro-Med, Inc. - Common Stock|G|N|N|100\nALQA|Alliqua BioMedical, Inc. - Common Stock|S|N|N|100\nALSK|Alaska Communications Systems Group, Inc. - Common Stock|Q|N|N|100\nALTR|Altera Corporation - Common Stock|Q|N|N|100\nALXA|Alexza Pharmaceuticals, Inc. - Common Stock|S|N|N|100\nALXN|Alexion Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nAMAG|AMAG Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nAMAT|Applied Materials, Inc. - Common Stock|Q|N|N|100\nAMBA|Ambarella, Inc. - Ordinary Shares|Q|N|N|100\nAMBC|Ambac Financial Group, Inc. - Common Stock|Q|N|N|100\nAMBCW|Ambac Financial Group, Inc. - Warrants|Q|N|N|100\nAMCC|Applied Micro Circuits Corporation - Common Stock|Q|N|N|100\nAMCF|Andatee China Marine Fuel Services Corporation - Common Stock|S|N|N|100\nAMCN|AirMedia Group Inc - American Depositary Shares, each representing two ordinary shares|Q|N|N|100\nAMCX|AMC Networks Inc. - Class A Common Stock|Q|N|N|100\nAMD|Advanced Micro Devices, Inc. - Common Stock|S|N|N|100\nAMDA|Amedica Corporation - Common Stock|S|N|D|100\nAMED|Amedisys Inc - Common Stock|Q|N|N|100\nAMGN|Amgen Inc. - Common Stock|Q|N|N|100\nAMIC|American Independence Corp. - Common Stock|G|N|N|100\nAMKR|Amkor Technology, Inc. - Common Stock|Q|N|N|100\nAMNB|American National Bankshares, Inc. - Common Stock|Q|N|N|100\nAMOT|Allied Motion Technologies, Inc. - Common Stock|G|N|N|100\nAMOV|America Movil, S.A.B. de C.V. - American Depositary Shares, each representing 20 A Shares|Q|N|N|100\nAMPH|Amphastar Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nAMRB|American River Bankshares - Common Stock|Q|N|N|100\nAMRI|Albany Molecular Research, Inc. - Common Stock|Q|N|N|100\nAMRK|A-Mark Precious Metals, Inc. - Common Stock|Q|N|N|100\nAMRN|Amarin Corporation plc - American Depositary Shares, each representing one Ordinary Share|G|N|N|100\nAMRS|Amyris, Inc. - Common Stock|Q|N|N|100\nAMSC|American Superconductor Corporation - Common Stock|Q|N|D|100\nAMSF|AMERISAFE, Inc. - Common Stock|Q|N|N|100\nAMSG|Amsurg Corp. - Common Stock|Q|N|N|100\nAMSGP|Amsurg Corp. - 5.250% Mandatory Convertible Preferred Stock, Series A-1|Q|N|N|100\nAMSWA|American Software, Inc. - Class A Common Stock|Q|N|N|100\nAMTX|Aemetis, Inc - Common Stock|G|N|N|100\nAMWD|American Woodmark Corporation - Common Stock|Q|N|N|100\nAMZN|Amazon.com, Inc. - Common Stock|Q|N|N|100\nANAC|Anacor Pharmaceuticals, Inc. - Common Stock|G|N|N|100\nANAD|ANADIGICS, Inc. - Common Stock|Q|N|N|100\nANAT|American National Insurance Company - Common Stock|Q|N|N|100\nANCB|Anchor Bancorp - Common Stock|G|N|N|100\nANCI|American Caresource Holdings Inc - Common Stock|S|N|D|100\nANCX|Access National Corporation - Common Stock|G|N|N|100\nANDE|The Andersons, Inc. - Common Stock|Q|N|N|100\nANGI|Angie's List, Inc. - Common Stock|Q|N|N|100\nANGO|AngioDynamics, Inc. - Common Stock|Q|N|N|100\nANIK|Anika Therapeutics Inc. - Common Stock|Q|N|N|100\nANIP|ANI Pharmaceuticals, Inc. - Common Stock|G|N|N|100\nANSS|ANSYS, Inc. - Common Stock|Q|N|N|100\nANTH|Anthera Pharmaceuticals, Inc. - Common Stock|G|N|N|100\nANY|Sphere 3D Corp. - Common Shares|G|N|N|100\nAOSL|Alpha and Omega Semiconductor Limited - Common Shares|Q|N|N|100\nAPDN|Applied DNA Sciences Inc - Common Stock|S|N|N|100\nAPDNW|Applied DNA Sciences Inc - Warrant|S|N|N|100\nAPEI|American Public Education, Inc. - Common Stock|Q|N|N|100\nAPOG|Apogee Enterprises, Inc. - Common Stock|Q|N|N|100\nAPOL|Apollo Education Group, Inc. - Class A Common Stock|Q|N|N|100\nAPPS|Digital Turbine, Inc. - Common Stock|S|N|N|100\nAPPY|Venaxis, Inc. - Common Stock|S|N|D|100\nAPRI|Apricus Biosciences, Inc - Common Stock|S|N|N|100\nAPTO|Aptose Biosciences, Inc. - Common Shares|S|N|N|100\nAPWC|Asia Pacific Wire & Cable Corporation Limited - Common shares, Par value .01 per share|G|N|N|100\nAQXP|Aquinox Pharmaceuticals, Inc. - Common Stock|G|N|N|100\nARAY|Accuray Incorporated - Common Stock|Q|N|N|100\nARCB|ArcBest Corporation - Common Stock|Q|N|N|100\nARCC|Ares Capital Corporation - Closed End Fund|Q|N|N|100\nARCI|Appliance Recycling Centers of America, Inc. - Common Stock|S|N|N|100\nARCP|American Realty Capital Properties, Inc. - Common Stock|Q|N|N|100\nARCPP|American Realty Capital Properties, Inc. - 6.70% Series F Cumulative Redeemable Preferred Stock|Q|N|N|100\nARCW|ARC Group Worldwide, Inc. - Common Stock|S|N|N|100\nARDM|Aradigm Corporation - Common Stock|S|N|N|100\nARDX|Ardelyx, Inc. - Common Stock|G|N|N|100\nAREX|Approach Resources Inc. - Common Stock|Q|N|N|100\nARGS|Argos Therapeutics, Inc. - Common Stock|G|N|N|100\nARIA|ARIAD Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nARII|American Railcar Industries, Inc. - Common Stock|Q|N|N|100\nARIS|ARI Network Services, Inc. - Common Stock|S|N|N|100\nARKR|Ark Restaurants Corp. - Common Stock|G|N|N|100\nARLP|Alliance Resource Partners, L.P. - Common Units Representing Limited Partnership Interests|Q|N|N|100\nARMH|ARM Holdings plc - American Depositary Shares each representing 3 Ordinary Shares|Q|N|N|100\nARNA|Arena Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nAROW|Arrow Financial Corporation - Common Stock|Q|N|N|100\nARQL|ArQule, Inc. - Common Stock|G|N|N|100\nARRS|ARRIS Group, Inc. - Common Stock|Q|N|N|100\nARRY|Array BioPharma Inc. - Common Stock|G|N|N|100\nARTNA|Artesian Resources Corporation - Class A Non-Voting Common Stock|Q|N|N|100\nARTW|Art's-Way Manufacturing Co., Inc. - Common Stock|S|N|N|100\nARTX|Arotech Corporation - Common Stock|G|N|N|100\nARUN|Aruba Networks, Inc. - Common Stock|Q|N|N|100\nARWR|Arrowhead Research Corporation - Common Stock|Q|N|N|100\nASBB|ASB Bancorp, Inc. - Common Stock|G|N|N|100\nASBI|Ameriana Bancorp - Common Stock|S|N|N|100\nASCMA|Ascent Capital Group, Inc. - Series A Common Stock|Q|N|N|100\nASEI|American Science and Engineering, Inc. - Common Stock|Q|N|N|100\nASFI|Asta Funding, Inc. - Common Stock|Q|N|H|100\nASMB|Assembly Biosciences, Inc. - Common Stock|S|N|N|100\nASMI|ASM International N.V. - Common Shares|Q|N|N|100\nASML|ASML Holding N.V. - ADS represents 1 ordinary share|Q|N|N|100\nASNA|Ascena Retail Group, Inc. - Common Stock|Q|N|N|100\nASND|Ascendis Pharma A/S - American Depositary Shares|Q|N|N|100\nASPS|Altisource Portfolio Solutions S.A. - Common Stock|Q|N|N|100\nASPX|Auspex Pharmaceuticals, Inc. - Common Stock|G|N|N|100\nASRV|AmeriServ Financial Inc. - Common Stock|G|N|N|100\nASRVP|AmeriServ Financial Inc. - AmeriServ Financial Trust I - 8.45% Beneficial Unsecured Securities, Series A|G|N|N|100\nASTC|Astrotech Corporation - Common Stock|S|N|N|100\nASTE|Astec Industries, Inc. - Common Stock|Q|N|N|100\nASTI|Ascent Solar Technologies, Inc. - Common Stock|S|N|N|100\nASUR|Asure Software Inc - Common Stock|S|N|N|100\nASYS|Amtech Systems, Inc. - Common Stock|Q|N|D|100\nATAI|ATA Inc. - American Depositary Shares, each representing two common shares|G|N|N|100\nATAX|America First Multifamily Investors, L.P. - Beneficial Unit Certificates (BUCs) representing Limited Partnership Interests|Q|N|N|100\nATEC|Alphatec Holdings, Inc. - Common Stock|Q|N|N|100\nATHN|athenahealth, Inc. - Common Stock|Q|N|N|100\nATHX|Athersys, Inc. - Common Stock|S|N|N|100\nATLC|Atlanticus Holdings Corporation - Common Stock|Q|N|N|100\nATLO|Ames National Corporation - Common Stock|S|N|N|100\nATML|Atmel Corporation - Common Stock|Q|N|N|100\nATNI|Atlantic Tele-Network, Inc. - Common Stock|Q|N|N|100\nATNY|API Technologies Corp. - Common Stock|S|N|N|100\nATOS|Atossa Genetics Inc. - Common Stock|S|N|N|100\nATRA|Atara Biotherapeutics, Inc. - Common Stock|Q|N|N|100\nATRC|AtriCure, Inc. - Common Stock|G|N|N|100\nATRI|ATRION Corporation - Common Stock|Q|N|N|100\nATRM|ATRM Holdings, Inc. - Common Stock|S|N|E|100\nATRO|Astronics Corporation - Common Stock|Q|N|N|100\nATRS|Antares Pharma, Inc. - Common Stock|S|N|N|100\nATSG|Air Transport Services Group, Inc - Common Stock|Q|N|N|100\nATTU|Attunity Ltd. - Ordinary Shares|S|N|N|100\nATVI|Activision Blizzard, Inc - Common Stock|Q|N|N|100\nAUBN|Auburn National Bancorporation, Inc. - Common Stock|G|N|N|100\nAUDC|AudioCodes Ltd. - Ordinary Shares|Q|N|N|100\nAUMA|AR Capital Acquisition Corp. - Common Stock|S|N|N|100\nAUMAU|AR Capital Acquisition Corp. - Units|S|N|N|100\nAUMAW|AR Capital Acquisition Corp. - Warrants|S|N|N|100\nAUPH|Aurinia Pharmaceuticals Inc - Common Shares|G|N|N|100\nAVAV|AeroVironment, Inc. - Common Stock|Q|N|N|100\nAVEO|AVEO Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nAVGO|Avago Technologies Limited - Ordinary Shares|Q|N|N|100\nAVGR|Avinger, Inc. - Common Stock|G|N|N|100\nAVHI|A V Homes, Inc. - Common Stock|Q|N|N|100\nAVID|Avid Technology, Inc. - Common Stock|Q|N|N|100\nAVNU|Avenue Financial Holdings, Inc. - Common Stock|Q|N|N|100\nAVNW|Aviat Networks, Inc. - Common Stock|Q|N|N|100\nAWAY|HomeAway, Inc. - Common Stock|Q|N|N|100\nAWRE|Aware, Inc. - Common Stock|G|N|N|100\nAXAS|Abraxas Petroleum Corporation - Common Stock|S|N|N|100\nAXDX|Accelerate Diagnostics, Inc. - Common Stock|S|N|N|100\nAXGN|AxoGen, Inc. - Common Stock|S|N|N|100\nAXJS|iShares MSCI All Country Asia ex Japan Small Cap Index Fund|G|N|N|100\nAXPW|Axion Power International, Inc. - Common Stock|S|N|D|100\nAXPWW|Axion Power International, Inc. - Series A Warrants|S|N|N|100\nAXTI|AXT Inc - Common Stock|Q|N|N|100\nAZPN|Aspen Technology, Inc. - Common Stock|Q|N|N|100\nBABY|Natus Medical Incorporated - Common Stock|Q|N|N|100\nBAGR|Diversified Restaurant Holdings, Inc. - Common Stock|S|N|N|100\nBAMM|Books-A-Million, Inc. - Common Stock|Q|N|N|100\nBANF|BancFirst Corporation - Common Stock|Q|N|N|100\nBANFP|BancFirst Corporation - 7.2% Cumulative Trust Preferred Securities|Q|N|N|100\nBANR|Banner Corporation - Common Stock|Q|N|N|100\nBANX|StoneCastle Financial Corp - Common Stock|Q|N|N|100\nBASI|Bioanalytical Systems, Inc. - Common Stock|S|N|N|100\nBBBY|Bed Bath & Beyond Inc. - Common Stock|Q|N|N|100\nBBC|BioShares Biotechnology Clinical Trials Fund|G|N|N|100\nBBCN|BBCN Bancorp, Inc. - Common Stock|Q|N|N|100\nBBEP|BreitBurn Energy Partners, L.P. - Common Units Representing Limited Partnership|Q|N|N|100\nBBEPP|BreitBurn Energy Partners, L.P. - 8.25% Series A Cumulative Redeemable Perpetual Preferred Units|Q|N|N|100\nBBGI|Beasley Broadcast Group, Inc. - Class A Common Stock|G|N|N|100\nBBLU|Blue Earth, Inc. - Common Stock|S|N|D|100\nBBNK|Bridge Capital Holdings - Common Stock|Q|N|N|100\nBBOX|Black Box Corporation - Common Stock|Q|N|N|100\nBBP|BioShares Biotechnology Products Fund|G|N|N|100\nBBRG|Bravo Brio Restaurant Group, Inc. - Common Stock|Q|N|N|100\nBBRY|BlackBerry Limited - Common Stock|Q|N|N|100\nBBSI|Barrett Business Services, Inc. - Common Stock|Q|N|N|100\nBCBP|BCB Bancorp, Inc. (NJ) - Common Stock|G|N|N|100\nBCLI|Brainstorm Cell Therapeutics Inc. - Common Stock|S|N|N|100\nBCOM|B Communications Ltd. - Ordinary Shares|Q|N|N|100\nBCOR|Blucora, Inc. - Common Stock|Q|N|N|100\nBCOV|Brightcove Inc. - Common Stock|Q|N|N|100\nBCPC|Balchem Corporation - Common Stock|Q|N|N|100\nBCRX|BioCryst Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nBDBD|Boulder Brands, Inc. - Common Stock|Q|N|N|100\nBDCV|BDCA Venture, Inc. - Common Stock|S|N|N|100\nBDE|Black Diamond, Inc. - Common Stock|Q|N|D|100\nBDGE|Bridge Bancorp, Inc. - Common Stock|Q|N|N|100\nBDMS|Birner Dental Management Services, Inc. - Common Stock|S|N|N|100\nBDSI|BioDelivery Sciences International, Inc. - Common Stock|S|N|N|100\nBEAT|BioTelemetry, Inc. - Common Stock|Q|N|N|100\nBEAV|B/E Aerospace, Inc. - Common Stock|Q|N|N|100\nBEBE|bebe stores, inc. - Common Stock|Q|N|N|100\nBECN|Beacon Roofing Supply, Inc. - Common Stock|Q|N|N|100\nBELFA|Bel Fuse Inc. - Class A Common Stock|Q|N|N|100\nBELFB|Bel Fuse Inc. - Class B Common Stock|Q|N|N|100\nBFIN|BankFinancial Corporation - Common Stock|Q|N|N|100\nBGCP|BGC Partners, Inc. - Class A Common Stock|Q|N|N|100\nBGFV|Big 5 Sporting Goods Corporation - Common Stock|Q|N|N|100\nBGMD|BG Medicine, Inc. - Common Stock|S|N|D|100\nBHAC|Barington/Hilco Acquisition Corp. - Common Stock|S|N|N|100\nBHACR|Barington/Hilco Acquisition Corp. - Rights|S|N|N|100\nBHACU|Barington/Hilco Acquisition Corp. - Units|S|N|N|100\nBHACW|Barington/Hilco Acquisition Corp. - Warrants|S|N|N|100\nBHBK|Blue Hills Bancorp, Inc. - Common Stock|Q|N|N|100\nBIB|ProShares Ultra Nasdaq Biotechnology|G|N|N|100\nBICK|First Trust BICK Index Fund|G|N|N|100\nBIDU|Baidu, Inc. - American Depositary Shares, each representing one tenth Class A ordinary share|Q|N|N|100\nBIIB|Biogen Inc. - Common Stock|Q|N|N|100\nBIND|BIND Therapeutics, Inc. - Common Stock|Q|N|N|100\nBIOC|Biocept, Inc. - Common Stock|S|N|N|100\nBIOD|Biodel Inc. - Common Stock|S|N|N|100\nBIOL|Biolase, Inc. - Common Stock|S|N|N|100\nBIOS|BioScrip, Inc. - Common Stock|Q|N|N|100\nBIS|ProShares UltraShort Nasdaq Biotechnology|G|N|N|100\nBJRI|BJ's Restaurants, Inc. - Common Stock|Q|N|N|100\nBKCC|BlackRock Capital Investment Corporation - Common Stock|Q|N|N|100\nBKEP|Blueknight Energy Partners L.P., L.L.C. - Common Units representing Limited Partner Interests|G|N|N|100\nBKEPP|Blueknight Energy Partners L.P., L.L.C. - Series A Preferred Units|G|N|N|100\nBKMU|Bank Mutual Corporation - Common Stock|Q|N|N|100\nBKSC|Bank of South Carolina Corp. - Common Stock|S|N|N|100\nBKYF|The Bank of Kentucky Financial Corp. - Common Stock|Q|N|N|100\nBLBD|Blue Bird Corporation - Common Stock|S|N|D|100\nBLBDW|Blue Bird Corporation - Warrant|S|N|D|100\nBLCM|Bellicum Pharmaceuticals, Inc. - Common Stock|G|N|N|100\nBLDP|Ballard Power Systems, Inc. - Common Shares|G|N|N|100\nBLDR|Builders FirstSource, Inc. - Common Stock|Q|N|N|100\nBLFS|BioLife Solutions, Inc. - Common Stock|S|N|N|100\nBLIN|Bridgeline Digital, Inc. - Common Stock|S|N|D|100\nBLKB|Blackbaud, Inc. - Common Stock|Q|N|N|100\nBLMN|Bloomin' Brands, Inc. - Common Stock|Q|N|N|100\nBLMT|BSB Bancorp, Inc. - Common Stock|S|N|N|100\nBLPH|Bellerophon Therapeutics, Inc. - Common Stock|G|N|N|100\nBLRX|BioLineRx Ltd. - American Depositary Shares|S|N|N|100\nBLUE|bluebird bio, Inc. - Common Stock|Q|N|N|100\nBLVD|Boulevard Acquisition Corp. - Common Stock|S|N|N|100\nBLVDU|Boulevard Acquisition Corp. - Units|S|N|N|100\nBLVDW|Boulevard Acquisition Corp. - Warrants|S|N|N|100\nBMRC|Bank of Marin Bancorp - Common Stock|S|N|N|100\nBMRN|BioMarin Pharmaceutical Inc. - Common Stock|Q|N|N|100\nBMTC|Bryn Mawr Bank Corporation - Common Stock|Q|N|N|100\nBNCL|Beneficial Bancorp, Inc. - Common Stock|Q|N|N|100\nBNCN|BNC Bancorp - Common Stock|S|N|N|100\nBNDX|Vanguard Total International Bond ETF|G|N|N|100\nBNFT|Benefitfocus, Inc. - Common Stock|G|N|N|100\nBNSO|Bonso Electronics International, Inc. - Common Stock|S|N|N|100\nBOBE|Bob Evans Farms, Inc. - Common Stock|Q|N|N|100\nBOCH|Bank of Commerce Holdings (CA) - Common Stock|G|N|N|100\nBOFI|BofI Holding, Inc. - Common Stock|Q|N|N|100\nBOKF|BOK Financial Corporation - Common Stock|Q|N|N|100\nBONA|Bona Film Group Limited - American Depositary Shares|Q|N|N|100\nBONT|The Bon-Ton Stores, Inc. - Common Stock|Q|N|N|100\nBOOM|Dynamic Materials Corporation - Common Stock|Q|N|N|100\nBOSC|B.O.S. Better Online Solutions - Ordinary Shares|S|N|N|100\nBOTA|Biota Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nBOTJ|Bank of the James Financial Group, Inc. - Common Stock|S|N|N|100\nBPFH|Boston Private Financial Holdings, Inc. - Common Stock|Q|N|N|100\nBPFHP|Boston Private Financial Holdings, Inc. - Depositary Shares representing 1/40th Interest in a Share of 6.95% Non-Cumulative Perpetual Preferred Stock, Series D|Q|N|N|100\nBPFHW|Boston Private Financial Holdings, Inc. - Warrants to purchase 1 share of common stock @ $8.00/share|Q|N|N|100\nBPOP|Popular, Inc. - Common Stock|Q|N|N|100\nBPOPM|Popular, Inc. - Popular Capital Trust II - 6.125% Cumulative Monthly Income Trust Preferred Securities|Q|N|N|100\nBPOPN|Popular, Inc. - Popular Capital Trust I -6.70% Cumulative Monthly Income Trust Preferred Securities|Q|N|N|100\nBPTH|Bio-Path Holdings, Inc. - Common Stock|S|N|N|100\nBRCD|Brocade Communications Systems, Inc. - Common Stock|Q|N|N|100\nBRCM|Broadcom Corporation - Class A Common Stock|Q|N|N|100\nBRDR|Borderfree, Inc. - Common Stock|Q|N|N|100\nBREW|Craft Brew Alliance, Inc. - Common Stock|Q|N|N|100\nBRID|Bridgford Foods Corporation - Common Stock|G|N|N|100\nBRKL|Brookline Bancorp, Inc. - Common Stock|Q|N|N|100\nBRKR|Bruker Corporation - Common Stock|Q|N|N|100\nBRKS|Brooks Automation, Inc. - Common Stock|Q|N|N|100\nBRLI|Bio-Reference Laboratories, Inc. - Common Stock|Q|N|N|100\nBSET|Bassett Furniture Industries, Incorporated - Common Stock|Q|N|N|100\nBSF|Bear State Financial, Inc. - Common Stock|G|N|N|100\nBSFT|BroadSoft, Inc. - Common Stock|Q|N|N|100\nBSPM|Biostar Pharmaceuticals, Inc. - Common Stock|S|N|N|100\nBSQR|BSQUARE Corporation - Common Stock|G|N|N|100\nBSRR|Sierra Bancorp - Common Stock|Q|N|N|100\nBSTC|BioSpecifics Technologies Corp - Common Stock|G|N|D|100\nBUR|Burcon NutraScience Corp - Ordinary Shares|G|N|N|100\nBUSE|First Busey Corporation - Common Stock|Q|N|N|100\nBV|Bazaarvoice, Inc. - Common Stock|Q|N|N|100\nBVA|Cordia Bancorp Inc. - Common Stock|S|N|N|100\nBVSN|BroadVision, Inc. - Common Stock|G|N|N|100\nBWEN|Broadwind Energy, Inc. - Common Stock|S|N|N|100\nBWFG|Bankwell Financial Group, Inc. - Common Stock|G|N|N|100\nBWINA|Baldwin & Lyons, Inc. - Class A (voting) Common Stock|G|N|N|100\nBWINB|Baldwin & Lyons, Inc. - Class B (nonvoting) Common Stock|G|N|N|100\nBWLD|Buffalo Wild Wings, Inc. - Common Stock|Q|N|N|100\nBYBK|Bay Bancorp, Inc. - Common Stock|S|N|N|100\nBYFC|Broadway Financial Corporation - Common Stock|S|N|N|100\nBYLK|Baylake Corp - Common Stock|S|N|N|100\nCA|CA Inc. - Common Stock|Q|N|N|100\nCAAS|China Automotive Systems, Inc. - Common Stock|S|N|N|100\nCAC|Camden National Corporation - Common Stock|Q|N|N|100\nCACB|Cascade Bancorp - Common Stock|S|N|N|100\nCACC|Credit Acceptance Corporation - Common Stock|Q|N|N|100\nCACQ|Caesars Acquisition Company - Class A Common Stock|Q|N|N|100\nCADC|China Advanced Construction Materials Group, Inc. - Common Stock|S|N|N|100\nCADT|DT Asia Investments Limited - Ordinary Shares|S|N|N|100\nCADTR|DT Asia Investments Limited - Right|S|N|N|100\nCADTU|DT Asia Investments Limited - Unit|S|N|N|100\nCADTW|DT Asia Investments Limited - Warrant|S|N|N|100\nCAKE|The Cheesecake Factory Incorporated - Common Stock|Q|N|N|100\nCALA|Calithera Biosciences, Inc. - Common Stock|Q|N|N|100\nCALD|Callidus Software, Inc. - Common Stock|G|N|N|100\nCALI|China Auto Logistics Inc. - Common Stock|G|N|D|100\nCALL|magicJack VocalTec Ltd - Ordinary Shares|G|N|N|100\nCALM|Cal-Maine Foods, Inc. - Common Stock|Q|N|N|100\nCAMB|Cambridge Capital Acquisition Corporation - Common Stock|S|N|D|100\nCAMBU|Cambridge Capital Acquisition Corporation - Unit|S|N|D|100\nCAMBW|Cambridge Capital Acquisition Corporation - Warrant|S|N|D|100\nCAMP|CalAmp Corp. - Common Stock|Q|N|N|100\nCAMT|Camtek Ltd. - Ordinary Shares|G|N|N|100\nCAPN|Capnia, Inc. - Common Stock|S|N|N|100\nCAPNW|Capnia, Inc. - Series A Warrant|S|N|N|100\nCAPR|Capricor Therapeutics, Inc. - Common Stock|S|N|N|100\nCAR|Avis Budget Group, Inc. - Common Stock|Q|N|N|100\nCARA|Cara Therapeutics, Inc. - Common Stock|G|N|N|100\nCARB|Carbonite, Inc. - Common Stock|G|N|N|100\nCARO|Carolina Financial Corporation - Common Stock|S|N|N|100\nCART|Carolina Trust Bank - Common Stock|S|N|N|100\nCARV|Carver Bancorp, Inc. - Common Stock|S|N|N|100\nCARZ|First Trust NASDAQ Global Auto Index Fund|G|N|N|100\nCASH|Meta Financial Group, Inc. - Common Stock|Q|N|N|100\nCASI|CASI Pharmaceuticals, Inc. - Common Stock|S|N|N|100\nCASM|CAS Medical Systems, Inc. - Common Stock|S|N|N|100\nCASS|Cass Information Systems, Inc - Common Stock|Q|N|N|100\nCASY|Caseys General Stores, Inc. - Common Stock|Q|N|N|100\nCATM|Cardtronics, Inc. - Common Stock|Q|N|N|100\nCATY|Cathay General Bancorp - Common Stock|Q|N|N|100\nCATYW|Cathay General Bancorp - Warrant|Q|N|N|100\nCAVM|Cavium, Inc. - Common Stock|Q|N|N|100\nCBAK|China BAK Battery, Inc. - Common Stock|G|N|N|100\nCBAN|Colony Bankcorp, Inc. - Common Stock|G|N|N|100\nCBAY|CymaBay Therapeutics Inc. - Common Stock|S|N|N|100\nCBDE|CBD Energy Limited - Ordinary Shares|S|N|K|100\nCBF|Capital Bank Financial Corp. - Class A Common Stock|Q|N|N|100\nCBFV|CB Financial Services, Inc. - Common Stock|G|N|N|100\nCBIN|Community Bank Shares of Indiana, Inc. - Common Stock|S|N|N|100\nCBLI|Cleveland BioLabs, Inc. - Common Stock|S|N|D|100\nCBMG|Cellular Biomedicine Group, Inc. - Common Stock|S|N|N|100\nCBMX|CombiMatrix Corporation - Common Stock|S|N|N|100\nCBNJ|Cape Bancorp, Inc. - Common Stock|Q|N|N|100\nCBNK|Chicopee Bancorp, Inc. - Common Stock|G|N|N|100\nCBOE|CBOE Holdings, Inc. - Common Stock|Q|N|N|100\nCBPO|China Biologic Products, Inc. - Common Stock|Q|N|N|100\nCBRL|Cracker Barrel Old Country Store, Inc. - Common Stock|Q|N|N|100\nCBRX|Columbia Laboratories, Inc. - Common Stock|S|N|N|100\nCBSH|Commerce Bancshares, Inc. - Common Stock|Q|N|N|100\nCBSHP|Commerce Bancshares, Inc. - Depositary Shares, each representing a 1/1000th interest of 6.00% Series B Non-Cumulative Perpetual Preferred Stock|Q|N|N|100\nCCBG|Capital City Bank Group - Common Stock|Q|N|N|100\nCCCL|China Ceramics Co., Ltd. - Common Stock|G|N|N|100\nCCCR|China Commercial Credit, Inc. - Common Stock|S|N|N|100\nCCD|Calamos Dynamic Convertible & Income Fund - Common Shares|Q|N|N|100\nCCIH|ChinaCache International Holdings Ltd. - American Depositary Shares|Q|N|N|100\nCCLP|CSI Compressco LP - common units|Q|N|N|100\nCCMP|Cabot Microelectronics Corporation - Common Stock|Q|N|N|100\nCCNE|CNB Financial Corporation - Common Stock|Q|N|N|100\nCCOI|Cogent Communications Holdings, Inc. - Common Stock|Q|N|N|100\nCCRN|Cross Country Healthcare, Inc. - Common Stock|Q|N|N|100\nCCUR|Concurrent Computer Corporation - Common Stock|G|N|N|100\nCCXI|ChemoCentryx, Inc. - Common Stock|Q|N|N|100\nCDC|Compass EMP U S EQ Income 100 Enhanced Volatility Weighted Fund|G|N|N|100\nCDK|CDK Global, Inc. - Common Stock|Q|N|N|100\nCDNA|CareDx, Inc. - Common Stock|G|N|N|100\nCDNS|Cadence Design Systems, Inc. - Common Stock|Q|N|N|100\nCDTI|Clean Diesel Technologies, Inc. - Common Stock|S|N|N|100\nCDW|CDW Corporation - Common Stock|Q|N|N|100\nCDXS|Codexis, Inc. - Common Stock|Q|N|N|100\nCDZI|Cadiz, Inc. - Common Stock|G|N|N|100\nCECE|CECO Environmental Corp. - Common Stock|Q|N|N|100\nCECO|Career Education Corporation - Common Stock|Q|N|N|100\nCELG|Celgene Corporation - Common Stock|Q|N|N|100\nCELGZ|Celgene Corporation - Contingent Value Right|G|N|N|100\nCEMI|Chembio Diagnostics, Inc. - Common Stock|S|N|N|100\nCEMP|Cempra, Inc. - Common Stock|Q|N|N|100\nCENT|Central Garden & Pet Company - Common Stock|Q|N|N|100\nCENTA|Central Garden & Pet Company - Class A Common Stock Nonvoting|Q|N|N|100\nCENX|Century Aluminum Company - Common Stock|Q|N|N|100\nCERE|Ceres, Inc. - Common Stock|S|N|D|100\nCERN|Cerner Corporation - Common Stock|Q|N|N|100\nCERS|Cerus Corporation - Common Stock|G|N|N|100\nCERU|Cerulean Pharma Inc. - Common Stock|G|N|N|100\nCETV|Central European Media Enterprises Ltd. - Class A Common Stock|Q|N|N|100\nCEVA|CEVA, Inc. - Common Stock|Q|N|N|100\nCFA|Compass EMP US 500 Volatility Weighted Index ETF|G|N|N|100\nCFBK|Central Federal Corporation - Common Stock|S|N|N|100\nCFFI|C&F Financial Corporation - Common Stock|Q|N|N|100\nCFFN|Capitol Federal Financial, Inc. - Common Stock|Q|N|N|100\nCFGE|Calamos Focus Growth ETF|G|N|N|100\nCFNB|California First National Bancorp - Common Stock|G|N|N|100\nCFNL|Cardinal Financial Corporation - Common Stock|Q|N|N|100\nCFO|Compass EMP US 500 Enhanced Volatility Weighted Index ETF|G|N|N|100\nCFRX|ContraFect Corporation - Common Stock|S|N|N|100\nCFRXW|ContraFect Corporation - Warrant|S|N|N|100\nCFRXZ|ContraFect Corporation - Warrant|S|N|N|100\nCG|The Carlyle Group L.P. - Common Units|Q|N|N|100\nCGEN|Compugen Ltd. - Ordinary Shares|G|N|N|100\nCGIX|Cancer Genetics, Inc. - Common Stock|S|N|N|100\nCGNT|Cogentix Medical, Inc. - Common Stock|S|N|D|100\nCGNX|Cognex Corporation - Common Stock|Q|N|N|100\nCGO|Calamos Global Total Return Fund - Common Stock|Q|N|N|100\nCHCI|Comstock Holding Companies, Inc. - Class A Common Stock|S|N|N|100\nCHCO|City Holding Company - Common Stock|Q|N|N|100\nCHDN|Churchill Downs, Incorporated - Common Stock|Q|N|N|100\nCHEF|The Chefs' Warehouse, Inc. - Common Stock|Q|N|N|100\nCHEK|Check-Cap Ltd. - Ordinary Share|S|N|N|100\nCHEKW|Check-Cap Ltd. - Series A Warrant|S|N|N|100\nCHEV|Cheviot Financial Corp - Common Stock|S|N|N|100\nCHFC|Chemical Financial Corporation - Common Stock|Q|N|N|100\nCHFN|Charter Financial Corp. - Common Stock|S|N|N|100\nCHI|Calamos Convertible Opportunities and Income Fund - Common Stock|Q|N|N|100\nCHKE|Cherokee Inc. - Common Stock|Q|N|N|100\nCHKP|Check Point Software Technologies Ltd. - Ordinary Shares|Q|N|N|100\nCHLN|China Housing & Land Development, Inc. - Common Stock|S|N|D|100\nCHMG|Chemung Financial Corp - Common Stock|Q|N|N|100\nCHNR|China Natural Resources, Inc. - Common Stock|S|N|N|100\nCHOP|China Gerui Advanced Materials Group Limited - Ordinary Shares|Q|N|D|100\nCHRS|Coherus BioSciences, Inc. - Common Stock|G|N|N|100\nCHRW|C.H. Robinson Worldwide, Inc. - Common Stock|Q|N|N|100\nCHSCL|CHS Inc - Class B Cumulative Redeemable Preferred Stock, Series 4|Q|N|N|100\nCHSCM|CHS Inc - Class B Reset Rate Cumulative Redeemable Preferred Stock, Series 3|Q|N|N|100\nCHSCN|CHS Inc - Preferred Class B Series 2 Reset Rate|Q|N|N|100\nCHSCO|CHS Inc - Class B Cumulative Redeemable Preferred Stock|Q|N|N|100\nCHSCP|CHS Inc - 8% Cumulative Redeemable Preferred Stock|Q|N|N|100\nCHTR|Charter Communications, Inc. - Class A Common Stock|Q|N|N|100\nCHUY|Chuy's Holdings, Inc. - Common Stock|Q|N|N|100\nCHW|Calamos Global Dynamic Income Fund - Common Stock|Q|N|N|100\nCHXF|WisdomTree China Dividend Ex-Financials Fund|G|N|N|100\nCHY|Calamos Convertible and High Income Fund - Common Stock|Q|N|N|100\nCIDM|Cinedigm Corp - Class A Common Stock|G|N|N|100\nCIFC|CIFC Corp. - Common Stock|S|N|N|100\nCINF|Cincinnati Financial Corporation - Common Stock|Q|N|N|100\nCISAW|CIS Acquisition Ltd. - Warrant|S|N|D|100\nCISG|CNinsure Inc. - American depositary shares, each representing 20 ordinary shares|Q|N|N|100\nCIZ|Compass EMP Developed 500 Enhanced Volatility Weighted Index ETF|G|N|N|100\nCIZN|Citizens Holding Company - Common Stock|G|N|N|100\nCJJD|China Jo-Jo Drugstores, Inc. - Common Stock|S|N|N|100\nCKEC|Carmike Cinemas, Inc. - Common Stock|Q|N|N|100\nCKSW|ClickSoftware Technologies Ltd. - Ordinary Shares|Q|N|N|100\nCLAC|Capitol Acquisition Corp. II - Common Stock|S|N|D|100\nCLACU|Capitol Acquisition Corp. II - Unit|S|N|D|100\nCLACW|Capitol Acquisition Corp. II - Warrant|S|N|D|100\nCLBH|Carolina Bank Holdings Inc. - Common Stock|G|N|N|100\nCLCT|Collectors Universe, Inc. - Common Stock|G|N|N|100\nCLDN|Celladon Corporation - Common Stock|G|N|N|100\nCLDX|Celldex Therapeutics, Inc. - Common Stock|Q|N|N|100\nCLFD|Clearfield, Inc. - Common Stock|G|N|N|100\nCLIR|ClearSign Combustion Corporation - Common Stock|S|N|N|100\nCLLS|Cellectis S.A. - American Depositary Shares|G|N|N|100\nCLMS|Calamos Asset Management, Inc. - Class A Common Stock|Q|N|N|100\nCLMT|Calumet Specialty Products Partners, L.P. - Common units representing limited partner interests|Q|N|N|100\nCLNE|Clean Energy Fuels Corp. - Common Stock|Q|N|N|100\nCLNT|Cleantech Solutions International, Inc. - Common Stock|S|N|N|100\nCLRB|Cellectar Biosciences, Inc. - Common Stock|S|N|N|100\nCLRBW|Cellectar Biosciences, Inc. - Warrants|S|N|N|100\nCLRO|ClearOne, Inc. - Common Stock|S|N|N|100\nCLRX|CollabRx, Inc. - Common Stock|S|N|N|100\nCLSN|Celsion Corporation - Common Stock|S|N|N|100\nCLTX|Celsus Therapeutics Plc - American Depositary Shares|S|N|N|100\nCLUB|Town Sports International Holdings, Inc. - Common Stock|G|N|N|100\nCLVS|Clovis Oncology, Inc. - Common Stock|Q|N|N|100\nCLWT|Euro Tech Holdings Company Limited - Ordinary Shares|S|N|N|100\nCMCO|Columbus McKinnon Corporation - Common Stock|Q|N|N|100\nCMCSA|Comcast Corporation - Class A Common Stock|Q|N|N|100\nCMCSK|Comcast Corporation - Class A Special Common Stock|Q|N|N|100\nCMCT|CIM Commercial Trust Corporation - Common Stock|G|N|N|100\nCME|CME Group Inc. - Class A Common Stock|Q|N|N|100\nCMFN|CM Finance Inc - Common Stock|Q|N|N|100\nCMGE|China Mobile Games and Entertainment Group Limited - American Depositary Shares|G|N|N|100\nCMLS|Cumulus Media Inc. - Common Stock|Q|N|N|100\nCMPR|Cimpress N.V - Ordinary Shares (The Netherlands)|Q|N|N|100\nCMRX|Chimerix, Inc. - Common Stock|G|N|N|100\nCMSB|CMS Bancorp, Inc. - common stock|S|N|N|100\nCMTL|Comtech Telecommunications Corp. - Common Stock|Q|N|N|100\nCNAT|Conatus Pharmaceuticals Inc. - Common Stock|G|N|N|100\nCNBKA|Century Bancorp, Inc. - Class A Common Stock|Q|N|N|100\nCNCE|Concert Pharmaceuticals, Inc. - Common Stock|G|N|N|100\nCNDO|Coronado Biosciences, Inc. - Common Stock|S|N|N|100\nCNET|ChinaNet Online Holdings, Inc. - Common Stock|S|N|N|100\nCNIT|China Information Technology, Inc. - Ordinary Shares|Q|N|N|100\nCNLM|CB Pharma Acquisition Corp. - Ordinary Shares|S|N|N|100\nCNLMR|CB Pharma Acquisition Corp. - Rights|S|N|N|100\nCNLMU|CB Pharma Acquisition Corp. - Units|S|N|N|100\nCNLMW|CB Pharma Acquisition Corp. - Warrants|S|N|N|100\nCNMD|CONMED Corporation - Common Stock|Q|N|N|100\nCNOB|ConnectOne Bancorp, Inc. - Common Stock|Q|N|N|100\nCNSI|Comverse Inc. - Common Stock|G|N|N|100\nCNSL|Consolidated Communications Holdings, Inc. - Common Stock|Q|N|N|100\nCNTF|China TechFaith Wireless Communication Technology Limited - American Depositary Shares, each representing 15 ordinary shares|Q|N|N|100\nCNTY|Century Casinos, Inc. - Common Stock|S|N|N|100\nCNV|Cnova N.V. - Ordinary Shares|Q|N|N|100\nCNXR|Connecture, Inc. - Common Stock|G|N|N|100\nCNYD|China Yida Holding, Co. - Common Stock|S|N|N|100\nCOB|CommunityOne Bancorp - Common Stock|S|N|N|100\nCOBZ|CoBiz Financial Inc. - Common Stock|Q|N|N|100\nCOHR|Coherent, Inc. - Common Stock|Q|N|N|100\nCOHU|Cohu, Inc. - Common Stock|Q|N|N|100\nCOKE|Coca-Cola Bottling Co. Consolidated - Common Stock|Q|N|N|100\nCOLB|Columbia Banking System, Inc. - Common Stock|Q|N|N|100\nCOLM|Columbia Sportswear Company - Common Stock|Q|N|N|100\nCOMM|CommScope Holding Company, Inc. - Common Stock|Q|N|N|100\nCOMT|iShares Commodities Select Strategy ETF|G|N|N|100\nCONE|CyrusOne Inc - Common Stock|Q|N|N|100\nCONN|Conn's, Inc. - Common Stock|Q|N|N|100\nCOOL|Majesco Entertainment Company - Common Stock|S|N|N|100\nCORE|Core-Mark Holding Company, Inc. - Common Stock|Q|N|N|100\nCORI|Corium International, Inc. - Common Stock|G|N|N|100\nCORT|Corcept Therapeutics Incorporated - Common Stock|S|N|N|100\nCOSI|Cosi, Inc. - Common Stock|S|N|N|100\nCOST|Costco Wholesale Corporation - Common Stock|Q|N|N|100\nCOVS|Covisint Corporation - Common Stock|Q|N|N|100\nCOWN|Cowen Group, Inc. - Class A Common Stock|Q|N|N|100\nCOWNL|Cowen Group, Inc. - 8.25% Senior Notes due 2021|Q|N|N|100\nCPAH|CounterPath Corporation - Common Stock|S|N|D|100\nCPGI|China Shengda Packaging Group, Inc. - Common Stock|S|N|D|100\nCPHC|Canterbury Park Holding Corporation - Common Stock|G|N|N|100\nCPHD|CEPHEID - Common Stock|Q|N|N|100\nCPHR|Cipher Pharmaceuticals Inc. - Common Shares|G|N|N|100\nCPIX|Cumberland Pharmaceuticals Inc. - Common Stock|Q|N|N|100\nCPLA|Capella Education Company - Common Stock|Q|N|N|100\nCPLP|Capital Product Partners L.P. - common units representing limited partner interests|Q|N|N|100\nCPRT|Copart, Inc. - Common Stock|Q|N|N|100\nCPRX|Catalyst Pharmaceutical Partners, Inc. - Common Stock|S|N|N|100\nCPSH|CPS Technologies Corp. - Common Stock|S|N|N|100\nCPSI|Computer Programs and Systems, Inc. - Common Stock|Q|N|N|100\nCPSS|Consumer Portfolio Services, Inc. - Common Stock|G|N|N|100\nCPST|Capstone Turbine Corporation - Common Stock|G|N|D|100\nCPTA|Capitala Finance Corp. - Common Stock|Q|N|N|100\nCPXX|Celator Pharmaceuticals Inc. - Common Stock|S|N|N|100\nCRAI|CRA International,Inc. - Common Stock|Q|N|N|100\nCRAY|Cray Inc - Common Stock|Q|N|N|100\nCRDC|Cardica, Inc. - Common Stock|G|N|D|100\nCRDS|Crossroads Systems, Inc. - Common Stock|S|N|N|100\nCRDT|WisdomTree Strategic Corporate Bond Fund|G|N|N|100\nCREE|Cree, Inc. - Common Stock|Q|N|N|100\nCREG|China Recycling Energy Corporation - Common Stock|G|N|N|100\nCRESW|Cresud S.A.C.I.F. y A. - Warrants 5/22/2015|Q|N|N|100\nCRESY|Cresud S.A.C.I.F. y A. - American Depositary Shares, each representing ten shares of Common Stock|Q|N|N|100\nCRIS|Curis, Inc. - Common Stock|G|N|N|100\nCRME|Cardiome Pharma Corporation - Ordinary Shares (Canada)|S|N|N|100\nCRMT|America's Car-Mart, Inc. - Common Stock|Q|N|N|100\nCRNT|Ceragon Networks Ltd. - Ordinary Shares|Q|N|N|100\nCROX|Crocs, Inc. - Common Stock|Q|N|N|100\nCRRC|Courier Corporation - Common Stock|Q|N|N|100\nCRTN|Cartesian, Inc. - Common Stock|G|N|N|100\nCRTO|Criteo S.A. - American Depositary Shares|Q|N|N|100\nCRUS|Cirrus Logic, Inc. - Common Stock|Q|N|N|100\nCRVL|CorVel Corp. - Common Stock|Q|N|N|100\nCRWN|Crown Media Holdings, Inc. - Class A Common Stock|Q|N|N|100\nCRWS|Crown Crafts, Inc. - Common Stock|S|N|N|100\nCRZO|Carrizo Oil & Gas, Inc. - Common Stock|Q|N|N|100\nCSBK|Clifton Bancorp Inc. - Common Stock|Q|N|N|100\nCSCD|Cascade Microtech, Inc. - Common Stock|G|N|N|100\nCSCO|Cisco Systems, Inc. - Common Stock|Q|N|N|100\nCSF|Compass EMP U.S. Discovery 500 Enhanced Volatility Weighted Fund|G|N|N|100\nCSFL|CenterState Banks, Inc. - Common Stock|Q|N|N|100\nCSGP|CoStar Group, Inc. - Common Stock|Q|N|N|100\nCSGS|CSG Systems International, Inc. - Common Stock|Q|N|N|100\nCSII|Cardiovascular Systems, Inc. - Common Stock|Q|N|N|100\nCSIQ|Canadian Solar Inc. - common shares|Q|N|N|100\nCSOD|Cornerstone OnDemand, Inc. - Common Stock|Q|N|N|100\nCSPI|CSP Inc. - Common Stock|G|N|N|100\nCSQ|Calamos Strategic Total Return Fund - Common Stock|Q|N|N|100\nCSRE|CSR plc - American Depositary Shares|Q|N|N|100\nCSTE|CaesarStone Sdot-Yam Ltd. - Ordinary Shares|Q|N|N|100\nCSUN|China Sunergy Co., Ltd. - American Depositary Shares, each representing 18 ordinary shares|Q|N|N|100\nCSWC|Capital Southwest Corporation - Common Stock|Q|N|N|100\nCTAS|Cintas Corporation - Common Stock|Q|N|N|100\nCTBI|Community Trust Bancorp, Inc. - Common Stock|Q|N|N|100\nCTCM|CTC Media, Inc. - Common Stock|Q|N|N|100\nCTCT|Constant Contact, Inc. - Common Stock|Q|N|N|100\nCTG|Computer Task Group, Incorporated - Common Stock|Q|N|N|100\nCTHR|Charles & Colvard Ltd - Common Stock|Q|N|N|100\nCTIB|CTI Industries Corporation - Common Stock|S|N|N|100\nCTIC|CTI BioPharma Corp. - Common Stock|S|N|N|100\nCTRE|CareTrust REIT, Inc. - Common Stock|Q|N|N|100\nCTRL|Control4 Corporation - Common Stock|Q|N|N|100\nCTRN|Citi Trends, Inc. - Common Stock|Q|N|N|100\nCTRP|Ctrip.com International, Ltd. - American Depositary Shares|Q|N|N|100\nCTRV|ContraVir Pharmaceuticals Inc - Common Stock|S|N|N|100\nCTRX|Catamaran Corporation - Common Stock|Q|N|N|100\nCTSH|Cognizant Technology Solutions Corporation - Class A Common Stock|Q|N|N|100\nCTSO|Cytosorbents Corporation - Common Stock|S|N|N|100\nCTWS|Connecticut Water Service, Inc. - Common Stock|Q|N|N|100\nCTXS|Citrix Systems, Inc. - Common Stock|Q|N|N|100\nCU|First Trust ISE Global Copper Index Fund|G|N|N|100\nCUBA|The Herzfeld Caribbean Basin Fund, Inc. - Closed End FUnd|S|N|N|100\nCUI|CUI Global, Inc. - Common Stock|S|N|N|100\nCUNB|CU Bancorp (CA) - Common Stock|S|N|N|100\nCUTR|Cutera, Inc. - Common Stock|Q|N|N|100\nCVBF|CVB Financial Corporation - Common Stock|Q|N|N|100\nCVCO|Cavco Industries, Inc. - Common Stock|Q|N|N|100\nCVCY|Central Valley Community Bancorp - Common Stock|S|N|N|100\nCVGI|Commercial Vehicle Group, Inc. - Common Stock|Q|N|N|100\nCVGW|Calavo Growers, Inc. - Common Stock|Q|N|N|100\nCVLT|CommVault Systems, Inc. - Common Stock|Q|N|N|100\nCVLY|Codorus Valley Bancorp, Inc - Common Stock|G|N|N|100\nCVTI|Covenant Transportation Group, Inc. - Class A Common Stock|Q|N|N|100\nCVV|CVD Equipment Corporation - Common Stock|S|N|N|100\nCWAY|Coastway Bancorp, Inc. - Common Stock|S|N|N|100\nCWBC|Community West Bancshares - Common Stock|G|N|N|100\nCWCO|Consolidated Water Co. Ltd. - Ordinary Shares|Q|N|N|100\nCWST|Casella Waste Systems, Inc. - Class A Common Stock|Q|N|N|100\nCXDC|China XD Plastics Company Limited - Common Stock|G|N|N|100\nCY|Cypress Semiconductor Corporation - Common Stock|Q|N|N|100\nCYAN|Cyanotech Corporation - Common Stock|S|N|N|100\nCYBE|CyberOptics Corporation - Common Stock|G|N|N|100\nCYBR|CyberArk Software Ltd. - Ordinary Shares|Q|N|N|100\nCYBX|Cyberonics, Inc. - Common Stock|Q|N|N|100\nCYCC|Cyclacel Pharmaceuticals, Inc. - Common Stock|G|N|D|100\nCYCCP|Cyclacel Pharmaceuticals, Inc. - 6% Convertible Preferred Stock|S|N|N|100\nCYHHZ|Community Health Systems, Inc. - Series A Contingent Value Rights|G|N|N|100\nCYNO|Cynosure, Inc. - Class A Common Stock|Q|N|N|100\nCYOU|Changyou.com Limited - American Depositary Shares, each representing two Class A ordinary shares|Q|N|N|100\nCYRN|CYREN Ltd. - Ordinary Shares|S|N|N|100\nCYTK|Cytokinetics, Incorporated - Common Stock|S|N|N|100\nCYTR|CytRx Corporation - Common Stock|S|N|N|100\nCYTX|Cytori Therapeutics Inc - Common Stock|G|N|N|100\nCZFC|Citizens First Corporation - Common Stock|G|N|N|100\nCZNC|Citizens & Northern Corp - Common Stock|S|N|N|100\nCZR|Caesars Entertainment Corporation - Common Stock|Q|N|N|100\nCZWI|Citizens Community Bancorp, Inc. - Common Stock|G|N|N|100\nDAEG|Daegis Inc - Common Stock|S|N|D|100\nDAIO|Data I/O Corporation - Common Stock|S|N|N|100\nDAKT|Daktronics, Inc. - Common Stock|Q|N|N|100\nDARA|DARA Biosciences, Inc. - Common Stock|S|N|D|100\nDATE|Jiayuan.com International Ltd. - American Depositary Shares|Q|N|N|100\nDAVE|Famous Dave's of America, Inc. - Common Stock|Q|N|D|100\nDAX|Recon Capital DAX Germany ETF|G|N|N|100\nDBVT|DBV Technologies S.A. - American Depositary Shares|Q|N|N|100\nDCIX|Diana Containerships Inc. - Common Shares|Q|N|N|100\nDCOM|Dime Community Bancshares, Inc. - Common Stock|Q|N|N|100\nDCTH|Delcath Systems, Inc. - Common Stock|S|N|N|100\nDENN|Denny's Corporation - Common Stock|S|N|N|100\nDEPO|Depomed, Inc. - Common Stock|Q|N|N|100\nDERM|Dermira, Inc. - Common Stock|Q|N|N|100\nDEST|Destination Maternity Corporation - Common Stock|Q|N|N|100\nDFRG|Del Frisco's Restaurant Group, Inc. - Common Stock|Q|N|N|100\nDFVL|Barclays PLC - iPath US Treasury 5 Year Bull ETN|G|N|N|100\nDFVS|Barclays PLC - iPath US Treasury 5-year Bear ETN|G|N|N|100\nDGAS|Delta Natural Gas Company, Inc. - Common Stock|Q|N|N|100\nDGICA|Donegal Group, Inc. - Class A Common Stock|Q|N|N|100\nDGICB|Donegal Group, Inc. - Class B Common Stock|Q|N|N|100\nDGII|Digi International Inc. - Common Stock|Q|N|N|100\nDGLD|Credit Suisse AG - VelocityShares 3x Inverse Gold ETN|G|N|N|100\nDGLY|Digital Ally, Inc. - Common Stock|S|N|N|100\nDGRE|WisdomTree Emerging Markets Dividend Growth Fund|G|N|N|100\nDGRS|WisdomTree U.S. SmallCap Dividend Growth Fund|G|N|N|100\nDGRW|WisdomTree U.S. Dividend Growth Fund|G|N|N|100\nDHIL|Diamond Hill Investment Group, Inc. - Class A Common Stock|Q|N|N|100\nDHRM|Dehaier Medical Systems Limited - Common Stock|S|N|N|100\nDIOD|Diodes Incorporated - Common Stock|Q|N|N|100\nDISCA|Discovery Communications, Inc. - Series A Common Stock|Q|N|N|100\nDISCB|Discovery Communications, Inc. - Series B Common Stock|Q|N|N|100\nDISCK|Discovery Communications, Inc. - Series C Common Stock|Q|N|N|100\nDISH|DISH Network Corporation - Class A Common Stock|Q|N|N|100\nDJCO|Daily Journal Corp. (S.C.) - Common Stock|S|N|N|100\nDLBL|Barclays PLC - iPath US Treasury Long Bond Bull ETN|G|N|N|100\nDLBS|Barclays PLC - iPath US Treasury Long Bond Bear ETN|G|N|N|100\nDLHC|DLH Holdings Corp. - Common Stock|S|N|N|100\nDLTR|Dollar Tree, Inc. - Common Stock|Q|N|N|100\nDMLP|Dorchester Minerals, L.P. - Common Units Representing Limited Partnership Interests|Q|N|N|100\nDMND|Diamond Foods, Inc. - Common Stock|Q|N|N|100\nDMRC|Digimarc Corporation - Common Stock|Q|N|N|100\nDNBF|DNB Financial Corp - Common Stock|S|N|N|100\nDNKN|Dunkin' Brands Group, Inc. - Common Stock|Q|N|N|100\nDORM|Dorman Products, Inc. - Common Stock|Q|N|N|100\nDOVR|Dover Saddlery, Inc. - Common Stock|S|N|N|100\nDOX|Amdocs Limited - Ordinary Shares|Q|N|N|100\nDPRX|Dipexium Pharmaceuticals, Inc. - Common Stock|S|N|N|100\nDRAD|Digirad Corporation - Common Stock|G|N|N|100\nDRAM|Dataram Corporation - Common Stock|S|N|D|100\nDRNA|Dicerna Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nDRRX|DURECT Corporation - Common Stock|G|N|N|100\nDRWI|DragonWave Inc - Common Shares|Q|N|D|100\nDRWIW|DragonWave Inc - Warrants|Q|N|N|100\nDRYS|DryShips Inc. - Common Stock|Q|N|N|100\nDSCI|Derma Sciences, Inc. - Common Stock|S|N|N|100\nDSCO|Discovery Laboratories, Inc. - Common Stock|S|N|N|100\nDSGX|The Descartes Systems Group Inc. - Common Stock|Q|N|N|100\nDSKX|DS Healthcare Group, Inc. - Common Stock|S|N|D|100\nDSKY|iDreamSky Technology Limited - American Depositary Shares|Q|N|N|100\nDSLV|Credit Suisse AG - VelocityShares 3x Inverse Silver ETN|G|N|N|100\nDSPG|DSP Group, Inc. - Common Stock|Q|N|N|100\nDSWL|Deswell Industries, Inc. - Common Shares|G|N|N|100\nDTLK|Datalink Corporation - Common Stock|Q|N|N|100\nDTSI|DTS, Inc. - Common Stock|Q|N|N|100\nDTUL|Barclays PLC - iPath US Treasury 2 Yr Bull ETN|G|N|N|100\nDTUS|Barclays PLC - iPath US Treasury 2-year Bear ETN|G|N|N|100\nDTV|DIRECTV - Common Stock|Q|N|N|100\nDTYL|Barclays PLC - iPath US Treasury 10 Year Bull ETN|G|N|N|100\nDTYS|Barclays PLC - iPath US Treasury 10-year Bear ETN|G|N|N|100\nDVAX|Dynavax Technologies Corporation - Common Stock|S|N|N|100\nDVCR|Diversicare Healthcare Services Inc. - Common Stock|S|N|N|100\nDWA|Dreamworks Animation SKG, Inc. - Class A Common Stock|Q|N|N|100\nDWAT|Arrow DWA Tactical ETF|G|N|N|100\nDWCH|Datawatch Corporation - Common Stock|S|N|N|100\nDWSN|Dawson Geophysical Company - Common Stock|Q|N|N|100\nDXCM|DexCom, Inc. - Common Stock|Q|N|N|100\nDXGE|WisdomTree Germany Hedged Equity Fund|G|N|N|100\nDXJS|WisdomTree Japan Hedged SmallCap Equity Fund|G|N|N|100\nDXKW|WisdomTree Korea Hedged Equity Fund|G|N|N|100\nDXLG|Destination XL Group, Inc. - Common Stock|Q|N|N|100\nDXM|Dex Media, Inc. - Common Stock|Q|N|N|100\nDXPE|DXP Enterprises, Inc. - Common Stock|Q|N|N|100\nDXPS|WisdomTree United Kingdom Hedged Equity Fund|G|N|N|100\nDXYN|The Dixie Group, Inc. - Common Stock|G|N|N|100\nDYAX|Dyax Corp. - Common Stock|G|N|N|100\nDYNT|Dynatronics Corporation - Common Stock|S|N|D|100\nDYSL|Dynasil Corporation of America - Common Stock|S|N|N|100\nEA|Electronic Arts Inc. - Common Stock|Q|N|N|100\nEAC|Erickson Incorporated - Common Stock|G|N|D|100\nEARS|Auris Medical Holding AG - Common Shares|G|N|N|100\nEBAY|eBay Inc. - Common Stock|Q|N|N|100\nEBIO|Eleven Biotherapeutics, Inc. - Common Stock|G|N|N|100\nEBIX|Ebix, Inc. - Common Stock|Q|N|N|100\nEBMT|Eagle Bancorp Montana, Inc. - Common Stock|G|N|N|100\nEBSB|Meridian Bancorp, Inc. - Common Stock|Q|N|N|100\nEBTC|Enterprise Bancorp Inc - Common Stock|Q|N|N|100\nECHO|Echo Global Logistics, Inc. - Common Stock|Q|N|N|100\nECOL|US Ecology, Inc. - Common Stock|Q|N|N|100\nECPG|Encore Capital Group Inc - Common Stock|Q|N|N|100\nECTE|Echo Therapeutics, Inc. - Common Stock|S|N|D|100\nECYT|Endocyte, Inc. - Common Stock|Q|N|N|100\nEDAP|EDAP TMS S.A. - American Depositary Shares, each representing One Ordinary Share|G|N|N|100\nEDGW|Edgewater Technology, Inc. - Common Stock|G|N|N|100\nEDS|Exceed Company Ltd. - Common Stock|Q|N|N|100\nEDUC|Educational Development Corporation - Common Stock|G|N|N|100\nEEFT|Euronet Worldwide, Inc. - Common Stock|Q|N|N|100\nEEI|Ecology and Environment, Inc. - Class A Common Stock|G|N|N|100\nEEMA|iShares MSCI Emerging Markets Asia Index Fund|G|N|N|100\nEEME|iShares MSCI Emerging Markets EMEA Index Fund|G|N|N|100\nEEML|iShares MSCI Emerging Markets Latin America Index Fund|G|N|N|100\nEFII|Electronics for Imaging, Inc. - Common Stock|Q|N|N|100\nEFOI|Energy Focus, Inc. - Common Stock|S|N|N|100\nEFSC|Enterprise Financial Services Corporation - Common Stock|Q|N|N|100\nEFUT|eFuture Information Technology Inc. - Ordinary Shares|S|N|N|100\nEGAN|eGain Corporation - Common Stock|S|N|N|100\nEGBN|Eagle Bancorp, Inc. - Common Stock|S|N|N|100\nEGHT|8x8 Inc - Common Stock|Q|N|N|100\nEGLE|Eagle Bulk Shipping Inc. - Common Stock|Q|N|N|100\nEGLT|Egalet Corporation - Common Stock|G|N|N|100\nEGOV|NIC Inc. - Common Stock|Q|N|N|100\nEGRW|iShares MSCI Emerging Markets Growth Index Fund|G|N|N|100\nEGRX|Eagle Pharmaceuticals, Inc. - Common Stock|G|N|N|100\nEGT|Entertainment Gaming Asia Incorporated - Common Stock|S|N|N|100\nEHTH|eHealth, Inc. - Common Stock|Q|N|N|100\nEIGI|Endurance International Group Holdings, Inc. - Common Stock|Q|N|N|100\nELGX|Endologix, Inc. - Common Stock|Q|N|N|100\nELNK|EarthLink Holdings Corp. - Common Stock|Q|N|N|100\nELON|Echelon Corporation - Common Stock|Q|N|N|100\nELOS|Syneron Medical Ltd. - Ordinary Shares|Q|N|N|100\nELRC|Electro Rent Corporation - Common Stock|Q|N|N|100\nELSE|Electro-Sensors, Inc. - Common Stock|S|N|N|100\nELTK|Eltek Ltd. - Ordinary Shares|S|N|N|100\nEMCB|WisdomTree Emerging Markets Corporate Bond Fund|G|N|N|100\nEMCF|Emclaire Financial Corp - Common Stock|S|N|N|100\nEMCG|WisdomTree Emerging Markets Consumer Growth Fund|G|N|N|100\nEMCI|EMC Insurance Group Inc. - Common Stock|Q|N|N|100\nEMDI|iShares MSCI Emerging Markets Consumer Discrectionary Sector Index Fund|G|N|N|100\nEMEY|iShares MSCI Emerging Markets Energy Sector Capped Index Fund|G|N|N|100\nEMIF|iShares S&P Emerging Markets Infrastructure Index Fund|G|N|N|100\nEMITF|Elbit Imaging Ltd. - Ordinary Shares|Q|N|N|100\nEMKR|EMCORE Corporation - Common Stock|G|N|N|100\nEML|Eastern Company (The) - Common Stock|G|N|N|100\nEMMS|Emmis Communications Corporation - Class A Common Stock|Q|N|N|100\nEMMSP|Emmis Communications Corporation - 6.25% Series A Cumulative Convertible Preferred Stock|Q|N|N|100\nENDP|Endo International plc - Ordinary Shares|Q|N|N|100\nENFC|Entegra Financial Corp. - Common Stock|G|N|N|100\nENG|ENGlobal Corporation - Common Stock|S|N|N|100\nENOC|EnerNOC, Inc. - Common Stock|Q|N|N|100\nENPH|Enphase Energy, Inc. - Common Stock|G|N|N|100\nENSG|The Ensign Group, Inc. - Common Stock|Q|N|N|100\nENT|Global Eagle Entertainment Inc. - Common Stock|S|N|N|100\nENTA|Enanta Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nENTG|Entegris, Inc. - Common Stock|Q|N|N|100\nENTL|Entellus Medical, Inc. - Common Stock|G|N|N|100\nENTR|Entropic Communications, Inc. - Common Stock|S|N|N|100\nENVI|Envivio, Inc. - Common Stock|Q|N|N|100\nENZN|Enzon Pharmaceuticals, Inc. - Common Stock|S|N|N|100\nENZY|Enzymotec Ltd. - Ordinary Shares|Q|N|N|100\nEPAX|Ambassadors Group, Inc. - Common Stock|Q|N|N|100\nEPAY|Bottomline Technologies, Inc. - Common Stock|Q|N|N|100\nEPIQ|EPIQ Systems, Inc. - Common Stock|Q|N|N|100\nEPRS|EPIRUS Biopharmaceuticals, Inc. - Common Stock|S|N|N|100\nEPZM|Epizyme, Inc. - Common Stock|Q|N|N|100\nEQIX|Equinix, Inc. - Common Stock|Q|N|N|100\nERI|Eldorado Resorts, Inc. - Common Stock|Q|N|N|100\nERIC|Ericsson - ADS each representing 1 underlying Class B share|Q|N|N|100\nERIE|Erie Indemnity Company - Class A Common Stock|Q|N|N|100\nERII|Energy Recovery, Inc. - Common Stock|Q|N|N|100\nEROC|Eagle Rock Energy Partners, L.P. - Common Units Representing Limited Partner Interests|Q|N|N|100\nERS|Empire Resources, Inc. - Common Stock|S|N|N|100\nERW|Janus Equal Risk Weighted Large Cap ETF|G|N|N|100\nESBK|Elmira Savings Bank NY (The) - Common Stock|S|N|N|100\nESCA|Escalade, Incorporated - Common Stock|G|N|N|100\nESCR|Escalera Resources Co. - Common Stock|Q|N|D|100\nESCRP|Escalera Resources Co. - Series A Cumulative Preferred Stock|Q|N|N|100\nESEA|Euroseas Ltd. - Common Stock|Q|N|D|100\nESGR|Enstar Group Limited - Ordinary Shares|Q|N|N|100\nESIO|Electro Scientific Industries, Inc. - Common Stock|Q|N|N|100\nESLT|Elbit Systems Ltd. - Ordinary Shares|Q|N|N|100\nESMC|Escalon Medical Corp. - Common Stock|S|N|N|100\nESPR|Esperion Therapeutics, Inc. - Common Stock|G|N|N|100\nESRX|Express Scripts Holding Company - Common Stock|Q|N|N|100\nESSA|ESSA Bancorp, Inc. - common stock|Q|N|N|100\nESSX|Essex Rental Corporation - Common Stock|S|N|N|100\nESXB|Community Bankers Trust Corporation. - Common Stock|S|N|N|100\nETFC|E*TRADE Financial Corporation - Common Stock|Q|N|N|100\nETRM|EnteroMedics Inc. - Common Stock|S|N|N|100\nEUFN|iShares MSCI Europe Financials Sector Index Fund|G|N|N|100\nEVAL|iShares MSCI Emerging Markets Value Index Fund|G|N|N|100\nEVAR|Lombard Medical, Inc. - Ordinary Shares|G|N|N|100\nEVBS|Eastern Virginia Bankshares, Inc. - Common Stock|Q|N|N|100\nEVEP|EV Energy Partners, L.P. - common units representing limited partnership interest|Q|N|N|100\nEVK|Ever-Glory International Group, Inc. - Common Stock|G|N|N|100\nEVLV|EVINE Live Inc. - Common Stock|Q|N|N|100\nEVOK|Evoke Pharma, Inc. - Common Stock|S|N|N|100\nEVOL|Evolving Systems, Inc. - Common Stock|S|N|N|100\nEVRY|EveryWare Global, Inc. - Common Stock|G|N|D|100\nEWBC|East West Bancorp, Inc. - Common Stock|Q|N|N|100\nEXA|Exa Corporation - Common Stock|G|N|N|100\nEXAC|Exactech, Inc. - Common Stock|Q|N|N|100\nEXAS|Exact Sciences Corporation - Common Stock|S|N|N|100\nEXEL|Exelixis, Inc. - Common Stock|Q|N|N|100\nEXFO|EXFO Inc - Subordinate Voting Shares|Q|N|N|100\nEXLP|Exterran Partners, L.P. - Common Units representing Limited Partner Interests|Q|N|N|100\nEXLS|ExlService Holdings, Inc. - Common Stock|Q|N|N|100\nEXPD|Expeditors International of Washington, Inc. - Common Stock|Q|N|N|100\nEXPE|Expedia, Inc. - Common Stock|Q|N|N|100\nEXPO|Exponent, Inc. - Common Stock|Q|N|N|100\nEXTR|Extreme Networks, Inc. - Common Stock|Q|N|N|100\nEXXI|Energy XXI Ltd. - Common Stock|Q|N|N|100\nEYES|Second Sight Medical Products, Inc. - Common Stock|S|N|N|100\nEZCH|EZchip Semiconductor Limited - Ordinary Shares|Q|N|N|100\nEZPW|EZCORP, Inc. - Class A Non-Voting Common Stock|Q|N|N|100\nFALC|FalconStor Software, Inc. - Common Stock|G|N|N|100\nFANG|Diamondback Energy, Inc. - Commmon Stock|Q|N|N|100\nFARM|Farmer Brothers Company - Common Stock|Q|N|N|100\nFARO|FARO Technologies, Inc. - Common Stock|Q|N|N|100\nFAST|Fastenal Company - Common Stock|Q|N|N|100\nFATE|Fate Therapeutics, Inc. - Common Stock|G|N|N|100\nFB|Facebook, Inc. - Class A Common Stock|Q|N|N|100\nFBIZ|First Business Financial Services, Inc. - Common Stock|Q|N|N|100\nFBMS|The First Bancshares, Inc. - Common Stock|G|N|N|100\nFBNC|First Bancorp - Common Stock|Q|N|N|100\nFBNK|First Connecticut Bancorp, Inc. - Common Stock|Q|N|N|100\nFBRC|FBR & Co - Common Stock|Q|N|N|100\nFBSS|Fauquier Bankshares, Inc. - Common Stock|S|N|N|100\nFCAP|First Capital, Inc. - Common Stock|S|N|N|100\nFCBC|First Community Bancshares, Inc. - Common Stock|Q|N|N|100\nFCCO|First Community Corporation - Common Stock|S|N|N|100\nFCCY|1st Constitution Bancorp (NJ) - Common Stock|G|N|N|100\nFCEL|FuelCell Energy, Inc. - Common Stock|G|N|N|100\nFCFS|First Cash Financial Services, Inc. - Common Stock|Q|N|N|100\nFCHI|iShares FTSE China (HK Listed) Index Fund|G|N|N|100\nFCLF|First Clover Leaf Financial Corp. - Common Stock|S|N|N|100\nFCNCA|First Citizens BancShares, Inc. - Class A Common Stock|Q|N|N|100\nFCS|Fairchild Semiconductor International, Inc. - Common Stock|Q|N|N|100\nFCSC|Fibrocell Science Inc - Common Stock|S|N|N|100\nFCTY|1st Century Bancshares, Inc - Common Stock|S|N|N|100\nFCVA|First Capital Bancorp, Inc. (VA) - Common Stock|S|N|N|100\nFCZA|First Citizens Banc Corp. - Common Stock|S|N|N|100\nFCZAP|First Citizens Banc Corp. - Depositary Shares Each Representing a 1/40th Interest in a 6.50% Noncumulative Redeemable Convertible Perpetual Preferred Share, Series B|S|N|N|100\nFDEF|First Defiance Financial Corp. - Common Stock|Q|N|N|100\nFDIV|First Trust Strategic Income ETF|G|N|N|100\nFDML|Federal-Mogul Holdings Corporation - Class A Common Stock|Q|N|N|100\nFDUS|Fidus Investment Corporation - Common Stock|Q|N|N|100\nFEIC|FEI Company - Common Stock|Q|N|N|100\nFEIM|Frequency Electronics, Inc. - Common Stock|G|N|N|100\nFELE|Franklin Electric Co., Inc. - Common Stock|Q|N|N|100\nFEMB|First Trust Emerging Markets Local Currency Bond ETF|G|N|N|100\nFES|Forbes Energy Services Ltd - Ordinary shares (Bermuda)|G|N|N|100\nFEUZ|First Trust Eurozone AlphaDEX ETF|G|N|N|100\nFEYE|FireEye, Inc. - Common Stock|Q|N|N|100\nFFBC|First Financial Bancorp. - Common Stock|Q|N|N|100\nFFBCW|First Financial Bancorp. - Warrant 12/23/2018|Q|N|N|100\nFFHL|Fuwei Films (Holdings) Co., Ltd. - ORDINARY SHARES|G|N|D|100\nFFIC|Flushing Financial Corporation - Common Stock|Q|N|N|100\nFFIN|First Financial Bankshares, Inc. - Common Stock|Q|N|N|100\nFFIV|F5 Networks, Inc. - Common Stock|Q|N|N|100\nFFKT|Farmers Capital Bank Corporation - Common Stock|Q|N|N|100\nFFNM|First Federal of Northern Michigan Bancorp, Inc. - Common Stock|S|N|N|100\nFFNW|First Financial Northwest, Inc. - Common Stock|Q|N|N|100\nFFWM|First Foundation Inc. - Common Stock|G|N|N|100\nFGEN|FibroGen, Inc - Common Stock|Q|N|N|100\nFHCO|Female Health Company (The) - Common Stock|S|N|N|100\nFIBK|First Interstate BancSystem, Inc. - Class A Common Stock|Q|N|N|100\nFINL|The Finish Line, Inc. - Class A Common Stock|Q|N|N|100\nFISH|Marlin Midstream Partners, LP - Common Units representing Limited Partner Interests.|G|N|N|100\nFISI|Financial Institutions, Inc. - Common Stock|Q|N|N|100\nFISV|Fiserv, Inc. - Common Stock|Q|N|N|100\nFITB|Fifth Third Bancorp - Common Stock|Q|N|N|100\nFITBI|Fifth Third Bancorp - Depositary Share repstg 1/1000th Ownership Interest Perp Pfd Series I|Q|N|N|100\nFIVE|Five Below, Inc. - Common Stock|Q|N|N|100\nFIVN|Five9, Inc. - Common Stock|G|N|N|100\nFIZZ|National Beverage Corp. - Common Stock|Q|N|N|100\nFLAT|Barclays PLC - iPath US Treasury Flattener ETN|G|N|N|100\nFLDM|Fluidigm Corporation - Common Stock|Q|N|N|100\nFLEX|Flextronics International Ltd. - Ordinary Shares|Q|N|N|100\nFLIC|The First of Long Island Corporation - Common Stock|S|N|N|100\nFLIR|FLIR Systems, Inc. - Common Stock|Q|N|N|100\nFLKS|Flex Pharma, Inc. - Common Stock|G|N|N|100\nFLL|Full House Resorts, Inc. - Common Stock|S|N|N|100\nFLML|Flamel Technologies S.A. - American Depositary Shares each representing one Ordinary Share|G|N|N|100\nFLWS|1-800 FLOWERS.COM, Inc. - Class A Common Stock|Q|N|N|100\nFLXN|Flexion Therapeutics, Inc. - Common Stock|G|N|N|100\nFLXS|Flexsteel Industries, Inc. - Common Stock|Q|N|N|100\nFMB|First Trust Managed Municipal ETF|G|N|N|100\nFMBH|First Mid-Illinois Bancshares, Inc. - Common Stock|G|N|N|100\nFMBI|First Midwest Bancorp, Inc. - Common Stock|Q|N|N|100\nFMER|FirstMerit Corporation - Common Stock|Q|N|N|100\nFMI|Foundation Medicine, Inc. - Common Stock|Q|N|N|100\nFMNB|Farmers National Banc Corp. - Common Stock|S|N|N|100\nFNBC|First NBC Bank Holding Company - Common Stock|Q|N|N|100\nFNFG|First Niagara Financial Group Inc. - Common Stock|Q|N|N|100\nFNGN|Financial Engines, Inc. - Common Stock|Q|N|N|100\nFNHC|Federated National Holding Company - Common Stock|G|N|N|100\nFNJN|Finjan Holdings, Inc. - Common Stock|S|N|N|100\nFNLC|First Bancorp, Inc (ME) - Common Stock|Q|N|N|100\nFNRG|ForceField Energy Inc. - Common Stock|S|N|N|100\nFNSR|Finisar Corporation - Common Stock|Q|N|N|100\nFNTCU|FinTech Acquisition Corp. - Units|S|N|N|100\nFNWB|First Northwest Bancorp - Common Stock|G|N|N|100\nFOLD|Amicus Therapeutics, Inc. - Common Stock|G|N|N|100\nFOMX|Foamix Pharmaceuticals Ltd. - Ordinary Shares|G|N|N|100\nFONE|First Trust NASDAQ CEA Smartphone Index Fund|G|N|N|100\nFONR|Fonar Corporation - Common Stock|S|N|N|100\nFORD|Forward Industries, Inc. - Common Stock|S|N|D|100\nFORM|FormFactor, Inc. - Common Stock|Q|N|N|100\nFORR|Forrester Research, Inc. - Common Stock|Q|N|N|100\nFORTY|Formula Systems (1985) Ltd. - ADS represents 1 ordinary shares|Q|N|N|100\nFOSL|Fossil Group, Inc. - Common Stock|Q|N|N|100\nFOX|Twenty-First Century Fox, Inc. - Class B Common Stock|Q|N|N|100\nFOXA|Twenty-First Century Fox, Inc. - Class A Common Stock|Q|N|N|100\nFOXF|Fox Factory Holding Corp. - Common Stock|Q|N|N|100\nFPRX|Five Prime Therapeutics, Inc. - Common Stock|Q|N|N|100\nFPXI|First Trust International IPO ETF|G|N|N|100\nFRAN|Francesca's Holdings Corporation - Common Stock|Q|N|N|100\nFRBA|First Bank - Common Stock|G|N|N|100\nFRBK|Republic First Bancorp, Inc. - Common Stock|G|N|N|100\nFRED|Fred's, Inc. - Common Stock|Q|N|N|100\nFREE|FreeSeas Inc. - Common Stock|S|N|D|100\nFRGI|Fiesta Restaurant Group, Inc. - Common Stock|Q|N|N|100\nFRME|First Merchants Corporation - Common Stock|Q|N|N|100\nFRP|FairPoint Communications, Inc. - Common Stock|S|N|N|100\nFRPH|FRP Holdings, Inc. - Common Stock|Q|N|N|100\nFRPT|Freshpet, Inc. - Common Stock|G|N|N|100\nFRSH|Papa Murphy's Holdings, Inc. - Common Stock|Q|N|N|100\nFSAM|Fifth Street Asset Management Inc. - Class A Common Stock|Q|N|N|100\nFSBK|First South Bancorp Inc - Common Stock|Q|N|N|100\nFSBW|FS Bancorp, Inc. - Common Stock|S|N|N|100\nFSC|Fifth Street Finance Corp. - Common Stock|Q|N|N|100\nFSCFL|Fifth Street Finance Corp. - 6.125% senior notes due 2028|Q|N|N|100\nFSFG|First Savings Financial Group, Inc. - Common Stock|S|N|N|100\nFSFR|Fifth Street Senior Floating Rate Corp. - Common Stock|Q|N|N|100\nFSGI|First Security Group, Inc. - Common Stock|S|N|N|100\nFSLR|First Solar, Inc. - Common Stock|Q|N|N|100\nFSNN|Fusion Telecommunications International, Inc. - Common Stock|S|N|N|100\nFSRV|FirstService Corporation - Subordinate Voting Shares|Q|N|N|100\nFSTR|L.B. Foster Company - Common Stock|Q|N|N|100\nFSYS|Fuel Systems Solutions, Inc. - Common Stock|Q|N|N|100\nFTCS|First Trust Capital Strength ETF|G|N|N|100\nFTD|FTD Companies, Inc. - Common Stock|Q|N|N|100\nFTEK|Fuel Tech, Inc. - Common Stock|Q|N|N|100\nFTGC|First Trust Global Tactical Commodity Strategy Fund|G|N|N|100\nFTHI|First Trust High Income ETF|G|N|N|100\nFTLB|First Trust Low Beta Income ETF|G|N|N|100\nFTNT|Fortinet, Inc. - Common Stock|Q|N|N|100\nFTR|Frontier Communications Corporation - Common Stock|Q|N|N|100\nFTSL|First Trust Senior Loan Fund ETF|G|N|N|100\nFTSM|First Trust Enhanced Short Maturity ETF|G|N|N|100\nFUEL|Rocket Fuel Inc. - Common Stock|Q|N|N|100\nFULL|Full Circle Capital Corporation - Common Stock|G|N|N|100\nFULLL|Full Circle Capital Corporation - 8.25% Notes due 2020|G|N|N|100\nFULT|Fulton Financial Corporation - Common Stock|Q|N|N|100\nFUNC|First United Corporation - Common Stock|Q|N|N|100\nFUND|Sprott Focus Trust, Inc. - Closed End Fund|Q|N|N|100\nFV|First Trust Dorsey Wright Focus 5 ETF|G|N|N|100\nFWM|Fairway Group Holdings Corp. - Class A Common Stock|G|N|N|100\nFWP|Forward Pharma A/S - American Depositary Shares|Q|N|N|100\nFWRD|Forward Air Corporation - Common Stock|Q|N|N|100\nFXCB|Fox Chase Bancorp, Inc. - Common Stock|Q|N|N|100\nFXEN|FX Energy, Inc. - Common Stock|Q|N|N|100\nFXENP|FX Energy, Inc. - Series B Cumulative Convertible Preferred Stock|Q|N|N|100\nGABC|German American Bancorp, Inc. - Common Stock|Q|N|N|100\nGAI|Global-Tech Advanced Innovations Inc. - Common Stock|G|N|N|100\nGAIA|Gaiam, Inc. - Class A Common Stock|G|N|N|100\nGAIN|Gladstone Investment Corporation - Business Development Company|Q|N|N|100\nGAINO|Gladstone Investment Corporation - 6.75% Series B Cumulative Term Preferred Stock|Q|N|N|100\nGAINP|Gladstone Investment Corporation - 7.125% Series A Term Preferred Stock|Q|N|N|100\nGALE|Galena Biopharma, Inc. - Common Stock|S|N|N|100\nGALT|Galectin Therapeutics Inc. - Common Stock|S|N|N|100\nGALTU|Galectin Therapeutics Inc. - Units|S|N|N|100\nGALTW|Galectin Therapeutics Inc. - Warrants|S|N|N|100\nGAME|Shanda Games Limited - American Depositary Shares representing 2 Class A Ordinary Shares|Q|N|N|100\nGARS|Garrison Capital Inc. - Common Stock|Q|N|N|100\nGASS|StealthGas, Inc. - common stock|Q|N|N|100\nGBCI|Glacier Bancorp, Inc. - Common Stock|Q|N|N|100\nGBDC|Golub Capital BDC, Inc. - Common Stock|Q|N|N|100\nGBIM|GlobeImmune, Inc. - Common Stock|S|N|N|100\nGBLI|Global Indemnity plc - Class A Common Shares|Q|N|N|100\nGBNK|Guaranty Bancorp - Common Stock|Q|N|N|100\nGBSN|Great Basin Scientific, Inc. - Common Stock|S|N|N|100\nGBSNU|Great Basin Scientific, Inc. - Units|S|N|N|100\nGCBC|Greene County Bancorp, Inc. - Common Stock|S|N|N|100\nGCVRZ|Sanofi - Contingent Value Right (Expiring 12/31/2020)|G|N|N|100\nGDEF|Global Defense & National Security Systems, Inc. - Common Stock|S|N|D|100\nGENC|Gencor Industries Inc. - Common Stock|G|N|N|100\nGENE|Genetic Technologies Ltd - American Depositary Shares representing 30 ordinary shares|S|N|D|100\nGEOS|Geospace Technologies Corporation - Common Stock|Q|N|N|100\nGERN|Geron Corporation - Common Stock|Q|N|N|100\nGEVA|Synageva BioPharma Corp. - Common Stock|Q|N|N|100\nGEVO|Gevo, Inc. - Common Stock|S|N|D|100\nGFED|Guaranty Federal Bancshares, Inc. - Common Stock|G|N|N|100\nGFN|General Finance Corporation - Common Stock|G|N|N|100\nGFNCP|General Finance Corporation - Cumulative Redeemable Perpetual Preferred Series C|G|N|N|100\nGFNSL|General Finance Corporation - Senior Notes due 2021|G|N|N|100\nGGAC|Garnero Group Acquisition Company - Ordinary Shares|S|N|N|100\nGGACR|Garnero Group Acquisition Company - Rights expiring 6/25/2016|S|N|N|100\nGGACU|Garnero Group Acquisition Company - Units|S|N|N|100\nGGACW|Garnero Group Acquisition Company - Warrant expiring 6/24/2019|S|N|N|100\nGGAL|Grupo Financiero Galicia S.A. - American Depositary Shares, Class B Shares underlying|S|N|N|100\nGHDX|Genomic Health, Inc. - Common Stock|Q|N|N|100\nGIFI|Gulf Island Fabrication, Inc. - Common Stock|Q|N|N|100\nGIGA|Giga-tronics Incorporated - Common Stock|S|N|D|100\nGIGM|GigaMedia Limited - Ordinary Shares|Q|N|D|100\nGIII|G-III Apparel Group, LTD. - Common Stock|Q|N|N|100\nGILD|Gilead Sciences, Inc. - Common Stock|Q|N|N|100\nGILT|Gilat Satellite Networks Ltd. - Ordinary Shares|Q|N|N|100\nGK|G&K Services, Inc. - Class A Common Stock|Q|N|N|100\nGKNT|Geeknet, Inc. - Common Stock|G|N|N|100\nGLAD|Gladstone Capital Corporation - Business Development Company|Q|N|N|100\nGLADO|Gladstone Capital Corporation - Term Preferred Shares, 6.75% Series 2021|Q|N|N|100\nGLBS|Globus Maritime Limited - Common Stock|G|N|N|100\nGLBZ|Glen Burnie Bancorp - Common Stock|S|N|N|100\nGLDC|Golden Enterprises, Inc. - Common Stock|G|N|N|100\nGLDD|Great Lakes Dredge & Dock Corporation - Common Stock|Q|N|N|100\nGLDI|Credit Suisse AG - Credit Suisse Gold Shares Covered Call Exchange Traded Notes|G|N|N|100\nGLMD|Galmed Pharmaceuticals Ltd. - Ordinary Shares|S|N|N|100\nGLNG|Golar LNG Limited - Common Shares|Q|N|N|100\nGLPI|Gaming and Leisure Properties, Inc. - Common Stock|Q|N|N|100\nGLRE|Greenlight Reinsurance, Ltd. - Class A Ordinary Shares|Q|N|N|100\nGLRI|Glori Energy Inc - Common Stock|S|N|N|100\nGLUU|Glu Mobile Inc. - Common Stock|Q|N|N|100\nGLYC|GlycoMimetics, Inc. - Common Stock|G|N|N|100\nGMAN|Gordmans Stores, Inc. - Common Stock|Q|N|N|100\nGMCR|Keurig Green Mountain, Inc. - Common Stock|Q|N|N|100\nGMLP|Golar LNG Partners LP - Common Units Representing Limited Partnership|Q|N|N|100\nGNBC|Green Bancorp, Inc. - Common Stock|Q|N|N|100\nGNCA|Genocea Biosciences, Inc. - Common Stock|G|N|N|100\nGNCMA|General Communication, Inc. - Class A Common Stock|Q|N|N|100\nGNMA|iShares Core GNMA Bond ETF|G|N|N|100\nGNMK|GenMark Diagnostics, Inc. - Common Stock|G|N|N|100\nGNTX|Gentex Corporation - Common Stock|Q|N|N|100\nGNVC|GenVec, Inc. - Common Stock|S|N|N|100\nGOGL|Golden Ocean Group Limited - Common Stock|Q|N|N|100\nGOGO|Gogo Inc. - Common Stock|Q|N|N|100\nGOLD|Randgold Resources Limited - American Depositary Shares each represented by one Ordinary Share|Q|N|N|100\nGOMO|Sungy Mobile Limited - American Depositary Shares|G|N|N|100\nGOOD|Gladstone Commercial Corporation - Real Estate Investment Trust|Q|N|N|100\nGOODN|Gladstone Commercial Corporation - 7.125% Series C Cumulative Term Preferred Stock|Q|N|N|100\nGOODO|Gladstone Commercial Corporation - 7.50% Series B Cumulative Redeemable Preferred Stock|Q|N|N|100\nGOODP|Gladstone Commercial Corporation - 7.75% Series A Cumulative Redeemable Preferred Stock|Q|N|N|100\nGOOG|Google Inc. - Class C Capital Stock|Q|N|N|100\nGOOGL|Google Inc. - Class A Common Stock|Q|N|N|100\nGPIC|Gaming Partners International Corporation - Common Stock|G|N|N|100\nGPOR|Gulfport Energy Corporation - Common Stock|Q|N|N|100\nGPRE|Green Plains, Inc. - Common Stock|Q|N|N|100\nGPRO|GoPro, Inc. - Class A Common Stock|Q|N|N|100\nGRBK|Green Brick Partners, Inc. - Common Stock|S|N|N|100\nGRFS|Grifols, S.A. - American Depositary Shares|Q|N|N|100\nGRID|First Trust NASDAQ Clean Edge Smart Grid Infrastructure Index Fund|G|N|N|100\nGRIF|Griffin Land & Nurseries, Inc. - Common Stock|G|N|N|100\nGRMN|Garmin Ltd. - Common Stock|Q|N|N|100\nGROW|U.S. Global Investors, Inc. - Class A Common Stock|S|N|N|100\nGRPN|Groupon, Inc. - Class A Common Stock|Q|N|N|100\nGRVY|GRAVITY Co., Ltd. - American depositary shares, each representing one-fourth of a share of common stock|S|N|D|100\nGSBC|Great Southern Bancorp, Inc. - Common Stock|Q|N|N|100\nGSIG|GSI Group, Inc. - Common Stock|Q|N|N|100\nGSIT|GSI Technology, Inc. - Common Stock|Q|N|N|100\nGSM|Globe Specialty Metals Inc. - Common Stock|Q|N|N|100\nGSOL|Global Sources Ltd. - Common Stock|Q|N|N|100\nGSVC|GSV Capital Corp - Common Stock|S|N|N|100\nGT|The Goodyear Tire & Rubber Company - Common Stock|Q|N|N|100\nGTIM|Good Times Restaurants Inc. - Common Stock|S|N|N|100\nGTLS|Chart Industries, Inc. - Common Stock|Q|N|N|100\nGTWN|Georgetown Bancorp, Inc. - Common Stock|S|N|N|100\nGTXI|GTx, Inc. - Common Stock|S|N|D|100\nGUID|Guidance Software, Inc. - Common Stock|G|N|N|100\nGULF|WisdomTree Middle East Dividend Fund|G|N|N|100\nGULTU|Gulf Coast Ultra Deep Royalty Trust - Royalty Trust Unit|S|N|N|100\nGURE|Gulf Resources, Inc. - Common Stock|Q|N|N|100\nGWGH|GWG Holdings, Inc - Common Stock|S|N|N|100\nGWPH|GW Pharmaceuticals Plc - American Depositary Shares|G|N|N|100\nGYRO|Gyrodyne Company of America, Inc. - Common Stock|S|N|N|100\nHA|Hawaiian Holdings, Inc. - Common Stock|Q|N|N|100\nHABT|The Habit Restaurants, Inc. - Class A Common Stock|G|N|N|100\nHAFC|Hanmi Financial Corporation - Common Stock|Q|N|N|100\nHAIN|The Hain Celestial Group, Inc. - Common Stock|Q|N|N|100\nHALL|Hallmark Financial Services, Inc. - Common Stock|G|N|N|100\nHALO|Halozyme Therapeutics, Inc. - Common Stock|Q|N|N|100\nHART|Harvard Apparatus Regenerative Technology, Inc. - Common Stock|S|N|N|100\nHAS|Hasbro, Inc. - Common Stock|Q|N|N|100\nHAWK|Blackhawk Network Holdings, Inc. - Class A Common Stock|Q|N|N|100\nHAWKB|Blackhawk Network Holdings, Inc. - Class B Common Stock|Q|N|N|100\nHAYN|Haynes International, Inc. - Common Stock|Q|N|N|100\nHBAN|Huntington Bancshares Incorporated - Common Stock|Q|N|N|100\nHBANP|Huntington Bancshares Incorporated - Non Cumulative Perp Conv Pfd Ser A|Q|N|N|10\nHBCP|Home Bancorp, Inc. - Common Stock|Q|N|N|100\nHBHC|Hancock Holding Company - Common Stock|Q|N|N|100\nHBHCL|Hancock Holding Company - 5.95% Subordinated Notes due 2045|Q|N|N|100\nHBIO|Harvard Bioscience, Inc. - Common Stock|G|N|N|100\nHBK|Hamilton Bancorp, Inc. - Common Stock|S|N|N|100\nHBMD|Howard Bancorp, Inc. - Common Stock|S|N|N|100\nHBNC|Horizon Bancorp (IN) - Common Stock|Q|N|N|100\nHBNK|Hampden Bancorp, Inc. - common stock|G|N|N|100\nHBOS|Heritage Financial Group - Common Stock|Q|N|N|100\nHBP|Huttig Building Products, Inc. - Common Stock|S|N|N|100\nHCAP|Harvest Capital Credit Corporation - Common Stock|G|N|N|100\nHCAPL|Harvest Capital Credit Corporation - 7.00% Notes due 2020|G|N|N|100\nHCBK|Hudson City Bancorp, Inc. - Common Stock|Q|N|N|100\nHCCI|Heritage-Crystal Clean, Inc. - Common Stock|Q|N|N|100\nHCKT|The Hackett Group, Inc. - Common Stock|Q|N|N|100\nHCOM|Hawaiian Telcom Holdco, Inc. - Common Stock|Q|N|N|100\nHCSG|Healthcare Services Group, Inc. - Common Stock|Q|N|N|100\nHDNG|Hardinge, Inc. - Common Stock|Q|N|N|100\nHDP|Hortonworks, Inc. - Common Stock|Q|N|N|100\nHDRA|Hydra Industries Acquisition Corp. - Common Stock|S|N|N|100\nHDRAR|Hydra Industries Acquisition Corp. - Rights|S|N|N|100\nHDRAU|Hydra Industries Acquisition Corp. - Units|S|N|N|100\nHDRAW|Hydra Industries Acquisition Corp. - Warrants|S|N|N|100\nHDS|HD Supply Holdings, Inc. - Common Stock|Q|N|N|100\nHDSN|Hudson Technologies, Inc. - Common Stock|S|N|N|100\nHEAR|Turtle Beach Corporation - Common Stock|G|N|N|100\nHEES|H&E Equipment Services, Inc. - Common Stock|Q|N|N|100\nHELE|Helen of Troy Limited - Common Stock|Q|N|N|100\nHEOP|Heritage Oaks Bancorp - Common Stock|S|N|N|100\nHERO|Hercules Offshore, Inc. - Common Stock|Q|N|D|100\nHFBC|HopFed Bancorp, Inc. - Common Stock|G|N|N|100\nHFBL|Home Federal Bancorp, Inc. of Louisiana - Common Stock|S|N|N|100\nHFFC|HF Financial Corp. - Common Stock|G|N|N|100\nHFWA|Heritage Financial Corporation - Common Stock|Q|N|N|100\nHGSH|China HGS Real Estate, Inc. - Common Stock|S|N|N|100\nHIBB|Hibbett Sports, Inc. - Common Stock|Q|N|N|100\nHIFS|Hingham Institution for Savings - Common Stock|G|N|N|100\nHIHO|Highway Holdings Limited - Common Stock|S|N|N|100\nHIIQ|Health Insurance Innovations, Inc. - Class A Common Stock|G|N|N|100\nHILL|Dot Hill Systems Corporation - Common Stock|G|N|N|100\nHIMX|Himax Technologies, Inc. - American depositary shares, each of which represents two ordinary shares.|Q|N|N|100\nHKTV|Hong Kong Television Network Limited - American Depositary Shares, each representing 20 Ordinary Shares|Q|N|N|100\nHLIT|Harmonic Inc. - Common Stock|Q|N|N|100\nHLSS|Home Loan Servicing Solutions, Ltd. - Ordinary Shares|Q|N|E|100\nHMHC|Houghton Mifflin Harcourt Company - Common Stock|Q|N|N|100\nHMIN|Homeinns Hotel Group - American Depositary Shares, each representing two ordinary shares|Q|N|N|100\nHMNF|HMN Financial, Inc. - Common Stock|G|N|N|100\nHMNY|Helios and Matheson Analytics Inc - Common Stock|S|N|N|100\nHMPR|Hampton Roads Bankshares Inc - Common Stock|Q|N|N|100\nHMST|HomeStreet, Inc. - Common Stock|Q|N|N|100\nHMSY|HMS Holdings Corp - Common Stock|Q|N|N|100\nHMTV|Hemisphere Media Group, Inc. - Class A Common Stock|G|N|N|100\nHNH|Handy & Harman Ltd. - Common Stock|S|N|N|100\nHNNA|Hennessy Advisors, Inc. - Common Stock|S|N|N|100\nHNRG|Hallador Energy Company - Common Stock|S|N|N|100\nHNSN|Hansen Medical, Inc. - Common Stock|G|N|N|100\nHOFT|Hooker Furniture Corporation - Common Stock|Q|N|N|100\nHOLI|Hollysys Automation Technologies, Ltd. - Common Stock|Q|N|N|100\nHOLX|Hologic, Inc. - Common Stock|Q|N|N|100\nHOMB|Home BancShares, Inc. - common stock|Q|N|N|100\nHOTR|Chanticleer Holdings, Inc. - Common Stock|S|N|N|100\nHOTRW|Chanticleer Holdings, Inc. - Warrants|S|N|N|100\nHOVNP|Hovnanian Enterprises Inc - Depositary Share representing 1/1000th of 7.625% Series A Preferred Stock|G|N|N|100\nHPJ|Highpower International Inc - Common Stock|G|N|N|100\nHPTX|Hyperion Therapeutics, Inc. - Common Stock|Q|N|N|100\nHQCL|Hanwha Q CELLS Co., Ltd. - American Depository Shares, each representing five ordinary shares|Q|N|N|100\nHQY|HealthEquity, Inc. - Common Stock|Q|N|N|100\nHRMNU|Harmony Merger Corp. - Unit|S|N|N|100\nHRTX|Heron Therapeutics, Inc. - Common Stock|S|N|N|100\nHRZN|Horizon Technology Finance Corporation - Common Stock|Q|N|N|100\nHSGX|Histogenics Corporation - Common Stock|G|N|N|100\nHSIC|Henry Schein, Inc. - Common Stock|Q|N|N|100\nHSII|Heidrick & Struggles International, Inc. - Common Stock|Q|N|N|100\nHSKA|Heska Corporation - Common Stock|S|N|N|100\nHSNI|HSN, Inc. - Common Stock|Q|N|N|100\nHSON|Hudson Global, Inc. - Common Stock|Q|N|N|100\nHSTM|HealthStream, Inc. - Common Stock|Q|N|N|100\nHTBI|HomeTrust Bancshares, Inc. - Common Stock|Q|N|N|100\nHTBK|Heritage Commerce Corp - Common Stock|Q|N|N|100\nHTBX|Heat Biologics, Inc. - Common Stock|S|N|N|100\nHTCH|Hutchinson Technology Incorporated - Common Stock|Q|N|N|100\nHTHT|China Lodging Group, Limited - American Depositary Shares, each representing four Ordinary Shares|Q|N|N|100\nHTLD|Heartland Express, Inc. - Common Stock|Q|N|N|100\nHTLF|Heartland Financial USA, Inc. - Common Stock|Q|N|N|100\nHTWR|Heartware International, Inc. - Common Stock|Q|N|N|100\nHUBG|Hub Group, Inc. - Class A Common Stock|Q|N|N|100\nHURC|Hurco Companies, Inc. - Common Stock|Q|N|N|100\nHURN|Huron Consulting Group Inc. - Common Stock|Q|N|N|100\nHWAY|Healthways, Inc. - Common Stock|Q|N|N|100\nHWBK|Hawthorn Bancshares, Inc. - Common Stock|Q|N|N|100\nHWCC|Houston Wire & Cable Company - Common Stock|Q|N|N|100\nHWKN|Hawkins, Inc. - Common Stock|Q|N|N|100\nHYGS|Hydrogenics Corporation - Common Shares|G|N|N|100\nHYLS|First Trust High Yield Long/Short ETF|G|N|N|100\nHYND|WisdomTree BofA Merrill Lynch High Yield Bond Negative Duration Fund|G|N|N|100\nHYZD|WisdomTree BofA Merrill Lynch High Yield Bond Zero Duration Fund|G|N|N|100\nHZNP|Horizon Pharma plc - common stock|Q|N|N|100\nIACI|IAC/InterActiveCorp - Common Stock|Q|N|N|100\nIART|Integra LifeSciences Holdings Corporation - Common Stock|Q|N|N|100\nIBB|iShares Nasdaq Biotechnology Index Fund|G|N|N|100\nIBCP|Independent Bank Corporation - Common Stock|Q|N|N|100\nIBKC|IBERIABANK Corporation - Common Stock|Q|N|N|100\nIBKR|Interactive Brokers Group, Inc. - Common Stock|Q|N|N|100\nIBOC|International Bancshares Corporation - Common Stock|Q|N|N|100\nIBTX|Independent Bank Group, Inc - Common Stock|Q|N|N|100\nICAD|icad inc. - Common Stock|S|N|N|100\nICBK|County Bancorp, Inc. - Common Stock|G|N|N|100\nICCC|ImmuCell Corporation - Common Stock|S|N|N|100\nICEL|Cellular Dynamics International, Inc. - Common Stock|G|N|N|100\nICFI|ICF International, Inc. - Common Stock|Q|N|N|100\nICLD|InterCloud Systems, Inc - Common Stock|S|N|N|100\nICLDW|InterCloud Systems, Inc - Warrant|S|N|N|100\nICLN|iShares S&P Global Clean Energy Index Fund|G|N|N|100\nICLR|ICON plc - Ordinary Shares|Q|N|N|100\nICON|Iconix Brand Group, Inc. - Common Stock|Q|N|N|100\nICPT|Intercept Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nICUI|ICU Medical, Inc. - Common Stock|Q|N|N|100\nIDCC|InterDigital, Inc. - Common Stock|Q|N|N|100\nIDRA|Idera Pharmaceuticals, Inc. - Common Stock|S|N|N|100\nIDSA|Industrial Services of America, Inc. - Common Stock|S|N|N|100\nIDSY|I.D. Systems, Inc. - Common Stock|G|N|N|100\nIDTI|Integrated Device Technology, Inc. - Common Stock|Q|N|N|100\nIDXX|IDEXX Laboratories, Inc. - Common Stock|Q|N|N|100\nIEP|Icahn Enterprises L.P. - Depositary units|Q|N|N|100\nIESC|Integrated Electrical Services, Inc. - Common Stock|G|N|N|100\nIEUS|iShares MSCI Europe Small-Cap ETF|G|N|N|100\nIFAS|iShares FTSE EPRA/NAREIT Asia Index Fund|G|N|N|100\nIFEU|iShares FTSE EPRA/NAREIT Europe Index Fund|G|N|N|100\nIFGL|iShares FTSE EPRA/NAREIT Global Real Estate ex-U.S. Index Fund|G|N|N|100\nIFNA|iShares FTSE EPRA/NAREIT North America Index Fund|G|N|N|100\nIFON|InfoSonics Corp - Common Stock|S|N|N|100\nIFV|First Trust Dorsey Wright International Focus 5 ETF|G|N|N|100\nIGLD|Internet Gold Golden Lines Ltd. - Ordinary Shares|Q|N|N|100\nIGOV|iShares S&P/Citigroup International Treasury Bond Fund|G|N|N|100\nIGTE|IGATE Corporation - Common Stock|Q|N|N|100\nIII|Information Services Group, Inc. - Common Stock|G|N|N|100\nIIIN|Insteel Industries, Inc. - Common Stock|Q|N|N|100\nIIJI|Internet Initiative Japan, Inc. - ADS represents common stock|Q|N|N|100\nIILG|Interval Leisure Group, Inc. - Common Stock|Q|N|N|100\nIIN|IntriCon Corporation - Common Stock|G|N|N|100\nIIVI|II-VI Incorporated - Common Stock|Q|N|N|100\nIKAN|Ikanos Communications, Inc. - Common Stock|S|N|N|100\nIKGH|Iao Kun Group Holding Company Limited - Ordinary Shares (Cayman Islands)|G|N|N|100\nIKNX|Ikonics Corporation - Common Stock|S|N|N|100\nILMN|Illumina, Inc. - Common Stock|Q|N|N|100\nIMDZ|Immune Design Corp. - Common Stock|G|N|N|100\nIMGN|ImmunoGen, Inc. - Common Stock|Q|N|N|100\nIMI|Intermolecular, Inc. - Common Stock|Q|N|N|100\nIMKTA|Ingles Markets, Incorporated - Class A Common Stock|Q|N|N|100\nIMMR|Immersion Corporation - Common Stock|Q|N|N|100\nIMMU|Immunomedics, Inc. - Common Stock|G|N|N|100\nIMMY|Imprimis Pharmaceuticals, Inc. - Common Stock|S|N|N|100\nIMNP|Immune Pharmaceuticals Inc. - Common Stock|S|N|N|100\nIMOS|ChipMOS TECHNOLOGIES (Bermuda) LTD. - Common Shares|S|N|N|100\nIMRS|Imris Inc - Common Shares|Q|N|N|100\nINAP|Internap Corporation - Common Stock|Q|N|N|100\nINBK|First Internet Bancorp - Common Stock|S|N|N|100\nINCR|INC Research Holdings, Inc. - Class A Common Stock|Q|N|N|100\nINCY|Incyte Corporation - Common Stock|Q|N|N|100\nINDB|Independent Bank Corp. - Common Stock|Q|N|N|100\nINDY|iShares S&P India Nifty 50 Index Fund|G|N|N|100\nINFA|Informatica Corporation - Common Stock|Q|N|N|100\nINFI|Infinity Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nINFN|Infinera Corporation - Common Stock|Q|N|N|100\nINGN|Inogen, Inc - Common Stock|Q|N|N|100\nININ|Interactive Intelligence Group, Inc. - Common Stock|Q|N|N|100\nINNL|Innocoll AG - American Depositary Share|G|N|N|100\nINO|Inovio Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nINOD|Innodata Inc. - Common Stock|G|N|N|100\nINOV|Inovalon Holdings, Inc. - Class A Common Stock|Q|N|N|100\nINPH|Interphase Corporation - Common Stock|S|N|N|100\nINSM|Insmed, Inc. - Common Stock|Q|N|N|100\nINSY|Insys Therapeutics, Inc. - Common Stock|G|N|N|100\nINTC|Intel Corporation - Common Stock|Q|N|N|100\nINTG|The Intergroup Corporation - Common Stock|S|N|N|100\nINTL|INTL FCStone Inc. - Common Stock|Q|N|N|100\nINTLL|INTL FCStone Inc. - 8.5% Senior Notes Due 2020|Q|N|N|100\nINTU|Intuit Inc. - Common Stock|Q|N|N|100\nINTX|Intersections, Inc. - Common Stock|G|N|N|100\nINVE|Identiv, Inc. - Common Stock|S|N|N|100\nINVT|Inventergy Global, Inc. - Common Stock|S|N|D|100\nINWK|InnerWorkings, Inc. - Common Stock|Q|N|N|100\nIOSP|Innospec Inc. - Common Stock|Q|N|N|100\nIPAR|Inter Parfums, Inc. - Common Stock|Q|N|N|100\nIPAS|iPass Inc. - Common Stock|Q|N|N|100\nIPCC|Infinity Property and Casualty Corporation - Common Stock|Q|N|N|100\nIPCI|Intellipharmaceutics International Inc. - Common Stock|S|N|N|100\nIPCM|IPC Healthcare, Inc. - Common Stock|Q|N|N|100\nIPDN|Professional Diversity Network, Inc. - Common Stock|S|N|N|100\nIPGP|IPG Photonics Corporation - Common Stock|Q|N|N|100\nIPHS|Innophos Holdings, Inc. - Common Stock|Q|N|N|100\nIPKW|PowerShares International BuyBack Achievers Portfolio|G|N|N|100\nIPWR|Ideal Power Inc. - Common Stock|S|N|N|100\nIPXL|Impax Laboratories, Inc. - Common Stock|Q|N|N|100\nIQNT|Inteliquent, Inc. - Common Stock|Q|N|N|100\nIRBT|iRobot Corporation - Common Stock|Q|N|N|100\nIRCP|IRSA Propiedades Comerciales S.A. - American Depository Shares, each representing forty shares of Common Stock|Q|N|N|100\nIRDM|Iridium Communications Inc - Common Stock|Q|N|N|100\nIRDMB|Iridium Communications Inc - 6.75% Series B Cumulative Perpetual Convertible Preferred Stock|Q|N|N|100\nIRG|Ignite Restaurant Group, Inc. - Common Stock|Q|N|N|100\nIRIX|IRIDEX Corporation - Common Stock|G|N|N|100\nIRMD|iRadimed Corporation - Common Stock|S|N|N|100\nIROQ|IF Bancorp, Inc. - Common Stock|S|N|N|100\nIRWD|Ironwood Pharmaceuticals, Inc. - Class A Common Stock|Q|N|N|100\nISBC|Investors Bancorp, Inc. - Common Stock|Q|N|N|100\nISCA|International Speedway Corporation - Class A Common Stock|Q|N|N|100\nISHG|iShares S&P/Citigroup 1-3 Year International Treasury Bond Fund|G|N|N|100\nISIG|Insignia Systems, Inc. - Common Stock|S|N|N|100\nISIL|Intersil Corporation - Class A Common Stock|Q|N|N|100\nISIS|Isis Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nISLE|Isle of Capri Casinos, Inc. - Common Stock|Q|N|N|100\nISM|SLM Corporation - Medium Term Notes, Series A, CPI-Linked Notes due January 16, 2018|G|N|N|100\nISNS|Image Sensing Systems, Inc. - Common Stock|S|N|N|100\nISRG|Intuitive Surgical, Inc. - Common Stock|Q|N|N|100\nISRL|Isramco, Inc. - Common Stock|S|N|N|100\nISSC|Innovative Solutions and Support, Inc. - Common Stock|Q|N|N|100\nISSI|Integrated Silicon Solution, Inc. - Common Stock|Q|N|N|100\nISTR|Investar Holding Corporation - Common Stock|G|N|N|100\nITCI|Intra-Cellular Therapies Inc. - Common Stock|Q|N|N|100\nITEK|Inotek Pharmaceuticals Corporation - Common Stock|G|N|N|100\nITIC|Investors Title Company - Common Stock|Q|N|N|100\nITRI|Itron, Inc. - Common Stock|Q|N|N|100\nITRN|Ituran Location and Control Ltd. - Ordinary Shares|Q|N|N|100\nIVAC|Intevac, Inc. - Common Stock|Q|N|N|100\nIXYS|IXYS Corporation - Common Stock|Q|N|N|100\nJACK|Jack In The Box Inc. - Common Stock|Q|N|N|100\nJAKK|JAKKS Pacific, Inc. - Common Stock|Q|N|N|100\nJASN|Jason Industries, Inc. - Common Stock|S|N|N|100\nJASNW|Jason Industries, Inc. - Warrant|S|N|N|100\nJASO|JA Solar Holdings, Co., Ltd. - American depositary shares, each representing five ordinary shares|Q|N|N|100\nJAXB|Jacksonville Bancorp, Inc. - Common Stock (Voting)|S|N|N|100\nJAZZ|Jazz Pharmaceuticals plc - Ordinary Shares|Q|N|N|100\nJBHT|J.B. Hunt Transport Services, Inc. - Common Stock|Q|N|N|100\nJBLU|JetBlue Airways Corporation - Common Stock|Q|N|N|100\nJBSS|John B. Sanfilippo & Son, Inc. - Common Stock|Q|N|N|100\nJCOM|j2 Global, Inc. - Common Stock|Q|N|N|100\nJCS|Communications Systems, Inc. - Common Stock|G|N|N|100\nJCTCF|Jewett-Cameron Trading Company - Common Shares|S|N|N|100\nJD|JD.com, Inc. - American Depositary Shares|Q|N|N|100\nJDSU|JDS Uniphase Corporation - Common Stock|Q|N|N|100\nJGBB|WisdomTree Japan Interest Rate Strategy Fund|G|N|N|100\nJIVE|Jive Software, Inc. - Common Stock|Q|N|N|100\nJJSF|J & J Snack Foods Corp. - Common Stock|Q|N|N|100\nJKHY|Jack Henry & Associates, Inc. - Common Stock|Q|N|E|100\nJMBA|Jamba, Inc. - Common Stock|G|N|N|100\nJOBS|51job, Inc. - American Depositary Shares, each representing two common shares|Q|N|N|100\nJOEZ|Joe's Jeans Inc. - Common Stock|S|N|D|100\nJOUT|Johnson Outdoors Inc. - Class A Common Stock|Q|N|N|100\nJRJC|China Finance Online Co. Limited - American Depositary Shares representing 5 ordinary shares|Q|N|N|100\nJRVR|James River Group Holdings, Ltd. - Common Shares|Q|N|N|100\nJSM|SLM Corporation - 6% Senior Notes due December 15, 2043|G|N|N|100\nJST|Jinpan International Limited - Common Stock|Q|N|N|100\nJTPY|JetPay Corporation - Common Stock|S|N|N|100\nJUNO|Juno Therapeutics, Inc. - Common Stock|Q|N|N|100\nJVA|Coffee Holding Co., Inc. - Common Stock|S|N|N|100\nJXSB|Jacksonville Bancorp Inc. - Common Stock|S|N|N|100\nJYNT|The Joint Corp. - Common Stock|S|N|N|100\nKALU|Kaiser Aluminum Corporation - Common Stock|Q|N|N|100\nKANG|iKang Healthcare Group, Inc. - American Depositary Shares|Q|N|N|100\nKBAL|Kimball International, Inc. - Class B Common Stock|Q|N|N|100\nKBIO|KaloBios Pharmaceuticals, Inc. - Common Stock|G|N|D|100\nKBSF|KBS Fashion Group Limited - Common Stock|S|N|N|100\nKCAP|KCAP Financial, Inc. - common stock|Q|N|N|100\nKCLI|Kansas City Life Insurance Company - Common Stock|S|N|N|100\nKE|Kimball Electronics, Inc. - Common Stock|Q|N|N|100\nKELYA|Kelly Services, Inc. - Class A Common Stock|Q|N|N|100\nKELYB|Kelly Services, Inc. - Class B Common Stock|Q|N|N|100\nKEQU|Kewaunee Scientific Corporation - Common Stock|G|N|N|100\nKERX|Keryx Biopharmaceuticals, Inc. - Common Stock|S|N|N|100\nKEYW|The KEYW Holding Corporation - Common Stock|Q|N|N|100\nKFFB|Kentucky First Federal Bancorp - Common Stock|G|N|N|100\nKFRC|Kforce, Inc. - Common Stock|Q|N|N|100\nKFX|Kofax Limited - Common Shares|Q|N|N|100\nKGJI|Kingold Jewelry Inc. - Common Stock|S|N|N|100\nKIN|Kindred Biosciences, Inc. - Common Stock|S|N|N|100\nKINS|Kingstone Companies, Inc - Common Stock|S|N|N|100\nKIRK|Kirkland's, Inc. - Common Stock|Q|N|N|100\nKITE|Kite Pharma, Inc. - Common Stock|Q|N|N|100\nKLAC|KLA-Tencor Corporation - Common Stock|Q|N|N|100\nKLIC|Kulicke and Soffa Industries, Inc. - Common Stock|Q|N|N|100\nKLXI|KLX Inc. - Common Stock|Q|N|N|100\nKMDA|Kamada Ltd. - Ordinary Shares|Q|N|N|100\nKNDI|Kandi Technologies Group, Inc. - Common Stock|Q|N|N|100\nKONA|Kona Grill, Inc. - Common Stock|G|N|N|100\nKONE|Kingtone Wirelessinfo Solution Holding Ltd - American Depositary Shares|S|N|N|100\nKOOL|Cesca Therapeutics Inc. - Common Stock|S|N|E|100\nKOPN|Kopin Corporation - Common Stock|Q|N|N|100\nKOSS|Koss Corporation - Common Stock|S|N|N|100\nKPTI|Karyopharm Therapeutics Inc. - Common Stock|Q|N|N|100\nKRFT|Kraft Foods Group, Inc. - Common Stock|Q|N|N|100\nKRNT|Kornit Digital Ltd. - Ordinary Shares|Q|N|N|100\nKRNY|Kearny Financial - Common Stock|Q|N|N|100\nKTCC|Key Tronic Corporation - Common Stock|G|N|N|100\nKTEC|Key Technology, Inc. - Common Stock|G|N|N|100\nKTOS|Kratos Defense & Security Solutions, Inc. - Common Stock|Q|N|N|100\nKTWO|K2M Group Holdings, Inc. - Common Stock|Q|N|N|100\nKUTV|Ku6 Media Co., Ltd. - American Depositary Shares, each representing 100 ordinary shares|G|N|N|100\nKVHI|KVH Industries, Inc. - Common Stock|Q|N|N|100\nKWEB|KraneShares CSI China Internet ETF|G|N|N|100\nKYTH|Kythera Biopharmaceuticals, Inc. - Common Stock|Q|N|N|100\nKZ|KongZhong Corporation - American Depositary Shares, each representing 40 ordinary shares|Q|N|N|100\nLABC|Louisiana Bancorp, Inc. - Common Stock|G|N|N|100\nLABL|Multi-Color Corporation - Common Stock|Q|N|N|100\nLACO|Lakes Entertainment, Inc. - Common Stock|G|N|N|100\nLAKE|Lakeland Industries, Inc. - Common Stock|G|N|N|100\nLALT|PowerShares Actively Managed Exchange-Traded Fund Trust - PowerShares Multi-Strategy Alternative Portfolio|G|N|N|100\nLAMR|Lamar Advertising Company - Class A Common Stock|Q|N|N|100\nLANC|Lancaster Colony Corporation - Common Stock|Q|N|N|100\nLAND|Gladstone Land Corporation - Common Stock|G|N|N|100\nLARK|Landmark Bancorp Inc. - Common Stock|G|N|N|100\nLAWS|Lawson Products, Inc. - Common Stock|Q|N|N|100\nLAYN|Layne Christensen Company - Common Stock|Q|N|N|100\nLBAI|Lakeland Bancorp, Inc. - Common Stock|Q|N|N|100\nLBIO|Lion Biotechnologies, Inc. - Common Stock|G|N|N|100\nLBIX|Leading Brands Inc - Common Shares|S|N|N|100\nLBRDA|Liberty Broadband Corporation - Class A Common Stock|Q|N|N|100\nLBRDK|Liberty Broadband Corporation - Class C Common Stock|Q|N|N|100\nLBTYA|Liberty Global plc - Class A Ordinary Shares|Q|N|N|100\nLBTYB|Liberty Global plc - Class B Ordinary Shares|Q|N|N|100\nLBTYK|Liberty Global plc - Class C Ordinary Shares|Q|N|N|100\nLCNB|LCNB Corporation - Common Stock|S|N|N|100\nLCUT|Lifetime Brands, Inc. - Common Stock|Q|N|N|100\nLDRH|LDR Holding Corporation - Common Stock|Q|N|N|100\nLDRI|PowerShares LadderRite 0-5 Year Corporate Bond Portfolio|G|N|N|100\nLE|Lands' End, Inc. - Common Stock|S|N|N|100\nLECO|Lincoln Electric Holdings, Inc. - Common Shares|Q|N|N|100\nLEDS|SemiLEDS Corporation - Common Stock|Q|N|N|100\nLENS|Presbia PLC - Ordinary Shares|G|N|N|100\nLEVY|Levy Acquisition Corp. - Common Stock|S|N|N|100\nLEVYU|Levy Acquisition Corp. - Unit|S|N|N|100\nLEVYW|Levy Acquisition Corp. - Warrants|S|N|N|100\nLFUS|Littelfuse, Inc. - Common Stock|Q|N|N|100\nLFVN|Lifevantage Corporation - Common Stock|S|N|N|100\nLGCY|Legacy Reserves LP - Units Representing Limited Partner Interests|Q|N|N|100\nLGCYO|Legacy Reserves LP - 8.00% Series B Fixed-to-Floating Rate Cumulative Redeemable Perpetual Preferred Units|Q|N|N|100\nLGCYP|Legacy Reserves LP - 8% Series A Fixed-to-Floating Rate Cumulative Redeemable Perpetual Preferred Units|Q|N|N|100\nLGIH|LGI Homes, Inc. - Common Stock|Q|N|N|100\nLGND|Ligand Pharmaceuticals Incorporated - Common Stock|G|N|N|100\nLHCG|LHC Group - common stock|Q|N|N|100\nLIME|Lime Energy Co. - Common Stock|S|N|N|100\nLINC|Lincoln Educational Services Corporation - Common Stock|Q|N|N|100\nLINE|Linn Energy, LLC - Common Units representing limited liability company interests|Q|N|N|100\nLION|Fidelity Southern Corporation - Common Stock|Q|N|N|100\nLIOX|Lionbridge Technologies, Inc. - Common Stock|Q|N|N|100\nLIQD|Liquid Holdings Group, Inc. - Common Stock|G|N|D|100\nLIVE|LiveDeal, Inc. - Common Stock|S|N|N|100\nLJPC|La Jolla Pharmaceutical Company - Common Stock|S|N|N|100\nLKFN|Lakeland Financial Corporation - Common Stock|Q|N|N|100\nLKQ|LKQ Corporation - Common Stock|Q|N|N|100\nLLEX|Lilis Energy, Inc. - Common Stock|G|N|N|100\nLLNW|Limelight Networks, Inc. - Common Stock|Q|N|N|100\nLLTC|Linear Technology Corporation - Common Stock|Q|N|N|100\nLMAT|LeMaitre Vascular, Inc. - Common Stock|G|N|N|100\nLMBS|First Trust Low Duration Mortgage Opportunities ETF|G|N|N|100\nLMCA|Liberty Media Corporation - Series A Common Stock|Q|N|N|100\nLMCB|Liberty Media Corporation - Series B Common Stock|Q|N|N|100\nLMCK|Liberty Media Corporation - Series C Common Stock|Q|N|N|100\nLMIA|LMI Aerospace, Inc. - Common Stock|Q|N|N|100\nLMNR|Limoneira Co - Common Stock|Q|N|N|100\nLMNS|Lumenis Ltd. - Class B Ordinary Shares|Q|N|N|100\nLMNX|Luminex Corporation - Common Stock|Q|N|N|100\nLMOS|Lumos Networks Corp. - Common Stock|Q|N|N|100\nLMRK|Landmark Infrastructure Partners LP - Common Units|G|N|N|100\nLNBB|LNB Bancorp, Inc. - Common Stock|G|N|N|100\nLNCE|Snyder's-Lance, Inc. - Common Stock|Q|N|N|100\nLNCO|Linn Co, LLC - Common Shares|Q|N|N|100\nLNDC|Landec Corporation - Common Stock|Q|N|N|100\nLOAN|Manhattan Bridge Capital, Inc - Common Stock|S|N|N|100\nLOCM|Local Corporation - Common Stock|S|N|D|100\nLOCO|El Pollo Loco Holdings, Inc. - Common Stock|Q|N|N|100\nLOGI|Logitech International S.A. - Registered Shares|Q|N|N|100\nLOGM|LogMein, Inc. - Common Stock|Q|N|N|100\nLOJN|LoJack Corporation - Common Stock|Q|N|N|100\nLONG|eLong, Inc. - American Depositary Shares representing 2 Ordinary Shares|Q|N|N|100\nLOOK|LookSmart, Ltd. - Common Stock|S|N|D|100\nLOPE|Grand Canyon Education, Inc. - Common Stock|Q|N|N|100\nLORL|Loral Space and Communications, Inc. - Common Stock|Q|N|N|100\nLOXO|Loxo Oncology, Inc. - Common Stock|G|N|N|100\nLPCN|Lipocine Inc. - Common Stock|S|N|N|100\nLPLA|LPL Financial Holdings Inc. - Common Stock|Q|N|N|100\nLPNT|LifePoint Hospitals, Inc. - Common Stock|Q|N|N|100\nLPSB|LaPorte Bancorp, Inc. - Common Stock|S|N|N|100\nLPSN|LivePerson, Inc. - Common Stock|Q|N|N|100\nLPTH|LightPath Technologies, Inc. - Class A Common Stock|S|N|N|100\nLPTN|Lpath, Inc. - Class A Common Stock|S|N|N|100\nLQDT|Liquidity Services, Inc. - Common Stock|Q|N|N|100\nLRAD|LRAD Corporation - Common Stock|S|N|N|100\nLRCX|Lam Research Corporation - Common Stock|Q|N|N|100\nLSBK|Lake Shore Bancorp, Inc. - Common Stock|G|N|N|100\nLSCC|Lattice Semiconductor Corporation - Common Stock|Q|N|N|100\nLSTR|Landstar System, Inc. - Common Stock|Q|N|N|100\nLTBR|Lightbridge Corporation - Common Stock|S|N|D|100\nLTRE|Learning Tree International, Inc. - Common Stock|G|N|N|100\nLTRPA|Liberty TripAdvisor Holdings, Inc. - Series A Common Stock|Q|N|N|100\nLTRPB|Liberty TripAdvisor Holdings, Inc. - Series B Common Stock|Q|N|N|100\nLTRX|Lantronix, Inc. - Common Stock|S|N|N|100\nLTXB|LegacyTexas Financial Group, Inc. - Common Stock|Q|N|N|100\nLULU|lululemon athletica inc. - Common Stock|Q|N|N|100\nLUNA|Luna Innovations Incorporated - Common Stock|S|N|N|100\nLVNTA|Liberty Interactive Corporation - Series A Liberty Ventures Common Stock|Q|N|N|100\nLVNTB|Liberty Interactive Corporation - Series B Liberty Ventures Common Stock|Q|N|N|100\nLWAY|Lifeway Foods, Inc. - Common Stock|G|N|N|100\nLXRX|Lexicon Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nLYTS|LSI Industries Inc. - Common Stock|Q|N|N|100\nMACK|Merrimack Pharmaceuticals, Inc. - Common Stock|G|N|N|100\nMAG|Magnetek, Inc. - Common Stock|G|N|N|100\nMAGS|Magal Security Systems Ltd. - Ordinary Shares|G|N|N|100\nMAMS|MAM Software Group, Inc. - Common Stock|S|N|N|100\nMANH|Manhattan Associates, Inc. - Common Stock|Q|N|N|100\nMANT|ManTech International Corporation - Class A Common Stock|Q|N|N|100\nMAR|Marriott International - Class A Common Stock|Q|N|N|100\nMARA|Marathon Patent Group, Inc. - Common Stock|S|N|N|100\nMARK|Remark Media, Inc. - Common Stock|S|N|N|100\nMARPS|Marine Petroleum Trust - Units of Beneficial Interest|S|N|N|100\nMASI|Masimo Corporation - Common Stock|Q|N|N|100\nMAT|Mattel, Inc. - Common Stock|Q|N|N|100\nMATR|Mattersight Corporation - Common Stock|G|N|N|100\nMATW|Matthews International Corporation - Class A Common Stock|Q|N|N|100\nMAYS|J. W. Mays, Inc. - Common Stock|S|N|N|100\nMBCN|Middlefield Banc Corp. - Common Stock|S|N|N|100\nMBFI|MB Financial Inc. - Common Stock|Q|N|N|100\nMBFIP|MB Financial Inc. - Perpetual Non-Cumulative Preferred Stock, Series A|Q|N|N|100\nMBII|Marrone Bio Innovations, Inc. - Common Stock|G|N|E|100\nMBLX|Metabolix, Inc. - Common Stock|S|N|D|100\nMBRG|Middleburg Financial Corporation - Common Stock|S|N|N|100\nMBSD|FlexShares Disciplined Duration MBS Index Fund|G|N|N|100\nMBTF|M B T Financial Corp - Common Stock|Q|N|N|100\nMBUU|Malibu Boats, Inc. - Common Stock|G|N|N|100\nMBVT|Merchants Bancshares, Inc. - Common Stock|Q|N|N|100\nMBWM|Mercantile Bank Corporation - Common Stock|Q|N|N|100\nMCBC|Macatawa Bank Corporation - Common Stock|Q|N|N|100\nMCBK|Madison County Financial, Inc. - Common Stock|S|N|N|100\nMCEP|Mid-Con Energy Partners, LP - Common Units|Q|N|N|100\nMCGC|MCG Capital Corporation - Closed End Fund|Q|N|N|100\nMCHP|Microchip Technology Incorporated - Common Stock|Q|N|N|100\nMCHX|Marchex, Inc. - Class B Common Stock|Q|N|N|100\nMCOX|Mecox Lane Limited - American Depositary Shares|Q|N|N|100\nMCRI|Monarch Casino & Resort, Inc. - Common Stock|Q|N|N|100\nMCRL|Micrel, Incorporated - Common Stock|Q|N|N|100\nMCUR|Macrocure Ltd. - Ordinary Shares|G|N|N|100\nMDAS|MedAssets, Inc. - Common Stock|Q|N|N|100\nMDCA|MDC Partners Inc. - Class A Subordinate Voting Shares|Q|N|N|100\nMDCO|The Medicines Company - Common Stock|Q|N|N|100\nMDIV|First Trust Exchange-Traded Fund VI Multi-Asset Diversified Income Index Fund|G|N|N|100\nMDLZ|Mondelez International, Inc. - Class A Common Stock|Q|N|N|100\nMDM|Mountain Province Diamonds Inc. - Common Stock|Q|N|N|100\nMDRX|Allscripts Healthcare Solutions, Inc. - common stock|Q|N|N|100\nMDSO|Medidata Solutions, Inc. - Common Stock|Q|N|N|100\nMDSY|ModSys International Ltd. - Ordinary Shares|G|N|N|100\nMDVN|Medivation, Inc. - Common Stock|Q|N|N|100\nMDVX|Medovex Corp. - Common Stock|S|N|N|100\nMDVXW|Medovex Corp. - Class A Warrant|S|N|N|100\nMDWD|MediWound Ltd. - Ordinary Shares|G|N|N|100\nMDXG|MiMedx Group, Inc - Common Stock|S|N|N|100\nMEET|MeetMe, Inc. - Common Stock|S|N|N|100\nMEIL|Methes Energies International Ltd - Common Stock|S|N|N|100\nMEILW|Methes Energies International Ltd - Class A Warrants|S|N|N|100\nMEILZ|Methes Energies International Ltd - Class B Warrants|S|N|N|100\nMEIP|MEI Pharma, Inc. - Common Stock|S|N|N|100\nMELA|MELA Sciences, Inc - Common Stock|S|N|N|100\nMELI|MercadoLibre, Inc. - Common Stock|Q|N|N|100\nMELR|Melrose Bancorp, Inc. - Common Stock|S|N|N|100\nMEMP|Memorial Production Partners LP - Common Units|Q|N|N|100\nMENT|Mentor Graphics Corporation - Common Stock|Q|N|N|100\nMEOH|Methanex Corporation - Common Stock|Q|N|N|100\nMERC|Mercer International Inc. - Common Stock|Q|N|N|100\nMERU|Meru Networks, Inc. - Common Stock|G|N|N|100\nMETR|Metro Bancorp, Inc - Common Stock|Q|N|N|100\nMFLX|Multi-Fineline Electronix, Inc. - Common Stock|Q|N|N|100\nMFNC|Mackinac Financial Corporation - Common Stock|S|N|N|100\nMFRI|MFRI, Inc. - Common Stock|G|N|N|100\nMFRM|Mattress Firm Holding Corp. - Common Stock|Q|N|N|100\nMFSF|MutualFirst Financial Inc. - Common Stock|G|N|N|100\nMGCD|MGC Diagnostics Corporation - Common Stock|S|N|N|100\nMGEE|MGE Energy Inc. - Common Stock|Q|N|N|100\nMGI|Moneygram International, Inc. - Common Stock|Q|N|N|100\nMGIC|Magic Software Enterprises Ltd. - Ordinary Shares|Q|N|N|100\nMGLN|Magellan Health, Inc. - Common Stock|Q|N|N|100\nMGNX|MacroGenics, Inc. - Common Stock|Q|N|N|100\nMGPI|MGP Ingredients, Inc. - Common Stock|Q|N|N|100\nMGRC|McGrath RentCorp - Common Stock|Q|N|N|100\nMGYR|Magyar Bancorp, Inc. - Common Stock|G|N|N|100\nMHGC|Morgans Hotel Group Co. - Common Stock|G|N|N|100\nMHLD|Maiden Holdings, Ltd. - Common Stock|Q|N|N|100\nMHLDO|Maiden Holdings, Ltd. - 7.25% Mandatory Convertible Preference Shares, Series B|Q|N|N|100\nMICT|Micronet Enertec Technologies, Inc. - Common Stock|S|N|N|100\nMICTW|Micronet Enertec Technologies, Inc. - Warrant|S|N|N|100\nMIDD|The Middleby Corporation - Common Stock|Q|N|N|100\nMIFI|Novatel Wireless, Inc. - Common Stock|Q|N|N|100\nMIK|The Michaels Companies, Inc. - Common Stock|Q|N|N|100\nMIND|Mitcham Industries, Inc. - Common Stock|Q|N|N|100\nMINI|Mobile Mini, Inc. - Common Stock|Q|N|N|100\nMITK|Mitek Systems, Inc. - Common Stock|S|N|N|100\nMITL|Mitel Networks Corporation - Common Shares|Q|N|N|100\nMKSI|MKS Instruments, Inc. - Common Stock|Q|N|N|100\nMKTO|Marketo, Inc. - Common Stock|Q|N|N|100\nMKTX|MarketAxess Holdings, Inc. - Common Stock|Q|N|N|100\nMLAB|Mesa Laboratories, Inc. - Common Stock|Q|N|N|100\nMLHR|Herman Miller, Inc. - Common Stock|Q|N|N|100\nMLNK|ModusLink Global Solutions, Inc - Common Stock|Q|N|N|100\nMLNX|Mellanox Technologies, Ltd. - Ordinary Shares|Q|N|N|100\nMLVF|Malvern Bancorp, Inc. - Common Stock|G|N|N|100\nMMAC|MMA Capital Management, LLC - Common Stock|S|N|N|100\nMMLP|Martin Midstream Partners L.P. - Common Units Representing Limited Partnership Interests|Q|N|N|100\nMMSI|Merit Medical Systems, Inc. - Common Stock|Q|N|N|100\nMMYT|MakeMyTrip Limited - Ordinary Shares|Q|N|N|100\nMNDO|MIND C.T.I. Ltd. - Ordinary Shares|G|N|N|100\nMNGA|MagneGas Corporation - Common Stcok|S|N|D|100\nMNKD|MannKind Corporation - Common Stock|G|N|N|100\nMNOV|MediciNova, Inc. - Common Stock|G|N|N|100\nMNRK|Monarch Financial Holdings, Inc. - Common Stock|S|N|N|100\nMNRO|Monro Muffler Brake, Inc. - Common Stock|Q|N|N|100\nMNST|Monster Beverage Corporation - Common Stock|Q|N|N|100\nMNTA|Momenta Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nMNTX|Manitex International, Inc. - common stock|S|N|N|100\nMOBI|Sky-mobi Limited - American Depositary Shares|G|N|N|100\nMOBL|MobileIron, Inc. - Common Stock|Q|N|N|100\nMOCO|MOCON, Inc. - Common Stock|G|N|N|100\nMOFG|MidWestOne Financial Group, Inc. - Common Stock|Q|N|N|100\nMOKO|MOKO Social Media Ltd. - American Depositary Shares|G|N|N|100\nMOLG|MOL Global, Inc. - American Depositary Shares|Q|N|N|100\nMOMO|Momo Inc. - American Depositary Shares|Q|N|N|100\nMORN|Morningstar, Inc. - Common Stock|Q|N|N|100\nMOSY|MoSys, Inc. - Common Stock|Q|N|N|100\nMPAA|Motorcar Parts of America, Inc. - Common Stock|Q|N|N|100\nMPB|Mid Penn Bancorp - Common Stock|G|N|N|100\nMPEL|Melco Crown Entertainment Limited - American depositary shares each representing three ordinary shares|Q|N|N|100\nMPET|Magellan Petroleum Corporation - Common Stock|S|N|D|100\nMPWR|Monolithic Power Systems, Inc. - Common Stock|Q|N|N|100\nMRCC|Monroe Capital Corporation - Common Stock|Q|N|N|100\nMRCY|Mercury Systems Inc - Common Stock|Q|N|N|100\nMRD|Memorial Resource Development Corp. - Common Stock|Q|N|N|100\nMRGE|Merge Healthcare Incorporated. - Common Stock|Q|N|N|100\nMRKT|Markit Ltd. - Common Shares|Q|N|N|100\nMRLN|Marlin Business Services Corp. - Common Stock|Q|N|N|100\nMRNS|Marinus Pharmaceuticals, Inc. - Common Stock|G|N|N|100\nMRTN|Marten Transport, Ltd. - Common Stock|Q|N|N|100\nMRTX|Mirati Therapeutics, Inc. - Common Stock|S|N|N|100\nMRVC|MRV Communications, Inc. - Common Stock|S|N|N|100\nMRVL|Marvell Technology Group Ltd. - Common Stock|Q|N|N|100\nMSBF|MSB Financial Corp. - common stock|G|N|N|100\nMSCC|Microsemi Corporation - Common Stock|Q|N|N|100\nMSEX|Middlesex Water Company - Common Stock|Q|N|N|100\nMSFG|MainSource Financial Group, Inc. - Common Stock|Q|N|N|100\nMSFT|Microsoft Corporation - Common Stock|Q|N|N|100\nMSG|The Madison Square Garden Company - Class A Common Stock|Q|N|N|100\nMSLI|Merus Labs International Inc. - Common Stock|S|N|N|100\nMSON|MISONIX, Inc. - Common Stock|G|N|N|100\nMSTR|MicroStrategy Incorporated - Class A Common Stock|Q|N|N|100\nMTBC|Medical Transcription Billing, Corp. - Common Stock|S|N|N|100\nMTEX|Mannatech, Incorporated - Common Stock|Q|N|N|100\nMTGE|American Capital Mortgage Investment Corp. - Common Stock|Q|N|N|100\nMTGEP|American Capital Mortgage Investment Corp. - 8.125% Series A Cumulative Redeemable Preferred Stock|Q|N|N|100\nMTLS|Materialise NV - American Depositary Shares|Q|N|N|100\nMTRX|Matrix Service Company - Common Stock|Q|N|N|100\nMTSC|MTS Systems Corporation - Common Stock|Q|N|N|100\nMTSI|M/A-COM Technology Solutions Holdings, Inc. - Common Stock|Q|N|N|100\nMTSL|MER Telemanagement Solutions Ltd. - Ordinary Shares|S|N|N|100\nMTSN|Mattson Technology, Inc. - Common Stock|Q|N|N|100\nMU|Micron Technology, Inc. - Common Stock|Q|N|N|100\nMULT|AdvisorShares Sunrise Global Multi-Strategy ETF|G|N|N|100\nMVIS|Microvision, Inc. - Common Stock|G|N|N|100\nMXIM|Maxim Integrated Products, Inc. - Common Stock|Q|N|N|100\nMXWL|Maxwell Technologies, Inc. - Common Stock|Q|N|N|100\nMYGN|Myriad Genetics, Inc. - Common Stock|Q|N|N|100\nMYL|Mylan N.V. - Common Stock|Q|N|N|100\nMYOS|MYOS Corporation - Common Stock|S|N|N|100\nMYRG|MYR Group, Inc. - Common Stock|Q|N|N|100\nMZOR|Mazor Robotics Ltd. - American Depositary Shares|G|N|N|100\nNAII|Natural Alternatives International, Inc. - Common Stock|G|N|N|100\nNAME|Rightside Group, Ltd. - Common Stock|Q|N|N|100\nNANO|Nanometrics Incorporated - Common Stock|Q|N|N|100\nNATH|Nathan's Famous, Inc. - Common Stock|Q|N|N|100\nNATI|National Instruments Corporation - Common Stock|Q|N|N|100\nNATL|National Interstate Corporation - Common Stock|Q|N|N|100\nNATR|Nature's Sunshine Products, Inc. - Common Stock|S|N|N|100\nNAUH|National American University Holdings, Inc. - Common Stock|G|N|N|100\nNAVG|The Navigators Group, Inc. - Common Stock|Q|N|N|100\nNAVI|Navient Corporation - Common Stock|Q|N|N|100\nNBBC|NewBridge Bancorp - Common Stock|Q|N|N|100\nNBIX|Neurocrine Biosciences, Inc. - Common Stock|Q|N|N|100\nNBN|Northeast Bancorp - Common Stock|G|N|N|100\nNBS|Neostem, Inc. - Common Stock|S|N|N|100\nNBTB|NBT Bancorp Inc. - Common Stock|Q|N|N|100\nNCIT|NCI, Inc. - Class A Common Stock|Q|N|N|100\nNCLH|Norwegian Cruise Line Holdings Ltd. - Ordinary Shares|Q|N|N|100\nNCMI|National CineMedia, Inc. - Common Stock|Q|N|N|100\nNCOM|National Commerce Corporation - Common Stock|Q|N|N|100\nNCTY|The9 Limited - American Depository Shares representing one ordinary share|Q|N|N|100\nNDAQ|The NASDAQ OMX Group, Inc. - Common Stock|Q|N|N|100\nNDLS|Noodles & Company - Common Stock|Q|N|N|100\nNDRM|NeuroDerm Ltd. - Ordinary Shares|G|N|N|100\nNDSN|Nordson Corporation - Common Stock|Q|N|N|100\nNECB|Northeast Community Bancorp, Inc. - Common Stock|G|N|N|100\nNEO|NeoGenomics, Inc. - Common Stock|S|N|N|100\nNEOG|Neogen Corporation - Common Stock|Q|N|N|100\nNEON|Neonode Inc. - Common Stock|S|N|N|100\nNEOT|Neothetics, Inc. - Common Stock|G|N|N|100\nNEPT|Neptune Technologies & Bioresources Inc - Ordinary Shares|S|N|N|100\nNERV|Minerva Neurosciences, Inc - Common Stock|G|N|N|100\nNETE|Net Element, Inc. - Common Stock|S|N|N|100\nNEWP|Newport Corporation - Common Stock|Q|N|N|100\nNEWS|NewStar Financial, Inc. - Common Stock|Q|N|N|100\nNEWT|Newtek Business Services Corp. - Common Stock|S|N|N|100\nNFBK|Northfield Bancorp, Inc. - Common Stock|Q|N|N|100\nNFEC|NF Energy Saving Corporation - Common Stock|S|N|N|100\nNFLX|Netflix, Inc. - Common Stock|Q|N|N|100\nNGHC|National General Holdings Corp - Common Stock|G|N|N|100\nNGHCO|National General Holdings Corp - Depositary Shares|G|N|N|100\nNGHCP|National General Holdings Corp - 7.50% Non-Cumulative Preferred Stock, Series A|G|N|N|100\nNHLD|National Holdings Corporation - Common Stock|S|N|N|100\nNHTB|New Hampshire Thrift Bancshares, Inc. - Common Stock|G|N|N|100\nNHTC|Natural Health Trends Corp. - Commn Stock|S|N|N|100\nNICE|NICE-Systems Limited - American Depositary Shares each representing one Ordinary Share|Q|N|N|100\nNICK|Nicholas Financial, Inc. - Common Stock|Q|N|N|100\nNILE|Blue Nile, Inc. - Common Stock|Q|N|N|100\nNKSH|National Bankshares, Inc. - Common Stock|S|N|N|100\nNKTR|Nektar Therapeutics - Common Stock|Q|N|N|100\nNLNK|NewLink Genetics Corporation - Common Stock|G|N|N|100\nNLST|Netlist, Inc. - Common Stock|G|N|N|100\nNMIH|NMI Holdings Inc - Common Stock|G|N|N|100\nNMRX|Numerex Corp. - Class A Common Stock|Q|N|N|100\nNNBR|NN, Inc. - Common Stock|Q|N|N|100\nNPBC|National Penn Bancshares, Inc. - Common Stock|Q|N|N|100\nNRCIA|National Research Corporation - Class A Common Stock|Q|N|N|100\nNRCIB|National Research Corporation - Common Stock|Q|N|N|100\nNRIM|Northrim BanCorp Inc - Common Stock|Q|N|N|100\nNRX|NephroGenex, Inc. - Common Stock|S|N|N|100\nNSEC|National Security Group, Inc. - Common Stock|G|N|N|100\nNSIT|Insight Enterprises, Inc. - Common Stock|Q|N|N|100\nNSPH|Nanosphere, Inc. - Common Stock|S|N|D|100\nNSSC|NAPCO Security Technologies, Inc. - Common Stock|Q|N|N|100\nNSTG|NanoString Technologies, Inc. - Common Stock|G|N|N|100\nNSYS|Nortech Systems Incorporated - Common Stock|S|N|N|100\nNTAP|NetApp, Inc. - Common Stock|Q|N|N|100\nNTCT|NetScout Systems, Inc. - Common Stock|Q|N|N|100\nNTES|NetEase, Inc. - American Depositary Shares, each representing 25 ordinary shares|Q|N|N|100\nNTGR|NETGEAR, Inc. - Common Stock|Q|N|N|100\nNTIC|Northern Technologies International Corporation - Common Stock|G|N|N|100\nNTK|Nortek Inc. - Common Stock|Q|N|N|100\nNTLS|NTELOS Holdings Corp. - Common Stock|Q|N|N|100\nNTRI|NutriSystem Inc - Common Stock|Q|N|N|100\nNTRS|Northern Trust Corporation - Common Stock|Q|N|N|100\nNTRSP|Northern Trust Corporation - Depository Shares|Q|N|N|100\nNTWK|NetSol Technologies Inc. - Common Stock|S|N|N|100\nNUAN|Nuance Communications, Inc. - Common Stock|Q|N|N|100\nNURO|NeuroMetrix, Inc. - Common Stock|S|N|N|100\nNUTR|Nutraceutical International Corporation - Common Stock|Q|N|N|100\nNUVA|NuVasive, Inc. - Common Stock|Q|N|N|100\nNVAX|Novavax, Inc. - Common Stock|Q|N|N|100\nNVCN|Neovasc Inc. - Common Shares|S|N|N|100\nNVDA|NVIDIA Corporation - Common Stock|Q|N|N|100\nNVDQ|Novadaq Technologies Inc - Common Shares|G|N|N|100\nNVEC|NVE Corporation - Common Stock|S|N|N|100\nNVEE|NV5 Holdings, Inc. - Common Stock|S|N|N|100\nNVET|Nexvet Biopharma plc - Ordinary Shares|G|N|N|100\nNVFY|Nova Lifestyle, Inc - Common Stock|G|N|N|100\nNVGN|Novogen Limited - American Depositary Shares each representing twenty five Ordinary Shares|S|N|D|100\nNVMI|Nova Measuring Instruments Ltd. - Ordinary Shares|Q|N|N|100\nNVSL|Naugatuck Valley Financial Corporation - Common Stock|G|N|N|100\nNWBI|Northwest Bancshares, Inc. - Common Stock|Q|N|N|100\nNWBO|Northwest Biotherapeutics, Inc. - Common Stock|S|N|N|100\nNWBOW|Northwest Biotherapeutics, Inc. - Warrant|S|N|N|100\nNWFL|Norwood Financial Corp. - Common Stock|G|N|N|100\nNWLI|National Western Life Insurance Company - Class A Common Stock|Q|N|N|100\nNWPX|Northwest Pipe Company - Common Stock|Q|N|N|100\nNWS|News Corporation - Class B Common Stock|Q|N|N|100\nNWSA|News Corporation - Class A Common Stock|Q|N|N|100\nNXPI|NXP Semiconductors N.V. - Common Stock|Q|N|N|100\nNXST|Nexstar Broadcasting Group, Inc. - Class A Common Stock|Q|N|N|100\nNXTD|NXT-ID Inc. - Common Stock|S|N|N|100\nNXTDW|NXT-ID Inc. - Warrant|S|N|N|100\nNXTM|NxStage Medical, Inc. - Common Stock|Q|N|N|100\nNYMT|New York Mortgage Trust, Inc. - Common Stock|Q|N|N|100\nNYMTP|New York Mortgage Trust, Inc. - 7.75% Series B Cumulative Redeemable Preferred Stock|S|N|N|100\nNYMX|Nymox Pharmaceutical Corporation - Common Stock|S|N|D|100\nNYNY|Empire Resorts, Inc. - Common Stock|G|N|N|100\nOBAS|Optibase Ltd. - Ordinary Shares|G|N|N|100\nOBCI|Ocean Bio-Chem, Inc. - Common Stock|S|N|N|100\nOCAT|Ocata Therapeutics, Inc. - Common Stock|G|N|N|100\nOCC|Optical Cable Corporation - Common Stock|G|N|N|100\nOCFC|OceanFirst Financial Corp. - Common Stock|Q|N|N|100\nOCLR|Oclaro, Inc. - Common Stock|Q|N|N|100\nOCLS|Oculus Innovative Sciences, Inc. - Common Stock|S|N|D|100\nOCLSW|Oculus Innovative Sciences, Inc. - Warrants|S|N|N|100\nOCRX|Ocera Therapeutics, Inc. - Common Stock|G|N|N|100\nOCUL|Ocular Therapeutix, Inc. - Common Stock|G|N|N|100\nODFL|Old Dominion Freight Line, Inc. - Common Stock|Q|N|N|100\nODP|Office Depot, Inc. - Common Stock|Q|N|N|100\nOFED|Oconee Federal Financial Corp. - Common Stock|S|N|N|100\nOFIX|Orthofix International N.V. - Common Stock|Q|N|E|100\nOFLX|Omega Flex, Inc. - Common Stock|G|N|N|100\nOFS|OFS Capital Corporation - Common Stock|Q|N|N|100\nOGXI|OncoGenex Pharmaceuticals Inc. - Common Shares|S|N|N|100\nOHAI|OHA Investment Corporation - Closed End Fund|Q|N|N|100\nOHGI|One Horizon Group, Inc. - Common Stock|S|N|N|100\nOHRP|Ohr Pharmaceuticals, Inc. - Common Stock|S|N|N|100\nOIIM|O2Micro International Limited - Ordinary Shares each 50 shares of which are represented by an American Depositary Share|Q|N|N|100\nOKSB|Southwest Bancorp, Inc. - Common Stock|Q|N|N|100\nOLBK|Old Line Bancshares, Inc. - Common Stock|S|N|N|100\nOLED|Universal Display Corporation - Common Stock|Q|N|N|100\nOMAB|Grupo Aeroportuario del Centro Norte S.A.B. de C.V. - American Depositary Shares each representing 8 Series B shares|Q|N|N|100\nOMCL|Omnicell, Inc. - Common Stock|Q|N|N|100\nOMED|OncoMed Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nOMER|Omeros Corporation - Common Stock|G|N|N|100\nOMEX|Odyssey Marine Exploration, Inc. - Common Stock|S|N|D|100\nONB|Old National Bancorp - Common Stock|Q|N|N|100\nONCE|Spark Therapeutics, Inc. - Common Stock|Q|N|N|100\nONCY|Oncolytics Biotech, Inc. - Common Shares|S|N|D|100\nONEQ|Fidelity Nasdaq Composite Index Tracking Stock|G|N|N|100\nONFC|Oneida Financial Corp. - Common Stock|G|N|N|100\nONNN|ON Semiconductor Corporation - Common Stock|Q|N|N|100\nONTX|Onconova Therapeutics, Inc. - Common Stock|Q|N|N|100\nONTY|Oncothyreon Inc. - Common Shares|Q|N|N|100\nONVI|Onvia, Inc. - Common Stock|S|N|N|100\nOPB|Opus Bank - Common Stock|Q|N|N|100\nOPHC|OptimumBank Holdings, Inc. - Common Stock|S|N|N|100\nOPHT|Ophthotech Corporation - Common Stock|Q|N|N|100\nOPOF|Old Point Financial Corporation - Common Stock|S|N|N|100\nOPTT|Ocean Power Technologies, Inc. - Common Stock|G|N|D|100\nOPXA|Opexa Therapeutics, Inc. - Common Stock|S|N|D|100\nORBC|ORBCOMM Inc. - Common Stock|Q|N|N|100\nORBK|Orbotech Ltd. - Ordinary Shares|Q|N|N|100\nOREX|Orexigen Therapeutics, Inc. - Common Stock|Q|N|N|100\nORIG|Ocean Rig UDW Inc. - Common Stock|Q|N|N|100\nORIT|Oritani Financial Corp. - Common Stock|Q|N|N|100\nORLY|O'Reilly Automotive, Inc. - Common Stock|Q|N|N|100\nORMP|Oramed Pharmaceuticals Inc. - Common Stock|S|N|N|100\nORPN|Bio Blast Pharma Ltd. - Ordinary Shares|G|N|N|100\nORRF|Orrstown Financial Services Inc - Common Stock|S|N|N|100\nOSBC|Old Second Bancorp, Inc. - Common Stock|Q|N|N|100\nOSBCP|Old Second Bancorp, Inc. - 7.80% Cumulative Trust Preferred Securities|Q|N|N|100\nOSHC|Ocean Shore Holding Co. - Common Stock|G|N|N|100\nOSIR|Osiris Therapeutics, Inc. - Common Stock|G|N|N|100\nOSIS|OSI Systems, Inc. - Common Stock|Q|N|N|100\nOSM|SLM Corporation - Medium Term Notes, Series A, CPI-Linked Notes due March 15, 2017|G|N|N|100\nOSN|Ossen Innovation Co., Ltd. - American Depositary Shares|S|N|D|100\nOSTK|Overstock.com, Inc. - Common Stock|G|N|N|100\nOSUR|OraSure Technologies, Inc. - Common Stock|Q|N|N|100\nOTEL|Otelco Inc. - Common Stock|S|N|N|100\nOTEX|Open Text Corporation - Common Shares|Q|N|N|100\nOTIC|Otonomy, Inc. - Common Stock|Q|N|N|100\nOTIV|On Track Innovations Ltd - Ordinary Shares|G|N|N|100\nOTTR|Otter Tail Corporation - Common Stock|Q|N|N|100\nOUTR|Outerwall Inc. - Common Stock|Q|N|N|100\nOVAS|OvaScience Inc. - Common Stock|G|N|N|100\nOVBC|Ohio Valley Banc Corp. - Common Stock|G|N|N|100\nOVLY|Oak Valley Bancorp (CA) - Common Stock|S|N|N|100\nOVTI|OmniVision Technologies, Inc. - Common Stock|Q|N|N|100\nOXBR|Oxbridge Re Holdings Limited - Ordinary Shares|S|N|N|100\nOXBRW|Oxbridge Re Holdings Limited - Warrant|S|N|N|100\nOXFD|Oxford Immunotec Global PLC - Ordinary Shares|G|N|N|100\nOXGN|OXiGENE, Inc. - Common Stock|S|N|N|100\nOXLC|Oxford Lane Capital Corp. - Common Stock|Q|N|N|100\nOXLCN|Oxford Lane Capital Corp. - 8.125% Series 2024 Term Preferred Stock|Q|N|N|100\nOXLCO|Oxford Lane Capital Corp. - Term Preferred Shares, 7.50% Series 2023|Q|N|N|100\nOXLCP|Oxford Lane Capital Corp. - Term Preferred Shares, 8.50% Series 2017|Q|N|N|100\nOZRK|Bank of the Ozarks - Common Stock|Q|N|N|100\nPAAS|Pan American Silver Corp. - Common Stock|Q|N|N|100\nPACB|Pacific Biosciences of California, Inc. - Common Stock|Q|N|N|100\nPACW|PacWest Bancorp - Common Stock|Q|N|N|100\nPAGG|PowerShares Global Agriculture Portfolio|G|N|N|100\nPAHC|Phibro Animal Health Corporation - Class A Common Stock|G|N|N|100\nPANL|Pangaea Logistics Solutions Ltd. - Common Stock|S|N|N|100\nPARN|Parnell Pharmaceuticals Holdings Ltd - Ordinary Shares|G|N|N|100\nPATI|Patriot Transportation Holding, Inc. - Common Stock|Q|N|N|100\nPATK|Patrick Industries, Inc. - Common Stock|Q|N|N|100\nPAYX|Paychex, Inc. - Common Stock|Q|N|N|100\nPBCP|Polonia Bancorp, Inc. - Common Stock|S|N|N|100\nPBCT|People's United Financial, Inc. - Common Stock|Q|N|N|100\nPBHC|Pathfinder Bancorp, Inc. - Common Stock|S|N|N|100\nPBIB|Porter Bancorp, Inc. - Common Stock|S|N|D|100\nPBIP|Prudential Bancorp, Inc. - Common Stock|G|N|N|100\nPBMD|Prima BioMed Ltd - American Depositary Shares|G|N|D|100\nPBPB|Potbelly Corporation - Common Stock|Q|N|N|100\nPBSK|Poage Bankshares, Inc. - Common Stock|S|N|N|100\nPCAR|PACCAR Inc. - Common Stock|Q|N|N|100\nPCBK|Pacific Continental Corporation (Ore) - Common Stock|Q|N|N|100\nPCCC|PC Connection, Inc. - Common Stock|Q|N|N|100\nPCH|Potlatch Corporation - Common Stock|Q|N|N|100\nPCLN|The Priceline Group Inc. - Common Stock|Q|N|N|100\nPCMI|PCM, Inc. - Common Stock|G|N|N|100\nPCO|Pendrell Corporation - Class A Common Stock|Q|N|N|100\nPCOM|Points International, Ltd. - Common Shares|S|N|N|100\nPCRX|Pacira Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nPCTI|PC-Tel, Inc. - Common Stock|Q|N|N|100\nPCTY|Paylocity Holding Corporation - Common Stock|Q|N|N|100\nPCYC|Pharmacyclics, Inc. - Common Stock|Q|N|N|100\nPCYG|Park City Group, Inc. - Common Stock|S|N|N|100\nPCYO|Pure Cycle Corporation - Common Stock|S|N|N|100\nPDBC|PowerShares DB Optimum Yield Diversified Commodity Strategy Portfolio|G|N|N|100\nPDCE|PDC Energy, Inc. - Common Stock|Q|N|N|100\nPDCO|Patterson Companies, Inc. - Common Stock|Q|N|N|100\nPDEX|Pro-Dex, Inc. - Common Stock|S|N|N|100\nPDFS|PDF Solutions, Inc. - Common Stock|Q|N|N|100\nPDII|PDI, Inc. - Common Stock|G|N|N|100\nPDLI|PDL BioPharma, Inc. - Common Stock|Q|N|N|100\nPDVW|Pacific DataVision, Inc. - Common Stock|S|N|N|100\nPEBK|Peoples Bancorp of North Carolina, Inc. - Common Stock|G|N|N|100\nPEBO|Peoples Bancorp Inc. - Common Stock|Q|N|N|100\nPEGA|Pegasystems Inc. - Common Stock|Q|N|N|100\nPEGI|Pattern Energy Group Inc. - Class A Common Stock|Q|N|N|100\nPEIX|Pacific Ethanol, Inc. - Common Stock|S|N|N|100\nPENN|Penn National Gaming, Inc. - Common Stock|Q|N|N|100\nPERF|Perfumania Holdings, Inc - Common Stock|S|N|N|100\nPERI|Perion Network Ltd - ordinary shares|Q|N|N|100\nPERY|Perry Ellis International Inc. - Common Stock|Q|N|N|100\nPESI|Perma-Fix Environmental Services, Inc. - Common Stock|S|N|N|100\nPETS|PetMed Express, Inc. - Common Stock|Q|N|N|100\nPETX|Aratana Therapeutics, Inc. - Common Stock|G|N|N|100\nPFBC|Preferred Bank - Common Stock|Q|N|N|100\nPFBI|Premier Financial Bancorp, Inc. - Common Stock|G|N|N|100\nPFBX|Peoples Financial Corporation - Common Stock|S|N|N|100\nPFIE|Profire Energy, Inc. - Common Stock|S|N|N|100\nPFIN|P & F Industries, Inc. - Class A Common Stock|G|N|N|100\nPFIS|Peoples Financial Services Corp. - Common Stock|Q|N|N|100\nPFLT|PennantPark Floating Rate Capital Ltd. - Common Stock|Q|N|N|100\nPFMT|Performant Financial Corporation - Common Stock|Q|N|N|100\nPFPT|Proofpoint, Inc. - Common Stock|G|N|N|100\nPFSW|PFSweb, Inc. - Common Stock|S|N|N|100\nPGC|Peapack-Gladstone Financial Corporation - Common Stock|Q|N|N|100\nPGNX|Progenics Pharmaceuticals Inc. - Common Stock|Q|N|N|100\nPGTI|PGT, Inc. - Common Stock|G|N|N|100\nPHII|PHI, Inc. - Voting Common Stock|Q|N|N|100\nPHIIK|PHI, Inc. - Non-Voting Common Stock|Q|N|N|100\nPHMD|PhotoMedex, Inc. - Common Stock|Q|N|N|100\nPICO|PICO Holdings Inc. - Common Stock|Q|N|N|100\nPIH|1347 Property Insurance Holdings, Inc. - Common Stock|S|N|N|100\nPINC|Premier, Inc. - Class A Common Stock|Q|N|N|100\nPKBK|Parke Bancorp, Inc. - Common Stock|S|N|N|100\nPKOH|Park-Ohio Holdings Corp. - Common Stock|Q|N|N|100\nPKT|Procera Networks, Inc. - Common Stock|Q|N|N|100\nPLAB|Photronics, Inc. - Common Stock|Q|N|N|100\nPLAY|Dave & Buster's Entertainment, Inc. - Common Stock|Q|N|N|100\nPLBC|Plumas Bancorp - Common Stock|S|N|N|100\nPLCE|Children's Place, Inc. (The) - Common Stock|Q|N|N|100\nPLCM|Polycom, Inc. - Common Stock|Q|N|N|100\nPLKI|Popeyes Louisiana Kitchen, Inc. - Common Stock|Q|N|N|100\nPLMT|Palmetto Bancshares, Inc. (SC) - Common Stock|S|N|N|100\nPLNR|Planar Systems, Inc. - Common Stock|G|N|N|100\nPLPC|Preformed Line Products Company - Common Stock|Q|N|N|100\nPLPM|Planet Payment, Inc. - Common Stock|S|N|N|100\nPLTM|First Trust ISE Global Platinum Index Fund|G|N|N|100\nPLUG|Plug Power, Inc. - Common Stock|S|N|N|100\nPLUS|ePlus inc. - Common Stock|Q|N|N|100\nPLXS|Plexus Corp. - Common Stock|Q|N|N|100\nPMBC|Pacific Mercantile Bancorp - Common Stock|Q|N|N|100\nPMCS|PMC - Sierra, Inc. - Common Stock|Q|N|N|100\nPMD|Psychemedics Corporation - Common Stock|S|N|N|100\nPME|Pingtan Marine Enterprise Ltd. - Ordinary Shares|S|N|N|100\nPMFG|PMFG, Inc. - Common Stock|Q|N|N|100\nPNBK|Patriot National Bancorp Inc. - Common Stock|G|N|N|100\nPNFP|Pinnacle Financial Partners, Inc. - Common Stock|Q|N|N|100\nPNNT|PennantPark Investment Corporation - common stock|Q|N|N|100\nPNQI|PowerShares Nasdaq Internet Portfolio|G|N|N|100\nPNRA|Panera Bread Company - Class A Common Stock|Q|N|N|100\nPNRG|PrimeEnergy Corporation - Common Stock|S|N|N|100\nPNTR|Pointer Telocation Ltd. - Ordinary Shares|S|N|N|100\nPODD|Insulet Corporation - Common Stock|Q|N|N|100\nPOOL|Pool Corporation - Common Stock|Q|N|N|100\nPOPE|Pope Resources - Limited Partnership|S|N|N|100\nPOWI|Power Integrations, Inc. - Common Stock|Q|N|N|100\nPOWL|Powell Industries, Inc. - Common Stock|Q|N|N|100\nPOZN|Pozen, Inc. - Common Stock|Q|N|N|100\nPPBI|Pacific Premier Bancorp Inc - Common Stock|Q|N|N|100\nPPC|Pilgrim's Pride Corporation - Common Stock|Q|N|N|100\nPPHM|Peregrine Pharmaceuticals Inc. - Common Stock|S|N|N|100\nPPHMP|Peregrine Pharmaceuticals Inc. - 10.50% Series E Convertible Preferred Stock|S|N|N|100\nPPSI|Pioneer Power Solutions, Inc. - Common Stock|S|N|N|100\nPRAA|PRA Group, Inc. - Common Stock|Q|N|N|100\nPRAH|PRA Health Sciences, Inc. - Common Stock|Q|N|N|100\nPRAN|Prana Biotechnology Ltd - American Depositary Shares each representing ten Ordinary Shares|S|N|N|100\nPRCP|Perceptron, Inc. - Common Stock|G|N|N|100\nPRFT|Perficient, Inc. - Common Stock|Q|N|N|100\nPRFZ|PowerShares FTSE RAFI US 1500 Small-Mid Portfolio|G|N|N|100\nPRGN|Paragon Shipping Inc. - Common Stock|G|N|N|100\nPRGNL|Paragon Shipping Inc. - 8.375% Senior Notes due 2021|G|N|N|100\nPRGS|Progress Software Corporation - Common Stock|Q|N|N|100\nPRGX|PRGX Global, Inc. - Common Stock|Q|N|N|100\nPRIM|Primoris Services Corporation - Common Stock|Q|N|N|100\nPRKR|ParkerVision, Inc. - Common Stock|S|N|N|100\nPRMW|Primo Water Corporation - Common Stock|G|N|N|100\nPROV|Provident Financial Holdings, Inc. - Common Stock|Q|N|N|100\nPRPH|ProPhase Labs, Inc. - Common Stock|G|N|N|100\nPRQR|ProQR Therapeutics N.V. - Ordinary Shares|G|N|N|100\nPRSC|The Providence Service Corporation - Common Stock|Q|N|N|100\nPRSN|Perseon Corporation - Common Stock|S|N|D|100\nPRSS|CafePress Inc. - Common Stock|Q|N|N|100\nPRTA|Prothena Corporation plc - Ordinary Shares|Q|N|N|100\nPRTK|Paratek Pharmaceuticals, Inc. - Common Stock|G|N|N|100\nPRTO|Proteon Therapeutics, Inc. - Common Stock|G|N|N|100\nPRTS|U.S. Auto Parts Network, Inc. - Common Stock|Q|N|N|100\nPRXI|Premier Exhibitions, Inc. - Common Stock|S|N|D|100\nPRXL|PAREXEL International Corporation - Common Stock|Q|N|N|100\nPSAU|PowerShares Global Gold & Precious Metals Portfolio|G|N|N|100\nPSBH|PSB Holdings, Inc. - Common Stock|S|N|N|100\nPSCC|PowerShares S&P SmallCap Consumer Staples Portfolio|G|N|N|100\nPSCD|PowerShares S&P SmallCap Consumer Discretionary Portfolio|G|N|N|100\nPSCE|PowerShares S&P SmallCap Energy Portfolio|G|N|N|100\nPSCF|PowerShares S&P SmallCap Financials Portfolio|G|N|N|100\nPSCH|PowerShares S&P SmallCap Health Care Portfolio|G|N|N|100\nPSCI|PowerShares S&P SmallCap Industrials Portfolio|G|N|N|100\nPSCM|PowerShares S&P SmallCap Materials Portfolio|G|N|N|100\nPSCT|PowerShares S&P SmallCap Information Technology Portfolio|G|N|N|100\nPSCU|PowerShares S&P SmallCap Utilities Portfolio|G|N|N|100\nPSDV|pSivida Corp. - Common Stock|G|N|N|100\nPSEC|Prospect Capital Corporation - Common Stock|Q|N|N|100\nPSEM|Pericom Semiconductor Corporation - Common Stock|Q|N|N|100\nPSIX|Power Solutions International, Inc. - Common Stock|S|N|N|100\nPSMT|PriceSmart, Inc. - Common Stock|Q|N|N|100\nPSTB|Park Sterling Corporation - Common Stock|Q|N|N|100\nPSTI|Pluristem Therapeutics, Inc. - Common Stock|S|N|N|100\nPSTR|PostRock Energy Corporation - Common Stock|G|N|D|100\nPSUN|Pacific Sunwear of California, Inc. - Common Stock|Q|N|N|100\nPTBI|PlasmaTech Biopharmaceuticals, Inc. - Common Stock|S|N|N|100\nPTBIW|PlasmaTech Biopharmaceuticals, Inc. - Warrant|S|N|N|100\nPTC|PTC Inc. - Common Stock|Q|N|N|100\nPTCT|PTC Therapeutics, Inc. - Common Stock|Q|N|N|100\nPTEN|Patterson-UTI Energy, Inc. - Common Stock|Q|N|N|100\nPTIE|Pain Therapeutics - Common Stock|Q|N|N|100\nPTLA|Portola Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nPTNR|Partner Communications Company Ltd. - American Depositary Shares, each representing one ordinary share|Q|N|N|100\nPTNT|Internet Patents Corporation - Common Stock|S|N|N|100\nPTSI|P.A.M. Transportation Services, Inc. - Common Stock|G|N|N|100\nPTX|Pernix Therapeutics Holdings, Inc. - Common Stock|G|N|N|100\nPULB|Pulaski Financial Corp. - Common Stock|Q|N|N|100\nPUMP|Asante Solutions, Inc. - Common Stock|G|N|N|100\nPVTB|PrivateBancorp, Inc. - Common Stock|Q|N|N|100\nPVTBP|PrivateBancorp, Inc. - PrivateBancorp Capital Trust IV - 10% Trust Preferred|Q|N|N|100\nPWOD|Penns Woods Bancorp, Inc. - Common Stock|Q|N|N|100\nPWRD|Perfect World Co., Ltd. - American Depositary Shares, each representing five Class B ordinary shares|Q|N|N|100\nPWX|Providence and Worcester Railroad Company - Common Stock|G|N|N|100\nPXLW|Pixelworks, Inc. - Common Stock|G|N|N|100\nPZZA|Papa John'S International, Inc. - Common Stock|Q|N|N|100\nQABA|First Trust NASDAQ ABA Community Bank Index Fund|G|N|N|100\nQADA|QAD Inc. - Class A Common Stock|Q|N|N|100\nQADB|QAD Inc. - Common Stock|Q|N|N|100\nQAT|iShares MSCI Qatar Capped ETF|G|N|N|100\nQBAK|Qualstar Corporation - Common Stock|S|N|N|100\nQCCO|QC Holdings, Inc. - Common Stock|G|N|N|100\nQCLN|First Trust NASDAQ Clean Edge Green Energy Index Fund|G|N|N|100\nQCOM|QUALCOMM Incorporated - Common Stock|Q|N|N|100\nQCRH|QCR Holdings, Inc. - Common Stock|G|N|N|100\nQDEL|Quidel Corporation - Common Stock|Q|N|N|100\nQGEN|Qiagen N.V. - Common Shares|Q|N|N|100\nQINC|First Trust RBA Quality Income ETF|G|N|N|100\nQIWI|QIWI plc - American Depositary Shares|Q|N|N|100\nQKLS|QKL Stores, Inc. - Common Stock|S|N|N|100\nQLGC|QLogic Corporation - Common Stock|Q|N|N|100\nQLIK|Qlik Technologies Inc. - Common Stock|Q|N|N|100\nQLTI|QLT Inc. - Common Shares|Q|N|N|100\nQLTY|Quality Distribution, Inc. - Common Stock|G|N|N|100\nQLYS|Qualys, Inc. - Common Stock|Q|N|N|100\nQNST|QuinStreet, Inc. - Common Stock|Q|N|N|100\nQPAC|Quinpario Acquisition Corp. 2 - Common Stock|S|N|N|100\nQPACU|Quinpario Acquisition Corp. 2 - Unit|S|N|N|100\nQPACW|Quinpario Acquisition Corp. 2 - Warrant|S|N|N|100\nQQEW|First Trust NASDAQ-100 Equal Weighted Index Fund|G|N|N|100\nQQQ|PowerShares QQQ Trust, Series 1|G|N|N|100\nQQQC|Global X NASDAQ China Technology ETF|G|N|N|100\nQQQX|Nuveen NASDAQ 100 Dynamic Overwrite Fund - Shares of Beneficial Interest|Q|N|N|100\nQQXT|First Trust NASDAQ-100 Ex-Technology Sector Index Fund|G|N|N|100\nQRHC|Quest Resource Holding Corporation. - Common Stock|S|N|N|100\nQRVO|Qorvo, Inc. - Common Stock|Q|N|N|100\nQSII|Quality Systems, Inc. - Common Stock|Q|N|N|100\nQTEC|First Trust NASDAQ-100- Technology Index Fund|G|N|N|100\nQTNT|Quotient Limited - Ordinary Shares|G|N|N|100\nQTNTW|Quotient Limited - Warrant|G|N|N|100\nQTWW|Quantum Fuel Systems Technologies Worldwide, Inc. - Common Stock|S|N|N|100\nQUIK|QuickLogic Corporation - Common Stock|G|N|N|100\nQUMU|Qumu Corporation - Common Stock|Q|N|N|100\nQUNR|Qunar Cayman Islands Limited - American Depositary Shares|G|N|N|100\nQURE|uniQure N.V. - Ordinary Shares|Q|N|N|100\nQVCA|Liberty Interactive Corporation - Series A Liberty Interactive Common Stock|Q|N|N|100\nQVCB|Liberty Interactive Corporation - Series B Liberty Interactive common stock|Q|N|N|100\nQYLD|Recon Capital NASDAQ-100 Covered Call ETF|G|N|N|100\nRADA|Rada Electronics Industries Limited - Ordinary Shares|S|N|N|100\nRAIL|Freightcar America, Inc. - Common Stock|Q|N|N|100\nRAND|Rand Capital Corporation - Common Stock ($0.10 Par Value)|S|N|N|100\nRARE|Ultragenyx Pharmaceutical Inc. - Common Stock|Q|N|N|100\nRAVE|Rave Restaurant Group, Inc. - Common Stock|S|N|N|100\nRAVN|Raven Industries, Inc. - Common Stock|Q|N|N|100\nRBCAA|Republic Bancorp, Inc. - Class A Common Stock|Q|N|N|100\nRBCN|Rubicon Technology, Inc. - Common Stock|Q|N|N|100\nRBPAA|Royal Bancshares of Pennsylvania, Inc. - Class A Common Stock|G|N|N|100\nRCII|Rent-A-Center Inc. - Common Stock|Q|N|N|100\nRCKY|Rocky Brands, Inc. - Common Stock|Q|N|N|100\nRCMT|RCM Technologies, Inc. - Common Stock|G|N|N|100\nRCON|Recon Technology, Ltd. - Ordinary Shares|S|N|N|100\nRCPI|Rock Creek Pharmaceuticals, Inc. - Common Stock|S|N|D|100\nRCPT|Receptos, Inc. - Common Stock|Q|N|N|100\nRDCM|Radcom Ltd. - Ordinary Shares|S|N|N|100\nRDEN|Elizabeth Arden, Inc. - Common Stock|Q|N|N|100\nRDHL|Redhill Biopharma Ltd. - American Depositary Shares|S|N|N|100\nRDI|Reading International Inc - Class A Non-voting Common Stock|S|N|N|100\nRDIB|Reading International Inc - Class B Voting Common Stock|S|N|N|100\nRDNT|RadNet, Inc. - Common Stock|G|N|N|100\nRDUS|Radius Health, Inc. - Common Stock|G|N|N|100\nRDVY|First Trust NASDAQ Rising Dividend Achievers ETF|G|N|N|100\nRDWR|Radware Ltd. - Ordinary Shares|Q|N|N|100\nRECN|Resources Connection, Inc. - Common Stock|Q|N|N|100\nREDF|Rediff.com India Limited - American Depositary Shares, each represented by one-half of one equity share|G|N|N|100\nREFR|Research Frontiers Incorporated - Common Stock|S|N|N|100\nREGI|Renewable Energy Group, Inc. - Common Stock|Q|N|N|100\nREGN|Regeneron Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nREIS|Reis, Inc - Common Stock|Q|N|N|100\nRELL|Richardson Electronics, Ltd. - Common Stock|Q|N|N|100\nRELV|Reliv' International, Inc. - Common Stock|Q|N|N|100\nREMY|Remy International, Inc. - Common Stock|Q|N|N|100\nRENT|Rentrak Corporation - Common Stock|Q|N|N|100\nREPH|Recro Pharma, Inc. - Common Stock|S|N|N|100\nRESN|Resonant Inc. - Common Stock|S|N|N|100\nREXI|Resource America, Inc. - Class A Common Stock|Q|N|N|100\nREXX|Rex Energy Corporation - Common Stock|Q|N|N|100\nRFIL|RF Industries, Ltd. - Common Stock|G|N|N|100\nRGCO|RGC Resources Inc. - Common Stock|G|N|N|100\nRGDO|Regado BioSciences, Inc. - Common Stock|S|N|N|100\nRGDX|Response Genetics, Inc. - Common Stock|S|N|D|100\nRGEN|Repligen Corporation - Common Stock|Q|N|N|100\nRGLD|Royal Gold, Inc. - Common Stock|Q|N|N|100\nRGLS|Regulus Therapeutics Inc. - Common Stock|G|N|N|100\nRGSE|Real Goods Solar, Inc. - Class A Common Stock|S|N|D|100\nRIBT|RiceBran Technologies - Common Stock|S|N|N|100\nRIBTW|RiceBran Technologies - Warrant|S|N|N|100\nRICK|RCI Hospitality Holdings, Inc. - Common Stock|G|N|N|100\nRIGL|Rigel Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nRITT|RIT Technologies Ltd. - ordinary shares|S|N|N|100\nRITTW|RIT Technologies Ltd. - Warrants|S|N|N|100\nRIVR|River Valley Bancorp. - Common Stock|S|N|N|100\nRJET|Republic Airways Holdings, Inc. - Common Stock|Q|N|N|100\nRLJE|RLJ Entertainment, Inc. - Common Stock|S|N|N|100\nRLOC|ReachLocal, Inc. - Common Stock|Q|N|N|100\nRLOG|Rand Logistics, Inc. - Common Stock|S|N|N|100\nRLYP|Relypsa, Inc. - Common Stock|Q|N|N|100\nRMBS|Rambus, Inc. - Common Stock|Q|N|N|100\nRMCF|Rocky Mountain Chocolate Factory, Inc. - Common Stock|G|N|N|100\nRMGN|RMG Networks Holding Corporation - Common Stock|G|N|N|100\nRMTI|Rockwell Medical, Inc. - Common Stock|G|N|N|100\nRNET|RigNet, Inc. - Common Stock|Q|N|N|100\nRNST|Renasant Corporation - Common Stock|Q|N|N|100\nRNWK|RealNetworks, Inc. - Common Stock|Q|N|N|100\nROBO|Robo-Stox Global Robotics and Automation Index ETF|G|N|N|100\nROCK|Gibraltar Industries, Inc. - Common Stock|Q|N|N|100\nROIA|Radio One, Inc. - Class A Common Stock|S|N|N|100\nROIAK|Radio One, Inc. - Class D Common Stock|S|N|N|100\nROIC|Retail Opportunity Investments Corp. - Common Stock|Q|N|N|100\nROIQ|ROI Acquisition Corp. II - Common Stock|S|N|D|100\nROIQU|ROI Acquisition Corp. II - Units|S|N|D|100\nROIQW|ROI Acquisition Corp. II - Warrants|S|N|D|100\nROKA|Roka Bioscience, Inc. - Common Stock|G|N|N|100\nROLL|RBC Bearings Incorporated - Common Stock|Q|N|N|100\nROSE|Rosetta Resources Inc. - Common Stock|Q|N|N|100\nROSG|Rosetta Genomics Ltd. - ordinary shares|S|N|N|100\nROST|Ross Stores, Inc. - Common Stock|Q|N|N|100\nROVI|Rovi Corporation - Common Stock|Q|N|N|100\nROYL|Royale Energy, Inc. - Common Stock|S|N|N|100\nRP|RealPage, Inc. - Common Stock|Q|N|N|100\nRPRX|Repros Therapeutics Inc. - Common Stock|S|N|N|100\nRPRXW|Repros Therapeutics Inc. - Series A Warrant|S|N|N|100\nRPRXZ|Repros Therapeutics Inc. - Series B warrant|S|N|N|100\nRPTP|Raptor Pharmaceutical Corp. - Common Stock|G|N|N|100\nRPXC|RPX Corporation - Common Stock|Q|N|N|100\nRRD|R.R. Donnelley & Sons Company - Common Stock|Q|N|N|100\nRRGB|Red Robin Gourmet Burgers, Inc. - Common Stock|Q|N|N|100\nRRM|RR Media Ltd. - Ordinary Shares|Q|N|N|100\nRSTI|Rofin-Sinar Technologies, Inc. - Common Stock|Q|N|N|100\nRSYS|RadiSys Corporation - Common Stock|Q|N|N|100\nRTGN|Ruthigen, Inc. - Common Stock|S|N|N|100\nRTIX|RTI Surgical, Inc. - Common Stock|Q|N|N|100\nRTK|Rentech, Inc. - Common Stock|S|N|N|100\nRTRX|Retrophin, Inc. - Common Stock|G|N|N|100\nRUSHA|Rush Enterprises, Inc. - Class A Common Stock|Q|N|N|100\nRUSHB|Rush Enterprises, Inc. - Class B Common Stock|Q|N|N|100\nRUTH|Ruth's Hospitality Group, Inc. - Common Stock|Q|N|N|100\nRVBD|Riverbed Technology, Inc. - Common Stock|Q|N|N|100\nRVLT|Revolution Lighting Technologies, Inc. - Class A Common Stock|S|N|N|100\nRVNC|Revance Therapeutics, Inc. - Common Stock|G|N|N|100\nRVSB|Riverview Bancorp Inc - Common Stock|Q|N|N|100\nRWLK|ReWalk Robotics Ltd - Ordinary Shares|G|N|N|100\nRXDX|Ignyta, Inc. - Common Stock|S|N|N|100\nRXII|RXi Pharmaceuticals Corporation - Common Stock|S|N|N|100\nRYAAY|Ryanair Holdings plc - American Depositary Shares, each representing five Ordinary Shares|Q|N|N|100\nSAAS|inContact, Inc. - Common Stock|S|N|N|100\nSABR|Sabre Corporation - Common Stock|Q|N|N|100\nSAEX|SAExploration Holdings, Inc. - Common Stock|G|N|N|100\nSAFM|Sanderson Farms, Inc. - Common Stock|Q|N|N|100\nSAFT|Safety Insurance Group, Inc. - Common Stock|Q|N|N|100\nSAGE|Sage Therapeutics, Inc. - Common Stock|G|N|N|100\nSAIA|Saia, Inc. - Common Stock|Q|N|N|100\nSAJA|Sajan, Inc. - Common Stock|S|N|N|100\nSAL|Salisbury Bancorp, Inc. - Common Stock|S|N|N|100\nSALE|RetailMeNot, Inc. - Series 1 Common Stock|Q|N|N|100\nSALM|Salem Media Group, Inc. - Class A Common Stock|G|N|N|100\nSAMG|Silvercrest Asset Management Group Inc. - Common Stock|G|N|N|100\nSANM|Sanmina Corporation - Common Stock|Q|N|N|100\nSANW|S&W Seed Company - Common Stock|S|N|N|100\nSANWZ|S&W Seed Company - Warrants Class B 04/23/2015|S|N|N|100\nSASR|Sandy Spring Bancorp, Inc. - Common Stock|Q|N|N|100\nSATS|EchoStar Corporation - common stock|Q|N|N|100\nSAVE|Spirit Airlines, Inc. - Common Stock|Q|N|N|100\nSBAC|SBA Communications Corporation - Common Stock|Q|N|N|100\nSBBX|Sussex Bancorp - Common Stock|G|N|N|100\nSBCF|Seacoast Banking Corporation of Florida - Common Stock|Q|N|N|100\nSBCP|Sunshine Bancorp, Inc. - Common Stock|S|N|N|100\nSBFG|SB Financial Group, Inc. - Common Stock|S|N|N|100\nSBFGP|SB Financial Group, Inc. - Depositary Shares each representing a 1/100th interest in a 6.50% Noncumulative convertible perpetual preferred share, Series A|S|N|N|100\nSBGI|Sinclair Broadcast Group, Inc. - Class A Common Stock|Q|N|N|100\nSBLK|Star Bulk Carriers Corp. - Common Stock|Q|N|N|100\nSBLKL|Star Bulk Carriers Corp. - 8.00% Senior Notes Due 2019|Q|N|N|100\nSBNY|Signature Bank - Common Stock|Q|N|N|100\nSBNYW|Signature Bank - Warrants 12/12/2018|Q|N|N|100\nSBRA|Sabra Healthcare REIT, Inc. - Common Stock|Q|N|N|100\nSBRAP|Sabra Healthcare REIT, Inc. - 7.125% Preferred Series A (United States)|Q|N|N|100\nSBSA|Spanish Broadcasting System, Inc. - Class A Common Stock|G|N|N|100\nSBSI|Southside Bancshares, Inc. - Common Stock|Q|N|N|100\nSBUX|Starbucks Corporation - Common Stock|Q|N|N|100\nSCAI|Surgical Care Affiliates, Inc. - Common Stock|Q|N|N|100\nSCHL|Scholastic Corporation - Common Stock|Q|N|N|100\nSCHN|Schnitzer Steel Industries, Inc. - Class A Common Stock|Q|N|N|100\nSCLN|SciClone Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nSCMP|Sucampo Pharmaceuticals, Inc. - Class A Common Stock|G|N|N|100\nSCOK|SinoCoking Coal and Coke Chemical Industries, Inc - Common Stock|S|N|N|100\nSCON|Superconductor Technologies Inc. - Common Stock|S|N|N|100\nSCOR|comScore, Inc. - Common Stock|Q|N|N|100\nSCSC|ScanSource, Inc. - Common Stock|Q|N|N|100\nSCSS|Select Comfort Corporation - Common Stock|Q|N|N|100\nSCTY|SolarCity Corporation - Common Stock|Q|N|N|100\nSCVL|Shoe Carnival, Inc. - Common Stock|Q|N|N|100\nSCYX|SCYNEXIS, Inc. - Common Stock|G|N|N|100\nSEAC|SeaChange International, Inc. - Common Stock|Q|N|N|100\nSEDG|SolarEdge Technologies, Inc. - Common Stock|Q|N|N|100\nSEED|Origin Agritech Limited - Common Stock|Q|N|N|100\nSEIC|SEI Investments Company - Common Stock|Q|N|N|100\nSEMI|SunEdison Semiconductor Limited - Ordinary Shares|Q|N|N|100\nSENEA|Seneca Foods Corp. - Class A Common Stock|Q|N|N|100\nSENEB|Seneca Foods Corp. - Class B Common Stock|Q|N|N|100\nSEV|Sevcon, Inc. - Common Stock|S|N|N|100\nSFBC|Sound Financial Bancorp, Inc. - Common Stock|S|N|N|100\nSFBS|ServisFirst Bancshares, Inc. - Common Stock|Q|N|N|100\nSFLY|Shutterfly, Inc. - Common Stock|Q|N|N|100\nSFM|Sprouts Farmers Market, Inc. - Common Stock|Q|N|N|100\nSFNC|Simmons First National Corporation - Common Stock|Q|N|N|100\nSFST|Southern First Bancshares, Inc. - Common Stock|G|N|N|100\nSFXE|SFX Entertainment, Inc. - Common Stock|Q|N|N|100\nSGBK|Stonegate Bank - Common Stock|Q|N|N|100\nSGC|Superior Uniform Group, Inc. - Common Stock|G|N|N|100\nSGEN|Seattle Genetics, Inc. - Common Stock|Q|N|N|100\nSGI|Silicon Graphics International Corp - Common Stock|Q|N|N|100\nSGMA|SigmaTron International, Inc. - Common Stock|S|N|N|100\nSGMO|Sangamo BioSciences, Inc. - Common Stock|Q|N|N|100\nSGMS|Scientific Games Corp - Class A Common Stock|Q|N|N|100\nSGNL|Signal Genetics, Inc. - Common Stock|S|N|N|100\nSGNT|Sagent Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nSGOC|SGOCO Group, Ltd - Ordinary Shares (Cayman Islands)|S|N|D|100\nSGRP|SPAR Group, Inc. - Common Stock|S|N|N|100\nSGYP|Synergy Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nSGYPU|Synergy Pharmaceuticals, Inc. - Unit|S|N|N|100\nSGYPW|Synergy Pharmaceuticals, Inc. - Warrants|S|N|N|100\nSHBI|Shore Bancshares Inc - Common Stock|Q|N|N|100\nSHEN|Shenandoah Telecommunications Co - Common Stock|Q|N|N|100\nSHIP|Seanergy Maritime Holdings Corp - Common Stock|S|N|D|100\nSHLD|Sears Holdings Corporation - Common Stock|Q|N|N|100\nSHLDW|Sears Holdings Corporation - Warrant|Q|N|N|100\nSHLM|A. Schulman, Inc. - Common Stock|Q|N|N|100\nSHLO|Shiloh Industries, Inc. - Common Stock|Q|N|N|100\nSHOO|Steven Madden, Ltd. - Common Stock|Q|N|N|100\nSHOR|ShoreTel, Inc. - Common Stock|Q|N|N|100\nSHOS|Sears Hometown and Outlet Stores, Inc. - Common Stock|S|N|N|100\nSHPG|Shire plc - American Depositary Shares, each representing three Ordinary Shares|Q|N|N|100\nSIAL|Sigma-Aldrich Corporation - Common Stock|Q|N|N|100\nSIBC|State Investors Bancorp, Inc. - Common Stock|S|N|N|100\nSIEB|Siebert Financial Corp. - Common Stock|S|N|N|100\nSIEN|Sientra, Inc. - Common Stock|Q|N|N|100\nSIFI|SI Financial Group, Inc. - Common Stock|G|N|N|100\nSIFY|Sify Technologies Limited - American Depository Shares, each represented by one Equity Share|Q|N|N|100\nSIGI|Selective Insurance Group, Inc. - Common Stock|Q|N|N|100\nSIGM|Sigma Designs, Inc. - Common Stock|Q|N|N|100\nSILC|Silicom Ltd - Ordinary Shares|Q|N|N|100\nSIMO|Silicon Motion Technology Corporation - American Depositary Shares, each representing four ordinary shares|Q|N|N|100\nSINA|Sina Corporation - Ordinary Shares|Q|N|N|100\nSINO|Sino-Global Shipping America, Ltd. - Common Stock|S|N|N|100\nSIRI|Sirius XM Holdings Inc. - Common Stock|Q|N|N|100\nSIRO|Sirona Dental Systems, Inc. - Common Stock|Q|N|N|100\nSIVB|SVB Financial Group - Common Stock|Q|N|N|100\nSIVBO|SVB Financial Group - 7% Cumulative Trust Preferred Securities - SVB Capital II|Q|N|N|100\nSIXD|6D Global Technologies, Inc. - Common Stock|S|N|N|100\nSKBI|Skystar Bio-Pharmaceutical Company - Common Stock|S|N|N|100\nSKIS|Peak Resorts, Inc. - Common Stock|G|N|N|100\nSKOR|FlexShares Credit-Scored US Corporate Bond Index Fund|G|N|N|100\nSKUL|Skullcandy, Inc. - Common Stock|Q|N|N|100\nSKYS|Sky Solar Holdings, Ltd. - American Depositary Shares|S|N|N|100\nSKYW|SkyWest, Inc. - Common Stock|Q|N|N|100\nSKYY|First Trust ISE Cloud Computing Index Fund|G|N|N|100\nSLAB|Silicon Laboratories, Inc. - Common Stock|Q|N|N|100\nSLCT|Select Bancorp, Inc. - Common Stock|G|N|N|100\nSLGN|Silgan Holdings Inc. - Common Stock|Q|N|N|100\nSLM|SLM Corporation - Common Stock|Q|N|N|100\nSLMAP|SLM Corporation - 6.97% Cumulative Redeemable Preferred Stock, Series A|Q|N|N|100\nSLMBP|SLM Corporation - Floating Rate Non-Cumulative Preferred Stock, Series B|Q|N|N|100\nSLP|Simulations Plus, Inc. - Common Stock|S|N|N|100\nSLRC|Solar Capital Ltd. - Common Stock|Q|N|N|100\nSLTC|Selectica, Inc. - Common Stock|S|N|N|100\nSLTD|Solar3D, Inc. - Common Stock|S|N|N|100\nSLVO|Credit Suisse AG - Credit Suisse Silver Shares Covered Call Exchange Traded Notes|G|N|N|100\nSMAC|Sino Mercury Acquisition Corp. - Common Stock|S|N|N|100\nSMACR|Sino Mercury Acquisition Corp. - Right|S|N|N|100\nSMACU|Sino Mercury Acquisition Corp. - Unit|S|N|N|100\nSMBC|Southern Missouri Bancorp, Inc. - Common Stock|G|N|N|100\nSMCI|Super Micro Computer, Inc. - Common Stock|Q|N|N|100\nSMED|Sharps Compliance Corp - Common Stock|S|N|N|100\nSMIT|Schmitt Industries, Inc. - Common Stock|S|N|N|100\nSMLR|Semler Scientific, Inc. - Common Stock|S|N|N|100\nSMMF|Summit Financial Group, Inc. - Common Stock|S|N|N|100\nSMMT|Summit Therapeutics plc - American Depositary Shares|G|N|N|100\nSMRT|Stein Mart, Inc. - Common Stock|Q|N|N|100\nSMSI|Smith Micro Software, Inc. - Common Stock|Q|N|N|100\nSMT|SMART Technologies Inc. - Common Shares|Q|N|N|100\nSMTC|Semtech Corporation - Common Stock|Q|N|N|100\nSMTP|SMTP, Inc. - Common Stock|S|N|N|100\nSMTX|SMTC Corporation - Common Stock|G|N|N|100\nSNAK|Inventure Foods, Inc. - Common Stock|Q|N|N|100\nSNBC|Sun Bancorp, Inc. - Common Stock|Q|N|N|100\nSNC|State National Companies, Inc. - Common Stock|Q|N|N|100\nSNCR|Synchronoss Technologies, Inc. - Common Stock|Q|N|N|100\nSNDK|SanDisk Corporation - Common Stock|Q|N|N|100\nSNFCA|Security National Financial Corporation - Class A Common Stock|G|N|N|100\nSNHY|Sun Hydraulics Corporation - Common Stock|Q|N|N|100\nSNMX|Senomyx, Inc. - Common Stock|G|N|N|100\nSNPS|Synopsys, Inc. - Common Stock|Q|N|N|100\nSNSS|Sunesis Pharmaceuticals, Inc. - Common Stock|S|N|N|100\nSNTA|Synta Pharmaceuticals Corp. - Common Stock|G|N|N|100\nSOCB|Southcoast Financial Corporation - Common Stock|G|N|N|100\nSOCL|Global X Social Media Index ETF|G|N|N|100\nSODA|SodaStream International Ltd. - Ordinary Shares|Q|N|N|100\nSOFO|Sonic Foundry, Inc. - Common Stock|S|N|N|100\nSOHO|Sotherly Hotels Inc. - Common Stock|G|N|N|100\nSOHOL|Sotherly Hotels LP - 8.00% Senior Unsecured Notes Due 2018|G|N|N|100\nSOHOM|Sotherly Hotels LP - 7.00% Senior Notes|G|N|N|100\nSOHU|Sohu.com Inc. - Common Stock|Q|N|N|100\nSONA|Southern National Bancorp of Virginia, Inc. - Common Stock|G|N|N|100\nSONC|Sonic Corp. - Common Stock|Q|N|N|100\nSONS|Sonus Networks, Inc. - Common Stock|Q|N|N|100\nSORL|SORL Auto Parts, Inc. - Common Stock|G|N|N|100\nSOXX|iShares PHLX SOX Semiconductor Sector Index Fund|G|N|N|100\nSP|SP Plus Corporation - Common Stock|Q|N|N|100\nSPAN|Span-America Medical Systems, Inc. - Common Stock|G|N|N|100\nSPAR|Spartan Motors, Inc. - Common Stock|Q|N|N|100\nSPCB|SuperCom, Ltd. - Ordinary Shares|S|N|N|100\nSPDC|Speed Commerce, Inc. - Common Stock|G|N|N|100\nSPEX|Spherix Incorporated - Common Stock|S|N|D|100\nSPHS|Sophiris Bio, Inc. - Common Shares|G|N|D|100\nSPIL|Siliconware Precision Industries Company, Ltd. - ADS represents common shares|Q|N|N|100\nSPKE|Spark Energy, Inc. - Class A Common Stock|Q|N|N|100\nSPLK|Splunk Inc. - Common Stock|Q|N|N|100\nSPLS|Staples, Inc. - Common Stock|Q|N|N|100\nSPNC|The Spectranetics Corporation - Common Stock|Q|N|N|100\nSPNS|Sapiens International Corporation N.V. - Common Shares|S|N|N|100\nSPOK|Spok Holdings, Inc. - Common Stock|Q|N|N|100\nSPPI|Spectrum Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nSPPR|Supertel Hospitality, Inc. - Common Stock|G|N|N|100\nSPPRO|Supertel Hospitality, Inc. - Series B Cumulative Preferred Stock|G|N|N|100\nSPPRP|Supertel Hospitality, Inc. - Series A Convertible Preferred Stock|G|N|N|100\nSPRO|SmartPros Ltd. - Common Stock|S|N|N|100\nSPRT|support.com, Inc. - Common Stock|Q|N|N|100\nSPSC|SPS Commerce, Inc. - Common Stock|Q|N|N|100\nSPTN|SpartanNash Company - Common Stock|Q|N|N|100\nSPU|SkyPeople Fruit Juice, Inc. - Common Stock|G|N|N|100\nSPWH|Sportsman's Warehouse Holdings, Inc. - Common Stock|Q|N|N|100\nSPWR|SunPower Corporation - Common Stock|Q|N|N|100\nSQBG|Sequential Brands Group, Inc. - Common Stock|S|N|N|100\nSQBK|Square 1 Financial, Inc. - Class A Common Stock|Q|N|N|100\nSQI|SciQuest, Inc. - Common Stock|Q|N|N|100\nSQNM|Sequenom, Inc. - Common Stock|Q|N|N|100\nSQQQ|ProShares UltraPro Short QQQ|G|N|N|100\nSRCE|1st Source Corporation - Common Stock|Q|N|N|100\nSRCL|Stericycle, Inc. - Common Stock|Q|N|N|100\nSRDX|SurModics, Inc. - Common Stock|Q|N|N|100\nSRET|Global X SuperDividend REIT ETF|G|N|N|100\nSREV|ServiceSource International, Inc. - Common Stock|Q|N|N|100\nSRNE|Sorrento Therapeutics, Inc. - Common Stock|S|N|N|100\nSRPT|Sarepta Therapeutics, Inc. - Common Stock|Q|N|N|100\nSRSC|Sears Canada Inc. - Common Shares|Q|N|N|100\nSSB|South State Corporation - Common Stock|Q|N|N|100\nSSBI|Summit State Bank - Common Stock|G|N|N|100\nSSFN|Stewardship Financial Corp - Common Stock|S|N|N|100\nSSH|Sunshine Heart Inc - Common Stock|S|N|N|100\nSSNC|SS&C Technologies Holdings, Inc. - Common Stock|Q|N|N|100\nSSRG|Symmetry Surgical Inc. - Common Stock|G|N|N|100\nSSRI|Silver Standard Resources Inc. - Common Stock|Q|N|N|100\nSSYS|Stratasys, Ltd. - Common Stock|Q|N|N|100\nSTAA|STAAR Surgical Company - Common Stock|G|N|N|100\nSTB|Student Transportation Inc - Common shares|Q|N|N|100\nSTBA|S&T Bancorp, Inc. - Common Stock|Q|N|N|100\nSTBZ|State Bank Financial Corporation. - Common Stock|S|N|N|100\nSTCK|Stock Building Supply Holdings, Inc. - Common Stock|Q|N|N|100\nSTDY|SteadyMed Ltd. - Ordinary Shares|G|N|N|100\nSTEM|StemCells, Inc. - Common Stock|S|N|N|100\nSTFC|State Auto Financial Corporation - Common Stock|Q|N|N|100\nSTKL|SunOpta, Inc. - Common Stock|Q|N|N|100\nSTLD|Steel Dynamics, Inc. - Common Stock|Q|N|N|100\nSTLY|Stanley Furniture Company, Inc. - Common Stock|Q|N|N|100\nSTML|Stemline Therapeutics, Inc. - Common Stock|S|N|N|100\nSTMP|Stamps.com Inc. - Common Stock|Q|N|N|100\nSTNR|Steiner Leisure Limited - Common Shares|Q|N|N|100\nSTPP|Barclays PLC - iPath US Treasury Steepener ETN|G|N|N|100\nSTRA|Strayer Education, Inc. - Common Stock|Q|N|N|100\nSTRL|Sterling Construction Company Inc - Common Stock|Q|N|N|100\nSTRM|Streamline Health Solutions, Inc. - Common Stock|S|N|N|100\nSTRN|Sutron Corporation - Common Stock|S|N|N|100\nSTRS|Stratus Properties, Inc. - Common Stock|Q|N|N|100\nSTRT|Strattec Security Corporation - Common Stock|G|N|N|100\nSTRZA|Starz - Series A Common Stock|Q|N|N|100\nSTRZB|Starz - Series B Common Stock|Q|N|N|100\nSTX|Seagate Technology. - Common Stock|Q|N|N|100\nSTXS|Stereotaxis, Inc. - Common Stock|S|N|N|100\nSUBK|Suffolk Bancorp - Common Stock|Q|N|N|100\nSUMR|Summer Infant, Inc. - Common Stock|S|N|N|100\nSUNS|Solar Senior Capital Ltd. - Common Stock|Q|N|N|100\nSUPN|Supernus Pharmaceuticals, Inc. - Common Stock|G|N|N|100\nSURG|Synergetics USA, Inc. - Common Stock|S|N|N|100\nSUSQ|Susquehanna Bancshares, Inc. - Common Stock|Q|N|N|100\nSUTR|Sutor Technology Group Limited - Common Stock|S|N|D|100\nSVA|Sinovac Biotech, Ltd. - Ordinary Shares (Antigua/Barbudo)|Q|N|N|100\nSVBI|Severn Bancorp Inc - Common Stock|S|N|N|100\nSVVC|Firsthand Technology Value Fund, Inc. - Common Stock|Q|N|N|100\nSWHC|Smith & Wesson Holding Corporation - Common Stock|Q|N|N|100\nSWIR|Sierra Wireless, Inc. - Common Stock|Q|N|N|100\nSWKS|Skyworks Solutions, Inc. - Common Stock|Q|N|N|100\nSWSH|Swisher Hygiene, Inc. - Common Stock|S|N|N|100\nSYBT|Stock Yards Bancorp, Inc. - Common Stock|Q|N|N|100\nSYKE|Sykes Enterprises, Incorporated - Common Stock|Q|N|N|100\nSYMC|Symantec Corporation - Common Stock|Q|N|N|100\nSYMX|Synthesis Energy Systems, Inc. - Common Stock|G|N|D|100\nSYNA|Synaptics Incorporated - Common Stock|Q|N|N|100\nSYNC|Synacor, Inc. - Common Stock|G|N|N|100\nSYNL|Synalloy Corporation - Common Stock|G|N|N|100\nSYNT|Syntel, Inc. - Common Stock|Q|N|N|100\nSYPR|Sypris Solutions, Inc. - Common Stock|G|N|N|100\nSYRX|Sysorex Global Holding Corp. - Common Stock|S|N|N|100\nSYUT|Synutra International, Inc. - Common Stock|Q|N|N|100\nSZMK|Sizmek Inc. - Common Stock|Q|N|N|100\nSZYM|Solazyme, Inc. - Common Stock|Q|N|N|100\nTACT|TransAct Technologies Incorporated - Common Stock|G|N|N|100\nTAIT|Taitron Components Incorporated - Class A Common Stock|S|N|N|100\nTANH|Tantech Holdings Ltd. - Common Stock|S|N|N|100\nTAPR|Barclays PLC - Barclays Inverse US Treasury Composite ETN|G|N|N|100\nTASR|TASER International, Inc. - Common Stock|Q|N|N|100\nTAST|Carrols Restaurant Group, Inc. - Common Stock|Q|N|N|100\nTATT|TAT Technologies Ltd. - Ordinary Shares|G|N|N|100\nTAX|Liberty Tax, Inc. - Class A Common Stock|Q|N|N|100\nTAXI|Medallion Financial Corp. - Common Stock|Q|N|N|100\nTAYD|Taylor Devices, Inc. - Common Stock|S|N|N|100\nTBBK|The Bancorp, Inc. - Common Stock|Q|N|N|100\nTBIO|Transgenomic, Inc. - Common Stock|S|N|N|100\nTBK|Triumph Bancorp, Inc. - Common Stock|Q|N|N|100\nTBNK|Territorial Bancorp Inc. - Common Stock|Q|N|N|100\nTBPH|Theravance Biopharma, Inc. - Ordinary Shares|G|N|N|100\nTCBI|Texas Capital Bancshares, Inc. - Common Stock|Q|N|N|100\nTCBIL|Texas Capital Bancshares, Inc. - 6.50% Subordinated Notes due 2042|Q|N|N|100\nTCBIP|Texas Capital Bancshares, Inc. - Non Cumulative Preferred Perpetual Stock Series A|Q|N|N|100\nTCBIW|Texas Capital Bancshares, Inc. - Warrants 01/16/2019|Q|N|N|100\nTCBK|TriCo Bancshares - Common Stock|Q|N|N|100\nTCCO|Technical Communications Corporation - Common Stock|S|N|N|100\nTCFC|The Community Financial Corporation - Common Stock|S|N|N|100\nTCON|TRACON Pharmaceuticals, Inc. - Common Stock|G|N|N|100\nTCPC|TCP Capital Corp. - Common Stock|Q|N|N|100\nTCRD|THL Credit, Inc. - Common Stock|Q|N|N|100\nTCX|Tucows Inc. - Common Stock|S|N|N|100\nTDIV|First Trust Exchange-Traded Fund VI First Trust NASDAQ Technology Dividend Index Fund|G|N|N|100\nTEAR|TearLab Corporation - Common Stock|S|N|N|100\nTECD|Tech Data Corporation - Common Stock|Q|N|N|100\nTECH|Bio-Techne Corp - Common Stock|Q|N|N|100\nTECU|Tecumseh Products Company - Common Stock|Q|N|N|100\nTEDU|Tarena International, Inc. - American Depositary Shares|Q|N|N|100\nTENX|Tenax Therapeutics, Inc. - Common Stock|S|N|N|100\nTERP|TerraForm Power, Inc. - Class A Common Stock|Q|N|N|100\nTESO|Tesco Corporation - Common Stock|Q|N|N|100\nTESS|TESSCO Technologies Incorporated - Common Stock|Q|N|N|100\nTFM|The Fresh Market, Inc. - Common Stock|Q|N|N|100\nTFSC|1347 Capital Corp. - Common Stock|S|N|N|100\nTFSCR|1347 Capital Corp. - Right|S|N|N|100\nTFSCU|1347 Capital Corp. - Unit|S|N|N|100\nTFSCW|1347 Capital Corp. - Warrant|S|N|N|100\nTFSL|TFS Financial Corporation - Common Stock|Q|N|N|100\nTGA|Transglobe Energy Corp - Ordinary Shares|Q|N|N|100\nTGEN|Tecogen Inc. - Common Stock|S|N|N|100\nTGLS|Tecnoglass Inc. - Ordinary Shares|S|N|N|100\nTGTX|TG Therapeutics, Inc. - Common Stock|S|N|N|100\nTHFF|First Financial Corporation Indiana - Common Stock|Q|N|N|100\nTHLD|Threshold Pharmaceuticals, Inc. - Common Stock|S|N|N|100\nTHOR|Thoratec Corporation - Common Stock|Q|N|N|100\nTHRM|Gentherm Inc - Common Stock|Q|N|N|100\nTHRX|Theravance, Inc. - Common Stock|Q|N|N|100\nTHST|Truett-Hurst, Inc. - Class A Common Stock|S|N|N|100\nTHTI|THT Heat Transfer Technology, Inc. - Common Stock|S|N|N|100\nTICC|TICC Capital Corp. - Closed End Fund|Q|N|N|100\nTIGR|TigerLogic Corporation - Common Stock|S|N|D|100\nTILE|Interface, Inc. - Common Stock|Q|N|N|100\nTINY|Harris & Harris Group, Inc. - Common Stock|G|N|N|100\nTIPT|Tiptree Financial Inc. - Class A Common Stock|S|N|N|100\nTISA|Top Image Systems, Ltd. - Ordinary Shares|S|N|N|100\nTITN|Titan Machinery Inc. - Common Stock|Q|N|N|100\nTIVO|TiVo Inc. - Common Stock|Q|N|N|100\nTKAI|Tokai Pharmaceuticals, Inc. - Common Stock|G|N|N|100\nTKMR|Tekmira Pharmaceuticals Corp - Common Stock|S|N|N|100\nTLF|Tandy Leather Factory, Inc. - Common Stock|G|N|N|100\nTLMR|Talmer Bancorp, Inc. - Class A Common Stock|S|N|N|100\nTLOG|TetraLogic Pharmaceuticals Corporation - Common Stock|G|N|N|100\nTNAV|Telenav, Inc. - Common Stock|Q|N|N|100\nTNDM|Tandem Diabetes Care, Inc. - Common Stock|G|N|N|100\nTNGO|Tangoe, Inc. - Common Stock|Q|N|N|100\nTNXP|Tonix Pharmaceuticals Holding Corp. - Common Stock|G|N|N|100\nTOPS|TOP Ships Inc. - Common Stock|Q|N|N|100\nTORM|TOR Minerals International Inc - Common Stock|S|N|N|100\nTOUR|Tuniu Corporation - American Depositary Shares|G|N|N|100\nTOWN|Towne Bank - Common Stock|Q|N|N|100\nTQQQ|ProShares UltraPro QQQ|G|N|N|100\nTRAK|Dealertrack Technologies, Inc. - Common Stock|Q|N|N|100\nTRCB|Two River Bancorp - Common Stock|S|N|N|100\nTRCH|Torchlight Energy Resources, Inc. - Common Stock|S|N|D|100\nTREE|LendingTree, Inc. - Common Stock|Q|N|N|100\nTRGT|Targacept, Inc. - Common Stock|Q|N|N|100\nTRIB|Trinity Biotech plc - American Depositary Shares each representing 4 A Ordinary Shares|Q|N|N|100\nTRIL|Trillium Therapeutics Inc. - Common Shares|S|N|N|100\nTRIP|TripAdvisor, Inc. - Common Stock|Q|N|N|100\nTRIV|TriVascular Technologies, Inc. - Common Stock|Q|N|N|100\nTRMB|Trimble Navigation Limited - Common Stock|Q|N|N|100\nTRMK|Trustmark Corporation - Common Stock|Q|N|N|100\nTRNS|Transcat, Inc. - Common Stock|G|N|N|100\nTRNX|Tornier N.V. - Ordinary Shares|Q|N|N|100\nTROV|TrovaGene, Inc. - Common Stock|S|N|N|100\nTROVU|TrovaGene, Inc. - Unit|S|N|N|100\nTROVW|TrovaGene, Inc. - Warrant|S|N|N|100\nTROW|T. Rowe Price Group, Inc. - Common Stock|Q|N|N|100\nTRS|TriMas Corporation - Common Stock|Q|N|N|100\nTRST|TrustCo Bank Corp NY - Common Stock|Q|N|N|100\nTRTL|Terrapin 3 Acquisition Corporation - Class A Common Stock|S|N|N|100\nTRTLU|Terrapin 3 Acquisition Corporation - Units|S|N|N|100\nTRTLW|Terrapin 3 Acquisition Corporation - Warrants|S|N|N|100\nTRUE|TrueCar, Inc. - Common Stock|Q|N|N|100\nTRVN|Trevena, Inc. - Common Stock|Q|N|N|100\nTSBK|Timberland Bancorp, Inc. - Common Stock|G|N|N|100\nTSC|TriState Capital Holdings, Inc. - Common Stock|Q|N|N|100\nTSCO|Tractor Supply Company - Common Stock|Q|N|N|100\nTSEM|Tower Semiconductor Ltd. - Ordinary Shares|Q|N|N|100\nTSLA|Tesla Motors, Inc. - Common Stock|Q|N|N|100\nTSRA|Tessera Technologies, Inc. - Common Stock|Q|N|N|100\nTSRE|Trade Street Residential, Inc. - Common Stock|G|N|N|100\nTSRI|TSR, Inc. - Common Stock|S|N|N|100\nTSRO|TESARO, Inc. - Common Stock|Q|N|N|100\nTST|TheStreet, Inc. - Common Stock|G|N|N|100\nTSYS|TeleCommunication Systems, Inc. - Class A Common Stock|Q|N|N|100\nTTEC|TeleTech Holdings, Inc. - Common Stock|Q|N|N|100\nTTEK|Tetra Tech, Inc. - Common Stock|Q|N|N|100\nTTGT|TechTarget, Inc. - Common Stock|G|N|N|100\nTTHI|Transition Therapeutics, Inc. - Ordinary Shares (Canada)|G|N|N|100\nTTMI|TTM Technologies, Inc. - Common Stock|Q|N|N|100\nTTOO|T2 Biosystems, Inc. - Common Stock|G|N|N|100\nTTPH|Tetraphase Pharmaceuticals, Inc. - Common Stock|Q|N|N|100\nTTS|Tile Shop Hldgs, Inc. - Common Stock|Q|N|N|100\nTTWO|Take-Two Interactive Software, Inc. - Common Stock|Q|N|N|100\nTUBE|TubeMogul, Inc. - Common Stock|Q|N|N|100\nTUES|Tuesday Morning Corp. - Common Stock|Q|N|N|100\nTUSA|First Trust Total US Market AlphaDEX ETF|G|N|N|100\nTUTT|Tuttle Tactical Management U.S. Core ETF|G|N|N|100\nTVIX|Credit Suisse AG - VelocityShares Daily 2x VIX Short Term ETN|G|N|N|100\nTVIZ|Credit Suisse AG - VelocityShares Daily 2x VIX Medium Term ETN|G|N|N|100\nTW|Towers Watson & Co. - Common Stock Class A|Q|N|N|100\nTWER|Towerstream Corporation - Common Stock|S|N|N|100\nTWIN|Twin Disc, Incorporated - Common Stock|Q|N|N|100\nTWMC|Trans World Entertainment Corp. - Common Stock|G|N|N|100\nTWOU|2U, Inc. - Common Stock|Q|N|N|100\nTXN|Texas Instruments Incorporated - Common Stock|Q|N|N|100\nTXRH|Texas Roadhouse, Inc. - Common Stock|Q|N|N|100\nTYPE|Monotype Imaging Holdings Inc. - Common Stock|Q|N|N|100\nTZOO|Travelzoo Inc. - Common Stock|Q|N|N|100\nUACL|Universal Truckload Services, Inc. - Common Stock|Q|N|N|100\nUAE|iShares MSCI UAE Capped ETF|G|N|N|100\nUBCP|United Bancorp, Inc. - Common Stock|S|N|N|100\nUBFO|United Security Bancshares - Common Stock|Q|N|N|100\nUBIC|UBIC, Inc. - American Depositary Shares|Q|N|N|100\nUBNK|United Financial Bancorp, Inc. - Common Stock|Q|N|N|100\nUBNT|Ubiquiti Networks, Inc. - Common Stock|Q|N|N|100\nUBOH|United Bancshares, Inc. - Common Stock|G|N|N|100\nUBSH|Union Bankshares Corporation - Common Stock|Q|N|N|100\nUBSI|United Bankshares, Inc. - Common Stock|Q|N|N|100\nUCBA|United Community Bancorp - Common Stock|G|N|N|100\nUCBI|United Community Banks, Inc. - Common Stock|Q|N|N|100\nUCFC|United Community Financial Corp. - Common Stock|Q|N|N|100\nUCTT|Ultra Clean Holdings, Inc. - Common Stock|Q|N|N|100\nUDF|United Development Funding IV - Common Shares of Beneficial Interest|Q|N|N|100\nUEIC|Universal Electronics Inc. - Common Stock|Q|N|N|100\nUEPS|Net 1 UEPS Technologies, Inc. - Common Stock|Q|N|N|100\nUFCS|United Fire Group, Inc - Common Stock|Q|N|N|100\nUFPI|Universal Forest Products, Inc. - Common Stock|Q|N|N|100\nUFPT|UFP Technologies, Inc. - Common Stock|S|N|N|100\nUG|United-Guardian, Inc. - Common Stock|G|N|N|100\nUGLD|Credit Suisse AG - VelocityShares 3x Long Gold ETN|G|N|N|100\nUHAL|Amerco - Common Stock|Q|N|N|100\nUIHC|United Insurance Holdings Corp. - Common Stock|S|N|N|100\nULBI|Ultralife Corporation - Common Stock|G|N|N|100\nULTA|Ulta Salon, Cosmetics & Fragrance, Inc. - Common Stock|Q|N|N|100\nULTI|The Ultimate Software Group, Inc. - Common Stock|Q|N|N|100\nULTR|Ultrapetrol (Bahamas) Limited - common stock|Q|N|N|100\nUMBF|UMB Financial Corporation - Common Stock|Q|N|N|100\nUMPQ|Umpqua Holdings Corporation - Common Stock|Q|N|N|100\nUNAM|Unico American Corporation - Common Stock|G|N|N|100\nUNB|Union Bankshares, Inc. - Common Stock|G|N|N|100\nUNFI|United Natural Foods, Inc. - Common Stock|Q|N|N|100\nUNIS|Unilife Corporation - Common Stock|G|N|N|100\nUNTD|United Online, Inc. - Common Stock|Q|N|N|100\nUNTY|Unity Bancorp, Inc. - Common Stock|G|N|N|100\nUNXL|Uni-Pixel, Inc. - Common Stock|S|N|N|100\nUPIP|Unwired Planet, Inc. - Common Stock|Q|N|D|100\nUPLD|Upland Software, Inc. - Common Stock|G|N|N|100\nURBN|Urban Outfitters, Inc. - Common Stock|Q|N|N|100\nUREE|U.S. Rare Earths, Inc. - Common Stock|S|N|N|100\nUREEW|U.S. Rare Earths, Inc. - Warrant|S|N|N|100\nURRE|Uranium Resources, Inc. - Common Stock|S|N|N|100\nUSAK|USA Truck, Inc. - Common Stock|Q|N|N|100\nUSAP|Universal Stainless & Alloy Products, Inc. - Common Stock|Q|N|N|100\nUSAT|USA Technologies, Inc. - Common Stock|G|N|N|100\nUSATP|USA Technologies, Inc. - Preferred Stock|G|N|N|100\nUSBI|United Security Bancshares, Inc. - Common Stock|S|N|N|100\nUSCR|U S Concrete, Inc. - Common Stock|S|N|N|100\nUSEG|U.S. Energy Corp. - Common Stock|S|N|N|100\nUSLM|United States Lime & Minerals, Inc. - Common Stock|Q|N|N|100\nUSLV|Credit Suisse AG - VelocityShares 3x Long Silver ETN|G|N|N|100\nUSMD|USMD Holdings, Inc. - Common Stock|S|N|N|100\nUSTR|United Stationers Inc. - Common Stock|Q|N|N|100\nUTEK|Ultratech, Inc. - Common Stock|Q|N|N|100\nUTHR|United Therapeutics Corporation - Common Stock|Q|N|N|100\nUTIW|UTi Worldwide Inc. - Ordinary Shares|Q|N|N|100\nUTMD|Utah Medical Products, Inc. - Common Stock|Q|N|N|100\nUTSI|UTStarcom Holdings Corp - Ordinary Shares|Q|N|N|100\nUVSP|Univest Corporation of Pennsylvania - Common Stock|Q|N|N|100\nVA|Virgin America Inc. - Common Stock|Q|N|N|100\nVALU|Value Line, Inc. - Common Stock|S|N|N|100\nVALX|Validea Market Legends ETF|G|N|N|100\nVASC|Vascular Solutions, Inc. - Common Stock|Q|N|N|100\nVBFC|Village Bank and Trust Financial Corp. - Common Stock|S|N|N|100\nVBIV|VBI Vaccines Inc. - Common Stock|S|N|N|100\nVBLT|Vascular Biogenics Ltd. - Ordinary Shares|G|N|N|100\nVBND|Vident Core U.S. Bond Strategy Fund|G|N|N|100\nVBTX|Veritex Holdings, Inc. - Common Stock|G|N|N|100\nVCEL|Vericel Corporation - Common Stock|S|N|N|100\nVCIT|Vanguard Intermediate-Term Corporate Bond ETF|G|N|N|100\nVCLT|Vanguard Long-Term Corporate Bond ETF|G|N|N|100\nVCSH|Vanguard Short-Term Corporate Bond ETF|G|N|N|100\nVCYT|Veracyte, Inc. - Common Stock|G|N|N|100\nVDSI|VASCO Data Security International, Inc. - Common Stock|S|N|N|100\nVDTH|Videocon d2h Limited - American Depositary Shares|Q|N|N|100\nVECO|Veeco Instruments Inc. - Common Stock|Q|N|N|100\nVGGL|Viggle Inc. - Common Stock|S|N|N|100\nVGIT|Vanguard Intermediate -Term Government Bond ETF|G|N|N|100\nVGLT|Vanguard Long-Term Government Bond ETF|G|N|N|100\nVGSH|Vanguard Short-Term Government ETF|G|N|N|100\nVIA|Viacom Inc. - Class A Common Stock|Q|N|N|100\nVIAB|Viacom Inc. - Class B Common Stock|Q|N|N|100\nVIAS|Viasystems Group, Inc. - Common Stock|G|N|N|100\nVICL|Vical Incorporated - Common Stock|Q|N|N|100\nVICR|Vicor Corporation - Common Stock|Q|N|N|100\nVIDE|Video Display Corporation - Common Stock|G|N|D|100\nVIDI|Vident International Equity Fund|G|N|N|100\nVIEW|Viewtran Group, Inc. - Common Stock|Q|N|E|100\nVIIX|Credit Suisse AG - VelocityShares VIX Short Term ETN|G|N|N|100\nVIIZ|Credit Suisse AG - VelocityShares VIX Medium Term ETN|G|N|N|100\nVIMC|Vimicro International Corporation - American depositary shares, each representing four ordinary shares|G|N|N|100\nVIP|VimpelCom Ltd. - American Depositary Shares|Q|N|N|100\nVIRC|Virco Manufacturing Corporation - Common Stock|G|N|N|100\nVISN|VisionChina Media, Inc. - American Depositary Shares, each representing one Common Share|Q|N|N|100\nVIVO|Meridian Bioscience Inc. - Common Stock|Q|N|N|100\nVLGEA|Village Super Market, Inc. - Class A Common Stock|Q|N|N|100\nVLTC|Voltari Corporation - Common Stock|S|N|D|100\nVLYWW|Valley National Bancorp - Warrants 07/01/2015|S|N|N|100\nVMBS|Vanguard Mortgage-Backed Securities ETF|G|N|N|100\nVNDA|Vanda Pharmaceuticals Inc. - Common Stock|G|N|N|100\nVNET|21Vianet Group, Inc. - American Depositary Shares|Q|N|N|100\nVNOM|Viper Energy Partners LP - Common Unit|Q|N|N|100\nVNQI|Vanguard Global ex-U.S. Real Estate ETF|G|N|N|100\nVNR|Vanguard Natural Resources LLC - Common Units|Q|N|N|100\nVNRAP|Vanguard Natural Resources LLC - 7.875% Series A Cumulative Redeemable Perpetual Preferred Unit|Q|N|N|100\nVNRBP|Vanguard Natural Resources LLC - 7.625% Series B Cumulative Redeemable Perpetual Preferred Unit|Q|N|N|100\nVNRCP|Vanguard Natural Resources LLC - 7.75% Series C Cumulative Redeemable Perpetual Preferred Unit|Q|N|N|100\nVOD|Vodafone Group Plc - American Depositary Shares each representing ten Ordinary Shares|Q|N|N|100\nVONE|Vanguard Russell 1000 ETF|G|N|N|100\nVONG|Vanguard Russell 1000 Growth ETF|G|N|N|100\nVONV|Vanguard Russell 1000 Value ETF|G|N|N|100\nVOXX|VOXX International Corporation - Class A Common Stock|Q|N|N|100\nVPCO|Vapor Corp. - Common Stock|S|N|N|100\nVRA|Vera Bradley, Inc. - Common Stock|Q|N|N|100\nVRAY|ViewRay Incorporated - Common Stock|G|N|N|100\nVRML|Vermillion, Inc. - Common Stock|S|N|N|100\nVRNG|Vringo, Inc. - Common Stock|S|N|D|100\nVRNGW|Vringo, Inc. - Warrants|S|N|N|100\nVRNS|Varonis Systems, Inc. - Common Stock|Q|N|N|100\nVRNT|Verint Systems Inc. - Common Stock|Q|N|N|100\nVRSK|Verisk Analytics, Inc. - Class A Common Stock|Q|N|N|100\nVRSN|VeriSign, Inc. - Common Stock|Q|N|N|100\nVRTA|Vestin Realty Mortgage I, Inc. - Common Stock|S|N|N|100\nVRTB|Vestin Realty Mortgage II, Inc. - Common Stock|Q|N|N|100\nVRTS|Virtus Investment Partners, Inc. - Common Stock|Q|N|N|100\nVRTU|Virtusa Corporation - common stock|Q|N|N|100\nVRTX|Vertex Pharmaceuticals Incorporated - Common Stock|Q|N|N|100\nVSAR|Versartis, Inc. - Common Stock|Q|N|N|100\nVSAT|ViaSat, Inc. - Common Stock|Q|N|N|100\nVSCP|VirtualScopics, Inc. - Common Stock|S|N|N|100\nVSEC|VSE Corporation - Common Stock|Q|N|N|100\nVSTM|Verastem, Inc. - Common Stock|G|N|N|100\nVTAE|Vitae Pharmaceuticals, Inc. - Common Stock|G|N|N|100\nVTHR|Vanguard Russell 3000 ETF|G|N|N|100\nVTIP|Vanguard Short-Term Inflation-Protected Securities Index Fund|G|N|N|100\nVTL|Vital Therapies, Inc. - Common Stock|Q|N|N|100\nVTNR|Vertex Energy, Inc - Common Stock|S|N|N|100\nVTSS|Vitesse Semiconductor Corporation - Common Stock|G|N|N|100\nVTWG|Vanguard Russell 2000 Growth ETF|G|N|N|100\nVTWO|Vanguard Russell 2000 ETF|G|N|N|100\nVTWV|Vanguard Russell 2000 Value ETF|G|N|N|100\nVUSE|Vident Core US Equity ETF|G|N|N|100\nVUZI|Vuzix Corporation - Common Stock|S|N|N|100\nVVUS|VIVUS, Inc. - Common Stock|Q|N|N|100\nVWOB|Vanguard Emerging Markets Government Bond ETF|G|N|N|100\nVWR|VWR Corporation - Common Stock|Q|N|N|100\nVXUS|Vanguard Total International Stock ETF|G|N|N|100\nVYFC|Valley Financial Corporation - Common Stock|S|N|N|100\nWABC|Westamerica Bancorporation - Common Stock|Q|N|N|100\nWAFD|Washington Federal, Inc. - Common Stock|Q|N|N|100\nWAFDW|Washington Federal, Inc. - Warrants 11/14/2018|Q|N|N|100\nWASH|Washington Trust Bancorp, Inc. - Common Stock|Q|N|N|100\nWATT|Energous Corporation - Common Stock|S|N|N|100\nWAVX|Wave Systems Corp. - Class A Common Stock|S|N|D|100\nWAYN|Wayne Savings Bancshares Inc. - Common Stock|G|N|N|100\nWB|Weibo Corporation - American Depositary Share|Q|N|N|100\nWBA|Walgreens Boots Alliance, Inc. - Common Stock|Q|N|N|100\nWBB|Westbury Bancorp, Inc. - Common Stock|S|N|N|100\nWBKC|Wolverine Bancorp, Inc. - Common Stock|S|N|N|100\nWBMD|WebMD Health Corp - Common Stock|Q|N|N|100\nWDC|Western Digital Corporation - Common Stock|Q|N|N|100\nWDFC|WD-40 Company - Common Stock|Q|N|N|100\nWEBK|Wellesley Bancorp, Inc. - Common Stock|S|N|N|100\nWEN|Wendy's Company (The) - Common Stock|Q|N|N|100\nWERN|Werner Enterprises, Inc. - Common Stock|Q|N|N|100\nWETF|WisdomTree Investments, Inc. - Common Stock|Q|N|N|100\nWEYS|Weyco Group, Inc. - Common Stock|Q|N|N|100\nWFBI|WashingtonFirst Bankshares Inc - Common Stock|S|N|N|100\nWFD|Westfield Financial, Inc. - Common Stock|Q|N|N|100\nWFM|Whole Foods Market, Inc. - Common Stock|Q|N|N|100\nWGBS|WaferGen Bio-systems, Inc. - Common Stock|S|N|N|100\nWHF|WhiteHorse Finance, Inc. - Common Stock|Q|N|N|100\nWHFBL|WhiteHorse Finance, Inc. - 6.50% Senior Notes due 2020|Q|N|N|100\nWHLM|Wilhelmina International, Inc. - Common Stock|S|N|N|100\nWHLR|Wheeler Real Estate Investment Trust, Inc. - Common Stock|S|N|N|100\nWHLRP|Wheeler Real Estate Investment Trust, Inc. - Preferred Stock|S|N|N|100\nWHLRW|Wheeler Real Estate Investment Trust, Inc. - Warrants|S|N|N|100\nWIBC|Wilshire Bancorp, Inc. - Common Stock|Q|N|N|100\nWIFI|Boingo Wireless, Inc. - Common Stock|Q|N|N|100\nWILC|G. Willi-Food International, Ltd. - Ordinary Shares|S|N|N|100\nWILN|Wi-LAN Inc - Common Shares|Q|N|N|100\nWIN|Windstream Holdings, Inc. - Common Stock|Q|N|N|100\nWINA|Winmark Corporation - Common Stock|G|N|N|100\nWIRE|Encore Wire Corporation - Common Stock|Q|N|N|100\nWIX|Wix.com Ltd. - Ordinary Shares|Q|N|N|100\nWLB|Westmoreland Coal Company - Common Stock|G|N|N|100\nWLDN|Willdan Group, Inc. - Common Stock|G|N|N|100\nWLFC|Willis Lease Finance Corporation - Common Stock|G|N|N|100\nWLRH|WL Ross Holding Corp. - Common Stock|S|N|N|100\nWLRHU|WL Ross Holding Corp. - Unit|S|N|N|100\nWLRHW|WL Ross Holding Corp. - Warrant|S|N|N|100\nWMAR|West Marine, Inc. - Common Stock|Q|N|N|100\nWMGI|Wright Medical Group, Inc. - Common Stock|Q|N|N|100\nWMGIZ|Wright Medical Group, Inc. - Contingent Value Right|G|N|N|100\nWOOD|iShares S&P Global Timber & Forestry Index Fund|G|N|N|100\nWOOF|VCA Inc. - Common Stock|Q|N|N|100\nWOWO|Wowo Limited - ADS|G|N|N|100\nWPCS|WPCS International Incorporated - Common Stock|S|N|D|100\nWPPGY|WPP plc - American Depositary Shares each representing five Ordinary Shares|Q|N|N|100\nWPRT|Westport Innovations Inc - Ordinary Shares|Q|N|N|100\nWRES|Warren Resources, Inc. - Common Stock|Q|N|N|100\nWRLD|World Acceptance Corporation - Common Stock|Q|N|N|100\nWSBC|WesBanco, Inc. - Common Stock|Q|N|N|100\nWSBF|Waterstone Financial, Inc. - Common Stock|Q|N|N|100\nWSCI|WSI Industries Inc. - Common Stock|S|N|N|100\nWSFS|WSFS Financial Corporation - Common Stock|Q|N|N|100\nWSFSL|WSFS Financial Corporation - 6.25% Senior Notes Due 2019|Q|N|N|100\nWSTC|West Corporation - Common Stock|Q|N|N|100\nWSTG|Wayside Technology Group, Inc. - Common Stock|G|N|N|100\nWSTL|Westell Technologies, Inc. - Class A Common Stock|Q|N|N|100\nWTBA|West Bancorporation - Common Stock|Q|N|N|100\nWTFC|Wintrust Financial Corporation - Common Stock|Q|N|N|100\nWTFCW|Wintrust Financial Corporation - Warrants|Q|N|N|100\nWVFC|WVS Financial Corp. - Common Stock|G|N|N|100\nWVVI|Willamette Valley Vineyards, Inc. - Common Stock|S|N|N|100\nWWD|Woodward, Inc. - Common Stock|Q|N|N|100\nWWWW|Web.com Group, Inc. - Common Stock|Q|N|N|100\nWYNN|Wynn Resorts, Limited - Common Stock|Q|N|N|100\nXBKS|Xenith Bankshares, Inc. - Common Stock|S|N|N|100\nXCRA|Xcerra Corporation - Common Stock|Q|N|N|100\nXENE|Xenon Pharmaceuticals Inc. - Common Shares|G|N|N|100\nXENT|Intersect ENT, Inc. - Common Stock|G|N|N|100\nXGTI|XG Technology, Inc - Common Stock|S|N|D|100\nXGTIW|XG Technology, Inc - Warrants|S|N|N|100\nXIV|Credit Suisse AG - VelocityShares Daily Inverse VIX Short Term ETN|G|N|N|100\nXLNX|Xilinx, Inc. - Common Stock|Q|N|N|100\nXLRN|Acceleron Pharma Inc. - Common Stock|G|N|N|100\nXNCR|Xencor, Inc. - Common Stock|G|N|N|100\nXNET|Xunlei Limited - American Depositary Receipts|Q|N|N|100\nXNPT|XenoPort, Inc. - Common Stock|Q|N|N|100\nXOMA|XOMA Corporation - Common Stock|G|N|N|100\nXONE|The ExOne Company - Common Stock|Q|N|N|100\nXOOM|Xoom Corporation - Common Stock|Q|N|N|100\nXPLR|Xplore Technologies Corp - Common Stock|S|N|N|100\nXRAY|DENTSPLY International Inc. - Common Stock|Q|N|N|100\nXTLB|XTL Biopharmaceuticals Ltd. - American Depositary Shares|S|N|N|100\nXXIA|Ixia - Common Stock|Q|N|N|100\nYDIV|First Trust International Multi-Asset Diversified Income Index Fund|G|N|N|100\nYDLE|Yodlee, Inc. - Common Stock|Q|N|N|100r\nYHOO|Yahoo! Inc. - Common Stock|Q|N|N|100\nYNDX|Yandex N.V. - Class A Ordinary Shares|Q|N|N|100\nYOD|You On Demand Holdings, Inc. - Common Stock|S|N|N|100\nYORW|The York Water Company - Common Stock|Q|N|N|100\nYPRO|AdvisorShares YieldPro ETF|G|N|N|100\nYRCW|YRC Worldwide, Inc. - Common Stock|Q|N|N|100\nYY|YY Inc. - American Depositary Shares|Q|N|N|100\nZ|Zillow Group, Inc. - Class A Common Stock|Q|N|N|100\nZAGG|ZAGG Inc - Common Stock|Q|N|N|100\nZAIS|ZAIS Group Holdings, Inc. - Class A Common Stock|S|N|D|100\nZAZA|ZaZa Energy Corporation - Common Stock|S|N|D|100\nZBRA|Zebra Technologies Corporation - Class A Common Stock|Q|N|N|100\nZEUS|Olympic Steel, Inc. - Common Stock|Q|N|N|100\nZFGN|Zafgen, Inc. - Common Stock|Q|N|N|100\nZGNX|Zogenix, Inc. - Common Stock|G|N|N|100\nZHNE|Zhone Technologies, Inc. - Common Stock|S|N|N|100\nZINC|Horsehead Holding Corp. - Common Stock|Q|N|N|100\nZION|Zions Bancorporation - Common Stock|Q|N|N|100\nZIONW|Zions Bancorporation - Warrants 05/21/2020|Q|N|N|100\nZIONZ|Zions Bancorporation - Warrants|Q|N|N|100\nZIOP|ZIOPHARM Oncology Inc - Common Stock|S|N|N|100\nZIV|Credit Suisse AG - VelocityShares Daily Inverse VIX Medium Term ETN|G|N|N|100\nZIXI|Zix Corporation - Common Stock|Q|N|N|100\nZJZZT|NASDAQ TEST STOCK|Q|Y|N|100\nZLTQ|ZELTIQ Aesthetics, Inc. - Common Stock|Q|N|N|100\nZN|Zion Oil & Gas Inc - Common Stock|G|N|N|100\nZNGA|Zynga Inc. - Class A Common Stock|Q|N|N|100\nZNWAA|Zion Oil & Gas Inc - Warrants|G|N|N|100\nZSAN|Zosano Pharma Corporation - Common Stock|S|N|N|100\nZSPH|ZS Pharma, Inc. - Common Stock|G|N|N|100\nZU|zulily, inc. - Class A Common Stock|Q|N|N|100\nZUMZ|Zumiez Inc. - Common Stock|Q|N|N|100\nZVZZT|NASDAQ TEST STOCK|G|Y|N|100\nZWZZT|NASDAQ TEST STOCK|S|Y|N|100\nZXYZ.A|Nasdaq Symbology Test Common Stock|Q|Y|N|100\nZXZZT|NASDAQ TEST STOCK|G|Y|N|100\nFile Creation Time: 0402201521:33|||||\n" symbols = [] f = open('symbols.p', 'w+') t = f.readlines() f.write('symbols = [') for line in sym_text.split('\n')[1:-2]: f.write("'") f.write(line.split('|')[0]) f.write("',\n") f.write(']')
"""Utility functions and constants necessary for Flowdec <--> PSFGenerator validation and comparison""" # Configuration example taken from http://bigwww.epfl.ch/algorithms/psfgenerator/ DEFAULT_PSF_CONFIG = """ PSF-shortname=GL ResLateral=100.0 ResAxial=250.0 NY=256 NX=256 NZ=65 Type=32-bits NA=1.4 LUT=Fire Lambda=610.0 Scale=Linear psf-BW-NI=1.5 psf-BW-accuracy=Good psf-RW-NI=1.5 psf-RW-accuracy=Good psf-GL-NI=1.5 psf-GL-NS=1.33 psf-GL-accuracy=Good psf-GL-ZPos=2000.0 psf-GL-TI=150.0 psf-TV-NI=1.5 psf-TV-ZPos=2000.0 psf-TV-TI=150.0 psf-TV-NS=1.0 psf-Circular-Pupil-defocus=100.0 psf-Circular-Pupil-axial=Linear psf-Circular-Pupil-focus=0.0 psf-Oriented-Gaussian-axial=Linear psf-Oriented-Gaussian-focus=0.0 psf-Oriented-Gaussian-defocus=100.0 psf-Astigmatism-focus=0.0 psf-Astigmatism-axial=Linear psf-Astigmatism-defocus=100.0 psf-Defocus-DBot=30.0 psf-Defocus-ZI=2000.0 psf-Defocus-DTop=30.0 psf-Defocus-DMid=1.0 psf-Defocus-K=275.0 psf-Cardinale-Sine-axial=Linear psf-Cardinale-Sine-defocus=100.0 psf-Cardinale-Sine-focus=0.0 psf-Lorentz-axial=Linear psf-Lorentz-focus=0.0 psf-Lorentz-defocus=100.0 psf-Koehler-dMid=3.0 psf-Koehler-dTop=1.5 psf-Koehler-n1=1.0 psf-Koehler-n0=1.5 psf-Koehler-dBot=6.0 psf-Double-Helix-defocus=100.0 psf-Double-Helix-axial=Linear psf-Double-Helix-focus=0.0 psf-Gaussian-axial=Linear psf-Gaussian-focus=0.0 psf-Gaussian-defocus=100.0 psf-Cosine-axial=Linear psf-Cosine-focus=0.0 psf-Cosine-defocus=100.0 psf-VRIGL-NI=1.5 psf-VRIGL-accuracy=Good psf-VRIGL-NS2=1.4 psf-VRIGL-NS1=1.33 psf-VRIGL-TG=170.0 psf-VRIGL-NG=1.5 psf-VRIGL-TI=150.0 psf-VRIGL-RIvary=Linear psf-VRIGL-ZPos=2000.0 """ PSFGEN_PARAM_MAP = { 'GL': { 'ni0': 'psf-GL-NI', # Refractive index, immersion 'ns': 'psf-GL-NS', # Specimen refractive index 'pz': 'psf-GL-ZPos', # Particle distance from coverslip (nm for PSFGenerator, microns for Flowdec) 'ti0': 'psf-GL-TI', # Working distance (microns for both) 'wavelength': 'Lambda', # Emission wavelength (nm for PSFGenerator, micros for Flowdec) 'res_lateral': 'ResLateral', # Lateral resolution (nm for PSFGenerator, microns for Flowdec) 'res_axial': 'ResAxial', # Axial resolution (nm for PSFGenerator, microns for Flowdec) 'na': 'NA', # Numerical aperture 'size_x': 'NX', # Size X 'size_y': 'NY', # Size Y 'size_z': 'NZ' # Size Z }, 'BW': { 'ni0': 'psf-BW-NI', # Refractive index, immersion 'wavelength': 'Lambda', # Emission wavelength 'res_lateral': 'ResLateral', # Lateral resolution (nm for PSFGenerator, microns for Flowdec) 'res_axial': 'ResAxial', # Axial resolution (nm for PSFGenerator, microns for Flowdec) 'na': 'NA', # Numerical aperture 'size_x': 'NX', # Size X 'size_y': 'NY', # Size Y 'size_z': 'NZ' # Size Z } } DIVISORS = { 'ResLateral': .001, 'ResAxial': .001, 'Lambda': .001, 'Lambda': .001, 'psf-GL-ZPos': .001 } BW_PARAM_MAP = { 'ni0': 'psf-BW-NI' # Refractive index, immersion } def get_default_psfgenerator_config(): return psfgenerator_config_from_string(DEFAULT_PSF_CONFIG) def psfgenerator_config_to_string(config): return '\n'.join(['{}={}'.format(k, v) for k, v in config.items()]) def psfgenerator_config_from_string(config): return dict([l.split('=') for l in config.split('\n') if l]) def flowdec_config_to_psfgenerator_config(config, mode='GL', accuracy='Best', dtype='32-bits'): if mode not in PSFGEN_PARAM_MAP: raise ValueError('Mode must be one of {} (given = {})'.format(list(PSFGEN_PARAM_MAP.keys()), mode)) if accuracy not in ['Good', 'Better', 'Best']: raise ValueError('Accuracy level must be one of {} (given = {})'.format(['Good', 'Better', 'Best'], accuracy)) if dtype not in ['32-bits', '64-bits']: raise ValueError('Data type must be one of {} (given = {})'.format(['32-bits', '64-bits'], dtype)) res = get_default_psfgenerator_config() for k, v in config.items(): # Ignore any parameters specific to Flowdec PSF generation alone if k not in PSFGEN_PARAM_MAP[mode]: continue # Get PSFGenerator config property name for flowdec property name kt = PSFGEN_PARAM_MAP[mode][k] # Apply units transformation if necessary vt = v if kt in DIVISORS: vt = v / DIVISORS[kt] res[kt] = vt # Set the "short name" of the PSF type to calculate (BW=Born & Wolf, GL=Gibson & Lanni) as # well as the desired accuracy level res['PSF-shortname'] = mode res['psf-' + mode + '-accuracy'] = accuracy res['Type'] = dtype return res
"""Utility functions and constants necessary for Flowdec <--> PSFGenerator validation and comparison""" default_psf_config = '\nPSF-shortname=GL\nResLateral=100.0\nResAxial=250.0\nNY=256\nNX=256\nNZ=65\nType=32-bits\nNA=1.4\nLUT=Fire\nLambda=610.0\nScale=Linear\npsf-BW-NI=1.5\npsf-BW-accuracy=Good\npsf-RW-NI=1.5\npsf-RW-accuracy=Good\npsf-GL-NI=1.5\npsf-GL-NS=1.33\npsf-GL-accuracy=Good\npsf-GL-ZPos=2000.0\npsf-GL-TI=150.0\npsf-TV-NI=1.5\npsf-TV-ZPos=2000.0\npsf-TV-TI=150.0\npsf-TV-NS=1.0\npsf-Circular-Pupil-defocus=100.0\npsf-Circular-Pupil-axial=Linear\npsf-Circular-Pupil-focus=0.0\npsf-Oriented-Gaussian-axial=Linear\npsf-Oriented-Gaussian-focus=0.0\npsf-Oriented-Gaussian-defocus=100.0\npsf-Astigmatism-focus=0.0\npsf-Astigmatism-axial=Linear\npsf-Astigmatism-defocus=100.0\npsf-Defocus-DBot=30.0\npsf-Defocus-ZI=2000.0\npsf-Defocus-DTop=30.0\npsf-Defocus-DMid=1.0\npsf-Defocus-K=275.0\npsf-Cardinale-Sine-axial=Linear\npsf-Cardinale-Sine-defocus=100.0\npsf-Cardinale-Sine-focus=0.0\npsf-Lorentz-axial=Linear\npsf-Lorentz-focus=0.0\npsf-Lorentz-defocus=100.0\npsf-Koehler-dMid=3.0\npsf-Koehler-dTop=1.5\npsf-Koehler-n1=1.0\npsf-Koehler-n0=1.5\npsf-Koehler-dBot=6.0\npsf-Double-Helix-defocus=100.0\npsf-Double-Helix-axial=Linear\npsf-Double-Helix-focus=0.0\npsf-Gaussian-axial=Linear\npsf-Gaussian-focus=0.0\npsf-Gaussian-defocus=100.0\npsf-Cosine-axial=Linear\npsf-Cosine-focus=0.0\npsf-Cosine-defocus=100.0\npsf-VRIGL-NI=1.5\npsf-VRIGL-accuracy=Good\npsf-VRIGL-NS2=1.4\npsf-VRIGL-NS1=1.33\npsf-VRIGL-TG=170.0\npsf-VRIGL-NG=1.5\npsf-VRIGL-TI=150.0\npsf-VRIGL-RIvary=Linear\npsf-VRIGL-ZPos=2000.0\n' psfgen_param_map = {'GL': {'ni0': 'psf-GL-NI', 'ns': 'psf-GL-NS', 'pz': 'psf-GL-ZPos', 'ti0': 'psf-GL-TI', 'wavelength': 'Lambda', 'res_lateral': 'ResLateral', 'res_axial': 'ResAxial', 'na': 'NA', 'size_x': 'NX', 'size_y': 'NY', 'size_z': 'NZ'}, 'BW': {'ni0': 'psf-BW-NI', 'wavelength': 'Lambda', 'res_lateral': 'ResLateral', 'res_axial': 'ResAxial', 'na': 'NA', 'size_x': 'NX', 'size_y': 'NY', 'size_z': 'NZ'}} divisors = {'ResLateral': 0.001, 'ResAxial': 0.001, 'Lambda': 0.001, 'Lambda': 0.001, 'psf-GL-ZPos': 0.001} bw_param_map = {'ni0': 'psf-BW-NI'} def get_default_psfgenerator_config(): return psfgenerator_config_from_string(DEFAULT_PSF_CONFIG) def psfgenerator_config_to_string(config): return '\n'.join(['{}={}'.format(k, v) for (k, v) in config.items()]) def psfgenerator_config_from_string(config): return dict([l.split('=') for l in config.split('\n') if l]) def flowdec_config_to_psfgenerator_config(config, mode='GL', accuracy='Best', dtype='32-bits'): if mode not in PSFGEN_PARAM_MAP: raise value_error('Mode must be one of {} (given = {})'.format(list(PSFGEN_PARAM_MAP.keys()), mode)) if accuracy not in ['Good', 'Better', 'Best']: raise value_error('Accuracy level must be one of {} (given = {})'.format(['Good', 'Better', 'Best'], accuracy)) if dtype not in ['32-bits', '64-bits']: raise value_error('Data type must be one of {} (given = {})'.format(['32-bits', '64-bits'], dtype)) res = get_default_psfgenerator_config() for (k, v) in config.items(): if k not in PSFGEN_PARAM_MAP[mode]: continue kt = PSFGEN_PARAM_MAP[mode][k] vt = v if kt in DIVISORS: vt = v / DIVISORS[kt] res[kt] = vt res['PSF-shortname'] = mode res['psf-' + mode + '-accuracy'] = accuracy res['Type'] = dtype return res
class Solution: def minCostClimbingStairs(self, cost): """ :type cost: List[int] :rtype: int """ dp = [0] * len(cost) for i in range(2, len(cost)): dp[i] = min(cost[i - 1] + dp[i - 1], cost[i - 2] + dp[i - 2]) ans = min(cost[- 1] + dp[- 1], cost[-2] + dp[-2]) return ans solution = Solution() print(solution.minCostClimbingStairs([1, 100, 1, 1, 1, 100, 1, 1, 100, 1]))
class Solution: def min_cost_climbing_stairs(self, cost): """ :type cost: List[int] :rtype: int """ dp = [0] * len(cost) for i in range(2, len(cost)): dp[i] = min(cost[i - 1] + dp[i - 1], cost[i - 2] + dp[i - 2]) ans = min(cost[-1] + dp[-1], cost[-2] + dp[-2]) return ans solution = solution() print(solution.minCostClimbingStairs([1, 100, 1, 1, 1, 100, 1, 1, 100, 1]))
class Solution: def isPossible(self, nums): """ :type nums: List[int] :rtype: bool """ # # greedy algorithm left = collections.Counter(nums) end = collections.Counter() for num in nums: if not left[num]: continue left[num] -= 1 if end[num - 1] > 0: end[num - 1] -= 1 end[num] += 1 elif left[num + 1] and left[num + 2]: left[num + 1] -= 1 left[num + 2] -= 1 end[num + 2] += 1 else: return False return True
class Solution: def is_possible(self, nums): """ :type nums: List[int] :rtype: bool """ left = collections.Counter(nums) end = collections.Counter() for num in nums: if not left[num]: continue left[num] -= 1 if end[num - 1] > 0: end[num - 1] -= 1 end[num] += 1 elif left[num + 1] and left[num + 2]: left[num + 1] -= 1 left[num + 2] -= 1 end[num + 2] += 1 else: return False return True
print("copie des listes : slicing") liste = [1,6,60] sousliste = liste[0:2] print("liste : ", liste) print("sousliste : ", sousliste) tuple = (1,6,60,0) soustuple = tuple[0:2] print("tuple : ", tuple) print("soustuple : ", soustuple) liste = range(5,100,10) print("liste[0] : ", liste[0]) print("liste[-1] : ", liste[-1])
print('copie des listes : slicing') liste = [1, 6, 60] sousliste = liste[0:2] print('liste : ', liste) print('sousliste : ', sousliste) tuple = (1, 6, 60, 0) soustuple = tuple[0:2] print('tuple : ', tuple) print('soustuple : ', soustuple) liste = range(5, 100, 10) print('liste[0] : ', liste[0]) print('liste[-1] : ', liste[-1])
# Given a string and a list of words, find all the starting indices of substrings in the given string that are a concatenation of all the given words exactly once without any overlapping of words. It is given that all words are of the same length. # Example 1: # Input: String = "catfoxcat", Words = ["cat", "fox"] # Output: [0, 3] # Explanation: The two substring containing both the words are "catfox" & "foxcat". # Example 2: # Input: String = "catcatfoxfox", Words = ["cat", "fox"] # Output: [3] # Explanation: The only substring containing both the words is "catfox". def find_word_concatenation(str, words): if len(words) == 0 or len(words[0]) == 0: return [] word_frequency = {} result_indices = [] for word in words: if word not in word_frequency: word_frequency[word] = 0 word_frequency[word] += 1 word_length = len(words[0]) words_count = len(words) for i in range((len(str) - words_count * word_length)+1): words_seen = {} for j in range(0, words_count): next_word_index = i + j * word_length word = str[next_word_index: next_word_index + word_length] if word not in word_frequency: break if word not in words_seen: words_seen[word] = 0 words_seen[word] += 1 if words_seen[word] > word_frequency[word]: break if j + 1 == words_count: result_indices.append(i) return result_indices def main(): print(find_word_concatenation("catfoxcat", ["cat", "fox"])) print(find_word_concatenation("catcatfoxfox", ["cat", "fox"])) if __name__ == "__main__": main()
def find_word_concatenation(str, words): if len(words) == 0 or len(words[0]) == 0: return [] word_frequency = {} result_indices = [] for word in words: if word not in word_frequency: word_frequency[word] = 0 word_frequency[word] += 1 word_length = len(words[0]) words_count = len(words) for i in range(len(str) - words_count * word_length + 1): words_seen = {} for j in range(0, words_count): next_word_index = i + j * word_length word = str[next_word_index:next_word_index + word_length] if word not in word_frequency: break if word not in words_seen: words_seen[word] = 0 words_seen[word] += 1 if words_seen[word] > word_frequency[word]: break if j + 1 == words_count: result_indices.append(i) return result_indices def main(): print(find_word_concatenation('catfoxcat', ['cat', 'fox'])) print(find_word_concatenation('catcatfoxfox', ['cat', 'fox'])) if __name__ == '__main__': main()
#J row=0 while row<6: col =1 while col<7: if (col==3 or row==0 ) or (row==4 and col==1)or (row==5 and col==2): print("*",end=" ") else: print(" ",end=" ") col +=1 row +=1
row = 0 while row < 6: col = 1 while col < 7: if (col == 3 or row == 0) or (row == 4 and col == 1) or (row == 5 and col == 2): print('*', end=' ') else: print(' ', end=' ') col += 1 row += 1
"""Blizzard API Constants""" "Region to use when fetching game data" BLIZZARD_REGION = 'us' "Locale to use when fetching" BLIZZARD_LOCALE = 'en_US'
"""Blizzard API Constants""" 'Region to use when fetching game data' blizzard_region = 'us' 'Locale to use when fetching' blizzard_locale = 'en_US'