content
stringlengths
7
1.05M
fixed_cases
stringlengths
1
1.28M
def isPrime(n): if n == 2 or n == 3: return True if n < 2 or n%2 == 0: return False if n < 9: return True if n%3 == 0: return False r = int(n**0.5) f = 5 while f <= r: if n % f == 0: return False if n % (f+2) == 0: return False f += 6 return True def isPal(n): og = n rev = 0 while(n!=0): digit = n%10 rev = rev*10 + digit n = n//10 return(rev==og) maxNineDigit = 999999999 minNineDigit = 100000000 palPrimeList = [] for i in range(maxNineDigit,minNineDigit,-1): if(isPal(i)): if(isPrime(i)): palPrimeList.append(i) if(len(palPrimeList)==3): break print(palPrimeList)
def is_prime(n): if n == 2 or n == 3: return True if n < 2 or n % 2 == 0: return False if n < 9: return True if n % 3 == 0: return False r = int(n ** 0.5) f = 5 while f <= r: if n % f == 0: return False if n % (f + 2) == 0: return False f += 6 return True def is_pal(n): og = n rev = 0 while n != 0: digit = n % 10 rev = rev * 10 + digit n = n // 10 return rev == og max_nine_digit = 999999999 min_nine_digit = 100000000 pal_prime_list = [] for i in range(maxNineDigit, minNineDigit, -1): if is_pal(i): if is_prime(i): palPrimeList.append(i) if len(palPrimeList) == 3: break print(palPrimeList)
# Copyright 2019 FMR LLC <opensource@fidelity.com> # SPDX-License-Identifer: Apache-2.0 __version__ = "1.3.2"
__version__ = '1.3.2'
class WhiteBalanceModifier: white_value = None
class Whitebalancemodifier: white_value = None
# Constants without private static final look...wrong. CASCADE_DIR = 'cascade_files' DATA_DIR = './data/' CASCADE_FILE = 'haarcascade_frontalface_default.xml' DATA_IMAGE_FILE = 'converted_images.npy' DATA_LABEL_FILE = 'converted_labels.npy' DATASET_CSV_FILENAME = 'fer2013.csv' FACE_SIZE = 48 EMOTIONS = ['angry', 'disgusted', 'fearful', 'happy', 'sad', 'surprised', 'neutral']
cascade_dir = 'cascade_files' data_dir = './data/' cascade_file = 'haarcascade_frontalface_default.xml' data_image_file = 'converted_images.npy' data_label_file = 'converted_labels.npy' dataset_csv_filename = 'fer2013.csv' face_size = 48 emotions = ['angry', 'disgusted', 'fearful', 'happy', 'sad', 'surprised', 'neutral']
#!/usr/bin/env python # -*- coding: utf-8 -*- """ *What is this pattern about? The Borg pattern (also known as the Monostate pattern) is a way to implement singleton behavior, but instead of having only one instance of a class, there are multiple instances that share the same state. In other words, the focus is on sharing state instead of sharing instance identity. *What does this example do? To understand the implementation of this pattern in Python, it is important to know that, in Python, instance attributes are stored in a attribute dictionary called __dict__. Usually, each instance will have its own dictionary, but the Borg pattern modifies this so that all instances have the same dictionary. In this example, the __shared_state attribute will be the dictionary shared between all instances, and this is ensured by assigining __shared_state to the __dict__ variable when initializing a new instance (i.e., in the __init__ method). Other attributes are usually added to the instance's attribute dictionary, but, since the attribute dictionary itself is shared (which is __shared_state), all other attributes will also be shared. For this reason, when the attribute self.state is modified using instance rm2, the value of self.state in instance rm1 also chages. The same happends if self.state is modified using rm3, which is an instance from a subclass. Notice that even though they share attributes, the instances are not the same, as seen by their ids. *Where is the pattern used practically? Sharing state is useful in applications like managing database connections: https://github.com/onetwopunch/pythonDbTemplate/blob/master/database.py *References: https://fkromer.github.io/python-pattern-references/design/#singleton *TL;DR80 Provides singletone-like behavior sharing state between instances. """ class Borg(object): __shared_state = {} def __init__(self): self.__dict__ = self.__shared_state self.state = 'Init' def __str__(self): return self.state class YourBorg(Borg): pass if __name__ == '__main__': rm1 = Borg() rm2 = Borg() rm1.state = 'Idle' rm2.state = 'Running' print('rm1: {0}'.format(rm1)) print('rm2: {0}'.format(rm2)) rm2.state = 'Zombie' print('rm1: {0}'.format(rm1)) print('rm2: {0}'.format(rm2)) print('rm1 id: {0}'.format(id(rm1))) print('rm2 id: {0}'.format(id(rm2))) rm3 = YourBorg() print('rm1: {0}'.format(rm1)) print('rm2: {0}'.format(rm2)) print('rm3: {0}'.format(rm3)) ### OUTPUT ### # rm1: Running # rm2: Running # rm1: Zombie # rm2: Zombie # rm1 id: 140732837899224 # rm2 id: 140732837899296 # rm1: Init # rm2: Init # rm3: Init
""" *What is this pattern about? The Borg pattern (also known as the Monostate pattern) is a way to implement singleton behavior, but instead of having only one instance of a class, there are multiple instances that share the same state. In other words, the focus is on sharing state instead of sharing instance identity. *What does this example do? To understand the implementation of this pattern in Python, it is important to know that, in Python, instance attributes are stored in a attribute dictionary called __dict__. Usually, each instance will have its own dictionary, but the Borg pattern modifies this so that all instances have the same dictionary. In this example, the __shared_state attribute will be the dictionary shared between all instances, and this is ensured by assigining __shared_state to the __dict__ variable when initializing a new instance (i.e., in the __init__ method). Other attributes are usually added to the instance's attribute dictionary, but, since the attribute dictionary itself is shared (which is __shared_state), all other attributes will also be shared. For this reason, when the attribute self.state is modified using instance rm2, the value of self.state in instance rm1 also chages. The same happends if self.state is modified using rm3, which is an instance from a subclass. Notice that even though they share attributes, the instances are not the same, as seen by their ids. *Where is the pattern used practically? Sharing state is useful in applications like managing database connections: https://github.com/onetwopunch/pythonDbTemplate/blob/master/database.py *References: https://fkromer.github.io/python-pattern-references/design/#singleton *TL;DR80 Provides singletone-like behavior sharing state between instances. """ class Borg(object): __shared_state = {} def __init__(self): self.__dict__ = self.__shared_state self.state = 'Init' def __str__(self): return self.state class Yourborg(Borg): pass if __name__ == '__main__': rm1 = borg() rm2 = borg() rm1.state = 'Idle' rm2.state = 'Running' print('rm1: {0}'.format(rm1)) print('rm2: {0}'.format(rm2)) rm2.state = 'Zombie' print('rm1: {0}'.format(rm1)) print('rm2: {0}'.format(rm2)) print('rm1 id: {0}'.format(id(rm1))) print('rm2 id: {0}'.format(id(rm2))) rm3 = your_borg() print('rm1: {0}'.format(rm1)) print('rm2: {0}'.format(rm2)) print('rm3: {0}'.format(rm3))
class WriteEncoder: def __init__(self, tokenDictionary): self.tokenDictionary = tokenDictionary self.streamStarted = False def reset(self): self.streamStarted = False def getStreamStartBytes(self, domain, resource): data = [] self.streamStarted = True data.append(87) data.append(65) data.append(1) data.append(5) streamOpenAttributes = {"to": domain, "resource": resource} self.writeListStart(len(streamOpenAttributes) * 2 + 1, data) data.append(1); self.writeAttributes(streamOpenAttributes, data) return data def protocolTreeNodeToBytes(self, node): outBytes = [] self.writeInternal(node, outBytes) return outBytes def writeInternal(self, node, data): x = 1 + (0 if node.attributes is None else len(node.attributes) * 2) + (0 if not node.hasChildren() else 1) + (0 if node.data is None else 1) self.writeListStart(1 + (0 if node.attributes is None else len(node.attributes) * 2) + (0 if not node.hasChildren() else 1) + (0 if node.data is None else 1), data) self.writeString(node.tag, data) self.writeAttributes(node.attributes, data); if node.data is not None: self.writeBytes(node.data, data) if node.hasChildren(): self.writeListStart(len(node.children), data); for c in node.children: self.writeInternal(c, data); def writeAttributes(self, attributes, data): if attributes is not None: for key, value in attributes.items(): self.writeString(key, data); self.writeString(value, data); def writeBytes(self, bytes, data): length = len(bytes) if length >= 256: data.append(253) self.writeInt24(length, data) else: data.append(252) self.writeInt8(length, data) for b in bytes: if type(b) is int: data.append(b) else: data.append(ord(b)) def writeInt8(self, v, data): data.append(v & 0xFF) def writeInt16(self, v, data): data.append((v & 0xFF00) >> 8); data.append((v & 0xFF) >> 0); def writeInt24(self, v, data): data.append((v & 0xFF0000) >> 16) data.append((v & 0xFF00) >> 8) data.append((v & 0xFF) >> 0) def writeListStart(self, i, data): if i == 0: data.append(0) elif i < 256: data.append(248) self.writeInt8(i, data) else: data.append(249) self.writeInt16(i, data) def writeToken(self, intValue, data): if intValue < 245: data.append(intValue) elif intValue <=500: data.append(254) data.append(intValue - 245) def writeString(self, tag, data): tok = self.tokenDictionary.getIndex(tag) if tok: index, secondary = tok if secondary: self.writeToken(236, data) self.writeToken(index, data) else: at = '@'.encode() if type(tag) == bytes else '@' try: atIndex = tag.index(at) if atIndex < 1: raise ValueError("atIndex < 1") else: server = tag[atIndex+1:] user = tag[0:atIndex] self.writeJid(user, server, data) except ValueError: self.writeBytes(self.encodeString(tag), data) def encodeString(self, string): res = [] if type(string) == bytes: for char in string: res.append(char) else: for char in string: res.append(ord(char)) return res; def writeJid(self, user, server, data): data.append(250) if user is not None: self.writeString(user, data) else: self.writeToken(0, data) self.writeString(server, data)
class Writeencoder: def __init__(self, tokenDictionary): self.tokenDictionary = tokenDictionary self.streamStarted = False def reset(self): self.streamStarted = False def get_stream_start_bytes(self, domain, resource): data = [] self.streamStarted = True data.append(87) data.append(65) data.append(1) data.append(5) stream_open_attributes = {'to': domain, 'resource': resource} self.writeListStart(len(streamOpenAttributes) * 2 + 1, data) data.append(1) self.writeAttributes(streamOpenAttributes, data) return data def protocol_tree_node_to_bytes(self, node): out_bytes = [] self.writeInternal(node, outBytes) return outBytes def write_internal(self, node, data): x = 1 + (0 if node.attributes is None else len(node.attributes) * 2) + (0 if not node.hasChildren() else 1) + (0 if node.data is None else 1) self.writeListStart(1 + (0 if node.attributes is None else len(node.attributes) * 2) + (0 if not node.hasChildren() else 1) + (0 if node.data is None else 1), data) self.writeString(node.tag, data) self.writeAttributes(node.attributes, data) if node.data is not None: self.writeBytes(node.data, data) if node.hasChildren(): self.writeListStart(len(node.children), data) for c in node.children: self.writeInternal(c, data) def write_attributes(self, attributes, data): if attributes is not None: for (key, value) in attributes.items(): self.writeString(key, data) self.writeString(value, data) def write_bytes(self, bytes, data): length = len(bytes) if length >= 256: data.append(253) self.writeInt24(length, data) else: data.append(252) self.writeInt8(length, data) for b in bytes: if type(b) is int: data.append(b) else: data.append(ord(b)) def write_int8(self, v, data): data.append(v & 255) def write_int16(self, v, data): data.append((v & 65280) >> 8) data.append((v & 255) >> 0) def write_int24(self, v, data): data.append((v & 16711680) >> 16) data.append((v & 65280) >> 8) data.append((v & 255) >> 0) def write_list_start(self, i, data): if i == 0: data.append(0) elif i < 256: data.append(248) self.writeInt8(i, data) else: data.append(249) self.writeInt16(i, data) def write_token(self, intValue, data): if intValue < 245: data.append(intValue) elif intValue <= 500: data.append(254) data.append(intValue - 245) def write_string(self, tag, data): tok = self.tokenDictionary.getIndex(tag) if tok: (index, secondary) = tok if secondary: self.writeToken(236, data) self.writeToken(index, data) else: at = '@'.encode() if type(tag) == bytes else '@' try: at_index = tag.index(at) if atIndex < 1: raise value_error('atIndex < 1') else: server = tag[atIndex + 1:] user = tag[0:atIndex] self.writeJid(user, server, data) except ValueError: self.writeBytes(self.encodeString(tag), data) def encode_string(self, string): res = [] if type(string) == bytes: for char in string: res.append(char) else: for char in string: res.append(ord(char)) return res def write_jid(self, user, server, data): data.append(250) if user is not None: self.writeString(user, data) else: self.writeToken(0, data) self.writeString(server, data)
''' ## Question ### 4. [Median of Two Sorted Arrays](https://leetcode.com/problems/median-of-two-sorted-arrays/) There are two sorted arrays nums1 and nums2 of size m and n respectively. Find the median of the two sorted arrays. The overall run time complexity should be O(log (m+n)). You may assume nums1 and nums2 cannot be both empty. Example 1: nums1 = [1, 3] nums2 = [2] The median is 2.0 Example 2: nums1 = [1, 2] nums2 = [3, 4] The median is (2 + 3)/2 = 2.5 ''' ## Solutions class Solution: def findMedianSortedArrays(self, nums1: List[int], nums2: List[int]) -> float: i = j = 0 k = len(nums1) l = len(nums2) new_array = [] while i < k and j < l: if nums1[i] > nums2[j]: new_array.append(nums2[j]) j = j+1 else: new_array.append(nums1[i]) i = i + 1 while i < k: new_array.append(nums1[i]) i = i + 1 while j < l: new_array.append(nums2[j]) j = j + 1 i = len(new_array) if i%2 == 0: median = new_array[int(i/2)-1] + new_array[int(i/2)] return median/2.0 else: return new_array[int(i/2)]/1.0 # Runtime: 60 ms # Memory Usage: 13.3 MB
""" ## Question ### 4. [Median of Two Sorted Arrays](https://leetcode.com/problems/median-of-two-sorted-arrays/) There are two sorted arrays nums1 and nums2 of size m and n respectively. Find the median of the two sorted arrays. The overall run time complexity should be O(log (m+n)). You may assume nums1 and nums2 cannot be both empty. Example 1: nums1 = [1, 3] nums2 = [2] The median is 2.0 Example 2: nums1 = [1, 2] nums2 = [3, 4] The median is (2 + 3)/2 = 2.5 """ class Solution: def find_median_sorted_arrays(self, nums1: List[int], nums2: List[int]) -> float: i = j = 0 k = len(nums1) l = len(nums2) new_array = [] while i < k and j < l: if nums1[i] > nums2[j]: new_array.append(nums2[j]) j = j + 1 else: new_array.append(nums1[i]) i = i + 1 while i < k: new_array.append(nums1[i]) i = i + 1 while j < l: new_array.append(nums2[j]) j = j + 1 i = len(new_array) if i % 2 == 0: median = new_array[int(i / 2) - 1] + new_array[int(i / 2)] return median / 2.0 else: return new_array[int(i / 2)] / 1.0
# Licensed under the Apache License, Version 2.0 (the "License"); you may # not use this file except in compliance with the License. You may obtain # a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, WITHOUT # WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the # License for the specific language governing permissions and limitations # under the License. # based on full set of fields payload version 1.0 NODE_MAPPING = { 'dynamic': False, 'properties': { # "id" field does not present in ironic API resource, this is a # copy of "uuid" 'id': {'type': 'string', 'index': 'not_analyzed'}, 'uuid': {'type': 'string', 'index': 'not_analyzed'}, 'name': { 'type': 'string', 'fields': { 'raw': {'type': 'string', 'index': 'not_analyzed'} } }, 'chassis_uuid': {'type': 'string', 'index': 'not_analyzed'}, 'instance_uuid': {'type': 'string', 'index': 'not_analyzed'}, 'driver': {'type': 'string', 'index': 'not_analyzed'}, 'driver_info': {'type': 'object', 'dynamic': True, 'properties': {}}, 'clean_step': {'type': 'object', 'dynamic': True, 'properties': {}}, 'instance_info': {'type': 'object', 'dynamic': True, 'properties': {}}, # mapped "properties" field 'node_properties': { 'type': 'object', 'dynamic': True, 'properties': {} }, 'power_state': {'type': 'string', 'index': 'not_analyzed'}, 'target_power_state': {'type': 'string', 'index': 'not_analyzed'}, 'provision_state': {'type': 'string', 'index': 'not_analyzed'}, 'target_provision_state': {'type': 'string', 'index': 'not_analyzed'}, 'provision_updated_at': {'type': 'date'}, 'maintenance': {'type': 'boolean'}, 'maintenance_reason': {'type': 'string'}, 'console_enabled': {'type': 'boolean'}, 'last_error': {'type': 'string'}, 'resource_class': {'type': 'string', 'index': 'not_analyzed'}, 'inspection_started_at': {'type': 'date'}, 'inspection_finished_at': {'type': 'date'}, 'extra': {'type': 'object', 'dynamic': True, 'properties': {}}, 'network_interface': {'type': 'string', 'index': 'not_analyzed'}, 'created_at': {'type': 'date'}, 'updated_at': {'type': 'date'} } } PORT_MAPPING = { 'dynamic': False, 'properties': { # "id" field does not present in ironic API resource, this is # copy of "uuid" 'id': {'type': 'string', 'index': 'not_analyzed'}, 'uuid': {'type': 'string', 'index': 'not_analyzed'}, # "name" field does not present in ironic API resource, this is a # copy of "uuid" 'name': { 'type': 'string', 'fields': { 'raw': {'type': 'string', 'index': 'not_analyzed'} } }, 'node_uuid': {'type': 'string', 'index': 'not_analyzed'}, 'address': {'type': 'string', 'index': 'not_analyzed'}, 'extra': {'type': 'object', 'dynamic': True, 'properties': {}}, 'local_link_connection': { 'type': 'object', 'properties': { 'switch_id': {'type': 'string', 'index': 'not_analyzed'}, 'port_id': {'type': 'string', 'index': 'not_analyzed'}, 'switch_info': {'type': 'string', 'index': 'not_analyzed'} } }, 'pxe_enabled': {'type': 'boolean'}, 'created_at': {'type': 'date'}, 'updated_at': {'type': 'date'} } } CHASSIS_MAPPING = { 'dynamic': False, 'properties': { # "id" field does not present in ironic API resource, this is a # copy of "uuid" 'id': {'type': 'string', 'index': 'not_analyzed'}, 'uuid': {'type': 'string', 'index': 'not_analyzed'}, # "name" field does not present in ironic API resource, this is a # copy of "uuid" 'name': { 'type': 'string', 'fields': { 'raw': {'type': 'string', 'index': 'not_analyzed'} } }, 'extra': {'type': 'object', 'dynamic': True, 'properties': {}}, 'description': {'type': 'string'}, 'created_at': {'type': 'date'}, 'updated_at': {'type': 'date'} } } NODE_FIELDS = NODE_MAPPING['properties'].keys() PORT_FIELDS = PORT_MAPPING['properties'].keys() CHASSIS_FIELDS = PORT_MAPPING['properties'].keys()
node_mapping = {'dynamic': False, 'properties': {'id': {'type': 'string', 'index': 'not_analyzed'}, 'uuid': {'type': 'string', 'index': 'not_analyzed'}, 'name': {'type': 'string', 'fields': {'raw': {'type': 'string', 'index': 'not_analyzed'}}}, 'chassis_uuid': {'type': 'string', 'index': 'not_analyzed'}, 'instance_uuid': {'type': 'string', 'index': 'not_analyzed'}, 'driver': {'type': 'string', 'index': 'not_analyzed'}, 'driver_info': {'type': 'object', 'dynamic': True, 'properties': {}}, 'clean_step': {'type': 'object', 'dynamic': True, 'properties': {}}, 'instance_info': {'type': 'object', 'dynamic': True, 'properties': {}}, 'node_properties': {'type': 'object', 'dynamic': True, 'properties': {}}, 'power_state': {'type': 'string', 'index': 'not_analyzed'}, 'target_power_state': {'type': 'string', 'index': 'not_analyzed'}, 'provision_state': {'type': 'string', 'index': 'not_analyzed'}, 'target_provision_state': {'type': 'string', 'index': 'not_analyzed'}, 'provision_updated_at': {'type': 'date'}, 'maintenance': {'type': 'boolean'}, 'maintenance_reason': {'type': 'string'}, 'console_enabled': {'type': 'boolean'}, 'last_error': {'type': 'string'}, 'resource_class': {'type': 'string', 'index': 'not_analyzed'}, 'inspection_started_at': {'type': 'date'}, 'inspection_finished_at': {'type': 'date'}, 'extra': {'type': 'object', 'dynamic': True, 'properties': {}}, 'network_interface': {'type': 'string', 'index': 'not_analyzed'}, 'created_at': {'type': 'date'}, 'updated_at': {'type': 'date'}}} port_mapping = {'dynamic': False, 'properties': {'id': {'type': 'string', 'index': 'not_analyzed'}, 'uuid': {'type': 'string', 'index': 'not_analyzed'}, 'name': {'type': 'string', 'fields': {'raw': {'type': 'string', 'index': 'not_analyzed'}}}, 'node_uuid': {'type': 'string', 'index': 'not_analyzed'}, 'address': {'type': 'string', 'index': 'not_analyzed'}, 'extra': {'type': 'object', 'dynamic': True, 'properties': {}}, 'local_link_connection': {'type': 'object', 'properties': {'switch_id': {'type': 'string', 'index': 'not_analyzed'}, 'port_id': {'type': 'string', 'index': 'not_analyzed'}, 'switch_info': {'type': 'string', 'index': 'not_analyzed'}}}, 'pxe_enabled': {'type': 'boolean'}, 'created_at': {'type': 'date'}, 'updated_at': {'type': 'date'}}} chassis_mapping = {'dynamic': False, 'properties': {'id': {'type': 'string', 'index': 'not_analyzed'}, 'uuid': {'type': 'string', 'index': 'not_analyzed'}, 'name': {'type': 'string', 'fields': {'raw': {'type': 'string', 'index': 'not_analyzed'}}}, 'extra': {'type': 'object', 'dynamic': True, 'properties': {}}, 'description': {'type': 'string'}, 'created_at': {'type': 'date'}, 'updated_at': {'type': 'date'}}} node_fields = NODE_MAPPING['properties'].keys() port_fields = PORT_MAPPING['properties'].keys() chassis_fields = PORT_MAPPING['properties'].keys()
class NodeException(Exception): def __reduce__(self): return type(self), () class NodeStopException(NodeException): pass class RPCError(Exception): def __init__(self, *args, node=None, **kwargs): self.node = node super().__init__(*args, **kwargs) # def __reduce__(self): # return type(self), () class ServiceNotAvailableErr(RPCError): pass class RPCRuntimeException(RPCError): def __init__(self, *args, original=None): super().__init__(*args) self.exception = original class RPCNotFoundError(RPCError): pass class RPCTimeoutError(RPCError): pass class RPCConnectionError(RPCError): pass class RPCConnectionTimeoutError(RPCConnectionError): pass
class Nodeexception(Exception): def __reduce__(self): return (type(self), ()) class Nodestopexception(NodeException): pass class Rpcerror(Exception): def __init__(self, *args, node=None, **kwargs): self.node = node super().__init__(*args, **kwargs) class Servicenotavailableerr(RPCError): pass class Rpcruntimeexception(RPCError): def __init__(self, *args, original=None): super().__init__(*args) self.exception = original class Rpcnotfounderror(RPCError): pass class Rpctimeouterror(RPCError): pass class Rpcconnectionerror(RPCError): pass class Rpcconnectiontimeouterror(RPCConnectionError): pass
def remove_protocol(addr): """ Removes the first occurrence of the protocol string ('://') from the string `addr` Parameters ---------- addr : str The address from which to remove the address prefix. Returns ------- str """ name = addr.split("://", 1) # maxsplit = 1... removes only the first occurrence name = ''.join(name[1:]) if len(name) > 1 else addr return name
def remove_protocol(addr): """ Removes the first occurrence of the protocol string ('://') from the string `addr` Parameters ---------- addr : str The address from which to remove the address prefix. Returns ------- str """ name = addr.split('://', 1) name = ''.join(name[1:]) if len(name) > 1 else addr return name
def compare_with_none(x, y, func): if x is None and y is None: return None elif x is None and y is not None: return y elif x is not None and y is None: return x return func(x, y) def max_with_none(x, y): return compare_with_none(x, y, max) def min_with_none(x, y): return compare_with_none(x, y, min) def get_digits(num): if num == 0: return 1 num = abs(num) digits = 0 while num: digits += 1 num //= 10 return digits
def compare_with_none(x, y, func): if x is None and y is None: return None elif x is None and y is not None: return y elif x is not None and y is None: return x return func(x, y) def max_with_none(x, y): return compare_with_none(x, y, max) def min_with_none(x, y): return compare_with_none(x, y, min) def get_digits(num): if num == 0: return 1 num = abs(num) digits = 0 while num: digits += 1 num //= 10 return digits
class Node: def __init__(self, data, next=None): self.data = data self.next = next class Queue: def __init__(self, head=None, tail=None): self.head = head self.tail = tail def enqueue(self, data): node = Node(data) if not self.head: self.head = self.tail = node else: last_node = self.tail last_node.next = node self.tail = last_node.next def dequeue(self): if not self.head: raise ValueError("Queue is empty.") elif not self.head.next: deleted_data = self.head.data self.head = self.tail = None else: deleted_data = self.head.data self.head = self.head.next return deleted_data def __repr__(self): print_str = "|Head| -> " node = self.head while node: print_str += str(node.data) + " -> " node = node.next return print_str + "|Tail|" queue = Queue() queue.enqueue(3) print(queue) queue.enqueue(6) print(queue) queue.enqueue(4) print(queue) print(queue.dequeue()) print(queue) print(queue.dequeue()) print(queue) print(queue.dequeue()) print(queue) print(queue.dequeue()) print(queue)
class Node: def __init__(self, data, next=None): self.data = data self.next = next class Queue: def __init__(self, head=None, tail=None): self.head = head self.tail = tail def enqueue(self, data): node = node(data) if not self.head: self.head = self.tail = node else: last_node = self.tail last_node.next = node self.tail = last_node.next def dequeue(self): if not self.head: raise value_error('Queue is empty.') elif not self.head.next: deleted_data = self.head.data self.head = self.tail = None else: deleted_data = self.head.data self.head = self.head.next return deleted_data def __repr__(self): print_str = '|Head| -> ' node = self.head while node: print_str += str(node.data) + ' -> ' node = node.next return print_str + '|Tail|' queue = queue() queue.enqueue(3) print(queue) queue.enqueue(6) print(queue) queue.enqueue(4) print(queue) print(queue.dequeue()) print(queue) print(queue.dequeue()) print(queue) print(queue.dequeue()) print(queue) print(queue.dequeue()) print(queue)
# -*- coding: utf-8 -*- # Copyright 2019 Cohesity Inc. class ArchivalExternalTarget(object): """Implementation of the 'ArchivalExternalTarget' model. Specifies settings about the Archival External Target (such as Tape or AWS). Attributes: vault_id (long|int): Specifies the id of Archival Vault assigned by the Cohesity Cluster. vault_name (string): Name of the Archival Vault. vault_type (VaultTypeEnum): Specifies the type of the Archival External Target such as 'kCloud', 'kTape' or 'kNas'. 'kCloud' indicates the archival location as Cloud. 'kTape' indicates the archival location as Tape. 'kNas' indicates the archival location as Network Attached Storage (Nas). """ # Create a mapping from Model property names to API property names _names = { "vault_id":'vaultId', "vault_name":'vaultName', "vault_type":'vaultType' } def __init__(self, vault_id=None, vault_name=None, vault_type=None): """Constructor for the ArchivalExternalTarget class""" # Initialize members of the class self.vault_id = vault_id self.vault_name = vault_name self.vault_type = vault_type @classmethod def from_dictionary(cls, dictionary): """Creates an instance of this model from a dictionary Args: dictionary (dictionary): A dictionary representation of the object as obtained from the deserialization of the server's response. The keys MUST match property names in the API description. Returns: object: An instance of this structure class. """ if dictionary is None: return None # Extract variables from the dictionary vault_id = dictionary.get('vaultId') vault_name = dictionary.get('vaultName') vault_type = dictionary.get('vaultType') # Return an object of this model return cls(vault_id, vault_name, vault_type)
class Archivalexternaltarget(object): """Implementation of the 'ArchivalExternalTarget' model. Specifies settings about the Archival External Target (such as Tape or AWS). Attributes: vault_id (long|int): Specifies the id of Archival Vault assigned by the Cohesity Cluster. vault_name (string): Name of the Archival Vault. vault_type (VaultTypeEnum): Specifies the type of the Archival External Target such as 'kCloud', 'kTape' or 'kNas'. 'kCloud' indicates the archival location as Cloud. 'kTape' indicates the archival location as Tape. 'kNas' indicates the archival location as Network Attached Storage (Nas). """ _names = {'vault_id': 'vaultId', 'vault_name': 'vaultName', 'vault_type': 'vaultType'} def __init__(self, vault_id=None, vault_name=None, vault_type=None): """Constructor for the ArchivalExternalTarget class""" self.vault_id = vault_id self.vault_name = vault_name self.vault_type = vault_type @classmethod def from_dictionary(cls, dictionary): """Creates an instance of this model from a dictionary Args: dictionary (dictionary): A dictionary representation of the object as obtained from the deserialization of the server's response. The keys MUST match property names in the API description. Returns: object: An instance of this structure class. """ if dictionary is None: return None vault_id = dictionary.get('vaultId') vault_name = dictionary.get('vaultName') vault_type = dictionary.get('vaultType') return cls(vault_id, vault_name, vault_type)
class Solution: def optimalDivision(self, nums: List[int]) -> str: nums = list(map(str, nums)) if len(nums) <= 2: return '/'.join(nums) else: return nums[0] + '/(' + '/'.join(nums[1:]) + ')'
class Solution: def optimal_division(self, nums: List[int]) -> str: nums = list(map(str, nums)) if len(nums) <= 2: return '/'.join(nums) else: return nums[0] + '/(' + '/'.join(nums[1:]) + ')'
"""Top-level package for Aion Client.""" __author__ = """Brent Sanders""" __email__ = 'brent@brentsanders.io' __version__ = '0.4.0'
"""Top-level package for Aion Client.""" __author__ = 'Brent Sanders' __email__ = 'brent@brentsanders.io' __version__ = '0.4.0'
# # PySNMP MIB module A3COM-AUDL-R1-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///home/tin/Dev/mibs.snmplabs.com/asn1/A3COM-AUDL-R1-MIB # Produced by pysmi-0.3.4 at Fri Jan 31 21:29:15 2020 # On host bier platform Linux version 5.4.0-3-amd64 by user tin # Using Python version 3.7.6 (default, Jan 19 2020, 22:34:52) # OctetString, Integer, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "OctetString", "Integer", "ObjectIdentifier") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") SingleValueConstraint, ValueRangeConstraint, ConstraintsUnion, ValueSizeConstraint, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "SingleValueConstraint", "ValueRangeConstraint", "ConstraintsUnion", "ValueSizeConstraint", "ConstraintsIntersection") NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance") MibScalar, MibTable, MibTableRow, MibTableColumn, Counter64, Integer32, ModuleIdentity, NotificationType, Gauge32, Counter32, MibIdentifier, enterprises, Unsigned32, IpAddress, TimeTicks, ObjectIdentity, iso, Bits = mibBuilder.importSymbols("SNMPv2-SMI", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Counter64", "Integer32", "ModuleIdentity", "NotificationType", "Gauge32", "Counter32", "MibIdentifier", "enterprises", "Unsigned32", "IpAddress", "TimeTicks", "ObjectIdentity", "iso", "Bits") TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString") a3Com = MibIdentifier((1, 3, 6, 1, 4, 1, 43)) brouterMIB = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 2)) a3ComAuditLog = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 2, 29)) a3ComAudlControl = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 2, 29, 1)) a3ComAudlConfig = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 2, 29, 2)) a3ComAudlControlAuditTrail = MibScalar((1, 3, 6, 1, 4, 1, 43, 2, 29, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("auditTrail", 1), ("noAuditTrail", 2))).clone('noAuditTrail')).setMaxAccess("readwrite") if mibBuilder.loadTexts: a3ComAudlControlAuditTrail.setStatus('mandatory') a3ComAudlControlConfig = MibScalar((1, 3, 6, 1, 4, 1, 43, 2, 29, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("config", 1), ("noConfig", 2))).clone('noConfig')).setMaxAccess("readwrite") if mibBuilder.loadTexts: a3ComAudlControlConfig.setStatus('mandatory') a3ComAudlControlMessages = MibScalar((1, 3, 6, 1, 4, 1, 43, 2, 29, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("messages", 1), ("noMessages", 2))).clone('noMessages')).setMaxAccess("readwrite") if mibBuilder.loadTexts: a3ComAudlControlMessages.setStatus('mandatory') a3ComAudlControlSecurity = MibScalar((1, 3, 6, 1, 4, 1, 43, 2, 29, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("security", 1), ("noSecurity", 2))).clone('noSecurity')).setMaxAccess("readwrite") if mibBuilder.loadTexts: a3ComAudlControlSecurity.setStatus('mandatory') a3ComAudlLogServerAddr = MibScalar((1, 3, 6, 1, 4, 1, 43, 2, 29, 2, 1), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: a3ComAudlLogServerAddr.setStatus('mandatory') a3ComAudlPriorityLevel = MibScalar((1, 3, 6, 1, 4, 1, 43, 2, 29, 2, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("log_EMERG", 1), ("log_ALERT", 2), ("log_CRITICAL", 3), ("log_ERROR", 4), ("log_WARNING", 5), ("log_NOTICE", 6), ("log_INFO", 7), ("log_DEBUG", 8))).clone('log_INFO')).setMaxAccess("readwrite") if mibBuilder.loadTexts: a3ComAudlPriorityLevel.setStatus('mandatory') a3ComAudlMaxLog = MibScalar((1, 3, 6, 1, 4, 1, 43, 2, 29, 2, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 30)).clone(10)).setMaxAccess("readwrite") if mibBuilder.loadTexts: a3ComAudlMaxLog.setStatus('mandatory') a3ComAudlIdleTime = MibScalar((1, 3, 6, 1, 4, 1, 43, 2, 29, 2, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 480)).clone(5)).setMaxAccess("readwrite") if mibBuilder.loadTexts: a3ComAudlIdleTime.setStatus('mandatory') mibBuilder.exportSymbols("A3COM-AUDL-R1-MIB", a3ComAudlIdleTime=a3ComAudlIdleTime, a3ComAudlControl=a3ComAudlControl, a3Com=a3Com, a3ComAudlControlMessages=a3ComAudlControlMessages, a3ComAudlLogServerAddr=a3ComAudlLogServerAddr, brouterMIB=brouterMIB, a3ComAudlControlConfig=a3ComAudlControlConfig, a3ComAudlControlSecurity=a3ComAudlControlSecurity, a3ComAudlConfig=a3ComAudlConfig, a3ComAuditLog=a3ComAuditLog, a3ComAudlPriorityLevel=a3ComAudlPriorityLevel, a3ComAudlMaxLog=a3ComAudlMaxLog, a3ComAudlControlAuditTrail=a3ComAudlControlAuditTrail)
(octet_string, integer, object_identifier) = mibBuilder.importSymbols('ASN1', 'OctetString', 'Integer', 'ObjectIdentifier') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (single_value_constraint, value_range_constraint, constraints_union, value_size_constraint, constraints_intersection) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'SingleValueConstraint', 'ValueRangeConstraint', 'ConstraintsUnion', 'ValueSizeConstraint', 'ConstraintsIntersection') (notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance') (mib_scalar, mib_table, mib_table_row, mib_table_column, counter64, integer32, module_identity, notification_type, gauge32, counter32, mib_identifier, enterprises, unsigned32, ip_address, time_ticks, object_identity, iso, bits) = mibBuilder.importSymbols('SNMPv2-SMI', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Counter64', 'Integer32', 'ModuleIdentity', 'NotificationType', 'Gauge32', 'Counter32', 'MibIdentifier', 'enterprises', 'Unsigned32', 'IpAddress', 'TimeTicks', 'ObjectIdentity', 'iso', 'Bits') (textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString') a3_com = mib_identifier((1, 3, 6, 1, 4, 1, 43)) brouter_mib = mib_identifier((1, 3, 6, 1, 4, 1, 43, 2)) a3_com_audit_log = mib_identifier((1, 3, 6, 1, 4, 1, 43, 2, 29)) a3_com_audl_control = mib_identifier((1, 3, 6, 1, 4, 1, 43, 2, 29, 1)) a3_com_audl_config = mib_identifier((1, 3, 6, 1, 4, 1, 43, 2, 29, 2)) a3_com_audl_control_audit_trail = mib_scalar((1, 3, 6, 1, 4, 1, 43, 2, 29, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('auditTrail', 1), ('noAuditTrail', 2))).clone('noAuditTrail')).setMaxAccess('readwrite') if mibBuilder.loadTexts: a3ComAudlControlAuditTrail.setStatus('mandatory') a3_com_audl_control_config = mib_scalar((1, 3, 6, 1, 4, 1, 43, 2, 29, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('config', 1), ('noConfig', 2))).clone('noConfig')).setMaxAccess('readwrite') if mibBuilder.loadTexts: a3ComAudlControlConfig.setStatus('mandatory') a3_com_audl_control_messages = mib_scalar((1, 3, 6, 1, 4, 1, 43, 2, 29, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('messages', 1), ('noMessages', 2))).clone('noMessages')).setMaxAccess('readwrite') if mibBuilder.loadTexts: a3ComAudlControlMessages.setStatus('mandatory') a3_com_audl_control_security = mib_scalar((1, 3, 6, 1, 4, 1, 43, 2, 29, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('security', 1), ('noSecurity', 2))).clone('noSecurity')).setMaxAccess('readwrite') if mibBuilder.loadTexts: a3ComAudlControlSecurity.setStatus('mandatory') a3_com_audl_log_server_addr = mib_scalar((1, 3, 6, 1, 4, 1, 43, 2, 29, 2, 1), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: a3ComAudlLogServerAddr.setStatus('mandatory') a3_com_audl_priority_level = mib_scalar((1, 3, 6, 1, 4, 1, 43, 2, 29, 2, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('log_EMERG', 1), ('log_ALERT', 2), ('log_CRITICAL', 3), ('log_ERROR', 4), ('log_WARNING', 5), ('log_NOTICE', 6), ('log_INFO', 7), ('log_DEBUG', 8))).clone('log_INFO')).setMaxAccess('readwrite') if mibBuilder.loadTexts: a3ComAudlPriorityLevel.setStatus('mandatory') a3_com_audl_max_log = mib_scalar((1, 3, 6, 1, 4, 1, 43, 2, 29, 2, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 30)).clone(10)).setMaxAccess('readwrite') if mibBuilder.loadTexts: a3ComAudlMaxLog.setStatus('mandatory') a3_com_audl_idle_time = mib_scalar((1, 3, 6, 1, 4, 1, 43, 2, 29, 2, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 480)).clone(5)).setMaxAccess('readwrite') if mibBuilder.loadTexts: a3ComAudlIdleTime.setStatus('mandatory') mibBuilder.exportSymbols('A3COM-AUDL-R1-MIB', a3ComAudlIdleTime=a3ComAudlIdleTime, a3ComAudlControl=a3ComAudlControl, a3Com=a3Com, a3ComAudlControlMessages=a3ComAudlControlMessages, a3ComAudlLogServerAddr=a3ComAudlLogServerAddr, brouterMIB=brouterMIB, a3ComAudlControlConfig=a3ComAudlControlConfig, a3ComAudlControlSecurity=a3ComAudlControlSecurity, a3ComAudlConfig=a3ComAudlConfig, a3ComAuditLog=a3ComAuditLog, a3ComAudlPriorityLevel=a3ComAudlPriorityLevel, a3ComAudlMaxLog=a3ComAudlMaxLog, a3ComAudlControlAuditTrail=a3ComAudlControlAuditTrail)
#creating empty list lis = [] #enter the number of elements in list noofelements = int(input('How many numbers? ')) # iterating till count to append all input elements in list for n in range(noofelements): number = int(input('Enter number: ')) lis.append(number) # displaying largest number print("Largest number in list is :", max(lis))
lis = [] noofelements = int(input('How many numbers? ')) for n in range(noofelements): number = int(input('Enter number: ')) lis.append(number) print('Largest number in list is :', max(lis))
#----------------------------------------------------------------------------- # Copyright (c) 2005-2015, PyInstaller Development Team. # # Distributed under the terms of the GNU General Public License with exception # for distributing bootloader. # # The full license is in the file COPYING.txt, distributed with this software. #----------------------------------------------------------------------------- if __file__ != 'pyi_filename.py': raise ValueError(__file__)
if __file__ != 'pyi_filename.py': raise value_error(__file__)
#!/usr/bin/env python class ChatAction(object): TYPING = 'typing' UPLOAD_PHOTO = 'upload_photo' RECORD_VIDEO = 'upload_video' RECORD_AUDIO = 'upload_audio' UPLOAD_DOCUMENT = 'upload_document' FIND_LOCATION = 'find_location'
class Chataction(object): typing = 'typing' upload_photo = 'upload_photo' record_video = 'upload_video' record_audio = 'upload_audio' upload_document = 'upload_document' find_location = 'find_location'
fin = open('../mbox-short.txt') for line in fin: s = line.strip() if s.startswith('From '): print(s.split()[2])
fin = open('../mbox-short.txt') for line in fin: s = line.strip() if s.startswith('From '): print(s.split()[2])
project_folder = "/Users/au194693/projects/biomeg_class/" data_folder = project_folder + "data/" class_data = project_folder + "class_data/"
project_folder = '/Users/au194693/projects/biomeg_class/' data_folder = project_folder + 'data/' class_data = project_folder + 'class_data/'
class SubmissionSpreadsheetAlreadyExists(Exception): pass class SubmissionSpreadsheetDoesntExist(Exception): def __init__(self, submission_uuid: str, missing_path: str): super().__init__(f'No spreadsheet found for submission with uuid {submission_uuid}') self.submission_uuid = submission_uuid self.missing_path = missing_path pass
class Submissionspreadsheetalreadyexists(Exception): pass class Submissionspreadsheetdoesntexist(Exception): def __init__(self, submission_uuid: str, missing_path: str): super().__init__(f'No spreadsheet found for submission with uuid {submission_uuid}') self.submission_uuid = submission_uuid self.missing_path = missing_path pass
n = input("What days of the week is today ? ") #ask user for todays day of the week if n == "Tuesday": #first possible answer print("Yes, today begins with a T.") elif n == "Thursday": #second possible answer print("Yes, today begins with a T.") else: #any other answer is incorrect then this is an output print("No, today does not begin with a T.")
n = input('What days of the week is today ? ') if n == 'Tuesday': print('Yes, today begins with a T.') elif n == 'Thursday': print('Yes, today begins with a T.') else: print('No, today does not begin with a T.')
class OutputTooLargeError(Exception): """Raised when a message is too long to send to Discord""" pass
class Outputtoolargeerror(Exception): """Raised when a message is too long to send to Discord""" pass
order = 1 scoopCost = 0.0 extraCost = 0.0 flavScoop = {} toppings = [] print("Welcome to John Doe's famous creamery!") print("~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~") print("Classic Flavors:") print("One scoop: 2/ Two scoop: 3.5") print("Vanilla/ Chocolate/ Strawberry/ Coffee/ Mint") print("~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~") print("Specialty Flavors:") print("One scoop: 2.4/ Two scoop: 4.2") print("FACP/ Caramel/ Lemon Scone/ Beetlejuice") print("~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~") print("Cone Selection:") print("Sugar: 50/ Waffle: 75") print("+ Chocolate : 50/ + ChocSprinkles: 75") print("~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~") print("Topping Selection (25 each):") print("Sprinkles/ Cherries/ Chocolate Syrup/ Strawberry Syrup") print("M&M's/ Oreo/ Salt/ Toffee") c1 = input("What is your first flavor?").lower() c2 = int(input("How many scoops?")) flavScoop[c1] = c2 loop = input("Would you like another flavor?").lower() while loop not in ["no","n","nope"]: loop = input("Would you like another flavor?").lower() c1 = input("What is your next flavor?").lower() c2 = int(input("How many scoops?")) flavScoop[c1] = c2 loop = input("Would you like another flavor?").lower() c3 = input("Cone or bowl?").lower() if c3 == "cone": c4 = input("Sugar or waffle?").lower if c4 == "sugar": extraCost += .50 else: extraCost += .75 dipped = input("Would you like your cone dipped?") if dipped in ["yes","y","sure"]: c5 = input("Chocolate or chocolate with sprinkles?").lower if c5 == "chocolate": extraCost += .50 else: extraCost += .75 loopFrequency = 0 c6 = input("Would you like toppings?").lower while c6 not in ["no","n","nope"]: topping = input("What topping would you like?").lower toppings.append(topping) extraCost += .25 c6 = input("Would you like another topping?") loopFrequency += 1 for c1 in flavScoop: if c1 in ["vanilla" , "chocolate" , "strawberry" , "coffee" , "mint"]: if c2 % 2 == 0: scoopCost += float(c2) * 1.75 else: scoopCost += float(c2 - 1) * 1.75 + 2.0 else: if c2 % 2 == 0: scoopCost += float(c2) * 2.1 else: scoopCost += float(c2 - 1) * 2.1 + 2.4 for c1 in flavScoop: print("You ordered "+ str(c2) +" scoop(s) of "+ c1 +".") print("Your ice cream came with "+ str(loopFrequency) +" topping(s).") for i in range(loopFrequency): print("You asked for extra "+ str(toppings[i]) +".") print("Your total is: "+ str(extraCost + scoopCost))
order = 1 scoop_cost = 0.0 extra_cost = 0.0 flav_scoop = {} toppings = [] print("Welcome to John Doe's famous creamery!") print('~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~') print('Classic Flavors:') print('One scoop: 2/ Two scoop: 3.5') print('Vanilla/ Chocolate/ Strawberry/ Coffee/ Mint') print('~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~') print('Specialty Flavors:') print('One scoop: 2.4/ Two scoop: 4.2') print('FACP/ Caramel/ Lemon Scone/ Beetlejuice') print('~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~') print('Cone Selection:') print('Sugar: 50/ Waffle: 75') print('+ Chocolate : 50/ + ChocSprinkles: 75') print('~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~+~') print('Topping Selection (25 each):') print('Sprinkles/ Cherries/ Chocolate Syrup/ Strawberry Syrup') print("M&M's/ Oreo/ Salt/ Toffee") c1 = input('What is your first flavor?').lower() c2 = int(input('How many scoops?')) flavScoop[c1] = c2 loop = input('Would you like another flavor?').lower() while loop not in ['no', 'n', 'nope']: loop = input('Would you like another flavor?').lower() c1 = input('What is your next flavor?').lower() c2 = int(input('How many scoops?')) flavScoop[c1] = c2 loop = input('Would you like another flavor?').lower() c3 = input('Cone or bowl?').lower() if c3 == 'cone': c4 = input('Sugar or waffle?').lower if c4 == 'sugar': extra_cost += 0.5 else: extra_cost += 0.75 dipped = input('Would you like your cone dipped?') if dipped in ['yes', 'y', 'sure']: c5 = input('Chocolate or chocolate with sprinkles?').lower if c5 == 'chocolate': extra_cost += 0.5 else: extra_cost += 0.75 loop_frequency = 0 c6 = input('Would you like toppings?').lower while c6 not in ['no', 'n', 'nope']: topping = input('What topping would you like?').lower toppings.append(topping) extra_cost += 0.25 c6 = input('Would you like another topping?') loop_frequency += 1 for c1 in flavScoop: if c1 in ['vanilla', 'chocolate', 'strawberry', 'coffee', 'mint']: if c2 % 2 == 0: scoop_cost += float(c2) * 1.75 else: scoop_cost += float(c2 - 1) * 1.75 + 2.0 elif c2 % 2 == 0: scoop_cost += float(c2) * 2.1 else: scoop_cost += float(c2 - 1) * 2.1 + 2.4 for c1 in flavScoop: print('You ordered ' + str(c2) + ' scoop(s) of ' + c1 + '.') print('Your ice cream came with ' + str(loopFrequency) + ' topping(s).') for i in range(loopFrequency): print('You asked for extra ' + str(toppings[i]) + '.') print('Your total is: ' + str(extraCost + scoopCost))
number1 = 10 number2 = 20 number4 = 40 number3 = 30
number1 = 10 number2 = 20 number4 = 40 number3 = 30
# -*- coding: utf-8 -*- __author__ = 'Michael Ingrisch' __email__ = 'michael.ingrisch@gmail.com' __version__ = '0.1.0'
__author__ = 'Michael Ingrisch' __email__ = 'michael.ingrisch@gmail.com' __version__ = '0.1.0'
""" Entradas mesanterior->int-->mesant kwhmesanterior-->float-->kwhgas kwhmesactual-->float-->kwsact salidas total-->int-->dinerototal """ #entrada mesant=int(input("ingrese monto pagado en el mes anterior: ")) kwhgas=float(input("digite kWh Gastados en el mes anterior: ")) kwsact=float(input("ingrese lectura actual de kWh: ")) #caja negra precio1kwh=(kwhgas/mesant) pagoactual=(precio1kwh*kwsact) #salidas print("el monto total a pagar es: ""{:.0F}".format(pagoactual))
""" Entradas mesanterior->int-->mesant kwhmesanterior-->float-->kwhgas kwhmesactual-->float-->kwsact salidas total-->int-->dinerototal """ mesant = int(input('ingrese monto pagado en el mes anterior: ')) kwhgas = float(input('digite kWh Gastados en el mes anterior: ')) kwsact = float(input('ingrese lectura actual de kWh: ')) precio1kwh = kwhgas / mesant pagoactual = precio1kwh * kwsact print('el monto total a pagar es: {:.0F}'.format(pagoactual))
i = 0 print(i) def test(): global i i = i+1 print(i) test() print(i)
i = 0 print(i) def test(): global i i = i + 1 print(i) test() print(i)
# gameresults.py # Copyright 2008 Roger Marsh # Licence: See LICENCE (BSD licence) """Constants used in the results of games. """ # Game score identifiers. # h... refers to first-named player usually the home player in team context. # a... refers to second-named player usually the away player in team context. # No assumption is made about which player has the white or black pieces. hwin = "h" awin = "a" draw = "d" hdefault = "hd" adefault = "ad" doubledefault = "dd" drawdefault = "=d" hbye = "hb" abye = "ab" hbyehalf = "hbh" abyehalf = "abh" tobereported = None void = "v" notaresult = "not a result" defaulted = "gd" # Commentary on printed results tbrstring = "to be reported" # ECF score identifiers. # Results are reported to ECF as '10' '01' or '55'. # Only hwin awin and draw are reported. ecfresult = {hwin: "10", awin: "01", draw: "55"} # Particular data entry modules may wish to use their own versions # of the following maps. # But all must use the definitions above. # Display score strings. # Results are displayed as '1-0' '0-1' etc. # Use is "A Player 1-0 A N Other". displayresult = { hwin: "1-0", awin: "0-1", draw: "draw", hdefault: "1-def", adefault: "def-1", doubledefault: "dbldef", hbye: "bye+", abye: "bye+", hbyehalf: "bye=", abyehalf: "bye=", void: "void", drawdefault: "drawdef", defaulted: "defaulted", } # Score tags. Comments displayed after a game result. # Use is "A Player A N Other to be reported". displayresulttag = { tobereported: tbrstring, notaresult: notaresult, } # Map of all strings representing a result to result. # Where the context implies that a string is a result treat as "void" # if no map exists i.e. resultmap.get(resultstring, resultmap['void']). # resultstring may have been initialised to None and not been set. # Thus the extra entry None:tobereported. resultmap = { "1-0": hwin, "0-1": awin, "draw": draw, "void": void, "tbr": tobereported, "": tobereported, None: tobereported, "def+": hdefault, "def-": adefault, "dbld": doubledefault, "def=": drawdefault, "default": defaulted, } # Map game results to the difference created in the match score match_score_difference = { hwin: 1, awin: -1, draw: 0, hdefault: 1, adefault: -1, doubledefault: 0, drawdefault: 0, hbye: 1, abye: -1, hbyehalf: 0.5, abyehalf: -0.5, tobereported: 0, void: 0, notaresult: 0, } # Map game results to the contribution to the total match score match_score_total = { hwin: 1, awin: 1, draw: 1, hdefault: 1, adefault: 1, doubledefault: 0, drawdefault: 0.5, hbye: 1, abye: 1, hbyehalf: 0.5, abyehalf: 0.5, tobereported: 0, void: 0, notaresult: 0, } # Games with following results are stored on database # Maybe move to gameresults # Not sure if the mapping is needed _loss = "0-1" _draw = "draw" _win = "1-0" _storeresults = {awin: _loss, draw: _draw, hwin: _win} # Duplicate game report inconsistency flags NULL_PLAYER = "null" HOME_PLAYER_WHITE = "home player white" RESULT = "result" BOARD = "board" GRADING_ONLY = "grading only" SOURCE = "source" SECTION = "section" COMPETITION = "competition" HOME_TEAM_NAME = "home team name" AWAY_TEAM_NAME = "away team name" HOME_PLAYER = "home player" AWAY_PLAYER = "away player" ROUND = "round" GAME_COUNT = "game count" MATCH_SCORE = "match and game scores in earlier reports" ONLY_REPORT = "match and game scores in only report" AUTHORIZATION = "authorization"
"""Constants used in the results of games. """ hwin = 'h' awin = 'a' draw = 'd' hdefault = 'hd' adefault = 'ad' doubledefault = 'dd' drawdefault = '=d' hbye = 'hb' abye = 'ab' hbyehalf = 'hbh' abyehalf = 'abh' tobereported = None void = 'v' notaresult = 'not a result' defaulted = 'gd' tbrstring = 'to be reported' ecfresult = {hwin: '10', awin: '01', draw: '55'} displayresult = {hwin: '1-0', awin: '0-1', draw: 'draw', hdefault: '1-def', adefault: 'def-1', doubledefault: 'dbldef', hbye: 'bye+', abye: 'bye+', hbyehalf: 'bye=', abyehalf: 'bye=', void: 'void', drawdefault: 'drawdef', defaulted: 'defaulted'} displayresulttag = {tobereported: tbrstring, notaresult: notaresult} resultmap = {'1-0': hwin, '0-1': awin, 'draw': draw, 'void': void, 'tbr': tobereported, '': tobereported, None: tobereported, 'def+': hdefault, 'def-': adefault, 'dbld': doubledefault, 'def=': drawdefault, 'default': defaulted} match_score_difference = {hwin: 1, awin: -1, draw: 0, hdefault: 1, adefault: -1, doubledefault: 0, drawdefault: 0, hbye: 1, abye: -1, hbyehalf: 0.5, abyehalf: -0.5, tobereported: 0, void: 0, notaresult: 0} match_score_total = {hwin: 1, awin: 1, draw: 1, hdefault: 1, adefault: 1, doubledefault: 0, drawdefault: 0.5, hbye: 1, abye: 1, hbyehalf: 0.5, abyehalf: 0.5, tobereported: 0, void: 0, notaresult: 0} _loss = '0-1' _draw = 'draw' _win = '1-0' _storeresults = {awin: _loss, draw: _draw, hwin: _win} null_player = 'null' home_player_white = 'home player white' result = 'result' board = 'board' grading_only = 'grading only' source = 'source' section = 'section' competition = 'competition' home_team_name = 'home team name' away_team_name = 'away team name' home_player = 'home player' away_player = 'away player' round = 'round' game_count = 'game count' match_score = 'match and game scores in earlier reports' only_report = 'match and game scores in only report' authorization = 'authorization'
username = None password = None first_run = True port = "22" password_len = 50 connections = {} ssh_host_pwd_map = {} ssh_config_keys = ('HostName', 'User', 'Port', 'IdentityFile') use_ssh_config = False ssh_config_path = None keepass_db_path = None keepass_pwd = None
username = None password = None first_run = True port = '22' password_len = 50 connections = {} ssh_host_pwd_map = {} ssh_config_keys = ('HostName', 'User', 'Port', 'IdentityFile') use_ssh_config = False ssh_config_path = None keepass_db_path = None keepass_pwd = None
# 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 trimBST(self, root: Optional[TreeNode], low: int, high: int) -> Optional[TreeNode]: def iterr(root): if not root : return root if root.val>high: return iterr(root.left) elif root.val<low: return iterr(root.right) else: root.left=iterr(root.left) root.right=iterr(root.right) return root return iterr(root)
class Solution: def trim_bst(self, root: Optional[TreeNode], low: int, high: int) -> Optional[TreeNode]: def iterr(root): if not root: return root if root.val > high: return iterr(root.left) elif root.val < low: return iterr(root.right) else: root.left = iterr(root.left) root.right = iterr(root.right) return root return iterr(root)
def upl(s): upper = 0 lower = 0 for i in s: if i.isupper(): upper += 1 elif i.islower(): lower += 1 print(f'No. of Upper case characters : {upper}') print(f'No. of Lower case characters : {lower}') upl("sss sss sss S")
def upl(s): upper = 0 lower = 0 for i in s: if i.isupper(): upper += 1 elif i.islower(): lower += 1 print(f'No. of Upper case characters : {upper}') print(f'No. of Lower case characters : {lower}') upl('sss sss sss S')
class Player: def __init__(self): self.name = "TeamOne" self.prec = {} self.prec['3'] = 1 self.prec['4'] = 2 self.prec['5'] = 3 self.prec['6'] = 4 self.prec['7'] = 5 self.prec['8'] = 6 self.prec['9'] = 7 self.prec['10'] = 8 self.prec['J'] = 9 self.prec['Q'] = 10 self.prec['K'] = 11 self.prec['A'] = 12 self.prec['2'] = 13 pass def newGame(self, hand1, hand2, opponent): self.myHand = hand1 self.yourHand = hand2 self.opponent = opponent def beat(self, t, yt): if len(t) == 1 and len(yt) == 1 : return self.prec[t[0]] > self.prec[yt[0]] return not yt def play(self, t): for c in t: self.yourHand.remove(c) if not self.myHand: return [] if not t: return [self.myHand[0]] if len(t) == 1: for c in self.myHand: if self.beat([c], t): return [c] return [] def ack(self, t): #print("ack: {}".format(self.myHand)) for c in t: self.myHand.remove(c) def teamName(self): return self.name
class Player: def __init__(self): self.name = 'TeamOne' self.prec = {} self.prec['3'] = 1 self.prec['4'] = 2 self.prec['5'] = 3 self.prec['6'] = 4 self.prec['7'] = 5 self.prec['8'] = 6 self.prec['9'] = 7 self.prec['10'] = 8 self.prec['J'] = 9 self.prec['Q'] = 10 self.prec['K'] = 11 self.prec['A'] = 12 self.prec['2'] = 13 pass def new_game(self, hand1, hand2, opponent): self.myHand = hand1 self.yourHand = hand2 self.opponent = opponent def beat(self, t, yt): if len(t) == 1 and len(yt) == 1: return self.prec[t[0]] > self.prec[yt[0]] return not yt def play(self, t): for c in t: self.yourHand.remove(c) if not self.myHand: return [] if not t: return [self.myHand[0]] if len(t) == 1: for c in self.myHand: if self.beat([c], t): return [c] return [] def ack(self, t): for c in t: self.myHand.remove(c) def team_name(self): return self.name
class Solution(object): def generateParenthesis(self, n): """ :type n: int :rtype: List[str] """ res = [] self.generate('', n, n, res) return res def generate(self, v, left, right, res): if left == 0: res.append(v + ')' * right) return self.generate(v + '(', left - 1, right, res) if left != right: self.generate(v + ')', left, right - 1, res) def test_generate_parenthesis(): s = Solution() assert ["()"] == s.generateParenthesis(1) r = s.generateParenthesis(2) assert 2 == len(r) assert "(())" in r assert "()()" in r
class Solution(object): def generate_parenthesis(self, n): """ :type n: int :rtype: List[str] """ res = [] self.generate('', n, n, res) return res def generate(self, v, left, right, res): if left == 0: res.append(v + ')' * right) return self.generate(v + '(', left - 1, right, res) if left != right: self.generate(v + ')', left, right - 1, res) def test_generate_parenthesis(): s = solution() assert ['()'] == s.generateParenthesis(1) r = s.generateParenthesis(2) assert 2 == len(r) assert '(())' in r assert '()()' in r
''' https://leetcode.com/contest/weekly-contest-155/problems/minimum-absolute-difference/ ''' class Solution: def minimumAbsDifference(self, arr: List[int]) -> List[List[int]]: arr.sort() min_diff = 10**7 for i in range(1, len(arr)): min_diff = min(min_diff, arr[i] - arr[i - 1]) sarr = set(arr) return [[a, a + min_diff] for a in arr if a + min_diff in sarr]
""" https://leetcode.com/contest/weekly-contest-155/problems/minimum-absolute-difference/ """ class Solution: def minimum_abs_difference(self, arr: List[int]) -> List[List[int]]: arr.sort() min_diff = 10 ** 7 for i in range(1, len(arr)): min_diff = min(min_diff, arr[i] - arr[i - 1]) sarr = set(arr) return [[a, a + min_diff] for a in arr if a + min_diff in sarr]
print("Let's practice everything.") print('You\'d need to know \'bout escapes with \\ that do:') print('\n new lines and \t tabs.') poem= """ \t The lovely world with logic so firmly planted cannot discern \n the needs of love nore comprehend passion from intutiion and requires an explanation \n \t \t where there is none. """ print("--------------") print(poem) print("--------------") five = 10-2+3-6 print(f"This should be five: {five}") def secret_formula(started): jelly_beans= started *500 jars= jelly_beans/1000 crates = jars/100 return jelly_beans, jars, crates start_point=10000 beans, jars, crates = secret_formula(start_point) #remember that this is another way to format a string print("with a starting point of: {}".format(start_point)) #it's just like with a f"" string print(f"We'd have {beans} beans, {jars} jars, and {crates} crates.") start_point= start_point/10 print("We can also do that this way:") formula=secret_formula(start_point) #this is an easy way to apply a list to a format string print("We'd have {} beans, {} jars, and {} crates".format(*formula))
print("Let's practice everything.") print("You'd need to know 'bout escapes with \\ that do:") print('\n new lines and \t tabs.') poem = '\n\t The lovely world\nwith logic so firmly planted\ncannot discern \n the needs of love\nnore comprehend passion from intutiion\nand requires an explanation\n\n \t \t where there is none.\n' print('--------------') print(poem) print('--------------') five = 10 - 2 + 3 - 6 print(f'This should be five: {five}') def secret_formula(started): jelly_beans = started * 500 jars = jelly_beans / 1000 crates = jars / 100 return (jelly_beans, jars, crates) start_point = 10000 (beans, jars, crates) = secret_formula(start_point) print('with a starting point of: {}'.format(start_point)) print(f"We'd have {beans} beans, {jars} jars, and {crates} crates.") start_point = start_point / 10 print('We can also do that this way:') formula = secret_formula(start_point) print("We'd have {} beans, {} jars, and {} crates".format(*formula))
SECRET_KEY = 'dev' SITES_DICT = { 'www.iie.cas.cn': 'xgs', 'www.is.cas.cn': 'rjs', } ############################################### MYSQL_HOST = 'localhost' MYSQL_PORT = 6761 MYSQL_DB_NAME = 'crawling_db' MYSQL_USER = 'root' MYSQL_PASSWORD = 'mysql' ############################################### SCRAPY_PATH = '../ScrapyBased/'
secret_key = 'dev' sites_dict = {'www.iie.cas.cn': 'xgs', 'www.is.cas.cn': 'rjs'} mysql_host = 'localhost' mysql_port = 6761 mysql_db_name = 'crawling_db' mysql_user = 'root' mysql_password = 'mysql' scrapy_path = '../ScrapyBased/'
#!/usr/bin/env python # -*- coding: utf-8 -*- """ config_file_test.py Tests for the config_file module. Created by Chandrasekhar Ramakrishnan on 2015-08-08. Copyright (c) 2015 Chandrasekhar Ramakrishnan. All rights reserved. """ def test_config_basics(smet_bundle): config = smet_bundle.config assert config is not None race_configs = config.race_configs assert len(race_configs) == 1 chicago = race_configs[0] assert chicago['race'] == "Chicago Mayor Runoff 2015" assert chicago['year'] == '2015' candidates = chicago['candidates'] assert len(candidates) == 2 rahm = candidates[0] assert rahm['name'] == 'Rahm Emanuel' chuy = candidates[1] assert len(chuy['search']) == 2 def test_creds_basics(smet_bundle): creds = smet_bundle.credentials assert creds is not None assert creds.app_key == 'an_app_key_string' assert creds.access_token == 'an_access_token_string'
""" config_file_test.py Tests for the config_file module. Created by Chandrasekhar Ramakrishnan on 2015-08-08. Copyright (c) 2015 Chandrasekhar Ramakrishnan. All rights reserved. """ def test_config_basics(smet_bundle): config = smet_bundle.config assert config is not None race_configs = config.race_configs assert len(race_configs) == 1 chicago = race_configs[0] assert chicago['race'] == 'Chicago Mayor Runoff 2015' assert chicago['year'] == '2015' candidates = chicago['candidates'] assert len(candidates) == 2 rahm = candidates[0] assert rahm['name'] == 'Rahm Emanuel' chuy = candidates[1] assert len(chuy['search']) == 2 def test_creds_basics(smet_bundle): creds = smet_bundle.credentials assert creds is not None assert creds.app_key == 'an_app_key_string' assert creds.access_token == 'an_access_token_string'
# Create a recursive method that mirrors how a # factorial would work in math. def factorial(n): if n == 0: # add here and remove "pass" pass else: # add here and remove "pass" pass
def factorial(n): if n == 0: pass else: pass
#!/usr/bin/env python3 # -*- coding: utf-8 -*- """ Created on Mon Feb 15 09:40:31 2021 @author: martin # This script converts the imperial units for fuel salt and coolant salt of # the MSRE into metric units. Parameters are taken from (bibtex): @article{osti_4676587, title = {MOLTEN-SALT REACTOR PROGRAM SEMIANNUAL PROGRESS REPORT FOR PERIOD ENDING JULY 31, 1964}, author = {Briggs, R. B.}, abstractNote = {}, doi = {10.2172/4676587}, url = {https://www.osti.gov/biblio/4676587}, journal = {}, number = , volume = , place = {United States}, year = {1964}, month = {11} } found here (https://www.osti.gov/biblio/4676587-molten-salt-reactor-program-semiannual-progress-report-period-ending-july) or here (https://energyfromthorium.com/pdf/ORNL-3708.pdf) """ class Constants(): def __init__(self): self.btu_to_J = 1055.06 self.lb_to_g = 453.59237 self.ft_to_m = 0.3048 self.Delta_F_to_Delta_K = 5/9 self.hour_to_s = 60*60 def FahrenheitToCelsius(T_F): return (T_F-32)*5/9 def ImperialDensityToMetric(density_lb_per_ft3): const = Constants() density_g_per_cm3 = const.lb_to_g/(const.ft_to_m*100)**3*density_lb_per_ft3 return density_g_per_cm3 def ImperialHeatCapacityToJ_per_g_K(heat_capacity_Btu_per_lb_F): const = Constants() heat_capacity_imperial_to_J_per_g_K = const.btu_to_J/(const.lb_to_g*const.Delta_F_to_Delta_K) return heat_capacity_Btu_per_lb_F*heat_capacity_imperial_to_J_per_g_K def ImperialThermalConductivityTo_W_per_m_K(thermal_conductivity_Btu_per_ft_hr_F): const = Constants() thermal_conductivity_W_per_m_K = thermal_conductivity_Btu_per_ft_hr_F*const.btu_to_J/(const.ft_to_m*const.hour_to_s*const.Delta_F_to_Delta_K) return thermal_conductivity_W_per_m_K class salt(): def __init__(self,name,composition,liquidus_temperature_F,physical_properties_temperature_F,density_lb_per_ft3,heat_capacity_Btu_per_lb_F,viscosity_cP,thermal_conductivity_Btu_per_ft_hr_F): self.name = name self.composition = composition self.liquidus_temperature_F = liquidus_temperature_F # degrees F self.physical_properties_temperature_F = physical_properties_temperature_F self.density_lb_per_ft3 = density_lb_per_ft3 self.heat_capacity_Btu_per_lb_F = heat_capacity_Btu_per_lb_F self.viscosity_cP = viscosity_cP self.thermal_conductivity_Btu_per_ft_hr_F = thermal_conductivity_Btu_per_ft_hr_F self.liquidus_temperature_C = FahrenheitToCelsius(liquidus_temperature_F) self.physical_properties_temperature_C = FahrenheitToCelsius(physical_properties_temperature_F) self.density_g_per_cm3 = ImperialDensityToMetric(density_lb_per_ft3) self.heat_capacity_J_per_g_K = ImperialHeatCapacityToJ_per_g_K(heat_capacity_Btu_per_lb_F) self.viscosity_mPa_s = viscosity_cP self.thermal_conductivity_W_per_m_K = ImperialThermalConductivityTo_W_per_m_K(self.thermal_conductivity_Btu_per_ft_hr_F) self.volumetric_heat_capacity_J_per_cm3_K = self.heat_capacity_J_per_g_K*self.density_g_per_cm3 def PrintMetricParameters(self): print(self.name) print('composition = {}'.format(self.composition)) print('liquidus_temperature = {:.2f} degree C'.format(self.liquidus_temperature_C)) print('physical_properties_temperature = {:.2f} degree C'.format(self.physical_properties_temperature_C)) print('density = {:.3f} g/cm^3'.format(self.density_g_per_cm3)) print('heat_capacity = {:.3f} J/(g K)'.format(self.heat_capacity_J_per_g_K)) print('viscosity = {:.3f} mPa s'.format(self.viscosity_mPa_s)) print('thermal_conductivity = {:.3f} W/(m K)\n'.format(self.thermal_conductivity_W_per_m_K)) fuel_salt = salt(name = 'fuel_salt', composition='LiF-BeF2-ZrF4-UF4 (65-29.1-5-0.9 mole %)', liquidus_temperature_F = 842, physical_properties_temperature_F = 1200, density_lb_per_ft3 = 146, heat_capacity_Btu_per_lb_F = 0.455, viscosity_cP = 7.6, thermal_conductivity_Btu_per_ft_hr_F = 3.2,) coolant_salt = salt(name = 'coolant_salt', composition='LiF-BeF2 (66-34 mole %)', liquidus_temperature_F = 851, physical_properties_temperature_F = 1062, density_lb_per_ft3 = 120.5, heat_capacity_Btu_per_lb_F = 0.526, viscosity_cP = 8.3, thermal_conductivity_Btu_per_ft_hr_F = 3.5) if __name__ == "__main__": fuel_salt.PrintMetricParameters() coolant_salt.PrintMetricParameters()
""" Created on Mon Feb 15 09:40:31 2021 @author: martin # This script converts the imperial units for fuel salt and coolant salt of # the MSRE into metric units. Parameters are taken from (bibtex): @article{osti_4676587, title = {MOLTEN-SALT REACTOR PROGRAM SEMIANNUAL PROGRESS REPORT FOR PERIOD ENDING JULY 31, 1964}, author = {Briggs, R. B.}, abstractNote = {}, doi = {10.2172/4676587}, url = {https://www.osti.gov/biblio/4676587}, journal = {}, number = , volume = , place = {United States}, year = {1964}, month = {11} } found here (https://www.osti.gov/biblio/4676587-molten-salt-reactor-program-semiannual-progress-report-period-ending-july) or here (https://energyfromthorium.com/pdf/ORNL-3708.pdf) """ class Constants: def __init__(self): self.btu_to_J = 1055.06 self.lb_to_g = 453.59237 self.ft_to_m = 0.3048 self.Delta_F_to_Delta_K = 5 / 9 self.hour_to_s = 60 * 60 def fahrenheit_to_celsius(T_F): return (T_F - 32) * 5 / 9 def imperial_density_to_metric(density_lb_per_ft3): const = constants() density_g_per_cm3 = const.lb_to_g / (const.ft_to_m * 100) ** 3 * density_lb_per_ft3 return density_g_per_cm3 def imperial_heat_capacity_to_j_per_g_k(heat_capacity_Btu_per_lb_F): const = constants() heat_capacity_imperial_to_j_per_g_k = const.btu_to_J / (const.lb_to_g * const.Delta_F_to_Delta_K) return heat_capacity_Btu_per_lb_F * heat_capacity_imperial_to_J_per_g_K def imperial_thermal_conductivity_to_w_per_m_k(thermal_conductivity_Btu_per_ft_hr_F): const = constants() thermal_conductivity_w_per_m_k = thermal_conductivity_Btu_per_ft_hr_F * const.btu_to_J / (const.ft_to_m * const.hour_to_s * const.Delta_F_to_Delta_K) return thermal_conductivity_W_per_m_K class Salt: def __init__(self, name, composition, liquidus_temperature_F, physical_properties_temperature_F, density_lb_per_ft3, heat_capacity_Btu_per_lb_F, viscosity_cP, thermal_conductivity_Btu_per_ft_hr_F): self.name = name self.composition = composition self.liquidus_temperature_F = liquidus_temperature_F self.physical_properties_temperature_F = physical_properties_temperature_F self.density_lb_per_ft3 = density_lb_per_ft3 self.heat_capacity_Btu_per_lb_F = heat_capacity_Btu_per_lb_F self.viscosity_cP = viscosity_cP self.thermal_conductivity_Btu_per_ft_hr_F = thermal_conductivity_Btu_per_ft_hr_F self.liquidus_temperature_C = fahrenheit_to_celsius(liquidus_temperature_F) self.physical_properties_temperature_C = fahrenheit_to_celsius(physical_properties_temperature_F) self.density_g_per_cm3 = imperial_density_to_metric(density_lb_per_ft3) self.heat_capacity_J_per_g_K = imperial_heat_capacity_to_j_per_g_k(heat_capacity_Btu_per_lb_F) self.viscosity_mPa_s = viscosity_cP self.thermal_conductivity_W_per_m_K = imperial_thermal_conductivity_to_w_per_m_k(self.thermal_conductivity_Btu_per_ft_hr_F) self.volumetric_heat_capacity_J_per_cm3_K = self.heat_capacity_J_per_g_K * self.density_g_per_cm3 def print_metric_parameters(self): print(self.name) print('composition = {}'.format(self.composition)) print('liquidus_temperature = {:.2f} degree C'.format(self.liquidus_temperature_C)) print('physical_properties_temperature = {:.2f} degree C'.format(self.physical_properties_temperature_C)) print('density = {:.3f} g/cm^3'.format(self.density_g_per_cm3)) print('heat_capacity = {:.3f} J/(g K)'.format(self.heat_capacity_J_per_g_K)) print('viscosity = {:.3f} mPa s'.format(self.viscosity_mPa_s)) print('thermal_conductivity = {:.3f} W/(m K)\n'.format(self.thermal_conductivity_W_per_m_K)) fuel_salt = salt(name='fuel_salt', composition='LiF-BeF2-ZrF4-UF4 (65-29.1-5-0.9 mole %)', liquidus_temperature_F=842, physical_properties_temperature_F=1200, density_lb_per_ft3=146, heat_capacity_Btu_per_lb_F=0.455, viscosity_cP=7.6, thermal_conductivity_Btu_per_ft_hr_F=3.2) coolant_salt = salt(name='coolant_salt', composition='LiF-BeF2 (66-34 mole %)', liquidus_temperature_F=851, physical_properties_temperature_F=1062, density_lb_per_ft3=120.5, heat_capacity_Btu_per_lb_F=0.526, viscosity_cP=8.3, thermal_conductivity_Btu_per_ft_hr_F=3.5) if __name__ == '__main__': fuel_salt.PrintMetricParameters() coolant_salt.PrintMetricParameters()
# # Copyright 2021 Splunk Inc. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # """Default config for cloud connect""" timeout = 120 # request timeout is two minutes disable_ssl_cert_validation = False # default enable SSL validation success_statuses = (200, 201) # statuses be treated as success. # response status which need to retry. retry_statuses = (429, 500, 501, 502, 503, 504, 505, 506, 507, 509, 510, 511) # response status which need print a warning log. warning_statuses = ( 203, 204, 205, 206, 207, 208, 226, 300, 301, 302, 303, 304, 305, 306, 307, 308, ) retries = 3 # Default maximum retry times. max_iteration_count = 100 # maximum iteration loop count charset = "utf-8" # Default response charset if not found in response header
"""Default config for cloud connect""" timeout = 120 disable_ssl_cert_validation = False success_statuses = (200, 201) retry_statuses = (429, 500, 501, 502, 503, 504, 505, 506, 507, 509, 510, 511) warning_statuses = (203, 204, 205, 206, 207, 208, 226, 300, 301, 302, 303, 304, 305, 306, 307, 308) retries = 3 max_iteration_count = 100 charset = 'utf-8'
def sortNums(nums): counts = {} for n in nums: counts[n] = counts.get(n, 0) + 1 return ([1] * counts.get(1, 0) + counts.get(2, 0) + counts.get(3, 0)) def sortNums2(nums): one_index = 0 three_index = len(nums) - 1 index = 0 while index <= three_index: if nums[index] == 1: nums[index], nums[one_index] = nums[one_index], nums[index] one_index += 1 index += 1 if nums[index] == 2: one_index += 1 if nums[index] == 3: nums[index], nums[three_index] = nums[three_index], nums[index] three_index -= 1 return nums
def sort_nums(nums): counts = {} for n in nums: counts[n] = counts.get(n, 0) + 1 return [1] * counts.get(1, 0) + counts.get(2, 0) + counts.get(3, 0) def sort_nums2(nums): one_index = 0 three_index = len(nums) - 1 index = 0 while index <= three_index: if nums[index] == 1: (nums[index], nums[one_index]) = (nums[one_index], nums[index]) one_index += 1 index += 1 if nums[index] == 2: one_index += 1 if nums[index] == 3: (nums[index], nums[three_index]) = (nums[three_index], nums[index]) three_index -= 1 return nums
# automatically generated by the FlatBuffers compiler, do not modify # namespace: DeepSeaVectorDraw class FillRule(object): EvenOdd = 0 NonZero = 1
class Fillrule(object): even_odd = 0 non_zero = 1
class Solution: def isIsomorphic(self, s, t): if len(s) != len(t): return False s2t, t2s = {}, {} for p, w in zip(s, t): if p not in s2t and w not in t2s: s2t[p] = w t2s[w] = p elif p not in s2t or s2t[p] != w: return False return True if __name__ == "__main__": s = "badc" t = "baba" g = Solution() print(g.isIsomorphic(s, t))
class Solution: def is_isomorphic(self, s, t): if len(s) != len(t): return False (s2t, t2s) = ({}, {}) for (p, w) in zip(s, t): if p not in s2t and w not in t2s: s2t[p] = w t2s[w] = p elif p not in s2t or s2t[p] != w: return False return True if __name__ == '__main__': s = 'badc' t = 'baba' g = solution() print(g.isIsomorphic(s, t))
class Population: """ Class contians info on population of candidate solutions Instance Members : ---------------- population_size : int members : List containing the members of population new_members : List containing members of population after each iteration Methods : ---------- createMembers() : Generates initial members of population by invoking one of the methods from ChromosomeFactory.py module """ def __init__(self,factory,population_size): self.population_size = population_size self.members = [] self.new_members = [] self.createMembers(factory) def createMembers(self,factory): """ Generates initial members of population by invoking one of the methods from ChromosomeFactory.py module Parameters : ------------- factory : Reference to a method from ChromosomeFactory.py module """ for i in range(self.population_size): self.members.append(factory.createChromosome())
class Population: """ Class contians info on population of candidate solutions Instance Members : ---------------- population_size : int members : List containing the members of population new_members : List containing members of population after each iteration Methods : ---------- createMembers() : Generates initial members of population by invoking one of the methods from ChromosomeFactory.py module """ def __init__(self, factory, population_size): self.population_size = population_size self.members = [] self.new_members = [] self.createMembers(factory) def create_members(self, factory): """ Generates initial members of population by invoking one of the methods from ChromosomeFactory.py module Parameters : ------------- factory : Reference to a method from ChromosomeFactory.py module """ for i in range(self.population_size): self.members.append(factory.createChromosome())
word=input().lower() summ=0 d=0 L=list(word) for ele in L: num=int(ord(ele)-96) summ+=num for i in range (0,summ): if i*(i+1)/2==summ: print("triangle word") d+=1 if d==0: print("not a triangle word")
word = input().lower() summ = 0 d = 0 l = list(word) for ele in L: num = int(ord(ele) - 96) summ += num for i in range(0, summ): if i * (i + 1) / 2 == summ: print('triangle word') d += 1 if d == 0: print('not a triangle word')
class Solution(object): def findItinerary(self, tickets): """ :type tickets: List[List[str]] :rtype: List[str] """ ticketmap = {} self.tickets = tickets for f, t in tickets: if f not in ticketmap: ticketmap[f] = [t] else: ticketmap[f].append(t) for k, v in ticketmap.items(): v.sort() return self.recurse(ticketmap, "JFK", ["JFK"]) def recurse(self, tmap, start, it): if len(it) == len(self.tickets) + 1: return it if start not in tmap or not tmap[start]: return None for i, next in enumerate(tmap[start]): del tmap[start][i] r = self.recurse(tmap, next, it[:] + [next]) if r: return r else: tmap[start].insert(i, next) return None
class Solution(object): def find_itinerary(self, tickets): """ :type tickets: List[List[str]] :rtype: List[str] """ ticketmap = {} self.tickets = tickets for (f, t) in tickets: if f not in ticketmap: ticketmap[f] = [t] else: ticketmap[f].append(t) for (k, v) in ticketmap.items(): v.sort() return self.recurse(ticketmap, 'JFK', ['JFK']) def recurse(self, tmap, start, it): if len(it) == len(self.tickets) + 1: return it if start not in tmap or not tmap[start]: return None for (i, next) in enumerate(tmap[start]): del tmap[start][i] r = self.recurse(tmap, next, it[:] + [next]) if r: return r else: tmap[start].insert(i, next) return None
def get_close_sim_for_box(sim): def func(): sim.close() return func class Simulation: def __init__(self): self.boxes = {} self.signals = {} self.advance_order = [] self.running = False def __str__(self): return 'Simulation' def print_diagram(self): for box_key in self.advance_order: for signal_key in self.boxes[box_key].inputs_keys: print(self.signals[signal_key]) print(self.boxes[box_key]) for signal_key in self.boxes[box_key].outputs_keys: print(self.signals[signal_key]) def add_box(self, box, initial_signals_dict={}): # add a box, check correct signals, consider order of forward # With each box, signals are created for each output # Total: # initial existing signals # add box -> create new signals with initial values # add to position on in adavane order (somehow) if type(box) is not SimulationBox and \ not issubclass(type(box), SimulationBox): raise Exception( "'box' argument must be of class " + "'SimulationBox' or inherit from it") if box.key in self.boxes: raise Exception( "key of box is already used, please use a unique key... ") # add box to boxes self.boxes[box.key] = box self.advance_order.append(box.key) # add input signals for signal_key in box.inputs_keys: # verify: signals exist # if dont exist, then must have intial value if signal_key not in self.signals: if signal_key not in initial_signals_dict: raise Exception(f"if '{signal_key}' hasn't been added, " + "then inital values must be provided") if (not isinstance( initial_signals_dict[signal_key], float) and not isinstance( initial_signals_dict[signal_key], int)): raise Exception("inital values must be 'int' or 'float'") self.signals[signal_key] = SimulationSignal( signal_key, None, initial_values=initial_signals_dict[signal_key]) for signal_key in box.outputs_keys: # verify signals dont exist # if exist, check if origin is None (edit), else raise error if signal_key in self.signals: if self.signals[signal_key].origin_box_key is not None: raise Exception( f"signal '{signal_key}' already has origin...") print(f"signal {signal_key} already in...") self.signals[signal_key].origin_box_key = box.key else: self.signals[signal_key] = SimulationSignal( signal_key, box.key) print(f"new signal {signal_key} created...") def advance(self): signals_dict = { s_key: self.signals[s_key].value for s_key in self.signals} # print('signals_dict', signals_dict) for box_key in self.advance_order: # print(box_key, 'signals_dict', signals_dict) outputs = self.boxes[box_key].advance(signals_dict) # print(box_key, 'outputs', outputs) for signal_key in outputs: self.signals[signal_key].update_value(outputs[signal_key]) signals_dict[signal_key] = outputs[signal_key] def run(self): iteration = 0 self.running = True while self.running: # print(f'it: {iteration}') self.advance() iteration += 1 def close(self): self.running = False class SimulationBox: def __init__(self, key, inputs_keys, outputs_keys): self.key = key self.inputs_keys = inputs_keys self.outputs_keys = outputs_keys def __str__(self): return '({})\t -> \t[{}]\t -> \t({})'.format( ';\t'.join(self.inputs_keys), self.key, ';\t'.join(self.outputs_keys) ) def advance(self, input_values): # uses values of signals # returns values of output signals for i_key in self.inputs_keys: if i_key not in input_values: raise Exception( "'input_values' must include box's input keys") return {} class SimulationSignal: def __init__(self, key, origin_box_key, initial_values=None): self.key = key self.origin_box_key = origin_box_key self.initial_values = initial_values self.value = initial_values def update_value(self, value): self.value = value def __str__(self): return 'S([{}] -> {})'.format( self.origin_box_key, self.key )
def get_close_sim_for_box(sim): def func(): sim.close() return func class Simulation: def __init__(self): self.boxes = {} self.signals = {} self.advance_order = [] self.running = False def __str__(self): return 'Simulation' def print_diagram(self): for box_key in self.advance_order: for signal_key in self.boxes[box_key].inputs_keys: print(self.signals[signal_key]) print(self.boxes[box_key]) for signal_key in self.boxes[box_key].outputs_keys: print(self.signals[signal_key]) def add_box(self, box, initial_signals_dict={}): if type(box) is not SimulationBox and (not issubclass(type(box), SimulationBox)): raise exception("'box' argument must be of class " + "'SimulationBox' or inherit from it") if box.key in self.boxes: raise exception('key of box is already used, please use a unique key... ') self.boxes[box.key] = box self.advance_order.append(box.key) for signal_key in box.inputs_keys: if signal_key not in self.signals: if signal_key not in initial_signals_dict: raise exception(f"if '{signal_key}' hasn't been added, " + 'then inital values must be provided') if not isinstance(initial_signals_dict[signal_key], float) and (not isinstance(initial_signals_dict[signal_key], int)): raise exception("inital values must be 'int' or 'float'") self.signals[signal_key] = simulation_signal(signal_key, None, initial_values=initial_signals_dict[signal_key]) for signal_key in box.outputs_keys: if signal_key in self.signals: if self.signals[signal_key].origin_box_key is not None: raise exception(f"signal '{signal_key}' already has origin...") print(f'signal {signal_key} already in...') self.signals[signal_key].origin_box_key = box.key else: self.signals[signal_key] = simulation_signal(signal_key, box.key) print(f'new signal {signal_key} created...') def advance(self): signals_dict = {s_key: self.signals[s_key].value for s_key in self.signals} for box_key in self.advance_order: outputs = self.boxes[box_key].advance(signals_dict) for signal_key in outputs: self.signals[signal_key].update_value(outputs[signal_key]) signals_dict[signal_key] = outputs[signal_key] def run(self): iteration = 0 self.running = True while self.running: self.advance() iteration += 1 def close(self): self.running = False class Simulationbox: def __init__(self, key, inputs_keys, outputs_keys): self.key = key self.inputs_keys = inputs_keys self.outputs_keys = outputs_keys def __str__(self): return '({})\t -> \t[{}]\t -> \t({})'.format(';\t'.join(self.inputs_keys), self.key, ';\t'.join(self.outputs_keys)) def advance(self, input_values): for i_key in self.inputs_keys: if i_key not in input_values: raise exception("'input_values' must include box's input keys") return {} class Simulationsignal: def __init__(self, key, origin_box_key, initial_values=None): self.key = key self.origin_box_key = origin_box_key self.initial_values = initial_values self.value = initial_values def update_value(self, value): self.value = value def __str__(self): return 'S([{}] -> {})'.format(self.origin_box_key, self.key)
# Server id server_id = 90564452600745770 # Role assigned by default to every member that joins. # Set it to `None` to not assign any role. default_role = 'Test' # Role name or None. # Roles that can be assigned with the `role` command. assignable_roles = ['Test'] # List of role names. welcome_channel_id = 201392153884694762 # Channel id role_codes = { 'secret_code': 749046557054301980 # Role id. }
server_id = 90564452600745770 default_role = 'Test' assignable_roles = ['Test'] welcome_channel_id = 201392153884694762 role_codes = {'secret_code': 749046557054301980}
# -*- coding: utf-8 -*- """ Tests for the model. """ __author__ = 'Yves-Noel Weweler <y.weweler@fh-muenster.de>'
""" Tests for the model. """ __author__ = 'Yves-Noel Weweler <y.weweler@fh-muenster.de>'
angou = "he.elk.set.to" kaidoku = angou.split("e") print(kaidoku[-1])
angou = 'he.elk.set.to' kaidoku = angou.split('e') print(kaidoku[-1])
class Error(Exception): """Base class for other customized errors.""" pass class StockNotFoundError(Error): """Raised when the desired stock is not found within the currently recognized stocks in the system.""" pass class InsufficientFundsError(Error): """Raised when the player does not have enough liquid cash to buy the stocks or to pay the required taxes.""" pass class NotEnoughAssetsError(Error): """Raised when the player does not have enough assets to sell.""" pass class InvalidValueError(Error): """Raised when an invalid value is submitted.""" pass class IncompatibleSettingError(Error): """Raised when a setting value is incompatible with another setting value.""" pass
class Error(Exception): """Base class for other customized errors.""" pass class Stocknotfounderror(Error): """Raised when the desired stock is not found within the currently recognized stocks in the system.""" pass class Insufficientfundserror(Error): """Raised when the player does not have enough liquid cash to buy the stocks or to pay the required taxes.""" pass class Notenoughassetserror(Error): """Raised when the player does not have enough assets to sell.""" pass class Invalidvalueerror(Error): """Raised when an invalid value is submitted.""" pass class Incompatiblesettingerror(Error): """Raised when a setting value is incompatible with another setting value.""" pass
""" Given n non-negative integers representing an elevation map where the width of each bar is 1, compute how much water it is able to trap after raining. Example : Given [0,1,0,2,1,0,1,3,2,1,2,1], return 6. Rain water trapped: Example 1 The above elevation map is represented by array [0,1,0,2,1,0,1,3,2,1,2,1]. In this case, 6 units of rain water (blue section) are being trapped. """ class Solution: # @param A : tuple of integers # @return an integer def trap(self, arr): l = len(arr) lmax = [0] * l rmax = [0] * l water = 0 lmax[0] = arr[0] for i in xrange(1, l): if arr[i] > lmax[i - 1]: lmax[i] = arr[i] else: lmax[i] = lmax[i - 1] rmax[l - 1] = arr[l - 1] for i in xrange(l - 2, -1, -1): if arr[i] > rmax[i + 1]: rmax[i] = arr[i] else: rmax[i] = rmax[i + 1] for i in xrange(l): water += min(lmax[i], rmax[i]) - arr[i] return water
""" Given n non-negative integers representing an elevation map where the width of each bar is 1, compute how much water it is able to trap after raining. Example : Given [0,1,0,2,1,0,1,3,2,1,2,1], return 6. Rain water trapped: Example 1 The above elevation map is represented by array [0,1,0,2,1,0,1,3,2,1,2,1]. In this case, 6 units of rain water (blue section) are being trapped. """ class Solution: def trap(self, arr): l = len(arr) lmax = [0] * l rmax = [0] * l water = 0 lmax[0] = arr[0] for i in xrange(1, l): if arr[i] > lmax[i - 1]: lmax[i] = arr[i] else: lmax[i] = lmax[i - 1] rmax[l - 1] = arr[l - 1] for i in xrange(l - 2, -1, -1): if arr[i] > rmax[i + 1]: rmax[i] = arr[i] else: rmax[i] = rmax[i + 1] for i in xrange(l): water += min(lmax[i], rmax[i]) - arr[i] return water
"""Top level description of your module.""" class TemplateClass(object): """ The template class does nothing. See https://numpydoc.readthedocs.io/en/latest/format.html. For how this docstring is layed out. Attributes ---------- foo : int A useless attribute. bar : int Another useless attribute. Parameters ---------- foo : float, optional The first number to multiply by, default is 0 bar : float, optional The second number to multiply by, default is 0 Methods ------- __add__(self, other) return (self.foo * self.bar) + (other.foo * other.bar) """ def __init__(self, foo=0, bar=0): """See your_package.your_module.TemplateClass.""" self.bar = bar self.foo = foo def __add__(self, other): return (self.foo * self.bar) + (other.foo * other.bar)
"""Top level description of your module.""" class Templateclass(object): """ The template class does nothing. See https://numpydoc.readthedocs.io/en/latest/format.html. For how this docstring is layed out. Attributes ---------- foo : int A useless attribute. bar : int Another useless attribute. Parameters ---------- foo : float, optional The first number to multiply by, default is 0 bar : float, optional The second number to multiply by, default is 0 Methods ------- __add__(self, other) return (self.foo * self.bar) + (other.foo * other.bar) """ def __init__(self, foo=0, bar=0): """See your_package.your_module.TemplateClass.""" self.bar = bar self.foo = foo def __add__(self, other): return self.foo * self.bar + other.foo * other.bar
""" Using a search cursor to print all the feature classes in our PGH.gdb Writing the name of the gdb and all its feature classes to a text file """ # Import modules # Set variables # Execute operation(s)
""" Using a search cursor to print all the feature classes in our PGH.gdb Writing the name of the gdb and all its feature classes to a text file """
""" Constants used by the protocol """ # messages MSG_REQUEST = 1 MSG_REPLY = 2 MSG_EXCEPTION = 3 # boxing LABEL_VALUE = 1 LABEL_TUPLE = 2 LABEL_LOCAL_REF = 3 LABEL_REMOTE_REF = 4 # action handlers HANDLE_PING = 1 HANDLE_CLOSE = 2 HANDLE_GETROOT = 3 HANDLE_GETATTR = 4 HANDLE_DELATTR = 5 HANDLE_SETATTR = 6 HANDLE_CALL = 7 HANDLE_CALLATTR = 8 HANDLE_REPR = 9 HANDLE_STR = 10 HANDLE_CMP = 11 HANDLE_HASH = 12 HANDLE_DIR = 13 HANDLE_PICKLE = 14 HANDLE_DEL = 15 HANDLE_INSPECT = 16 HANDLE_BUFFITER = 17 HANDLE_OLDSLICING = 18 HANDLE_CTXEXIT = 19 # optimized exceptions EXC_STOP_ITERATION = 1 # DEBUG #for k in globals().keys(): # globals()[k] = k
""" Constants used by the protocol """ msg_request = 1 msg_reply = 2 msg_exception = 3 label_value = 1 label_tuple = 2 label_local_ref = 3 label_remote_ref = 4 handle_ping = 1 handle_close = 2 handle_getroot = 3 handle_getattr = 4 handle_delattr = 5 handle_setattr = 6 handle_call = 7 handle_callattr = 8 handle_repr = 9 handle_str = 10 handle_cmp = 11 handle_hash = 12 handle_dir = 13 handle_pickle = 14 handle_del = 15 handle_inspect = 16 handle_buffiter = 17 handle_oldslicing = 18 handle_ctxexit = 19 exc_stop_iteration = 1
DEBUG = True SLACK_POST_URL = "https://slack.com/api/chat.postMessage" SLACK_TOKEN = "" WEATHER_TOKEN = "" WEATHER_URL = "https://api.openweathermap.org/data/2.5/weather?q={text}&appid={token}"
debug = True slack_post_url = 'https://slack.com/api/chat.postMessage' slack_token = '' weather_token = '' weather_url = 'https://api.openweathermap.org/data/2.5/weather?q={text}&appid={token}'
# -*- coding: utf-8 -*- def main(): n, t = map(int, input().split()) ans = n remain = t diff = [0 for _ in range(n)] for i in range(n): ai, bi = map(int, input().split()) remain -= bi diff[i] = ai - bi if remain < 0: print(-1) else: for d in sorted(diff): remain -= d if remain >= 0: ans -= 1 else: print(ans) exit() print(ans) if __name__ == '__main__': main()
def main(): (n, t) = map(int, input().split()) ans = n remain = t diff = [0 for _ in range(n)] for i in range(n): (ai, bi) = map(int, input().split()) remain -= bi diff[i] = ai - bi if remain < 0: print(-1) else: for d in sorted(diff): remain -= d if remain >= 0: ans -= 1 else: print(ans) exit() print(ans) if __name__ == '__main__': main()
maxPal=0 for i in range(999,900,-1): for j in range(999,99,-1): num=str(i*j) if(num == num[::-1]): if(i*j > maxPal):maxPal=i*j break print(maxPal)
max_pal = 0 for i in range(999, 900, -1): for j in range(999, 99, -1): num = str(i * j) if num == num[::-1]: if i * j > maxPal: max_pal = i * j break print(maxPal)
# this is from https://github.com/mledoze/countries countries_info = [ { "name": { "common": "Afghanistan", "official": "Islamic Republic of Afghanistan", "native": { "common": "\u0627\u0641\u063a\u0627\u0646\u0633\u062a\u0627\u0646", "official": "\u062f \u0627\u0641\u063a\u0627\u0646\u0633\u062a\u0627\u0646 \u0627\u0633\u0644\u0627\u0645\u064a \u062c\u0645\u0647\u0648\u0631\u06cc\u062a" } }, "tld": [".af"], "cca2": "AF", "ccn3": "004", "cca3": "AFG", "currency": ["AFN"], "callingCode": ["93"], "capital": "Kabul", "altSpellings": ["AF", "Af\u0121\u0101nist\u0101n"], "relevance": "0", "region": "Asia", "subregion": "Southern Asia", "nativeLanguage": "pus", "languages": { "prs": "Dari", "pus": "Pashto", "tuk": "Turkmen" }, "translations": { "cym": "Affganistan", "deu": "Afghanistan", "fra": "Afghanistan", "hrv": "Afganistan", "ita": "Afghanistan", "jpn": "\u30a2\u30d5\u30ac\u30cb\u30b9\u30bf\u30f3", "nld": "Afghanistan", "rus": "\u0410\u0444\u0433\u0430\u043d\u0438\u0441\u0442\u0430\u043d", "spa": "Afganist\u00e1n" }, "latlng": [33, 65], "demonym": "Afghan", "borders": ["IRN", "PAK", "TKM", "UZB", "TJK", "CHN"], "area": 652230 }, { "name": { "common": "\u00c5land Islands", "official": "\u00c5land Islands", "native": { "common": "\u00c5land", "official": "Landskapet \u00c5land" } }, "tld": [".ax"], "cca2": "AX", "ccn3": "248", "cca3": "ALA", "currency": ["EUR"], "callingCode": ["358"], "capital": "Mariehamn", "altSpellings": ["AX", "Aaland", "Aland", "Ahvenanmaa"], "relevance": "0", "region": "Europe", "subregion": "Northern Europe", "nativeLanguage": "swe", "languages": { "swe": "Swedish" }, "translations": { "deu": "\u00c5land", "fra": "\u00c5land", "hrv": "\u00c5landski otoci", "ita": "Isole Aland", "jpn": "\u30aa\u30fc\u30e9\u30f3\u30c9\u8af8\u5cf6", "nld": "\u00c5landeilanden", "rus": "\u0410\u043b\u0430\u043d\u0434\u0441\u043a\u0438\u0435 \u043e\u0441\u0442\u0440\u043e\u0432\u0430", "spa": "Alandia" }, "latlng": [60.116667, 19.9], "demonym": "\u00c5landish", "borders": [], "area": 1580 }, { "name": { "common": "Albania", "official": "Republic of Albania", "native": { "common": "Shqip\u00ebria", "official": "Republika e Shqip\u00ebris\u00eb" } }, "tld": [".al"], "cca2": "AL", "ccn3": "008", "cca3": "ALB", "currency": ["ALL"], "callingCode": ["355"], "capital": "Tirana", "altSpellings": [ "AL", "Shqip\u00ebri", "Shqip\u00ebria", "Shqipnia" ], "relevance": "0", "region": "Europe", "subregion": "Southern Europe", "nativeLanguage": "sqi", "languages": { "sqi": "Albanian" }, "translations": { "cym": "Albania", "deu": "Albanien", "fra": "Albanie", "hrv": "Albanija", "ita": "Albania", "jpn": "\u30a2\u30eb\u30d0\u30cb\u30a2", "nld": "Albani\u00eb", "rus": "\u0410\u043b\u0431\u0430\u043d\u0438\u044f", "spa": "Albania" }, "latlng": [41, 20], "demonym": "Albanian", "borders": ["MNE", "GRC", "MKD", "KOS"], "area": 28748 }, { "name": { "common": "Algeria", "official": "People's Democratic Republic of Algeria", "native": { "common": "\u0627\u0644\u062c\u0632\u0627\u0626\u0631", "official": "\u0627\u0644\u062c\u0645\u0647\u0648\u0631\u064a\u0629 \u0627\u0644\u062f\u064a\u0645\u0642\u0631\u0627\u0637\u064a\u0629 \u0627\u0644\u0634\u0639\u0628\u064a\u0629 \u0627\u0644\u062c\u0632\u0627\u0626\u0631\u064a\u0629" } }, "tld": [".dz", "\u0627\u0644\u062c\u0632\u0627\u0626\u0631."], "cca2": "DZ", "ccn3": "012", "cca3": "DZA", "currency": ["DZD"], "callingCode": ["213"], "capital": "Algiers", "altSpellings": ["DZ", "Dzayer", "Alg\u00e9rie"], "relevance": "0", "region": "Africa", "subregion": "Northern Africa", "nativeLanguage": "ara", "languages": { "ara": "Arabic" }, "translations": { "cym": "Algeria", "deu": "Algerien", "fra": "Alg\u00e9rie", "hrv": "Al\u017eir", "ita": "Algeria", "jpn": "\u30a2\u30eb\u30b8\u30a7\u30ea\u30a2", "nld": "Algerije", "rus": "\u0410\u043b\u0436\u0438\u0440", "spa": "Argelia" }, "latlng": [28, 3], "demonym": "Algerian", "borders": ["TUN", "LBY", "NER", "ESH", "MRT", "MLI", "MAR"], "area": 2381741 }, { "name": { "common": "American Samoa", "official": "American Samoa", "native": { "common": "American Samoa", "official": "American Samoa" } }, "tld": [".as"], "cca2": "AS", "ccn3": "016", "cca3": "ASM", "currency": ["USD"], "callingCode": ["1684"], "capital": "Pago Pago", "altSpellings": ["AS", "Amerika S\u0101moa", "Amelika S\u0101moa", "S\u0101moa Amelika"], "relevance": "0.5", "region": "Oceania", "subregion": "Polynesia", "nativeLanguage": "eng", "languages": { "eng": "English", "smo": "Samoan" }, "translations": { "deu": "Amerikanisch-Samoa", "fra": "Samoa am\u00e9ricaines", "hrv": "Ameri\u010dka Samoa", "ita": "Samoa Americane", "jpn": "\u30a2\u30e1\u30ea\u30ab\u9818\u30b5\u30e2\u30a2", "nld": "Amerikaans Samoa", "rus": "\u0410\u043c\u0435\u0440\u0438\u043a\u0430\u043d\u0441\u043a\u043e\u0435 \u0421\u0430\u043c\u043e\u0430", "spa": "Samoa Americana" }, "latlng": [-14.33333333, -170], "demonym": "American Samoan", "borders": [], "area": 199 }, { "name": { "common": "Andorra", "official": "Principality of Andorra", "native": { "common": "Andorra", "official": "Principat d'Andorra" } }, "tld": [".ad"], "cca2": "AD", "ccn3": "020", "cca3": "AND", "currency": ["EUR"], "callingCode": ["376"], "capital": "Andorra la Vella", "altSpellings": ["AD", "Principality of Andorra", "Principat d'Andorra"], "relevance": "0.5", "region": "Europe", "subregion": "Southern Europe", "nativeLanguage": "cat", "languages": { "cat": "Catalan" }, "translations": { "cym": "Andorra", "deu": "Andorra", "fra": "Andorre", "hrv": "Andora", "ita": "Andorra", "jpn": "\u30a2\u30f3\u30c9\u30e9", "nld": "Andorra", "rus": "\u0410\u043d\u0434\u043e\u0440\u0440\u0430", "spa": "Andorra" }, "latlng": [42.5, 1.5], "demonym": "Andorran", "borders": ["FRA", "ESP"], "area": 468 }, { "name": { "common": "Angola", "official": "Republic of Angola", "native": { "common": "Angola", "official": "Rep\u00fablica de Angola" } }, "tld": [".ao"], "cca2": "AO", "ccn3": "024", "cca3": "AGO", "currency": ["AOA"], "callingCode": ["244"], "capital": "Luanda", "altSpellings": ["AO", "Rep\u00fablica de Angola", "\u0281\u025bpublika de an'\u0261\u0254la"], "relevance": "0", "region": "Africa", "subregion": "Middle Africa", "nativeLanguage": "por", "languages": { "por": "Portuguese" }, "translations": { "cym": "Angola", "deu": "Angola", "fra": "Angola", "hrv": "Angola", "ita": "Angola", "jpn": "\u30a2\u30f3\u30b4\u30e9", "nld": "Angola", "rus": "\u0410\u043d\u0433\u043e\u043b\u0430", "spa": "Angola" }, "latlng": [-12.5, 18.5], "demonym": "Angolan", "borders": ["COG", "COD", "ZMB", "NAM"], "area": 1246700 }, { "name": { "common": "Anguilla", "official": "Anguilla", "native": { "common": "Anguilla", "official": "Anguilla" } }, "tld": [".ai"], "cca2": "AI", "ccn3": "660", "cca3": "AIA", "currency": ["XCD"], "callingCode": ["1264"], "capital": "The Valley", "altSpellings": ["AI"], "relevance": "0.5", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "Anguilla", "fra": "Anguilla", "hrv": "Angvila", "ita": "Anguilla", "jpn": "\u30a2\u30f3\u30ae\u30e9", "nld": "Anguilla", "rus": "\u0410\u043d\u0433\u0438\u043b\u044c\u044f", "spa": "Anguilla" }, "latlng": [18.25, -63.16666666], "demonym": "Anguillian", "borders": [], "area": 91 }, { "name": { "common": "Antarctica", "official": "Antarctica", "native": { "common": "", "official": "" } }, "tld": [".aq"], "cca2": "AQ", "ccn3": "010", "cca3": "ATA", "currency": [], "callingCode": [], "capital": "", "altSpellings": ["AQ"], "relevance": "0", "region": "", "subregion": "", "nativeLanguage": "", "languages": {}, "translations": { "cym": "Antarctica", "deu": "Antarktis", "fra": "Antarctique", "hrv": "Antarktika", "ita": "Antartide", "jpn": "\u5357\u6975", "nld": "Antarctica", "rus": "\u0410\u043d\u0442\u0430\u0440\u043a\u0442\u0438\u0434\u0430", "spa": "Ant\u00e1rtida" }, "latlng": [-90, 0], "demonym": "Antarctican", "borders": [], "area": 14000000 }, { "name": { "common": "Antigua and Barbuda", "official": "Antigua and Barbuda", "native": { "common": "Antigua and Barbuda", "official": "Antigua and Barbuda" } }, "tld": [".ag"], "cca2": "AG", "ccn3": "028", "cca3": "ATG", "currency": ["XCD"], "callingCode": ["1268"], "capital": "Saint John's", "altSpellings": ["AG"], "relevance": "0.5", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "cym": "Antigwa a Barbiwda", "deu": "Antigua und Barbuda", "fra": "Antigua-et-Barbuda", "hrv": "Antigva i Barbuda", "ita": "Antigua e Barbuda", "jpn": "\u30a2\u30f3\u30c6\u30a3\u30b0\u30a2\u30fb\u30d0\u30fc\u30d6\u30fc\u30c0", "nld": "Antigua en Barbuda", "rus": "\u0410\u043d\u0442\u0438\u0433\u0443\u0430 \u0438 \u0411\u0430\u0440\u0431\u0443\u0434\u0430", "spa": "Antigua y Barbuda" }, "latlng": [17.05, -61.8], "demonym": "Antiguan, Barbudan", "borders": [], "area": 442 }, { "name": { "common": "Argentina", "official": "Argentine Republic", "native": { "common": "Argentina", "official": "Rep\u00fablica Argentina" } }, "tld": [".ar"], "cca2": "AR", "ccn3": "032", "cca3": "ARG", "currency": ["ARS"], "callingCode": ["54"], "capital": "Buenos Aires", "altSpellings": ["AR", "Argentine Republic", "Rep\u00fablica Argentina"], "relevance": "0", "region": "Americas", "subregion": "South America", "nativeLanguage": "spa", "languages": { "grn": "Guaran\u00ed", "spa": "Spanish" }, "translations": { "cym": "Ariannin", "deu": "Argentinien", "fra": "Argentine", "hrv": "Argentina", "ita": "Argentina", "jpn": "\u30a2\u30eb\u30bc\u30f3\u30c1\u30f3", "nld": "Argentini\u00eb", "rus": "\u0410\u0440\u0433\u0435\u043d\u0442\u0438\u043d\u0430", "spa": "Argentina" }, "latlng": [-34, -64], "demonym": "Argentinean", "borders": ["BOL", "BRA", "CHL", "PRY", "URY"], "area": 2780400 }, { "name": { "common": "Armenia", "official": "Republic of Armenia", "native": { "common": "\u0540\u0561\u0575\u0561\u057d\u057f\u0561\u0576", "official": "\u0540\u0561\u0575\u0561\u057d\u057f\u0561\u0576\u056b \u0540\u0561\u0576\u0580\u0561\u057a\u0565\u057f\u0578\u0582\u0569\u0575\u0578\u0582\u0576" } }, "tld": [".am"], "cca2": "AM", "ccn3": "051", "cca3": "ARM", "currency": ["AMD"], "callingCode": ["374"], "capital": "Yerevan", "altSpellings": ["AM", "Hayastan", "Republic of Armenia", "\u0540\u0561\u0575\u0561\u057d\u057f\u0561\u0576\u056b \u0540\u0561\u0576\u0580\u0561\u057a\u0565\u057f\u0578\u0582\u0569\u0575\u0578\u0582\u0576"], "relevance": "0", "region": "Asia", "subregion": "Western Asia", "nativeLanguage": "hye", "languages": { "hye": "Armenian", "rus": "Russian" }, "translations": { "cym": "Armenia", "deu": "Armenien", "fra": "Arm\u00e9nie", "hrv": "Armenija", "ita": "Armenia", "jpn": "\u30a2\u30eb\u30e1\u30cb\u30a2", "nld": "Armeni\u00eb", "rus": "\u0410\u0440\u043c\u0435\u043d\u0438\u044f", "spa": "Armenia" }, "latlng": [40, 45], "demonym": "Armenian", "borders": ["AZE", "GEO", "IRN", "TUR"], "area": 29743 }, { "name": { "common": "Aruba", "official": "Aruba", "native": { "common": "Aruba", "official": "Aruba" } }, "tld": [".aw"], "cca2": "AW", "ccn3": "533", "cca3": "ABW", "currency": ["AWG"], "callingCode": ["297"], "capital": "Oranjestad", "altSpellings": ["AW"], "relevance": "0.5", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "nld", "languages": { "nld": "Dutch", "pap": "Papiamento" }, "translations": { "deu": "Aruba", "fra": "Aruba", "hrv": "Aruba", "ita": "Aruba", "jpn": "\u30a2\u30eb\u30d0", "nld": "Aruba", "rus": "\u0410\u0440\u0443\u0431\u0430", "spa": "Aruba" }, "latlng": [12.5, -69.96666666], "demonym": "Aruban", "borders": [], "area": 180 }, { "name": { "common": "Australia", "official": "Commonwealth of Australia", "native": { "common": "Australia", "official": "Commonwealth of Australia" } }, "tld": [".au"], "cca2": "AU", "ccn3": "036", "cca3": "AUS", "currency": ["AUD"], "callingCode": ["61"], "capital": "Canberra", "altSpellings": ["AU"], "relevance": "1.5", "region": "Oceania", "subregion": "Australia and New Zealand", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "cym": "Awstralia", "deu": "Australien", "fra": "Australie", "hrv": "Australija", "ita": "Australia", "jpn": "\u30aa\u30fc\u30b9\u30c8\u30e9\u30ea\u30a2", "nld": "Australi\u00eb", "rus": "\u0410\u0432\u0441\u0442\u0440\u0430\u043b\u0438\u044f", "spa": "Australia" }, "latlng": [-27, 133], "demonym": "Australian", "borders": [], "area": 7692024 }, { "name": { "common": "Austria", "official": "Republic of Austria", "native": { "common": "\u00d6sterreich", "official": "Republik \u00d6sterreich" } }, "tld": [".at"], "cca2": "AT", "ccn3": "040", "cca3": "AUT", "currency": ["EUR"], "callingCode": ["43"], "capital": "Vienna", "altSpellings": ["AT", "\u00d6sterreich", "Osterreich", "Oesterreich"], "relevance": "0", "region": "Europe", "subregion": "Western Europe", "nativeLanguage": "deu", "languages": { "deu": "German" }, "translations": { "cym": "Awstria", "deu": "\u00d6sterreich", "fra": "Autriche", "hrv": "Austrija", "ita": "Austria", "jpn": "\u30aa\u30fc\u30b9\u30c8\u30ea\u30a2", "nld": "Oostenrijk", "rus": "\u0410\u0432\u0441\u0442\u0440\u0438\u044f", "spa": "Austria" }, "latlng": [47.33333333, 13.33333333], "demonym": "Austrian", "borders": ["CZE", "DEU", "HUN", "ITA", "LIE", "SVK", "SVN", "CHE"], "area": 83871 }, { "name": { "common": "Azerbaijan", "official": "Republic of Azerbaijan", "native": { "common": "Az\u0259rbaycan", "official": "Az\u0259rbaycan Respublikas\u0131" } }, "tld": [".az"], "cca2": "AZ", "ccn3": "031", "cca3": "AZE", "currency": ["AZN"], "callingCode": ["994"], "capital": "Baku", "altSpellings": ["AZ", "Republic of Azerbaijan", "Az\u0259rbaycan Respublikas\u0131"], "relevance": "0", "region": "Asia", "subregion": "Western Asia", "nativeLanguage": "aze", "languages": { "aze": "Azerbaijani", "hye": "Armenian" }, "translations": { "cym": "Aserbaijan", "deu": "Aserbaidschan", "fra": "Azerba\u00efdjan", "hrv": "Azerbajd\u017ean", "ita": "Azerbaijan", "jpn": "\u30a2\u30bc\u30eb\u30d0\u30a4\u30b8\u30e3\u30f3", "nld": "Azerbeidzjan", "rus": "\u0410\u0437\u0435\u0440\u0431\u0430\u0439\u0434\u0436\u0430\u043d", "spa": "Azerbaiy\u00e1n" }, "latlng": [40.5, 47.5], "demonym": "Azerbaijani", "borders": ["ARM", "GEO", "IRN", "RUS", "TUR"], "area": 86600 }, { "name": { "common": "Bahamas", "official": "Commonwealth of the Bahamas", "native": { "common": "Bahamas", "official": "Commonwealth of the Bahamas" } }, "tld": [".bs"], "cca2": "BS", "ccn3": "044", "cca3": "BHS", "currency": ["BSD"], "callingCode": ["1242"], "capital": "Nassau", "altSpellings": ["BS", "Commonwealth of the Bahamas"], "relevance": "0", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "cym": "Bahamas", "deu": "Bahamas", "fra": "Bahamas", "hrv": "Bahami", "ita": "Bahamas", "jpn": "\u30d0\u30cf\u30de", "nld": "Bahama\u2019s", "rus": "\u0411\u0430\u0433\u0430\u043c\u0441\u043a\u0438\u0435 \u041e\u0441\u0442\u0440\u043e\u0432\u0430", "spa": "Bahamas" }, "latlng": [24.25, -76], "demonym": "Bahamian", "borders": [], "area": 13943 }, { "name": { "common": "Bahrain", "official": "Kingdom of Bahrain", "native": { "common": "\u200f\u0627\u0644\u0628\u062d\u0631\u064a\u0646", "official": "\u0645\u0645\u0644\u0643\u0629 \u0627\u0644\u0628\u062d\u0631\u064a\u0646" } }, "tld": [".bh"], "cca2": "BH", "ccn3": "048", "cca3": "BHR", "currency": ["BHD"], "callingCode": ["973"], "capital": "Manama", "altSpellings": ["BH", "Kingdom of Bahrain", "Mamlakat al-Ba\u1e25rayn"], "relevance": "0", "region": "Asia", "subregion": "Western Asia", "nativeLanguage": "ara", "languages": { "ara": "Arabic" }, "translations": { "cym": "Bahrain", "deu": "Bahrain", "fra": "Bahre\u00efn", "hrv": "Bahrein", "ita": "Bahrein", "jpn": "\u30d0\u30fc\u30ec\u30fc\u30f3", "nld": "Bahrein", "rus": "\u0411\u0430\u0445\u0440\u0435\u0439\u043d", "spa": "Bahrein" }, "latlng": [26, 50.55], "demonym": "Bahraini", "borders": [], "area": 765 }, { "name": { "common": "Bangladesh", "official": "People's Republic of Bangladesh", "native": { "common": "Bangladesh", "official": "\u09ac\u09be\u0982\u09b2\u09be\u09a6\u09c7\u09b6 \u0997\u09a3\u09aa\u09cd\u09b0\u099c\u09be\u09a4\u09a8\u09cd\u09a4\u09cd\u09b0\u09c0" } }, "tld": [".bd"], "cca2": "BD", "ccn3": "050", "cca3": "BGD", "currency": ["BDT"], "callingCode": ["880"], "capital": "Dhaka", "altSpellings": ["BD", "People's Republic of Bangladesh", "G\u00f4n\u00f4pr\u00f4jat\u00f4ntri Bangladesh"], "relevance": "2", "region": "Asia", "subregion": "Southern Asia", "nativeLanguage": "ben", "languages": { "ben": "Bengali" }, "translations": { "cym": "Bangladesh", "deu": "Bangladesch", "fra": "Bangladesh", "hrv": "Banglade\u0161", "ita": "Bangladesh", "jpn": "\u30d0\u30f3\u30b0\u30e9\u30c7\u30b7\u30e5", "nld": "Bangladesh", "rus": "\u0411\u0430\u043d\u0433\u043b\u0430\u0434\u0435\u0448", "spa": "Bangladesh" }, "latlng": [24, 90], "demonym": "Bangladeshi", "borders": ["MMR", "IND"], "area": 147570 }, { "name": { "common": "Barbados", "official": "Barbados", "native": { "common": "Barbados", "official": "Barbados" } }, "tld": [".bb"], "cca2": "BB", "ccn3": "052", "cca3": "BRB", "currency": ["BBD"], "callingCode": ["1246"], "capital": "Bridgetown", "altSpellings": ["BB"], "relevance": "0", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "cym": "Barbados", "deu": "Barbados", "fra": "Barbade", "hrv": "Barbados", "ita": "Barbados", "jpn": "\u30d0\u30eb\u30d0\u30c9\u30b9", "nld": "Barbados", "rus": "\u0411\u0430\u0440\u0431\u0430\u0434\u043e\u0441", "spa": "Barbados" }, "latlng": [13.16666666, -59.53333333], "demonym": "Barbadian", "borders": [], "area": 430 }, { "name": { "common": "Belarus", "official": "Republic of Belarus", "native": { "common": "\u0411\u0435\u043b\u0430\u0440\u0443\u0301\u0441\u044c", "official": "\u0420\u044d\u0441\u043f\u0443\u0431\u043b\u0456\u043a\u0430 \u0411\u0435\u043b\u0430\u0440\u0443\u0441\u044c" } }, "tld": [".by"], "cca2": "BY", "ccn3": "112", "cca3": "BLR", "currency": ["BYR"], "callingCode": ["375"], "capital": "Minsk", "altSpellings": ["BY", "Bielaru\u015b", "Republic of Belarus", "\u0411\u0435\u043b\u043e\u0440\u0443\u0441\u0441\u0438\u044f", "\u0420\u0435\u0441\u043f\u0443\u0431\u043b\u0438\u043a\u0430 \u0411\u0435\u043b\u0430\u0440\u0443\u0441\u044c", "Belorussiya", "Respublika Belarus\u2019"], "relevance": "0", "region": "Europe", "subregion": "Eastern Europe", "nativeLanguage": "bel", "languages": { "bel": "Belarusian", "rus": "Russian" }, "translations": { "cym": "Belarws", "deu": "Wei\u00dfrussland", "fra": "Bi\u00e9lorussie", "hrv": "Bjelorusija", "ita": "Bielorussia", "jpn": "\u30d9\u30e9\u30eb\u30fc\u30b7", "nld": "Wit-Rusland", "rus": "\u0411\u0435\u043b\u043e\u0440\u0443\u0441\u0441\u0438\u044f", "spa": "Bielorrusia" }, "latlng": [53, 28], "demonym": "Belarusian", "borders": ["LVA", "LTU", "POL", "RUS", "UKR"], "area": 207600 }, { "name": { "common": "Belgium", "official": "Kingdom of Belgium", "native": { "common": "Belgi\u00eb", "official": "Koninkrijk Belgi\u00eb" } }, "tld": [".be"], "cca2": "BE", "ccn3": "056", "cca3": "BEL", "currency": ["EUR"], "callingCode": ["32"], "capital": "Brussels", "altSpellings": ["BE", "Belgi\u00eb", "Belgie", "Belgien", "Belgique", "Kingdom of Belgium", "Koninkrijk Belgi\u00eb", "Royaume de Belgique", "K\u00f6nigreich Belgien"], "relevance": "1.5", "region": "Europe", "subregion": "Western Europe", "nativeLanguage": "nld", "languages": { "deu": "German", "fra": "French", "nld": "Dutch" }, "translations": { "cym": "Gwlad Belg", "deu": "Belgien", "fra": "Belgique", "hrv": "Belgija", "ita": "Belgio", "jpn": "\u30d9\u30eb\u30ae\u30fc", "nld": "Belgi\u00eb", "rus": "\u0411\u0435\u043b\u044c\u0433\u0438\u044f", "spa": "B\u00e9lgica" }, "latlng": [50.83333333, 4], "demonym": "Belgian", "borders": ["FRA", "DEU", "LUX", "NLD"], "area": 30528 }, { "name": { "common": "Belize", "official": "Belize", "native": { "common": "Belize", "official": "Belize" } }, "tld": [".bz"], "cca2": "BZ", "ccn3": "084", "cca3": "BLZ", "currency": ["BZD"], "callingCode": ["501"], "capital": "Belmopan", "altSpellings": ["BZ"], "relevance": "0", "region": "Americas", "subregion": "Central America", "nativeLanguage": "eng", "languages": { "eng": "English", "spa": "Spanish" }, "translations": { "cym": "Belize", "deu": "Belize", "fra": "Belize", "hrv": "Belize", "ita": "Belize", "jpn": "\u30d9\u30ea\u30fc\u30ba", "nld": "Belize", "rus": "\u0411\u0435\u043b\u0438\u0437", "spa": "Belice" }, "latlng": [17.25, -88.75], "demonym": "Belizean", "borders": ["GTM", "MEX"], "area": 22966 }, { "name": { "common": "Benin", "official": "Republic of Benin", "native": { "common": "B\u00e9nin", "official": "R\u00e9publique du B\u00e9nin" } }, "tld": [".bj"], "cca2": "BJ", "ccn3": "204", "cca3": "BEN", "currency": ["XOF"], "callingCode": ["229"], "capital": "Porto-Novo", "altSpellings": ["BJ", "Republic of Benin", "R\u00e9publique du B\u00e9nin"], "relevance": "0", "region": "Africa", "subregion": "Western Africa", "nativeLanguage": "fra", "languages": { "fra": "French" }, "translations": { "cym": "Benin", "deu": "Benin", "fra": "B\u00e9nin", "hrv": "Benin", "ita": "Benin", "jpn": "\u30d9\u30ca\u30f3", "nld": "Benin", "rus": "\u0411\u0435\u043d\u0438\u043d", "spa": "Ben\u00edn" }, "latlng": [9.5, 2.25], "demonym": "Beninese", "borders": ["BFA", "NER", "NGA", "TGO"], "area": 112622 }, { "name": { "common": "Bermuda", "official": "Bermuda", "native": { "common": "Bermuda", "official": "Bermuda" } }, "tld": [".bm"], "cca2": "BM", "ccn3": "060", "cca3": "BMU", "currency": ["BMD"], "callingCode": ["1441"], "capital": "Hamilton", "altSpellings": ["BM", "The Islands of Bermuda", "The Bermudas", "Somers Isles"], "relevance": "0.5", "region": "Americas", "subregion": "Northern America", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "cym": "Bermiwda", "deu": "Bermuda", "fra": "Bermudes", "hrv": "Bermudi", "ita": "Bermuda", "jpn": "\u30d0\u30df\u30e5\u30fc\u30c0", "nld": "Bermuda", "rus": "\u0411\u0435\u0440\u043c\u0443\u0434\u0441\u043a\u0438\u0435 \u041e\u0441\u0442\u0440\u043e\u0432\u0430", "spa": "Bermudas" }, "latlng": [32.33333333, -64.75], "demonym": "Bermudian", "borders": [], "area": 54 }, { "name": { "common": "Bhutan", "official": "Kingdom of Bhutan", "native": { "common": "\u0f60\u0f56\u0fb2\u0f74\u0f42\u0f0b\u0f61\u0f74\u0f63\u0f0b", "official": "\u0f60\u0f56\u0fb2\u0f74\u0f42\u0f0b\u0f62\u0f92\u0fb1\u0f63\u0f0b\u0f41\u0f56\u0f0b" } }, "tld": [".bt"], "cca2": "BT", "ccn3": "064", "cca3": "BTN", "currency": ["BTN", "INR"], "callingCode": ["975"], "capital": "Thimphu", "altSpellings": ["BT", "Kingdom of Bhutan"], "relevance": "0", "region": "Asia", "subregion": "Southern Asia", "nativeLanguage": "dzo", "languages": { "dzo": "Dzongkha" }, "translations": { "cym": "Bhwtan", "deu": "Bhutan", "fra": "Bhoutan", "hrv": "Butan", "ita": "Bhutan", "jpn": "\u30d6\u30fc\u30bf\u30f3", "nld": "Bhutan", "rus": "\u0411\u0443\u0442\u0430\u043d", "spa": "But\u00e1n" }, "latlng": [27.5, 90.5], "demonym": "Bhutanese", "borders": ["CHN", "IND"], "area": 38394 }, { "name": { "common": "Bolivia", "official": "Plurinational State of Bolivia", "native": { "common": "Bolivia", "official": "Estado Plurinacional de Bolivia" } }, "tld": [".bo"], "cca2": "BO", "ccn3": "068", "cca3": "BOL", "currency": ["BOB", "BOV"], "callingCode": ["591"], "capital": "Sucre", "altSpellings": ["BO", "Buliwya", "Wuliwya", "Plurinational State of Bolivia", "Estado Plurinacional de Bolivia", "Buliwya Mamallaqta", "Wuliwya Suyu", "Tet\u00e3 Vol\u00edvia"], "relevance": "0", "region": "Americas", "subregion": "South America", "nativeLanguage": "spa", "languages": { "aym": "Aymara", "grn": "Guaran\u00ed", "que": "Quechua", "spa": "Spanish" }, "translations": { "cym": "Bolifia", "deu": "Bolivien", "fra": "Bolivie", "hrv": "Bolivija", "ita": "Bolivia", "jpn": "\u30dc\u30ea\u30d3\u30a2\u591a\u6c11\u65cf\u56fd", "nld": "Bolivia", "rus": "\u0411\u043e\u043b\u0438\u0432\u0438\u044f", "spa": "Bolivia" }, "latlng": [-17, -65], "demonym": "Bolivian", "borders": ["ARG", "BRA", "CHL", "PRY", "PER"], "area": 1098581 }, { "name": { "common": "Bonaire", "official": "Bonaire", "native": { "common": "Bonaire", "official": "Bonaire" } }, "tld": [".an", ".nl"], "cca2": "BQ", "ccn3": "535", "cca3": "BES", "currency": ["USD"], "callingCode": ["5997"], "capital": "Kralendijk", "altSpellings": ["BQ", "Boneiru"], "relevance": "0", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "nld", "languages": { "nld": "Dutch" }, "translations": { "rus": "\u0411\u043e\u043d\u044d\u0439\u0440" }, "latlng": [12.15, -68.266667], "demonym": "Dutch", "borders": [], "area": 294 }, { "name": { "common": "Bosnia and Herzegovina", "official": "Bosnia and Herzegovina", "native": { "common": "Bosna i Hercegovina", "official": "Bosna i Hercegovina" } }, "tld": [".ba"], "cca2": "BA", "ccn3": "070", "cca3": "BIH", "currency": ["BAM"], "callingCode": ["387"], "capital": "Sarajevo", "altSpellings": ["BA", "Bosnia-Herzegovina", "\u0411\u043e\u0441\u043d\u0430 \u0438 \u0425\u0435\u0440\u0446\u0435\u0433\u043e\u0432\u0438\u043d\u0430"], "relevance": "0", "region": "Europe", "subregion": "Southern Europe", "nativeLanguage": "bos", "languages": { "bos": "Bosnian", "hrv": "Croatian", "srp": "Serbian" }, "translations": { "cym": "Bosnia a Hercegovina", "deu": "Bosnien und Herzegowina", "fra": "Bosnie-Herz\u00e9govine", "hrv": "Bosna i Hercegovina", "ita": "Bosnia ed Erzegovina", "jpn": "\u30dc\u30b9\u30cb\u30a2\u30fb\u30d8\u30eb\u30c4\u30a7\u30b4\u30d3\u30ca", "nld": "Bosni\u00eb en Herzegovina", "rus": "\u0411\u043e\u0441\u043d\u0438\u044f \u0438 \u0413\u0435\u0440\u0446\u0435\u0433\u043e\u0432\u0438\u043d\u0430", "spa": "Bosnia y Herzegovina" }, "latlng": [44, 18], "demonym": "Bosnian, Herzegovinian", "borders": ["HRV", "MNE", "SRB"], "area": 51209 }, { "name": { "common": "Botswana", "official": "Republic of Botswana", "native": { "common": "Botswana", "official": "Republic of Botswana" } }, "tld": [".bw"], "cca2": "BW", "ccn3": "072", "cca3": "BWA", "currency": ["BWP"], "callingCode": ["267"], "capital": "Gaborone", "altSpellings": ["BW", "Republic of Botswana", "Lefatshe la Botswana"], "relevance": "0", "region": "Africa", "subregion": "Southern Africa", "nativeLanguage": "eng", "languages": { "eng": "English", "tsn": "Tswana" }, "translations": { "deu": "Botswana", "fra": "Botswana", "hrv": "Bocvana", "ita": "Botswana", "jpn": "\u30dc\u30c4\u30ef\u30ca", "nld": "Botswana", "rus": "\u0411\u043e\u0442\u0441\u0432\u0430\u043d\u0430", "spa": "Botswana" }, "latlng": [-22, 24], "demonym": "Motswana", "borders": ["NAM", "ZAF", "ZMB", "ZWE"], "area": 582000 }, { "name": { "common": "Bouvet Island", "official": "Bouvet Island", "native": { "common": "Bouvet\u00f8ya", "official": "Bouvet\u00f8ya" } }, "tld": [".bv"], "cca2": "BV", "ccn3": "074", "cca3": "BVT", "currency": ["NOK"], "callingCode": [], "capital": "", "altSpellings": ["BV", "Bouvet\u00f8ya", "Bouvet-\u00f8ya"], "relevance": "0", "region": "", "subregion": "", "nativeLanguage": "nor", "languages": { "nor": "Norwegian" }, "translations": { "deu": "Bouvetinsel", "fra": "\u00cele Bouvet", "hrv": "Otok Bouvet", "ita": "Isola Bouvet", "jpn": "\u30d6\u30fc\u30d9\u5cf6", "nld": "Bouveteiland", "rus": "\u041e\u0441\u0442\u0440\u043e\u0432 \u0411\u0443\u0432\u0435", "spa": "Isla Bouvet" }, "latlng": [-54.43333333, 3.4], "demonym": "", "borders": [], "area": 49 }, { "name": { "common": "Brazil", "official": "Federative Republic of Brazil", "native": { "common": "Brasil", "official": "Rep\u00fablica Federativa do Brasil" } }, "tld": [".br"], "cca2": "BR", "ccn3": "076", "cca3": "BRA", "currency": ["BRL"], "callingCode": ["55"], "capital": "Bras\u00edlia", "altSpellings": ["BR", "Brasil", "Federative Republic of Brazil", "Rep\u00fablica Federativa do Brasil"], "relevance": "2", "region": "Americas", "subregion": "South America", "nativeLanguage": "por", "languages": { "por": "Portuguese" }, "translations": { "cym": "Brasil", "deu": "Brasilien", "fra": "Br\u00e9sil", "hrv": "Brazil", "ita": "Brasile", "jpn": "\u30d6\u30e9\u30b8\u30eb", "nld": "Brazili\u00eb", "rus": "\u0411\u0440\u0430\u0437\u0438\u043b\u0438\u044f", "spa": "Brasil" }, "latlng": [-10, -55], "demonym": "Brazilian", "borders": ["ARG", "BOL", "COL", "GUF", "GUY", "PRY", "PER", "SUR", "URY", "VEN"], "area": 8515767 }, { "name": { "common": "British Indian Ocean Territory", "official": "British Indian Ocean Territory", "native": { "common": "British Indian Ocean Territory", "official": "British Indian Ocean Territory" } }, "tld": [".io"], "cca2": "IO", "ccn3": "086", "cca3": "IOT", "currency": ["USD"], "callingCode": ["246"], "capital": "Diego Garcia", "altSpellings": ["IO"], "relevance": "0", "region": "Africa", "subregion": "Eastern Africa", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "cym": "Tiriogaeth Brydeinig Cefnfor India", "deu": "Britisches Territorium im Indischen Ozean", "fra": "Territoire britannique de l'oc\u00e9an Indien", "hrv": "Britanski Indijskooceanski teritorij", "ita": "Territorio britannico dell'oceano indiano", "jpn": "\u30a4\u30ae\u30ea\u30b9\u9818\u30a4\u30f3\u30c9\u6d0b\u5730\u57df", "nld": "Britse Gebieden in de Indische Oceaan", "rus": "\u0411\u0440\u0438\u0442\u0430\u043d\u0441\u043a\u0430\u044f \u0442\u0435\u0440\u0440\u0438\u0442\u043e\u0440\u0438\u044f \u0432 \u0418\u043d\u0434\u0438\u0439\u0441\u043a\u043e\u043c \u043e\u043a\u0435\u0430\u043d\u0435", "spa": "Territorio Brit\u00e1nico del Oc\u00e9ano \u00cdndico" }, "latlng": [-6, 71.5], "demonym": "Indian", "borders": [], "area": 60 }, { "name": { "common": "British Virgin Islands", "official": "Virgin Islands", "native": { "common": "British Virgin Islands", "official": "Virgin Islands" } }, "tld": [".vg"], "cca2": "VG", "ccn3": "092", "cca3": "VGB", "currency": ["USD"], "callingCode": ["1284"], "capital": "Road Town", "altSpellings": ["VG"], "relevance": "0.5", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "Britische Jungferninseln", "fra": "\u00celes Vierges britanniques", "hrv": "Britanski Djevi\u010danski Otoci", "ita": "Isole Vergini Britanniche", "jpn": "\u30a4\u30ae\u30ea\u30b9\u9818\u30f4\u30a1\u30fc\u30b8\u30f3\u8af8\u5cf6", "nld": "Britse Maagdeneilanden", "rus": "\u0411\u0440\u0438\u0442\u0430\u043d\u0441\u043a\u0438\u0435 \u0412\u0438\u0440\u0433\u0438\u043d\u0441\u043a\u0438\u0435 \u043e\u0441\u0442\u0440\u043e\u0432\u0430", "spa": "Islas V\u00edrgenes del Reino Unido" }, "latlng": [18.431383, -64.62305], "demonym": "Virgin Islander", "borders": [], "area": 151 }, { "name": { "common": "Brunei", "official": "Nation of Brunei, Abode of Peace", "native": { "common": "Negara Brunei Darussalam", "official": "Nation of Brunei, Abode Damai" } }, "tld": [".bn"], "cca2": "BN", "ccn3": "096", "cca3": "BRN", "currency": ["BND"], "callingCode": ["673"], "capital": "Bandar Seri Begawan", "altSpellings": ["BN", "Nation of Brunei", " the Abode of Peace"], "relevance": "0", "region": "Asia", "subregion": "South-Eastern Asia", "nativeLanguage": "msa", "languages": { "msa": "Malay" }, "translations": { "cym": "Brunei", "deu": "Brunei", "fra": "Brunei", "hrv": "Brunej", "ita": "Brunei", "jpn": "\u30d6\u30eb\u30cd\u30a4\u30fb\u30c0\u30eb\u30b5\u30e9\u30fc\u30e0", "nld": "Brunei", "rus": "\u0411\u0440\u0443\u043d\u0435\u0439", "spa": "Brunei" }, "latlng": [4.5, 114.66666666], "demonym": "Bruneian", "borders": ["MYS"], "area": 5765 }, { "name": { "common": "Bulgaria", "official": "Republic of Bulgaria", "native": { "common": "\u0411\u044a\u043b\u0433\u0430\u0440\u0438\u044f", "official": "\u0420\u0435\u043f\u0443\u0431\u043b\u0438\u043a\u0430 \u0411\u044a\u043b\u0433\u0430\u0440\u0438\u044f" } }, "tld": [".bg"], "cca2": "BG", "ccn3": "100", "cca3": "BGR", "currency": ["BGN"], "callingCode": ["359"], "capital": "Sofia", "altSpellings": ["BG", "Republic of Bulgaria", "\u0420\u0435\u043f\u0443\u0431\u043b\u0438\u043a\u0430 \u0411\u044a\u043b\u0433\u0430\u0440\u0438\u044f"], "relevance": "0", "region": "Europe", "subregion": "Eastern Europe", "nativeLanguage": "bul", "languages": { "bul": "Bulgarian" }, "translations": { "cym": "Bwlgaria", "deu": "Bulgarien", "fra": "Bulgarie", "hrv": "Bugarska", "ita": "Bulgaria", "jpn": "\u30d6\u30eb\u30ac\u30ea\u30a2", "nld": "Bulgarije", "rus": "\u0411\u043e\u043b\u0433\u0430\u0440\u0438\u044f", "spa": "Bulgaria" }, "latlng": [43, 25], "demonym": "Bulgarian", "borders": ["GRC", "MKD", "ROU", "SRB", "TUR"], "area": 110879 }, { "name": { "common": "Burkina Faso", "official": "Burkina Faso", "native": { "common": "Burkina Faso", "official": "Burkina Faso" } }, "tld": [".bf"], "cca2": "BF", "ccn3": "854", "cca3": "BFA", "currency": ["XOF"], "callingCode": ["226"], "capital": "Ouagadougou", "altSpellings": ["BF"], "relevance": "0", "region": "Africa", "subregion": "Western Africa", "nativeLanguage": "fra", "languages": { "fra": "French" }, "translations": { "cym": "Burkina Faso", "deu": "Burkina Faso", "fra": "Burkina Faso", "hrv": "Burkina Faso", "ita": "Burkina Faso", "jpn": "\u30d6\u30eb\u30ad\u30ca\u30d5\u30a1\u30bd", "nld": "Burkina Faso", "rus": "\u0411\u0443\u0440\u043a\u0438\u043d\u0430-\u0424\u0430\u0441\u043e", "spa": "Burkina Faso" }, "latlng": [13, -2], "demonym": "Burkinabe", "borders": ["BEN", "CIV", "GHA", "MLI", "NER", "TGO"], "area": 272967 }, { "name": { "common": "Burundi", "official": "Republic of Burundi", "native": { "common": "Burundi", "official": "R\u00e9publique du Burundi" } }, "tld": [".bi"], "cca2": "BI", "ccn3": "108", "cca3": "BDI", "currency": ["BIF"], "callingCode": ["257"], "capital": "Bujumbura", "altSpellings": ["BI", "Republic of Burundi", "Republika y'Uburundi", "R\u00e9publique du Burundi"], "relevance": "0", "region": "Africa", "subregion": "Eastern Africa", "nativeLanguage": "run", "languages": { "fra": "French", "run": "Kirundi" }, "translations": { "cym": "Bwrwndi", "deu": "Burundi", "fra": "Burundi", "hrv": "Burundi", "ita": "Burundi", "jpn": "\u30d6\u30eb\u30f3\u30b8", "nld": "Burundi", "rus": "\u0411\u0443\u0440\u0443\u043d\u0434\u0438", "spa": "Burundi" }, "latlng": [-3.5, 30], "demonym": "Burundian", "borders": ["COD", "RWA", "TZA"], "area": 27834 }, { "name": { "common": "Cambodia", "official": "Kingdom of Cambodia", "native": { "common": "K\u00e2mp\u016dch\u00e9a", "official": "\u1796\u17d2\u179a\u17c7\u179a\u17b6\u1787\u17b6\u178e\u17b6\u1785\u1780\u17d2\u179a\u1780\u1798\u17d2\u1796\u17bb\u1787\u17b6" } }, "tld": [".kh"], "cca2": "KH", "ccn3": "116", "cca3": "KHM", "currency": ["KHR"], "callingCode": ["855"], "capital": "Phnom Penh", "altSpellings": ["KH", "Kingdom of Cambodia"], "relevance": "0", "region": "Asia", "subregion": "South-Eastern Asia", "nativeLanguage": "khm", "languages": { "khm": "Khmer" }, "translations": { "cym": "Cambodia", "deu": "Kambodscha", "fra": "Cambodge", "hrv": "Kambod\u017ea", "ita": "Cambogia", "jpn": "\u30ab\u30f3\u30dc\u30b8\u30a2", "nld": "Cambodja", "rus": "\u041a\u0430\u043c\u0431\u043e\u0434\u0436\u0430", "spa": "Camboya" }, "latlng": [13, 105], "demonym": "Cambodian", "borders": ["LAO", "THA", "VNM"], "area": 181035 }, { "name": { "common": "Cameroon", "official": "Republic of Cameroon", "native": { "common": "Cameroun", "official": "R\u00e9publique du Cameroun" } }, "tld": [".cm"], "cca2": "CM", "ccn3": "120", "cca3": "CMR", "currency": ["XAF"], "callingCode": ["237"], "capital": "Yaound\u00e9", "altSpellings": ["CM", "Republic of Cameroon", "R\u00e9publique du Cameroun"], "relevance": "0", "region": "Africa", "subregion": "Middle Africa", "nativeLanguage": "fra", "languages": { "eng": "English", "fra": "French" }, "translations": { "cym": "Camer\u0175n", "deu": "Kamerun", "fra": "Cameroun", "hrv": "Kamerun", "ita": "Camerun", "jpn": "\u30ab\u30e1\u30eb\u30fc\u30f3", "nld": "Kameroen", "rus": "\u041a\u0430\u043c\u0435\u0440\u0443\u043d", "spa": "Camer\u00fan" }, "latlng": [6, 12], "demonym": "Cameroonian", "borders": ["CAF", "TCD", "COG", "GNQ", "GAB", "NGA"], "area": 475442 }, { "name": { "common": "Canada", "official": "Canada", "native": { "common": "Canada", "official": "Canada" } }, "tld": [".ca"], "cca2": "CA", "ccn3": "124", "cca3": "CAN", "currency": ["CAD"], "callingCode": ["1"], "capital": "Ottawa", "altSpellings": ["CA"], "relevance": "2", "region": "Americas", "subregion": "Northern America", "nativeLanguage": "eng", "languages": { "eng": "English", "fra": "French" }, "translations": { "cym": "Canada", "deu": "Kanada", "fra": "Canada", "hrv": "Kanada", "ita": "Canada", "jpn": "\u30ab\u30ca\u30c0", "nld": "Canada", "rus": "\u041a\u0430\u043d\u0430\u0434\u0430", "spa": "Canad\u00e1" }, "latlng": [60, -95], "demonym": "Canadian", "borders": ["USA"], "area": 9984670 }, { "name": { "common": "Cape Verde", "official": "Republic of Cabo Verde", "native": { "common": "Cabo Verde", "official": "Rep\u00fablica de Cabo Verde" } }, "tld": [".cv"], "cca2": "CV", "ccn3": "132", "cca3": "CPV", "currency": ["CVE"], "callingCode": ["238"], "capital": "Praia", "altSpellings": ["CV", "Republic of Cabo Verde", "Rep\u00fablica de Cabo Verde"], "relevance": "0", "region": "Africa", "subregion": "Western Africa", "nativeLanguage": "por", "languages": { "por": "Portuguese" }, "translations": { "cym": "Cape Verde", "deu": "Kap Verde", "fra": "Cap Vert", "hrv": "Zelenortska Republika", "ita": "Capo Verde", "jpn": "\u30ab\u30fc\u30dc\u30d9\u30eb\u30c7", "nld": "Kaapverdi\u00eb", "rus": "\u041a\u0430\u0431\u043e-\u0412\u0435\u0440\u0434\u0435", "spa": "Cabo Verde" }, "latlng": [16, -24], "demonym": "Cape Verdian", "borders": [], "area": 4033 }, { "name": { "common": "Cayman Islands", "official": "Cayman Islands", "native": { "common": "Cayman Islands", "official": "Cayman Islands" } }, "tld": [".ky"], "cca2": "KY", "ccn3": "136", "cca3": "CYM", "currency": ["KYD"], "callingCode": ["1345"], "capital": "George Town", "altSpellings": ["KY"], "relevance": "0.5", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "cym": "Ynysoedd_Cayman", "deu": "Kaimaninseln", "fra": "\u00celes Ca\u00efmans", "hrv": "Kajmanski otoci", "ita": "Isole Cayman", "jpn": "\u30b1\u30a4\u30de\u30f3\u8af8\u5cf6", "nld": "Caymaneilanden", "rus": "\u041a\u0430\u0439\u043c\u0430\u043d\u043e\u0432\u044b \u043e\u0441\u0442\u0440\u043e\u0432\u0430", "spa": "Islas Caim\u00e1n" }, "latlng": [19.5, -80.5], "demonym": "Caymanian", "borders": [], "area": 264 }, { "name": { "common": "Central African Republic", "official": "Central African Republic", "native": { "common": "B\u00eaafr\u00eeka", "official": "K\u00f6d\u00f6r\u00f6s\u00ease t\u00ee B\u00eaafr\u00eeka" } }, "tld": [".cf"], "cca2": "CF", "ccn3": "140", "cca3": "CAF", "currency": ["XAF"], "callingCode": ["236"], "capital": "Bangui", "altSpellings": ["CF", "Central African Republic", "R\u00e9publique centrafricaine"], "relevance": "0", "region": "Africa", "subregion": "Middle Africa", "nativeLanguage": "sag", "languages": { "fra": "French", "sag": "Sango" }, "translations": { "cym": "Gweriniaeth Canolbarth Affrica", "deu": "Zentralafrikanische Republik", "fra": "R\u00e9publique centrafricaine", "hrv": "Srednjoafri\u010dka Republika", "ita": "Repubblica Centrafricana", "jpn": "\u4e2d\u592e\u30a2\u30d5\u30ea\u30ab\u5171\u548c\u56fd", "nld": "Centraal-Afrikaanse Republiek", "rus": "\u0426\u0435\u043d\u0442\u0440\u0430\u043b\u044c\u043d\u043e\u0430\u0444\u0440\u0438\u043a\u0430\u043d\u0441\u043a\u0430\u044f \u0420\u0435\u0441\u043f\u0443\u0431\u043b\u0438\u043a\u0430", "spa": "Rep\u00fablica Centroafricana" }, "latlng": [7, 21], "demonym": "Central African", "borders": ["CMR", "TCD", "COD", "COG", "SSD", "SDN"], "area": 622984 }, { "name": { "common": "Chad", "official": "Republic of Chad", "native": { "common": "Tchad", "official": "R\u00e9publique du Tchad" } }, "tld": [".td"], "cca2": "TD", "ccn3": "148", "cca3": "TCD", "currency": ["XAF"], "callingCode": ["235"], "capital": "N'Djamena", "altSpellings": ["TD", "Tchad", "Republic of Chad", "R\u00e9publique du Tchad"], "relevance": "0", "region": "Africa", "subregion": "Middle Africa", "nativeLanguage": "ara", "languages": { "ara": "Arabic", "fra": "French" }, "translations": { "cym": "Tsiad", "deu": "Tschad", "fra": "Tchad", "hrv": "\u010cad", "ita": "Ciad", "jpn": "\u30c1\u30e3\u30c9", "nld": "Tsjaad", "rus": "\u0427\u0430\u0434", "spa": "Chad" }, "latlng": [15, 19], "demonym": "Chadian", "borders": ["CMR", "CAF", "LBY", "NER", "NGA", "SSD"], "area": 1284000 }, { "name": { "common": "Chile", "official": "Republic of Chile", "native": { "common": "Chile", "official": "Rep\u00fablica de Chile" } }, "tld": [".cl"], "cca2": "CL", "ccn3": "152", "cca3": "CHL", "currency": ["CLF", "CLP"], "callingCode": ["56"], "capital": "Santiago", "altSpellings": ["CL", "Republic of Chile", "Rep\u00fablica de Chile"], "relevance": "0", "region": "Americas", "subregion": "South America", "nativeLanguage": "spa", "languages": { "spa": "Spanish" }, "translations": { "cym": "Chile", "deu": "Chile", "fra": "Chili", "hrv": "\u010cile", "ita": "Cile", "jpn": "\u30c1\u30ea", "nld": "Chili", "rus": "\u0427\u0438\u043b\u0438", "spa": "Chile" }, "latlng": [-30, -71], "demonym": "Chilean", "borders": ["ARG", "BOL", "PER"], "area": 756102 }, { "name": { "common": "China", "official": "People's Republic of China", "native": { "common": "\u4e2d\u56fd", "official": "\u4e2d\u534e\u4eba\u6c11\u5171\u548c\u56fd" } }, "tld": [".cn", ".\u4e2d\u56fd", ".\u4e2d\u570b", ".\u516c\u53f8", ".\u7f51\u7edc"], "cca2": "CN", "ccn3": "156", "cca3": "CHN", "currency": ["CNY"], "callingCode": ["86"], "capital": "Beijing", "altSpellings": ["CN", "Zh\u014dnggu\u00f3", "Zhongguo", "Zhonghua", "People's Republic of China", "\u4e2d\u534e\u4eba\u6c11\u5171\u548c\u56fd", "Zh\u014dnghu\u00e1 R\u00e9nm\u00edn G\u00f2ngh\u00e9gu\u00f3"], "relevance": "0", "region": "Asia", "subregion": "Eastern Asia", "nativeLanguage": "cmn", "languages": { "cmn": "Mandarin" }, "translations": { "cym": "Tsieina", "deu": "China", "fra": "Chine", "hrv": "Kina", "ita": "Cina", "jpn": "\u4e2d\u56fd", "nld": "China", "rus": "\u041a\u0438\u0442\u0430\u0439", "spa": "China" }, "latlng": [35, 105], "demonym": "Chinese", "borders": ["AFG", "BTN", "MMR", "HKG", "IND", "KAZ", "PRK", "KGZ", "LAO", "MAC", "MNG", "PAK", "RUS", "TJK", "VNM"], "area": 9706961 }, { "name": { "common": "Christmas Island", "official": "Territory of Christmas Island", "native": { "common": "Christmas Island", "official": "Territory of Christmas Island" } }, "tld": [".cx"], "cca2": "CX", "ccn3": "162", "cca3": "CXR", "currency": ["AUD"], "callingCode": ["61"], "capital": "Flying Fish Cove", "altSpellings": ["CX", "Territory of Christmas Island"], "relevance": "0.5", "region": "Oceania", "subregion": "Australia and New Zealand", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "cym": "Ynys y Nadolig", "deu": "Weihnachtsinsel", "fra": "\u00cele Christmas", "hrv": "Bo\u017ei\u0107ni otok", "ita": "Isola di Natale", "jpn": "\u30af\u30ea\u30b9\u30de\u30b9\u5cf6", "nld": "Christmaseiland", "rus": "\u041e\u0441\u0442\u0440\u043e\u0432 \u0420\u043e\u0436\u0434\u0435\u0441\u0442\u0432\u0430", "spa": "Isla de Navidad" }, "latlng": [-10.5, 105.66666666], "demonym": "Christmas Island", "borders": [], "area": 135 }, { "name": { "common": "Cocos (Keeling) Islands", "official": "Territory of the Cocos (Keeling) Islands", "native": { "common": "Cocos (Keeling) Islands", "official": "Territory of the Cocos (Keeling) Islands" } }, "tld": [".cc"], "cca2": "CC", "ccn3": "166", "cca3": "CCK", "currency": ["AUD"], "callingCode": ["61"], "capital": "West Island", "altSpellings": ["CC", "Territory of the Cocos (Keeling) Islands", "Keeling Islands"], "relevance": "0", "region": "Oceania", "subregion": "Australia and New Zealand", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "cym": "Ynysoedd Cocos", "deu": "Kokosinseln", "fra": "\u00celes Cocos", "hrv": "Kokosovi Otoci", "ita": "Isole Cocos e Keeling", "jpn": "\u30b3\u30b3\u30b9\uff08\u30ad\u30fc\u30ea\u30f3\u30b0\uff09\u8af8\u5cf6", "nld": "Cocoseilanden", "rus": "\u041a\u043e\u043a\u043e\u0441\u043e\u0432\u044b\u0435 \u043e\u0441\u0442\u0440\u043e\u0432\u0430", "spa": "Islas Cocos o Islas Keeling" }, "latlng": [-12.5, 96.83333333], "demonym": "Cocos Islander", "borders": [], "area": 14 }, { "name": { "common": "Colombia", "official": "Republic of Colombia", "native": { "common": "Colombia", "official": "Rep\u00fablica de Colombia" } }, "tld": [".co"], "cca2": "CO", "ccn3": "170", "cca3": "COL", "currency": ["COP"], "callingCode": ["57"], "capital": "Bogot\u00e1", "altSpellings": ["CO", "Republic of Colombia", "Rep\u00fablica de Colombia"], "relevance": "0", "region": "Americas", "subregion": "South America", "nativeLanguage": "spa", "languages": { "spa": "Spanish" }, "translations": { "cym": "Colombia", "deu": "Kolumbien", "fra": "Colombie", "hrv": "Kolumbija", "ita": "Colombia", "jpn": "\u30b3\u30ed\u30f3\u30d3\u30a2", "nld": "Colombia", "rus": "\u041a\u043e\u043b\u0443\u043c\u0431\u0438\u044f", "spa": "Colombia" }, "latlng": [4, -72], "demonym": "Colombian", "borders": ["BRA", "ECU", "PAN", "PER", "VEN"], "area": 1141748 }, { "name": { "common": "Comoros", "official": "Union of the Comoros", "native": { "common": "Komori", "official": "Udzima wa Komori" } }, "tld": [".km"], "cca2": "KM", "ccn3": "174", "cca3": "COM", "currency": ["KMF"], "callingCode": ["269"], "capital": "Moroni", "altSpellings": ["KM", "Union of the Comoros", "Union des Comores", "Udzima wa Komori", "al-Itti\u1e25\u0101d al-Qumur\u012b"], "relevance": "0", "region": "Africa", "subregion": "Eastern Africa", "nativeLanguage": "zdj", "languages": { "ara": "Arabic", "fra": "French", "zdj": "Comorian" }, "translations": { "cym": "Comoros", "deu": "Union der Komoren", "fra": "Comores", "hrv": "Komori", "ita": "Comore", "jpn": "\u30b3\u30e2\u30ed", "nld": "Comoren", "rus": "\u041a\u043e\u043c\u043e\u0440\u044b", "spa": "Comoras" }, "latlng": [-12.16666666, 44.25], "demonym": "Comoran", "borders": [], "area": 1862 }, { "name": { "common": "Republic of the Congo", "official": "Republic of the Congo", "native": { "common": "R\u00e9publique du Congo", "official": "R\u00e9publique du Congo" } }, "tld": [".cg"], "cca2": "CG", "ccn3": "178", "cca3": "COG", "currency": ["XAF"], "callingCode": ["242"], "capital": "Brazzaville", "altSpellings": ["CG", "Congo-Brazzaville"], "relevance": "0", "region": "Africa", "subregion": "Middle Africa", "nativeLanguage": "fra", "languages": { "fra": "French", "lin": "Lingala" }, "translations": { "cym": "Gweriniaeth y Congo", "deu": "Kongo", "fra": "Congo", "hrv": "Kongo", "ita": "Congo", "jpn": "\u30b3\u30f3\u30b4\u5171\u548c\u56fd", "nld": "Congo", "rus": "\u0420\u0435\u0441\u043f\u0443\u0431\u043b\u0438\u043a\u0430 \u041a\u043e\u043d\u0433\u043e", "spa": "Congo" }, "latlng": [-1, 15], "demonym": "Congolese", "borders": ["AGO", "CMR", "CAF", "COD", "GAB"], "area": 342000 }, { "name": { "common": "DR Congo", "official": "Democratic Republic of the Congo", "native": { "common": "RD Congo", "official": "R\u00e9publique d\u00e9mocratique du Congo" } }, "tld": [".cd"], "cca2": "CD", "ccn3": "180", "cca3": "COD", "currency": ["CDF"], "callingCode": ["243"], "capital": "Kinshasa", "altSpellings": ["CD", "DR Congo", "Congo-Kinshasa", "DRC"], "relevance": "0", "region": "Africa", "subregion": "Middle Africa", "nativeLanguage": "swa", "languages": { "fra": "French", "kon": "Kikongo", "lin": "Lingala", "lua": "Tshiluba", "swa": "Swahili" }, "translations": { "cym": "Gweriniaeth Ddemocrataidd Congo", "deu": "Kongo (Dem. Rep.)", "fra": "Congo (R\u00e9p. d\u00e9m.)", "hrv": "Kongo, Demokratska Republika", "ita": "Congo (Rep. Dem.)", "jpn": "\u30b3\u30f3\u30b4\u6c11\u4e3b\u5171\u548c\u56fd", "nld": "Congo (DRC)", "rus": "\u0414\u0435\u043c\u043e\u043a\u0440\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0430\u044f \u0420\u0435\u0441\u043f\u0443\u0431\u043b\u0438\u043a\u0430 \u041a\u043e\u043d\u0433\u043e", "spa": "Congo (Rep. Dem.)" }, "latlng": [0, 25], "demonym": "Congolese", "borders": ["AGO", "BDI", "CAF", "COG", "RWA", "SSD", "TZA", "UGA", "ZMB"], "area": 2344858 }, { "name": { "common": "Cook Islands", "official": "Cook Islands", "native": { "common": "Cook Islands", "official": "Cook Islands" } }, "tld": [".ck"], "cca2": "CK", "ccn3": "184", "cca3": "COK", "currency": ["NZD"], "callingCode": ["682"], "capital": "Avarua", "altSpellings": ["CK", "K\u016bki '\u0100irani"], "relevance": "0.5", "region": "Oceania", "subregion": "Polynesia", "nativeLanguage": "eng", "languages": { "eng": "English", "rar": "Cook Islands M\u0101ori" }, "translations": { "cym": "Ynysoedd Cook", "deu": "Cookinseln", "fra": "\u00celes Cook", "hrv": "Cookovo Oto\u010dje", "ita": "Isole Cook", "jpn": "\u30af\u30c3\u30af\u8af8\u5cf6", "nld": "Cookeilanden", "rus": "\u041e\u0441\u0442\u0440\u043e\u0432\u0430 \u041a\u0443\u043a\u0430", "spa": "Islas Cook" }, "latlng": [-21.23333333, -159.76666666], "demonym": "Cook Islander", "borders": [], "area": 236 }, { "name": { "common": "Costa Rica", "official": "Republic of Costa Rica", "native": { "common": "Costa Rica", "official": "Rep\u00fablica de Costa Rica" } }, "tld": [".cr"], "cca2": "CR", "ccn3": "188", "cca3": "CRI", "currency": ["CRC"], "callingCode": ["506"], "capital": "San Jos\u00e9", "altSpellings": ["CR", "Republic of Costa Rica", "Rep\u00fablica de Costa Rica"], "relevance": "0", "region": "Americas", "subregion": "Central America", "nativeLanguage": "spa", "languages": { "spa": "Spanish" }, "translations": { "cym": "Costa Rica", "deu": "Costa Rica", "fra": "Costa Rica", "hrv": "Kostarika", "ita": "Costa Rica", "jpn": "\u30b3\u30b9\u30bf\u30ea\u30ab", "nld": "Costa Rica", "rus": "\u041a\u043e\u0441\u0442\u0430-\u0420\u0438\u043a\u0430", "spa": "Costa Rica" }, "latlng": [10, -84], "demonym": "Costa Rican", "borders": ["NIC", "PAN"], "area": 51100 }, { "name": { "common": "Croatia", "official": "Republic of Croatia", "native": { "common": "Hrvatska", "official": "Republika Hrvatska" } }, "tld": [".hr"], "cca2": "HR", "ccn3": "191", "cca3": "HRV", "currency": ["HRK"], "callingCode": ["385"], "capital": "Zagreb", "altSpellings": ["HR", "Hrvatska", "Republic of Croatia", "Republika Hrvatska"], "relevance": "0", "region": "Europe", "subregion": "Southern Europe", "nativeLanguage": "hrv", "languages": { "hrv": "Croatian" }, "translations": { "cym": "Croatia", "deu": "Kroatien", "fra": "Croatie", "hrv": "Hrvatska", "ita": "Croazia", "jpn": "\u30af\u30ed\u30a2\u30c1\u30a2", "nld": "Kroati\u00eb", "rus": "\u0425\u043e\u0440\u0432\u0430\u0442\u0438\u044f", "spa": "Croacia" }, "latlng": [45.16666666, 15.5], "demonym": "Croatian", "borders": ["BIH", "HUN", "MNE", "SRB", "SVN"], "area": 56594 }, { "name": { "common": "Cuba", "official": "Republic of Cuba", "native": { "common": "Cuba", "official": "Rep\u00fablica de Cuba" } }, "tld": [".cu"], "cca2": "CU", "ccn3": "192", "cca3": "CUB", "currency": ["CUC", "CUP"], "callingCode": ["53"], "capital": "Havana", "altSpellings": ["CU", "Republic of Cuba", "Rep\u00fablica de Cuba"], "relevance": "0", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "spa", "languages": { "spa": "Spanish" }, "translations": { "cym": "Ciwba", "deu": "Kuba", "fra": "Cuba", "hrv": "Kuba", "ita": "Cuba", "jpn": "\u30ad\u30e5\u30fc\u30d0", "nld": "Cuba", "rus": "\u041a\u0443\u0431\u0430", "spa": "Cuba" }, "latlng": [21.5, -80], "demonym": "Cuban", "borders": [], "area": 109884 }, { "name": { "common": "Cura\u00e7ao", "official": "Country of Cura\u00e7ao", "native": { "common": "Cura\u00e7ao", "official": "Land Cura\u00e7ao" } }, "tld": [".cw"], "cca2": "CW", "ccn3": "531", "cca3": "CUW", "currency": ["ANG"], "callingCode": ["5999"], "capital": "Willemstad", "altSpellings": ["CW", "Curacao", "K\u00f2rsou", "Country of Cura\u00e7ao", "Land Cura\u00e7ao", "Pais K\u00f2rsou"], "relevance": "0", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "nld", "languages": { "eng": "English", "nld": "Dutch", "pap": "Papiamento" }, "translations": { "nld": "Cura\u00e7ao", "rus": "\u041a\u044e\u0440\u0430\u0441\u0430\u043e" }, "latlng": [12.116667, -68.933333], "demonym": "Dutch", "borders": [], "area": 444 }, { "name": { "common": "Cyprus", "official": "Republic of Cyprus", "native": { "common": "\u039a\u03cd\u03c0\u03c1\u03bf\u03c2", "official": "\u0394\u03b7\u03bc\u03bf\u03ba\u03c1\u03b1\u03c4\u03af\u03b1 \u03c4\u03b7\u03c2 \u039a\u03cd\u03c0\u03c1\u03bf\u03c2" } }, "tld": [".cy"], "cca2": "CY", "ccn3": "196", "cca3": "CYP", "currency": ["EUR"], "callingCode": ["357"], "capital": "Nicosia", "altSpellings": ["CY", "K\u00fdpros", "K\u0131br\u0131s", "Republic of Cyprus", "\u039a\u03c5\u03c0\u03c1\u03b9\u03b1\u03ba\u03ae \u0394\u03b7\u03bc\u03bf\u03ba\u03c1\u03b1\u03c4\u03af\u03b1", "K\u0131br\u0131s Cumhuriyeti"], "relevance": "0", "region": "Europe", "subregion": "Eastern Europe", "nativeLanguage": "ell", "languages": { "ell": "Greek", "tur": "Turkish" }, "translations": { "cym": "Cyprus", "deu": "Zypern", "fra": "Chypre", "hrv": "Cipar", "ita": "Cipro", "jpn": "\u30ad\u30d7\u30ed\u30b9", "nld": "Cyprus", "rus": "\u041a\u0438\u043f\u0440", "spa": "Chipre" }, "latlng": [35, 33], "demonym": "Cypriot", "borders": ["GBR"], "area": 9251 }, { "name": { "common": "Czech Republic", "official": "Czech Republic", "native": { "common": "\u010cesk\u00e1 republika", "official": "\u010desk\u00e1 republika" } }, "tld": [".cz"], "cca2": "CZ", "ccn3": "203", "cca3": "CZE", "currency": ["CZK"], "callingCode": ["420"], "capital": "Prague", "altSpellings": ["CZ", "\u010cesk\u00e1 republika", "\u010cesko"], "relevance": "0", "region": "Europe", "subregion": "Eastern Europe", "nativeLanguage": "ces", "languages": { "ces": "Czech", "slk": "Slovak" }, "translations": { "cym": "Y Weriniaeth Tsiec", "deu": "Tschechische Republik", "fra": "R\u00e9publique tch\u00e8que", "hrv": "\u010ce\u0161ka", "ita": "Repubblica Ceca", "jpn": "\u30c1\u30a7\u30b3", "nld": "Tsjechi\u00eb", "rus": "\u0427\u0435\u0445\u0438\u044f", "spa": "Rep\u00fablica Checa" }, "latlng": [49.75, 15.5], "demonym": "Czech", "borders": ["AUT", "DEU", "POL", "SVK"], "area": 78865 }, { "name": { "common": "Denmark", "official": "Kingdom of Denmark", "native": { "common": "Danmark", "official": "Kongeriget Danmark" } }, "tld": [".dk"], "cca2": "DK", "ccn3": "208", "cca3": "DNK", "currency": ["DKK"], "callingCode": ["45"], "capital": "Copenhagen", "altSpellings": ["DK", "Danmark", "Kingdom of Denmark", "Kongeriget Danmark"], "relevance": "1.5", "region": "Europe", "subregion": "Northern Europe", "nativeLanguage": "dan", "languages": { "dan": "Danish" }, "translations": { "cym": "Denmarc", "deu": "D\u00e4nemark", "fra": "Danemark", "hrv": "Danska", "ita": "Danimarca", "jpn": "\u30c7\u30f3\u30de\u30fc\u30af", "nld": "Denemarken", "rus": "\u0414\u0430\u043d\u0438\u044f", "spa": "Dinamarca" }, "latlng": [56, 10], "demonym": "Danish", "borders": ["DEU"], "area": 43094 }, { "name": { "common": "Djibouti", "official": "Republic of Djibouti", "native": { "common": "Djibouti", "official": "R\u00e9publique de Djibouti" } }, "tld": [".dj"], "cca2": "DJ", "ccn3": "262", "cca3": "DJI", "currency": ["DJF"], "callingCode": ["253"], "capital": "Djibouti", "altSpellings": ["DJ", "Jabuuti", "Gabuuti", "Republic of Djibouti", "R\u00e9publique de Djibouti", "Gabuutih Ummuuno", "Jamhuuriyadda Jabuuti"], "relevance": "0", "region": "Africa", "subregion": "Eastern Africa", "nativeLanguage": "ara", "languages": { "ara": "Arabic", "fra": "French" }, "translations": { "cym": "Djibouti", "deu": "Dschibuti", "fra": "Djibouti", "hrv": "D\u017eibuti", "ita": "Gibuti", "jpn": "\u30b8\u30d6\u30c1", "nld": "Djibouti", "rus": "\u0414\u0436\u0438\u0431\u0443\u0442\u0438", "spa": "Yibuti" }, "latlng": [11.5, 43], "demonym": "Djibouti", "borders": ["ERI", "ETH", "SOM"], "area": 23200 }, { "name": { "common": "Dominica", "official": "Commonwealth of Dominica", "native": { "common": "Dominica", "official": "Commonwealth of Dominica" } }, "tld": [".dm"], "cca2": "DM", "ccn3": "212", "cca3": "DMA", "currency": ["XCD"], "callingCode": ["1767"], "capital": "Roseau", "altSpellings": ["DM", "Dominique", "Wai\u2018tu kubuli", "Commonwealth of Dominica"], "relevance": "0.5", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "cym": "Dominica", "deu": "Dominica", "fra": "Dominique", "hrv": "Dominika", "ita": "Dominica", "jpn": "\u30c9\u30df\u30cb\u30ab\u56fd", "nld": "Dominica", "rus": "\u0414\u043e\u043c\u0438\u043d\u0438\u043a\u0430", "spa": "Dominica" }, "latlng": [15.41666666, -61.33333333], "demonym": "Dominican", "borders": [], "area": 751 }, { "name": { "common": "Dominican Republic", "official": "Dominican Republic", "native": { "common": "Rep\u00fablica Dominicana", "official": "Rep\u00fablica Dominicana" } }, "tld": [".do"], "cca2": "DO", "ccn3": "214", "cca3": "DOM", "currency": ["DOP"], "callingCode": ["1809", "1829", "1849"], "capital": "Santo Domingo", "altSpellings": ["DO"], "relevance": "0", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "spa", "languages": { "spa": "Spanish" }, "translations": { "cym": "Gweriniaeth_Dominica", "deu": "Dominikanische Republik", "fra": "R\u00e9publique dominicaine", "hrv": "Dominikanska Republika", "ita": "Repubblica Dominicana", "jpn": "\u30c9\u30df\u30cb\u30ab\u5171\u548c\u56fd", "nld": "Dominicaanse Republiek", "rus": "\u0414\u043e\u043c\u0438\u043d\u0438\u043a\u0430\u043d\u0441\u043a\u0430\u044f \u0420\u0435\u0441\u043f\u0443\u0431\u043b\u0438\u043a\u0430", "spa": "Rep\u00fablica Dominicana" }, "latlng": [19, -70.66666666], "demonym": "Dominican", "borders": ["HTI"], "area": 48671 }, { "name": { "common": "Ecuador", "official": "Republic of Ecuador", "native": { "common": "Ecuador", "official": "Rep\u00fablica del Ecuador" } }, "tld": [".ec"], "cca2": "EC", "ccn3": "218", "cca3": "ECU", "currency": ["USD"], "callingCode": ["593"], "capital": "Quito", "altSpellings": ["EC", "Republic of Ecuador", "Rep\u00fablica del Ecuador"], "relevance": "0", "region": "Americas", "subregion": "South America", "nativeLanguage": "spa", "languages": { "spa": "Spanish" }, "translations": { "cym": "Ecwador", "deu": "Ecuador", "fra": "\u00c9quateur", "hrv": "Ekvador", "ita": "Ecuador", "jpn": "\u30a8\u30af\u30a2\u30c9\u30eb", "nld": "Ecuador", "rus": "\u042d\u043a\u0432\u0430\u0434\u043e\u0440", "spa": "Ecuador" }, "latlng": [-2, -77.5], "demonym": "Ecuadorean", "borders": ["COL", "PER"], "area": 276841 }, { "name": { "common": "Egypt", "official": "Arab Republic of Egypt", "native": { "common": "\u0645\u0635\u0631", "official": "\u062c\u0645\u0647\u0648\u0631\u064a\u0629 \u0645\u0635\u0631 \u0627\u0644\u0639\u0631\u0628\u064a\u0629" } }, "tld": [".eg", ".\u0645\u0635\u0631"], "cca2": "EG", "ccn3": "818", "cca3": "EGY", "currency": ["EGP"], "callingCode": ["20"], "capital": "Cairo", "altSpellings": ["EG", "Arab Republic of Egypt"], "relevance": "1.5", "region": "Africa", "subregion": "Northern Africa", "nativeLanguage": "ara", "languages": { "ara": "Arabic" }, "translations": { "cym": "Yr Aifft", "deu": "\u00c4gypten", "fra": "\u00c9gypte", "hrv": "Egipat", "ita": "Egitto", "jpn": "\u30a8\u30b8\u30d7\u30c8", "nld": "Egypte", "rus": "\u0415\u0433\u0438\u043f\u0435\u0442", "spa": "Egipto" }, "latlng": [27, 30], "demonym": "Egyptian", "borders": ["ISR", "LBY", "SDN"], "area": 1002450 }, { "name": { "common": "El Salvador", "official": "Republic of El Salvador", "native": { "common": "El Salvador", "official": "Rep\u00fablica de El Salvador" } }, "tld": [".sv"], "cca2": "SV", "ccn3": "222", "cca3": "SLV", "currency": ["SVC", "USD"], "callingCode": ["503"], "capital": "San Salvador", "altSpellings": ["SV", "Republic of El Salvador", "Rep\u00fablica de El Salvador"], "relevance": "0", "region": "Americas", "subregion": "Central America", "nativeLanguage": "spa", "languages": { "spa": "Spanish" }, "translations": { "cym": "El Salvador", "deu": "El Salvador", "fra": "Salvador", "hrv": "Salvador", "ita": "El Salvador", "jpn": "\u30a8\u30eb\u30b5\u30eb\u30d0\u30c9\u30eb", "nld": "El Salvador", "rus": "\u0421\u0430\u043b\u044c\u0432\u0430\u0434\u043e\u0440", "spa": "El Salvador" }, "latlng": [13.83333333, -88.91666666], "demonym": "Salvadoran", "borders": ["GTM", "HND"], "area": 21041 }, { "name": { "common": "Equatorial Guinea", "official": "Republic of Equatorial Guinea", "native": { "common": "Guinea Ecuatorial", "official": "Rep\u00fablica de Guinea Ecuatorial" } }, "tld": [".gq"], "cca2": "GQ", "ccn3": "226", "cca3": "GNQ", "currency": ["XAF"], "callingCode": ["240"], "capital": "Malabo", "altSpellings": ["GQ", "Republic of Equatorial Guinea", "Rep\u00fablica de Guinea Ecuatorial", "R\u00e9publique de Guin\u00e9e \u00e9quatoriale", "Rep\u00fablica da Guin\u00e9 Equatorial"], "relevance": "0", "region": "Africa", "subregion": "Middle Africa", "nativeLanguage": "spa", "languages": { "fra": "French", "por": "Portuguese", "spa": "Spanish" }, "translations": { "cym": "Gini Gyhydeddol", "deu": "\u00c4quatorial-Guinea", "fra": "Guin\u00e9e-\u00c9quatoriale", "hrv": "Ekvatorijalna Gvineja", "ita": "Guinea Equatoriale", "jpn": "\u8d64\u9053\u30ae\u30cb\u30a2", "nld": "Equatoriaal-Guinea", "rus": "\u042d\u043a\u0432\u0430\u0442\u043e\u0440\u0438\u0430\u043b\u044c\u043d\u0430\u044f \u0413\u0432\u0438\u043d\u0435\u044f", "spa": "Guinea Ecuatorial" }, "latlng": [2, 10], "demonym": "Equatorial Guinean", "borders": ["CMR", "GAB"], "area": 28051 }, { "name": { "common": "Eritrea", "official": "State of Eritrea", "native": { "common": "\u12a4\u122d\u1275\u122b", "official": "\u1203\u1308\u1228 \u12a4\u122d\u1275\u122b" } }, "tld": [".er"], "cca2": "ER", "ccn3": "232", "cca3": "ERI", "currency": ["ERN"], "callingCode": ["291"], "capital": "Asmara", "altSpellings": ["ER", "State of Eritrea", "\u1203\u1308\u1228 \u12a4\u122d\u1275\u122b", "Dawlat Iritriy\u00e1", "\u02beErtr\u0101", "Iritriy\u0101", ""], "relevance": "0", "region": "Africa", "subregion": "Eastern Africa", "nativeLanguage": "tir", "languages": { "ara": "Arabic", "eng": "English", "tir": "Tigrinya" }, "translations": { "cym": "Eritrea", "deu": "Eritrea", "fra": "\u00c9rythr\u00e9e", "hrv": "Eritreja", "ita": "Eritrea", "jpn": "\u30a8\u30ea\u30c8\u30ea\u30a2", "nld": "Eritrea", "rus": "\u042d\u0440\u0438\u0442\u0440\u0435\u044f", "spa": "Eritrea" }, "latlng": [15, 39], "demonym": "Eritrean", "borders": ["DJI", "ETH", "SDN"], "area": 117600 }, { "name": { "common": "Estonia", "official": "Republic of Estonia", "native": { "common": "Eesti", "official": "Eesti Vabariik" } }, "tld": [".ee"], "cca2": "EE", "ccn3": "233", "cca3": "EST", "currency": ["EUR"], "callingCode": ["372"], "capital": "Tallinn", "altSpellings": ["EE", "Eesti", "Republic of Estonia", "Eesti Vabariik"], "relevance": "0", "region": "Europe", "subregion": "Northern Europe", "nativeLanguage": "est", "languages": { "est": "Estonian" }, "translations": { "cym": "Estonia", "deu": "Estland", "fra": "Estonie", "hrv": "Estonija", "ita": "Estonia", "jpn": "\u30a8\u30b9\u30c8\u30cb\u30a2", "nld": "Estland", "rus": "\u042d\u0441\u0442\u043e\u043d\u0438\u044f", "spa": "Estonia" }, "latlng": [59, 26], "demonym": "Estonian", "borders": ["LVA", "RUS"], "area": 45227 }, { "name": { "common": "Ethiopia", "official": "Federal Democratic Republic of Ethiopia", "native": { "common": "\u12a2\u1275\u12ee\u1335\u12eb", "official": "\u12e8\u12a2\u1275\u12ee\u1335\u12eb \u134c\u12f4\u122b\u120b\u12ca \u12f2\u121e\u12ad\u122b\u1232\u12eb\u12ca \u122a\u1350\u1265\u120a\u12ad" } }, "tld": [".et"], "cca2": "ET", "ccn3": "231", "cca3": "ETH", "currency": ["ETB"], "callingCode": ["251"], "capital": "Addis Ababa", "altSpellings": ["ET", "\u02be\u012aty\u014d\u1e57\u1e57y\u0101", "Federal Democratic Republic of Ethiopia", "\u12e8\u12a2\u1275\u12ee\u1335\u12eb \u134c\u12f4\u122b\u120b\u12ca \u12f2\u121e\u12ad\u122b\u1232\u12eb\u12ca \u122a\u1350\u1265\u120a\u12ad"], "relevance": "0", "region": "Africa", "subregion": "Eastern Africa", "nativeLanguage": "amh", "languages": { "amh": "Amharic" }, "translations": { "cym": "Ethiopia", "deu": "\u00c4thiopien", "fra": "\u00c9thiopie", "hrv": "Etiopija", "ita": "Etiopia", "jpn": "\u30a8\u30c1\u30aa\u30d4\u30a2", "nld": "Ethiopi\u00eb", "rus": "\u042d\u0444\u0438\u043e\u043f\u0438\u044f", "spa": "Etiop\u00eda" }, "latlng": [8, 38], "demonym": "Ethiopian", "borders": ["DJI", "ERI", "KEN", "SOM", "SSD", "SDN"], "area": 1104300 }, { "name": { "common": "Falkland Islands", "official": "Falkland Islands", "native": { "common": "Falkland Islands", "official": "Falkland Islands" } }, "tld": [".fk"], "cca2": "FK", "ccn3": "238", "cca3": "FLK", "currency": ["FKP"], "callingCode": ["500"], "capital": "Stanley", "altSpellings": ["FK", "Islas Malvinas"], "relevance": "0.5", "region": "Americas", "subregion": "South America", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "Falklandinseln", "fra": "\u00celes Malouines", "hrv": "Falklandski Otoci", "ita": "Isole Falkland o Isole Malvine", "jpn": "\u30d5\u30a9\u30fc\u30af\u30e9\u30f3\u30c9\uff08\u30de\u30eb\u30d3\u30ca\u30b9\uff09\u8af8\u5cf6", "nld": "Falklandeilanden", "rus": "\u0424\u043e\u043b\u043a\u043b\u0435\u043d\u0434\u0441\u043a\u0438\u0435 \u043e\u0441\u0442\u0440\u043e\u0432\u0430", "spa": "Islas Malvinas" }, "latlng": [-51.75, -59], "demonym": "Falkland Islander", "borders": [], "area": 12173 }, { "name": { "common": "Faroe Islands", "official": "Faroe Islands", "native": { "common": "F\u00f8royar", "official": "F\u00f8royar" } }, "tld": [".fo"], "cca2": "FO", "ccn3": "234", "cca3": "FRO", "currency": ["DKK"], "callingCode": ["298"], "capital": "T\u00f3rshavn", "altSpellings": ["FO", "F\u00f8royar", "F\u00e6r\u00f8erne"], "relevance": "0.5", "region": "Europe", "subregion": "Northern Europe", "nativeLanguage": "fao", "languages": { "dan": "Danish", "fao": "Faroese" }, "translations": { "deu": "F\u00e4r\u00f6er-Inseln", "fra": "\u00celes F\u00e9ro\u00e9", "hrv": "Farski Otoci", "ita": "Isole Far Oer", "jpn": "\u30d5\u30a7\u30ed\u30fc\u8af8\u5cf6", "nld": "Faer\u00f6er", "rus": "\u0424\u0430\u0440\u0435\u0440\u0441\u043a\u0438\u0435 \u043e\u0441\u0442\u0440\u043e\u0432\u0430", "spa": "Islas Faroe" }, "latlng": [62, -7], "demonym": "Faroese", "borders": [], "area": 1393 }, { "name": { "common": "Fiji", "official": "Republic of Fiji", "native": { "common": "Fiji", "official": "Republic of Fiji" } }, "tld": [".fj"], "cca2": "FJ", "ccn3": "242", "cca3": "FJI", "currency": ["FJD"], "callingCode": ["679"], "capital": "Suva", "altSpellings": ["FJ", "Viti", "Republic of Fiji", "Matanitu ko Viti", "Fij\u012b Ga\u1e47ar\u0101jya"], "relevance": "0", "region": "Oceania", "subregion": "Melanesia", "nativeLanguage": "eng", "languages": { "eng": "English", "fij": "Fijian", "hif": "Fiji Hindi" }, "translations": { "deu": "Fidschi", "fra": "Fidji", "hrv": "Fi\u0111i", "ita": "Figi", "jpn": "\u30d5\u30a3\u30b8\u30fc", "nld": "Fiji", "rus": "\u0424\u0438\u0434\u0436\u0438", "spa": "Fiyi" }, "latlng": [-18, 175], "demonym": "Fijian", "borders": [], "area": 18272 }, { "name": { "common": "Finland", "official": "Republic of FinlandFinland", "native": { "common": "Suomi", "official": "Tasavallan FinlandFinland" } }, "tld": [".fi"], "cca2": "FI", "ccn3": "246", "cca3": "FIN", "currency": ["EUR"], "callingCode": ["358"], "capital": "Helsinki", "altSpellings": ["FI", "Suomi", "Republic of Finland", "Suomen tasavalta", "Republiken Finland"], "relevance": "0.5", "region": "Europe", "subregion": "Northern Europe", "nativeLanguage": "fin", "languages": { "fin": "Finnish", "swe": "Swedish" }, "translations": { "deu": "Finnland", "fra": "Finlande", "hrv": "Finska", "ita": "Finlandia", "jpn": "\u30d5\u30a3\u30f3\u30e9\u30f3\u30c9", "nld": "Finland", "rus": "\u0424\u0438\u043d\u043b\u044f\u043d\u0434\u0438\u044f", "spa": "Finlandia" }, "latlng": [64, 26], "demonym": "Finnish", "borders": ["NOR", "SWE", "RUS"], "area": 338424 }, { "name": { "common": "France", "official": "French Republic", "native": { "common": "France", "official": "R\u00e9publique fran\u00e7aise" } }, "tld": [".fr"], "cca2": "FR", "ccn3": "250", "cca3": "FRA", "currency": ["EUR"], "callingCode": ["33"], "capital": "Paris", "altSpellings": ["FR", "French Republic", "R\u00e9publique fran\u00e7aise"], "relevance": "2.5", "region": "Europe", "subregion": "Western Europe", "nativeLanguage": "fra", "languages": { "fra": "French" }, "translations": { "deu": "Frankreich", "fra": "France", "hrv": "Francuska", "ita": "Francia", "jpn": "\u30d5\u30e9\u30f3\u30b9", "nld": "Frankrijk", "rus": "\u0424\u0440\u0430\u043d\u0446\u0438\u044f", "spa": "Francia" }, "latlng": [46, 2], "demonym": "French", "borders": ["AND", "BEL", "DEU", "ITA", "LUX", "MCO", "ESP", "CHE"], "area": 551695 }, { "name": { "common": "French Guiana", "official": "Guiana", "native": { "common": "Guyane fran\u00e7aise", "official": "Guyanes" } }, "tld": [".gf"], "cca2": "GF", "ccn3": "254", "cca3": "GUF", "currency": ["EUR"], "callingCode": ["594"], "capital": "Cayenne", "altSpellings": ["GF", "Guiana", "Guyane"], "relevance": "0", "region": "Americas", "subregion": "South America", "nativeLanguage": "fra", "languages": { "fra": "French" }, "translations": { "deu": "Franz\u00f6sisch Guyana", "fra": "Guayane", "hrv": "Francuska Gvajana", "ita": "Guyana francese", "jpn": "\u30d5\u30e9\u30f3\u30b9\u9818\u30ae\u30a2\u30ca", "nld": "Frans-Guyana", "rus": "\u0424\u0440\u0430\u043d\u0446\u0443\u0437\u0441\u043a\u0430\u044f \u0413\u0432\u0438\u0430\u043d\u0430", "spa": "Guayana Francesa" }, "latlng": [4, -53], "demonym": "", "borders": ["BRA", "SUR"], "area": 83534 }, { "name": { "common": "French Polynesia", "official": "French Polynesia", "native": { "common": "Polyn\u00e9sie fran\u00e7aise", "official": "Polyn\u00e9sie fran\u00e7aise" } }, "tld": [".pf"], "cca2": "PF", "ccn3": "258", "cca3": "PYF", "currency": ["XPF"], "callingCode": ["689"], "capital": "Papeet\u0113", "altSpellings": ["PF", "Polyn\u00e9sie fran\u00e7aise", "French Polynesia", "P\u014dr\u012bnetia Far\u0101ni"], "relevance": "0", "region": "Oceania", "subregion": "Polynesia", "nativeLanguage": "fra", "languages": { "fra": "French" }, "translations": { "deu": "Franz\u00f6sisch-Polynesien", "fra": "Polyn\u00e9sie fran\u00e7aise", "hrv": "Francuska Polinezija", "ita": "Polinesia Francese", "jpn": "\u30d5\u30e9\u30f3\u30b9\u9818\u30dd\u30ea\u30cd\u30b7\u30a2", "nld": "Frans-Polynesi\u00eb", "rus": "\u0424\u0440\u0430\u043d\u0446\u0443\u0437\u0441\u043a\u0430\u044f \u041f\u043e\u043b\u0438\u043d\u0435\u0437\u0438\u044f", "spa": "Polinesia Francesa" }, "latlng": [-15, -140], "demonym": "French Polynesian", "borders": [], "area": 4167 }, { "name": { "common": "French Southern and Antarctic Lands", "official": "Territory of the French Southern and Antarctic Lands", "native": { "common": "Territoire des Terres australes et antarctiques fran\u00e7aises", "official": "Territoire du Sud fran\u00e7aises et des terres de l'Antarctique" } }, "tld": [".tf"], "cca2": "TF", "ccn3": "260", "cca3": "ATF", "currency": ["EUR"], "callingCode": [], "capital": "Port-aux-Fran\u00e7ais", "altSpellings": ["TF"], "relevance": "0", "region": "", "subregion": "", "nativeLanguage": "fra", "languages": { "fra": "French" }, "translations": { "deu": "Franz\u00f6sische S\u00fcd- und Antarktisgebiete", "fra": "Terres australes et antarctiques fran\u00e7aises", "hrv": "Francuski ju\u017eni i antarkti\u010dki teritoriji", "ita": "Territori Francesi del Sud", "jpn": "\u30d5\u30e9\u30f3\u30b9\u9818\u5357\u65b9\u30fb\u5357\u6975\u5730\u57df", "nld": "Franse Gebieden in de zuidelijke Indische Oceaan", "rus": "\u0424\u0440\u0430\u043d\u0446\u0443\u0437\u0441\u043a\u0438\u0435 \u042e\u0436\u043d\u044b\u0435 \u0438 \u0410\u043d\u0442\u0430\u0440\u043a\u0442\u0438\u0447\u0435\u0441\u043a\u0438\u0435 \u0442\u0435\u0440\u0440\u0438\u0442\u043e\u0440\u0438\u0438", "spa": "Tierras Australes y Ant\u00e1rticas Francesas" }, "latlng": [-49.25, 69.167], "demonym": "French", "borders": [], "area": 7747 }, { "name": { "common": "Gabon", "official": "Gabonese Republic", "native": { "common": "Gabon", "official": "R\u00e9publique gabonaise" } }, "tld": [".ga"], "cca2": "GA", "ccn3": "266", "cca3": "GAB", "currency": ["XAF"], "callingCode": ["241"], "capital": "Libreville", "altSpellings": ["GA", "Gabonese Republic", "R\u00e9publique Gabonaise"], "relevance": "0", "region": "Africa", "subregion": "Middle Africa", "nativeLanguage": "fra", "languages": { "fra": "French" }, "translations": { "deu": "Gabun", "fra": "Gabon", "hrv": "Gabon", "ita": "Gabon", "jpn": "\u30ac\u30dc\u30f3", "nld": "Gabon", "rus": "\u0413\u0430\u0431\u043e\u043d", "spa": "Gab\u00f3n" }, "latlng": [-1, 11.75], "demonym": "Gabonese", "borders": ["CMR", "COG", "GNQ"], "area": 267668 }, { "name": { "common": "Gambia", "official": "Republic of the Gambia", "native": { "common": "Gambia", "official": "Republic of the Gambia" } }, "tld": [".gm"], "cca2": "GM", "ccn3": "270", "cca3": "GMB", "currency": ["GMD"], "callingCode": ["220"], "capital": "Banjul", "altSpellings": ["GM", "Republic of the Gambia"], "relevance": "0", "region": "Africa", "subregion": "Western Africa", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "Gambia", "fra": "Gambie", "hrv": "Gambija", "ita": "Gambia", "jpn": "\u30ac\u30f3\u30d3\u30a2", "nld": "Gambia", "rus": "\u0413\u0430\u043c\u0431\u0438\u044f", "spa": "Gambia" }, "latlng": [13.46666666, -16.56666666], "demonym": "Gambian", "borders": ["SEN"], "area": 10689 }, { "name": { "common": "Georgia", "official": "Georgia", "native": { "common": "\u10e1\u10d0\u10e5\u10d0\u10e0\u10d7\u10d5\u10d4\u10da\u10dd", "official": "\u10e1\u10d0\u10e5\u10d0\u10e0\u10d7\u10d5\u10d4\u10da\u10dd" } }, "tld": [".ge"], "cca2": "GE", "ccn3": "268", "cca3": "GEO", "currency": ["GEL"], "callingCode": ["995"], "capital": "Tbilisi", "altSpellings": ["GE", "Sakartvelo"], "relevance": "0", "region": "Asia", "subregion": "Western Asia", "nativeLanguage": "kat", "languages": { "kat": "Georgian" }, "translations": { "deu": "Georgien", "fra": "G\u00e9orgie", "hrv": "Gruzija", "ita": "Georgia", "jpn": "\u30b0\u30eb\u30b8\u30a2", "nld": "Georgi\u00eb", "rus": "\u0413\u0440\u0443\u0437\u0438\u044f", "spa": "Georgia" }, "latlng": [42, 43.5], "demonym": "Georgian", "borders": ["ARM", "AZE", "RUS", "TUR"], "area": 69700 }, { "name": { "common": "Germany", "official": "Federal Republic of Germany", "native": { "common": "Deutschland", "official": "Bundesrepublik Deutschland" } }, "tld": [".de"], "cca2": "DE", "ccn3": "276", "cca3": "DEU", "currency": ["EUR"], "callingCode": ["49"], "capital": "Berlin", "altSpellings": ["DE", "Federal Republic of Germany", "Bundesrepublik Deutschland"], "relevance": "3", "region": "Europe", "subregion": "Western Europe", "nativeLanguage": "deu", "languages": { "deu": "German" }, "translations": { "deu": "Deutschland", "fra": "Allemagne", "hrv": "Njema\u010dka", "ita": "Germania", "jpn": "\u30c9\u30a4\u30c4", "nld": "Duitsland", "rus": "\u0413\u0435\u0440\u043c\u0430\u043d\u0438\u044f", "spa": "Alemania" }, "latlng": [51, 9], "demonym": "German", "borders": ["AUT", "BEL", "CZE", "DNK", "FRA", "LUX", "NLD", "POL", "CHE"], "area": 357114 }, { "name": { "common": "Ghana", "official": "Republic of Ghana", "native": { "common": "Ghana", "official": "Republic of Ghana" } }, "tld": [".gh"], "cca2": "GH", "ccn3": "288", "cca3": "GHA", "currency": ["GHS"], "callingCode": ["233"], "capital": "Accra", "altSpellings": ["GH"], "relevance": "0", "region": "Africa", "subregion": "Western Africa", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "Ghana", "fra": "Ghana", "hrv": "Gana", "ita": "Ghana", "jpn": "\u30ac\u30fc\u30ca", "nld": "Ghana", "rus": "\u0413\u0430\u043d\u0430", "spa": "Ghana" }, "latlng": [8, -2], "demonym": "Ghanaian", "borders": ["BFA", "CIV", "TGO"], "area": 238533 }, { "name": { "common": "Gibraltar", "official": "Gibraltar", "native": { "common": "Gibraltar", "official": "Gibraltar" } }, "tld": [".gi"], "cca2": "GI", "ccn3": "292", "cca3": "GIB", "currency": ["GIP"], "callingCode": ["350"], "capital": "Gibraltar", "altSpellings": ["GI"], "relevance": "0.5", "region": "Europe", "subregion": "Southern Europe", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "Gibraltar", "fra": "Gibraltar", "hrv": "Gibraltar", "ita": "Gibilterra", "jpn": "\u30b8\u30d6\u30e9\u30eb\u30bf\u30eb", "nld": "Gibraltar", "rus": "\u0413\u0438\u0431\u0440\u0430\u043b\u0442\u0430\u0440", "spa": "Gibraltar" }, "latlng": [36.13333333, -5.35], "demonym": "Gibraltar", "borders": ["ESP"], "area": 6 }, { "name": { "common": "Greece", "official": "Hellenic Republic", "native": { "common": "\u0395\u03bb\u03bb\u03ac\u03b4\u03b1", "official": "\u0395\u03bb\u03bb\u03b7\u03bd\u03b9\u03ba\u03ae \u0394\u03b7\u03bc\u03bf\u03ba\u03c1\u03b1\u03c4\u03af\u03b1" } }, "tld": [".gr"], "cca2": "GR", "ccn3": "300", "cca3": "GRC", "currency": ["EUR"], "callingCode": ["30"], "capital": "Athens", "altSpellings": ["GR", "Ell\u00e1da", "Hellenic Republic", "\u0395\u03bb\u03bb\u03b7\u03bd\u03b9\u03ba\u03ae \u0394\u03b7\u03bc\u03bf\u03ba\u03c1\u03b1\u03c4\u03af\u03b1"], "relevance": "1.5", "region": "Europe", "subregion": "Southern Europe", "nativeLanguage": "ell", "languages": { "ell": "Greek" }, "translations": { "deu": "Griechenland", "fra": "Gr\u00e8ce", "hrv": "Gr\u010dka", "ita": "Grecia", "jpn": "\u30ae\u30ea\u30b7\u30e3", "nld": "Griekenland", "rus": "\u0413\u0440\u0435\u0446\u0438\u044f", "spa": "Grecia" }, "latlng": [39, 22], "demonym": "Greek", "borders": ["ALB", "BGR", "TUR", "MKD"], "area": 131990 }, { "name": { "common": "Greenland", "official": "Greenland", "native": { "common": "Kalaallit Nunaat", "official": "Kalaallit Nunaat" } }, "tld": [".gl"], "cca2": "GL", "ccn3": "304", "cca3": "GRL", "currency": ["DKK"], "callingCode": ["299"], "capital": "Nuuk", "altSpellings": ["GL", "Gr\u00f8nland"], "relevance": "0.5", "region": "Americas", "subregion": "Northern America", "nativeLanguage": "kal", "languages": { "kal": "Greenlandic" }, "translations": { "deu": "Gr\u00f6nland", "fra": "Groenland", "hrv": "Grenland", "ita": "Groenlandia", "jpn": "\u30b0\u30ea\u30fc\u30f3\u30e9\u30f3\u30c9", "nld": "Groenland", "rus": "\u0413\u0440\u0435\u043d\u043b\u0430\u043d\u0434\u0438\u044f", "spa": "Groenlandia" }, "latlng": [72, -40], "demonym": "Greenlandic", "borders": [], "area": 2166086 }, { "name": { "common": "Grenada", "official": "Grenada", "native": { "common": "Grenada", "official": "Grenada" } }, "tld": [".gd"], "cca2": "GD", "ccn3": "308", "cca3": "GRD", "currency": ["XCD"], "callingCode": ["1473"], "capital": "St. George's", "altSpellings": ["GD"], "relevance": "0", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "Grenada", "fra": "Grenade", "hrv": "Grenada", "ita": "Grenada", "jpn": "\u30b0\u30ec\u30ca\u30c0", "nld": "Grenada", "rus": "\u0413\u0440\u0435\u043d\u0430\u0434\u0430", "spa": "Grenada" }, "latlng": [12.11666666, -61.66666666], "demonym": "Grenadian", "borders": [], "area": 344 }, { "name": { "common": "Guadeloupe", "official": "Guadeloupe", "native": { "common": "Guadeloupe", "official": "Guadeloupe" } }, "tld": [".gp"], "cca2": "GP", "ccn3": "312", "cca3": "GLP", "currency": ["EUR"], "callingCode": ["590"], "capital": "Basse-Terre", "altSpellings": ["GP", "Gwadloup"], "relevance": "0", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "fra", "languages": { "fra": "French" }, "translations": { "deu": "Guadeloupe", "fra": "Guadeloupe", "hrv": "Gvadalupa", "ita": "Guadeloupa", "jpn": "\u30b0\u30a2\u30c9\u30eb\u30fc\u30d7", "nld": "Guadeloupe", "rus": "\u0413\u0432\u0430\u0434\u0435\u043b\u0443\u043f\u0430", "spa": "Guadalupe" }, "latlng": [16.25, -61.583333], "demonym": "Guadeloupian", "borders": [], "area": 1628 }, { "name": { "common": "Guam", "official": "Guam", "native": { "common": "Guam", "official": "Guam" } }, "tld": [".gu"], "cca2": "GU", "ccn3": "316", "cca3": "GUM", "currency": ["USD"], "callingCode": ["1671"], "capital": "Hag\u00e5t\u00f1a", "altSpellings": ["GU", "Gu\u00e5h\u00e5n"], "relevance": "0", "region": "Oceania", "subregion": "Micronesia", "nativeLanguage": "eng", "languages": { "cha": "Chamorro", "eng": "English", "spa": "Spanish" }, "translations": { "deu": "Guam", "fra": "Guam", "hrv": "Guam", "ita": "Guam", "jpn": "\u30b0\u30a2\u30e0", "nld": "Guam", "rus": "\u0413\u0443\u0430\u043c", "spa": "Guam" }, "latlng": [13.46666666, 144.78333333], "demonym": "Guamanian", "borders": [], "area": 549 }, { "name": { "common": "Guatemala", "official": "Republic of Guatemala", "native": { "common": "Guatemala", "official": "Rep\u00fablica de Guatemala" } }, "tld": [".gt"], "cca2": "GT", "ccn3": "320", "cca3": "GTM", "currency": ["GTQ"], "callingCode": ["502"], "capital": "Guatemala City", "altSpellings": ["GT"], "relevance": "0", "region": "Americas", "subregion": "Central America", "nativeLanguage": "spa", "languages": { "spa": "Spanish" }, "translations": { "deu": "Guatemala", "fra": "Guatemala", "hrv": "Gvatemala", "ita": "Guatemala", "jpn": "\u30b0\u30a2\u30c6\u30de\u30e9", "nld": "Guatemala", "rus": "\u0413\u0432\u0430\u0442\u0435\u043c\u0430\u043b\u0430", "spa": "Guatemala" }, "latlng": [15.5, -90.25], "demonym": "Guatemalan", "borders": ["BLZ", "SLV", "HND", "MEX"], "area": 108889 }, { "name": { "common": "Guernsey", "official": "Bailiwick of Guernsey", "native": { "common": "Guernsey", "official": "Bailiwick of Guernsey" } }, "tld": [".gg"], "cca2": "GG", "ccn3": "831", "cca3": "GGY", "currency": ["GBP"], "callingCode": ["44"], "capital": "St. Peter Port", "altSpellings": ["GG", "Bailiwick of Guernsey", "Bailliage de Guernesey"], "relevance": "0.5", "region": "Europe", "subregion": "Northern Europe", "nativeLanguage": "eng", "languages": { "eng": "English", "fra": "French" }, "translations": { "deu": "Guernsey", "fra": "Guernesey", "hrv": "Guernsey", "ita": "Guernsey", "jpn": "\u30ac\u30fc\u30f3\u30b8\u30fc", "nld": "Guernsey", "rus": "\u0413\u0435\u0440\u043d\u0441\u0438", "spa": "Guernsey" }, "latlng": [49.46666666, -2.58333333], "demonym": "Channel Islander", "borders": [], "area": 78 }, { "name": { "common": "Guinea", "official": "Republic of Guinea", "native": { "common": "Guin\u00e9e", "official": "R\u00e9publique de Guin\u00e9e" } }, "tld": [".gn"], "cca2": "GN", "ccn3": "324", "cca3": "GIN", "currency": ["GNF"], "callingCode": ["224"], "capital": "Conakry", "altSpellings": ["GN", "Republic of Guinea", "R\u00e9publique de Guin\u00e9e"], "relevance": "0", "region": "Africa", "subregion": "Western Africa", "nativeLanguage": "fra", "languages": { "fra": "French" }, "translations": { "deu": "Guinea", "fra": "Guin\u00e9e", "hrv": "Gvineja", "ita": "Guinea", "jpn": "\u30ae\u30cb\u30a2", "nld": "Guinee", "rus": "\u0413\u0432\u0438\u043d\u0435\u044f", "spa": "Guinea" }, "latlng": [11, -10], "demonym": "Guinean", "borders": ["CIV", "GNB", "LBR", "MLI", "SEN", "SLE"], "area": 245857 }, { "name": { "common": "Guinea-Bissau", "official": "Republic of Guinea-Bissau", "native": { "common": "Guin\u00e9-Bissau", "official": "Rep\u00fablica da Guin\u00e9-Bissau" } }, "tld": [".gw"], "cca2": "GW", "ccn3": "624", "cca3": "GNB", "currency": ["XOF"], "callingCode": ["245"], "capital": "Bissau", "altSpellings": ["GW", "Republic of Guinea-Bissau", "Rep\u00fablica da Guin\u00e9-Bissau"], "relevance": "0", "region": "Africa", "subregion": "Western Africa", "nativeLanguage": "por", "languages": { "por": "Portuguese" }, "translations": { "deu": "Guinea-Bissau", "fra": "Guin\u00e9e-Bissau", "hrv": "Gvineja Bisau", "ita": "Guinea-Bissau", "jpn": "\u30ae\u30cb\u30a2\u30d3\u30b5\u30a6", "nld": "Guinee-Bissau", "rus": "\u0413\u0432\u0438\u043d\u0435\u044f-\u0411\u0438\u0441\u0430\u0443", "spa": "Guinea-Bis\u00e1u" }, "latlng": [12, -15], "demonym": "Guinea-Bissauan", "borders": ["GIN", "SEN"], "area": 36125 }, { "name": { "common": "Guyana", "official": "Co-operative Republic of Guyana", "native": { "common": "Guyana", "official": "Co-operative Republic of Guyana" } }, "tld": [".gy"], "cca2": "GY", "ccn3": "328", "cca3": "GUY", "currency": ["GYD"], "callingCode": ["592"], "capital": "Georgetown", "altSpellings": ["GY", "Co-operative Republic of Guyana"], "relevance": "0", "region": "Americas", "subregion": "South America", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "Guyana", "fra": "Guyane", "hrv": "Gvajana", "ita": "Guyana", "jpn": "\u30ac\u30a4\u30a2\u30ca", "nld": "Guyana", "rus": "\u0413\u0430\u0439\u0430\u043d\u0430", "spa": "Guyana" }, "latlng": [5, -59], "demonym": "Guyanese", "borders": ["BRA", "SUR", "VEN"], "area": 214969 }, { "name": { "common": "Haiti", "official": "Republic of Haiti", "native": { "common": "Ha\u00efti", "official": "R\u00e9publique d'Ha\u00efti" } }, "tld": [".ht"], "cca2": "HT", "ccn3": "332", "cca3": "HTI", "currency": ["HTG", "USD"], "callingCode": ["509"], "capital": "Port-au-Prince", "altSpellings": ["HT", "Republic of Haiti", "R\u00e9publique d'Ha\u00efti", "Repiblik Ayiti"], "relevance": "0", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "fra", "languages": { "fra": "French", "hat": "Haitian Creole" }, "translations": { "deu": "Haiti", "fra": "Ha\u00efti", "hrv": "Haiti", "ita": "Haiti", "jpn": "\u30cf\u30a4\u30c1", "nld": "Ha\u00efti", "rus": "\u0413\u0430\u0438\u0442\u0438", "spa": "Haiti" }, "latlng": [19, -72.41666666], "demonym": "Haitian", "borders": ["DOM"], "area": 27750 }, { "name": { "common": "Heard Island and McDonald Islands", "official": "Heard Island and McDonald Islands", "native": { "common": "Heard Island and McDonald Islands", "official": "Heard Island and McDonald Islands" } }, "tld": [".hm", ".aq"], "cca2": "HM", "ccn3": "334", "cca3": "HMD", "currency": ["AUD"], "callingCode": [], "capital": "", "altSpellings": ["HM"], "relevance": "0", "region": "", "subregion": "", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "Heard und die McDonaldinseln", "fra": "\u00celes Heard-et-MacDonald", "hrv": "Otok Heard i oto\u010dje McDonald", "ita": "Isole Heard e McDonald", "jpn": "\u30cf\u30fc\u30c9\u5cf6\u3068\u30de\u30af\u30c9\u30ca\u30eb\u30c9\u8af8\u5cf6", "nld": "Heard- en McDonaldeilanden", "rus": "\u041e\u0441\u0442\u0440\u043e\u0432 \u0425\u0435\u0440\u0434 \u0438 \u043e\u0441\u0442\u0440\u043e\u0432\u0430 \u041c\u0430\u043a\u0434\u043e\u043d\u0430\u043b\u044c\u0434", "spa": "Islas Heard y McDonald" }, "latlng": [-53.1, 72.51666666], "demonym": "Heard and McDonald Islander", "borders": [], "area": 412 }, { "name": { "common": "Vatican City", "official": "Vatican City State", "native": { "common": "Vaticano", "official": "Stato della Citt\u00E0 del Vaticano" } }, "tld": [".va"], "cca2": "VA", "ccn3": "336", "cca3": "VAT", "currency": ["EUR"], "callingCode": ["3906698", "379"], "capital": "Vatican City", "altSpellings": ["VA", "Vatican City State", "Stato della Citt\u00e0 del Vaticano"], "relevance": "0.5", "region": "Europe", "subregion": "Southern Europe", "nativeLanguage": "ita", "languages": { "ita": "Italian", "lat": "Latin" }, "translations": { "deu": "Vatikanstadt", "fra": "Cit\u00e9 du Vatican", "hrv": "Vatikan", "ita": "Citt\u00e0 del Vaticano", "jpn": "\u30d0\u30c1\u30ab\u30f3\u5e02\u56fd", "nld": "Vaticaanstad", "rus": "\u0412\u0430\u0442\u0438\u043a\u0430\u043d", "spa": "Ciudad del Vaticano" }, "latlng": [41.9, 12.45], "demonym": "Italian", "borders": ["ITA"], "area": 0.44 }, { "name": { "common": "Honduras", "official": "Republic of Honduras", "native": { "common": "Honduras", "official": "Rep\u00fablica de Honduras" } }, "tld": [".hn"], "cca2": "HN", "ccn3": "340", "cca3": "HND", "currency": ["HNL"], "callingCode": ["504"], "capital": "Tegucigalpa", "altSpellings": ["HN", "Republic of Honduras", "Rep\u00fablica de Honduras"], "relevance": "0", "region": "Americas", "subregion": "Central America", "nativeLanguage": "spa", "languages": { "spa": "Spanish" }, "translations": { "deu": "Honduras", "fra": "Honduras", "hrv": "Honduras", "ita": "Honduras", "jpn": "\u30db\u30f3\u30b8\u30e5\u30e9\u30b9", "nld": "Honduras", "rus": "\u0413\u043e\u043d\u0434\u0443\u0440\u0430\u0441", "spa": "Honduras" }, "latlng": [15, -86.5], "demonym": "Honduran", "borders": ["GTM", "SLV", "NIC"], "area": 112492 }, { "name": { "common": "Hong Kong", "official": "Hong Kong Special Administrative Region of the People's Republic of China", "native": { "common": "\u9999\u6e2f", "official": "\u9999\u6e2f\u4e2d\u56fd\u7279\u522b\u884c\u653f\u533a\u7684\u4eba\u6c11\u5171\u548c\u56fd" } }, "tld": [".hk", ".\u9999\u6e2f"], "cca2": "HK", "ccn3": "344", "cca3": "HKG", "currency": ["HKD"], "callingCode": ["852"], "capital": "City of Victoria", "altSpellings": ["HK"], "relevance": "0", "region": "Asia", "subregion": "Eastern Asia", "nativeLanguage": "zho", "languages": { "eng": "English", "zho": "Chinese" }, "translations": { "deu": "Hongkong", "fra": "Hong Kong", "hrv": "Hong Kong", "ita": "Hong Kong", "jpn": "\u9999\u6e2f", "nld": "Hongkong", "rus": "\u0413\u043e\u043d\u043a\u043e\u043d\u0433", "spa": "Hong Kong" }, "latlng": [22.267, 114.188], "demonym": "Hong Konger", "borders": ["CHN"], "area": 1104 }, { "name": { "common": "Hungary", "official": "Hungary", "native": { "common": "Magyarorsz\u00e1g", "official": "Magyarorsz\u00e1g" } }, "tld": [".hu"], "cca2": "HU", "ccn3": "348", "cca3": "HUN", "currency": ["HUF"], "callingCode": ["36"], "capital": "Budapest", "altSpellings": ["HU"], "relevance": "0", "region": "Europe", "subregion": "Eastern Europe", "nativeLanguage": "hun", "languages": { "hun": "Hungarian" }, "translations": { "deu": "Ungarn", "fra": "Hongrie", "hrv": "Ma\u0111arska", "ita": "Ungheria", "jpn": "\u30cf\u30f3\u30ac\u30ea\u30fc", "nld": "Hongarije", "rus": "\u0412\u0435\u043d\u0433\u0440\u0438\u044f", "spa": "Hungr\u00eda" }, "latlng": [47, 20], "demonym": "Hungarian", "borders": ["AUT", "HRV", "ROU", "SRB", "SVK", "SVN", "UKR"], "area": 93028 }, { "name": { "common": "Iceland", "official": "Iceland", "native": { "common": "\u00cdsland", "official": "\u00cdsland" } }, "tld": [".is"], "cca2": "IS", "ccn3": "352", "cca3": "ISL", "currency": ["ISK"], "callingCode": ["354"], "capital": "Reykjavik", "altSpellings": ["IS", "Island", "Republic of Iceland", "L\u00fd\u00f0veldi\u00f0 \u00cdsland"], "relevance": "0", "region": "Europe", "subregion": "Northern Europe", "nativeLanguage": "isl", "languages": { "isl": "Icelandic" }, "translations": { "deu": "Island", "fra": "Islande", "hrv": "Island", "ita": "Islanda", "jpn": "\u30a2\u30a4\u30b9\u30e9\u30f3\u30c9", "nld": "IJsland", "rus": "\u0418\u0441\u043b\u0430\u043d\u0434\u0438\u044f", "spa": "Islandia" }, "latlng": [65, -18], "demonym": "Icelander", "borders": [], "area": 103000 }, { "name": { "common": "India", "official": "Republic of India", "native": { "common": "\u092d\u093e\u0930\u0924", "official": "\u092d\u093e\u0930\u0924 \u0917\u0923\u0930\u093e\u091c\u094d\u092f" } }, "tld": [".in"], "cca2": "IN", "ccn3": "356", "cca3": "IND", "currency": ["INR"], "callingCode": ["91"], "capital": "New Delhi", "altSpellings": ["IN", "Bh\u0101rat", "Republic of India", "Bharat Ganrajya"], "relevance": "3", "region": "Asia", "subregion": "Southern Asia", "nativeLanguage": "hin", "languages": { "eng": "English", "hin": "Hindi" }, "translations": { "deu": "Indien", "fra": "Inde", "hrv": "Indija", "ita": "India", "jpn": "\u30a4\u30f3\u30c9", "nld": "India", "rus": "\u0418\u043d\u0434\u0438\u044f", "spa": "India" }, "latlng": [20, 77], "demonym": "Indian", "borders": ["AFG", "BGD", "BTN", "MMR", "CHN", "NPL", "PAK", "LKA"], "area": 3287590 }, { "name": { "common": "Indonesia", "official": "Republic of Indonesia", "native": { "common": "Indonesia", "official": "Republik Indonesia" } }, "tld": [".id"], "cca2": "ID", "ccn3": "360", "cca3": "IDN", "currency": ["IDR"], "callingCode": ["62"], "capital": "Jakarta", "altSpellings": ["ID", "Republic of Indonesia", "Republik Indonesia"], "relevance": "2", "region": "Asia", "subregion": "South-Eastern Asia", "nativeLanguage": "ind", "languages": { "ind": "Indonesian" }, "translations": { "deu": "Indonesien", "fra": "Indon\u00e9sie", "hrv": "Indonezija", "ita": "Indonesia", "jpn": "\u30a4\u30f3\u30c9\u30cd\u30b7\u30a2", "nld": "Indonesi\u00eb", "rus": "\u0418\u043d\u0434\u043e\u043d\u0435\u0437\u0438\u044f", "spa": "Indonesia" }, "latlng": [-5, 120], "demonym": "Indonesian", "borders": ["TLS", "MYS", "PNG"], "area": 1904569 }, { "name": { "common": "Ivory Coast", "official": "Republic of C\u00f4te d'Ivoire", "native": { "common": "C\u00f4te d'Ivoire", "official": "R\u00e9publique de C\u00f4te d'Ivoire" } }, "tld": [".ci"], "cca2": "CI", "ccn3": "384", "cca3": "CIV", "currency": ["XOF"], "callingCode": ["225"], "capital": "Yamoussoukro", "altSpellings": ["CI", "Ivory Coast", "Republic of C\u00f4te d'Ivoire", "R\u00e9publique de C\u00f4te d'Ivoire"], "relevance": "0", "region": "Africa", "subregion": "Western Africa", "nativeLanguage": "fra", "languages": { "fra": "French" }, "translations": { "deu": "Elfenbeink\u00fcste", "fra": "C\u00f4te d'Ivoire", "hrv": "Obala Bjelokosti", "ita": "Costa D'Avorio", "jpn": "\u30b3\u30fc\u30c8\u30b8\u30dc\u30ef\u30fc\u30eb", "nld": "Ivoorkust", "rus": "\u041a\u043e\u0442-\u0434\u2019\u0418\u0432\u0443\u0430\u0440", "spa": "Costa de Marfil" }, "latlng": [8, -5], "demonym": "Ivorian", "borders": ["BFA", "GHA", "GIN", "LBR", "MLI"], "area": 322463 }, { "name": { "common": "Iran", "official": "Islamic Republic of Iran", "native": { "common": "\u0627\u06cc\u0631\u0627\u0646", "official": "\u062c\u0645\u0647\u0648\u0631\u06cc \u0627\u0633\u0644\u0627\u0645\u06cc \u0627\u06cc\u0631\u0627\u0646" } }, "tld": [".ir", "\u0627\u06cc\u0631\u0627\u0646."], "cca2": "IR", "ccn3": "364", "cca3": "IRN", "currency": ["IRR"], "callingCode": ["98"], "capital": "Tehran", "altSpellings": ["IR", "Islamic Republic of Iran", "Jomhuri-ye Esl\u0101mi-ye Ir\u0101n"], "relevance": "0", "region": "Asia", "subregion": "Southern Asia", "nativeLanguage": "fas", "languages": { "fas": "Persian" }, "translations": { "deu": "Iran", "fra": "Iran", "hrv": "Iran", "jpn": "\u30a4\u30e9\u30f3\u30fb\u30a4\u30b9\u30e9\u30e0\u5171\u548c\u56fd", "nld": "Iran", "rus": "\u0418\u0440\u0430\u043d", "spa": "Iran" }, "latlng": [32, 53], "demonym": "Iranian", "borders": ["AFG", "ARM", "AZE", "IRQ", "PAK", "TUR", "TKM"], "area": 1648195 }, { "name": { "common": "Iraq", "official": "Republic of Iraq", "native": { "common": "\u0627\u0644\u0639\u0631\u0627\u0642", "official": "\u062c\u0645\u0647\u0648\u0631\u064a\u0629 \u0627\u0644\u0639\u0631\u0627\u0642" } }, "tld": [".iq"], "cca2": "IQ", "ccn3": "368", "cca3": "IRQ", "currency": ["IQD"], "callingCode": ["964"], "capital": "Baghdad", "altSpellings": ["IQ", "Republic of Iraq", "Jumh\u016briyyat al-\u2018Ir\u0101q"], "relevance": "0", "region": "Asia", "subregion": "Western Asia", "nativeLanguage": "ara", "languages": { "ara": "Arabic", "arc": "Aramaic", "kur": "Kurdish" }, "translations": { "deu": "Irak", "fra": "Irak", "hrv": "Irak", "ita": "Iraq", "jpn": "\u30a4\u30e9\u30af", "nld": "Irak", "rus": "\u0418\u0440\u0430\u043a", "spa": "Irak" }, "latlng": [33, 44], "demonym": "Iraqi", "borders": ["IRN", "JOR", "KWT", "SAU", "SYR", "TUR"], "area": 438317 }, { "name": { "common": "Ireland", "official": "Republic of Ireland", "native": { "common": "\u00c9ire", "official": "Poblacht na h\u00c9ireann" } }, "tld": [".ie"], "cca2": "IE", "ccn3": "372", "cca3": "IRL", "currency": ["EUR"], "callingCode": ["353"], "capital": "Dublin", "altSpellings": ["IE", "\u00c9ire", "Republic of Ireland", "Poblacht na h\u00c9ireann"], "relevance": "1.2", "region": "Europe", "subregion": "Northern Europe", "nativeLanguage": "gle", "languages": { "eng": "English", "gle": "Irish" }, "translations": { "deu": "Irland", "fra": "Irlande", "hrv": "Irska", "ita": "Irlanda", "jpn": "\u30a2\u30a4\u30eb\u30e9\u30f3\u30c9", "nld": "Ierland", "rus": "\u0418\u0440\u043b\u0430\u043d\u0434\u0438\u044f", "spa": "Irlanda" }, "latlng": [53, -8], "demonym": "Irish", "borders": ["GBR"], "area": 70273 }, { "name": { "common": "Isle of Man", "official": "Isle of Man", "native": { "common": "Isle of Man", "official": "Isle of Man" } }, "tld": [".im"], "cca2": "IM", "ccn3": "833", "cca3": "IMN", "currency": ["GBP"], "callingCode": ["44"], "capital": "Douglas", "altSpellings": ["IM", "Ellan Vannin", "Mann", "Mannin"], "relevance": "0.5", "region": "Europe", "subregion": "Northern Europe", "nativeLanguage": "eng", "languages": { "eng": "English", "glv": "Manx" }, "translations": { "deu": "Insel Man", "fra": "\u00cele de Man", "hrv": "Otok Man", "ita": "Isola di Man", "jpn": "\u30de\u30f3\u5cf6", "nld": "Isle of Man", "rus": "\u041e\u0441\u0442\u0440\u043e\u0432 \u041c\u044d\u043d", "spa": "Isla de Man" }, "latlng": [54.25, -4.5], "demonym": "Manx", "borders": [], "area": 572 }, { "name": { "common": "Israel", "official": "State of Israel", "native": { "common": "\u05d9\u05e9\u05e8\u05d0\u05dc", "official": "\u05de\u05d3\u05d9\u05e0\u05ea \u05d9\u05e9\u05e8\u05d0\u05dc" } }, "tld": [".il"], "cca2": "IL", "ccn3": "376", "cca3": "ISR", "currency": ["ILS"], "callingCode": ["972"], "capital": "Jerusalem", "altSpellings": ["IL", "State of Israel", "Med\u012bnat Yisr\u0101'el"], "relevance": "0", "region": "Asia", "subregion": "Western Asia", "nativeLanguage": "heb", "languages": { "ara": "Arabic", "heb": "Hebrew" }, "translations": { "deu": "Israel", "fra": "Isra\u00ebl", "hrv": "Izrael", "ita": "Israele", "jpn": "\u30a4\u30b9\u30e9\u30a8\u30eb", "nld": "Isra\u00ebl", "rus": "\u0418\u0437\u0440\u0430\u0438\u043b\u044c", "spa": "Israel" }, "latlng": [31.47, 35.13], "demonym": "Israeli", "borders": ["EGY", "JOR", "LBN", "SYR"], "area": 20770 }, { "name": { "common": "Italy", "official": "Italian Republic", "native": { "common": "Italia", "official": "Repubblica italiana" } }, "tld": [".it"], "cca2": "IT", "ccn3": "380", "cca3": "ITA", "currency": ["EUR"], "callingCode": ["39"], "capital": "Rome", "altSpellings": ["IT", "Italian Republic", "Repubblica italiana"], "relevance": "2", "region": "Europe", "subregion": "Southern Europe", "nativeLanguage": "ita", "languages": { "ita": "Italian" }, "translations": { "deu": "Italien", "fra": "Italie", "hrv": "Italija", "ita": "Italia", "jpn": "\u30a4\u30bf\u30ea\u30a2", "nld": "Itali\u00eb", "rus": "\u0418\u0442\u0430\u043b\u0438\u044f", "spa": "Italia" }, "latlng": [42.83333333, 12.83333333], "demonym": "Italian", "borders": ["AUT", "FRA", "SMR", "SVN", "CHE", "VAT"], "area": 301336 }, { "name": { "common": "Jamaica", "official": "Jamaica", "native": { "common": "Jamaica", "official": "Jamaica" } }, "tld": [".jm"], "cca2": "JM", "ccn3": "388", "cca3": "JAM", "currency": ["JMD"], "callingCode": ["1876"], "capital": "Kingston", "altSpellings": ["JM"], "relevance": "0", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "eng", "languages": { "eng": "English", "jam": "Jamaican Patois" }, "translations": { "deu": "Jamaika", "fra": "Jama\u00efque", "hrv": "Jamajka", "ita": "Giamaica", "jpn": "\u30b8\u30e3\u30de\u30a4\u30ab", "nld": "Jamaica", "rus": "\u042f\u043c\u0430\u0439\u043a\u0430", "spa": "Jamaica" }, "latlng": [18.25, -77.5], "demonym": "Jamaican", "borders": [], "area": 10991 }, { "name": { "common": "Japan", "official": "Japan", "native": { "common": "\u65e5\u672c", "official": "\u65e5\u672c" } }, "tld": [".jp", ".\u307f\u3093\u306a"], "cca2": "JP", "ccn3": "392", "cca3": "JPN", "currency": ["JPY"], "callingCode": ["81"], "capital": "Tokyo", "altSpellings": ["JP", "Nippon", "Nihon"], "relevance": "2.5", "region": "Asia", "subregion": "Eastern Asia", "nativeLanguage": "jpn", "languages": { "jpn": "Japanese" }, "translations": { "deu": "Japan", "fra": "Japon", "hrv": "Japan", "ita": "Giappone", "jpn": "\u65e5\u672c", "nld": "Japan", "rus": "\u042f\u043f\u043e\u043d\u0438\u044f", "spa": "Jap\u00f3n" }, "latlng": [36, 138], "demonym": "Japanese", "borders": [], "area": 377930 }, { "name": { "common": "Jersey", "official": "Bailiwick of Jersey", "native": { "common": "Jersey", "official": "Bailiwick of Jersey" } }, "tld": [".je"], "cca2": "JE", "ccn3": "832", "cca3": "JEY", "currency": ["GBP"], "callingCode": ["44"], "capital": "Saint Helier", "altSpellings": ["JE", "Bailiwick of Jersey", "Bailliage de Jersey", "Bailliage d\u00e9 J\u00e8rri"], "relevance": "0.5", "region": "Europe", "subregion": "Northern Europe", "nativeLanguage": "eng", "languages": { "eng": "English", "fra": "French" }, "translations": { "deu": "Jersey", "fra": "Jersey", "hrv": "Jersey", "ita": "Isola di Jersey", "jpn": "\u30b8\u30e3\u30fc\u30b8\u30fc", "nld": "Jersey", "rus": "\u0414\u0436\u0435\u0440\u0441\u0438", "spa": "Jersey" }, "latlng": [49.25, -2.16666666], "demonym": "Channel Islander", "borders": [], "area": 116 }, { "name": { "common": "Jordan", "official": "Hashemite Kingdom of Jordan", "native": { "common": "\u0627\u0644\u0623\u0631\u062f\u0646", "official": "\u0627\u0644\u0645\u0645\u0644\u0643\u0629 \u0627\u0644\u0623\u0631\u062f\u0646\u064a\u0629 \u0627\u0644\u0647\u0627\u0634\u0645\u064a\u0629" } }, "tld": [".jo", "\u0627\u0644\u0627\u0631\u062f\u0646."], "cca2": "JO", "ccn3": "400", "cca3": "JOR", "currency": ["JOD"], "callingCode": ["962"], "capital": "Amman", "altSpellings": ["JO", "Hashemite Kingdom of Jordan", "al-Mamlakah al-Urdun\u012byah al-H\u0101shim\u012byah"], "relevance": "0", "region": "Asia", "subregion": "Western Asia", "nativeLanguage": "ara", "languages": { "ara": "Arabic" }, "translations": { "deu": "Jordanien", "fra": "Jordanie", "hrv": "Jordan", "ita": "Giordania", "jpn": "\u30e8\u30eb\u30c0\u30f3", "nld": "Jordani\u00eb", "rus": "\u0418\u043e\u0440\u0434\u0430\u043d\u0438\u044f", "spa": "Jordania" }, "latlng": [31, 36], "demonym": "Jordanian", "borders": ["IRQ", "ISR", "SAU", "SYR"], "area": 89342 }, { "name": { "common": "Kazakhstan", "official": "Republic of Kazakhstan", "native": { "common": "\u049a\u0430\u0437\u0430\u049b\u0441\u0442\u0430\u043d", "official": "\u049a\u0430\u0437\u0430\u049b\u0441\u0442\u0430\u043d \u0420\u0435\u0441\u043f\u0443\u0431\u043b\u0438\u043a\u0430\u0441\u044b" } }, "tld": [".kz", ".\u049b\u0430\u0437"], "cca2": "KZ", "ccn3": "398", "cca3": "KAZ", "currency": ["KZT"], "callingCode": ["76", "77"], "capital": "Astana", "altSpellings": ["KZ", "Qazaqstan", "\u041a\u0430\u0437\u0430\u0445\u0441\u0442\u0430\u043d", "Republic of Kazakhstan", "\u049a\u0430\u0437\u0430\u049b\u0441\u0442\u0430\u043d \u0420\u0435\u0441\u043f\u0443\u0431\u043b\u0438\u043a\u0430\u0441\u044b", "Qazaqstan Respubl\u00efkas\u0131", "\u0420\u0435\u0441\u043f\u0443\u0431\u043b\u0438\u043a\u0430 \u041a\u0430\u0437\u0430\u0445\u0441\u0442\u0430\u043d", "Respublika Kazakhstan"], "relevance": "0", "region": "Asia", "subregion": "Central Asia", "nativeLanguage": "kaz", "languages": { "kaz": "Kazakh", "rus": "Russian" }, "translations": { "deu": "Kasachstan", "fra": "Kazakhstan", "hrv": "Kazahstan", "ita": "Kazakistan", "jpn": "\u30ab\u30b6\u30d5\u30b9\u30bf\u30f3", "nld": "Kazachstan", "rus": "\u041a\u0430\u0437\u0430\u0445\u0441\u0442\u0430\u043d", "spa": "Kazajist\u00e1n" }, "latlng": [48, 68], "demonym": "Kazakhstani", "borders": ["CHN", "KGZ", "RUS", "TKM", "UZB"], "area": 2724900 }, { "name": { "common": "Kenya", "official": "Republic of Kenya", "native": { "common": "Kenya", "official": "Republic of Kenya" } }, "tld": [".ke"], "cca2": "KE", "ccn3": "404", "cca3": "KEN", "currency": ["KES"], "callingCode": ["254"], "capital": "Nairobi", "altSpellings": ["KE", "Republic of Kenya", "Jamhuri ya Kenya"], "relevance": "0", "region": "Africa", "subregion": "Eastern Africa", "nativeLanguage": "swa", "languages": { "eng": "English", "swa": "Swahili" }, "translations": { "deu": "Kenia", "fra": "Kenya", "hrv": "Kenija", "ita": "Kenya", "jpn": "\u30b1\u30cb\u30a2", "nld": "Kenia", "rus": "\u041a\u0435\u043d\u0438\u044f", "spa": "Kenia" }, "latlng": [1, 38], "demonym": "Kenyan", "borders": ["ETH", "SOM", "SSD", "TZA", "UGA"], "area": 580367 }, { "name": { "common": "Kiribati", "official": "Independent and Sovereign Republic of Kiribati", "native": { "common": "Kiribati", "official": "Independent and Sovereign Republic of Kiribati" } }, "tld": [".ki"], "cca2": "KI", "ccn3": "296", "cca3": "KIR", "currency": ["AUD"], "callingCode": ["686"], "capital": "South Tarawa", "altSpellings": ["KI", "Republic of Kiribati", "Ribaberiki Kiribati"], "relevance": "0", "region": "Oceania", "subregion": "Micronesia", "nativeLanguage": "eng", "languages": { "eng": "English", "gil": "Gilbertese" }, "translations": { "deu": "Kiribati", "fra": "Kiribati", "hrv": "Kiribati", "ita": "Kiribati", "jpn": "\u30ad\u30ea\u30d0\u30b9", "nld": "Kiribati", "rus": "\u041a\u0438\u0440\u0438\u0431\u0430\u0442\u0438", "spa": "Kiribati" }, "latlng": [1.41666666, 173], "demonym": "I-Kiribati", "borders": [], "area": 811 }, { "name": { "common": "Kuwait", "official": "State of Kuwait", "native": { "common": "\u0627\u0644\u0643\u0648\u064a\u062a", "official": "\u062f\u0648\u0644\u0629 \u0627\u0644\u0643\u0648\u064a\u062a" } }, "tld": [".kw"], "cca2": "KW", "ccn3": "414", "cca3": "KWT", "currency": ["KWD"], "callingCode": ["965"], "capital": "Kuwait City", "altSpellings": ["KW", "State of Kuwait", "Dawlat al-Kuwait"], "relevance": "0", "region": "Asia", "subregion": "Western Asia", "nativeLanguage": "ara", "languages": { "ara": "Arabic" }, "translations": { "deu": "Kuwait", "fra": "Kowe\u00eft", "hrv": "Kuvajt", "ita": "Kuwait", "jpn": "\u30af\u30a6\u30a7\u30fc\u30c8", "nld": "Koeweit", "rus": "\u041a\u0443\u0432\u0435\u0439\u0442", "spa": "Kuwait" }, "latlng": [29.5, 45.75], "demonym": "Kuwaiti", "borders": ["IRN", "SAU"], "area": 17818 }, { "name": { "common": "Kyrgyzstan", "official": "Kyrgyz Republic", "native": { "common": "\u041a\u044b\u0440\u0433\u044b\u0437\u0441\u0442\u0430\u043d", "official": "\u041a\u044b\u0440\u0433\u044b\u0437 \u0420\u0435\u0441\u043f\u0443\u0431\u043b\u0438\u043a\u0430\u0441\u044b" } }, "tld": [".kg"], "cca2": "KG", "ccn3": "417", "cca3": "KGZ", "currency": ["KGS"], "callingCode": ["996"], "capital": "Bishkek", "altSpellings": ["KG", "\u041a\u0438\u0440\u0433\u0438\u0437\u0438\u044f", "Kyrgyz Republic", "\u041a\u044b\u0440\u0433\u044b\u0437 \u0420\u0435\u0441\u043f\u0443\u0431\u043b\u0438\u043a\u0430\u0441\u044b", "Kyrgyz Respublikasy"], "relevance": "0", "region": "Asia", "subregion": "Central Asia", "nativeLanguage": "kir", "languages": { "kir": "Kyrgyz", "rus": "Russian" }, "translations": { "deu": "Kirgisistan", "fra": "Kirghizistan", "hrv": "Kirgistan", "ita": "Kirghizistan", "jpn": "\u30ad\u30eb\u30ae\u30b9", "nld": "Kirgizi\u00eb", "rus": "\u041a\u0438\u0440\u0433\u0438\u0437\u0438\u044f", "spa": "Kirguizist\u00e1n" }, "latlng": [41, 75], "demonym": "Kirghiz", "borders": ["CHN", "KAZ", "TJK", "UZB"], "area": 199951 }, { "name": { "common": "Laos", "official": "Lao People's Democratic Republic", "native": { "common": "\u0eaa\u0e9b\u0e9b\u0ea5\u0eb2\u0ea7", "official": "\u0eaa\u0eb2\u0e97\u0eb2\u0ea5\u0eb0\u0e99\u0eb0 \u0e8a\u0eb2\u0e97\u0eb4\u0e9b\u0eb0\u0ec4\u0e95 \u0e84\u0ebb\u0e99\u0ea5\u0eb2\u0ea7 \u0e82\u0ead\u0e87" } }, "tld": [".la"], "cca2": "LA", "ccn3": "418", "cca3": "LAO", "currency": ["LAK"], "callingCode": ["856"], "capital": "Vientiane", "altSpellings": ["LA", "Lao", "Lao People's Democratic Republic", "Sathalanalat Paxathipatai Paxaxon Lao"], "relevance": "0", "region": "Asia", "subregion": "South-Eastern Asia", "nativeLanguage": "lao", "languages": { "lao": "Lao" }, "translations": { "deu": "Laos", "fra": "Laos", "hrv": "Laos", "ita": "Laos", "jpn": "\u30e9\u30aa\u30b9\u4eba\u6c11\u6c11\u4e3b\u5171\u548c\u56fd", "nld": "Laos", "rus": "\u041b\u0430\u043e\u0441", "spa": "Laos" }, "latlng": [18, 105], "demonym": "Laotian", "borders": ["MMR", "KHM", "CHN", "THA", "VNM"], "area": 236800 }, { "name": { "common": "Latvia", "official": "Republic of Latvia", "native": { "common": "Latvija", "official": "Latvijas Republikas" } }, "tld": [".lv"], "cca2": "LV", "ccn3": "428", "cca3": "LVA", "currency": ["EUR"], "callingCode": ["371"], "capital": "Riga", "altSpellings": ["LV", "Republic of Latvia", "Latvijas Republika"], "relevance": "0", "region": "Europe", "subregion": "Northern Europe", "nativeLanguage": "lav", "languages": { "lav": "Latvian" }, "translations": { "deu": "Lettland", "fra": "Lettonie", "hrv": "Latvija", "ita": "Lettonia", "jpn": "\u30e9\u30c8\u30d3\u30a2", "nld": "Letland", "rus": "\u041b\u0430\u0442\u0432\u0438\u044f", "spa": "Letonia" }, "latlng": [57, 25], "demonym": "Latvian", "borders": ["BLR", "EST", "LTU", "RUS"], "area": 64559 }, { "name": { "common": "Lebanon", "official": "Lebanese Republic", "native": { "common": "\u0644\u0628\u0646\u0627\u0646", "official": "\u0627\u0644\u062c\u0645\u0647\u0648\u0631\u064a\u0629 \u0627\u0644\u0644\u0628\u0646\u0627\u0646\u064a\u0629" } }, "tld": [".lb"], "cca2": "LB", "ccn3": "422", "cca3": "LBN", "currency": ["LBP"], "callingCode": ["961"], "capital": "Beirut", "altSpellings": ["LB", "Lebanese Republic", "Al-Jumh\u016br\u012byah Al-Libn\u0101n\u012byah"], "relevance": "0", "region": "Asia", "subregion": "Western Asia", "nativeLanguage": "ara", "languages": { "ara": "Arabic", "fra": "French" }, "translations": { "deu": "Libanon", "fra": "Liban", "hrv": "Libanon", "ita": "Libano", "jpn": "\u30ec\u30d0\u30ce\u30f3", "nld": "Libanon", "rus": "\u041b\u0438\u0432\u0430\u043d", "spa": "L\u00edbano" }, "latlng": [33.83333333, 35.83333333], "demonym": "Lebanese", "borders": ["ISR", "SYR"], "area": 10452 }, { "name": { "common": "Lesotho", "official": "Kingdom of Lesotho", "native": { "common": "Lesotho", "official": "Kingdom of Lesotho" } }, "tld": [".ls"], "cca2": "LS", "ccn3": "426", "cca3": "LSO", "currency": ["LSL", "ZAR"], "callingCode": ["266"], "capital": "Maseru", "altSpellings": ["LS", "Kingdom of Lesotho", "Muso oa Lesotho"], "relevance": "0", "region": "Africa", "subregion": "Southern Africa", "nativeLanguage": "sot", "languages": { "eng": "English", "sot": "Sotho" }, "translations": { "deu": "Lesotho", "fra": "Lesotho", "hrv": "Lesoto", "ita": "Lesotho", "jpn": "\u30ec\u30bd\u30c8", "nld": "Lesotho", "rus": "\u041b\u0435\u0441\u043e\u0442\u043e", "spa": "Lesotho" }, "latlng": [-29.5, 28.5], "demonym": "Mosotho", "borders": ["ZAF"], "area": 30355 }, { "name": { "common": "Liberia", "official": "Republic of Liberia", "native": { "common": "Liberia", "official": "Republic of Liberia" } }, "tld": [".lr"], "cca2": "LR", "ccn3": "430", "cca3": "LBR", "currency": ["LRD"], "callingCode": ["231"], "capital": "Monrovia", "altSpellings": ["LR", "Republic of Liberia"], "relevance": "0", "region": "Africa", "subregion": "Western Africa", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "Liberia", "fra": "Liberia", "hrv": "Liberija", "ita": "Liberia", "jpn": "\u30ea\u30d9\u30ea\u30a2", "nld": "Liberia", "rus": "\u041b\u0438\u0431\u0435\u0440\u0438\u044f", "spa": "Liberia" }, "latlng": [6.5, -9.5], "demonym": "Liberian", "borders": ["GIN", "CIV", "SLE"], "area": 111369 }, { "name": { "common": "Libya", "official": "State of Libya", "native": { "common": "\u200f\u0644\u064a\u0628\u064a\u0627", "official": "\u0627\u0644\u062f\u0648\u0644\u0629 \u0644\u064a\u0628\u064a\u0627" } }, "tld": [".ly"], "cca2": "LY", "ccn3": "434", "cca3": "LBY", "currency": ["LYD"], "callingCode": ["218"], "capital": "Tripoli", "altSpellings": ["LY", "State of Libya", "Dawlat Libya"], "relevance": "0", "region": "Africa", "subregion": "Northern Africa", "nativeLanguage": "ara", "languages": { "ara": "Arabic" }, "translations": { "deu": "Libyen", "fra": "Libye", "hrv": "Libija", "ita": "Libia", "jpn": "\u30ea\u30d3\u30a2", "nld": "Libi\u00eb", "rus": "\u041b\u0438\u0432\u0438\u044f", "spa": "Libia" }, "latlng": [25, 17], "demonym": "Libyan", "borders": ["DZA", "TCD", "EGY", "NER", "SDN", "TUN"], "area": 1759540 }, { "name": { "common": "Liechtenstein", "official": "Principality of Liechtenstein", "native": { "common": "Liechtenstein", "official": "F\u00fcrstentum Liechtenstein" } }, "tld": [".li"], "cca2": "LI", "ccn3": "438", "cca3": "LIE", "currency": ["CHF"], "callingCode": ["423"], "capital": "Vaduz", "altSpellings": ["LI", "Principality of Liechtenstein", "F\u00fcrstentum Liechtenstein"], "relevance": "0", "region": "Europe", "subregion": "Western Europe", "nativeLanguage": "deu", "languages": { "deu": "German" }, "translations": { "deu": "Liechtenstein", "fra": "Liechtenstein", "hrv": "Lihten\u0161tajn", "ita": "Liechtenstein", "jpn": "\u30ea\u30d2\u30c6\u30f3\u30b7\u30e5\u30bf\u30a4\u30f3", "nld": "Liechtenstein", "rus": "\u041b\u0438\u0445\u0442\u0435\u043d\u0448\u0442\u0435\u0439\u043d", "spa": "Liechtenstein" }, "latlng": [47.26666666, 9.53333333], "demonym": "Liechtensteiner", "borders": ["AUT", "CHE"], "area": 160 }, { "name": { "common": "Lithuania", "official": "Republic of Lithuania", "native": { "common": "Lietuva", "official": "Lietuvos Respublikos" } }, "tld": [".lt"], "cca2": "LT", "ccn3": "440", "cca3": "LTU", "currency": ["LTL"], "callingCode": ["370"], "capital": "Vilnius", "altSpellings": ["LT", "Republic of Lithuania", "Lietuvos Respublika"], "relevance": "0", "region": "Europe", "subregion": "Northern Europe", "nativeLanguage": "lit", "languages": { "lit": "Lithuanian" }, "translations": { "deu": "Litauen", "fra": "Lituanie", "hrv": "Litva", "ita": "Lituania", "jpn": "\u30ea\u30c8\u30a2\u30cb\u30a2", "nld": "Litouwen", "rus": "\u041b\u0438\u0442\u0432\u0430", "spa": "Lituania" }, "latlng": [56, 24], "demonym": "Lithuanian", "borders": ["BLR", "LVA", "POL", "RUS"], "area": 65300 }, { "name": { "common": "Luxembourg", "official": "Grand Duchy of Luxembourg", "native": { "common": "Luxembourg", "official": "Grand-Duch\u00e9 de Luxembourg" } }, "tld": [".lu"], "cca2": "LU", "ccn3": "442", "cca3": "LUX", "currency": ["EUR"], "callingCode": ["352"], "capital": "Luxembourg", "altSpellings": ["LU", "Grand Duchy of Luxembourg", "Grand-Duch\u00e9 de Luxembourg", "Gro\u00dfherzogtum Luxemburg", "Groussherzogtum L\u00ebtzebuerg"], "relevance": "0", "region": "Europe", "subregion": "Western Europe", "nativeLanguage": "fra", "languages": { "deu": "German", "fra": "French", "ltz": "Luxembourgish" }, "translations": { "deu": "Luxemburg", "fra": "Luxembourg", "hrv": "Luksemburg", "ita": "Lussemburgo", "jpn": "\u30eb\u30af\u30bb\u30f3\u30d6\u30eb\u30af", "nld": "Luxemburg", "rus": "\u041b\u044e\u043a\u0441\u0435\u043c\u0431\u0443\u0440\u0433", "spa": "Luxemburgo" }, "latlng": [49.75, 6.16666666], "demonym": "Luxembourger", "borders": ["BEL", "FRA", "DEU"], "area": 2586 }, { "name": { "common": "Macau", "official": "Macao Special Administrative Region of the People's Republic of China", "native": { "common": "\u6fb3\u9580", "official": "\u6fb3\u95e8\u7279\u522b\u884c\u653f\u533a\u4e2d\u56fd\u4eba\u6c11\u5171\u548c\u56fd" } }, "tld": [".mo"], "cca2": "MO", "ccn3": "446", "cca3": "MAC", "currency": ["MOP"], "callingCode": ["853"], "capital": "", "altSpellings": ["MO", "\u6fb3\u95e8", "Macao Special Administrative Region of the People's Republic of China", "\u4e2d\u83ef\u4eba\u6c11\u5171\u548c\u570b\u6fb3\u9580\u7279\u5225\u884c\u653f\u5340", "Regi\u00e3o Administrativa Especial de Macau da Rep\u00fablica Popular da China"], "relevance": "0", "region": "Asia", "subregion": "Eastern Asia", "nativeLanguage": "zho", "languages": { "por": "Portuguese", "zho": "Chinese" }, "translations": { "deu": "Macao", "fra": "Macao", "hrv": "Makao", "ita": "Macao", "jpn": "\u30de\u30ab\u30aa", "nld": "Macao", "rus": "\u041c\u0430\u043a\u0430\u043e", "spa": "Macao" }, "latlng": [22.16666666, 113.55], "demonym": "Chinese", "borders": ["CHN"], "area": 30 }, { "name": { "common": "Macedonia", "official": "Republic of Macedonia", "native": { "common": "\u041c\u0430\u043a\u0435\u0434\u043e\u043d\u0438\u0458\u0430", "official": "\u0420\u0435\u043f\u0443\u0431\u043b\u0438\u043a\u0430 \u041c\u0430\u043a\u0435\u0434\u043e\u043d\u0438\u0458\u0430" } }, "tld": [".mk"], "cca2": "MK", "ccn3": "807", "cca3": "MKD", "currency": ["MKD"], "callingCode": ["389"], "capital": "Skopje", "altSpellings": ["MK", "Republic of Macedonia", "\u0420\u0435\u043f\u0443\u0431\u043b\u0438\u043a\u0430 \u041c\u0430\u043a\u0435\u0434\u043e\u043d\u0438\u0458\u0430"], "relevance": "0", "region": "Europe", "subregion": "Southern Europe", "nativeLanguage": "mkd", "languages": { "mkd": "Macedonian" }, "translations": { "deu": "Mazedonien", "fra": "Mac\u00e9doine", "hrv": "Makedonija", "ita": "Macedonia", "jpn": "\u30de\u30b1\u30c9\u30cb\u30a2\u65e7\u30e6\u30fc\u30b4\u30b9\u30e9\u30d3\u30a2\u5171\u548c\u56fd", "nld": "Macedoni\u00eb", "rus": "\u0420\u0435\u0441\u043f\u0443\u0431\u043b\u0438\u043a\u0430 \u041c\u0430\u043a\u0435\u0434\u043e\u043d\u0438\u044f", "spa": "Macedonia" }, "latlng": [41.83333333, 22], "demonym": "Macedonian", "borders": ["ALB", "BGR", "GRC", "KOS", "SRB"], "area": 25713 }, { "name": { "common": "Madagascar", "official": "Republic of Madagascar", "native": { "common": "Madagasikara", "official": "R\u00e9publique de Madagascar" } }, "tld": [".mg"], "cca2": "MG", "ccn3": "450", "cca3": "MDG", "currency": ["MGA"], "callingCode": ["261"], "capital": "Antananarivo", "altSpellings": ["MG", "Republic of Madagascar", "Repoblikan'i Madagasikara", "R\u00e9publique de Madagascar"], "relevance": "0", "region": "Africa", "subregion": "Eastern Africa", "nativeLanguage": "fra", "languages": { "fra": "French", "mlg": "Malagasy" }, "translations": { "deu": "Madagaskar", "fra": "Madagascar", "hrv": "Madagaskar", "ita": "Madagascar", "jpn": "\u30de\u30c0\u30ac\u30b9\u30ab\u30eb", "nld": "Madagaskar", "rus": "\u041c\u0430\u0434\u0430\u0433\u0430\u0441\u043a\u0430\u0440", "spa": "Madagascar" }, "latlng": [-20, 47], "demonym": "Malagasy", "borders": [], "area": 587041 }, { "name": { "common": "Malawi", "official": "Republic of Malawi", "native": { "common": "Mala\u0175i", "official": "Chalo cha Malawi, Dziko la Mala\u0175i" } }, "tld": [".mw"], "cca2": "MW", "ccn3": "454", "cca3": "MWI", "currency": ["MWK"], "callingCode": ["265"], "capital": "Lilongwe", "altSpellings": ["MW", "Republic of Malawi"], "relevance": "0", "region": "Africa", "subregion": "Eastern Africa", "nativeLanguage": "nya", "languages": { "eng": "English", "nya": "Chewa" }, "translations": { "deu": "Malawi", "fra": "Malawi", "hrv": "Malavi", "ita": "Malawi", "jpn": "\u30de\u30e9\u30a6\u30a4", "nld": "Malawi", "rus": "\u041c\u0430\u043b\u0430\u0432\u0438", "spa": "Malawi" }, "latlng": [-13.5, 34], "demonym": "Malawian", "borders": ["MOZ", "TZA", "ZMB"], "area": 118484 }, { "name": { "common": "Malaysia", "official": "Malaysia", "native": { "common": "\u0645\u0644\u064a\u0633\u064a\u0627", "official": "\u0645\u0644\u064a\u0633\u064a\u0627" } }, "tld": [".my"], "cca2": "MY", "ccn3": "458", "cca3": "MYS", "currency": ["MYR"], "callingCode": ["60"], "capital": "Kuala Lumpur", "altSpellings": ["MY"], "relevance": "0", "region": "Asia", "subregion": "South-Eastern Asia", "nativeLanguage": "msa", "languages": { "eng": "English", "msa": "Malay" }, "translations": { "deu": "Malaysia", "fra": "Malaisie", "hrv": "Malezija", "ita": "Malesia", "jpn": "\u30de\u30ec\u30fc\u30b7\u30a2", "nld": "Maleisi\u00eb", "rus": "\u041c\u0430\u043b\u0430\u0439\u0437\u0438\u044f", "spa": "Malasia" }, "latlng": [2.5, 112.5], "demonym": "Malaysian", "borders": ["BRN", "IDN", "THA"], "area": 330803 }, { "name": { "common": "Maldives", "official": "Republic of the Maldives", "native": { "common": "\u078b\u07a8\u0788\u07ac\u0780\u07a8\u0783\u07a7\u0787\u07b0\u0796\u07ad\u078e\u07ac", "official": "\u078b\u07a8\u0788\u07ac\u0780\u07a8\u0783\u07a7\u0787\u07b0\u0796\u07ad\u078e\u07ac \u0796\u07aa\u0789\u07b0\u0780\u07ab\u0783\u07a8\u0787\u07b0\u0794\u07a7" } }, "tld": [".mv"], "cca2": "MV", "ccn3": "462", "cca3": "MDV", "currency": ["MVR"], "callingCode": ["960"], "capital": "Mal\u00e9", "altSpellings": ["MV", "Maldive Islands", "Republic of the Maldives", "Dhivehi Raajjeyge Jumhooriyya"], "relevance": "0", "region": "Asia", "subregion": "Southern Asia", "nativeLanguage": "div", "languages": { "div": "Maldivian" }, "translations": { "deu": "Malediven", "fra": "Maldives", "hrv": "Maldivi", "ita": "Maldive", "jpn": "\u30e2\u30eb\u30c7\u30a3\u30d6", "nld": "Maldiven", "rus": "\u041c\u0430\u043b\u044c\u0434\u0438\u0432\u044b", "spa": "Maldivas" }, "latlng": [3.25, 73], "demonym": "Maldivan", "borders": [], "area": 300 }, { "name": { "common": "Mali", "official": "Republic of Mali", "native": { "common": "Mali", "official": "R\u00e9publique du Mali" } }, "tld": [".ml"], "cca2": "ML", "ccn3": "466", "cca3": "MLI", "currency": ["XOF"], "callingCode": ["223"], "capital": "Bamako", "altSpellings": ["ML", "Republic of Mali", "R\u00e9publique du Mali"], "relevance": "0", "region": "Africa", "subregion": "Western Africa", "nativeLanguage": "fra", "languages": { "fra": "French" }, "translations": { "deu": "Mali", "fra": "Mali", "hrv": "Mali", "ita": "Mali", "jpn": "\u30de\u30ea", "nld": "Mali", "rus": "\u041c\u0430\u043b\u0438", "spa": "Mali" }, "latlng": [17, -4], "demonym": "Malian", "borders": ["DZA", "BFA", "GIN", "CIV", "MRT", "NER", "SEN"], "area": 1240192 }, { "name": { "common": "Malta", "official": "Republic of Malta", "native": { "common": "Malta", "official": "Repubblika ta ' Malta" } }, "tld": [".mt"], "cca2": "MT", "ccn3": "470", "cca3": "MLT", "currency": ["EUR"], "callingCode": ["356"], "capital": "Valletta", "altSpellings": ["MT", "Republic of Malta", "Repubblika ta' Malta"], "relevance": "0", "region": "Europe", "subregion": "Southern Europe", "nativeLanguage": "mlt", "languages": { "eng": "English", "mlt": "Maltese" }, "translations": { "deu": "Malta", "fra": "Malte", "hrv": "Malta", "ita": "Malta", "jpn": "\u30de\u30eb\u30bf", "nld": "Malta", "rus": "\u041c\u0430\u043b\u044c\u0442\u0430", "spa": "Malta" }, "latlng": [35.83333333, 14.58333333], "demonym": "Maltese", "borders": [], "area": 316 }, { "name": { "common": "Marshall Islands", "official": "Republic of the Marshall Islands", "native": { "common": "M\u0327aje\u013c", "official": "Republic of the Marshall Islands" } }, "tld": [".mh"], "cca2": "MH", "ccn3": "584", "cca3": "MHL", "currency": ["USD"], "callingCode": ["692"], "capital": "Majuro", "altSpellings": ["MH", "Republic of the Marshall Islands", "Aolep\u0101n Aor\u014dkin M\u0327aje\u013c"], "relevance": "0.5", "region": "Oceania", "subregion": "Micronesia", "nativeLanguage": "mah", "languages": { "eng": "English", "mah": "Marshallese" }, "translations": { "deu": "Marshallinseln", "fra": "\u00celes Marshall", "hrv": "Mar\u0161alovi Otoci", "ita": "Isole Marshall", "jpn": "\u30de\u30fc\u30b7\u30e3\u30eb\u8af8\u5cf6", "nld": "Marshalleilanden", "rus": "\u041c\u0430\u0440\u0448\u0430\u043b\u043b\u043e\u0432\u044b \u041e\u0441\u0442\u0440\u043e\u0432\u0430", "spa": "Islas Marshall" }, "latlng": [9, 168], "demonym": "Marshallese", "borders": [], "area": 181 }, { "name": { "common": "Martinique", "official": "Martinique", "native": { "common": "Martinique", "official": "Martinique" } }, "tld": [".mq"], "cca2": "MQ", "ccn3": "474", "cca3": "MTQ", "currency": ["EUR"], "callingCode": ["596"], "capital": "Fort-de-France", "altSpellings": ["MQ"], "relevance": "0", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "fra", "languages": { "fra": "French" }, "translations": { "deu": "Martinique", "fra": "Martinique", "hrv": "Martinique", "ita": "Martinica", "jpn": "\u30de\u30eb\u30c6\u30a3\u30cb\u30fc\u30af", "nld": "Martinique", "rus": "\u041c\u0430\u0440\u0442\u0438\u043d\u0438\u043a\u0430", "spa": "Martinica" }, "latlng": [14.666667, -61], "demonym": "French", "borders": [], "area": 1128 }, { "name": { "common": "Mauritania", "official": "Islamic Republic of Mauritania", "native": { "common": "\u0645\u0648\u0631\u064a\u062a\u0627\u0646\u064a\u0627", "official": "\u0627\u0644\u062c\u0645\u0647\u0648\u0631\u064a\u0629 \u0627\u0644\u0625\u0633\u0644\u0627\u0645\u064a\u0629 \u0627\u0644\u0645\u0648\u0631\u064a\u062a\u0627\u0646\u064a\u0629" } }, "tld": [".mr"], "cca2": "MR", "ccn3": "478", "cca3": "MRT", "currency": ["MRO"], "callingCode": ["222"], "capital": "Nouakchott", "altSpellings": ["MR", "Islamic Republic of Mauritania", "al-Jumh\u016briyyah al-\u02beIsl\u0101miyyah al-M\u016br\u012bt\u0101niyyah"], "relevance": "0", "region": "Africa", "subregion": "Western Africa", "nativeLanguage": "ara", "languages": { "ara": "Arabic" }, "translations": { "deu": "Mauretanien", "fra": "Mauritanie", "hrv": "Mauritanija", "ita": "Mauritania", "jpn": "\u30e2\u30fc\u30ea\u30bf\u30cb\u30a2", "nld": "Mauritani\u00eb", "rus": "\u041c\u0430\u0432\u0440\u0438\u0442\u0430\u043d\u0438\u044f", "spa": "Mauritania" }, "latlng": [20, -12], "demonym": "Mauritanian", "borders": ["DZA", "MLI", "SEN", "ESH"], "area": 1030700 }, { "name": { "common": "Mauritius", "official": "Republic of Mauritius", "native": { "common": "Maurice", "official": "Republic of Mauritius" } }, "tld": [".mu"], "cca2": "MU", "ccn3": "480", "cca3": "MUS", "currency": ["MUR"], "callingCode": ["230"], "capital": "Port Louis", "altSpellings": ["MU", "Republic of Mauritius", "R\u00e9publique de Maurice"], "relevance": "0", "region": "Africa", "subregion": "Eastern Africa", "nativeLanguage": "mfe", "languages": { "eng": "English", "fra": "French", "mfe": "Mauritian Creole" }, "translations": { "deu": "Mauritius", "fra": "\u00cele Maurice", "hrv": "Mauricijus", "ita": "Mauritius", "jpn": "\u30e2\u30fc\u30ea\u30b7\u30e3\u30b9", "nld": "Mauritius", "rus": "\u041c\u0430\u0432\u0440\u0438\u043a\u0438\u0439", "spa": "Mauricio" }, "latlng": [-20.28333333, 57.55], "demonym": "Mauritian", "borders": [], "area": 2040 }, { "name": { "common": "Mayotte", "official": "Department of Mayotte", "native": { "common": "Mayotte", "official": "D\u00e9partement de Mayotte" } }, "tld": [".yt"], "cca2": "YT", "ccn3": "175", "cca3": "MYT", "currency": ["EUR"], "callingCode": ["262"], "capital": "Mamoudzou", "altSpellings": ["YT", "Department of Mayotte", "D\u00e9partement de Mayotte"], "relevance": "0", "region": "Africa", "subregion": "Eastern Africa", "nativeLanguage": "fra", "languages": { "fra": "French" }, "translations": { "deu": "Mayotte", "fra": "Mayotte", "hrv": "Mayotte", "ita": "Mayotte", "jpn": "\u30de\u30e8\u30c3\u30c8", "nld": "Mayotte", "rus": "\u041c\u0430\u0439\u043e\u0442\u0442\u0430", "spa": "Mayotte" }, "latlng": [-12.83333333, 45.16666666], "demonym": "Mahoran", "borders": [], "area": 374 }, { "name": { "common": "Mexico", "official": "United Mexican States", "native": { "common": "M\u00e9xico", "official": "Estados Unidos Mexicanos" } }, "tld": [".mx"], "cca2": "MX", "ccn3": "484", "cca3": "MEX", "currency": ["MXN"], "callingCode": ["52"], "capital": "Mexico City", "altSpellings": ["MX", "Mexicanos", "United Mexican States", "Estados Unidos Mexicanos"], "relevance": "1.5", "region": "Americas", "subregion": "Central America", "nativeLanguage": "spa", "languages": { "spa": "Spanish" }, "translations": { "deu": "Mexiko", "fra": "Mexique", "hrv": "Meksiko", "ita": "Messico", "jpn": "\u30e1\u30ad\u30b7\u30b3", "nld": "Mexico", "rus": "\u041c\u0435\u043a\u0441\u0438\u043a\u0430", "spa": "M\u00e9xico" }, "latlng": [23, -102], "demonym": "Mexican", "borders": ["BLZ", "GTM", "USA"], "area": 1964375 }, { "name": { "common": "Micronesia", "official": "Federated States of Micronesia", "native": { "common": "Micronesia", "official": "Federated States of Micronesia" } }, "tld": [".fm"], "cca2": "FM", "ccn3": "583", "cca3": "FSM", "currency": ["USD"], "callingCode": ["691"], "capital": "Palikir", "altSpellings": ["FM", "Federated States of Micronesia"], "relevance": "0", "region": "Oceania", "subregion": "Micronesia", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "Mikronesien", "fra": "Micron\u00e9sie", "hrv": "Mikronezija", "ita": "Micronesia", "jpn": "\u30df\u30af\u30ed\u30cd\u30b7\u30a2\u9023\u90a6", "nld": "Micronesi\u00eb", "rus": "\u0424\u0435\u0434\u0435\u0440\u0430\u0442\u0438\u0432\u043d\u044b\u0435 \u0428\u0442\u0430\u0442\u044b \u041c\u0438\u043a\u0440\u043e\u043d\u0435\u0437\u0438\u0438", "spa": "Micronesia" }, "latlng": [6.91666666, 158.25], "demonym": "Micronesian", "borders": [], "area": 702 }, { "name": { "common": "Moldova", "official": "Republic of Moldova", "native": { "common": "Moldova", "official": "Republica Moldova" } }, "tld": [".md"], "cca2": "MD", "ccn3": "498", "cca3": "MDA", "currency": ["MDL"], "callingCode": ["373"], "capital": "Chi\u0219in\u0103u", "altSpellings": ["MD", "Republic of Moldova", "Republica Moldova"], "relevance": "0", "region": "Europe", "subregion": "Eastern Europe", "nativeLanguage": "ron", "languages": { "ron": "Moldavian" }, "translations": { "deu": "Moldawie", "fra": "Moldavie", "hrv": "Moldova", "ita": "Moldavia", "jpn": "\u30e2\u30eb\u30c9\u30d0\u5171\u548c\u56fd", "nld": "Moldavi\u00eb", "rus": "\u041c\u043e\u043b\u0434\u0430\u0432\u0438\u044f", "spa": "Moldavia" }, "latlng": [47, 29], "demonym": "Moldovan", "borders": ["ROU", "UKR"], "area": 33846 }, { "name": { "common": "Monaco", "official": "Principality of Monaco", "native": { "common": "Monaco", "official": "Principaut\u00e9 de Monaco" } }, "tld": [".mc"], "cca2": "MC", "ccn3": "492", "cca3": "MCO", "currency": ["EUR"], "callingCode": ["377"], "capital": "Monaco", "altSpellings": ["MC", "Principality of Monaco", "Principaut\u00e9 de Monaco"], "relevance": "0", "region": "Europe", "subregion": "Western Europe", "nativeLanguage": "fra", "languages": { "fra": "French" }, "translations": { "deu": "Monaco", "fra": "Monaco", "hrv": "Monako", "ita": "Principato di Monaco", "jpn": "\u30e2\u30ca\u30b3", "nld": "Monaco", "rus": "\u041c\u043e\u043d\u0430\u043a\u043e", "spa": "M\u00f3naco" }, "latlng": [43.73333333, 7.4], "demonym": "Monegasque", "borders": ["FRA"], "area": 2.02 }, { "name": { "common": "Mongolia", "official": "Mongolia", "native": { "common": "\u041c\u043e\u043d\u0433\u043e\u043b \u0443\u043b\u0441", "official": "\u041c\u043e\u043d\u0433\u043e\u043b \u0443\u043b\u0441" } }, "tld": [".mn"], "cca2": "MN", "ccn3": "496", "cca3": "MNG", "currency": ["MNT"], "callingCode": ["976"], "capital": "Ulan Bator", "altSpellings": ["MN"], "relevance": "0", "region": "Asia", "subregion": "Eastern Asia", "nativeLanguage": "mon", "languages": { "mon": "Mongolian" }, "translations": { "deu": "Mongolei", "fra": "Mongolie", "hrv": "Mongolija", "ita": "Mongolia", "jpn": "\u30e2\u30f3\u30b4\u30eb", "nld": "Mongoli\u00eb", "rus": "\u041c\u043e\u043d\u0433\u043e\u043b\u0438\u044f", "spa": "Mongolia" }, "latlng": [46, 105], "demonym": "Mongolian", "borders": ["CHN", "RUS"], "area": 1564110 }, { "name": { "common": "Montenegro", "official": "Montenegro", "native": { "common": "\u0426\u0440\u043d\u0430 \u0413\u043e\u0440\u0430", "official": "\u0426\u0440\u043d\u0430 \u0413\u043e\u0440\u0430" } }, "tld": [".me"], "cca2": "ME", "ccn3": "499", "cca3": "MNE", "currency": ["EUR"], "callingCode": ["382"], "capital": "Podgorica", "altSpellings": ["ME", "Crna Gora"], "relevance": "0", "region": "Europe", "subregion": "Southern Europe", "nativeLanguage": "srp", "languages": { "srp": "Montenegrin" }, "translations": { "deu": "Montenegro", "fra": "Mont\u00e9n\u00e9gro", "hrv": "Crna Gora", "ita": "Montenegro", "jpn": "\u30e2\u30f3\u30c6\u30cd\u30b0\u30ed", "nld": "Montenegro", "rus": "\u0427\u0435\u0440\u043d\u043e\u0433\u043e\u0440\u0438\u044f", "spa": "Montenegro" }, "latlng": [42.5, 19.3], "demonym": "Montenegrin", "borders": ["ALB", "BIH", "HRV", "KOS", "SRB"], "area": 13812 }, { "name": { "common": "Montserrat", "official": "Montserrat", "native": { "common": "Montserrat", "official": "Montserrat" } }, "tld": [".ms"], "cca2": "MS", "ccn3": "500", "cca3": "MSR", "currency": ["XCD"], "callingCode": ["1664"], "capital": "Plymouth", "altSpellings": ["MS"], "relevance": "0.5", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "Montserrat", "fra": "Montserrat", "hrv": "Montserrat", "ita": "Montserrat", "jpn": "\u30e2\u30f3\u30c8\u30bb\u30e9\u30c8", "nld": "Montserrat", "rus": "\u041c\u043e\u043d\u0442\u0441\u0435\u0440\u0440\u0430\u0442", "spa": "Montserrat" }, "latlng": [16.75, -62.2], "demonym": "Montserratian", "borders": [], "area": 102 }, { "name": { "common": "Morocco", "official": "Kingdom of Morocco", "native": { "common": "\u0627\u0644\u0645\u063a\u0631\u0628", "official": "\u0627\u0644\u0645\u0645\u0644\u0643\u0629 \u0627\u0644\u0645\u063a\u0631\u0628\u064a\u0629" } }, "tld": [".ma", "\u0627\u0644\u0645\u063a\u0631\u0628."], "cca2": "MA", "ccn3": "504", "cca3": "MAR", "currency": ["MAD"], "callingCode": ["212"], "capital": "Rabat", "altSpellings": ["MA", "Kingdom of Morocco", "Al-Mamlakah al-Ma\u0121ribiyah"], "relevance": "0", "region": "Africa", "subregion": "Northern Africa", "nativeLanguage": "ara", "languages": { "ara": "Arabic", "ber": "Berber" }, "translations": { "deu": "Marokko", "fra": "Maroc", "hrv": "Maroko", "ita": "Marocco", "jpn": "\u30e2\u30ed\u30c3\u30b3", "nld": "Marokko", "rus": "\u041c\u0430\u0440\u043e\u043a\u043a\u043e", "spa": "Marruecos" }, "latlng": [32, -5], "demonym": "Moroccan", "borders": ["DZA", "ESH", "ESP"], "area": 446550 }, { "name": { "common": "Mozambique", "official": "Republic of Mozambique", "native": { "common": "Mo\u00e7ambique", "official": "Rep\u00fablica de Mo\u00e7ambique" } }, "tld": [".mz"], "cca2": "MZ", "ccn3": "508", "cca3": "MOZ", "currency": ["MZN"], "callingCode": ["258"], "capital": "Maputo", "altSpellings": ["MZ", "Republic of Mozambique", "Rep\u00fablica de Mo\u00e7ambique"], "relevance": "0", "region": "Africa", "subregion": "Eastern Africa", "nativeLanguage": "por", "languages": { "por": "Portuguese" }, "translations": { "deu": "Mosambik", "fra": "Mozambique", "hrv": "Mozambik", "ita": "Mozambico", "jpn": "\u30e2\u30b6\u30f3\u30d3\u30fc\u30af", "nld": "Mozambique", "rus": "\u041c\u043e\u0437\u0430\u043c\u0431\u0438\u043a", "spa": "Mozambique" }, "latlng": [-18.25, 35], "demonym": "Mozambican", "borders": ["MWI", "ZAF", "SWZ", "TZA", "ZMB", "ZWE"], "area": 801590 }, { "name": { "common": "Myanmar", "official": "Republic of the Union of Myanmar", "native": { "common": "\u1019\u103c\u1014\u103a\u1019\u102c", "official": "\u1015\u103c\u100a\u103a\u1011\u1031\u102c\u1004\u103a\u1005\u102f \u101e\u1019\u1039\u1019\u1010 \u1019\u103c\u1014\u103a\u1019\u102c\u1014\u102d\u102f\u1004\u103a\u1004\u1036\u1010\u1031\u102c\u103a" } }, "tld": [".mm"], "cca2": "MM", "ccn3": "104", "cca3": "MMR", "currency": ["MMK"], "callingCode": ["95"], "capital": "Naypyidaw", "altSpellings": ["MM", "Burma", "Republic of the Union of Myanmar", "Pyidaunzu Thanm\u0103da My\u0103ma Nainngandaw"], "relevance": "0", "region": "Asia", "subregion": "South-Eastern Asia", "nativeLanguage": "mya", "languages": { "mya": "Burmese" }, "translations": { "deu": "Myanmar", "fra": "Myanmar", "hrv": "Mijanmar", "ita": "Birmania", "jpn": "\u30df\u30e3\u30f3\u30de\u30fc", "nld": "Myanmar", "rus": "\u041c\u044c\u044f\u043d\u043c\u0430", "spa": "Myanmar" }, "latlng": [22, 98], "demonym": "Myanmarian", "borders": ["BGD", "CHN", "IND", "LAO", "THA"], "area": 676578 }, { "name": { "common": "Namibia", "official": "Republic of Namibia", "native": { "common": "Namibia", "official": "Republic of Namibia" } }, "tld": [".na"], "cca2": "NA", "ccn3": "516", "cca3": "NAM", "currency": ["NAD", "ZAR"], "callingCode": ["264"], "capital": "Windhoek", "altSpellings": ["NA", "Namibi\u00eb", "Republic of Namibia"], "relevance": "0", "region": "Africa", "subregion": "Southern Africa", "nativeLanguage": "afr", "languages": { "afr": "Afrikaans", "deu": "German", "eng": "English", "her": "Herero", "hgm": "Khoekhoe", "kwn": "Kwangali", "loz": "Lozi", "ndo": "Ndonga", "tsn": "Tswana" }, "translations": { "deu": "Namibia", "fra": "Namibie", "hrv": "Namibija", "ita": "Namibia", "jpn": "\u30ca\u30df\u30d3\u30a2", "nld": "Namibi\u00eb", "rus": "\u041d\u0430\u043c\u0438\u0431\u0438\u044f", "spa": "Namibia" }, "latlng": [-22, 17], "demonym": "Namibian", "borders": ["AGO", "BWA", "ZAF", "ZMB"], "area": 825615 }, { "name": { "common": "Nauru", "official": "Republic of Nauru", "native": { "common": "Nauru", "official": "Republic of Nauru" } }, "tld": [".nr"], "cca2": "NR", "ccn3": "520", "cca3": "NRU", "currency": ["AUD"], "callingCode": ["674"], "capital": "Yaren", "altSpellings": ["NR", "Naoero", "Pleasant Island", "Republic of Nauru", "Ripublik Naoero"], "relevance": "0.5", "region": "Oceania", "subregion": "Micronesia", "nativeLanguage": "nau", "languages": { "eng": "English", "nau": "Nauru" }, "translations": { "deu": "Nauru", "fra": "Nauru", "hrv": "Nauru", "ita": "Nauru", "jpn": "\u30ca\u30a6\u30eb", "nld": "Nauru", "rus": "\u041d\u0430\u0443\u0440\u0443", "spa": "Nauru" }, "latlng": [-0.53333333, 166.91666666], "demonym": "Nauruan", "borders": [], "area": 21 }, { "name": { "common": "Nepal", "official": "Federal Democratic Republic of Nepal", "native": { "common": "\u0928\u092a\u0932", "official": "\u0928\u0947\u092a\u093e\u0932 \u0938\u0902\u0918\u0940\u092f \u0932\u094b\u0915\u0924\u093e\u0928\u094d\u0924\u094d\u0930\u093f\u0915 \u0917\u0923\u0924\u0928\u094d\u0924\u094d\u0930" } }, "tld": [".np"], "cca2": "NP", "ccn3": "524", "cca3": "NPL", "currency": ["NPR"], "callingCode": ["977"], "capital": "Kathmandu", "altSpellings": ["NP", "Federal Democratic Republic of Nepal", "Lokt\u0101ntrik Ganatantra Nep\u0101l"], "relevance": "0", "region": "Asia", "subregion": "Southern Asia", "nativeLanguage": "nep", "languages": { "nep": "Nepali" }, "translations": { "deu": "N\u00e9pal", "fra": "N\u00e9pal", "hrv": "Nepal", "ita": "Nepal", "jpn": "\u30cd\u30d1\u30fc\u30eb", "nld": "Nepal", "rus": "\u041d\u0435\u043f\u0430\u043b", "spa": "Nepal" }, "latlng": [28, 84], "demonym": "Nepalese", "borders": ["CHN", "IND"], "area": 147181 }, { "name": { "common": "Netherlands", "official": "Netherlands", "native": { "common": "Nederland", "official": "Nederland" } }, "tld": [".nl"], "cca2": "NL", "ccn3": "528", "cca3": "NLD", "currency": ["EUR"], "callingCode": ["31"], "capital": "Amsterdam", "altSpellings": ["NL", "Holland", "Nederland"], "relevance": "1.5", "region": "Europe", "subregion": "Western Europe", "nativeLanguage": "nld", "languages": { "nld": "Dutch" }, "translations": { "deu": "Niederlande", "fra": "Pays-Bas", "hrv": "Nizozemska", "ita": "Paesi Bassi", "jpn": "\u30aa\u30e9\u30f3\u30c0", "nld": "Nederland", "rus": "\u041d\u0438\u0434\u0435\u0440\u043b\u0430\u043d\u0434\u044b", "spa": "Pa\u00edses Bajos" }, "latlng": [52.5, 5.75], "demonym": "Dutch", "borders": ["BEL", "DEU"], "area": 41850 }, { "name": { "common": "New Caledonia", "official": "New Caledonia", "native": { "common": "Nouvelle-Cal\u00e9donie", "official": "Nouvelle-Cal\u00e9donie" } }, "tld": [".nc"], "cca2": "NC", "ccn3": "540", "cca3": "NCL", "currency": ["XPF"], "callingCode": ["687"], "capital": "Noum\u00e9a", "altSpellings": ["NC"], "relevance": "0.5", "region": "Oceania", "subregion": "Melanesia", "nativeLanguage": "fra", "languages": { "fra": "French" }, "translations": { "deu": "Neukaledonien", "fra": "Nouvelle-Cal\u00e9donie", "hrv": "Nova Kaledonija", "ita": "Nuova Caledonia", "jpn": "\u30cb\u30e5\u30fc\u30ab\u30ec\u30c9\u30cb\u30a2", "nld": "Nieuw-Caledoni\u00eb", "rus": "\u041d\u043e\u0432\u0430\u044f \u041a\u0430\u043b\u0435\u0434\u043e\u043d\u0438\u044f", "spa": "Nueva Caledonia" }, "latlng": [-21.5, 165.5], "demonym": "New Caledonian", "borders": [], "area": 18575 }, { "name": { "common": "New Zealand", "official": "New Zealand", "native": { "common": "New Zealand", "official": "New Zealand" } }, "tld": [".nz"], "cca2": "NZ", "ccn3": "554", "cca3": "NZL", "currency": ["NZD"], "callingCode": ["64"], "capital": "Wellington", "altSpellings": ["NZ", "Aotearoa"], "relevance": "1.0", "region": "Oceania", "subregion": "Australia and New Zealand", "nativeLanguage": "eng", "languages": { "eng": "English", "mri": "M\u0101ori", "nzs": "New Zealand Sign Language" }, "translations": { "deu": "Neuseeland", "fra": "Nouvelle-Z\u00e9lande", "hrv": "Novi Zeland", "ita": "Nuova Zelanda", "jpn": "\u30cb\u30e5\u30fc\u30b8\u30fc\u30e9\u30f3\u30c9", "nld": "Nieuw-Zeeland", "rus": "\u041d\u043e\u0432\u0430\u044f \u0417\u0435\u043b\u0430\u043d\u0434\u0438\u044f", "spa": "Nueva Zelanda" }, "latlng": [-41, 174], "demonym": "New Zealander", "borders": [], "area": 270467 }, { "name": { "common": "Nicaragua", "official": "Republic of Nicaragua", "native": { "common": "Nicaragua", "official": "Rep\u00fablica de Nicaragua" } }, "tld": [".ni"], "cca2": "NI", "ccn3": "558", "cca3": "NIC", "currency": ["NIO"], "callingCode": ["505"], "capital": "Managua", "altSpellings": ["NI", "Republic of Nicaragua", "Rep\u00fablica de Nicaragua"], "relevance": "0", "region": "Americas", "subregion": "Central America", "nativeLanguage": "spa", "languages": { "spa": "Spanish" }, "translations": { "deu": "Nicaragua", "fra": "Nicaragua", "hrv": "Nikaragva", "ita": "Nicaragua", "jpn": "\u30cb\u30ab\u30e9\u30b0\u30a2", "nld": "Nicaragua", "rus": "\u041d\u0438\u043a\u0430\u0440\u0430\u0433\u0443\u0430", "spa": "Nicaragua" }, "latlng": [13, -85], "demonym": "Nicaraguan", "borders": ["CRI", "HND"], "area": 130373 }, { "name": { "common": "Niger", "official": "Republic of Niger", "native": { "common": "Niger", "official": "R\u00e9publique du Niger" } }, "tld": [".ne"], "cca2": "NE", "ccn3": "562", "cca3": "NER", "currency": ["XOF"], "callingCode": ["227"], "capital": "Niamey", "altSpellings": ["NE", "Nijar", "Republic of Niger", "R\u00e9publique du Niger"], "relevance": "0", "region": "Africa", "subregion": "Western Africa", "nativeLanguage": "fra", "languages": { "fra": "French" }, "translations": { "deu": "Niger", "fra": "Niger", "hrv": "Niger", "ita": "Niger", "jpn": "\u30cb\u30b8\u30a7\u30fc\u30eb", "nld": "Niger", "rus": "\u041d\u0438\u0433\u0435\u0440", "spa": "N\u00edger" }, "latlng": [16, 8], "demonym": "Nigerien", "borders": ["DZA", "BEN", "BFA", "TCD", "LBY", "MLI", "NGA"], "area": 1267000 }, { "name": { "common": "Nigeria", "official": "Federal Republic of Nigeria", "native": { "common": "Nigeria", "official": "Federal Republic of Nigeria" } }, "tld": [".ng"], "cca2": "NG", "ccn3": "566", "cca3": "NGA", "currency": ["NGN"], "callingCode": ["234"], "capital": "Abuja", "altSpellings": ["NG", "Nijeriya", "Na\u00edj\u00edr\u00ed\u00e0", "Federal Republic of Nigeria"], "relevance": "1.5", "region": "Africa", "subregion": "Western Africa", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "Nigeria", "fra": "Nig\u00e9ria", "hrv": "Nigerija", "ita": "Nigeria", "jpn": "\u30ca\u30a4\u30b8\u30a7\u30ea\u30a2", "nld": "Nigeria", "rus": "\u041d\u0438\u0433\u0435\u0440\u0438\u044f", "spa": "Nigeria" }, "latlng": [10, 8], "demonym": "Nigerian", "borders": ["BEN", "CMR", "TCD", "NER"], "area": 923768 }, { "name": { "common": "Niue", "official": "Niue", "native": { "common": "Niu\u0113", "official": "Niu\u0113" } }, "tld": [".nu"], "cca2": "NU", "ccn3": "570", "cca3": "NIU", "currency": ["NZD"], "callingCode": ["683"], "capital": "Alofi", "altSpellings": ["NU"], "relevance": "0.5", "region": "Oceania", "subregion": "Polynesia", "nativeLanguage": "niu", "languages": { "eng": "English", "niu": "Niuean" }, "translations": { "deu": "Niue", "fra": "Niue", "hrv": "Niue", "ita": "Niue", "jpn": "\u30cb\u30a6\u30a8", "nld": "Niue", "rus": "\u041d\u0438\u0443\u044d", "spa": "Niue" }, "latlng": [-19.03333333, -169.86666666], "demonym": "Niuean", "borders": [], "area": 260 }, { "name": { "common": "Norfolk Island", "official": "Territory of Norfolk Island", "native": { "common": "Norfolk Island", "official": "Territory of Norfolk Island" } }, "tld": [".nf"], "cca2": "NF", "ccn3": "574", "cca3": "NFK", "currency": ["AUD"], "callingCode": ["672"], "capital": "Kingston", "altSpellings": ["NF", "Territory of Norfolk Island", "Teratri of Norf'k Ailen"], "relevance": "0.5", "region": "Oceania", "subregion": "Australia and New Zealand", "nativeLanguage": "eng", "languages": { "eng": "English", "pih": "Norfuk" }, "translations": { "deu": "Norfolkinsel", "fra": "\u00cele de Norfolk", "hrv": "Otok Norfolk", "ita": "Isola Norfolk", "jpn": "\u30ce\u30fc\u30d5\u30a9\u30fc\u30af\u5cf6", "nld": "Norfolkeiland", "rus": "\u041d\u043e\u0440\u0444\u043e\u043b\u043a", "spa": "Isla de Norfolk" }, "latlng": [-29.03333333, 167.95], "demonym": "Norfolk Islander", "borders": [], "area": 36 }, { "name": { "common": "North Korea", "official": "Democratic People's Republic of Korea", "native": { "common": "\ubd81\ud55c", "official": "\uc870\uc120 \ubbfc\uc8fc\uc8fc\uc758 \uc778\ubbfc \uacf5\ud654\uad6d" } }, "tld": [".kp"], "cca2": "KP", "ccn3": "408", "cca3": "PRK", "currency": ["KPW"], "callingCode": ["850"], "capital": "Pyongyang", "altSpellings": ["KP", "Democratic People's Republic of Korea", "\uc870\uc120\ubbfc\uc8fc\uc8fc\uc758\uc778\ubbfc\uacf5\ud654\uad6d", "Chos\u014fn Minjuju\u016di Inmin Konghwaguk"], "relevance": "0", "region": "Asia", "subregion": "Eastern Asia", "nativeLanguage": "kor", "languages": { "kor": "Korean" }, "translations": { "deu": "Nordkorea", "fra": "Cor\u00e9e du Nord", "hrv": "Sjeverna Koreja", "ita": "Corea del Nord", "jpn": "\u671d\u9bae\u6c11\u4e3b\u4e3b\u7fa9\u4eba\u6c11\u5171\u548c\u56fd", "nld": "Noord-Korea", "rus": "\u0421\u0435\u0432\u0435\u0440\u043d\u0430\u044f \u041a\u043e\u0440\u0435\u044f", "spa": "Corea del Norte" }, "latlng": [40, 127], "demonym": "North Korean", "borders": ["CHN", "KOR", "RUS"], "area": 120538 }, { "name": { "common": "Northern Mariana Islands", "official": "Commonwealth of the Northern Mariana Islands", "native": { "common": "Northern Mariana Islands", "official": "Commonwealth of the Northern Mariana Islands" } }, "tld": [".mp"], "cca2": "MP", "ccn3": "580", "cca3": "MNP", "currency": ["USD"], "callingCode": ["1670"], "capital": "Saipan", "altSpellings": ["MP", "Commonwealth of the Northern Mariana Islands", "Sankattan Siha Na Islas Mari\u00e5nas"], "relevance": "0.5", "region": "Oceania", "subregion": "Micronesia", "nativeLanguage": "eng", "languages": { "cal": "Carolinian", "cha": "Chamorro", "eng": "English" }, "translations": { "deu": "N\u00f6rdliche Marianen", "fra": "\u00celes Mariannes du Nord", "hrv": "Sjevernomarijanski otoci", "ita": "Isole Marianne Settentrionali", "jpn": "\u5317\u30de\u30ea\u30a2\u30ca\u8af8\u5cf6", "nld": "Noordelijke Marianeneilanden", "rus": "\u0421\u0435\u0432\u0435\u0440\u043d\u044b\u0435 \u041c\u0430\u0440\u0438\u0430\u043d\u0441\u043a\u0438\u0435 \u043e\u0441\u0442\u0440\u043e\u0432\u0430", "spa": "Islas Marianas del Norte" }, "latlng": [15.2, 145.75], "demonym": "American", "borders": [], "area": 464 }, { "name": { "common": "Norway", "official": "Kingdom of Norway", "native": { "common": "Norge", "official": "Kongeriket Norge" } }, "tld": [".no"], "cca2": "NO", "ccn3": "578", "cca3": "NOR", "currency": ["NOK"], "callingCode": ["47"], "capital": "Oslo", "altSpellings": ["NO", "Norge", "Noreg", "Kingdom of Norway", "Kongeriket Norge", "Kongeriket Noreg"], "relevance": "1.5", "region": "Europe", "subregion": "Northern Europe", "nativeLanguage": "nor", "languages": { "nno": "Nynorsk", "nob": "Bokm\u00e5l", "nor": "Norwegian" }, "translations": { "deu": "Norwegen", "fra": "Norv\u00e8ge", "hrv": "Norve\u0161ka", "ita": "Norvegia", "jpn": "\u30ce\u30eb\u30a6\u30a7\u30fc", "nld": "Noorwegen", "rus": "\u041d\u043e\u0440\u0432\u0435\u0433\u0438\u044f", "spa": "Noruega" }, "latlng": [62, 10], "demonym": "Norwegian", "borders": ["FIN", "SWE", "RUS"], "area": 323802 }, { "name": { "common": "Oman", "official": "Sultanate of Oman", "native": { "common": "\u0639\u0645\u0627\u0646", "official": "\u0633\u0644\u0637\u0646\u0629 \u0639\u0645\u0627\u0646" } }, "tld": [".om"], "cca2": "OM", "ccn3": "512", "cca3": "OMN", "currency": ["OMR"], "callingCode": ["968"], "capital": "Muscat", "altSpellings": ["OM", "Sultanate of Oman", "Sal\u1e6danat \u02bbUm\u0101n"], "relevance": "0", "region": "Asia", "subregion": "Western Asia", "nativeLanguage": "ara", "languages": { "ara": "Arabic" }, "translations": { "deu": "Oman", "fra": "Oman", "hrv": "Oman", "ita": "oman", "jpn": "\u30aa\u30de\u30fc\u30f3", "nld": "Oman", "rus": "\u041e\u043c\u0430\u043d", "spa": "Om\u00e1n" }, "latlng": [21, 57], "demonym": "Omani", "borders": ["SAU", "ARE", "YEM"], "area": 309500 }, { "name": { "common": "Pakistan", "official": "Islamic Republic of Pakistan", "native": { "common": "Pakistan", "official": "Islamic Republic of Pakistan" } }, "tld": [".pk"], "cca2": "PK", "ccn3": "586", "cca3": "PAK", "currency": ["PKR"], "callingCode": ["92"], "capital": "Islamabad", "altSpellings": ["PK", "P\u0101kist\u0101n", "Islamic Republic of Pakistan", "Isl\u0101m\u012b Jumh\u016briya'eh P\u0101kist\u0101n"], "relevance": "2", "region": "Asia", "subregion": "Southern Asia", "nativeLanguage": "eng", "languages": { "eng": "English", "urd": "Urdu" }, "translations": { "deu": "Pakistan", "fra": "Pakistan", "hrv": "Pakistan", "ita": "Pakistan", "jpn": "\u30d1\u30ad\u30b9\u30bf\u30f3", "nld": "Pakistan", "rus": "\u041f\u0430\u043a\u0438\u0441\u0442\u0430\u043d", "spa": "Pakist\u00e1n" }, "latlng": [30, 70], "demonym": "Pakistani", "borders": ["AFG", "CHN", "IND", "IRN"], "area": 881912 }, { "name": { "common": "Palau", "official": "Republic of Palau", "native": { "common": "Palau", "official": "Republic of Palau" } }, "tld": [".pw"], "cca2": "PW", "ccn3": "585", "cca3": "PLW", "currency": ["USD"], "callingCode": ["680"], "capital": "Ngerulmud", "altSpellings": ["PW", "Republic of Palau", "Beluu er a Belau"], "relevance": "0.5", "region": "Oceania", "subregion": "Micronesia", "nativeLanguage": "eng", "languages": { "eng": "English", "pau": "Palauan" }, "translations": { "deu": "Palau", "fra": "Palaos", "hrv": "Palau", "ita": "Palau", "jpn": "\u30d1\u30e9\u30aa", "nld": "Palau", "rus": "\u041f\u0430\u043b\u0430\u0443", "spa": "Palau" }, "latlng": [7.5, 134.5], "demonym": "Palauan", "borders": [], "area": 459 }, { "name": { "common": "Palestine", "official": "State of Palestine", "native": { "common": "\u0641\u0644\u0633\u0637\u064a\u0646", "official": "\u062f\u0648\u0644\u0629 \u0641\u0644\u0633\u0637\u064a\u0646" } }, "tld": [".ps", "\u0641\u0644\u0633\u0637\u064a\u0646."], "cca2": "PS", "ccn3": "275", "cca3": "PSE", "currency": ["ILS"], "callingCode": ["970"], "capital": "Ramallah", "altSpellings": ["PS", "State of Palestine", "Dawlat Filas\u1e6din"], "relevance": "0", "region": "Asia", "subregion": "Western Asia", "nativeLanguage": "ara", "languages": { "ara": "Arabic" }, "translations": { "deu": "Pal\u00e4stina", "fra": "Palestine", "hrv": "Palestina", "ita": "Palestina", "jpn": "\u30d1\u30ec\u30b9\u30c1\u30ca", "nld": "Palestijnse gebieden", "rus": "\u041f\u0430\u043b\u0435\u0441\u0442\u0438\u043d\u0430", "spa": "Palestina" }, "latlng": [31.9, 35.2], "demonym": "Palestinian", "borders": ["ISR", "EGY", "JOR"], "area": 6220 }, { "name": { "common": "Panama", "official": "Republic of Panama", "native": { "common": "Panam\u00e1", "official": "Rep\u00fablica de Panam\u00e1" } }, "tld": [".pa"], "cca2": "PA", "ccn3": "591", "cca3": "PAN", "currency": ["PAB", "USD"], "callingCode": ["507"], "capital": "Panama City", "altSpellings": ["PA", "Republic of Panama", "Rep\u00fablica de Panam\u00e1"], "relevance": "0", "region": "Americas", "subregion": "Central America", "nativeLanguage": "spa", "languages": { "spa": "Spanish" }, "translations": { "deu": "Panama", "fra": "Panama", "hrv": "Panama", "ita": "Panama", "jpn": "\u30d1\u30ca\u30de", "nld": "Panama", "rus": "\u041f\u0430\u043d\u0430\u043c\u0430", "spa": "Panam\u00e1" }, "latlng": [9, -80], "demonym": "Panamanian", "borders": ["COL", "CRI"], "area": 75417 }, { "name": { "common": "Papua New Guinea", "official": "Independent State of Papua New Guinea", "native": { "common": "Papua Niugini", "official": "Independent State of Papua New Guinea" } }, "tld": [".pg"], "cca2": "PG", "ccn3": "598", "cca3": "PNG", "currency": ["PGK"], "callingCode": ["675"], "capital": "Port Moresby", "altSpellings": ["PG", "Independent State of Papua New Guinea", "Independen Stet bilong Papua Niugini"], "relevance": "0", "region": "Oceania", "subregion": "Melanesia", "nativeLanguage": "hmo", "languages": { "eng": "English", "hmo": "Hiri Motu", "tpi": "Tok Pisin" }, "translations": { "deu": "Papua-Neuguinea", "fra": "Papouasie-Nouvelle-Guin\u00e9e", "hrv": "Papua Nova Gvineja", "ita": "Papua Nuova Guinea", "jpn": "\u30d1\u30d7\u30a2\u30cb\u30e5\u30fc\u30ae\u30cb\u30a2", "nld": "Papoea-Nieuw-Guinea", "rus": "\u041f\u0430\u043f\u0443\u0430 \u2014 \u041d\u043e\u0432\u0430\u044f \u0413\u0432\u0438\u043d\u0435\u044f", "spa": "Pap\u00faa Nueva Guinea" }, "latlng": [-6, 147], "demonym": "Papua New Guinean", "borders": ["IDN"], "area": 462840 }, { "name": { "common": "Paraguay", "official": "Republic of Paraguay", "native": { "common": "Paraguay", "official": "Rep\u00fablica de Paraguay" } }, "tld": [".py"], "cca2": "PY", "ccn3": "600", "cca3": "PRY", "currency": ["PYG"], "callingCode": ["595"], "capital": "Asunci\u00f3n", "altSpellings": ["PY", "Republic of Paraguay", "Rep\u00fablica del Paraguay", "Tet\u00e3 Paragu\u00e1i"], "relevance": "0", "region": "Americas", "subregion": "South America", "nativeLanguage": "spa", "languages": { "grn": "Guaran\u00ed", "spa": "Spanish" }, "translations": { "deu": "Paraguay", "fra": "Paraguay", "hrv": "Paragvaj", "ita": "Paraguay", "jpn": "\u30d1\u30e9\u30b0\u30a2\u30a4", "nld": "Paraguay", "rus": "\u041f\u0430\u0440\u0430\u0433\u0432\u0430\u0439", "spa": "Paraguay" }, "latlng": [-23, -58], "demonym": "Paraguayan", "borders": ["ARG", "BOL", "BRA"], "area": 406752 }, { "name": { "common": "Peru", "official": "Republic of Peru", "native": { "common": "Per\u00fa", "official": "Rep\u00fablica del Per\u00fa" } }, "tld": [".pe"], "cca2": "PE", "ccn3": "604", "cca3": "PER", "currency": ["PEN"], "callingCode": ["51"], "capital": "Lima", "altSpellings": ["PE", "Republic of Peru", " Rep\u00fablica del Per\u00fa"], "relevance": "0", "region": "Americas", "subregion": "South America", "nativeLanguage": "spa", "languages": { "aym": "Aymara", "que": "Quechua", "spa": "Spanish" }, "translations": { "deu": "Peru", "fra": "P\u00e9rou", "hrv": "Peru", "ita": "Per\u00f9", "jpn": "\u30da\u30eb\u30fc", "nld": "Peru", "rus": "\u041f\u0435\u0440\u0443", "spa": "Per\u00fa" }, "latlng": [-10, -76], "demonym": "Peruvian", "borders": ["BOL", "BRA", "CHL", "COL", "ECU"], "area": 1285216 }, { "name": { "common": "Philippines", "official": "Republic of the Philippines", "native": { "common": "Pilipinas", "official": "Republic of the Philippines" } }, "tld": [".ph"], "cca2": "PH", "ccn3": "608", "cca3": "PHL", "currency": ["PHP"], "callingCode": ["63"], "capital": "Manila", "altSpellings": ["PH", "Republic of the Philippines", "Rep\u00fablika ng Pilipinas"], "relevance": "1.5", "region": "Asia", "subregion": "South-Eastern Asia", "nativeLanguage": "fil", "languages": { "eng": "English", "fil": "Filipino" }, "translations": { "deu": "Philippinen", "fra": "Philippines", "hrv": "Filipini", "ita": "Filippine", "jpn": "\u30d5\u30a3\u30ea\u30d4\u30f3", "nld": "Filipijnen", "rus": "\u0424\u0438\u043b\u0438\u043f\u043f\u0438\u043d\u044b", "spa": "Filipinas" }, "latlng": [13, 122], "demonym": "Filipino", "borders": [], "area": 342353 }, { "name": { "common": "Pitcairn Islands", "official": "Pitcairn Group of Islands", "native": { "common": "Pitcairn Islands", "official": "Pitcairn Group of Islands" } }, "tld": [".pn"], "cca2": "PN", "ccn3": "612", "cca3": "PCN", "currency": ["NZD"], "callingCode": ["64"], "capital": "Adamstown", "altSpellings": ["PN", "Pitcairn Henderson Ducie and Oeno Islands"], "relevance": "0.5", "region": "Oceania", "subregion": "Polynesia", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "Pitcairn", "fra": "\u00celes Pitcairn", "hrv": "Pitcairnovo oto\u010dje", "ita": "Isole Pitcairn", "jpn": "\u30d4\u30c8\u30b1\u30a2\u30f3", "nld": "Pitcairneilanden", "rus": "\u041e\u0441\u0442\u0440\u043e\u0432\u0430 \u041f\u0438\u0442\u043a\u044d\u0440\u043d", "spa": "Islas Pitcairn" }, "latlng": [-25.06666666, -130.1], "demonym": "Pitcairn Islander", "borders": [], "area": 47 }, { "name": { "common": "Poland", "official": "Republic of Poland", "native": { "common": "Polska", "official": "Rzeczpospolita Polska" } }, "tld": [".pl"], "cca2": "PL", "ccn3": "616", "cca3": "POL", "currency": ["PLN"], "callingCode": ["48"], "capital": "Warsaw", "altSpellings": ["PL", "Republic of Poland", "Rzeczpospolita Polska"], "relevance": "1.25", "region": "Europe", "subregion": "Eastern Europe", "nativeLanguage": "pol", "languages": { "pol": "Polish" }, "translations": { "deu": "Polen", "fra": "Pologne", "hrv": "Poljska", "ita": "Polonia", "jpn": "\u30dd\u30fc\u30e9\u30f3\u30c9", "nld": "Polen", "rus": "\u041f\u043e\u043b\u044c\u0448\u0430", "spa": "Polonia" }, "latlng": [52, 20], "demonym": "Polish", "borders": ["BLR", "CZE", "DEU", "LTU", "RUS", "SVK", "UKR"], "area": 312679 }, { "name": { "common": "Portugal", "official": "Portuguese Republic", "native": { "common": "Portugal", "official": "Rep\u00fablica portugu\u00eas" } }, "tld": [".pt"], "cca2": "PT", "ccn3": "620", "cca3": "PRT", "currency": ["EUR"], "callingCode": ["351"], "capital": "Lisbon", "altSpellings": ["PT", "Portuguesa", "Portuguese Republic", "Rep\u00fablica Portuguesa"], "relevance": "1.5", "region": "Europe", "subregion": "Southern Europe", "nativeLanguage": "por", "languages": { "por": "Portuguese" }, "translations": { "deu": "Portugal", "fra": "Portugal", "hrv": "Portugal", "ita": "Portogallo", "jpn": "\u30dd\u30eb\u30c8\u30ac\u30eb", "nld": "Portugal", "rus": "\u041f\u043e\u0440\u0442\u0443\u0433\u0430\u043b\u0438\u044f", "spa": "Portugal" }, "latlng": [39.5, -8], "demonym": "Portuguese", "borders": ["ESP"], "area": 92090 }, { "name": { "common": "Puerto Rico", "official": "Commonwealth of Puerto Rico", "native": { "common": "Puerto Rico", "official": "Estado Libre Asociado de Puerto Rico" } }, "tld": [".pr"], "cca2": "PR", "ccn3": "630", "cca3": "PRI", "currency": ["USD"], "callingCode": ["1787", "1939"], "capital": "San Juan", "altSpellings": ["PR", "Commonwealth of Puerto Rico", "Estado Libre Asociado de Puerto Rico"], "relevance": "0", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "spa", "languages": { "eng": "English", "spa": "Spanish" }, "translations": { "deu": "Puerto Rico", "fra": "Porto Rico", "hrv": "Portoriko", "ita": "Porto Rico", "jpn": "\u30d7\u30a8\u30eb\u30c8\u30ea\u30b3", "nld": "Puerto Rico", "rus": "\u041f\u0443\u044d\u0440\u0442\u043e-\u0420\u0438\u043a\u043e", "spa": "Puerto Rico" }, "latlng": [18.25, -66.5], "demonym": "Puerto Rican", "borders": [], "area": 8870 }, { "name": { "common": "Qatar", "official": "State of Qatar", "native": { "common": "\u0642\u0637\u0631", "official": "\u062f\u0648\u0644\u0629 \u0642\u0637\u0631" } }, "tld": [".qa", "\u0642\u0637\u0631."], "cca2": "QA", "ccn3": "634", "cca3": "QAT", "currency": ["QAR"], "callingCode": ["974"], "capital": "Doha", "altSpellings": ["QA", "State of Qatar", "Dawlat Qa\u1e6dar"], "relevance": "0", "region": "Asia", "subregion": "Western Asia", "nativeLanguage": "ara", "languages": { "ara": "Arabic" }, "translations": { "deu": "Katar", "fra": "Qatar", "hrv": "Katar", "ita": "Qatar", "jpn": "\u30ab\u30bf\u30fc\u30eb", "nld": "Qatar", "rus": "\u041a\u0430\u0442\u0430\u0440", "spa": "Catar" }, "latlng": [25.5, 51.25], "demonym": "Qatari", "borders": ["SAU"], "area": 11586 }, { "name": { "common": "Kosovo", "official": "Republic of Kosovo", "native": { "common": "Kosova", "official": "Republika e Kosov\u00ebs" } }, "tld": [], "cca2": "XK", "ccn3": "780", "cca3": "KOS", "currency": ["EUR"], "callingCode": ["377", "381", "386"], "capital": "Pristina", "altSpellings": ["XK", "\u0420\u0435\u043f\u0443\u0431\u043b\u0438\u043a\u0430 \u041a\u043e\u0441\u043e\u0432\u043e"], "relevance": "0", "region": "Europe", "subregion": "Eastern Europe", "nativeLanguage": "sqi", "languages": { "sqi": "Albanian", "srp": "Serbian" }, "translations": { "hrv": "Kosovo", "rus": "\u0420\u0435\u0441\u043f\u0443\u0431\u043b\u0438\u043a\u0430 \u041a\u043e\u0441\u043e\u0432\u043e", "spa": "Kosovo" }, "latlng": [42.666667, 21.166667], "demonym": "Kosovar", "borders": ["ALB", "MKD", "MNE", "SRB"], "area": 10908 }, { "name": { "common": "R\u00e9union", "official": "R\u00e9union Island", "native": { "common": "La R\u00e9union", "official": "Ile de la R\u00e9union" } }, "tld": [".re"], "cca2": "RE", "ccn3": "638", "cca3": "REU", "currency": ["EUR"], "callingCode": ["262"], "capital": "Saint-Denis", "altSpellings": ["RE", "Reunion"], "relevance": "0", "region": "Africa", "subregion": "Eastern Africa", "nativeLanguage": "fra", "languages": { "fra": "French" }, "translations": { "deu": "R\u00e9union", "fra": "R\u00e9union", "hrv": "R\u00e9union", "ita": "Riunione", "jpn": "\u30ec\u30e6\u30cb\u30aa\u30f3", "nld": "R\u00e9union", "rus": "\u0420\u0435\u044e\u043d\u044c\u043e\u043d", "spa": "Reuni\u00f3n" }, "latlng": [-21.15, 55.5], "demonym": "French", "borders": [], "area": 2511 }, { "name": { "common": "Romania", "official": "Romania", "native": { "common": "Rom\u00e2nia", "official": "Rom\u00e2nia" } }, "tld": [".ro"], "cca2": "RO", "ccn3": "642", "cca3": "ROU", "currency": ["RON"], "callingCode": ["40"], "capital": "Bucharest", "altSpellings": ["RO", "Rumania", "Roumania", "Rom\u00e2nia"], "relevance": "0", "region": "Europe", "subregion": "Eastern Europe", "nativeLanguage": "ron", "languages": { "ron": "Romanian" }, "translations": { "deu": "Rum\u00e4nien", "fra": "Roumanie", "hrv": "Rumunjska", "ita": "Romania", "jpn": "\u30eb\u30fc\u30de\u30cb\u30a2", "nld": "Roemeni\u00eb", "rus": "\u0420\u0443\u043c\u044b\u043d\u0438\u044f", "spa": "Rumania" }, "latlng": [46, 25], "demonym": "Romanian", "borders": ["BGR", "HUN", "MDA", "SRB", "UKR"], "area": 238391 }, { "name": { "common": "Russia", "official": "Russian Federation", "native": { "common": "\u0420\u043e\u0441\u0441\u0438\u044f", "official": "\u0420\u0443\u0441\u0441\u043a\u0430\u044f \u0424\u0435\u0434\u0435\u0440\u0430\u0446\u0438\u044f" } }, "tld": [".ru", ".su", ".\u0440\u0444"], "cca2": "RU", "ccn3": "643", "cca3": "RUS", "currency": ["RUB"], "callingCode": ["7"], "capital": "Moscow", "altSpellings": ["RU", "Rossiya", "Russian Federation", "\u0420\u043e\u0441\u0441\u0438\u0439\u0441\u043a\u0430\u044f \u0424\u0435\u0434\u0435\u0440\u0430\u0446\u0438\u044f", "Rossiyskaya Federatsiya"], "relevance": "2.5", "region": "Europe", "subregion": "Eastern Europe", "nativeLanguage": "rus", "languages": { "rus": "Russian" }, "translations": { "deu": "Russland", "fra": "Russie", "hrv": "Rusija", "ita": "Russia", "jpn": "\u30ed\u30b7\u30a2\u9023\u90a6", "nld": "Rusland", "rus": "\u0420\u043e\u0441\u0441\u0438\u044f", "spa": "Rusia" }, "latlng": [60, 100], "demonym": "Russian", "borders": ["AZE", "BLR", "CHN", "EST", "FIN", "GEO", "KAZ", "PRK", "LVA", "LTU", "MNG", "NOR", "POL", "UKR"], "area": 17098242 }, { "name": { "common": "Rwanda", "official": "Republic of Rwanda", "native": { "common": "Rwanda", "official": "Repubulika y'u Rwanda" } }, "tld": [".rw"], "cca2": "RW", "ccn3": "646", "cca3": "RWA", "currency": ["RWF"], "callingCode": ["250"], "capital": "Kigali", "altSpellings": ["RW", "Republic of Rwanda", "Repubulika y'u Rwanda", "R\u00e9publique du Rwanda"], "relevance": "0", "region": "Africa", "subregion": "Eastern Africa", "nativeLanguage": "kin", "languages": { "eng": "English", "fra": "French", "kin": "Kinyarwanda" }, "translations": { "deu": "Ruanda", "fra": "Rwanda", "hrv": "Ruanda", "ita": "Ruanda", "jpn": "\u30eb\u30ef\u30f3\u30c0", "nld": "Rwanda", "rus": "\u0420\u0443\u0430\u043d\u0434\u0430", "spa": "Ruanda" }, "latlng": [-2, 30], "demonym": "Rwandan", "borders": ["BDI", "COD", "TZA", "UGA"], "area": 26338 }, { "name": { "common": "Saint Barth\u00e9lemy", "official": "Collectivity of Saint Barth\u00e9lemySaint Barth\u00e9lemy", "native": { "common": "Saint-Barth\u00e9lemy", "official": "Collectivit\u00e9 de Saint Barth\u00e9lemy Barth\u00e9lemySaint" } }, "tld": [".bl"], "cca2": "BL", "ccn3": "652", "cca3": "BLM", "currency": ["EUR"], "callingCode": ["590"], "capital": "Gustavia", "altSpellings": ["BL", "St. Barthelemy", "Collectivity of Saint Barth\u00e9lemy", "Collectivit\u00e9 de Saint-Barth\u00e9lemy"], "relevance": "0", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "fra", "languages": { "fra": "French" }, "translations": { "deu": "Saint-Barth\u00e9lemy", "fra": "Saint-Barth\u00e9lemy", "hrv": "Saint Barth\u00e9lemy", "ita": "Antille Francesi", "jpn": "\u30b5\u30f3\u30fb\u30d0\u30eb\u30c6\u30eb\u30df\u30fc", "nld": "Saint Barth\u00e9lemy", "rus": "\u0421\u0435\u043d-\u0411\u0430\u0440\u0442\u0435\u043b\u0435\u043c\u0438", "spa": "San Bartolom\u00e9" }, "latlng": [18.5, -63.41666666], "demonym": "Saint Barth\u00e9lemy Islander", "borders": [], "area": 21 }, { "name": { "common": "Saint Helena, Ascension and Tristan da Cunha", "official": "Saint Helena, Ascension and Tristan da Cunha", "native": { "common": "Saint Helena, Ascension and Tristan da Cunha", "official": "Saint Helena, Ascension and Tristan da Cunha" } }, "tld": [".sh"], "cca2": "SH", "ccn3": "654", "cca3": "SHN", "currency": ["SHP"], "callingCode": ["290"], "capital": "Jamestown", "altSpellings": ["SH"], "relevance": "0", "region": "Africa", "subregion": "Western Africa", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "Sankt Helena", "fra": "Sainte-H\u00e9l\u00e8ne", "hrv": "Sveta Helena", "ita": "Sant'Elena", "jpn": "\u30bb\u30f3\u30c8\u30d8\u30ec\u30ca\u30fb\u30a2\u30bb\u30f3\u30b7\u30e7\u30f3\u304a\u3088\u3073\u30c8\u30ea\u30b9\u30bf\u30f3\u30c0\u30af\u30fc\u30cb\u30e3", "nld": "Sint-Helena", "rus": "\u041e\u0441\u0442\u0440\u043e\u0432 \u0421\u0432\u044f\u0442\u043e\u0439 \u0415\u043b\u0435\u043d\u044b", "spa": "Santa Helena" }, "latlng": [-15.95, -5.7], "demonym": "Saint Helenian", "borders": [], "area": 397 }, { "name": { "common": "Saint Kitts and Nevis", "official": "Federation of Saint Christopher and Nevisa", "native": { "common": "Saint Kitts and Nevis", "official": "Federation of Saint Christopher and Nevisa" } }, "tld": [".kn"], "cca2": "KN", "ccn3": "659", "cca3": "KNA", "currency": ["XCD"], "callingCode": ["1869"], "capital": "Basseterre", "altSpellings": ["KN", "Federation of Saint Christopher and Nevis"], "relevance": "0", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "Saint Christopher und Nevis", "fra": "Saint-Christophe-et-Ni\u00e9v\u00e8s", "hrv": "Sveti Kristof i Nevis", "ita": "Saint Kitts e Nevis", "jpn": "\u30bb\u30f3\u30c8\u30af\u30ea\u30b9\u30c8\u30d5\u30a1\u30fc\u30fb\u30cd\u30a4\u30d3\u30b9", "nld": "Saint Kitts en Nevis", "rus": "\u0421\u0435\u043d\u0442-\u041a\u0438\u0442\u0441 \u0438 \u041d\u0435\u0432\u0438\u0441", "spa": "San Crist\u00f3bal y Nieves" }, "latlng": [17.33333333, -62.75], "demonym": "Kittitian or Nevisian", "borders": [], "area": 261 }, { "name": { "common": "Saint Lucia", "official": "Saint Lucia", "native": { "common": "Saint Lucia", "official": "Saint Lucia" } }, "tld": [".lc"], "cca2": "LC", "ccn3": "662", "cca3": "LCA", "currency": ["XCD"], "callingCode": ["1758"], "capital": "Castries", "altSpellings": ["LC"], "relevance": "0", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "Saint Lucia", "fra": "Saint-Lucie", "hrv": "Sveta Lucija", "ita": "Santa Lucia", "jpn": "\u30bb\u30f3\u30c8\u30eb\u30b7\u30a2", "nld": "Saint Lucia", "rus": "\u0421\u0435\u043d\u0442-\u041b\u044e\u0441\u0438\u044f", "spa": "Santa Luc\u00eda" }, "latlng": [13.88333333, -60.96666666], "demonym": "Saint Lucian", "borders": [], "area": 616 }, { "name": { "common": "Saint Martin", "official": "Saint Pierre and Miquelon", "native": { "common": "Saint-Martin", "official": "Saint-Pierre-et-Miquelon" } }, "tld": [".fr", ".gp"], "cca2": "MF", "ccn3": "663", "cca3": "MAF", "currency": ["EUR"], "callingCode": ["590"], "capital": "Marigot", "altSpellings": ["MF", "Collectivity of Saint Martin", "Collectivit\u00e9 de Saint-Martin"], "relevance": "0", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "fra", "languages": { "fra": "French" }, "translations": { "deu": "Saint Martin", "fra": "Saint-Martin", "hrv": "Sveti Martin", "ita": "Saint Martin", "jpn": "\u30b5\u30f3\u30fb\u30de\u30eb\u30bf\u30f3\uff08\u30d5\u30e9\u30f3\u30b9\u9818\uff09", "nld": "Saint-Martin", "rus": "\u0421\u0435\u043d-\u041c\u0430\u0440\u0442\u0435\u043d", "spa": "Saint Martin" }, "latlng": [18.08333333, -63.95], "demonym": "Saint Martin Islander", "borders": ["SXM"], "area": 53 }, { "name": { "common": "Saint Pierre and Miquelon", "official": "Saint-Pierre-et-Miquelon", "native": { "common": "Saint-Pierre-et-Miquelon", "official": "Collectivit\u00E9 territoriale de Saint-Pierre-et-Miquelon" } }, "tld": [".pm"], "cca2": "PM", "ccn3": "666", "cca3": "SPM", "currency": ["EUR"], "callingCode": ["508"], "capital": "Saint-Pierre", "altSpellings": ["PM", "Collectivit\u00e9 territoriale de Saint-Pierre-et-Miquelon"], "relevance": "0", "region": "Americas", "subregion": "Northern America", "nativeLanguage": "fra", "languages": { "fra": "French" }, "translations": { "deu": "Saint-Pierre und Miquelon", "fra": "Saint-Pierre-et-Miquelon", "hrv": "Sveti Petar i Mikelon", "ita": "Saint-Pierre e Miquelon", "jpn": "\u30b5\u30f3\u30d4\u30a8\u30fc\u30eb\u5cf6\u30fb\u30df\u30af\u30ed\u30f3\u5cf6", "nld": "Saint Pierre en Miquelon", "rus": "\u0421\u0435\u043d-\u041f\u044c\u0435\u0440 \u0438 \u041c\u0438\u043a\u0435\u043b\u043e\u043d", "spa": "San Pedro y Miquel\u00f3n" }, "latlng": [46.83333333, -56.33333333], "demonym": "French", "borders": [], "area": 242 }, { "name": { "common": "Saint Vincent and the Grenadines", "official": "Saint Vincent and the Grenadines", "native": { "common": "Saint Vincent and the Grenadines", "official": "Saint Vincent and the Grenadines" } }, "tld": [".vc"], "cca2": "VC", "ccn3": "670", "cca3": "VCT", "currency": ["XCD"], "callingCode": ["1784"], "capital": "Kingstown", "altSpellings": ["VC"], "relevance": "0", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "Saint Vincent und die Grenadinen", "fra": "Saint-Vincent-et-les-Grenadines", "hrv": "Sveti Vincent i Grenadini", "ita": "Saint Vincent e Grenadine", "jpn": "\u30bb\u30f3\u30c8\u30d3\u30f3\u30bb\u30f3\u30c8\u304a\u3088\u3073\u30b0\u30ec\u30ca\u30c7\u30a3\u30fc\u30f3\u8af8\u5cf6", "nld": "Saint Vincent en de Grenadines", "rus": "\u0421\u0435\u043d\u0442-\u0412\u0438\u043d\u0441\u0435\u043d\u0442 \u0438 \u0413\u0440\u0435\u043d\u0430\u0434\u0438\u043d\u044b", "spa": "San Vicente y Granadinas" }, "latlng": [13.25, -61.2], "demonym": "Saint Vincentian", "borders": [], "area": 389 }, { "name": { "common": "Samoa", "official": "Independent State of Samoa", "native": { "common": "S\u0101moa", "official": "Malo Sa\u02bboloto Tuto\u02bbatasi o S\u0101moa" } }, "tld": [".ws"], "cca2": "WS", "ccn3": "882", "cca3": "WSM", "currency": ["WST"], "callingCode": ["685"], "capital": "Apia", "altSpellings": ["WS", "Independent State of Samoa", "Malo Sa\u02bboloto Tuto\u02bbatasi o S\u0101moa"], "relevance": "0", "region": "Oceania", "subregion": "Polynesia", "nativeLanguage": "smo", "languages": { "eng": "English", "smo": "Samoan" }, "translations": { "deu": "Samoa", "fra": "Samoa", "hrv": "Samoa", "ita": "Samoa", "jpn": "\u30b5\u30e2\u30a2", "nld": "Samoa", "rus": "\u0421\u0430\u043c\u043e\u0430", "spa": "Samoa" }, "latlng": [-13.58333333, -172.33333333], "demonym": "Samoan", "borders": [], "area": 2842 }, { "name": { "common": "San Marino", "official": "Most Serene Republic of San Marino", "native": { "common": "San Marino", "official": "Serenissima Repubblica di San Marino" } }, "tld": [".sm"], "cca2": "SM", "ccn3": "674", "cca3": "SMR", "currency": ["EUR"], "callingCode": ["378"], "capital": "City of San Marino", "altSpellings": ["SM", "Republic of San Marino", "Repubblica di San Marino"], "relevance": "0", "region": "Europe", "subregion": "Southern Europe", "nativeLanguage": "ita", "languages": { "ita": "Italian" }, "translations": { "deu": "San Marino", "fra": "Saint-Marin", "hrv": "San Marino", "ita": "San Marino", "jpn": "\u30b5\u30f3\u30de\u30ea\u30ce", "nld": "San Marino", "rus": "\u0421\u0430\u043d-\u041c\u0430\u0440\u0438\u043d\u043e", "spa": "San Marino" }, "latlng": [43.76666666, 12.41666666], "demonym": "Sammarinese", "borders": ["ITA"], "area": 61 }, { "name": { "common": "S\u00e3o Tom\u00e9 and Pr\u00edncipe", "official": "Democratic Republic of S\u00e3o Tom\u00e9 and Pr\u00edncipe", "native": { "common": "S\u00e3o Tom\u00e9 e Pr\u00edncipe", "official": "Rep\u00fablica Democr\u00e1tica do S\u00e3o Tom\u00e9 e Pr\u00edncipe" } }, "tld": [".st"], "cca2": "ST", "ccn3": "678", "cca3": "STP", "currency": ["STD"], "callingCode": ["239"], "capital": "S\u00e3o Tom\u00e9", "altSpellings": ["ST", "Democratic Republic of S\u00e3o Tom\u00e9 and Pr\u00edncipe", "Rep\u00fablica Democr\u00e1tica de S\u00e3o Tom\u00e9 e Pr\u00edncipe"], "relevance": "0", "region": "Africa", "subregion": "Middle Africa", "nativeLanguage": "por", "languages": { "por": "Portuguese" }, "translations": { "deu": "S\u00e3o Tom\u00e9 und Pr\u00edncipe", "fra": "Sao Tom\u00e9-et-Principe", "hrv": "Sveti Toma i Princip", "ita": "S\u00e3o Tom\u00e9 e Pr\u00edncipe", "jpn": "\u30b5\u30f3\u30c8\u30e1\u30fb\u30d7\u30ea\u30f3\u30b7\u30da", "nld": "Sao Tom\u00e9 en Principe", "rus": "\u0421\u0430\u043d-\u0422\u043e\u043c\u0435 \u0438 \u041f\u0440\u0438\u043d\u0441\u0438\u043f\u0438", "spa": "Santo Tom\u00e9 y Pr\u00edncipe" }, "latlng": [1, 7], "demonym": "Sao Tomean", "borders": [], "area": 964 }, { "name": { "common": "Saudi Arabia", "official": "Kingdom of Saudi Arabia", "native": { "common": "\u0627\u0644\u0639\u0631\u0628\u064a\u0629 \u0627\u0644\u0633\u0639\u0648\u062f\u064a\u0629", "official": "\u0627\u0644\u0645\u0645\u0644\u0643\u0629 \u0627\u0644\u0639\u0631\u0628\u064a\u0629 \u0627\u0644\u0633\u0639\u0648\u062f\u064a\u0629" } }, "tld": [".sa", ".\u0627\u0644\u0633\u0639\u0648\u062f\u064a\u0629"], "cca2": "SA", "ccn3": "682", "cca3": "SAU", "currency": ["SAR"], "callingCode": ["966"], "capital": "Riyadh", "altSpellings": ["Saudi", "SA", "Kingdom of Saudi Arabia", "Al-Mamlakah al-\u2018Arabiyyah as-Su\u2018\u016bdiyyah"], "relevance": "0", "region": "Asia", "subregion": "Western Asia", "nativeLanguage": "ara", "languages": { "ara": "Arabic" }, "translations": { "deu": "Saudi-Arabien", "fra": "Arabie Saoudite", "hrv": "Saudijska Arabija", "ita": "Arabia Saudita", "jpn": "\u30b5\u30a6\u30b8\u30a2\u30e9\u30d3\u30a2", "nld": "Saoedi-Arabi\u00eb", "rus": "\u0421\u0430\u0443\u0434\u043e\u0432\u0441\u043a\u0430\u044f \u0410\u0440\u0430\u0432\u0438\u044f", "spa": "Arabia Saud\u00ed" }, "latlng": [25, 45], "demonym": "Saudi Arabian", "borders": ["IRQ", "JOR", "KWT", "OMN", "QAT", "ARE", "YEM"], "area": 2149690 }, { "name": { "common": "Senegal", "official": "Republic of Senegal", "native": { "common": "S\u00e9n\u00e9gal", "official": "R\u00e9publique du S\u00e9n\u00e9gal" } }, "tld": [".sn"], "cca2": "SN", "ccn3": "686", "cca3": "SEN", "currency": ["XOF"], "callingCode": ["221"], "capital": "Dakar", "altSpellings": ["SN", "Republic of Senegal", "R\u00e9publique du S\u00e9n\u00e9gal"], "relevance": "0", "region": "Africa", "subregion": "Western Africa", "nativeLanguage": "fra", "languages": { "fra": "French" }, "translations": { "deu": "Senegal", "fra": "S\u00e9n\u00e9gal", "hrv": "Senegal", "ita": "Senegal", "jpn": "\u30bb\u30cd\u30ac\u30eb", "nld": "Senegal", "rus": "\u0421\u0435\u043d\u0435\u0433\u0430\u043b", "spa": "Senegal" }, "latlng": [14, -14], "demonym": "Senegalese", "borders": ["GMB", "GIN", "GNB", "MLI", "MRT"], "area": 196722 }, { "name": { "common": "Serbia", "official": "Republic of Serbia", "native": { "common": "\u0421\u0440\u0431\u0438\u0458\u0430", "official": "\u0420\u0435\u043f\u0443\u0431\u043b\u0438\u043a\u0430 \u0421\u0440\u0431\u0438\u0458\u0430" } }, "tld": [".rs", ".\u0441\u0440\u0431"], "cca2": "RS", "ccn3": "688", "cca3": "SRB", "currency": ["RSD"], "callingCode": ["381"], "capital": "Belgrade", "altSpellings": ["RS", "Srbija", "Republic of Serbia", "\u0420\u0435\u043f\u0443\u0431\u043b\u0438\u043a\u0430 \u0421\u0440\u0431\u0438\u0458\u0430", "Republika Srbija"], "relevance": "0", "region": "Europe", "subregion": "Southern Europe", "nativeLanguage": "srp", "languages": { "srp": "Serbian" }, "translations": { "deu": "Serbien", "fra": "Serbie", "hrv": "Srbija", "ita": "Serbia", "jpn": "\u30bb\u30eb\u30d3\u30a2", "nld": "Servi\u00eb", "rus": "\u0421\u0435\u0440\u0431\u0438\u044f", "spa": "Serbia" }, "latlng": [44, 21], "demonym": "Serbian", "borders": ["BIH", "BGR", "HRV", "HUN", "KOS", "MKD", "MNE", "ROU"], "area": 88361 }, { "name": { "common": "Seychelles", "official": "Republic of Seychelles", "native": { "common": "Seychelles", "official": "R\u00e9publique des Seychelles" } }, "tld": [".sc"], "cca2": "SC", "ccn3": "690", "cca3": "SYC", "currency": ["SCR"], "callingCode": ["248"], "capital": "Victoria", "altSpellings": ["SC", "Republic of Seychelles", "Repiblik Sesel", "R\u00e9publique des Seychelles"], "relevance": "0.5", "region": "Africa", "subregion": "Eastern Africa", "nativeLanguage": "fra", "languages": { "crs": "Seychellois Creole", "eng": "English", "fra": "French" }, "translations": { "deu": "Seychellen", "fra": "Seychelles", "hrv": "Sej\u0161eli", "ita": "Seychelles", "jpn": "\u30bb\u30fc\u30b7\u30a7\u30eb", "nld": "Seychellen", "rus": "\u0421\u0435\u0439\u0448\u0435\u043b\u044c\u0441\u043a\u0438\u0435 \u041e\u0441\u0442\u0440\u043e\u0432\u0430", "spa": "Seychelles" }, "latlng": [-4.58333333, 55.66666666], "demonym": "Seychellois", "borders": [], "area": 452 }, { "name": { "common": "Sierra Leone", "official": "Republic of Sierra Leone", "native": { "common": "Sierra Leone", "official": "Republic of Sierra Leone" } }, "tld": [".sl"], "cca2": "SL", "ccn3": "694", "cca3": "SLE", "currency": ["SLL"], "callingCode": ["232"], "capital": "Freetown", "altSpellings": ["SL", "Republic of Sierra Leone"], "relevance": "0", "region": "Africa", "subregion": "Western Africa", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "Sierra Leone", "fra": "Sierra Leone", "hrv": "Sijera Leone", "ita": "Sierra Leone", "jpn": "\u30b7\u30a8\u30e9\u30ec\u30aa\u30cd", "nld": "Sierra Leone", "rus": "\u0421\u044c\u0435\u0440\u0440\u0430-\u041b\u0435\u043e\u043d\u0435", "spa": "Sierra Leone" }, "latlng": [8.5, -11.5], "demonym": "Sierra Leonean", "borders": ["GIN", "LBR"], "area": 71740 }, { "name": { "common": "Singapore", "official": "Republic of Singapore", "native": { "common": "Singapore", "official": "Republic of Singapore" } }, "tld": [".sg", ".\u65b0\u52a0\u5761", ".\u0b9a\u0bbf\u0b99\u0bcd\u0b95\u0baa\u0bcd\u0baa\u0bc2\u0bb0\u0bcd"], "cca2": "SG", "ccn3": "702", "cca3": "SGP", "currency": ["SGD"], "callingCode": ["65"], "capital": "Singapore", "altSpellings": ["SG", "Singapura", "Republik Singapura", "\u65b0\u52a0\u5761\u5171\u548c\u56fd"], "relevance": "0", "region": "Asia", "subregion": "South-Eastern Asia", "nativeLanguage": "eng", "languages": { "cmn": "Mandarin", "eng": "English", "msa": "Malay", "tam": "Tamil" }, "translations": { "deu": "Singapur", "fra": "Singapour", "hrv": "Singapur", "ita": "Singapore", "jpn": "\u30b7\u30f3\u30ac\u30dd\u30fc\u30eb", "nld": "Singapore", "rus": "\u0421\u0438\u043d\u0433\u0430\u043f\u0443\u0440", "spa": "Singapur" }, "latlng": [1.36666666, 103.8], "demonym": "Singaporean", "borders": [], "area": 710 }, { "name": { "common": "Sint Maarten", "official": "Sint Maarten", "native": { "common": "Sint Maarten", "official": "Sint Maarten" } }, "tld": [".sx"], "cca2": "SX", "ccn3": "534", "cca3": "SXM", "currency": ["ANG"], "callingCode": ["1721"], "capital": "Philipsburg", "altSpellings": ["SX"], "relevance": "0", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "nld", "languages": { "eng": "English", "fra": "French", "nld": "Dutch" }, "translations": { "deu": "Sint Maarten", "fra": "Saint-Martin", "ita": "Sint Maarten", "jpn": "\u30b7\u30f3\u30c8\u30fb\u30de\u30fc\u30eb\u30c6\u30f3", "nld": "Sint Maarten", "rus": "\u0421\u0438\u043d\u0442-\u041c\u0430\u0440\u0442\u0435\u043d", "spa": "Sint Maarten" }, "latlng": [18.033333, -63.05], "demonym": "St. Maartener", "borders": ["MAF"], "area": 34 }, { "name": { "common": "Slovakia", "official": "Slovak Republic", "native": { "common": "Slovensko", "official": "slovensk\u00e1 republika" } }, "tld": [".sk"], "cca2": "SK", "ccn3": "703", "cca3": "SVK", "currency": ["EUR"], "callingCode": ["421"], "capital": "Bratislava", "altSpellings": ["SK", "Slovak Republic", "Slovensk\u00e1 republika"], "relevance": "0", "region": "Europe", "subregion": "Eastern Europe", "nativeLanguage": "slk", "languages": { "slk": "Slovak" }, "translations": { "deu": "Slowakei", "fra": "Slovaquie", "hrv": "Slova\u010dka", "ita": "Slovacchia", "jpn": "\u30b9\u30ed\u30d0\u30ad\u30a2", "nld": "Slowakije", "rus": "\u0421\u043b\u043e\u0432\u0430\u043a\u0438\u044f", "spa": "Rep\u00fablica Eslovaca" }, "latlng": [48.66666666, 19.5], "demonym": "Slovak", "borders": ["AUT", "CZE", "HUN", "POL", "UKR"], "area": 49037 }, { "name": { "common": "Slovenia", "official": "Republic of Slovenia", "native": { "common": "Slovenija", "official": "Republika Slovenija" } }, "tld": [".si"], "cca2": "SI", "ccn3": "705", "cca3": "SVN", "currency": ["EUR"], "callingCode": ["386"], "capital": "Ljubljana", "altSpellings": ["SI", "Republic of Slovenia", "Republika Slovenija"], "relevance": "0", "region": "Europe", "subregion": "Southern Europe", "nativeLanguage": "slv", "languages": { "slv": "Slovene" }, "translations": { "deu": "Slowenien", "fra": "Slov\u00e9nie", "hrv": "Slovenija", "ita": "Slovenia", "jpn": "\u30b9\u30ed\u30d9\u30cb\u30a2", "nld": "Sloveni\u00eb", "rus": "\u0421\u043b\u043e\u0432\u0435\u043d\u0438\u044f", "spa": "Eslovenia" }, "latlng": [46.11666666, 14.81666666], "demonym": "Slovene", "borders": ["AUT", "HRV", "ITA", "HUN"], "area": 20273 }, { "name": { "common": "Solomon Islands", "official": "Solomon Islands", "native": { "common": "Solomon Islands", "official": "Solomon Islands" } }, "tld": [".sb"], "cca2": "SB", "ccn3": "090", "cca3": "SLB", "currency": ["SDB"], "callingCode": ["677"], "capital": "Honiara", "altSpellings": ["SB"], "relevance": "0", "region": "Oceania", "subregion": "Melanesia", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "Salomonen", "fra": "\u00celes Salomon", "hrv": "Solomonski Otoci", "ita": "Isole Salomone", "jpn": "\u30bd\u30ed\u30e2\u30f3\u8af8\u5cf6", "nld": "Salomonseilanden", "rus": "\u0421\u043e\u043b\u043e\u043c\u043e\u043d\u043e\u0432\u044b \u041e\u0441\u0442\u0440\u043e\u0432\u0430", "spa": "Islas Salom\u00f3n" }, "latlng": [-8, 159], "demonym": "Solomon Islander", "borders": [], "area": 28896 }, { "name": { "common": "Somalia", "official": "Federal Republic of Somalia", "native": { "common": "Soomaaliya", "official": "Jamhuuriyadda Federaalka Soomaaliya" } }, "tld": [".so"], "cca2": "SO", "ccn3": "706", "cca3": "SOM", "currency": ["SOS"], "callingCode": ["252"], "capital": "Mogadishu", "altSpellings": ["SO", "a\u1e63-\u1e62\u016bm\u0101l", "Federal Republic of Somalia", "Jamhuuriyadda Federaalka Soomaaliya", "Jumh\u016briyyat a\u1e63-\u1e62\u016bm\u0101l al-Fider\u0101liyya"], "relevance": "0", "region": "Africa", "subregion": "Eastern Africa", "nativeLanguage": "som", "languages": { "ara": "Arabic", "som": "Somali" }, "translations": { "deu": "Somalia", "fra": "Somalie", "hrv": "Somalija", "ita": "Somalia", "jpn": "\u30bd\u30de\u30ea\u30a2", "nld": "Somali\u00eb", "rus": "\u0421\u043e\u043c\u0430\u043b\u0438", "spa": "Somalia" }, "latlng": [10, 49], "demonym": "Somali", "borders": ["DJI", "ETH", "KEN"], "area": 637657 }, { "name": { "common": "South Africa", "official": "Republic of South Africa", "native": { "common": "South Africa", "official": "Republiek van Suid-Afrika" } }, "tld": [".za"], "cca2": "ZA", "ccn3": "710", "cca3": "ZAF", "currency": ["ZAR"], "callingCode": ["27"], "capital": "Pretoria", "altSpellings": ["ZA", "RSA", "Suid-Afrika", "Republic of South Africa"], "relevance": "0", "region": "Africa", "subregion": "Southern Africa", "nativeLanguage": "afr", "languages": { "afr": "Afrikaans", "eng": "English", "nbl": "Southern Ndebele", "nso": "Northern Sotho", "sot": "Sotho", "ssw": "Swazi", "tsn": "Tswana", "tso": "Tsonga", "ven": "Venda", "xho": "Xhosa", "zul": "Zulu" }, "translations": { "deu": "Republik S\u00fcdafrika", "fra": "Afrique du Sud", "hrv": "Ju\u017enoafri\u010dka Republika", "ita": "Sud Africa", "jpn": "\u5357\u30a2\u30d5\u30ea\u30ab", "nld": "Zuid-Afrika", "rus": "\u042e\u0436\u043d\u043e-\u0410\u0444\u0440\u0438\u043a\u0430\u043d\u0441\u043a\u0430\u044f \u0420\u0435\u0441\u043f\u0443\u0431\u043b\u0438\u043a\u0430", "spa": "Rep\u00fablica de Sud\u00e1frica" }, "latlng": [-29, 24], "demonym": "South African", "borders": ["BWA", "LSO", "MOZ", "NAM", "SWZ", "ZWE"], "area": 1221037 }, { "name": { "common": "South Georgia", "official": "South Georgia and the South Sandwich Islands", "native": { "common": "South Georgia", "official": "South Georgia and the South Sandwich Islands" } }, "tld": [".gs"], "cca2": "GS", "ccn3": "239", "cca3": "SGS", "currency": ["GBP"], "callingCode": ["500"], "capital": "King Edward Point", "altSpellings": ["GS", "South Georgia and the South Sandwich Islands"], "relevance": "0", "region": "Americas", "subregion": "South America", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "S\u00fcdgeorgien und die S\u00fcdlichen Sandwichinseln", "fra": "G\u00e9orgie du Sud-et-les \u00celes Sandwich du Sud", "hrv": "Ju\u017ena Georgija i oto\u010dje Ju\u017eni Sandwich", "ita": "Georgia del Sud e Isole Sandwich Meridionali", "jpn": "\u30b5\u30a6\u30b9\u30b8\u30e7\u30fc\u30b8\u30a2\u30fb\u30b5\u30a6\u30b9\u30b5\u30f3\u30c9\u30a6\u30a3\u30c3\u30c1\u8af8\u5cf6", "nld": "Zuid-Georgia en Zuidelijke Sandwicheilanden", "rus": "\u042e\u0436\u043d\u0430\u044f \u0413\u0435\u043e\u0440\u0433\u0438\u044f \u0438 \u042e\u0436\u043d\u044b\u0435 \u0421\u0430\u043d\u0434\u0432\u0438\u0447\u0435\u0432\u044b \u043e\u0441\u0442\u0440\u043e\u0432\u0430", "spa": "Islas Georgias del Sur y Sandwich del Sur" }, "latlng": [-54.5, -37], "demonym": "South Georgian South Sandwich Islander", "borders": [], "area": 3903 }, { "name": { "common": "South Korea", "official": "Republic of Korea", "native": { "common": "\ub300\ud55c\ubbfc\uad6d", "official": "\ud55c\uad6d" } }, "tld": [".kr", ".\ud55c\uad6d"], "cca2": "KR", "ccn3": "410", "cca3": "KOR", "currency": ["KRW"], "callingCode": ["82"], "capital": "Seoul", "altSpellings": ["KR", "Republic of Korea"], "relevance": "1.5", "region": "Asia", "subregion": "Eastern Asia", "nativeLanguage": "kor", "languages": { "kor": "Korean" }, "translations": { "deu": "S\u00fcdkorea", "fra": "Cor\u00e9e du Sud", "hrv": "Ju\u017ena Koreja", "ita": "Corea del Sud", "jpn": "\u5927\u97d3\u6c11\u56fd", "nld": "Zuid-Korea", "rus": "\u042e\u0436\u043d\u0430\u044f \u041a\u043e\u0440\u0435\u044f", "spa": "Corea del Sur" }, "latlng": [37, 127.5], "demonym": "South Korean", "borders": ["PRK"], "area": 100210 }, { "name": { "common": "South Sudan", "official": "Republic of South SudanSouth Sudan", "native": { "common": "South Sudan", "official": "Republic of South SudanSouth Sudan" } }, "tld": [".ss"], "cca2": "SS", "ccn3": "728", "cca3": "SSD", "currency": ["SSP"], "callingCode": ["211"], "capital": "Juba", "altSpellings": ["SS"], "relevance": "0", "region": "Africa", "subregion": "Middle Africa", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "S\u00fcdsudan", "fra": "Soudan du Sud", "hrv": "Ju\u017eni Sudan", "ita": "Sudan del sud", "jpn": "\u5357\u30b9\u30fc\u30c0\u30f3", "nld": "Zuid-Soedan", "rus": "\u042e\u0436\u043d\u044b\u0439 \u0421\u0443\u0434\u0430\u043d", "spa": "Sud\u00e1n del Sur" }, "latlng": [7, 30], "demonym": "South Sudanese", "borders": ["CAF", "COD", "ETH", "KEN", "SDN", "UGA"], "area": 619745 }, { "name": { "common": "Spain", "official": "Kingdom of Spain", "native": { "common": "Espa\u00f1a", "official": "Reino de Espa\u00f1a" } }, "tld": [".es"], "cca2": "ES", "ccn3": "724", "cca3": "ESP", "currency": ["EUR"], "callingCode": ["34"], "capital": "Madrid", "altSpellings": ["ES", "Kingdom of Spain", "Reino de Espa\u00f1a"], "relevance": "2", "region": "Europe", "subregion": "Southern Europe", "nativeLanguage": "spa", "languages": { "cat": "Catalan", "eus": "Basque", "glg": "Galician", "oci": "Occitan", "spa": "Spanish" }, "translations": { "deu": "Spanien", "fra": "Espagne", "hrv": "\u0160panjolska", "ita": "Spagna", "jpn": "\u30b9\u30da\u30a4\u30f3", "nld": "Spanje", "rus": "\u0418\u0441\u043f\u0430\u043d\u0438\u044f", "spa": "Espa\u00f1a" }, "latlng": [40, -4], "demonym": "Spanish", "borders": ["AND", "FRA", "GIB", "PRT", "MAR"], "area": 505992 }, { "name": { "common": "Sri Lanka", "official": "Democratic Socialist Republic of Sri Lanka", "native": { "common": "\u0dc1\u0dca\u200d\u0dbb\u0dd3 \u0dbd\u0d82\u0d9a\u0dcf\u0dc0", "official": "\u0dc1\u0dca\u200d\u0dbb\u0dd3 \u0dbd\u0d82\u0d9a\u0dcf \u0db4\u0dca\u200d\u0dbb\u0da2\u0dcf\u0dad\u0dcf\u0db1\u0dca\u0dad\u0dca\u200d\u0dbb\u0dd2\u0d9a \u0dc3\u0db8\u0dcf\u0da2\u0dc0\u0dcf\u0daf\u0dd3 \u0da2\u0db1\u0dbb\u0da2\u0dba" } }, "tld": [".lk", ".\u0b87\u0bb2\u0b99\u0bcd\u0b95\u0bc8", ".\u0dbd\u0d82\u0d9a\u0dcf"], "cca2": "LK", "ccn3": "144", "cca3": "LKA", "currency": ["LKR"], "callingCode": ["94"], "capital": "Colombo", "altSpellings": ["LK", "ila\u1e45kai", "Democratic Socialist Republic of Sri Lanka"], "relevance": "0", "region": "Asia", "subregion": "Southern Asia", "nativeLanguage": "sin", "languages": { "sin": "Sinhala", "tam": "Tamil" }, "translations": { "deu": "Sri Lanka", "fra": "Sri Lanka", "hrv": "\u0160ri Lanka", "ita": "Sri Lanka", "jpn": "\u30b9\u30ea\u30e9\u30f3\u30ab", "nld": "Sri Lanka", "rus": "\u0428\u0440\u0438-\u041b\u0430\u043d\u043a\u0430", "spa": "Sri Lanka" }, "latlng": [7, 81], "demonym": "Sri Lankan", "borders": ["IND"], "area": 65610 }, { "name": { "common": "Sudan", "official": "Republic of the Sudan", "native": { "common": "\u0627\u0644\u0633\u0648\u062f\u0627\u0646", "official": "\u062c\u0645\u0647\u0648\u0631\u064a\u0629 \u0627\u0644\u0633\u0648\u062f\u0627\u0646" } }, "tld": [".sd"], "cca2": "SD", "ccn3": "729", "cca3": "SDN", "currency": ["SDG"], "callingCode": ["249"], "capital": "Khartoum", "altSpellings": ["SD", "Republic of the Sudan", "Jumh\u016br\u012byat as-S\u016bd\u0101n"], "relevance": "0", "region": "Africa", "subregion": "Northern Africa", "nativeLanguage": "ara", "languages": { "ara": "Arabic", "eng": "English" }, "translations": { "deu": "Sudan", "fra": "Soudan", "hrv": "Sudan", "ita": "Sudan", "jpn": "\u30b9\u30fc\u30c0\u30f3", "nld": "Soedan", "rus": "\u0421\u0443\u0434\u0430\u043d", "spa": "Sud\u00e1n" }, "latlng": [15, 30], "demonym": "Sudanese", "borders": ["CAF", "TCD", "EGY", "ERI", "ETH", "LBY", "SSD"], "area": 1886068 }, { "name": { "common": "Suriname", "official": "Republic of Suriname", "native": { "common": "Suriname", "official": "Republiek Suriname" } }, "tld": [".sr"], "cca2": "SR", "ccn3": "740", "cca3": "SUR", "currency": ["SRD"], "callingCode": ["597"], "capital": "Paramaribo", "altSpellings": ["SR", "Sarnam", "Sranangron", "Republic of Suriname", "Republiek Suriname"], "relevance": "0", "region": "Americas", "subregion": "South America", "nativeLanguage": "nld", "languages": { "nld": "Dutch" }, "translations": { "deu": "Suriname", "fra": "Surinam", "hrv": "Surinam", "ita": "Suriname", "jpn": "\u30b9\u30ea\u30ca\u30e0", "nld": "Suriname", "rus": "\u0421\u0443\u0440\u0438\u043d\u0430\u043c", "spa": "Surinam" }, "latlng": [4, -56], "demonym": "Surinamer", "borders": ["BRA", "GUF", "GUY"], "area": 163820 }, { "name": { "common": "Svalbard and Jan Mayen", "official": "Svalbard og Jan Mayen", "native": { "common": "Svalbard og Jan Mayen", "official": "Svalbard og Jan Mayen" } }, "tld": [".sj"], "cca2": "SJ", "ccn3": "744", "cca3": "SJM", "currency": ["NOK"], "callingCode": ["4779"], "capital": "Longyearbyen", "altSpellings": ["SJ", "Svalbard and Jan Mayen Islands"], "relevance": "0.5", "region": "Europe", "subregion": "Northern Europe", "nativeLanguage": "nor", "languages": { "nor": "Norwegian" }, "translations": { "deu": "Svalbard und Jan Mayen", "fra": "Svalbard et Jan Mayen", "hrv": "Svalbard i Jan Mayen", "ita": "Svalbard e Jan Mayen", "jpn": "\u30b9\u30f4\u30a1\u30fc\u30eb\u30d0\u30eb\u8af8\u5cf6\u304a\u3088\u3073\u30e4\u30f3\u30de\u30a4\u30a8\u30f3\u5cf6", "nld": "Svalbard en Jan Mayen", "rus": "\u0428\u043f\u0438\u0446\u0431\u0435\u0440\u0433\u0435\u043d \u0438 \u042f\u043d-\u041c\u0430\u0439\u0435\u043d", "spa": "Islas Svalbard y Jan Mayen" }, "latlng": [78, 20], "demonym": "Norwegian", "borders": [], "area": -1 }, { "name": { "common": "Swaziland", "official": "Kingdom of Swaziland", "native": { "common": "Swaziland", "official": "Kingdom of Swaziland" } }, "tld": [".sz"], "cca2": "SZ", "ccn3": "748", "cca3": "SWZ", "currency": ["SZL"], "callingCode": ["268"], "capital": "Lobamba", "altSpellings": ["SZ", "weSwatini", "Swatini", "Ngwane", "Kingdom of Swaziland", "Umbuso waseSwatini"], "relevance": "0", "region": "Africa", "subregion": "Southern Africa", "nativeLanguage": "ssw", "languages": { "eng": "English", "ssw": "Swazi" }, "translations": { "deu": "Swasiland", "fra": "Swaziland", "hrv": "Svazi", "ita": "Swaziland", "jpn": "\u30b9\u30ef\u30b8\u30e9\u30f3\u30c9", "nld": "Swaziland", "rus": "\u0421\u0432\u0430\u0437\u0438\u043b\u0435\u043d\u0434", "spa": "Suazilandia" }, "latlng": [-26.5, 31.5], "demonym": "Swazi", "borders": ["MOZ", "ZAF"], "area": 17364 }, { "name": { "common": "Sweden", "official": "Kingdom of Sweden", "native": { "common": "Sverige", "official": "Konungariket Sverige" } }, "tld": [".se"], "cca2": "SE", "ccn3": "752", "cca3": "SWE", "currency": ["SEK"], "callingCode": ["46"], "capital": "Stockholm", "altSpellings": ["SE", "Kingdom of Sweden", "Konungariket Sverige"], "relevance": "1.5", "region": "Europe", "subregion": "Northern Europe", "nativeLanguage": "swe", "languages": { "swe": "Swedish" }, "translations": { "deu": "Schweden", "fra": "Su\u00e8de", "hrv": "\u0160vedska", "ita": "Svezia", "jpn": "\u30b9\u30a6\u30a7\u30fc\u30c7\u30f3", "nld": "Zweden", "rus": "\u0428\u0432\u0435\u0446\u0438\u044f", "spa": "Suecia" }, "latlng": [62, 15], "demonym": "Swedish", "borders": ["FIN", "NOR"], "area": 450295 }, { "name": { "common": "Switzerland", "official": "Swiss Confederation", "native": { "common": "Schweiz", "official": "Schweizerische Eidgenossenschaft" } }, "tld": [".ch"], "cca2": "CH", "ccn3": "756", "cca3": "CHE", "currency": ["CHE", "CHF", "CHW"], "callingCode": ["41"], "capital": "Bern", "altSpellings": ["CH", "Swiss Confederation", "Schweiz", "Suisse", "Svizzera", "Svizra"], "relevance": "1.5", "region": "Europe", "subregion": "Western Europe", "nativeLanguage": "deu", "languages": { "deu": "German", "fra": "French", "ita": "Italian", "roh": "Romansh" }, "translations": { "deu": "Schweiz", "fra": "Suisse", "hrv": "\u0160vicarska", "ita": "Svizzera", "jpn": "\u30b9\u30a4\u30b9", "nld": "Zwitserland", "rus": "\u0428\u0432\u0435\u0439\u0446\u0430\u0440\u0438\u044f", "spa": "Suiza" }, "latlng": [47, 8], "demonym": "Swiss", "borders": ["AUT", "FRA", "ITA", "LIE", "DEU"], "area": 41284 }, { "name": { "common": "Syria", "official": "Syrian Arab Republic", "native": { "common": "\u0633\u0648\u0631\u064a\u0627", "official": "\u0627\u0644\u062c\u0645\u0647\u0648\u0631\u064a\u0629 \u0627\u0644\u0639\u0631\u0628\u064a\u0629 \u0627\u0644\u0633\u0648\u0631\u064a\u0629" } }, "tld": [".sy", "\u0633\u0648\u0631\u064a\u0627."], "cca2": "SY", "ccn3": "760", "cca3": "SYR", "currency": ["SYP"], "callingCode": ["963"], "capital": "Damascus", "altSpellings": ["SY", "Syrian Arab Republic", "Al-Jumh\u016br\u012byah Al-\u02bbArab\u012byah As-S\u016br\u012byah"], "relevance": "0", "region": "Asia", "subregion": "Western Asia", "nativeLanguage": "ara", "languages": { "ara": "Arabic" }, "translations": { "deu": "Syrien", "fra": "Syrie", "hrv": "Sirija", "ita": "Siria", "jpn": "\u30b7\u30ea\u30a2\u30fb\u30a2\u30e9\u30d6\u5171\u548c\u56fd", "nld": "Syri\u00eb", "rus": "\u0421\u0438\u0440\u0438\u044f", "spa": "Siria" }, "latlng": [35, 38], "demonym": "Syrian", "borders": ["IRQ", "ISR", "JOR", "LBN", "TUR"], "area": 185180 }, { "name": { "common": "Taiwan", "official": "Republic of China", "native": { "common": "\u81fa\u7063", "official": "\u4e2d\u534e\u6c11\u56fd" } }, "tld": [".tw", ".\u53f0\u6e7e", ".\u53f0\u7063"], "cca2": "TW", "ccn3": "158", "cca3": "TWN", "currency": ["TWD"], "callingCode": ["886"], "capital": "Taipei", "altSpellings": ["TW", "T\u00e1iw\u0101n", "Republic of China", "\u4e2d\u83ef\u6c11\u570b", "Zh\u014dnghu\u00e1 M\u00edngu\u00f3"], "relevance": "0", "region": "Asia", "subregion": "Eastern Asia", "nativeLanguage": "cmn", "languages": { "cmn": "Mandarin" }, "translations": { "deu": "Taiwan", "fra": "Ta\u00efwan", "hrv": "Tajvan", "ita": "Taiwan", "jpn": "\u53f0\u6e7e\uff08\u53f0\u6e7e\u7701/\u4e2d\u83ef\u6c11\u56fd\uff09", "nld": "Taiwan", "rus": "\u0422\u0430\u0439\u0432\u0430\u043d\u044c", "spa": "Taiw\u00e1n" }, "latlng": [23.5, 121], "demonym": "Taiwanese", "borders": [], "area": 36193 }, { "name": { "common": "Tajikistan", "official": "Republic of Tajikistan", "native": { "common": "\u0422\u043e\u04b7\u0438\u043a\u0438\u0441\u0442\u043e\u043d", "official": "\u04b6\u0443\u043c\u04b3\u0443\u0440\u0438\u0438 \u0422\u043e\u04b7\u0438\u043a\u0438\u0441\u0442\u043e\u043d" } }, "tld": [".tj"], "cca2": "TJ", "ccn3": "762", "cca3": "TJK", "currency": ["TJS"], "callingCode": ["992"], "capital": "Dushanbe", "altSpellings": ["TJ", "To\u00e7ikiston", "Republic of Tajikistan", "\u04b6\u0443\u043c\u04b3\u0443\u0440\u0438\u0438 \u0422\u043e\u04b7\u0438\u043a\u0438\u0441\u0442\u043e\u043d", "\u00c7umhuriyi To\u00e7ikiston"], "relevance": "0", "region": "Asia", "subregion": "Central Asia", "nativeLanguage": "tgk", "languages": { "rus": "Russian", "tgk": "Tajik" }, "translations": { "deu": "Tadschikistan", "fra": "Tadjikistan", "hrv": "Ta\u0111ikistan", "ita": "Tagikistan", "jpn": "\u30bf\u30b8\u30ad\u30b9\u30bf\u30f3", "nld": "Tadzjikistan", "rus": "\u0422\u0430\u0434\u0436\u0438\u043a\u0438\u0441\u0442\u0430\u043d", "spa": "Tayikist\u00e1n" }, "latlng": [39, 71], "demonym": "Tadzhik", "borders": ["AFG", "CHN", "KGZ", "UZB"], "area": 143100 }, { "name": { "common": "Tanzania", "official": "United Republic of Tanzania", "native": { "common": "Tanzania", "official": "Jamhuri ya Muungano wa Tanzania" } }, "tld": [".tz"], "cca2": "TZ", "ccn3": "834", "cca3": "TZA", "currency": ["TZS"], "callingCode": ["255"], "capital": "Dodoma", "altSpellings": ["TZ", "United Republic of Tanzania", "Jamhuri ya Muungano wa Tanzania"], "relevance": "0", "region": "Africa", "subregion": "Eastern Africa", "nativeLanguage": "swa", "languages": { "eng": "English", "swa": "Swahili" }, "translations": { "deu": "Tansania", "fra": "Tanzanie", "hrv": "Tanzanija", "ita": "Tanzania", "jpn": "\u30bf\u30f3\u30b6\u30cb\u30a2", "nld": "Tanzania", "rus": "\u0422\u0430\u043d\u0437\u0430\u043d\u0438\u044f", "spa": "Tanzania" }, "latlng": [-6, 35], "demonym": "Tanzanian", "borders": ["BDI", "COD", "KEN", "MWI", "MOZ", "RWA", "UGA", "ZMB"], "area": 945087 }, { "name": { "common": "Thailand", "official": "Kingdom of Thailand", "native": { "common": "\u0e1b\u0e23\u0e30\u0e40\u0e17\u0e28\u0e44\u0e17\u0e22", "official": "\u0e23\u0e32\u0e0a\u0e2d\u0e32\u0e13\u0e32\u0e08\u0e31\u0e01\u0e23\u0e44\u0e17\u0e22" } }, "tld": [".th", ".\u0e44\u0e17\u0e22"], "cca2": "TH", "ccn3": "764", "cca3": "THA", "currency": ["THB"], "callingCode": ["66"], "capital": "Bangkok", "altSpellings": ["TH", "Prathet", "Thai", "Kingdom of Thailand", "\u0e23\u0e32\u0e0a\u0e2d\u0e32\u0e13\u0e32\u0e08\u0e31\u0e01\u0e23\u0e44\u0e17\u0e22", "Ratcha Anachak Thai"], "relevance": "0", "region": "Asia", "subregion": "South-Eastern Asia", "nativeLanguage": "tha", "languages": { "tha": "Thai" }, "translations": { "deu": "Thailand", "fra": "Tha\u00eflande", "hrv": "Tajland", "ita": "Tailandia", "jpn": "\u30bf\u30a4", "nld": "Thailand", "rus": "\u0422\u0430\u0438\u043b\u0430\u043d\u0434", "spa": "Tailandia" }, "latlng": [15, 100], "demonym": "Thai", "borders": ["MMR", "KHM", "LAO", "MYS"], "area": 513120 }, { "name": { "common": "Timor-Leste", "official": "Democratic Republic of Timor-Leste", "native": { "common": "Timor-Leste", "official": "Rep\u00fablica Democr\u00e1tica de Timor-Leste" } }, "tld": [".tl"], "cca2": "TL", "ccn3": "626", "cca3": "TLS", "currency": ["USD"], "callingCode": ["670"], "capital": "Dili", "altSpellings": ["TL", "East Timor", "Democratic Republic of Timor-Leste", "Rep\u00fablica Democr\u00e1tica de Timor-Leste", "Rep\u00fablika Demokr\u00e1tika Tim\u00f3r-Leste"], "relevance": "0", "region": "Asia", "subregion": "South-Eastern Asia", "nativeLanguage": "por", "languages": { "por": "Portuguese", "tet": "Tetum" }, "translations": { "deu": "Timor-Leste", "fra": "Timor oriental", "hrv": "Isto\u010dni Timor", "ita": "Timor Est", "jpn": "\u6771\u30c6\u30a3\u30e2\u30fc\u30eb", "nld": "Oost-Timor", "rus": "\u0412\u043e\u0441\u0442\u043e\u0447\u043d\u044b\u0439 \u0422\u0438\u043c\u043e\u0440", "spa": "Timor Oriental" }, "latlng": [-8.83333333, 125.91666666], "demonym": "East Timorese", "borders": ["IDN"], "area": 14874 }, { "name": { "common": "Togo", "official": "Togolese Republic", "native": { "common": "Togo", "official": "R\u00e9publique togolaise" } }, "tld": [".tg"], "cca2": "TG", "ccn3": "768", "cca3": "TGO", "currency": ["XOF"], "callingCode": ["228"], "capital": "Lom\u00e9", "altSpellings": ["TG", "Togolese", "Togolese Republic", "R\u00e9publique Togolaise"], "relevance": "0", "region": "Africa", "subregion": "Western Africa", "nativeLanguage": "fra", "languages": { "fra": "French" }, "translations": { "deu": "Togo", "fra": "Togo", "hrv": "Togo", "ita": "Togo", "jpn": "\u30c8\u30fc\u30b4", "nld": "Togo", "rus": "\u0422\u043e\u0433\u043e", "spa": "Togo" }, "latlng": [8, 1.16666666], "demonym": "Togolese", "borders": ["BEN", "BFA", "GHA"], "area": 56785 }, { "name": { "common": "Tokelau", "official": "Tokelau", "native": { "common": "Tokelau", "official": "Tokelau" } }, "tld": [".tk"], "cca2": "TK", "ccn3": "772", "cca3": "TKL", "currency": ["NZD"], "callingCode": ["690"], "capital": "Fakaofo", "altSpellings": ["TK"], "relevance": "0.5", "region": "Oceania", "subregion": "Polynesia", "nativeLanguage": "tkl", "languages": { "eng": "English", "smo": "Samoan", "tkl": "Tokelauan" }, "translations": { "deu": "Tokelau", "fra": "Tokelau", "hrv": "Tokelau", "ita": "Isole Tokelau", "jpn": "\u30c8\u30b1\u30e9\u30a6", "nld": "Tokelau", "rus": "\u0422\u043e\u043a\u0435\u043b\u0430\u0443", "spa": "Islas Tokelau" }, "latlng": [-9, -172], "demonym": "Tokelauan", "borders": [], "area": 12 }, { "name": { "common": "Tonga", "official": "Kingdom of Tonga", "native": { "common": "Tonga", "official": "Kingdom of Tonga" } }, "tld": [".to"], "cca2": "TO", "ccn3": "776", "cca3": "TON", "currency": ["TOP"], "callingCode": ["676"], "capital": "Nuku'alofa", "altSpellings": ["TO"], "relevance": "0", "region": "Oceania", "subregion": "Polynesia", "nativeLanguage": "ton", "languages": { "eng": "English", "ton": "Tongan" }, "translations": { "deu": "Tonga", "fra": "Tonga", "hrv": "Tonga", "ita": "Tonga", "jpn": "\u30c8\u30f3\u30ac", "nld": "Tonga", "rus": "\u0422\u043e\u043d\u0433\u0430", "spa": "Tonga" }, "latlng": [-20, -175], "demonym": "Tongan", "borders": [], "area": 747 }, { "name": { "common": "Trinidad and Tobago", "official": "Republic of Trinidad and Tobago", "native": { "common": "Trinidad and Tobago", "official": "Republic of Trinidad and Tobago" } }, "tld": [".tt"], "cca2": "TT", "ccn3": "780", "cca3": "TTO", "currency": ["TTD"], "callingCode": ["1868"], "capital": "Port of Spain", "altSpellings": ["TT", "Republic of Trinidad and Tobago"], "relevance": "0", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "Trinidad und Tobago", "fra": "Trinit\u00e9 et Tobago", "hrv": "Trinidad i Tobago", "ita": "Trinidad e Tobago", "jpn": "\u30c8\u30ea\u30cb\u30c0\u30fc\u30c9\u30fb\u30c8\u30d0\u30b4", "nld": "Trinidad en Tobago", "rus": "\u0422\u0440\u0438\u043d\u0438\u0434\u0430\u0434 \u0438 \u0422\u043e\u0431\u0430\u0433\u043e", "spa": "Trinidad y Tobago" }, "latlng": [11, -61], "demonym": "Trinidadian", "borders": [], "area": 5130 }, { "name": { "common": "Tunisia", "official": "Tunisian Republic", "native": { "common": "\u062a\u0648\u0646\u0633", "official": "\u0627\u0644\u062c\u0645\u0647\u0648\u0631\u064a\u0629 \u0627\u0644\u062a\u0648\u0646\u0633\u064a\u0629" } }, "tld": [".tn"], "cca2": "TN", "ccn3": "788", "cca3": "TUN", "currency": ["TND"], "callingCode": ["216"], "capital": "Tunis", "altSpellings": ["TN", "Republic of Tunisia", "al-Jumh\u016briyyah at-T\u016bnisiyyah"], "relevance": "0", "region": "Africa", "subregion": "Northern Africa", "nativeLanguage": "ara", "languages": { "ara": "Arabic" }, "translations": { "deu": "Tunesien", "fra": "Tunisie", "hrv": "Tunis", "ita": "Tunisia", "jpn": "\u30c1\u30e5\u30cb\u30b8\u30a2", "nld": "Tunesi\u00eb", "rus": "\u0422\u0443\u043d\u0438\u0441", "spa": "T\u00fanez" }, "latlng": [34, 9], "demonym": "Tunisian", "borders": ["DZA", "LBY"], "area": 163610 }, { "name": { "common": "Turkey", "official": "Republic of Turkey", "native": { "common": "T\u00fcrkiye", "official": "T\u00fcrkiye Cumhuriyeti" } }, "tld": [".tr"], "cca2": "TR", "ccn3": "792", "cca3": "TUR", "currency": ["TRY"], "callingCode": ["90"], "capital": "Ankara", "altSpellings": ["TR", "Turkiye", "Republic of Turkey", "T\u00fcrkiye Cumhuriyeti"], "relevance": "0", "region": "Asia", "subregion": "Western Asia", "nativeLanguage": "tur", "languages": { "tur": "Turkish" }, "translations": { "deu": "T\u00fcrkei", "fra": "Turquie", "hrv": "Turska", "ita": "Turchia", "jpn": "\u30c8\u30eb\u30b3", "nld": "Turkije", "rus": "\u0422\u0443\u0440\u0446\u0438\u044f", "spa": "Turqu\u00eda" }, "latlng": [39, 35], "demonym": "Turkish", "borders": ["ARM", "AZE", "BGR", "GEO", "GRC", "IRN", "IRQ", "SYR"], "area": 783562 }, { "name": { "common": "Turkmenistan", "official": "Turkmenistan", "native": { "common": "T\u00fcrkmenistan", "official": "T\u00fcrkmenistan" } }, "tld": [".tm"], "cca2": "TM", "ccn3": "795", "cca3": "TKM", "currency": ["TMT"], "callingCode": ["993"], "capital": "Ashgabat", "altSpellings": ["TM"], "relevance": "0", "region": "Asia", "subregion": "Central Asia", "nativeLanguage": "tuk", "languages": { "rus": "Russian", "tuk": "Turkmen" }, "translations": { "deu": "Turkmenistan", "fra": "Turkm\u00e9nistan", "hrv": "Turkmenistan", "ita": "Turkmenistan", "jpn": "\u30c8\u30eb\u30af\u30e1\u30cb\u30b9\u30bf\u30f3", "nld": "Turkmenistan", "rus": "\u0422\u0443\u0440\u043a\u043c\u0435\u043d\u0438\u044f", "spa": "Turkmenist\u00e1n" }, "latlng": [40, 60], "demonym": "Turkmen", "borders": ["AFG", "IRN", "KAZ", "UZB"], "area": 488100 }, { "name": { "common": "Turks and Caicos Islands", "official": "Turks and Caicos Islands", "native": { "common": "Turks and Caicos Islands", "official": "Turks and Caicos Islands" } }, "tld": [".tc"], "cca2": "TC", "ccn3": "796", "cca3": "TCA", "currency": ["USD"], "callingCode": ["1649"], "capital": "Cockburn Town", "altSpellings": ["TC"], "relevance": "0.5", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "Turks- und Caicosinseln", "fra": "\u00celes Turques-et-Ca\u00efques", "hrv": "Otoci Turks i Caicos", "ita": "Isole Turks e Caicos", "jpn": "\u30bf\u30fc\u30af\u30b9\u30fb\u30ab\u30a4\u30b3\u30b9\u8af8\u5cf6", "nld": "Turks- en Caicoseilanden", "rus": "\u0422\u0435\u0440\u043a\u0441 \u0438 \u041a\u0430\u0439\u043a\u043e\u0441", "spa": "Islas Turks y Caicos" }, "latlng": [21.75, -71.58333333], "demonym": "Turks and Caicos Islander", "borders": [], "area": 948 }, { "name": { "common": "Tuvalu", "official": "Tuvalu", "native": { "common": "Tuvalu", "official": "Tuvalu" } }, "tld": [".tv"], "cca2": "TV", "ccn3": "798", "cca3": "TUV", "currency": ["AUD"], "callingCode": ["688"], "capital": "Funafuti", "altSpellings": ["TV"], "relevance": "0.5", "region": "Oceania", "subregion": "Polynesia", "nativeLanguage": "tvl", "languages": { "eng": "English", "tvl": "Tuvaluan" }, "translations": { "deu": "Tuvalu", "fra": "Tuvalu", "hrv": "Tuvalu", "ita": "Tuvalu", "jpn": "\u30c4\u30d0\u30eb", "nld": "Tuvalu", "rus": "\u0422\u0443\u0432\u0430\u043b\u0443", "spa": "Tuvalu" }, "latlng": [-8, 178], "demonym": "Tuvaluan", "borders": [], "area": 26 }, { "name": { "common": "Uganda", "official": "Republic of Uganda", "native": { "common": "Uganda", "official": "Republic of Uganda" } }, "tld": [".ug"], "cca2": "UG", "ccn3": "800", "cca3": "UGA", "currency": ["UGX"], "callingCode": ["256"], "capital": "Kampala", "altSpellings": ["UG", "Republic of Uganda", "Jamhuri ya Uganda"], "relevance": "0", "region": "Africa", "subregion": "Eastern Africa", "nativeLanguage": "swa", "languages": { "eng": "English", "swa": "Swahili" }, "translations": { "deu": "Uganda", "fra": "Uganda", "hrv": "Uganda", "ita": "Uganda", "jpn": "\u30a6\u30ac\u30f3\u30c0", "nld": "Oeganda", "rus": "\u0423\u0433\u0430\u043d\u0434\u0430", "spa": "Uganda" }, "latlng": [1, 32], "demonym": "Ugandan", "borders": ["COD", "KEN", "RWA", "SSD", "TZA"], "area": 241550 }, { "name": { "common": "Ukraine", "official": "Ukraine", "native": { "common": "\u0423\u043a\u0440\u0430\u0457\u043d\u0430", "official": "\u0423\u043a\u0440\u0430\u0457\u043d\u0430" } }, "tld": [".ua", ".\u0443\u043a\u0440"], "cca2": "UA", "ccn3": "804", "cca3": "UKR", "currency": ["UAH"], "callingCode": ["380"], "capital": "Kiev", "altSpellings": ["UA", "Ukrayina"], "relevance": "0", "region": "Europe", "subregion": "Eastern Europe", "nativeLanguage": "ukr", "languages": { "ukr": "Ukrainian" }, "translations": { "deu": "Ukraine", "fra": "Ukraine", "hrv": "Ukrajina", "ita": "Ucraina", "jpn": "\u30a6\u30af\u30e9\u30a4\u30ca", "nld": "Oekra\u00efne", "rus": "\u0423\u043a\u0440\u0430\u0438\u043d\u0430", "spa": "Ucrania" }, "latlng": [49, 32], "demonym": "Ukrainian", "borders": ["BLR", "HUN", "MDA", "POL", "ROU", "RUS", "SVK"], "area": 603500 }, { "name": { "common": "United Arab Emirates", "official": "United Arab Emirates", "native": { "common": "\u062f\u0648\u0644\u0629 \u0627\u0644\u0625\u0645\u0627\u0631\u0627\u062a \u0627\u0644\u0639\u0631\u0628\u064a\u0629 \u0627\u0644\u0645\u062a\u062d\u062f\u0629", "official": "\u0627\u0644\u0625\u0645\u0627\u0631\u0627\u062a \u0627\u0644\u0639\u0631\u0628\u064a\u0629 \u0627\u0644\u0645\u062a\u062d\u062f\u0629" } }, "tld": [".ae", "\u0627\u0645\u0627\u0631\u0627\u062a."], "cca2": "AE", "ccn3": "784", "cca3": "ARE", "currency": ["AED"], "callingCode": ["971"], "capital": "Abu Dhabi", "altSpellings": ["AE", "UAE", "Emirates"], "relevance": "0", "region": "Asia", "subregion": "Western Asia", "nativeLanguage": "ara", "languages": { "ara": "Arabic" }, "translations": { "deu": "Vereinigte Arabische Emirate", "fra": "\u00c9mirats arabes unis", "hrv": "Ujedinjeni Arapski Emirati", "ita": "Emirati Arabi Uniti", "jpn": "\u30a2\u30e9\u30d6\u9996\u9577\u56fd\u9023\u90a6", "nld": "Verenigde Arabische Emiraten", "rus": "\u041e\u0431\u044a\u0435\u0434\u0438\u043d\u0451\u043d\u043d\u044b\u0435 \u0410\u0440\u0430\u0431\u0441\u043a\u0438\u0435 \u042d\u043c\u0438\u0440\u0430\u0442\u044b", "spa": "Emiratos \u00c1rabes Unidos" }, "latlng": [24, 54], "demonym": "Emirati", "borders": ["OMN", "SAU"], "area": 83600 }, { "name": { "common": "United Kingdom", "official": "United Kingdom of Great Britain and Northern Ireland", "native": { "common": "United Kingdom", "official": "United Kingdom of Great Britain and Northern Ireland" } }, "tld": [".uk"], "cca2": "GB", "ccn3": "826", "cca3": "GBR", "currency": ["GBP"], "callingCode": ["44"], "capital": "London", "altSpellings": ["GB", "UK", "Great Britain"], "relevance": "2.5", "region": "Europe", "subregion": "Northern Europe", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "Vereinigtes K\u00f6nigreich", "fra": "Royaume-Uni", "hrv": "Ujedinjeno Kraljevstvo", "ita": "Regno Unito", "jpn": "\u30a4\u30ae\u30ea\u30b9", "nld": "Verenigd Koninkrijk", "rus": "\u0412\u0435\u043b\u0438\u043a\u043e\u0431\u0440\u0438\u0442\u0430\u043d\u0438\u044f", "spa": "Reino Unido" }, "latlng": [54, -2], "demonym": "British", "borders": ["IRL"], "area": 242900 }, { "name": { "common": "United States", "official": "United States of America", "native": { "common": "United States", "official": "United States of America" } }, "tld": [".us"], "cca2": "US", "ccn3": "840", "cca3": "USA", "currency": ["USD", "USN", "USS"], "callingCode": ["1"], "capital": "Washington D.C.", "altSpellings": ["US", "USA", "United States of America"], "relevance": "3.5", "region": "Americas", "subregion": "Northern America", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "Vereinigte Staaten von Amerika", "fra": "\u00c9tats-Unis", "hrv": "Sjedinjene Ameri\u010dke Dr\u017eave", "ita": "Stati Uniti D'America", "jpn": "\u30a2\u30e1\u30ea\u30ab\u5408\u8846\u56fd", "nld": "Verenigde Staten", "rus": "\u0421\u043e\u0435\u0434\u0438\u043d\u0451\u043d\u043d\u044b\u0435 \u0428\u0442\u0430\u0442\u044b \u0410\u043c\u0435\u0440\u0438\u043a\u0438", "spa": "Estados Unidos" }, "latlng": [38, -97], "demonym": "American", "borders": ["CAN", "MEX"], "area": 9372610 }, { "name": { "common": "United States Minor Outlying Islands", "official": "United States Minor Outlying Islands", "native": { "common": "United States Minor Outlying Islands", "official": "United States Minor Outlying Islands" } }, "tld": [".us"], "cca2": "UM", "ccn3": "581", "cca3": "UMI", "currency": ["USD"], "callingCode": [], "capital": "", "altSpellings": ["UM"], "relevance": "0", "region": "Americas", "subregion": "Northern America", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "Kleinere Inselbesitzungen der Vereinigten Staaten", "fra": "\u00celes mineures \u00e9loign\u00e9es des \u00c9tats-Unis", "hrv": "Mali udaljeni otoci SAD-a", "ita": "Isole minori esterne degli Stati Uniti d'America", "jpn": "\u5408\u8846\u56fd\u9818\u6709\u5c0f\u96e2\u5cf6", "nld": "Kleine afgelegen eilanden van de Verenigde Staten", "rus": "\u0412\u043d\u0435\u0448\u043d\u0438\u0435 \u043c\u0430\u043b\u044b\u0435 \u043e\u0441\u0442\u0440\u043e\u0432\u0430 \u0421\u0428\u0410", "spa": "Islas Ultramarinas Menores de Estados Unidos" }, "latlng": [], "demonym": "American", "borders": [], "area": 34.2 }, { "name": { "common": "United States Virgin Islands", "official": "Virgin Islands of the United States", "native": { "common": "United States Virgin Islands", "official": "Virgin Islands of the United States" } }, "tld": [".vi"], "cca2": "VI", "ccn3": "850", "cca3": "VIR", "currency": ["USD"], "callingCode": ["1340"], "capital": "Charlotte Amalie", "altSpellings": ["VI"], "relevance": "0.5", "region": "Americas", "subregion": "Caribbean", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "Amerikanische Jungferninseln", "fra": "\u00celes Vierges des \u00c9tats-Unis", "hrv": "Ameri\u010dki Djevi\u010danski Otoci", "ita": "Isole Vergini americane", "jpn": "\u30a2\u30e1\u30ea\u30ab\u9818\u30f4\u30a1\u30fc\u30b8\u30f3\u8af8\u5cf6", "nld": "Amerikaanse Maagdeneilanden", "rus": "\u0412\u0438\u0440\u0433\u0438\u043d\u0441\u043a\u0438\u0435 \u041e\u0441\u0442\u0440\u043e\u0432\u0430", "spa": "Islas V\u00edrgenes de los Estados Unidos" }, "latlng": [18.35, -64.933333], "demonym": "Virgin Islander", "borders": [], "area": 347 }, { "name": { "common": "Uruguay", "official": "Oriental Republic of Uruguay", "native": { "common": "Uruguay", "official": "Rep\u00fablica Oriental del Uruguay" } }, "tld": [".uy"], "cca2": "UY", "ccn3": "858", "cca3": "URY", "currency": ["UYI", "UYU"], "callingCode": ["598"], "capital": "Montevideo", "altSpellings": ["UY", "Oriental Republic of Uruguay", "Rep\u00fablica Oriental del Uruguay"], "relevance": "0", "region": "Americas", "subregion": "South America", "nativeLanguage": "spa", "languages": { "spa": "Spanish" }, "translations": { "deu": "Uruguay", "fra": "Uruguay", "hrv": "Urugvaj", "ita": "Uruguay", "jpn": "\u30a6\u30eb\u30b0\u30a2\u30a4", "nld": "Uruguay", "rus": "\u0423\u0440\u0443\u0433\u0432\u0430\u0439", "spa": "Uruguay" }, "latlng": [-33, -56], "demonym": "Uruguayan", "borders": ["ARG", "BRA"], "area": 181034 }, { "name": { "common": "Uzbekistan", "official": "Republic of Uzbekistan", "native": { "common": "O\u2018zbekiston", "official": "O'zbekiston Respublikasi" } }, "tld": [".uz"], "cca2": "UZ", "ccn3": "860", "cca3": "UZB", "currency": ["UZS"], "callingCode": ["998"], "capital": "Tashkent", "altSpellings": ["UZ", "Republic of Uzbekistan", "O\u2018zbekiston Respublikasi", "\u040e\u0437\u0431\u0435\u043a\u0438\u0441\u0442\u043e\u043d \u0420\u0435\u0441\u043f\u0443\u0431\u043b\u0438\u043a\u0430\u0441\u0438"], "relevance": "0", "region": "Asia", "subregion": "Central Asia", "nativeLanguage": "uzb", "languages": { "rus": "Russian", "uzb": "Uzbek" }, "translations": { "deu": "Usbekistan", "fra": "Ouzb\u00e9kistan", "hrv": "Uzbekistan", "ita": "Uzbekistan", "jpn": "\u30a6\u30ba\u30d9\u30ad\u30b9\u30bf\u30f3", "nld": "Oezbekistan", "rus": "\u0423\u0437\u0431\u0435\u043a\u0438\u0441\u0442\u0430\u043d", "spa": "Uzbekist\u00e1n" }, "latlng": [41, 64], "demonym": "Uzbekistani", "borders": ["AFG", "KAZ", "KGZ", "TJK", "TKM"], "area": 447400 }, { "name": { "common": "Vanuatu", "official": "Republic of Vanuatu", "native": { "common": "Vanuatu", "official": "Ripablik blong Vanuatu" } }, "tld": [".vu"], "cca2": "VU", "ccn3": "548", "cca3": "VUT", "currency": ["VUV"], "callingCode": ["678"], "capital": "Port Vila", "altSpellings": ["VU", "Republic of Vanuatu", "Ripablik blong Vanuatu", "R\u00e9publique de Vanuatu"], "relevance": "0", "region": "Oceania", "subregion": "Melanesia", "nativeLanguage": "bis", "languages": { "bis": "Bislama", "eng": "English", "fra": "French" }, "translations": { "deu": "Vanuatu", "fra": "Vanuatu", "hrv": "Vanuatu", "ita": "Vanuatu", "jpn": "\u30d0\u30cc\u30a2\u30c4", "nld": "Vanuatu", "rus": "\u0412\u0430\u043d\u0443\u0430\u0442\u0443", "spa": "Vanuatu" }, "latlng": [-16, 167], "demonym": "Ni-Vanuatu", "borders": [], "area": 12189 }, { "name": { "common": "Venezuela", "official": "Bolivarian Republic of Venezuela", "native": { "common": "Venezuela", "official": "Rep\u00fablica Bolivariana de Venezuela" } }, "tld": [".ve"], "cca2": "VE", "ccn3": "862", "cca3": "VEN", "currency": ["VEF"], "callingCode": ["58"], "capital": "Caracas", "altSpellings": ["VE", "Bolivarian Republic of Venezuela", "Rep\u00fablica Bolivariana de Venezuela"], "relevance": "0", "region": "Americas", "subregion": "South America", "nativeLanguage": "spa", "languages": { "spa": "Spanish" }, "translations": { "deu": "Venezuela", "fra": "Venezuela", "hrv": "Venezuela", "ita": "Venezuela", "jpn": "\u30d9\u30cd\u30ba\u30a8\u30e9\u30fb\u30dc\u30ea\u30d0\u30eb\u5171\u548c\u56fd", "nld": "Venezuela", "rus": "\u0412\u0435\u043d\u0435\u0441\u0443\u044d\u043b\u0430", "spa": "Venezuela" }, "latlng": [8, -66], "demonym": "Venezuelan", "borders": ["BRA", "COL", "GUY"], "area": 916445 }, { "name": { "common": "Vietnam", "official": "Socialist Republic of Vietnam", "native": { "common": "Vi\u1ec7t Nam", "official": "C\u1ed9ng h\u00f2a x\u00e3 h\u1ed9i ch\u1ee7 ngh\u0129a Vi\u1ec7t Nam" } }, "tld": [".vn"], "cca2": "VN", "ccn3": "704", "cca3": "VNM", "currency": ["VND"], "callingCode": ["84"], "capital": "Hanoi", "altSpellings": ["VN", "Socialist Republic of Vietnam", "C\u1ed9ng h\u00f2a X\u00e3 h\u1ed9i ch\u1ee7 ngh\u0129a Vi\u1ec7t Nam"], "relevance": "1.5", "region": "Asia", "subregion": "South-Eastern Asia", "nativeLanguage": "vie", "languages": { "vie": "Vietnamese" }, "translations": { "deu": "Vietnam", "fra": "Vi\u00eat Nam", "hrv": "Vijetnam", "ita": "Vietnam", "jpn": "\u30d9\u30c8\u30ca\u30e0", "nld": "Vietnam", "rus": "\u0412\u044c\u0435\u0442\u043d\u0430\u043c", "spa": "Vietnam" }, "latlng": [16.16666666, 107.83333333], "demonym": "Vietnamese", "borders": ["KHM", "CHN", "LAO"], "area": 331212 }, { "name": { "common": "Wallis and Futuna", "official": "Territory of the Wallis and Futuna Islands", "native": { "common": "Wallis et Futuna", "official": "Territoire des \u00eeles Wallis et Futuna" } }, "tld": [".wf"], "cca2": "WF", "ccn3": "876", "cca3": "WLF", "currency": ["XPF"], "callingCode": ["681"], "capital": "Mata-Utu", "altSpellings": ["WF", "Territory of the Wallis and Futuna Islands", "Territoire des \u00eeles Wallis et Futuna"], "relevance": "0.5", "region": "Oceania", "subregion": "Polynesia", "nativeLanguage": "fra", "languages": { "fra": "French" }, "translations": { "deu": "Wallis und Futuna", "fra": "Wallis-et-Futuna", "hrv": "Wallis i Fortuna", "ita": "Wallis e Futuna", "jpn": "\u30a6\u30a9\u30ea\u30b9\u30fb\u30d5\u30c4\u30ca", "nld": "Wallis en Futuna", "rus": "\u0423\u043e\u043b\u043b\u0438\u0441 \u0438 \u0424\u0443\u0442\u0443\u043d\u0430", "spa": "Wallis y Futuna" }, "latlng": [-13.3, -176.2], "demonym": "Wallis and Futuna Islander", "borders": [], "area": 142 }, { "name": { "common": "Western Sahara", "official": "Western Sahara", "native": { "common": "\u0627\u0644\u0635\u062d\u0631\u0627\u0621 \u0627\u0644\u063a\u0631\u0628\u064a\u0629", "official": "S\u00e1hara Occidental" } }, "tld": [".eh"], "cca2": "EH", "ccn3": "732", "cca3": "ESH", "currency": ["MAD", "DZD", "MRO"], "callingCode": ["212"], "capital": "El Aai\u00fan", "altSpellings": ["EH", "Tane\u1e93roft Tutrimt"], "relevance": "0", "region": "Africa", "subregion": "Northern Africa", "nativeLanguage": "ber", "languages": { "ber": "Berber", "mey": "Hassaniya", "spa": "Spanish" }, "translations": { "deu": "Westsahara", "fra": "Sahara Occidental", "hrv": "Zapadna Sahara", "ita": "Sahara Occidentale", "jpn": "\u897f\u30b5\u30cf\u30e9", "nld": "Westelijke Sahara", "rus": "\u0417\u0430\u043f\u0430\u0434\u043d\u0430\u044f \u0421\u0430\u0445\u0430\u0440\u0430", "spa": "Sahara Occidental" }, "latlng": [24.5, -13], "demonym": "Sahrawi", "borders": ["DZA", "MRT", "MAR"], "area": 266000 }, { "name": { "common": "Yemen", "official": "Republic of Yemen", "native": { "common": "\u0627\u0644\u064a\u064e\u0645\u064e\u0646", "official": "\u0627\u0644\u062c\u0645\u0647\u0648\u0631\u064a\u0629 \u0627\u0644\u064a\u0645\u0646\u064a\u0629" } }, "tld": [".ye"], "cca2": "YE", "ccn3": "887", "cca3": "YEM", "currency": ["YER"], "callingCode": ["967"], "capital": "Sana'a", "altSpellings": ["YE", "Yemeni Republic", "al-Jumh\u016briyyah al-Yamaniyyah"], "relevance": "0", "region": "Asia", "subregion": "Western Asia", "nativeLanguage": "ara", "languages": { "ara": "Arabic" }, "translations": { "deu": "Jemen", "fra": "Y\u00e9men", "hrv": "Jemen", "ita": "Yemen", "jpn": "\u30a4\u30a8\u30e1\u30f3", "nld": "Jemen", "rus": "\u0419\u0435\u043c\u0435\u043d", "spa": "Yemen" }, "latlng": [15, 48], "demonym": "Yemeni", "borders": ["OMN", "SAU"], "area": 527968 }, { "name": { "common": "Zambia", "official": "Republic of Zambia", "native": { "common": "Zambia", "official": "Republic of Zambia" } }, "tld": [".zm"], "cca2": "ZM", "ccn3": "894", "cca3": "ZMB", "currency": ["ZMK"], "callingCode": ["260"], "capital": "Lusaka", "altSpellings": ["ZM", "Republic of Zambia"], "relevance": "0", "region": "Africa", "subregion": "Eastern Africa", "nativeLanguage": "eng", "languages": { "eng": "English" }, "translations": { "deu": "Sambia", "fra": "Zambie", "hrv": "Zambija", "ita": "Zambia", "jpn": "\u30b6\u30f3\u30d3\u30a2", "nld": "Zambia", "rus": "\u0417\u0430\u043c\u0431\u0438\u044f", "spa": "Zambia" }, "latlng": [-15, 30], "demonym": "Zambian", "borders": ["AGO", "BWA", "COD", "MWI", "MOZ", "NAM", "TZA", "ZWE"], "area": 752612 }, { "name": { "common": "Zimbabwe", "official": "Republic of Zimbabwe", "native": { "common": "Zimbabwe", "official": "Republic of Zimbabwe" } }, "tld": [".zw"], "cca2": "ZW", "ccn3": "716", "cca3": "ZWE", "currency": ["ZWL"], "callingCode": ["263"], "capital": "Harare", "altSpellings": ["ZW", "Republic of Zimbabwe"], "relevance": "0", "region": "Africa", "subregion": "Eastern Africa", "nativeLanguage": "nya", "languages": { "bwg": "Chibarwe", "eng": "English", "kck": "Kalanga", "khi": "Khoisan", "ndc": "Ndau", "nde": "Northern Ndebele", "nya": "Chewa", "sna": "Shona", "sot": "Sotho", "toi": "Tonga", "tsn": "Tswana", "tso": "Tsonga", "ven": "Venda", "xho": "Xhosa", "zib": "Zimbabwean Sign Language" }, "translations": { "deu": "Simbabwe", "fra": "Zimbabwe", "hrv": "Zimbabve", "ita": "Zimbabwe", "jpn": "\u30b8\u30f3\u30d0\u30d6\u30a8", "nld": "Zimbabwe", "rus": "\u0417\u0438\u043c\u0431\u0430\u0431\u0432\u0435", "spa": "Zimbabue" }, "latlng": [-20, 30], "demonym": "Zimbabwean", "borders": ["BWA", "MOZ", "ZAF", "ZMB"], "area": 390757 } ] country_iso_by_name = dict((country["name"]["common"], country["cca2"]) for country in countries_info) country_iso_by_name.update(dict((country["name"]["official"], country["cca2"]) for country in countries_info)) country_iso_by_name["Korea (South)"] = "KR" country_iso_by_name["Serbia and Montenegro"] = "RS" country_iso_by_name["Reunion"] = "RE" country_iso_by_name["Macao"] = "MO" country_iso_by_name["Fiji Islands"] = "FJ"
countries_info = [{'name': {'common': 'Afghanistan', 'official': 'Islamic Republic of Afghanistan', 'native': {'common': 'افغانستان', 'official': 'د افغانستان اسلامي جمهوریت'}}, 'tld': ['.af'], 'cca2': 'AF', 'ccn3': '004', 'cca3': 'AFG', 'currency': ['AFN'], 'callingCode': ['93'], 'capital': 'Kabul', 'altSpellings': ['AF', 'Afġānistān'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Southern Asia', 'nativeLanguage': 'pus', 'languages': {'prs': 'Dari', 'pus': 'Pashto', 'tuk': 'Turkmen'}, 'translations': {'cym': 'Affganistan', 'deu': 'Afghanistan', 'fra': 'Afghanistan', 'hrv': 'Afganistan', 'ita': 'Afghanistan', 'jpn': 'アフガニスタン', 'nld': 'Afghanistan', 'rus': 'Афганистан', 'spa': 'Afganistán'}, 'latlng': [33, 65], 'demonym': 'Afghan', 'borders': ['IRN', 'PAK', 'TKM', 'UZB', 'TJK', 'CHN'], 'area': 652230}, {'name': {'common': 'Åland Islands', 'official': 'Åland Islands', 'native': {'common': 'Åland', 'official': 'Landskapet Åland'}}, 'tld': ['.ax'], 'cca2': 'AX', 'ccn3': '248', 'cca3': 'ALA', 'currency': ['EUR'], 'callingCode': ['358'], 'capital': 'Mariehamn', 'altSpellings': ['AX', 'Aaland', 'Aland', 'Ahvenanmaa'], 'relevance': '0', 'region': 'Europe', 'subregion': 'Northern Europe', 'nativeLanguage': 'swe', 'languages': {'swe': 'Swedish'}, 'translations': {'deu': 'Åland', 'fra': 'Åland', 'hrv': 'Ålandski otoci', 'ita': 'Isole Aland', 'jpn': 'オーランド諸島', 'nld': 'Ålandeilanden', 'rus': 'Аландские острова', 'spa': 'Alandia'}, 'latlng': [60.116667, 19.9], 'demonym': 'Ålandish', 'borders': [], 'area': 1580}, {'name': {'common': 'Albania', 'official': 'Republic of Albania', 'native': {'common': 'Shqipëria', 'official': 'Republika e Shqipërisë'}}, 'tld': ['.al'], 'cca2': 'AL', 'ccn3': '008', 'cca3': 'ALB', 'currency': ['ALL'], 'callingCode': ['355'], 'capital': 'Tirana', 'altSpellings': ['AL', 'Shqipëri', 'Shqipëria', 'Shqipnia'], 'relevance': '0', 'region': 'Europe', 'subregion': 'Southern Europe', 'nativeLanguage': 'sqi', 'languages': {'sqi': 'Albanian'}, 'translations': {'cym': 'Albania', 'deu': 'Albanien', 'fra': 'Albanie', 'hrv': 'Albanija', 'ita': 'Albania', 'jpn': 'アルバニア', 'nld': 'Albanië', 'rus': 'Албания', 'spa': 'Albania'}, 'latlng': [41, 20], 'demonym': 'Albanian', 'borders': ['MNE', 'GRC', 'MKD', 'KOS'], 'area': 28748}, {'name': {'common': 'Algeria', 'official': "People's Democratic Republic of Algeria", 'native': {'common': 'الجزائر', 'official': 'الجمهورية الديمقراطية الشعبية الجزائرية'}}, 'tld': ['.dz', 'الجزائر.'], 'cca2': 'DZ', 'ccn3': '012', 'cca3': 'DZA', 'currency': ['DZD'], 'callingCode': ['213'], 'capital': 'Algiers', 'altSpellings': ['DZ', 'Dzayer', 'Algérie'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Northern Africa', 'nativeLanguage': 'ara', 'languages': {'ara': 'Arabic'}, 'translations': {'cym': 'Algeria', 'deu': 'Algerien', 'fra': 'Algérie', 'hrv': 'Alžir', 'ita': 'Algeria', 'jpn': 'アルジェリア', 'nld': 'Algerije', 'rus': 'Алжир', 'spa': 'Argelia'}, 'latlng': [28, 3], 'demonym': 'Algerian', 'borders': ['TUN', 'LBY', 'NER', 'ESH', 'MRT', 'MLI', 'MAR'], 'area': 2381741}, {'name': {'common': 'American Samoa', 'official': 'American Samoa', 'native': {'common': 'American Samoa', 'official': 'American Samoa'}}, 'tld': ['.as'], 'cca2': 'AS', 'ccn3': '016', 'cca3': 'ASM', 'currency': ['USD'], 'callingCode': ['1684'], 'capital': 'Pago Pago', 'altSpellings': ['AS', 'Amerika Sāmoa', 'Amelika Sāmoa', 'Sāmoa Amelika'], 'relevance': '0.5', 'region': 'Oceania', 'subregion': 'Polynesia', 'nativeLanguage': 'eng', 'languages': {'eng': 'English', 'smo': 'Samoan'}, 'translations': {'deu': 'Amerikanisch-Samoa', 'fra': 'Samoa américaines', 'hrv': 'Američka Samoa', 'ita': 'Samoa Americane', 'jpn': 'アメリカ領サモア', 'nld': 'Amerikaans Samoa', 'rus': 'Американское Самоа', 'spa': 'Samoa Americana'}, 'latlng': [-14.33333333, -170], 'demonym': 'American Samoan', 'borders': [], 'area': 199}, {'name': {'common': 'Andorra', 'official': 'Principality of Andorra', 'native': {'common': 'Andorra', 'official': "Principat d'Andorra"}}, 'tld': ['.ad'], 'cca2': 'AD', 'ccn3': '020', 'cca3': 'AND', 'currency': ['EUR'], 'callingCode': ['376'], 'capital': 'Andorra la Vella', 'altSpellings': ['AD', 'Principality of Andorra', "Principat d'Andorra"], 'relevance': '0.5', 'region': 'Europe', 'subregion': 'Southern Europe', 'nativeLanguage': 'cat', 'languages': {'cat': 'Catalan'}, 'translations': {'cym': 'Andorra', 'deu': 'Andorra', 'fra': 'Andorre', 'hrv': 'Andora', 'ita': 'Andorra', 'jpn': 'アンドラ', 'nld': 'Andorra', 'rus': 'Андорра', 'spa': 'Andorra'}, 'latlng': [42.5, 1.5], 'demonym': 'Andorran', 'borders': ['FRA', 'ESP'], 'area': 468}, {'name': {'common': 'Angola', 'official': 'Republic of Angola', 'native': {'common': 'Angola', 'official': 'República de Angola'}}, 'tld': ['.ao'], 'cca2': 'AO', 'ccn3': '024', 'cca3': 'AGO', 'currency': ['AOA'], 'callingCode': ['244'], 'capital': 'Luanda', 'altSpellings': ['AO', 'República de Angola', "ʁɛpublika de an'ɡɔla"], 'relevance': '0', 'region': 'Africa', 'subregion': 'Middle Africa', 'nativeLanguage': 'por', 'languages': {'por': 'Portuguese'}, 'translations': {'cym': 'Angola', 'deu': 'Angola', 'fra': 'Angola', 'hrv': 'Angola', 'ita': 'Angola', 'jpn': 'アンゴラ', 'nld': 'Angola', 'rus': 'Ангола', 'spa': 'Angola'}, 'latlng': [-12.5, 18.5], 'demonym': 'Angolan', 'borders': ['COG', 'COD', 'ZMB', 'NAM'], 'area': 1246700}, {'name': {'common': 'Anguilla', 'official': 'Anguilla', 'native': {'common': 'Anguilla', 'official': 'Anguilla'}}, 'tld': ['.ai'], 'cca2': 'AI', 'ccn3': '660', 'cca3': 'AIA', 'currency': ['XCD'], 'callingCode': ['1264'], 'capital': 'The Valley', 'altSpellings': ['AI'], 'relevance': '0.5', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Anguilla', 'fra': 'Anguilla', 'hrv': 'Angvila', 'ita': 'Anguilla', 'jpn': 'アンギラ', 'nld': 'Anguilla', 'rus': 'Ангилья', 'spa': 'Anguilla'}, 'latlng': [18.25, -63.16666666], 'demonym': 'Anguillian', 'borders': [], 'area': 91}, {'name': {'common': 'Antarctica', 'official': 'Antarctica', 'native': {'common': '', 'official': ''}}, 'tld': ['.aq'], 'cca2': 'AQ', 'ccn3': '010', 'cca3': 'ATA', 'currency': [], 'callingCode': [], 'capital': '', 'altSpellings': ['AQ'], 'relevance': '0', 'region': '', 'subregion': '', 'nativeLanguage': '', 'languages': {}, 'translations': {'cym': 'Antarctica', 'deu': 'Antarktis', 'fra': 'Antarctique', 'hrv': 'Antarktika', 'ita': 'Antartide', 'jpn': '南極', 'nld': 'Antarctica', 'rus': 'Антарктида', 'spa': 'Antártida'}, 'latlng': [-90, 0], 'demonym': 'Antarctican', 'borders': [], 'area': 14000000}, {'name': {'common': 'Antigua and Barbuda', 'official': 'Antigua and Barbuda', 'native': {'common': 'Antigua and Barbuda', 'official': 'Antigua and Barbuda'}}, 'tld': ['.ag'], 'cca2': 'AG', 'ccn3': '028', 'cca3': 'ATG', 'currency': ['XCD'], 'callingCode': ['1268'], 'capital': "Saint John's", 'altSpellings': ['AG'], 'relevance': '0.5', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'cym': 'Antigwa a Barbiwda', 'deu': 'Antigua und Barbuda', 'fra': 'Antigua-et-Barbuda', 'hrv': 'Antigva i Barbuda', 'ita': 'Antigua e Barbuda', 'jpn': 'アンティグア・バーブーダ', 'nld': 'Antigua en Barbuda', 'rus': 'Антигуа и Барбуда', 'spa': 'Antigua y Barbuda'}, 'latlng': [17.05, -61.8], 'demonym': 'Antiguan, Barbudan', 'borders': [], 'area': 442}, {'name': {'common': 'Argentina', 'official': 'Argentine Republic', 'native': {'common': 'Argentina', 'official': 'República Argentina'}}, 'tld': ['.ar'], 'cca2': 'AR', 'ccn3': '032', 'cca3': 'ARG', 'currency': ['ARS'], 'callingCode': ['54'], 'capital': 'Buenos Aires', 'altSpellings': ['AR', 'Argentine Republic', 'República Argentina'], 'relevance': '0', 'region': 'Americas', 'subregion': 'South America', 'nativeLanguage': 'spa', 'languages': {'grn': 'Guaraní', 'spa': 'Spanish'}, 'translations': {'cym': 'Ariannin', 'deu': 'Argentinien', 'fra': 'Argentine', 'hrv': 'Argentina', 'ita': 'Argentina', 'jpn': 'アルゼンチン', 'nld': 'Argentinië', 'rus': 'Аргентина', 'spa': 'Argentina'}, 'latlng': [-34, -64], 'demonym': 'Argentinean', 'borders': ['BOL', 'BRA', 'CHL', 'PRY', 'URY'], 'area': 2780400}, {'name': {'common': 'Armenia', 'official': 'Republic of Armenia', 'native': {'common': 'Հայաստան', 'official': 'Հայաստանի Հանրապետություն'}}, 'tld': ['.am'], 'cca2': 'AM', 'ccn3': '051', 'cca3': 'ARM', 'currency': ['AMD'], 'callingCode': ['374'], 'capital': 'Yerevan', 'altSpellings': ['AM', 'Hayastan', 'Republic of Armenia', 'Հայաստանի Հանրապետություն'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Western Asia', 'nativeLanguage': 'hye', 'languages': {'hye': 'Armenian', 'rus': 'Russian'}, 'translations': {'cym': 'Armenia', 'deu': 'Armenien', 'fra': 'Arménie', 'hrv': 'Armenija', 'ita': 'Armenia', 'jpn': 'アルメニア', 'nld': 'Armenië', 'rus': 'Армения', 'spa': 'Armenia'}, 'latlng': [40, 45], 'demonym': 'Armenian', 'borders': ['AZE', 'GEO', 'IRN', 'TUR'], 'area': 29743}, {'name': {'common': 'Aruba', 'official': 'Aruba', 'native': {'common': 'Aruba', 'official': 'Aruba'}}, 'tld': ['.aw'], 'cca2': 'AW', 'ccn3': '533', 'cca3': 'ABW', 'currency': ['AWG'], 'callingCode': ['297'], 'capital': 'Oranjestad', 'altSpellings': ['AW'], 'relevance': '0.5', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'nld', 'languages': {'nld': 'Dutch', 'pap': 'Papiamento'}, 'translations': {'deu': 'Aruba', 'fra': 'Aruba', 'hrv': 'Aruba', 'ita': 'Aruba', 'jpn': 'アルバ', 'nld': 'Aruba', 'rus': 'Аруба', 'spa': 'Aruba'}, 'latlng': [12.5, -69.96666666], 'demonym': 'Aruban', 'borders': [], 'area': 180}, {'name': {'common': 'Australia', 'official': 'Commonwealth of Australia', 'native': {'common': 'Australia', 'official': 'Commonwealth of Australia'}}, 'tld': ['.au'], 'cca2': 'AU', 'ccn3': '036', 'cca3': 'AUS', 'currency': ['AUD'], 'callingCode': ['61'], 'capital': 'Canberra', 'altSpellings': ['AU'], 'relevance': '1.5', 'region': 'Oceania', 'subregion': 'Australia and New Zealand', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'cym': 'Awstralia', 'deu': 'Australien', 'fra': 'Australie', 'hrv': 'Australija', 'ita': 'Australia', 'jpn': 'オーストラリア', 'nld': 'Australië', 'rus': 'Австралия', 'spa': 'Australia'}, 'latlng': [-27, 133], 'demonym': 'Australian', 'borders': [], 'area': 7692024}, {'name': {'common': 'Austria', 'official': 'Republic of Austria', 'native': {'common': 'Österreich', 'official': 'Republik Österreich'}}, 'tld': ['.at'], 'cca2': 'AT', 'ccn3': '040', 'cca3': 'AUT', 'currency': ['EUR'], 'callingCode': ['43'], 'capital': 'Vienna', 'altSpellings': ['AT', 'Österreich', 'Osterreich', 'Oesterreich'], 'relevance': '0', 'region': 'Europe', 'subregion': 'Western Europe', 'nativeLanguage': 'deu', 'languages': {'deu': 'German'}, 'translations': {'cym': 'Awstria', 'deu': 'Österreich', 'fra': 'Autriche', 'hrv': 'Austrija', 'ita': 'Austria', 'jpn': 'オーストリア', 'nld': 'Oostenrijk', 'rus': 'Австрия', 'spa': 'Austria'}, 'latlng': [47.33333333, 13.33333333], 'demonym': 'Austrian', 'borders': ['CZE', 'DEU', 'HUN', 'ITA', 'LIE', 'SVK', 'SVN', 'CHE'], 'area': 83871}, {'name': {'common': 'Azerbaijan', 'official': 'Republic of Azerbaijan', 'native': {'common': 'Azərbaycan', 'official': 'Azərbaycan Respublikası'}}, 'tld': ['.az'], 'cca2': 'AZ', 'ccn3': '031', 'cca3': 'AZE', 'currency': ['AZN'], 'callingCode': ['994'], 'capital': 'Baku', 'altSpellings': ['AZ', 'Republic of Azerbaijan', 'Azərbaycan Respublikası'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Western Asia', 'nativeLanguage': 'aze', 'languages': {'aze': 'Azerbaijani', 'hye': 'Armenian'}, 'translations': {'cym': 'Aserbaijan', 'deu': 'Aserbaidschan', 'fra': 'Azerbaïdjan', 'hrv': 'Azerbajdžan', 'ita': 'Azerbaijan', 'jpn': 'アゼルバイジャン', 'nld': 'Azerbeidzjan', 'rus': 'Азербайджан', 'spa': 'Azerbaiyán'}, 'latlng': [40.5, 47.5], 'demonym': 'Azerbaijani', 'borders': ['ARM', 'GEO', 'IRN', 'RUS', 'TUR'], 'area': 86600}, {'name': {'common': 'Bahamas', 'official': 'Commonwealth of the Bahamas', 'native': {'common': 'Bahamas', 'official': 'Commonwealth of the Bahamas'}}, 'tld': ['.bs'], 'cca2': 'BS', 'ccn3': '044', 'cca3': 'BHS', 'currency': ['BSD'], 'callingCode': ['1242'], 'capital': 'Nassau', 'altSpellings': ['BS', 'Commonwealth of the Bahamas'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'cym': 'Bahamas', 'deu': 'Bahamas', 'fra': 'Bahamas', 'hrv': 'Bahami', 'ita': 'Bahamas', 'jpn': 'バハマ', 'nld': 'Bahama’s', 'rus': 'Багамские Острова', 'spa': 'Bahamas'}, 'latlng': [24.25, -76], 'demonym': 'Bahamian', 'borders': [], 'area': 13943}, {'name': {'common': 'Bahrain', 'official': 'Kingdom of Bahrain', 'native': {'common': '\u200fالبحرين', 'official': 'مملكة البحرين'}}, 'tld': ['.bh'], 'cca2': 'BH', 'ccn3': '048', 'cca3': 'BHR', 'currency': ['BHD'], 'callingCode': ['973'], 'capital': 'Manama', 'altSpellings': ['BH', 'Kingdom of Bahrain', 'Mamlakat al-Baḥrayn'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Western Asia', 'nativeLanguage': 'ara', 'languages': {'ara': 'Arabic'}, 'translations': {'cym': 'Bahrain', 'deu': 'Bahrain', 'fra': 'Bahreïn', 'hrv': 'Bahrein', 'ita': 'Bahrein', 'jpn': 'バーレーン', 'nld': 'Bahrein', 'rus': 'Бахрейн', 'spa': 'Bahrein'}, 'latlng': [26, 50.55], 'demonym': 'Bahraini', 'borders': [], 'area': 765}, {'name': {'common': 'Bangladesh', 'official': "People's Republic of Bangladesh", 'native': {'common': 'Bangladesh', 'official': 'বাংলাদেশ গণপ্রজাতন্ত্রী'}}, 'tld': ['.bd'], 'cca2': 'BD', 'ccn3': '050', 'cca3': 'BGD', 'currency': ['BDT'], 'callingCode': ['880'], 'capital': 'Dhaka', 'altSpellings': ['BD', "People's Republic of Bangladesh", 'Gônôprôjatôntri Bangladesh'], 'relevance': '2', 'region': 'Asia', 'subregion': 'Southern Asia', 'nativeLanguage': 'ben', 'languages': {'ben': 'Bengali'}, 'translations': {'cym': 'Bangladesh', 'deu': 'Bangladesch', 'fra': 'Bangladesh', 'hrv': 'Bangladeš', 'ita': 'Bangladesh', 'jpn': 'バングラデシュ', 'nld': 'Bangladesh', 'rus': 'Бангладеш', 'spa': 'Bangladesh'}, 'latlng': [24, 90], 'demonym': 'Bangladeshi', 'borders': ['MMR', 'IND'], 'area': 147570}, {'name': {'common': 'Barbados', 'official': 'Barbados', 'native': {'common': 'Barbados', 'official': 'Barbados'}}, 'tld': ['.bb'], 'cca2': 'BB', 'ccn3': '052', 'cca3': 'BRB', 'currency': ['BBD'], 'callingCode': ['1246'], 'capital': 'Bridgetown', 'altSpellings': ['BB'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'cym': 'Barbados', 'deu': 'Barbados', 'fra': 'Barbade', 'hrv': 'Barbados', 'ita': 'Barbados', 'jpn': 'バルバドス', 'nld': 'Barbados', 'rus': 'Барбадос', 'spa': 'Barbados'}, 'latlng': [13.16666666, -59.53333333], 'demonym': 'Barbadian', 'borders': [], 'area': 430}, {'name': {'common': 'Belarus', 'official': 'Republic of Belarus', 'native': {'common': 'Белару́сь', 'official': 'Рэспубліка Беларусь'}}, 'tld': ['.by'], 'cca2': 'BY', 'ccn3': '112', 'cca3': 'BLR', 'currency': ['BYR'], 'callingCode': ['375'], 'capital': 'Minsk', 'altSpellings': ['BY', 'Bielaruś', 'Republic of Belarus', 'Белоруссия', 'Республика Беларусь', 'Belorussiya', 'Respublika Belarus’'], 'relevance': '0', 'region': 'Europe', 'subregion': 'Eastern Europe', 'nativeLanguage': 'bel', 'languages': {'bel': 'Belarusian', 'rus': 'Russian'}, 'translations': {'cym': 'Belarws', 'deu': 'Weißrussland', 'fra': 'Biélorussie', 'hrv': 'Bjelorusija', 'ita': 'Bielorussia', 'jpn': 'ベラルーシ', 'nld': 'Wit-Rusland', 'rus': 'Белоруссия', 'spa': 'Bielorrusia'}, 'latlng': [53, 28], 'demonym': 'Belarusian', 'borders': ['LVA', 'LTU', 'POL', 'RUS', 'UKR'], 'area': 207600}, {'name': {'common': 'Belgium', 'official': 'Kingdom of Belgium', 'native': {'common': 'België', 'official': 'Koninkrijk België'}}, 'tld': ['.be'], 'cca2': 'BE', 'ccn3': '056', 'cca3': 'BEL', 'currency': ['EUR'], 'callingCode': ['32'], 'capital': 'Brussels', 'altSpellings': ['BE', 'België', 'Belgie', 'Belgien', 'Belgique', 'Kingdom of Belgium', 'Koninkrijk België', 'Royaume de Belgique', 'Königreich Belgien'], 'relevance': '1.5', 'region': 'Europe', 'subregion': 'Western Europe', 'nativeLanguage': 'nld', 'languages': {'deu': 'German', 'fra': 'French', 'nld': 'Dutch'}, 'translations': {'cym': 'Gwlad Belg', 'deu': 'Belgien', 'fra': 'Belgique', 'hrv': 'Belgija', 'ita': 'Belgio', 'jpn': 'ベルギー', 'nld': 'België', 'rus': 'Бельгия', 'spa': 'Bélgica'}, 'latlng': [50.83333333, 4], 'demonym': 'Belgian', 'borders': ['FRA', 'DEU', 'LUX', 'NLD'], 'area': 30528}, {'name': {'common': 'Belize', 'official': 'Belize', 'native': {'common': 'Belize', 'official': 'Belize'}}, 'tld': ['.bz'], 'cca2': 'BZ', 'ccn3': '084', 'cca3': 'BLZ', 'currency': ['BZD'], 'callingCode': ['501'], 'capital': 'Belmopan', 'altSpellings': ['BZ'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Central America', 'nativeLanguage': 'eng', 'languages': {'eng': 'English', 'spa': 'Spanish'}, 'translations': {'cym': 'Belize', 'deu': 'Belize', 'fra': 'Belize', 'hrv': 'Belize', 'ita': 'Belize', 'jpn': 'ベリーズ', 'nld': 'Belize', 'rus': 'Белиз', 'spa': 'Belice'}, 'latlng': [17.25, -88.75], 'demonym': 'Belizean', 'borders': ['GTM', 'MEX'], 'area': 22966}, {'name': {'common': 'Benin', 'official': 'Republic of Benin', 'native': {'common': 'Bénin', 'official': 'République du Bénin'}}, 'tld': ['.bj'], 'cca2': 'BJ', 'ccn3': '204', 'cca3': 'BEN', 'currency': ['XOF'], 'callingCode': ['229'], 'capital': 'Porto-Novo', 'altSpellings': ['BJ', 'Republic of Benin', 'République du Bénin'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Western Africa', 'nativeLanguage': 'fra', 'languages': {'fra': 'French'}, 'translations': {'cym': 'Benin', 'deu': 'Benin', 'fra': 'Bénin', 'hrv': 'Benin', 'ita': 'Benin', 'jpn': 'ベナン', 'nld': 'Benin', 'rus': 'Бенин', 'spa': 'Benín'}, 'latlng': [9.5, 2.25], 'demonym': 'Beninese', 'borders': ['BFA', 'NER', 'NGA', 'TGO'], 'area': 112622}, {'name': {'common': 'Bermuda', 'official': 'Bermuda', 'native': {'common': 'Bermuda', 'official': 'Bermuda'}}, 'tld': ['.bm'], 'cca2': 'BM', 'ccn3': '060', 'cca3': 'BMU', 'currency': ['BMD'], 'callingCode': ['1441'], 'capital': 'Hamilton', 'altSpellings': ['BM', 'The Islands of Bermuda', 'The Bermudas', 'Somers Isles'], 'relevance': '0.5', 'region': 'Americas', 'subregion': 'Northern America', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'cym': 'Bermiwda', 'deu': 'Bermuda', 'fra': 'Bermudes', 'hrv': 'Bermudi', 'ita': 'Bermuda', 'jpn': 'バミューダ', 'nld': 'Bermuda', 'rus': 'Бермудские Острова', 'spa': 'Bermudas'}, 'latlng': [32.33333333, -64.75], 'demonym': 'Bermudian', 'borders': [], 'area': 54}, {'name': {'common': 'Bhutan', 'official': 'Kingdom of Bhutan', 'native': {'common': 'འབྲུག་ཡུལ་', 'official': 'འབྲུག་རྒྱལ་ཁབ་'}}, 'tld': ['.bt'], 'cca2': 'BT', 'ccn3': '064', 'cca3': 'BTN', 'currency': ['BTN', 'INR'], 'callingCode': ['975'], 'capital': 'Thimphu', 'altSpellings': ['BT', 'Kingdom of Bhutan'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Southern Asia', 'nativeLanguage': 'dzo', 'languages': {'dzo': 'Dzongkha'}, 'translations': {'cym': 'Bhwtan', 'deu': 'Bhutan', 'fra': 'Bhoutan', 'hrv': 'Butan', 'ita': 'Bhutan', 'jpn': 'ブータン', 'nld': 'Bhutan', 'rus': 'Бутан', 'spa': 'Bután'}, 'latlng': [27.5, 90.5], 'demonym': 'Bhutanese', 'borders': ['CHN', 'IND'], 'area': 38394}, {'name': {'common': 'Bolivia', 'official': 'Plurinational State of Bolivia', 'native': {'common': 'Bolivia', 'official': 'Estado Plurinacional de Bolivia'}}, 'tld': ['.bo'], 'cca2': 'BO', 'ccn3': '068', 'cca3': 'BOL', 'currency': ['BOB', 'BOV'], 'callingCode': ['591'], 'capital': 'Sucre', 'altSpellings': ['BO', 'Buliwya', 'Wuliwya', 'Plurinational State of Bolivia', 'Estado Plurinacional de Bolivia', 'Buliwya Mamallaqta', 'Wuliwya Suyu', 'Tetã Volívia'], 'relevance': '0', 'region': 'Americas', 'subregion': 'South America', 'nativeLanguage': 'spa', 'languages': {'aym': 'Aymara', 'grn': 'Guaraní', 'que': 'Quechua', 'spa': 'Spanish'}, 'translations': {'cym': 'Bolifia', 'deu': 'Bolivien', 'fra': 'Bolivie', 'hrv': 'Bolivija', 'ita': 'Bolivia', 'jpn': 'ボリビア多民族国', 'nld': 'Bolivia', 'rus': 'Боливия', 'spa': 'Bolivia'}, 'latlng': [-17, -65], 'demonym': 'Bolivian', 'borders': ['ARG', 'BRA', 'CHL', 'PRY', 'PER'], 'area': 1098581}, {'name': {'common': 'Bonaire', 'official': 'Bonaire', 'native': {'common': 'Bonaire', 'official': 'Bonaire'}}, 'tld': ['.an', '.nl'], 'cca2': 'BQ', 'ccn3': '535', 'cca3': 'BES', 'currency': ['USD'], 'callingCode': ['5997'], 'capital': 'Kralendijk', 'altSpellings': ['BQ', 'Boneiru'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'nld', 'languages': {'nld': 'Dutch'}, 'translations': {'rus': 'Бонэйр'}, 'latlng': [12.15, -68.266667], 'demonym': 'Dutch', 'borders': [], 'area': 294}, {'name': {'common': 'Bosnia and Herzegovina', 'official': 'Bosnia and Herzegovina', 'native': {'common': 'Bosna i Hercegovina', 'official': 'Bosna i Hercegovina'}}, 'tld': ['.ba'], 'cca2': 'BA', 'ccn3': '070', 'cca3': 'BIH', 'currency': ['BAM'], 'callingCode': ['387'], 'capital': 'Sarajevo', 'altSpellings': ['BA', 'Bosnia-Herzegovina', 'Босна и Херцеговина'], 'relevance': '0', 'region': 'Europe', 'subregion': 'Southern Europe', 'nativeLanguage': 'bos', 'languages': {'bos': 'Bosnian', 'hrv': 'Croatian', 'srp': 'Serbian'}, 'translations': {'cym': 'Bosnia a Hercegovina', 'deu': 'Bosnien und Herzegowina', 'fra': 'Bosnie-Herzégovine', 'hrv': 'Bosna i Hercegovina', 'ita': 'Bosnia ed Erzegovina', 'jpn': 'ボスニア・ヘルツェゴビナ', 'nld': 'Bosnië en Herzegovina', 'rus': 'Босния и Герцеговина', 'spa': 'Bosnia y Herzegovina'}, 'latlng': [44, 18], 'demonym': 'Bosnian, Herzegovinian', 'borders': ['HRV', 'MNE', 'SRB'], 'area': 51209}, {'name': {'common': 'Botswana', 'official': 'Republic of Botswana', 'native': {'common': 'Botswana', 'official': 'Republic of Botswana'}}, 'tld': ['.bw'], 'cca2': 'BW', 'ccn3': '072', 'cca3': 'BWA', 'currency': ['BWP'], 'callingCode': ['267'], 'capital': 'Gaborone', 'altSpellings': ['BW', 'Republic of Botswana', 'Lefatshe la Botswana'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Southern Africa', 'nativeLanguage': 'eng', 'languages': {'eng': 'English', 'tsn': 'Tswana'}, 'translations': {'deu': 'Botswana', 'fra': 'Botswana', 'hrv': 'Bocvana', 'ita': 'Botswana', 'jpn': 'ボツワナ', 'nld': 'Botswana', 'rus': 'Ботсвана', 'spa': 'Botswana'}, 'latlng': [-22, 24], 'demonym': 'Motswana', 'borders': ['NAM', 'ZAF', 'ZMB', 'ZWE'], 'area': 582000}, {'name': {'common': 'Bouvet Island', 'official': 'Bouvet Island', 'native': {'common': 'Bouvetøya', 'official': 'Bouvetøya'}}, 'tld': ['.bv'], 'cca2': 'BV', 'ccn3': '074', 'cca3': 'BVT', 'currency': ['NOK'], 'callingCode': [], 'capital': '', 'altSpellings': ['BV', 'Bouvetøya', 'Bouvet-øya'], 'relevance': '0', 'region': '', 'subregion': '', 'nativeLanguage': 'nor', 'languages': {'nor': 'Norwegian'}, 'translations': {'deu': 'Bouvetinsel', 'fra': 'Île Bouvet', 'hrv': 'Otok Bouvet', 'ita': 'Isola Bouvet', 'jpn': 'ブーベ島', 'nld': 'Bouveteiland', 'rus': 'Остров Буве', 'spa': 'Isla Bouvet'}, 'latlng': [-54.43333333, 3.4], 'demonym': '', 'borders': [], 'area': 49}, {'name': {'common': 'Brazil', 'official': 'Federative Republic of Brazil', 'native': {'common': 'Brasil', 'official': 'República Federativa do Brasil'}}, 'tld': ['.br'], 'cca2': 'BR', 'ccn3': '076', 'cca3': 'BRA', 'currency': ['BRL'], 'callingCode': ['55'], 'capital': 'Brasília', 'altSpellings': ['BR', 'Brasil', 'Federative Republic of Brazil', 'República Federativa do Brasil'], 'relevance': '2', 'region': 'Americas', 'subregion': 'South America', 'nativeLanguage': 'por', 'languages': {'por': 'Portuguese'}, 'translations': {'cym': 'Brasil', 'deu': 'Brasilien', 'fra': 'Brésil', 'hrv': 'Brazil', 'ita': 'Brasile', 'jpn': 'ブラジル', 'nld': 'Brazilië', 'rus': 'Бразилия', 'spa': 'Brasil'}, 'latlng': [-10, -55], 'demonym': 'Brazilian', 'borders': ['ARG', 'BOL', 'COL', 'GUF', 'GUY', 'PRY', 'PER', 'SUR', 'URY', 'VEN'], 'area': 8515767}, {'name': {'common': 'British Indian Ocean Territory', 'official': 'British Indian Ocean Territory', 'native': {'common': 'British Indian Ocean Territory', 'official': 'British Indian Ocean Territory'}}, 'tld': ['.io'], 'cca2': 'IO', 'ccn3': '086', 'cca3': 'IOT', 'currency': ['USD'], 'callingCode': ['246'], 'capital': 'Diego Garcia', 'altSpellings': ['IO'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Eastern Africa', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'cym': 'Tiriogaeth Brydeinig Cefnfor India', 'deu': 'Britisches Territorium im Indischen Ozean', 'fra': "Territoire britannique de l'océan Indien", 'hrv': 'Britanski Indijskooceanski teritorij', 'ita': "Territorio britannico dell'oceano indiano", 'jpn': 'イギリス領インド洋地域', 'nld': 'Britse Gebieden in de Indische Oceaan', 'rus': 'Британская территория в Индийском океане', 'spa': 'Territorio Británico del Océano Índico'}, 'latlng': [-6, 71.5], 'demonym': 'Indian', 'borders': [], 'area': 60}, {'name': {'common': 'British Virgin Islands', 'official': 'Virgin Islands', 'native': {'common': 'British Virgin Islands', 'official': 'Virgin Islands'}}, 'tld': ['.vg'], 'cca2': 'VG', 'ccn3': '092', 'cca3': 'VGB', 'currency': ['USD'], 'callingCode': ['1284'], 'capital': 'Road Town', 'altSpellings': ['VG'], 'relevance': '0.5', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Britische Jungferninseln', 'fra': 'Îles Vierges britanniques', 'hrv': 'Britanski Djevičanski Otoci', 'ita': 'Isole Vergini Britanniche', 'jpn': 'イギリス領ヴァージン諸島', 'nld': 'Britse Maagdeneilanden', 'rus': 'Британские Виргинские острова', 'spa': 'Islas Vírgenes del Reino Unido'}, 'latlng': [18.431383, -64.62305], 'demonym': 'Virgin Islander', 'borders': [], 'area': 151}, {'name': {'common': 'Brunei', 'official': 'Nation of Brunei, Abode of Peace', 'native': {'common': 'Negara Brunei Darussalam', 'official': 'Nation of Brunei, Abode Damai'}}, 'tld': ['.bn'], 'cca2': 'BN', 'ccn3': '096', 'cca3': 'BRN', 'currency': ['BND'], 'callingCode': ['673'], 'capital': 'Bandar Seri Begawan', 'altSpellings': ['BN', 'Nation of Brunei', ' the Abode of Peace'], 'relevance': '0', 'region': 'Asia', 'subregion': 'South-Eastern Asia', 'nativeLanguage': 'msa', 'languages': {'msa': 'Malay'}, 'translations': {'cym': 'Brunei', 'deu': 'Brunei', 'fra': 'Brunei', 'hrv': 'Brunej', 'ita': 'Brunei', 'jpn': 'ブルネイ・ダルサラーム', 'nld': 'Brunei', 'rus': 'Бруней', 'spa': 'Brunei'}, 'latlng': [4.5, 114.66666666], 'demonym': 'Bruneian', 'borders': ['MYS'], 'area': 5765}, {'name': {'common': 'Bulgaria', 'official': 'Republic of Bulgaria', 'native': {'common': 'България', 'official': 'Република България'}}, 'tld': ['.bg'], 'cca2': 'BG', 'ccn3': '100', 'cca3': 'BGR', 'currency': ['BGN'], 'callingCode': ['359'], 'capital': 'Sofia', 'altSpellings': ['BG', 'Republic of Bulgaria', 'Република България'], 'relevance': '0', 'region': 'Europe', 'subregion': 'Eastern Europe', 'nativeLanguage': 'bul', 'languages': {'bul': 'Bulgarian'}, 'translations': {'cym': 'Bwlgaria', 'deu': 'Bulgarien', 'fra': 'Bulgarie', 'hrv': 'Bugarska', 'ita': 'Bulgaria', 'jpn': 'ブルガリア', 'nld': 'Bulgarije', 'rus': 'Болгария', 'spa': 'Bulgaria'}, 'latlng': [43, 25], 'demonym': 'Bulgarian', 'borders': ['GRC', 'MKD', 'ROU', 'SRB', 'TUR'], 'area': 110879}, {'name': {'common': 'Burkina Faso', 'official': 'Burkina Faso', 'native': {'common': 'Burkina Faso', 'official': 'Burkina Faso'}}, 'tld': ['.bf'], 'cca2': 'BF', 'ccn3': '854', 'cca3': 'BFA', 'currency': ['XOF'], 'callingCode': ['226'], 'capital': 'Ouagadougou', 'altSpellings': ['BF'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Western Africa', 'nativeLanguage': 'fra', 'languages': {'fra': 'French'}, 'translations': {'cym': 'Burkina Faso', 'deu': 'Burkina Faso', 'fra': 'Burkina Faso', 'hrv': 'Burkina Faso', 'ita': 'Burkina Faso', 'jpn': 'ブルキナファソ', 'nld': 'Burkina Faso', 'rus': 'Буркина-Фасо', 'spa': 'Burkina Faso'}, 'latlng': [13, -2], 'demonym': 'Burkinabe', 'borders': ['BEN', 'CIV', 'GHA', 'MLI', 'NER', 'TGO'], 'area': 272967}, {'name': {'common': 'Burundi', 'official': 'Republic of Burundi', 'native': {'common': 'Burundi', 'official': 'République du Burundi'}}, 'tld': ['.bi'], 'cca2': 'BI', 'ccn3': '108', 'cca3': 'BDI', 'currency': ['BIF'], 'callingCode': ['257'], 'capital': 'Bujumbura', 'altSpellings': ['BI', 'Republic of Burundi', "Republika y'Uburundi", 'République du Burundi'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Eastern Africa', 'nativeLanguage': 'run', 'languages': {'fra': 'French', 'run': 'Kirundi'}, 'translations': {'cym': 'Bwrwndi', 'deu': 'Burundi', 'fra': 'Burundi', 'hrv': 'Burundi', 'ita': 'Burundi', 'jpn': 'ブルンジ', 'nld': 'Burundi', 'rus': 'Бурунди', 'spa': 'Burundi'}, 'latlng': [-3.5, 30], 'demonym': 'Burundian', 'borders': ['COD', 'RWA', 'TZA'], 'area': 27834}, {'name': {'common': 'Cambodia', 'official': 'Kingdom of Cambodia', 'native': {'common': 'Kâmpŭchéa', 'official': 'ព្រះរាជាណាចក្រកម្ពុជា'}}, 'tld': ['.kh'], 'cca2': 'KH', 'ccn3': '116', 'cca3': 'KHM', 'currency': ['KHR'], 'callingCode': ['855'], 'capital': 'Phnom Penh', 'altSpellings': ['KH', 'Kingdom of Cambodia'], 'relevance': '0', 'region': 'Asia', 'subregion': 'South-Eastern Asia', 'nativeLanguage': 'khm', 'languages': {'khm': 'Khmer'}, 'translations': {'cym': 'Cambodia', 'deu': 'Kambodscha', 'fra': 'Cambodge', 'hrv': 'Kambodža', 'ita': 'Cambogia', 'jpn': 'カンボジア', 'nld': 'Cambodja', 'rus': 'Камбоджа', 'spa': 'Camboya'}, 'latlng': [13, 105], 'demonym': 'Cambodian', 'borders': ['LAO', 'THA', 'VNM'], 'area': 181035}, {'name': {'common': 'Cameroon', 'official': 'Republic of Cameroon', 'native': {'common': 'Cameroun', 'official': 'République du Cameroun'}}, 'tld': ['.cm'], 'cca2': 'CM', 'ccn3': '120', 'cca3': 'CMR', 'currency': ['XAF'], 'callingCode': ['237'], 'capital': 'Yaoundé', 'altSpellings': ['CM', 'Republic of Cameroon', 'République du Cameroun'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Middle Africa', 'nativeLanguage': 'fra', 'languages': {'eng': 'English', 'fra': 'French'}, 'translations': {'cym': 'Camerŵn', 'deu': 'Kamerun', 'fra': 'Cameroun', 'hrv': 'Kamerun', 'ita': 'Camerun', 'jpn': 'カメルーン', 'nld': 'Kameroen', 'rus': 'Камерун', 'spa': 'Camerún'}, 'latlng': [6, 12], 'demonym': 'Cameroonian', 'borders': ['CAF', 'TCD', 'COG', 'GNQ', 'GAB', 'NGA'], 'area': 475442}, {'name': {'common': 'Canada', 'official': 'Canada', 'native': {'common': 'Canada', 'official': 'Canada'}}, 'tld': ['.ca'], 'cca2': 'CA', 'ccn3': '124', 'cca3': 'CAN', 'currency': ['CAD'], 'callingCode': ['1'], 'capital': 'Ottawa', 'altSpellings': ['CA'], 'relevance': '2', 'region': 'Americas', 'subregion': 'Northern America', 'nativeLanguage': 'eng', 'languages': {'eng': 'English', 'fra': 'French'}, 'translations': {'cym': 'Canada', 'deu': 'Kanada', 'fra': 'Canada', 'hrv': 'Kanada', 'ita': 'Canada', 'jpn': 'カナダ', 'nld': 'Canada', 'rus': 'Канада', 'spa': 'Canadá'}, 'latlng': [60, -95], 'demonym': 'Canadian', 'borders': ['USA'], 'area': 9984670}, {'name': {'common': 'Cape Verde', 'official': 'Republic of Cabo Verde', 'native': {'common': 'Cabo Verde', 'official': 'República de Cabo Verde'}}, 'tld': ['.cv'], 'cca2': 'CV', 'ccn3': '132', 'cca3': 'CPV', 'currency': ['CVE'], 'callingCode': ['238'], 'capital': 'Praia', 'altSpellings': ['CV', 'Republic of Cabo Verde', 'República de Cabo Verde'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Western Africa', 'nativeLanguage': 'por', 'languages': {'por': 'Portuguese'}, 'translations': {'cym': 'Cape Verde', 'deu': 'Kap Verde', 'fra': 'Cap Vert', 'hrv': 'Zelenortska Republika', 'ita': 'Capo Verde', 'jpn': 'カーボベルデ', 'nld': 'Kaapverdië', 'rus': 'Кабо-Верде', 'spa': 'Cabo Verde'}, 'latlng': [16, -24], 'demonym': 'Cape Verdian', 'borders': [], 'area': 4033}, {'name': {'common': 'Cayman Islands', 'official': 'Cayman Islands', 'native': {'common': 'Cayman Islands', 'official': 'Cayman Islands'}}, 'tld': ['.ky'], 'cca2': 'KY', 'ccn3': '136', 'cca3': 'CYM', 'currency': ['KYD'], 'callingCode': ['1345'], 'capital': 'George Town', 'altSpellings': ['KY'], 'relevance': '0.5', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'cym': 'Ynysoedd_Cayman', 'deu': 'Kaimaninseln', 'fra': 'Îles Caïmans', 'hrv': 'Kajmanski otoci', 'ita': 'Isole Cayman', 'jpn': 'ケイマン諸島', 'nld': 'Caymaneilanden', 'rus': 'Каймановы острова', 'spa': 'Islas Caimán'}, 'latlng': [19.5, -80.5], 'demonym': 'Caymanian', 'borders': [], 'area': 264}, {'name': {'common': 'Central African Republic', 'official': 'Central African Republic', 'native': {'common': 'Bêafrîka', 'official': 'Ködörösêse tî Bêafrîka'}}, 'tld': ['.cf'], 'cca2': 'CF', 'ccn3': '140', 'cca3': 'CAF', 'currency': ['XAF'], 'callingCode': ['236'], 'capital': 'Bangui', 'altSpellings': ['CF', 'Central African Republic', 'République centrafricaine'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Middle Africa', 'nativeLanguage': 'sag', 'languages': {'fra': 'French', 'sag': 'Sango'}, 'translations': {'cym': 'Gweriniaeth Canolbarth Affrica', 'deu': 'Zentralafrikanische Republik', 'fra': 'République centrafricaine', 'hrv': 'Srednjoafrička Republika', 'ita': 'Repubblica Centrafricana', 'jpn': '中央アフリカ共和国', 'nld': 'Centraal-Afrikaanse Republiek', 'rus': 'Центральноафриканская Республика', 'spa': 'República Centroafricana'}, 'latlng': [7, 21], 'demonym': 'Central African', 'borders': ['CMR', 'TCD', 'COD', 'COG', 'SSD', 'SDN'], 'area': 622984}, {'name': {'common': 'Chad', 'official': 'Republic of Chad', 'native': {'common': 'Tchad', 'official': 'République du Tchad'}}, 'tld': ['.td'], 'cca2': 'TD', 'ccn3': '148', 'cca3': 'TCD', 'currency': ['XAF'], 'callingCode': ['235'], 'capital': "N'Djamena", 'altSpellings': ['TD', 'Tchad', 'Republic of Chad', 'République du Tchad'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Middle Africa', 'nativeLanguage': 'ara', 'languages': {'ara': 'Arabic', 'fra': 'French'}, 'translations': {'cym': 'Tsiad', 'deu': 'Tschad', 'fra': 'Tchad', 'hrv': 'Čad', 'ita': 'Ciad', 'jpn': 'チャド', 'nld': 'Tsjaad', 'rus': 'Чад', 'spa': 'Chad'}, 'latlng': [15, 19], 'demonym': 'Chadian', 'borders': ['CMR', 'CAF', 'LBY', 'NER', 'NGA', 'SSD'], 'area': 1284000}, {'name': {'common': 'Chile', 'official': 'Republic of Chile', 'native': {'common': 'Chile', 'official': 'República de Chile'}}, 'tld': ['.cl'], 'cca2': 'CL', 'ccn3': '152', 'cca3': 'CHL', 'currency': ['CLF', 'CLP'], 'callingCode': ['56'], 'capital': 'Santiago', 'altSpellings': ['CL', 'Republic of Chile', 'República de Chile'], 'relevance': '0', 'region': 'Americas', 'subregion': 'South America', 'nativeLanguage': 'spa', 'languages': {'spa': 'Spanish'}, 'translations': {'cym': 'Chile', 'deu': 'Chile', 'fra': 'Chili', 'hrv': 'Čile', 'ita': 'Cile', 'jpn': 'チリ', 'nld': 'Chili', 'rus': 'Чили', 'spa': 'Chile'}, 'latlng': [-30, -71], 'demonym': 'Chilean', 'borders': ['ARG', 'BOL', 'PER'], 'area': 756102}, {'name': {'common': 'China', 'official': "People's Republic of China", 'native': {'common': '中国', 'official': '中华人民共和国'}}, 'tld': ['.cn', '.中国', '.中國', '.公司', '.网络'], 'cca2': 'CN', 'ccn3': '156', 'cca3': 'CHN', 'currency': ['CNY'], 'callingCode': ['86'], 'capital': 'Beijing', 'altSpellings': ['CN', 'Zhōngguó', 'Zhongguo', 'Zhonghua', "People's Republic of China", '中华人民共和国', 'Zhōnghuá Rénmín Gònghéguó'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Eastern Asia', 'nativeLanguage': 'cmn', 'languages': {'cmn': 'Mandarin'}, 'translations': {'cym': 'Tsieina', 'deu': 'China', 'fra': 'Chine', 'hrv': 'Kina', 'ita': 'Cina', 'jpn': '中国', 'nld': 'China', 'rus': 'Китай', 'spa': 'China'}, 'latlng': [35, 105], 'demonym': 'Chinese', 'borders': ['AFG', 'BTN', 'MMR', 'HKG', 'IND', 'KAZ', 'PRK', 'KGZ', 'LAO', 'MAC', 'MNG', 'PAK', 'RUS', 'TJK', 'VNM'], 'area': 9706961}, {'name': {'common': 'Christmas Island', 'official': 'Territory of Christmas Island', 'native': {'common': 'Christmas Island', 'official': 'Territory of Christmas Island'}}, 'tld': ['.cx'], 'cca2': 'CX', 'ccn3': '162', 'cca3': 'CXR', 'currency': ['AUD'], 'callingCode': ['61'], 'capital': 'Flying Fish Cove', 'altSpellings': ['CX', 'Territory of Christmas Island'], 'relevance': '0.5', 'region': 'Oceania', 'subregion': 'Australia and New Zealand', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'cym': 'Ynys y Nadolig', 'deu': 'Weihnachtsinsel', 'fra': 'Île Christmas', 'hrv': 'Božićni otok', 'ita': 'Isola di Natale', 'jpn': 'クリスマス島', 'nld': 'Christmaseiland', 'rus': 'Остров Рождества', 'spa': 'Isla de Navidad'}, 'latlng': [-10.5, 105.66666666], 'demonym': 'Christmas Island', 'borders': [], 'area': 135}, {'name': {'common': 'Cocos (Keeling) Islands', 'official': 'Territory of the Cocos (Keeling) Islands', 'native': {'common': 'Cocos (Keeling) Islands', 'official': 'Territory of the Cocos (Keeling) Islands'}}, 'tld': ['.cc'], 'cca2': 'CC', 'ccn3': '166', 'cca3': 'CCK', 'currency': ['AUD'], 'callingCode': ['61'], 'capital': 'West Island', 'altSpellings': ['CC', 'Territory of the Cocos (Keeling) Islands', 'Keeling Islands'], 'relevance': '0', 'region': 'Oceania', 'subregion': 'Australia and New Zealand', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'cym': 'Ynysoedd Cocos', 'deu': 'Kokosinseln', 'fra': 'Îles Cocos', 'hrv': 'Kokosovi Otoci', 'ita': 'Isole Cocos e Keeling', 'jpn': 'ココス(キーリング)諸島', 'nld': 'Cocoseilanden', 'rus': 'Кокосовые острова', 'spa': 'Islas Cocos o Islas Keeling'}, 'latlng': [-12.5, 96.83333333], 'demonym': 'Cocos Islander', 'borders': [], 'area': 14}, {'name': {'common': 'Colombia', 'official': 'Republic of Colombia', 'native': {'common': 'Colombia', 'official': 'República de Colombia'}}, 'tld': ['.co'], 'cca2': 'CO', 'ccn3': '170', 'cca3': 'COL', 'currency': ['COP'], 'callingCode': ['57'], 'capital': 'Bogotá', 'altSpellings': ['CO', 'Republic of Colombia', 'República de Colombia'], 'relevance': '0', 'region': 'Americas', 'subregion': 'South America', 'nativeLanguage': 'spa', 'languages': {'spa': 'Spanish'}, 'translations': {'cym': 'Colombia', 'deu': 'Kolumbien', 'fra': 'Colombie', 'hrv': 'Kolumbija', 'ita': 'Colombia', 'jpn': 'コロンビア', 'nld': 'Colombia', 'rus': 'Колумбия', 'spa': 'Colombia'}, 'latlng': [4, -72], 'demonym': 'Colombian', 'borders': ['BRA', 'ECU', 'PAN', 'PER', 'VEN'], 'area': 1141748}, {'name': {'common': 'Comoros', 'official': 'Union of the Comoros', 'native': {'common': 'Komori', 'official': 'Udzima wa Komori'}}, 'tld': ['.km'], 'cca2': 'KM', 'ccn3': '174', 'cca3': 'COM', 'currency': ['KMF'], 'callingCode': ['269'], 'capital': 'Moroni', 'altSpellings': ['KM', 'Union of the Comoros', 'Union des Comores', 'Udzima wa Komori', 'al-Ittiḥād al-Qumurī'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Eastern Africa', 'nativeLanguage': 'zdj', 'languages': {'ara': 'Arabic', 'fra': 'French', 'zdj': 'Comorian'}, 'translations': {'cym': 'Comoros', 'deu': 'Union der Komoren', 'fra': 'Comores', 'hrv': 'Komori', 'ita': 'Comore', 'jpn': 'コモロ', 'nld': 'Comoren', 'rus': 'Коморы', 'spa': 'Comoras'}, 'latlng': [-12.16666666, 44.25], 'demonym': 'Comoran', 'borders': [], 'area': 1862}, {'name': {'common': 'Republic of the Congo', 'official': 'Republic of the Congo', 'native': {'common': 'République du Congo', 'official': 'République du Congo'}}, 'tld': ['.cg'], 'cca2': 'CG', 'ccn3': '178', 'cca3': 'COG', 'currency': ['XAF'], 'callingCode': ['242'], 'capital': 'Brazzaville', 'altSpellings': ['CG', 'Congo-Brazzaville'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Middle Africa', 'nativeLanguage': 'fra', 'languages': {'fra': 'French', 'lin': 'Lingala'}, 'translations': {'cym': 'Gweriniaeth y Congo', 'deu': 'Kongo', 'fra': 'Congo', 'hrv': 'Kongo', 'ita': 'Congo', 'jpn': 'コンゴ共和国', 'nld': 'Congo', 'rus': 'Республика Конго', 'spa': 'Congo'}, 'latlng': [-1, 15], 'demonym': 'Congolese', 'borders': ['AGO', 'CMR', 'CAF', 'COD', 'GAB'], 'area': 342000}, {'name': {'common': 'DR Congo', 'official': 'Democratic Republic of the Congo', 'native': {'common': 'RD Congo', 'official': 'République démocratique du Congo'}}, 'tld': ['.cd'], 'cca2': 'CD', 'ccn3': '180', 'cca3': 'COD', 'currency': ['CDF'], 'callingCode': ['243'], 'capital': 'Kinshasa', 'altSpellings': ['CD', 'DR Congo', 'Congo-Kinshasa', 'DRC'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Middle Africa', 'nativeLanguage': 'swa', 'languages': {'fra': 'French', 'kon': 'Kikongo', 'lin': 'Lingala', 'lua': 'Tshiluba', 'swa': 'Swahili'}, 'translations': {'cym': 'Gweriniaeth Ddemocrataidd Congo', 'deu': 'Kongo (Dem. Rep.)', 'fra': 'Congo (Rép. dém.)', 'hrv': 'Kongo, Demokratska Republika', 'ita': 'Congo (Rep. Dem.)', 'jpn': 'コンゴ民主共和国', 'nld': 'Congo (DRC)', 'rus': 'Демократическая Республика Конго', 'spa': 'Congo (Rep. Dem.)'}, 'latlng': [0, 25], 'demonym': 'Congolese', 'borders': ['AGO', 'BDI', 'CAF', 'COG', 'RWA', 'SSD', 'TZA', 'UGA', 'ZMB'], 'area': 2344858}, {'name': {'common': 'Cook Islands', 'official': 'Cook Islands', 'native': {'common': 'Cook Islands', 'official': 'Cook Islands'}}, 'tld': ['.ck'], 'cca2': 'CK', 'ccn3': '184', 'cca3': 'COK', 'currency': ['NZD'], 'callingCode': ['682'], 'capital': 'Avarua', 'altSpellings': ['CK', "Kūki 'Āirani"], 'relevance': '0.5', 'region': 'Oceania', 'subregion': 'Polynesia', 'nativeLanguage': 'eng', 'languages': {'eng': 'English', 'rar': 'Cook Islands Māori'}, 'translations': {'cym': 'Ynysoedd Cook', 'deu': 'Cookinseln', 'fra': 'Îles Cook', 'hrv': 'Cookovo Otočje', 'ita': 'Isole Cook', 'jpn': 'クック諸島', 'nld': 'Cookeilanden', 'rus': 'Острова Кука', 'spa': 'Islas Cook'}, 'latlng': [-21.23333333, -159.76666666], 'demonym': 'Cook Islander', 'borders': [], 'area': 236}, {'name': {'common': 'Costa Rica', 'official': 'Republic of Costa Rica', 'native': {'common': 'Costa Rica', 'official': 'República de Costa Rica'}}, 'tld': ['.cr'], 'cca2': 'CR', 'ccn3': '188', 'cca3': 'CRI', 'currency': ['CRC'], 'callingCode': ['506'], 'capital': 'San José', 'altSpellings': ['CR', 'Republic of Costa Rica', 'República de Costa Rica'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Central America', 'nativeLanguage': 'spa', 'languages': {'spa': 'Spanish'}, 'translations': {'cym': 'Costa Rica', 'deu': 'Costa Rica', 'fra': 'Costa Rica', 'hrv': 'Kostarika', 'ita': 'Costa Rica', 'jpn': 'コスタリカ', 'nld': 'Costa Rica', 'rus': 'Коста-Рика', 'spa': 'Costa Rica'}, 'latlng': [10, -84], 'demonym': 'Costa Rican', 'borders': ['NIC', 'PAN'], 'area': 51100}, {'name': {'common': 'Croatia', 'official': 'Republic of Croatia', 'native': {'common': 'Hrvatska', 'official': 'Republika Hrvatska'}}, 'tld': ['.hr'], 'cca2': 'HR', 'ccn3': '191', 'cca3': 'HRV', 'currency': ['HRK'], 'callingCode': ['385'], 'capital': 'Zagreb', 'altSpellings': ['HR', 'Hrvatska', 'Republic of Croatia', 'Republika Hrvatska'], 'relevance': '0', 'region': 'Europe', 'subregion': 'Southern Europe', 'nativeLanguage': 'hrv', 'languages': {'hrv': 'Croatian'}, 'translations': {'cym': 'Croatia', 'deu': 'Kroatien', 'fra': 'Croatie', 'hrv': 'Hrvatska', 'ita': 'Croazia', 'jpn': 'クロアチア', 'nld': 'Kroatië', 'rus': 'Хорватия', 'spa': 'Croacia'}, 'latlng': [45.16666666, 15.5], 'demonym': 'Croatian', 'borders': ['BIH', 'HUN', 'MNE', 'SRB', 'SVN'], 'area': 56594}, {'name': {'common': 'Cuba', 'official': 'Republic of Cuba', 'native': {'common': 'Cuba', 'official': 'República de Cuba'}}, 'tld': ['.cu'], 'cca2': 'CU', 'ccn3': '192', 'cca3': 'CUB', 'currency': ['CUC', 'CUP'], 'callingCode': ['53'], 'capital': 'Havana', 'altSpellings': ['CU', 'Republic of Cuba', 'República de Cuba'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'spa', 'languages': {'spa': 'Spanish'}, 'translations': {'cym': 'Ciwba', 'deu': 'Kuba', 'fra': 'Cuba', 'hrv': 'Kuba', 'ita': 'Cuba', 'jpn': 'キューバ', 'nld': 'Cuba', 'rus': 'Куба', 'spa': 'Cuba'}, 'latlng': [21.5, -80], 'demonym': 'Cuban', 'borders': [], 'area': 109884}, {'name': {'common': 'Curaçao', 'official': 'Country of Curaçao', 'native': {'common': 'Curaçao', 'official': 'Land Curaçao'}}, 'tld': ['.cw'], 'cca2': 'CW', 'ccn3': '531', 'cca3': 'CUW', 'currency': ['ANG'], 'callingCode': ['5999'], 'capital': 'Willemstad', 'altSpellings': ['CW', 'Curacao', 'Kòrsou', 'Country of Curaçao', 'Land Curaçao', 'Pais Kòrsou'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'nld', 'languages': {'eng': 'English', 'nld': 'Dutch', 'pap': 'Papiamento'}, 'translations': {'nld': 'Curaçao', 'rus': 'Кюрасао'}, 'latlng': [12.116667, -68.933333], 'demonym': 'Dutch', 'borders': [], 'area': 444}, {'name': {'common': 'Cyprus', 'official': 'Republic of Cyprus', 'native': {'common': 'Κύπρος', 'official': 'Δημοκρατία της Κύπρος'}}, 'tld': ['.cy'], 'cca2': 'CY', 'ccn3': '196', 'cca3': 'CYP', 'currency': ['EUR'], 'callingCode': ['357'], 'capital': 'Nicosia', 'altSpellings': ['CY', 'Kýpros', 'Kıbrıs', 'Republic of Cyprus', 'Κυπριακή Δημοκρατία', 'Kıbrıs Cumhuriyeti'], 'relevance': '0', 'region': 'Europe', 'subregion': 'Eastern Europe', 'nativeLanguage': 'ell', 'languages': {'ell': 'Greek', 'tur': 'Turkish'}, 'translations': {'cym': 'Cyprus', 'deu': 'Zypern', 'fra': 'Chypre', 'hrv': 'Cipar', 'ita': 'Cipro', 'jpn': 'キプロス', 'nld': 'Cyprus', 'rus': 'Кипр', 'spa': 'Chipre'}, 'latlng': [35, 33], 'demonym': 'Cypriot', 'borders': ['GBR'], 'area': 9251}, {'name': {'common': 'Czech Republic', 'official': 'Czech Republic', 'native': {'common': 'Česká republika', 'official': 'česká republika'}}, 'tld': ['.cz'], 'cca2': 'CZ', 'ccn3': '203', 'cca3': 'CZE', 'currency': ['CZK'], 'callingCode': ['420'], 'capital': 'Prague', 'altSpellings': ['CZ', 'Česká republika', 'Česko'], 'relevance': '0', 'region': 'Europe', 'subregion': 'Eastern Europe', 'nativeLanguage': 'ces', 'languages': {'ces': 'Czech', 'slk': 'Slovak'}, 'translations': {'cym': 'Y Weriniaeth Tsiec', 'deu': 'Tschechische Republik', 'fra': 'République tchèque', 'hrv': 'Češka', 'ita': 'Repubblica Ceca', 'jpn': 'チェコ', 'nld': 'Tsjechië', 'rus': 'Чехия', 'spa': 'República Checa'}, 'latlng': [49.75, 15.5], 'demonym': 'Czech', 'borders': ['AUT', 'DEU', 'POL', 'SVK'], 'area': 78865}, {'name': {'common': 'Denmark', 'official': 'Kingdom of Denmark', 'native': {'common': 'Danmark', 'official': 'Kongeriget Danmark'}}, 'tld': ['.dk'], 'cca2': 'DK', 'ccn3': '208', 'cca3': 'DNK', 'currency': ['DKK'], 'callingCode': ['45'], 'capital': 'Copenhagen', 'altSpellings': ['DK', 'Danmark', 'Kingdom of Denmark', 'Kongeriget Danmark'], 'relevance': '1.5', 'region': 'Europe', 'subregion': 'Northern Europe', 'nativeLanguage': 'dan', 'languages': {'dan': 'Danish'}, 'translations': {'cym': 'Denmarc', 'deu': 'Dänemark', 'fra': 'Danemark', 'hrv': 'Danska', 'ita': 'Danimarca', 'jpn': 'デンマーク', 'nld': 'Denemarken', 'rus': 'Дания', 'spa': 'Dinamarca'}, 'latlng': [56, 10], 'demonym': 'Danish', 'borders': ['DEU'], 'area': 43094}, {'name': {'common': 'Djibouti', 'official': 'Republic of Djibouti', 'native': {'common': 'Djibouti', 'official': 'République de Djibouti'}}, 'tld': ['.dj'], 'cca2': 'DJ', 'ccn3': '262', 'cca3': 'DJI', 'currency': ['DJF'], 'callingCode': ['253'], 'capital': 'Djibouti', 'altSpellings': ['DJ', 'Jabuuti', 'Gabuuti', 'Republic of Djibouti', 'République de Djibouti', 'Gabuutih Ummuuno', 'Jamhuuriyadda Jabuuti'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Eastern Africa', 'nativeLanguage': 'ara', 'languages': {'ara': 'Arabic', 'fra': 'French'}, 'translations': {'cym': 'Djibouti', 'deu': 'Dschibuti', 'fra': 'Djibouti', 'hrv': 'Džibuti', 'ita': 'Gibuti', 'jpn': 'ジブチ', 'nld': 'Djibouti', 'rus': 'Джибути', 'spa': 'Yibuti'}, 'latlng': [11.5, 43], 'demonym': 'Djibouti', 'borders': ['ERI', 'ETH', 'SOM'], 'area': 23200}, {'name': {'common': 'Dominica', 'official': 'Commonwealth of Dominica', 'native': {'common': 'Dominica', 'official': 'Commonwealth of Dominica'}}, 'tld': ['.dm'], 'cca2': 'DM', 'ccn3': '212', 'cca3': 'DMA', 'currency': ['XCD'], 'callingCode': ['1767'], 'capital': 'Roseau', 'altSpellings': ['DM', 'Dominique', 'Wai‘tu kubuli', 'Commonwealth of Dominica'], 'relevance': '0.5', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'cym': 'Dominica', 'deu': 'Dominica', 'fra': 'Dominique', 'hrv': 'Dominika', 'ita': 'Dominica', 'jpn': 'ドミニカ国', 'nld': 'Dominica', 'rus': 'Доминика', 'spa': 'Dominica'}, 'latlng': [15.41666666, -61.33333333], 'demonym': 'Dominican', 'borders': [], 'area': 751}, {'name': {'common': 'Dominican Republic', 'official': 'Dominican Republic', 'native': {'common': 'República Dominicana', 'official': 'República Dominicana'}}, 'tld': ['.do'], 'cca2': 'DO', 'ccn3': '214', 'cca3': 'DOM', 'currency': ['DOP'], 'callingCode': ['1809', '1829', '1849'], 'capital': 'Santo Domingo', 'altSpellings': ['DO'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'spa', 'languages': {'spa': 'Spanish'}, 'translations': {'cym': 'Gweriniaeth_Dominica', 'deu': 'Dominikanische Republik', 'fra': 'République dominicaine', 'hrv': 'Dominikanska Republika', 'ita': 'Repubblica Dominicana', 'jpn': 'ドミニカ共和国', 'nld': 'Dominicaanse Republiek', 'rus': 'Доминиканская Республика', 'spa': 'República Dominicana'}, 'latlng': [19, -70.66666666], 'demonym': 'Dominican', 'borders': ['HTI'], 'area': 48671}, {'name': {'common': 'Ecuador', 'official': 'Republic of Ecuador', 'native': {'common': 'Ecuador', 'official': 'República del Ecuador'}}, 'tld': ['.ec'], 'cca2': 'EC', 'ccn3': '218', 'cca3': 'ECU', 'currency': ['USD'], 'callingCode': ['593'], 'capital': 'Quito', 'altSpellings': ['EC', 'Republic of Ecuador', 'República del Ecuador'], 'relevance': '0', 'region': 'Americas', 'subregion': 'South America', 'nativeLanguage': 'spa', 'languages': {'spa': 'Spanish'}, 'translations': {'cym': 'Ecwador', 'deu': 'Ecuador', 'fra': 'Équateur', 'hrv': 'Ekvador', 'ita': 'Ecuador', 'jpn': 'エクアドル', 'nld': 'Ecuador', 'rus': 'Эквадор', 'spa': 'Ecuador'}, 'latlng': [-2, -77.5], 'demonym': 'Ecuadorean', 'borders': ['COL', 'PER'], 'area': 276841}, {'name': {'common': 'Egypt', 'official': 'Arab Republic of Egypt', 'native': {'common': 'مصر', 'official': 'جمهورية مصر العربية'}}, 'tld': ['.eg', '.مصر'], 'cca2': 'EG', 'ccn3': '818', 'cca3': 'EGY', 'currency': ['EGP'], 'callingCode': ['20'], 'capital': 'Cairo', 'altSpellings': ['EG', 'Arab Republic of Egypt'], 'relevance': '1.5', 'region': 'Africa', 'subregion': 'Northern Africa', 'nativeLanguage': 'ara', 'languages': {'ara': 'Arabic'}, 'translations': {'cym': 'Yr Aifft', 'deu': 'Ägypten', 'fra': 'Égypte', 'hrv': 'Egipat', 'ita': 'Egitto', 'jpn': 'エジプト', 'nld': 'Egypte', 'rus': 'Египет', 'spa': 'Egipto'}, 'latlng': [27, 30], 'demonym': 'Egyptian', 'borders': ['ISR', 'LBY', 'SDN'], 'area': 1002450}, {'name': {'common': 'El Salvador', 'official': 'Republic of El Salvador', 'native': {'common': 'El Salvador', 'official': 'República de El Salvador'}}, 'tld': ['.sv'], 'cca2': 'SV', 'ccn3': '222', 'cca3': 'SLV', 'currency': ['SVC', 'USD'], 'callingCode': ['503'], 'capital': 'San Salvador', 'altSpellings': ['SV', 'Republic of El Salvador', 'República de El Salvador'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Central America', 'nativeLanguage': 'spa', 'languages': {'spa': 'Spanish'}, 'translations': {'cym': 'El Salvador', 'deu': 'El Salvador', 'fra': 'Salvador', 'hrv': 'Salvador', 'ita': 'El Salvador', 'jpn': 'エルサルバドル', 'nld': 'El Salvador', 'rus': 'Сальвадор', 'spa': 'El Salvador'}, 'latlng': [13.83333333, -88.91666666], 'demonym': 'Salvadoran', 'borders': ['GTM', 'HND'], 'area': 21041}, {'name': {'common': 'Equatorial Guinea', 'official': 'Republic of Equatorial Guinea', 'native': {'common': 'Guinea Ecuatorial', 'official': 'República de Guinea Ecuatorial'}}, 'tld': ['.gq'], 'cca2': 'GQ', 'ccn3': '226', 'cca3': 'GNQ', 'currency': ['XAF'], 'callingCode': ['240'], 'capital': 'Malabo', 'altSpellings': ['GQ', 'Republic of Equatorial Guinea', 'República de Guinea Ecuatorial', 'République de Guinée équatoriale', 'República da Guiné Equatorial'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Middle Africa', 'nativeLanguage': 'spa', 'languages': {'fra': 'French', 'por': 'Portuguese', 'spa': 'Spanish'}, 'translations': {'cym': 'Gini Gyhydeddol', 'deu': 'Äquatorial-Guinea', 'fra': 'Guinée-Équatoriale', 'hrv': 'Ekvatorijalna Gvineja', 'ita': 'Guinea Equatoriale', 'jpn': '赤道ギニア', 'nld': 'Equatoriaal-Guinea', 'rus': 'Экваториальная Гвинея', 'spa': 'Guinea Ecuatorial'}, 'latlng': [2, 10], 'demonym': 'Equatorial Guinean', 'borders': ['CMR', 'GAB'], 'area': 28051}, {'name': {'common': 'Eritrea', 'official': 'State of Eritrea', 'native': {'common': 'ኤርትራ', 'official': 'ሃገረ ኤርትራ'}}, 'tld': ['.er'], 'cca2': 'ER', 'ccn3': '232', 'cca3': 'ERI', 'currency': ['ERN'], 'callingCode': ['291'], 'capital': 'Asmara', 'altSpellings': ['ER', 'State of Eritrea', 'ሃገረ ኤርትራ', 'Dawlat Iritriyá', 'ʾErtrā', 'Iritriyā', ''], 'relevance': '0', 'region': 'Africa', 'subregion': 'Eastern Africa', 'nativeLanguage': 'tir', 'languages': {'ara': 'Arabic', 'eng': 'English', 'tir': 'Tigrinya'}, 'translations': {'cym': 'Eritrea', 'deu': 'Eritrea', 'fra': 'Érythrée', 'hrv': 'Eritreja', 'ita': 'Eritrea', 'jpn': 'エリトリア', 'nld': 'Eritrea', 'rus': 'Эритрея', 'spa': 'Eritrea'}, 'latlng': [15, 39], 'demonym': 'Eritrean', 'borders': ['DJI', 'ETH', 'SDN'], 'area': 117600}, {'name': {'common': 'Estonia', 'official': 'Republic of Estonia', 'native': {'common': 'Eesti', 'official': 'Eesti Vabariik'}}, 'tld': ['.ee'], 'cca2': 'EE', 'ccn3': '233', 'cca3': 'EST', 'currency': ['EUR'], 'callingCode': ['372'], 'capital': 'Tallinn', 'altSpellings': ['EE', 'Eesti', 'Republic of Estonia', 'Eesti Vabariik'], 'relevance': '0', 'region': 'Europe', 'subregion': 'Northern Europe', 'nativeLanguage': 'est', 'languages': {'est': 'Estonian'}, 'translations': {'cym': 'Estonia', 'deu': 'Estland', 'fra': 'Estonie', 'hrv': 'Estonija', 'ita': 'Estonia', 'jpn': 'エストニア', 'nld': 'Estland', 'rus': 'Эстония', 'spa': 'Estonia'}, 'latlng': [59, 26], 'demonym': 'Estonian', 'borders': ['LVA', 'RUS'], 'area': 45227}, {'name': {'common': 'Ethiopia', 'official': 'Federal Democratic Republic of Ethiopia', 'native': {'common': 'ኢትዮጵያ', 'official': 'የኢትዮጵያ ፌዴራላዊ ዲሞክራሲያዊ ሪፐብሊክ'}}, 'tld': ['.et'], 'cca2': 'ET', 'ccn3': '231', 'cca3': 'ETH', 'currency': ['ETB'], 'callingCode': ['251'], 'capital': 'Addis Ababa', 'altSpellings': ['ET', 'ʾĪtyōṗṗyā', 'Federal Democratic Republic of Ethiopia', 'የኢትዮጵያ ፌዴራላዊ ዲሞክራሲያዊ ሪፐብሊክ'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Eastern Africa', 'nativeLanguage': 'amh', 'languages': {'amh': 'Amharic'}, 'translations': {'cym': 'Ethiopia', 'deu': 'Äthiopien', 'fra': 'Éthiopie', 'hrv': 'Etiopija', 'ita': 'Etiopia', 'jpn': 'エチオピア', 'nld': 'Ethiopië', 'rus': 'Эфиопия', 'spa': 'Etiopía'}, 'latlng': [8, 38], 'demonym': 'Ethiopian', 'borders': ['DJI', 'ERI', 'KEN', 'SOM', 'SSD', 'SDN'], 'area': 1104300}, {'name': {'common': 'Falkland Islands', 'official': 'Falkland Islands', 'native': {'common': 'Falkland Islands', 'official': 'Falkland Islands'}}, 'tld': ['.fk'], 'cca2': 'FK', 'ccn3': '238', 'cca3': 'FLK', 'currency': ['FKP'], 'callingCode': ['500'], 'capital': 'Stanley', 'altSpellings': ['FK', 'Islas Malvinas'], 'relevance': '0.5', 'region': 'Americas', 'subregion': 'South America', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Falklandinseln', 'fra': 'Îles Malouines', 'hrv': 'Falklandski Otoci', 'ita': 'Isole Falkland o Isole Malvine', 'jpn': 'フォークランド(マルビナス)諸島', 'nld': 'Falklandeilanden', 'rus': 'Фолклендские острова', 'spa': 'Islas Malvinas'}, 'latlng': [-51.75, -59], 'demonym': 'Falkland Islander', 'borders': [], 'area': 12173}, {'name': {'common': 'Faroe Islands', 'official': 'Faroe Islands', 'native': {'common': 'Føroyar', 'official': 'Føroyar'}}, 'tld': ['.fo'], 'cca2': 'FO', 'ccn3': '234', 'cca3': 'FRO', 'currency': ['DKK'], 'callingCode': ['298'], 'capital': 'Tórshavn', 'altSpellings': ['FO', 'Føroyar', 'Færøerne'], 'relevance': '0.5', 'region': 'Europe', 'subregion': 'Northern Europe', 'nativeLanguage': 'fao', 'languages': {'dan': 'Danish', 'fao': 'Faroese'}, 'translations': {'deu': 'Färöer-Inseln', 'fra': 'Îles Féroé', 'hrv': 'Farski Otoci', 'ita': 'Isole Far Oer', 'jpn': 'フェロー諸島', 'nld': 'Faeröer', 'rus': 'Фарерские острова', 'spa': 'Islas Faroe'}, 'latlng': [62, -7], 'demonym': 'Faroese', 'borders': [], 'area': 1393}, {'name': {'common': 'Fiji', 'official': 'Republic of Fiji', 'native': {'common': 'Fiji', 'official': 'Republic of Fiji'}}, 'tld': ['.fj'], 'cca2': 'FJ', 'ccn3': '242', 'cca3': 'FJI', 'currency': ['FJD'], 'callingCode': ['679'], 'capital': 'Suva', 'altSpellings': ['FJ', 'Viti', 'Republic of Fiji', 'Matanitu ko Viti', 'Fijī Gaṇarājya'], 'relevance': '0', 'region': 'Oceania', 'subregion': 'Melanesia', 'nativeLanguage': 'eng', 'languages': {'eng': 'English', 'fij': 'Fijian', 'hif': 'Fiji Hindi'}, 'translations': {'deu': 'Fidschi', 'fra': 'Fidji', 'hrv': 'Fiđi', 'ita': 'Figi', 'jpn': 'フィジー', 'nld': 'Fiji', 'rus': 'Фиджи', 'spa': 'Fiyi'}, 'latlng': [-18, 175], 'demonym': 'Fijian', 'borders': [], 'area': 18272}, {'name': {'common': 'Finland', 'official': 'Republic of FinlandFinland', 'native': {'common': 'Suomi', 'official': 'Tasavallan FinlandFinland'}}, 'tld': ['.fi'], 'cca2': 'FI', 'ccn3': '246', 'cca3': 'FIN', 'currency': ['EUR'], 'callingCode': ['358'], 'capital': 'Helsinki', 'altSpellings': ['FI', 'Suomi', 'Republic of Finland', 'Suomen tasavalta', 'Republiken Finland'], 'relevance': '0.5', 'region': 'Europe', 'subregion': 'Northern Europe', 'nativeLanguage': 'fin', 'languages': {'fin': 'Finnish', 'swe': 'Swedish'}, 'translations': {'deu': 'Finnland', 'fra': 'Finlande', 'hrv': 'Finska', 'ita': 'Finlandia', 'jpn': 'フィンランド', 'nld': 'Finland', 'rus': 'Финляндия', 'spa': 'Finlandia'}, 'latlng': [64, 26], 'demonym': 'Finnish', 'borders': ['NOR', 'SWE', 'RUS'], 'area': 338424}, {'name': {'common': 'France', 'official': 'French Republic', 'native': {'common': 'France', 'official': 'République française'}}, 'tld': ['.fr'], 'cca2': 'FR', 'ccn3': '250', 'cca3': 'FRA', 'currency': ['EUR'], 'callingCode': ['33'], 'capital': 'Paris', 'altSpellings': ['FR', 'French Republic', 'République française'], 'relevance': '2.5', 'region': 'Europe', 'subregion': 'Western Europe', 'nativeLanguage': 'fra', 'languages': {'fra': 'French'}, 'translations': {'deu': 'Frankreich', 'fra': 'France', 'hrv': 'Francuska', 'ita': 'Francia', 'jpn': 'フランス', 'nld': 'Frankrijk', 'rus': 'Франция', 'spa': 'Francia'}, 'latlng': [46, 2], 'demonym': 'French', 'borders': ['AND', 'BEL', 'DEU', 'ITA', 'LUX', 'MCO', 'ESP', 'CHE'], 'area': 551695}, {'name': {'common': 'French Guiana', 'official': 'Guiana', 'native': {'common': 'Guyane française', 'official': 'Guyanes'}}, 'tld': ['.gf'], 'cca2': 'GF', 'ccn3': '254', 'cca3': 'GUF', 'currency': ['EUR'], 'callingCode': ['594'], 'capital': 'Cayenne', 'altSpellings': ['GF', 'Guiana', 'Guyane'], 'relevance': '0', 'region': 'Americas', 'subregion': 'South America', 'nativeLanguage': 'fra', 'languages': {'fra': 'French'}, 'translations': {'deu': 'Französisch Guyana', 'fra': 'Guayane', 'hrv': 'Francuska Gvajana', 'ita': 'Guyana francese', 'jpn': 'フランス領ギアナ', 'nld': 'Frans-Guyana', 'rus': 'Французская Гвиана', 'spa': 'Guayana Francesa'}, 'latlng': [4, -53], 'demonym': '', 'borders': ['BRA', 'SUR'], 'area': 83534}, {'name': {'common': 'French Polynesia', 'official': 'French Polynesia', 'native': {'common': 'Polynésie française', 'official': 'Polynésie française'}}, 'tld': ['.pf'], 'cca2': 'PF', 'ccn3': '258', 'cca3': 'PYF', 'currency': ['XPF'], 'callingCode': ['689'], 'capital': 'Papeetē', 'altSpellings': ['PF', 'Polynésie française', 'French Polynesia', 'Pōrīnetia Farāni'], 'relevance': '0', 'region': 'Oceania', 'subregion': 'Polynesia', 'nativeLanguage': 'fra', 'languages': {'fra': 'French'}, 'translations': {'deu': 'Französisch-Polynesien', 'fra': 'Polynésie française', 'hrv': 'Francuska Polinezija', 'ita': 'Polinesia Francese', 'jpn': 'フランス領ポリネシア', 'nld': 'Frans-Polynesië', 'rus': 'Французская Полинезия', 'spa': 'Polinesia Francesa'}, 'latlng': [-15, -140], 'demonym': 'French Polynesian', 'borders': [], 'area': 4167}, {'name': {'common': 'French Southern and Antarctic Lands', 'official': 'Territory of the French Southern and Antarctic Lands', 'native': {'common': 'Territoire des Terres australes et antarctiques françaises', 'official': "Territoire du Sud françaises et des terres de l'Antarctique"}}, 'tld': ['.tf'], 'cca2': 'TF', 'ccn3': '260', 'cca3': 'ATF', 'currency': ['EUR'], 'callingCode': [], 'capital': 'Port-aux-Français', 'altSpellings': ['TF'], 'relevance': '0', 'region': '', 'subregion': '', 'nativeLanguage': 'fra', 'languages': {'fra': 'French'}, 'translations': {'deu': 'Französische Süd- und Antarktisgebiete', 'fra': 'Terres australes et antarctiques françaises', 'hrv': 'Francuski južni i antarktički teritoriji', 'ita': 'Territori Francesi del Sud', 'jpn': 'フランス領南方・南極地域', 'nld': 'Franse Gebieden in de zuidelijke Indische Oceaan', 'rus': 'Французские Южные и Антарктические территории', 'spa': 'Tierras Australes y Antárticas Francesas'}, 'latlng': [-49.25, 69.167], 'demonym': 'French', 'borders': [], 'area': 7747}, {'name': {'common': 'Gabon', 'official': 'Gabonese Republic', 'native': {'common': 'Gabon', 'official': 'République gabonaise'}}, 'tld': ['.ga'], 'cca2': 'GA', 'ccn3': '266', 'cca3': 'GAB', 'currency': ['XAF'], 'callingCode': ['241'], 'capital': 'Libreville', 'altSpellings': ['GA', 'Gabonese Republic', 'République Gabonaise'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Middle Africa', 'nativeLanguage': 'fra', 'languages': {'fra': 'French'}, 'translations': {'deu': 'Gabun', 'fra': 'Gabon', 'hrv': 'Gabon', 'ita': 'Gabon', 'jpn': 'ガボン', 'nld': 'Gabon', 'rus': 'Габон', 'spa': 'Gabón'}, 'latlng': [-1, 11.75], 'demonym': 'Gabonese', 'borders': ['CMR', 'COG', 'GNQ'], 'area': 267668}, {'name': {'common': 'Gambia', 'official': 'Republic of the Gambia', 'native': {'common': 'Gambia', 'official': 'Republic of the Gambia'}}, 'tld': ['.gm'], 'cca2': 'GM', 'ccn3': '270', 'cca3': 'GMB', 'currency': ['GMD'], 'callingCode': ['220'], 'capital': 'Banjul', 'altSpellings': ['GM', 'Republic of the Gambia'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Western Africa', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Gambia', 'fra': 'Gambie', 'hrv': 'Gambija', 'ita': 'Gambia', 'jpn': 'ガンビア', 'nld': 'Gambia', 'rus': 'Гамбия', 'spa': 'Gambia'}, 'latlng': [13.46666666, -16.56666666], 'demonym': 'Gambian', 'borders': ['SEN'], 'area': 10689}, {'name': {'common': 'Georgia', 'official': 'Georgia', 'native': {'common': 'საქართველო', 'official': 'საქართველო'}}, 'tld': ['.ge'], 'cca2': 'GE', 'ccn3': '268', 'cca3': 'GEO', 'currency': ['GEL'], 'callingCode': ['995'], 'capital': 'Tbilisi', 'altSpellings': ['GE', 'Sakartvelo'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Western Asia', 'nativeLanguage': 'kat', 'languages': {'kat': 'Georgian'}, 'translations': {'deu': 'Georgien', 'fra': 'Géorgie', 'hrv': 'Gruzija', 'ita': 'Georgia', 'jpn': 'グルジア', 'nld': 'Georgië', 'rus': 'Грузия', 'spa': 'Georgia'}, 'latlng': [42, 43.5], 'demonym': 'Georgian', 'borders': ['ARM', 'AZE', 'RUS', 'TUR'], 'area': 69700}, {'name': {'common': 'Germany', 'official': 'Federal Republic of Germany', 'native': {'common': 'Deutschland', 'official': 'Bundesrepublik Deutschland'}}, 'tld': ['.de'], 'cca2': 'DE', 'ccn3': '276', 'cca3': 'DEU', 'currency': ['EUR'], 'callingCode': ['49'], 'capital': 'Berlin', 'altSpellings': ['DE', 'Federal Republic of Germany', 'Bundesrepublik Deutschland'], 'relevance': '3', 'region': 'Europe', 'subregion': 'Western Europe', 'nativeLanguage': 'deu', 'languages': {'deu': 'German'}, 'translations': {'deu': 'Deutschland', 'fra': 'Allemagne', 'hrv': 'Njemačka', 'ita': 'Germania', 'jpn': 'ドイツ', 'nld': 'Duitsland', 'rus': 'Германия', 'spa': 'Alemania'}, 'latlng': [51, 9], 'demonym': 'German', 'borders': ['AUT', 'BEL', 'CZE', 'DNK', 'FRA', 'LUX', 'NLD', 'POL', 'CHE'], 'area': 357114}, {'name': {'common': 'Ghana', 'official': 'Republic of Ghana', 'native': {'common': 'Ghana', 'official': 'Republic of Ghana'}}, 'tld': ['.gh'], 'cca2': 'GH', 'ccn3': '288', 'cca3': 'GHA', 'currency': ['GHS'], 'callingCode': ['233'], 'capital': 'Accra', 'altSpellings': ['GH'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Western Africa', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Ghana', 'fra': 'Ghana', 'hrv': 'Gana', 'ita': 'Ghana', 'jpn': 'ガーナ', 'nld': 'Ghana', 'rus': 'Гана', 'spa': 'Ghana'}, 'latlng': [8, -2], 'demonym': 'Ghanaian', 'borders': ['BFA', 'CIV', 'TGO'], 'area': 238533}, {'name': {'common': 'Gibraltar', 'official': 'Gibraltar', 'native': {'common': 'Gibraltar', 'official': 'Gibraltar'}}, 'tld': ['.gi'], 'cca2': 'GI', 'ccn3': '292', 'cca3': 'GIB', 'currency': ['GIP'], 'callingCode': ['350'], 'capital': 'Gibraltar', 'altSpellings': ['GI'], 'relevance': '0.5', 'region': 'Europe', 'subregion': 'Southern Europe', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Gibraltar', 'fra': 'Gibraltar', 'hrv': 'Gibraltar', 'ita': 'Gibilterra', 'jpn': 'ジブラルタル', 'nld': 'Gibraltar', 'rus': 'Гибралтар', 'spa': 'Gibraltar'}, 'latlng': [36.13333333, -5.35], 'demonym': 'Gibraltar', 'borders': ['ESP'], 'area': 6}, {'name': {'common': 'Greece', 'official': 'Hellenic Republic', 'native': {'common': 'Ελλάδα', 'official': 'Ελληνική Δημοκρατία'}}, 'tld': ['.gr'], 'cca2': 'GR', 'ccn3': '300', 'cca3': 'GRC', 'currency': ['EUR'], 'callingCode': ['30'], 'capital': 'Athens', 'altSpellings': ['GR', 'Elláda', 'Hellenic Republic', 'Ελληνική Δημοκρατία'], 'relevance': '1.5', 'region': 'Europe', 'subregion': 'Southern Europe', 'nativeLanguage': 'ell', 'languages': {'ell': 'Greek'}, 'translations': {'deu': 'Griechenland', 'fra': 'Grèce', 'hrv': 'Grčka', 'ita': 'Grecia', 'jpn': 'ギリシャ', 'nld': 'Griekenland', 'rus': 'Греция', 'spa': 'Grecia'}, 'latlng': [39, 22], 'demonym': 'Greek', 'borders': ['ALB', 'BGR', 'TUR', 'MKD'], 'area': 131990}, {'name': {'common': 'Greenland', 'official': 'Greenland', 'native': {'common': 'Kalaallit Nunaat', 'official': 'Kalaallit Nunaat'}}, 'tld': ['.gl'], 'cca2': 'GL', 'ccn3': '304', 'cca3': 'GRL', 'currency': ['DKK'], 'callingCode': ['299'], 'capital': 'Nuuk', 'altSpellings': ['GL', 'Grønland'], 'relevance': '0.5', 'region': 'Americas', 'subregion': 'Northern America', 'nativeLanguage': 'kal', 'languages': {'kal': 'Greenlandic'}, 'translations': {'deu': 'Grönland', 'fra': 'Groenland', 'hrv': 'Grenland', 'ita': 'Groenlandia', 'jpn': 'グリーンランド', 'nld': 'Groenland', 'rus': 'Гренландия', 'spa': 'Groenlandia'}, 'latlng': [72, -40], 'demonym': 'Greenlandic', 'borders': [], 'area': 2166086}, {'name': {'common': 'Grenada', 'official': 'Grenada', 'native': {'common': 'Grenada', 'official': 'Grenada'}}, 'tld': ['.gd'], 'cca2': 'GD', 'ccn3': '308', 'cca3': 'GRD', 'currency': ['XCD'], 'callingCode': ['1473'], 'capital': "St. George's", 'altSpellings': ['GD'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Grenada', 'fra': 'Grenade', 'hrv': 'Grenada', 'ita': 'Grenada', 'jpn': 'グレナダ', 'nld': 'Grenada', 'rus': 'Гренада', 'spa': 'Grenada'}, 'latlng': [12.11666666, -61.66666666], 'demonym': 'Grenadian', 'borders': [], 'area': 344}, {'name': {'common': 'Guadeloupe', 'official': 'Guadeloupe', 'native': {'common': 'Guadeloupe', 'official': 'Guadeloupe'}}, 'tld': ['.gp'], 'cca2': 'GP', 'ccn3': '312', 'cca3': 'GLP', 'currency': ['EUR'], 'callingCode': ['590'], 'capital': 'Basse-Terre', 'altSpellings': ['GP', 'Gwadloup'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'fra', 'languages': {'fra': 'French'}, 'translations': {'deu': 'Guadeloupe', 'fra': 'Guadeloupe', 'hrv': 'Gvadalupa', 'ita': 'Guadeloupa', 'jpn': 'グアドループ', 'nld': 'Guadeloupe', 'rus': 'Гваделупа', 'spa': 'Guadalupe'}, 'latlng': [16.25, -61.583333], 'demonym': 'Guadeloupian', 'borders': [], 'area': 1628}, {'name': {'common': 'Guam', 'official': 'Guam', 'native': {'common': 'Guam', 'official': 'Guam'}}, 'tld': ['.gu'], 'cca2': 'GU', 'ccn3': '316', 'cca3': 'GUM', 'currency': ['USD'], 'callingCode': ['1671'], 'capital': 'Hagåtña', 'altSpellings': ['GU', 'Guåhån'], 'relevance': '0', 'region': 'Oceania', 'subregion': 'Micronesia', 'nativeLanguage': 'eng', 'languages': {'cha': 'Chamorro', 'eng': 'English', 'spa': 'Spanish'}, 'translations': {'deu': 'Guam', 'fra': 'Guam', 'hrv': 'Guam', 'ita': 'Guam', 'jpn': 'グアム', 'nld': 'Guam', 'rus': 'Гуам', 'spa': 'Guam'}, 'latlng': [13.46666666, 144.78333333], 'demonym': 'Guamanian', 'borders': [], 'area': 549}, {'name': {'common': 'Guatemala', 'official': 'Republic of Guatemala', 'native': {'common': 'Guatemala', 'official': 'República de Guatemala'}}, 'tld': ['.gt'], 'cca2': 'GT', 'ccn3': '320', 'cca3': 'GTM', 'currency': ['GTQ'], 'callingCode': ['502'], 'capital': 'Guatemala City', 'altSpellings': ['GT'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Central America', 'nativeLanguage': 'spa', 'languages': {'spa': 'Spanish'}, 'translations': {'deu': 'Guatemala', 'fra': 'Guatemala', 'hrv': 'Gvatemala', 'ita': 'Guatemala', 'jpn': 'グアテマラ', 'nld': 'Guatemala', 'rus': 'Гватемала', 'spa': 'Guatemala'}, 'latlng': [15.5, -90.25], 'demonym': 'Guatemalan', 'borders': ['BLZ', 'SLV', 'HND', 'MEX'], 'area': 108889}, {'name': {'common': 'Guernsey', 'official': 'Bailiwick of Guernsey', 'native': {'common': 'Guernsey', 'official': 'Bailiwick of Guernsey'}}, 'tld': ['.gg'], 'cca2': 'GG', 'ccn3': '831', 'cca3': 'GGY', 'currency': ['GBP'], 'callingCode': ['44'], 'capital': 'St. Peter Port', 'altSpellings': ['GG', 'Bailiwick of Guernsey', 'Bailliage de Guernesey'], 'relevance': '0.5', 'region': 'Europe', 'subregion': 'Northern Europe', 'nativeLanguage': 'eng', 'languages': {'eng': 'English', 'fra': 'French'}, 'translations': {'deu': 'Guernsey', 'fra': 'Guernesey', 'hrv': 'Guernsey', 'ita': 'Guernsey', 'jpn': 'ガーンジー', 'nld': 'Guernsey', 'rus': 'Гернси', 'spa': 'Guernsey'}, 'latlng': [49.46666666, -2.58333333], 'demonym': 'Channel Islander', 'borders': [], 'area': 78}, {'name': {'common': 'Guinea', 'official': 'Republic of Guinea', 'native': {'common': 'Guinée', 'official': 'République de Guinée'}}, 'tld': ['.gn'], 'cca2': 'GN', 'ccn3': '324', 'cca3': 'GIN', 'currency': ['GNF'], 'callingCode': ['224'], 'capital': 'Conakry', 'altSpellings': ['GN', 'Republic of Guinea', 'République de Guinée'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Western Africa', 'nativeLanguage': 'fra', 'languages': {'fra': 'French'}, 'translations': {'deu': 'Guinea', 'fra': 'Guinée', 'hrv': 'Gvineja', 'ita': 'Guinea', 'jpn': 'ギニア', 'nld': 'Guinee', 'rus': 'Гвинея', 'spa': 'Guinea'}, 'latlng': [11, -10], 'demonym': 'Guinean', 'borders': ['CIV', 'GNB', 'LBR', 'MLI', 'SEN', 'SLE'], 'area': 245857}, {'name': {'common': 'Guinea-Bissau', 'official': 'Republic of Guinea-Bissau', 'native': {'common': 'Guiné-Bissau', 'official': 'República da Guiné-Bissau'}}, 'tld': ['.gw'], 'cca2': 'GW', 'ccn3': '624', 'cca3': 'GNB', 'currency': ['XOF'], 'callingCode': ['245'], 'capital': 'Bissau', 'altSpellings': ['GW', 'Republic of Guinea-Bissau', 'República da Guiné-Bissau'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Western Africa', 'nativeLanguage': 'por', 'languages': {'por': 'Portuguese'}, 'translations': {'deu': 'Guinea-Bissau', 'fra': 'Guinée-Bissau', 'hrv': 'Gvineja Bisau', 'ita': 'Guinea-Bissau', 'jpn': 'ギニアビサウ', 'nld': 'Guinee-Bissau', 'rus': 'Гвинея-Бисау', 'spa': 'Guinea-Bisáu'}, 'latlng': [12, -15], 'demonym': 'Guinea-Bissauan', 'borders': ['GIN', 'SEN'], 'area': 36125}, {'name': {'common': 'Guyana', 'official': 'Co-operative Republic of Guyana', 'native': {'common': 'Guyana', 'official': 'Co-operative Republic of Guyana'}}, 'tld': ['.gy'], 'cca2': 'GY', 'ccn3': '328', 'cca3': 'GUY', 'currency': ['GYD'], 'callingCode': ['592'], 'capital': 'Georgetown', 'altSpellings': ['GY', 'Co-operative Republic of Guyana'], 'relevance': '0', 'region': 'Americas', 'subregion': 'South America', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Guyana', 'fra': 'Guyane', 'hrv': 'Gvajana', 'ita': 'Guyana', 'jpn': 'ガイアナ', 'nld': 'Guyana', 'rus': 'Гайана', 'spa': 'Guyana'}, 'latlng': [5, -59], 'demonym': 'Guyanese', 'borders': ['BRA', 'SUR', 'VEN'], 'area': 214969}, {'name': {'common': 'Haiti', 'official': 'Republic of Haiti', 'native': {'common': 'Haïti', 'official': "République d'Haïti"}}, 'tld': ['.ht'], 'cca2': 'HT', 'ccn3': '332', 'cca3': 'HTI', 'currency': ['HTG', 'USD'], 'callingCode': ['509'], 'capital': 'Port-au-Prince', 'altSpellings': ['HT', 'Republic of Haiti', "République d'Haïti", 'Repiblik Ayiti'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'fra', 'languages': {'fra': 'French', 'hat': 'Haitian Creole'}, 'translations': {'deu': 'Haiti', 'fra': 'Haïti', 'hrv': 'Haiti', 'ita': 'Haiti', 'jpn': 'ハイチ', 'nld': 'Haïti', 'rus': 'Гаити', 'spa': 'Haiti'}, 'latlng': [19, -72.41666666], 'demonym': 'Haitian', 'borders': ['DOM'], 'area': 27750}, {'name': {'common': 'Heard Island and McDonald Islands', 'official': 'Heard Island and McDonald Islands', 'native': {'common': 'Heard Island and McDonald Islands', 'official': 'Heard Island and McDonald Islands'}}, 'tld': ['.hm', '.aq'], 'cca2': 'HM', 'ccn3': '334', 'cca3': 'HMD', 'currency': ['AUD'], 'callingCode': [], 'capital': '', 'altSpellings': ['HM'], 'relevance': '0', 'region': '', 'subregion': '', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Heard und die McDonaldinseln', 'fra': 'Îles Heard-et-MacDonald', 'hrv': 'Otok Heard i otočje McDonald', 'ita': 'Isole Heard e McDonald', 'jpn': 'ハード島とマクドナルド諸島', 'nld': 'Heard- en McDonaldeilanden', 'rus': 'Остров Херд и острова Макдональд', 'spa': 'Islas Heard y McDonald'}, 'latlng': [-53.1, 72.51666666], 'demonym': 'Heard and McDonald Islander', 'borders': [], 'area': 412}, {'name': {'common': 'Vatican City', 'official': 'Vatican City State', 'native': {'common': 'Vaticano', 'official': 'Stato della Città del Vaticano'}}, 'tld': ['.va'], 'cca2': 'VA', 'ccn3': '336', 'cca3': 'VAT', 'currency': ['EUR'], 'callingCode': ['3906698', '379'], 'capital': 'Vatican City', 'altSpellings': ['VA', 'Vatican City State', 'Stato della Città del Vaticano'], 'relevance': '0.5', 'region': 'Europe', 'subregion': 'Southern Europe', 'nativeLanguage': 'ita', 'languages': {'ita': 'Italian', 'lat': 'Latin'}, 'translations': {'deu': 'Vatikanstadt', 'fra': 'Cité du Vatican', 'hrv': 'Vatikan', 'ita': 'Città del Vaticano', 'jpn': 'バチカン市国', 'nld': 'Vaticaanstad', 'rus': 'Ватикан', 'spa': 'Ciudad del Vaticano'}, 'latlng': [41.9, 12.45], 'demonym': 'Italian', 'borders': ['ITA'], 'area': 0.44}, {'name': {'common': 'Honduras', 'official': 'Republic of Honduras', 'native': {'common': 'Honduras', 'official': 'República de Honduras'}}, 'tld': ['.hn'], 'cca2': 'HN', 'ccn3': '340', 'cca3': 'HND', 'currency': ['HNL'], 'callingCode': ['504'], 'capital': 'Tegucigalpa', 'altSpellings': ['HN', 'Republic of Honduras', 'República de Honduras'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Central America', 'nativeLanguage': 'spa', 'languages': {'spa': 'Spanish'}, 'translations': {'deu': 'Honduras', 'fra': 'Honduras', 'hrv': 'Honduras', 'ita': 'Honduras', 'jpn': 'ホンジュラス', 'nld': 'Honduras', 'rus': 'Гондурас', 'spa': 'Honduras'}, 'latlng': [15, -86.5], 'demonym': 'Honduran', 'borders': ['GTM', 'SLV', 'NIC'], 'area': 112492}, {'name': {'common': 'Hong Kong', 'official': "Hong Kong Special Administrative Region of the People's Republic of China", 'native': {'common': '香港', 'official': '香港中国特别行政区的人民共和国'}}, 'tld': ['.hk', '.香港'], 'cca2': 'HK', 'ccn3': '344', 'cca3': 'HKG', 'currency': ['HKD'], 'callingCode': ['852'], 'capital': 'City of Victoria', 'altSpellings': ['HK'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Eastern Asia', 'nativeLanguage': 'zho', 'languages': {'eng': 'English', 'zho': 'Chinese'}, 'translations': {'deu': 'Hongkong', 'fra': 'Hong Kong', 'hrv': 'Hong Kong', 'ita': 'Hong Kong', 'jpn': '香港', 'nld': 'Hongkong', 'rus': 'Гонконг', 'spa': 'Hong Kong'}, 'latlng': [22.267, 114.188], 'demonym': 'Hong Konger', 'borders': ['CHN'], 'area': 1104}, {'name': {'common': 'Hungary', 'official': 'Hungary', 'native': {'common': 'Magyarország', 'official': 'Magyarország'}}, 'tld': ['.hu'], 'cca2': 'HU', 'ccn3': '348', 'cca3': 'HUN', 'currency': ['HUF'], 'callingCode': ['36'], 'capital': 'Budapest', 'altSpellings': ['HU'], 'relevance': '0', 'region': 'Europe', 'subregion': 'Eastern Europe', 'nativeLanguage': 'hun', 'languages': {'hun': 'Hungarian'}, 'translations': {'deu': 'Ungarn', 'fra': 'Hongrie', 'hrv': 'Mađarska', 'ita': 'Ungheria', 'jpn': 'ハンガリー', 'nld': 'Hongarije', 'rus': 'Венгрия', 'spa': 'Hungría'}, 'latlng': [47, 20], 'demonym': 'Hungarian', 'borders': ['AUT', 'HRV', 'ROU', 'SRB', 'SVK', 'SVN', 'UKR'], 'area': 93028}, {'name': {'common': 'Iceland', 'official': 'Iceland', 'native': {'common': 'Ísland', 'official': 'Ísland'}}, 'tld': ['.is'], 'cca2': 'IS', 'ccn3': '352', 'cca3': 'ISL', 'currency': ['ISK'], 'callingCode': ['354'], 'capital': 'Reykjavik', 'altSpellings': ['IS', 'Island', 'Republic of Iceland', 'Lýðveldið Ísland'], 'relevance': '0', 'region': 'Europe', 'subregion': 'Northern Europe', 'nativeLanguage': 'isl', 'languages': {'isl': 'Icelandic'}, 'translations': {'deu': 'Island', 'fra': 'Islande', 'hrv': 'Island', 'ita': 'Islanda', 'jpn': 'アイスランド', 'nld': 'IJsland', 'rus': 'Исландия', 'spa': 'Islandia'}, 'latlng': [65, -18], 'demonym': 'Icelander', 'borders': [], 'area': 103000}, {'name': {'common': 'India', 'official': 'Republic of India', 'native': {'common': 'भारत', 'official': 'भारत गणराज्य'}}, 'tld': ['.in'], 'cca2': 'IN', 'ccn3': '356', 'cca3': 'IND', 'currency': ['INR'], 'callingCode': ['91'], 'capital': 'New Delhi', 'altSpellings': ['IN', 'Bhārat', 'Republic of India', 'Bharat Ganrajya'], 'relevance': '3', 'region': 'Asia', 'subregion': 'Southern Asia', 'nativeLanguage': 'hin', 'languages': {'eng': 'English', 'hin': 'Hindi'}, 'translations': {'deu': 'Indien', 'fra': 'Inde', 'hrv': 'Indija', 'ita': 'India', 'jpn': 'インド', 'nld': 'India', 'rus': 'Индия', 'spa': 'India'}, 'latlng': [20, 77], 'demonym': 'Indian', 'borders': ['AFG', 'BGD', 'BTN', 'MMR', 'CHN', 'NPL', 'PAK', 'LKA'], 'area': 3287590}, {'name': {'common': 'Indonesia', 'official': 'Republic of Indonesia', 'native': {'common': 'Indonesia', 'official': 'Republik Indonesia'}}, 'tld': ['.id'], 'cca2': 'ID', 'ccn3': '360', 'cca3': 'IDN', 'currency': ['IDR'], 'callingCode': ['62'], 'capital': 'Jakarta', 'altSpellings': ['ID', 'Republic of Indonesia', 'Republik Indonesia'], 'relevance': '2', 'region': 'Asia', 'subregion': 'South-Eastern Asia', 'nativeLanguage': 'ind', 'languages': {'ind': 'Indonesian'}, 'translations': {'deu': 'Indonesien', 'fra': 'Indonésie', 'hrv': 'Indonezija', 'ita': 'Indonesia', 'jpn': 'インドネシア', 'nld': 'Indonesië', 'rus': 'Индонезия', 'spa': 'Indonesia'}, 'latlng': [-5, 120], 'demonym': 'Indonesian', 'borders': ['TLS', 'MYS', 'PNG'], 'area': 1904569}, {'name': {'common': 'Ivory Coast', 'official': "Republic of Côte d'Ivoire", 'native': {'common': "Côte d'Ivoire", 'official': "République de Côte d'Ivoire"}}, 'tld': ['.ci'], 'cca2': 'CI', 'ccn3': '384', 'cca3': 'CIV', 'currency': ['XOF'], 'callingCode': ['225'], 'capital': 'Yamoussoukro', 'altSpellings': ['CI', 'Ivory Coast', "Republic of Côte d'Ivoire", "République de Côte d'Ivoire"], 'relevance': '0', 'region': 'Africa', 'subregion': 'Western Africa', 'nativeLanguage': 'fra', 'languages': {'fra': 'French'}, 'translations': {'deu': 'Elfenbeinküste', 'fra': "Côte d'Ivoire", 'hrv': 'Obala Bjelokosti', 'ita': "Costa D'Avorio", 'jpn': 'コートジボワール', 'nld': 'Ivoorkust', 'rus': 'Кот-д’Ивуар', 'spa': 'Costa de Marfil'}, 'latlng': [8, -5], 'demonym': 'Ivorian', 'borders': ['BFA', 'GHA', 'GIN', 'LBR', 'MLI'], 'area': 322463}, {'name': {'common': 'Iran', 'official': 'Islamic Republic of Iran', 'native': {'common': 'ایران', 'official': 'جمهوری اسلامی ایران'}}, 'tld': ['.ir', 'ایران.'], 'cca2': 'IR', 'ccn3': '364', 'cca3': 'IRN', 'currency': ['IRR'], 'callingCode': ['98'], 'capital': 'Tehran', 'altSpellings': ['IR', 'Islamic Republic of Iran', 'Jomhuri-ye Eslāmi-ye Irān'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Southern Asia', 'nativeLanguage': 'fas', 'languages': {'fas': 'Persian'}, 'translations': {'deu': 'Iran', 'fra': 'Iran', 'hrv': 'Iran', 'jpn': 'イラン・イスラム共和国', 'nld': 'Iran', 'rus': 'Иран', 'spa': 'Iran'}, 'latlng': [32, 53], 'demonym': 'Iranian', 'borders': ['AFG', 'ARM', 'AZE', 'IRQ', 'PAK', 'TUR', 'TKM'], 'area': 1648195}, {'name': {'common': 'Iraq', 'official': 'Republic of Iraq', 'native': {'common': 'العراق', 'official': 'جمهورية العراق'}}, 'tld': ['.iq'], 'cca2': 'IQ', 'ccn3': '368', 'cca3': 'IRQ', 'currency': ['IQD'], 'callingCode': ['964'], 'capital': 'Baghdad', 'altSpellings': ['IQ', 'Republic of Iraq', 'Jumhūriyyat al-‘Irāq'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Western Asia', 'nativeLanguage': 'ara', 'languages': {'ara': 'Arabic', 'arc': 'Aramaic', 'kur': 'Kurdish'}, 'translations': {'deu': 'Irak', 'fra': 'Irak', 'hrv': 'Irak', 'ita': 'Iraq', 'jpn': 'イラク', 'nld': 'Irak', 'rus': 'Ирак', 'spa': 'Irak'}, 'latlng': [33, 44], 'demonym': 'Iraqi', 'borders': ['IRN', 'JOR', 'KWT', 'SAU', 'SYR', 'TUR'], 'area': 438317}, {'name': {'common': 'Ireland', 'official': 'Republic of Ireland', 'native': {'common': 'Éire', 'official': 'Poblacht na hÉireann'}}, 'tld': ['.ie'], 'cca2': 'IE', 'ccn3': '372', 'cca3': 'IRL', 'currency': ['EUR'], 'callingCode': ['353'], 'capital': 'Dublin', 'altSpellings': ['IE', 'Éire', 'Republic of Ireland', 'Poblacht na hÉireann'], 'relevance': '1.2', 'region': 'Europe', 'subregion': 'Northern Europe', 'nativeLanguage': 'gle', 'languages': {'eng': 'English', 'gle': 'Irish'}, 'translations': {'deu': 'Irland', 'fra': 'Irlande', 'hrv': 'Irska', 'ita': 'Irlanda', 'jpn': 'アイルランド', 'nld': 'Ierland', 'rus': 'Ирландия', 'spa': 'Irlanda'}, 'latlng': [53, -8], 'demonym': 'Irish', 'borders': ['GBR'], 'area': 70273}, {'name': {'common': 'Isle of Man', 'official': 'Isle of Man', 'native': {'common': 'Isle of Man', 'official': 'Isle of Man'}}, 'tld': ['.im'], 'cca2': 'IM', 'ccn3': '833', 'cca3': 'IMN', 'currency': ['GBP'], 'callingCode': ['44'], 'capital': 'Douglas', 'altSpellings': ['IM', 'Ellan Vannin', 'Mann', 'Mannin'], 'relevance': '0.5', 'region': 'Europe', 'subregion': 'Northern Europe', 'nativeLanguage': 'eng', 'languages': {'eng': 'English', 'glv': 'Manx'}, 'translations': {'deu': 'Insel Man', 'fra': 'Île de Man', 'hrv': 'Otok Man', 'ita': 'Isola di Man', 'jpn': 'マン島', 'nld': 'Isle of Man', 'rus': 'Остров Мэн', 'spa': 'Isla de Man'}, 'latlng': [54.25, -4.5], 'demonym': 'Manx', 'borders': [], 'area': 572}, {'name': {'common': 'Israel', 'official': 'State of Israel', 'native': {'common': 'ישראל', 'official': 'מדינת ישראל'}}, 'tld': ['.il'], 'cca2': 'IL', 'ccn3': '376', 'cca3': 'ISR', 'currency': ['ILS'], 'callingCode': ['972'], 'capital': 'Jerusalem', 'altSpellings': ['IL', 'State of Israel', "Medīnat Yisrā'el"], 'relevance': '0', 'region': 'Asia', 'subregion': 'Western Asia', 'nativeLanguage': 'heb', 'languages': {'ara': 'Arabic', 'heb': 'Hebrew'}, 'translations': {'deu': 'Israel', 'fra': 'Israël', 'hrv': 'Izrael', 'ita': 'Israele', 'jpn': 'イスラエル', 'nld': 'Israël', 'rus': 'Израиль', 'spa': 'Israel'}, 'latlng': [31.47, 35.13], 'demonym': 'Israeli', 'borders': ['EGY', 'JOR', 'LBN', 'SYR'], 'area': 20770}, {'name': {'common': 'Italy', 'official': 'Italian Republic', 'native': {'common': 'Italia', 'official': 'Repubblica italiana'}}, 'tld': ['.it'], 'cca2': 'IT', 'ccn3': '380', 'cca3': 'ITA', 'currency': ['EUR'], 'callingCode': ['39'], 'capital': 'Rome', 'altSpellings': ['IT', 'Italian Republic', 'Repubblica italiana'], 'relevance': '2', 'region': 'Europe', 'subregion': 'Southern Europe', 'nativeLanguage': 'ita', 'languages': {'ita': 'Italian'}, 'translations': {'deu': 'Italien', 'fra': 'Italie', 'hrv': 'Italija', 'ita': 'Italia', 'jpn': 'イタリア', 'nld': 'Italië', 'rus': 'Италия', 'spa': 'Italia'}, 'latlng': [42.83333333, 12.83333333], 'demonym': 'Italian', 'borders': ['AUT', 'FRA', 'SMR', 'SVN', 'CHE', 'VAT'], 'area': 301336}, {'name': {'common': 'Jamaica', 'official': 'Jamaica', 'native': {'common': 'Jamaica', 'official': 'Jamaica'}}, 'tld': ['.jm'], 'cca2': 'JM', 'ccn3': '388', 'cca3': 'JAM', 'currency': ['JMD'], 'callingCode': ['1876'], 'capital': 'Kingston', 'altSpellings': ['JM'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'eng', 'languages': {'eng': 'English', 'jam': 'Jamaican Patois'}, 'translations': {'deu': 'Jamaika', 'fra': 'Jamaïque', 'hrv': 'Jamajka', 'ita': 'Giamaica', 'jpn': 'ジャマイカ', 'nld': 'Jamaica', 'rus': 'Ямайка', 'spa': 'Jamaica'}, 'latlng': [18.25, -77.5], 'demonym': 'Jamaican', 'borders': [], 'area': 10991}, {'name': {'common': 'Japan', 'official': 'Japan', 'native': {'common': '日本', 'official': '日本'}}, 'tld': ['.jp', '.みんな'], 'cca2': 'JP', 'ccn3': '392', 'cca3': 'JPN', 'currency': ['JPY'], 'callingCode': ['81'], 'capital': 'Tokyo', 'altSpellings': ['JP', 'Nippon', 'Nihon'], 'relevance': '2.5', 'region': 'Asia', 'subregion': 'Eastern Asia', 'nativeLanguage': 'jpn', 'languages': {'jpn': 'Japanese'}, 'translations': {'deu': 'Japan', 'fra': 'Japon', 'hrv': 'Japan', 'ita': 'Giappone', 'jpn': '日本', 'nld': 'Japan', 'rus': 'Япония', 'spa': 'Japón'}, 'latlng': [36, 138], 'demonym': 'Japanese', 'borders': [], 'area': 377930}, {'name': {'common': 'Jersey', 'official': 'Bailiwick of Jersey', 'native': {'common': 'Jersey', 'official': 'Bailiwick of Jersey'}}, 'tld': ['.je'], 'cca2': 'JE', 'ccn3': '832', 'cca3': 'JEY', 'currency': ['GBP'], 'callingCode': ['44'], 'capital': 'Saint Helier', 'altSpellings': ['JE', 'Bailiwick of Jersey', 'Bailliage de Jersey', 'Bailliage dé Jèrri'], 'relevance': '0.5', 'region': 'Europe', 'subregion': 'Northern Europe', 'nativeLanguage': 'eng', 'languages': {'eng': 'English', 'fra': 'French'}, 'translations': {'deu': 'Jersey', 'fra': 'Jersey', 'hrv': 'Jersey', 'ita': 'Isola di Jersey', 'jpn': 'ジャージー', 'nld': 'Jersey', 'rus': 'Джерси', 'spa': 'Jersey'}, 'latlng': [49.25, -2.16666666], 'demonym': 'Channel Islander', 'borders': [], 'area': 116}, {'name': {'common': 'Jordan', 'official': 'Hashemite Kingdom of Jordan', 'native': {'common': 'الأردن', 'official': 'المملكة الأردنية الهاشمية'}}, 'tld': ['.jo', 'الاردن.'], 'cca2': 'JO', 'ccn3': '400', 'cca3': 'JOR', 'currency': ['JOD'], 'callingCode': ['962'], 'capital': 'Amman', 'altSpellings': ['JO', 'Hashemite Kingdom of Jordan', 'al-Mamlakah al-Urdunīyah al-Hāshimīyah'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Western Asia', 'nativeLanguage': 'ara', 'languages': {'ara': 'Arabic'}, 'translations': {'deu': 'Jordanien', 'fra': 'Jordanie', 'hrv': 'Jordan', 'ita': 'Giordania', 'jpn': 'ヨルダン', 'nld': 'Jordanië', 'rus': 'Иордания', 'spa': 'Jordania'}, 'latlng': [31, 36], 'demonym': 'Jordanian', 'borders': ['IRQ', 'ISR', 'SAU', 'SYR'], 'area': 89342}, {'name': {'common': 'Kazakhstan', 'official': 'Republic of Kazakhstan', 'native': {'common': 'Қазақстан', 'official': 'Қазақстан Республикасы'}}, 'tld': ['.kz', '.қаз'], 'cca2': 'KZ', 'ccn3': '398', 'cca3': 'KAZ', 'currency': ['KZT'], 'callingCode': ['76', '77'], 'capital': 'Astana', 'altSpellings': ['KZ', 'Qazaqstan', 'Казахстан', 'Republic of Kazakhstan', 'Қазақстан Республикасы', 'Qazaqstan Respublïkası', 'Республика Казахстан', 'Respublika Kazakhstan'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Central Asia', 'nativeLanguage': 'kaz', 'languages': {'kaz': 'Kazakh', 'rus': 'Russian'}, 'translations': {'deu': 'Kasachstan', 'fra': 'Kazakhstan', 'hrv': 'Kazahstan', 'ita': 'Kazakistan', 'jpn': 'カザフスタン', 'nld': 'Kazachstan', 'rus': 'Казахстан', 'spa': 'Kazajistán'}, 'latlng': [48, 68], 'demonym': 'Kazakhstani', 'borders': ['CHN', 'KGZ', 'RUS', 'TKM', 'UZB'], 'area': 2724900}, {'name': {'common': 'Kenya', 'official': 'Republic of Kenya', 'native': {'common': 'Kenya', 'official': 'Republic of Kenya'}}, 'tld': ['.ke'], 'cca2': 'KE', 'ccn3': '404', 'cca3': 'KEN', 'currency': ['KES'], 'callingCode': ['254'], 'capital': 'Nairobi', 'altSpellings': ['KE', 'Republic of Kenya', 'Jamhuri ya Kenya'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Eastern Africa', 'nativeLanguage': 'swa', 'languages': {'eng': 'English', 'swa': 'Swahili'}, 'translations': {'deu': 'Kenia', 'fra': 'Kenya', 'hrv': 'Kenija', 'ita': 'Kenya', 'jpn': 'ケニア', 'nld': 'Kenia', 'rus': 'Кения', 'spa': 'Kenia'}, 'latlng': [1, 38], 'demonym': 'Kenyan', 'borders': ['ETH', 'SOM', 'SSD', 'TZA', 'UGA'], 'area': 580367}, {'name': {'common': 'Kiribati', 'official': 'Independent and Sovereign Republic of Kiribati', 'native': {'common': 'Kiribati', 'official': 'Independent and Sovereign Republic of Kiribati'}}, 'tld': ['.ki'], 'cca2': 'KI', 'ccn3': '296', 'cca3': 'KIR', 'currency': ['AUD'], 'callingCode': ['686'], 'capital': 'South Tarawa', 'altSpellings': ['KI', 'Republic of Kiribati', 'Ribaberiki Kiribati'], 'relevance': '0', 'region': 'Oceania', 'subregion': 'Micronesia', 'nativeLanguage': 'eng', 'languages': {'eng': 'English', 'gil': 'Gilbertese'}, 'translations': {'deu': 'Kiribati', 'fra': 'Kiribati', 'hrv': 'Kiribati', 'ita': 'Kiribati', 'jpn': 'キリバス', 'nld': 'Kiribati', 'rus': 'Кирибати', 'spa': 'Kiribati'}, 'latlng': [1.41666666, 173], 'demonym': 'I-Kiribati', 'borders': [], 'area': 811}, {'name': {'common': 'Kuwait', 'official': 'State of Kuwait', 'native': {'common': 'الكويت', 'official': 'دولة الكويت'}}, 'tld': ['.kw'], 'cca2': 'KW', 'ccn3': '414', 'cca3': 'KWT', 'currency': ['KWD'], 'callingCode': ['965'], 'capital': 'Kuwait City', 'altSpellings': ['KW', 'State of Kuwait', 'Dawlat al-Kuwait'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Western Asia', 'nativeLanguage': 'ara', 'languages': {'ara': 'Arabic'}, 'translations': {'deu': 'Kuwait', 'fra': 'Koweït', 'hrv': 'Kuvajt', 'ita': 'Kuwait', 'jpn': 'クウェート', 'nld': 'Koeweit', 'rus': 'Кувейт', 'spa': 'Kuwait'}, 'latlng': [29.5, 45.75], 'demonym': 'Kuwaiti', 'borders': ['IRN', 'SAU'], 'area': 17818}, {'name': {'common': 'Kyrgyzstan', 'official': 'Kyrgyz Republic', 'native': {'common': 'Кыргызстан', 'official': 'Кыргыз Республикасы'}}, 'tld': ['.kg'], 'cca2': 'KG', 'ccn3': '417', 'cca3': 'KGZ', 'currency': ['KGS'], 'callingCode': ['996'], 'capital': 'Bishkek', 'altSpellings': ['KG', 'Киргизия', 'Kyrgyz Republic', 'Кыргыз Республикасы', 'Kyrgyz Respublikasy'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Central Asia', 'nativeLanguage': 'kir', 'languages': {'kir': 'Kyrgyz', 'rus': 'Russian'}, 'translations': {'deu': 'Kirgisistan', 'fra': 'Kirghizistan', 'hrv': 'Kirgistan', 'ita': 'Kirghizistan', 'jpn': 'キルギス', 'nld': 'Kirgizië', 'rus': 'Киргизия', 'spa': 'Kirguizistán'}, 'latlng': [41, 75], 'demonym': 'Kirghiz', 'borders': ['CHN', 'KAZ', 'TJK', 'UZB'], 'area': 199951}, {'name': {'common': 'Laos', 'official': "Lao People's Democratic Republic", 'native': {'common': 'ສປປລາວ', 'official': 'ສາທາລະນະ ຊາທິປະໄຕ ຄົນລາວ ຂອງ'}}, 'tld': ['.la'], 'cca2': 'LA', 'ccn3': '418', 'cca3': 'LAO', 'currency': ['LAK'], 'callingCode': ['856'], 'capital': 'Vientiane', 'altSpellings': ['LA', 'Lao', "Lao People's Democratic Republic", 'Sathalanalat Paxathipatai Paxaxon Lao'], 'relevance': '0', 'region': 'Asia', 'subregion': 'South-Eastern Asia', 'nativeLanguage': 'lao', 'languages': {'lao': 'Lao'}, 'translations': {'deu': 'Laos', 'fra': 'Laos', 'hrv': 'Laos', 'ita': 'Laos', 'jpn': 'ラオス人民民主共和国', 'nld': 'Laos', 'rus': 'Лаос', 'spa': 'Laos'}, 'latlng': [18, 105], 'demonym': 'Laotian', 'borders': ['MMR', 'KHM', 'CHN', 'THA', 'VNM'], 'area': 236800}, {'name': {'common': 'Latvia', 'official': 'Republic of Latvia', 'native': {'common': 'Latvija', 'official': 'Latvijas Republikas'}}, 'tld': ['.lv'], 'cca2': 'LV', 'ccn3': '428', 'cca3': 'LVA', 'currency': ['EUR'], 'callingCode': ['371'], 'capital': 'Riga', 'altSpellings': ['LV', 'Republic of Latvia', 'Latvijas Republika'], 'relevance': '0', 'region': 'Europe', 'subregion': 'Northern Europe', 'nativeLanguage': 'lav', 'languages': {'lav': 'Latvian'}, 'translations': {'deu': 'Lettland', 'fra': 'Lettonie', 'hrv': 'Latvija', 'ita': 'Lettonia', 'jpn': 'ラトビア', 'nld': 'Letland', 'rus': 'Латвия', 'spa': 'Letonia'}, 'latlng': [57, 25], 'demonym': 'Latvian', 'borders': ['BLR', 'EST', 'LTU', 'RUS'], 'area': 64559}, {'name': {'common': 'Lebanon', 'official': 'Lebanese Republic', 'native': {'common': 'لبنان', 'official': 'الجمهورية اللبنانية'}}, 'tld': ['.lb'], 'cca2': 'LB', 'ccn3': '422', 'cca3': 'LBN', 'currency': ['LBP'], 'callingCode': ['961'], 'capital': 'Beirut', 'altSpellings': ['LB', 'Lebanese Republic', 'Al-Jumhūrīyah Al-Libnānīyah'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Western Asia', 'nativeLanguage': 'ara', 'languages': {'ara': 'Arabic', 'fra': 'French'}, 'translations': {'deu': 'Libanon', 'fra': 'Liban', 'hrv': 'Libanon', 'ita': 'Libano', 'jpn': 'レバノン', 'nld': 'Libanon', 'rus': 'Ливан', 'spa': 'Líbano'}, 'latlng': [33.83333333, 35.83333333], 'demonym': 'Lebanese', 'borders': ['ISR', 'SYR'], 'area': 10452}, {'name': {'common': 'Lesotho', 'official': 'Kingdom of Lesotho', 'native': {'common': 'Lesotho', 'official': 'Kingdom of Lesotho'}}, 'tld': ['.ls'], 'cca2': 'LS', 'ccn3': '426', 'cca3': 'LSO', 'currency': ['LSL', 'ZAR'], 'callingCode': ['266'], 'capital': 'Maseru', 'altSpellings': ['LS', 'Kingdom of Lesotho', 'Muso oa Lesotho'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Southern Africa', 'nativeLanguage': 'sot', 'languages': {'eng': 'English', 'sot': 'Sotho'}, 'translations': {'deu': 'Lesotho', 'fra': 'Lesotho', 'hrv': 'Lesoto', 'ita': 'Lesotho', 'jpn': 'レソト', 'nld': 'Lesotho', 'rus': 'Лесото', 'spa': 'Lesotho'}, 'latlng': [-29.5, 28.5], 'demonym': 'Mosotho', 'borders': ['ZAF'], 'area': 30355}, {'name': {'common': 'Liberia', 'official': 'Republic of Liberia', 'native': {'common': 'Liberia', 'official': 'Republic of Liberia'}}, 'tld': ['.lr'], 'cca2': 'LR', 'ccn3': '430', 'cca3': 'LBR', 'currency': ['LRD'], 'callingCode': ['231'], 'capital': 'Monrovia', 'altSpellings': ['LR', 'Republic of Liberia'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Western Africa', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Liberia', 'fra': 'Liberia', 'hrv': 'Liberija', 'ita': 'Liberia', 'jpn': 'リベリア', 'nld': 'Liberia', 'rus': 'Либерия', 'spa': 'Liberia'}, 'latlng': [6.5, -9.5], 'demonym': 'Liberian', 'borders': ['GIN', 'CIV', 'SLE'], 'area': 111369}, {'name': {'common': 'Libya', 'official': 'State of Libya', 'native': {'common': '\u200fليبيا', 'official': 'الدولة ليبيا'}}, 'tld': ['.ly'], 'cca2': 'LY', 'ccn3': '434', 'cca3': 'LBY', 'currency': ['LYD'], 'callingCode': ['218'], 'capital': 'Tripoli', 'altSpellings': ['LY', 'State of Libya', 'Dawlat Libya'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Northern Africa', 'nativeLanguage': 'ara', 'languages': {'ara': 'Arabic'}, 'translations': {'deu': 'Libyen', 'fra': 'Libye', 'hrv': 'Libija', 'ita': 'Libia', 'jpn': 'リビア', 'nld': 'Libië', 'rus': 'Ливия', 'spa': 'Libia'}, 'latlng': [25, 17], 'demonym': 'Libyan', 'borders': ['DZA', 'TCD', 'EGY', 'NER', 'SDN', 'TUN'], 'area': 1759540}, {'name': {'common': 'Liechtenstein', 'official': 'Principality of Liechtenstein', 'native': {'common': 'Liechtenstein', 'official': 'Fürstentum Liechtenstein'}}, 'tld': ['.li'], 'cca2': 'LI', 'ccn3': '438', 'cca3': 'LIE', 'currency': ['CHF'], 'callingCode': ['423'], 'capital': 'Vaduz', 'altSpellings': ['LI', 'Principality of Liechtenstein', 'Fürstentum Liechtenstein'], 'relevance': '0', 'region': 'Europe', 'subregion': 'Western Europe', 'nativeLanguage': 'deu', 'languages': {'deu': 'German'}, 'translations': {'deu': 'Liechtenstein', 'fra': 'Liechtenstein', 'hrv': 'Lihtenštajn', 'ita': 'Liechtenstein', 'jpn': 'リヒテンシュタイン', 'nld': 'Liechtenstein', 'rus': 'Лихтенштейн', 'spa': 'Liechtenstein'}, 'latlng': [47.26666666, 9.53333333], 'demonym': 'Liechtensteiner', 'borders': ['AUT', 'CHE'], 'area': 160}, {'name': {'common': 'Lithuania', 'official': 'Republic of Lithuania', 'native': {'common': 'Lietuva', 'official': 'Lietuvos Respublikos'}}, 'tld': ['.lt'], 'cca2': 'LT', 'ccn3': '440', 'cca3': 'LTU', 'currency': ['LTL'], 'callingCode': ['370'], 'capital': 'Vilnius', 'altSpellings': ['LT', 'Republic of Lithuania', 'Lietuvos Respublika'], 'relevance': '0', 'region': 'Europe', 'subregion': 'Northern Europe', 'nativeLanguage': 'lit', 'languages': {'lit': 'Lithuanian'}, 'translations': {'deu': 'Litauen', 'fra': 'Lituanie', 'hrv': 'Litva', 'ita': 'Lituania', 'jpn': 'リトアニア', 'nld': 'Litouwen', 'rus': 'Литва', 'spa': 'Lituania'}, 'latlng': [56, 24], 'demonym': 'Lithuanian', 'borders': ['BLR', 'LVA', 'POL', 'RUS'], 'area': 65300}, {'name': {'common': 'Luxembourg', 'official': 'Grand Duchy of Luxembourg', 'native': {'common': 'Luxembourg', 'official': 'Grand-Duché de Luxembourg'}}, 'tld': ['.lu'], 'cca2': 'LU', 'ccn3': '442', 'cca3': 'LUX', 'currency': ['EUR'], 'callingCode': ['352'], 'capital': 'Luxembourg', 'altSpellings': ['LU', 'Grand Duchy of Luxembourg', 'Grand-Duché de Luxembourg', 'Großherzogtum Luxemburg', 'Groussherzogtum Lëtzebuerg'], 'relevance': '0', 'region': 'Europe', 'subregion': 'Western Europe', 'nativeLanguage': 'fra', 'languages': {'deu': 'German', 'fra': 'French', 'ltz': 'Luxembourgish'}, 'translations': {'deu': 'Luxemburg', 'fra': 'Luxembourg', 'hrv': 'Luksemburg', 'ita': 'Lussemburgo', 'jpn': 'ルクセンブルク', 'nld': 'Luxemburg', 'rus': 'Люксембург', 'spa': 'Luxemburgo'}, 'latlng': [49.75, 6.16666666], 'demonym': 'Luxembourger', 'borders': ['BEL', 'FRA', 'DEU'], 'area': 2586}, {'name': {'common': 'Macau', 'official': "Macao Special Administrative Region of the People's Republic of China", 'native': {'common': '澳門', 'official': '澳门特别行政区中国人民共和国'}}, 'tld': ['.mo'], 'cca2': 'MO', 'ccn3': '446', 'cca3': 'MAC', 'currency': ['MOP'], 'callingCode': ['853'], 'capital': '', 'altSpellings': ['MO', '澳门', "Macao Special Administrative Region of the People's Republic of China", '中華人民共和國澳門特別行政區', 'Região Administrativa Especial de Macau da República Popular da China'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Eastern Asia', 'nativeLanguage': 'zho', 'languages': {'por': 'Portuguese', 'zho': 'Chinese'}, 'translations': {'deu': 'Macao', 'fra': 'Macao', 'hrv': 'Makao', 'ita': 'Macao', 'jpn': 'マカオ', 'nld': 'Macao', 'rus': 'Макао', 'spa': 'Macao'}, 'latlng': [22.16666666, 113.55], 'demonym': 'Chinese', 'borders': ['CHN'], 'area': 30}, {'name': {'common': 'Macedonia', 'official': 'Republic of Macedonia', 'native': {'common': 'Македонија', 'official': 'Република Македонија'}}, 'tld': ['.mk'], 'cca2': 'MK', 'ccn3': '807', 'cca3': 'MKD', 'currency': ['MKD'], 'callingCode': ['389'], 'capital': 'Skopje', 'altSpellings': ['MK', 'Republic of Macedonia', 'Република Македонија'], 'relevance': '0', 'region': 'Europe', 'subregion': 'Southern Europe', 'nativeLanguage': 'mkd', 'languages': {'mkd': 'Macedonian'}, 'translations': {'deu': 'Mazedonien', 'fra': 'Macédoine', 'hrv': 'Makedonija', 'ita': 'Macedonia', 'jpn': 'マケドニア旧ユーゴスラビア共和国', 'nld': 'Macedonië', 'rus': 'Республика Македония', 'spa': 'Macedonia'}, 'latlng': [41.83333333, 22], 'demonym': 'Macedonian', 'borders': ['ALB', 'BGR', 'GRC', 'KOS', 'SRB'], 'area': 25713}, {'name': {'common': 'Madagascar', 'official': 'Republic of Madagascar', 'native': {'common': 'Madagasikara', 'official': 'République de Madagascar'}}, 'tld': ['.mg'], 'cca2': 'MG', 'ccn3': '450', 'cca3': 'MDG', 'currency': ['MGA'], 'callingCode': ['261'], 'capital': 'Antananarivo', 'altSpellings': ['MG', 'Republic of Madagascar', "Repoblikan'i Madagasikara", 'République de Madagascar'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Eastern Africa', 'nativeLanguage': 'fra', 'languages': {'fra': 'French', 'mlg': 'Malagasy'}, 'translations': {'deu': 'Madagaskar', 'fra': 'Madagascar', 'hrv': 'Madagaskar', 'ita': 'Madagascar', 'jpn': 'マダガスカル', 'nld': 'Madagaskar', 'rus': 'Мадагаскар', 'spa': 'Madagascar'}, 'latlng': [-20, 47], 'demonym': 'Malagasy', 'borders': [], 'area': 587041}, {'name': {'common': 'Malawi', 'official': 'Republic of Malawi', 'native': {'common': 'Malaŵi', 'official': 'Chalo cha Malawi, Dziko la Malaŵi'}}, 'tld': ['.mw'], 'cca2': 'MW', 'ccn3': '454', 'cca3': 'MWI', 'currency': ['MWK'], 'callingCode': ['265'], 'capital': 'Lilongwe', 'altSpellings': ['MW', 'Republic of Malawi'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Eastern Africa', 'nativeLanguage': 'nya', 'languages': {'eng': 'English', 'nya': 'Chewa'}, 'translations': {'deu': 'Malawi', 'fra': 'Malawi', 'hrv': 'Malavi', 'ita': 'Malawi', 'jpn': 'マラウイ', 'nld': 'Malawi', 'rus': 'Малави', 'spa': 'Malawi'}, 'latlng': [-13.5, 34], 'demonym': 'Malawian', 'borders': ['MOZ', 'TZA', 'ZMB'], 'area': 118484}, {'name': {'common': 'Malaysia', 'official': 'Malaysia', 'native': {'common': 'مليسيا', 'official': 'مليسيا'}}, 'tld': ['.my'], 'cca2': 'MY', 'ccn3': '458', 'cca3': 'MYS', 'currency': ['MYR'], 'callingCode': ['60'], 'capital': 'Kuala Lumpur', 'altSpellings': ['MY'], 'relevance': '0', 'region': 'Asia', 'subregion': 'South-Eastern Asia', 'nativeLanguage': 'msa', 'languages': {'eng': 'English', 'msa': 'Malay'}, 'translations': {'deu': 'Malaysia', 'fra': 'Malaisie', 'hrv': 'Malezija', 'ita': 'Malesia', 'jpn': 'マレーシア', 'nld': 'Maleisië', 'rus': 'Малайзия', 'spa': 'Malasia'}, 'latlng': [2.5, 112.5], 'demonym': 'Malaysian', 'borders': ['BRN', 'IDN', 'THA'], 'area': 330803}, {'name': {'common': 'Maldives', 'official': 'Republic of the Maldives', 'native': {'common': 'ދިވެހިރާއްޖޭގެ', 'official': 'ދިވެހިރާއްޖޭގެ ޖުމްހޫރިއްޔާ'}}, 'tld': ['.mv'], 'cca2': 'MV', 'ccn3': '462', 'cca3': 'MDV', 'currency': ['MVR'], 'callingCode': ['960'], 'capital': 'Malé', 'altSpellings': ['MV', 'Maldive Islands', 'Republic of the Maldives', 'Dhivehi Raajjeyge Jumhooriyya'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Southern Asia', 'nativeLanguage': 'div', 'languages': {'div': 'Maldivian'}, 'translations': {'deu': 'Malediven', 'fra': 'Maldives', 'hrv': 'Maldivi', 'ita': 'Maldive', 'jpn': 'モルディブ', 'nld': 'Maldiven', 'rus': 'Мальдивы', 'spa': 'Maldivas'}, 'latlng': [3.25, 73], 'demonym': 'Maldivan', 'borders': [], 'area': 300}, {'name': {'common': 'Mali', 'official': 'Republic of Mali', 'native': {'common': 'Mali', 'official': 'République du Mali'}}, 'tld': ['.ml'], 'cca2': 'ML', 'ccn3': '466', 'cca3': 'MLI', 'currency': ['XOF'], 'callingCode': ['223'], 'capital': 'Bamako', 'altSpellings': ['ML', 'Republic of Mali', 'République du Mali'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Western Africa', 'nativeLanguage': 'fra', 'languages': {'fra': 'French'}, 'translations': {'deu': 'Mali', 'fra': 'Mali', 'hrv': 'Mali', 'ita': 'Mali', 'jpn': 'マリ', 'nld': 'Mali', 'rus': 'Мали', 'spa': 'Mali'}, 'latlng': [17, -4], 'demonym': 'Malian', 'borders': ['DZA', 'BFA', 'GIN', 'CIV', 'MRT', 'NER', 'SEN'], 'area': 1240192}, {'name': {'common': 'Malta', 'official': 'Republic of Malta', 'native': {'common': 'Malta', 'official': "Repubblika ta ' Malta"}}, 'tld': ['.mt'], 'cca2': 'MT', 'ccn3': '470', 'cca3': 'MLT', 'currency': ['EUR'], 'callingCode': ['356'], 'capital': 'Valletta', 'altSpellings': ['MT', 'Republic of Malta', "Repubblika ta' Malta"], 'relevance': '0', 'region': 'Europe', 'subregion': 'Southern Europe', 'nativeLanguage': 'mlt', 'languages': {'eng': 'English', 'mlt': 'Maltese'}, 'translations': {'deu': 'Malta', 'fra': 'Malte', 'hrv': 'Malta', 'ita': 'Malta', 'jpn': 'マルタ', 'nld': 'Malta', 'rus': 'Мальта', 'spa': 'Malta'}, 'latlng': [35.83333333, 14.58333333], 'demonym': 'Maltese', 'borders': [], 'area': 316}, {'name': {'common': 'Marshall Islands', 'official': 'Republic of the Marshall Islands', 'native': {'common': 'M̧ajeļ', 'official': 'Republic of the Marshall Islands'}}, 'tld': ['.mh'], 'cca2': 'MH', 'ccn3': '584', 'cca3': 'MHL', 'currency': ['USD'], 'callingCode': ['692'], 'capital': 'Majuro', 'altSpellings': ['MH', 'Republic of the Marshall Islands', 'Aolepān Aorōkin M̧ajeļ'], 'relevance': '0.5', 'region': 'Oceania', 'subregion': 'Micronesia', 'nativeLanguage': 'mah', 'languages': {'eng': 'English', 'mah': 'Marshallese'}, 'translations': {'deu': 'Marshallinseln', 'fra': 'Îles Marshall', 'hrv': 'Maršalovi Otoci', 'ita': 'Isole Marshall', 'jpn': 'マーシャル諸島', 'nld': 'Marshalleilanden', 'rus': 'Маршалловы Острова', 'spa': 'Islas Marshall'}, 'latlng': [9, 168], 'demonym': 'Marshallese', 'borders': [], 'area': 181}, {'name': {'common': 'Martinique', 'official': 'Martinique', 'native': {'common': 'Martinique', 'official': 'Martinique'}}, 'tld': ['.mq'], 'cca2': 'MQ', 'ccn3': '474', 'cca3': 'MTQ', 'currency': ['EUR'], 'callingCode': ['596'], 'capital': 'Fort-de-France', 'altSpellings': ['MQ'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'fra', 'languages': {'fra': 'French'}, 'translations': {'deu': 'Martinique', 'fra': 'Martinique', 'hrv': 'Martinique', 'ita': 'Martinica', 'jpn': 'マルティニーク', 'nld': 'Martinique', 'rus': 'Мартиника', 'spa': 'Martinica'}, 'latlng': [14.666667, -61], 'demonym': 'French', 'borders': [], 'area': 1128}, {'name': {'common': 'Mauritania', 'official': 'Islamic Republic of Mauritania', 'native': {'common': 'موريتانيا', 'official': 'الجمهورية الإسلامية الموريتانية'}}, 'tld': ['.mr'], 'cca2': 'MR', 'ccn3': '478', 'cca3': 'MRT', 'currency': ['MRO'], 'callingCode': ['222'], 'capital': 'Nouakchott', 'altSpellings': ['MR', 'Islamic Republic of Mauritania', 'al-Jumhūriyyah al-ʾIslāmiyyah al-Mūrītāniyyah'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Western Africa', 'nativeLanguage': 'ara', 'languages': {'ara': 'Arabic'}, 'translations': {'deu': 'Mauretanien', 'fra': 'Mauritanie', 'hrv': 'Mauritanija', 'ita': 'Mauritania', 'jpn': 'モーリタニア', 'nld': 'Mauritanië', 'rus': 'Мавритания', 'spa': 'Mauritania'}, 'latlng': [20, -12], 'demonym': 'Mauritanian', 'borders': ['DZA', 'MLI', 'SEN', 'ESH'], 'area': 1030700}, {'name': {'common': 'Mauritius', 'official': 'Republic of Mauritius', 'native': {'common': 'Maurice', 'official': 'Republic of Mauritius'}}, 'tld': ['.mu'], 'cca2': 'MU', 'ccn3': '480', 'cca3': 'MUS', 'currency': ['MUR'], 'callingCode': ['230'], 'capital': 'Port Louis', 'altSpellings': ['MU', 'Republic of Mauritius', 'République de Maurice'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Eastern Africa', 'nativeLanguage': 'mfe', 'languages': {'eng': 'English', 'fra': 'French', 'mfe': 'Mauritian Creole'}, 'translations': {'deu': 'Mauritius', 'fra': 'Île Maurice', 'hrv': 'Mauricijus', 'ita': 'Mauritius', 'jpn': 'モーリシャス', 'nld': 'Mauritius', 'rus': 'Маврикий', 'spa': 'Mauricio'}, 'latlng': [-20.28333333, 57.55], 'demonym': 'Mauritian', 'borders': [], 'area': 2040}, {'name': {'common': 'Mayotte', 'official': 'Department of Mayotte', 'native': {'common': 'Mayotte', 'official': 'Département de Mayotte'}}, 'tld': ['.yt'], 'cca2': 'YT', 'ccn3': '175', 'cca3': 'MYT', 'currency': ['EUR'], 'callingCode': ['262'], 'capital': 'Mamoudzou', 'altSpellings': ['YT', 'Department of Mayotte', 'Département de Mayotte'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Eastern Africa', 'nativeLanguage': 'fra', 'languages': {'fra': 'French'}, 'translations': {'deu': 'Mayotte', 'fra': 'Mayotte', 'hrv': 'Mayotte', 'ita': 'Mayotte', 'jpn': 'マヨット', 'nld': 'Mayotte', 'rus': 'Майотта', 'spa': 'Mayotte'}, 'latlng': [-12.83333333, 45.16666666], 'demonym': 'Mahoran', 'borders': [], 'area': 374}, {'name': {'common': 'Mexico', 'official': 'United Mexican States', 'native': {'common': 'México', 'official': 'Estados Unidos Mexicanos'}}, 'tld': ['.mx'], 'cca2': 'MX', 'ccn3': '484', 'cca3': 'MEX', 'currency': ['MXN'], 'callingCode': ['52'], 'capital': 'Mexico City', 'altSpellings': ['MX', 'Mexicanos', 'United Mexican States', 'Estados Unidos Mexicanos'], 'relevance': '1.5', 'region': 'Americas', 'subregion': 'Central America', 'nativeLanguage': 'spa', 'languages': {'spa': 'Spanish'}, 'translations': {'deu': 'Mexiko', 'fra': 'Mexique', 'hrv': 'Meksiko', 'ita': 'Messico', 'jpn': 'メキシコ', 'nld': 'Mexico', 'rus': 'Мексика', 'spa': 'México'}, 'latlng': [23, -102], 'demonym': 'Mexican', 'borders': ['BLZ', 'GTM', 'USA'], 'area': 1964375}, {'name': {'common': 'Micronesia', 'official': 'Federated States of Micronesia', 'native': {'common': 'Micronesia', 'official': 'Federated States of Micronesia'}}, 'tld': ['.fm'], 'cca2': 'FM', 'ccn3': '583', 'cca3': 'FSM', 'currency': ['USD'], 'callingCode': ['691'], 'capital': 'Palikir', 'altSpellings': ['FM', 'Federated States of Micronesia'], 'relevance': '0', 'region': 'Oceania', 'subregion': 'Micronesia', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Mikronesien', 'fra': 'Micronésie', 'hrv': 'Mikronezija', 'ita': 'Micronesia', 'jpn': 'ミクロネシア連邦', 'nld': 'Micronesië', 'rus': 'Федеративные Штаты Микронезии', 'spa': 'Micronesia'}, 'latlng': [6.91666666, 158.25], 'demonym': 'Micronesian', 'borders': [], 'area': 702}, {'name': {'common': 'Moldova', 'official': 'Republic of Moldova', 'native': {'common': 'Moldova', 'official': 'Republica Moldova'}}, 'tld': ['.md'], 'cca2': 'MD', 'ccn3': '498', 'cca3': 'MDA', 'currency': ['MDL'], 'callingCode': ['373'], 'capital': 'Chișinău', 'altSpellings': ['MD', 'Republic of Moldova', 'Republica Moldova'], 'relevance': '0', 'region': 'Europe', 'subregion': 'Eastern Europe', 'nativeLanguage': 'ron', 'languages': {'ron': 'Moldavian'}, 'translations': {'deu': 'Moldawie', 'fra': 'Moldavie', 'hrv': 'Moldova', 'ita': 'Moldavia', 'jpn': 'モルドバ共和国', 'nld': 'Moldavië', 'rus': 'Молдавия', 'spa': 'Moldavia'}, 'latlng': [47, 29], 'demonym': 'Moldovan', 'borders': ['ROU', 'UKR'], 'area': 33846}, {'name': {'common': 'Monaco', 'official': 'Principality of Monaco', 'native': {'common': 'Monaco', 'official': 'Principauté de Monaco'}}, 'tld': ['.mc'], 'cca2': 'MC', 'ccn3': '492', 'cca3': 'MCO', 'currency': ['EUR'], 'callingCode': ['377'], 'capital': 'Monaco', 'altSpellings': ['MC', 'Principality of Monaco', 'Principauté de Monaco'], 'relevance': '0', 'region': 'Europe', 'subregion': 'Western Europe', 'nativeLanguage': 'fra', 'languages': {'fra': 'French'}, 'translations': {'deu': 'Monaco', 'fra': 'Monaco', 'hrv': 'Monako', 'ita': 'Principato di Monaco', 'jpn': 'モナコ', 'nld': 'Monaco', 'rus': 'Монако', 'spa': 'Mónaco'}, 'latlng': [43.73333333, 7.4], 'demonym': 'Monegasque', 'borders': ['FRA'], 'area': 2.02}, {'name': {'common': 'Mongolia', 'official': 'Mongolia', 'native': {'common': 'Монгол улс', 'official': 'Монгол улс'}}, 'tld': ['.mn'], 'cca2': 'MN', 'ccn3': '496', 'cca3': 'MNG', 'currency': ['MNT'], 'callingCode': ['976'], 'capital': 'Ulan Bator', 'altSpellings': ['MN'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Eastern Asia', 'nativeLanguage': 'mon', 'languages': {'mon': 'Mongolian'}, 'translations': {'deu': 'Mongolei', 'fra': 'Mongolie', 'hrv': 'Mongolija', 'ita': 'Mongolia', 'jpn': 'モンゴル', 'nld': 'Mongolië', 'rus': 'Монголия', 'spa': 'Mongolia'}, 'latlng': [46, 105], 'demonym': 'Mongolian', 'borders': ['CHN', 'RUS'], 'area': 1564110}, {'name': {'common': 'Montenegro', 'official': 'Montenegro', 'native': {'common': 'Црна Гора', 'official': 'Црна Гора'}}, 'tld': ['.me'], 'cca2': 'ME', 'ccn3': '499', 'cca3': 'MNE', 'currency': ['EUR'], 'callingCode': ['382'], 'capital': 'Podgorica', 'altSpellings': ['ME', 'Crna Gora'], 'relevance': '0', 'region': 'Europe', 'subregion': 'Southern Europe', 'nativeLanguage': 'srp', 'languages': {'srp': 'Montenegrin'}, 'translations': {'deu': 'Montenegro', 'fra': 'Monténégro', 'hrv': 'Crna Gora', 'ita': 'Montenegro', 'jpn': 'モンテネグロ', 'nld': 'Montenegro', 'rus': 'Черногория', 'spa': 'Montenegro'}, 'latlng': [42.5, 19.3], 'demonym': 'Montenegrin', 'borders': ['ALB', 'BIH', 'HRV', 'KOS', 'SRB'], 'area': 13812}, {'name': {'common': 'Montserrat', 'official': 'Montserrat', 'native': {'common': 'Montserrat', 'official': 'Montserrat'}}, 'tld': ['.ms'], 'cca2': 'MS', 'ccn3': '500', 'cca3': 'MSR', 'currency': ['XCD'], 'callingCode': ['1664'], 'capital': 'Plymouth', 'altSpellings': ['MS'], 'relevance': '0.5', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Montserrat', 'fra': 'Montserrat', 'hrv': 'Montserrat', 'ita': 'Montserrat', 'jpn': 'モントセラト', 'nld': 'Montserrat', 'rus': 'Монтсеррат', 'spa': 'Montserrat'}, 'latlng': [16.75, -62.2], 'demonym': 'Montserratian', 'borders': [], 'area': 102}, {'name': {'common': 'Morocco', 'official': 'Kingdom of Morocco', 'native': {'common': 'المغرب', 'official': 'المملكة المغربية'}}, 'tld': ['.ma', 'المغرب.'], 'cca2': 'MA', 'ccn3': '504', 'cca3': 'MAR', 'currency': ['MAD'], 'callingCode': ['212'], 'capital': 'Rabat', 'altSpellings': ['MA', 'Kingdom of Morocco', 'Al-Mamlakah al-Maġribiyah'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Northern Africa', 'nativeLanguage': 'ara', 'languages': {'ara': 'Arabic', 'ber': 'Berber'}, 'translations': {'deu': 'Marokko', 'fra': 'Maroc', 'hrv': 'Maroko', 'ita': 'Marocco', 'jpn': 'モロッコ', 'nld': 'Marokko', 'rus': 'Марокко', 'spa': 'Marruecos'}, 'latlng': [32, -5], 'demonym': 'Moroccan', 'borders': ['DZA', 'ESH', 'ESP'], 'area': 446550}, {'name': {'common': 'Mozambique', 'official': 'Republic of Mozambique', 'native': {'common': 'Moçambique', 'official': 'República de Moçambique'}}, 'tld': ['.mz'], 'cca2': 'MZ', 'ccn3': '508', 'cca3': 'MOZ', 'currency': ['MZN'], 'callingCode': ['258'], 'capital': 'Maputo', 'altSpellings': ['MZ', 'Republic of Mozambique', 'República de Moçambique'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Eastern Africa', 'nativeLanguage': 'por', 'languages': {'por': 'Portuguese'}, 'translations': {'deu': 'Mosambik', 'fra': 'Mozambique', 'hrv': 'Mozambik', 'ita': 'Mozambico', 'jpn': 'モザンビーク', 'nld': 'Mozambique', 'rus': 'Мозамбик', 'spa': 'Mozambique'}, 'latlng': [-18.25, 35], 'demonym': 'Mozambican', 'borders': ['MWI', 'ZAF', 'SWZ', 'TZA', 'ZMB', 'ZWE'], 'area': 801590}, {'name': {'common': 'Myanmar', 'official': 'Republic of the Union of Myanmar', 'native': {'common': 'မြန်မာ', 'official': 'ပြည်ထောင်စု သမ္မတ မြန်မာနိုင်ငံတော်'}}, 'tld': ['.mm'], 'cca2': 'MM', 'ccn3': '104', 'cca3': 'MMR', 'currency': ['MMK'], 'callingCode': ['95'], 'capital': 'Naypyidaw', 'altSpellings': ['MM', 'Burma', 'Republic of the Union of Myanmar', 'Pyidaunzu Thanmăda Myăma Nainngandaw'], 'relevance': '0', 'region': 'Asia', 'subregion': 'South-Eastern Asia', 'nativeLanguage': 'mya', 'languages': {'mya': 'Burmese'}, 'translations': {'deu': 'Myanmar', 'fra': 'Myanmar', 'hrv': 'Mijanmar', 'ita': 'Birmania', 'jpn': 'ミャンマー', 'nld': 'Myanmar', 'rus': 'Мьянма', 'spa': 'Myanmar'}, 'latlng': [22, 98], 'demonym': 'Myanmarian', 'borders': ['BGD', 'CHN', 'IND', 'LAO', 'THA'], 'area': 676578}, {'name': {'common': 'Namibia', 'official': 'Republic of Namibia', 'native': {'common': 'Namibia', 'official': 'Republic of Namibia'}}, 'tld': ['.na'], 'cca2': 'NA', 'ccn3': '516', 'cca3': 'NAM', 'currency': ['NAD', 'ZAR'], 'callingCode': ['264'], 'capital': 'Windhoek', 'altSpellings': ['NA', 'Namibië', 'Republic of Namibia'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Southern Africa', 'nativeLanguage': 'afr', 'languages': {'afr': 'Afrikaans', 'deu': 'German', 'eng': 'English', 'her': 'Herero', 'hgm': 'Khoekhoe', 'kwn': 'Kwangali', 'loz': 'Lozi', 'ndo': 'Ndonga', 'tsn': 'Tswana'}, 'translations': {'deu': 'Namibia', 'fra': 'Namibie', 'hrv': 'Namibija', 'ita': 'Namibia', 'jpn': 'ナミビア', 'nld': 'Namibië', 'rus': 'Намибия', 'spa': 'Namibia'}, 'latlng': [-22, 17], 'demonym': 'Namibian', 'borders': ['AGO', 'BWA', 'ZAF', 'ZMB'], 'area': 825615}, {'name': {'common': 'Nauru', 'official': 'Republic of Nauru', 'native': {'common': 'Nauru', 'official': 'Republic of Nauru'}}, 'tld': ['.nr'], 'cca2': 'NR', 'ccn3': '520', 'cca3': 'NRU', 'currency': ['AUD'], 'callingCode': ['674'], 'capital': 'Yaren', 'altSpellings': ['NR', 'Naoero', 'Pleasant Island', 'Republic of Nauru', 'Ripublik Naoero'], 'relevance': '0.5', 'region': 'Oceania', 'subregion': 'Micronesia', 'nativeLanguage': 'nau', 'languages': {'eng': 'English', 'nau': 'Nauru'}, 'translations': {'deu': 'Nauru', 'fra': 'Nauru', 'hrv': 'Nauru', 'ita': 'Nauru', 'jpn': 'ナウル', 'nld': 'Nauru', 'rus': 'Науру', 'spa': 'Nauru'}, 'latlng': [-0.53333333, 166.91666666], 'demonym': 'Nauruan', 'borders': [], 'area': 21}, {'name': {'common': 'Nepal', 'official': 'Federal Democratic Republic of Nepal', 'native': {'common': 'नपल', 'official': 'नेपाल संघीय लोकतान्त्रिक गणतन्त्र'}}, 'tld': ['.np'], 'cca2': 'NP', 'ccn3': '524', 'cca3': 'NPL', 'currency': ['NPR'], 'callingCode': ['977'], 'capital': 'Kathmandu', 'altSpellings': ['NP', 'Federal Democratic Republic of Nepal', 'Loktāntrik Ganatantra Nepāl'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Southern Asia', 'nativeLanguage': 'nep', 'languages': {'nep': 'Nepali'}, 'translations': {'deu': 'Népal', 'fra': 'Népal', 'hrv': 'Nepal', 'ita': 'Nepal', 'jpn': 'ネパール', 'nld': 'Nepal', 'rus': 'Непал', 'spa': 'Nepal'}, 'latlng': [28, 84], 'demonym': 'Nepalese', 'borders': ['CHN', 'IND'], 'area': 147181}, {'name': {'common': 'Netherlands', 'official': 'Netherlands', 'native': {'common': 'Nederland', 'official': 'Nederland'}}, 'tld': ['.nl'], 'cca2': 'NL', 'ccn3': '528', 'cca3': 'NLD', 'currency': ['EUR'], 'callingCode': ['31'], 'capital': 'Amsterdam', 'altSpellings': ['NL', 'Holland', 'Nederland'], 'relevance': '1.5', 'region': 'Europe', 'subregion': 'Western Europe', 'nativeLanguage': 'nld', 'languages': {'nld': 'Dutch'}, 'translations': {'deu': 'Niederlande', 'fra': 'Pays-Bas', 'hrv': 'Nizozemska', 'ita': 'Paesi Bassi', 'jpn': 'オランダ', 'nld': 'Nederland', 'rus': 'Нидерланды', 'spa': 'Países Bajos'}, 'latlng': [52.5, 5.75], 'demonym': 'Dutch', 'borders': ['BEL', 'DEU'], 'area': 41850}, {'name': {'common': 'New Caledonia', 'official': 'New Caledonia', 'native': {'common': 'Nouvelle-Calédonie', 'official': 'Nouvelle-Calédonie'}}, 'tld': ['.nc'], 'cca2': 'NC', 'ccn3': '540', 'cca3': 'NCL', 'currency': ['XPF'], 'callingCode': ['687'], 'capital': 'Nouméa', 'altSpellings': ['NC'], 'relevance': '0.5', 'region': 'Oceania', 'subregion': 'Melanesia', 'nativeLanguage': 'fra', 'languages': {'fra': 'French'}, 'translations': {'deu': 'Neukaledonien', 'fra': 'Nouvelle-Calédonie', 'hrv': 'Nova Kaledonija', 'ita': 'Nuova Caledonia', 'jpn': 'ニューカレドニア', 'nld': 'Nieuw-Caledonië', 'rus': 'Новая Каледония', 'spa': 'Nueva Caledonia'}, 'latlng': [-21.5, 165.5], 'demonym': 'New Caledonian', 'borders': [], 'area': 18575}, {'name': {'common': 'New Zealand', 'official': 'New Zealand', 'native': {'common': 'New Zealand', 'official': 'New Zealand'}}, 'tld': ['.nz'], 'cca2': 'NZ', 'ccn3': '554', 'cca3': 'NZL', 'currency': ['NZD'], 'callingCode': ['64'], 'capital': 'Wellington', 'altSpellings': ['NZ', 'Aotearoa'], 'relevance': '1.0', 'region': 'Oceania', 'subregion': 'Australia and New Zealand', 'nativeLanguage': 'eng', 'languages': {'eng': 'English', 'mri': 'Māori', 'nzs': 'New Zealand Sign Language'}, 'translations': {'deu': 'Neuseeland', 'fra': 'Nouvelle-Zélande', 'hrv': 'Novi Zeland', 'ita': 'Nuova Zelanda', 'jpn': 'ニュージーランド', 'nld': 'Nieuw-Zeeland', 'rus': 'Новая Зеландия', 'spa': 'Nueva Zelanda'}, 'latlng': [-41, 174], 'demonym': 'New Zealander', 'borders': [], 'area': 270467}, {'name': {'common': 'Nicaragua', 'official': 'Republic of Nicaragua', 'native': {'common': 'Nicaragua', 'official': 'República de Nicaragua'}}, 'tld': ['.ni'], 'cca2': 'NI', 'ccn3': '558', 'cca3': 'NIC', 'currency': ['NIO'], 'callingCode': ['505'], 'capital': 'Managua', 'altSpellings': ['NI', 'Republic of Nicaragua', 'República de Nicaragua'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Central America', 'nativeLanguage': 'spa', 'languages': {'spa': 'Spanish'}, 'translations': {'deu': 'Nicaragua', 'fra': 'Nicaragua', 'hrv': 'Nikaragva', 'ita': 'Nicaragua', 'jpn': 'ニカラグア', 'nld': 'Nicaragua', 'rus': 'Никарагуа', 'spa': 'Nicaragua'}, 'latlng': [13, -85], 'demonym': 'Nicaraguan', 'borders': ['CRI', 'HND'], 'area': 130373}, {'name': {'common': 'Niger', 'official': 'Republic of Niger', 'native': {'common': 'Niger', 'official': 'République du Niger'}}, 'tld': ['.ne'], 'cca2': 'NE', 'ccn3': '562', 'cca3': 'NER', 'currency': ['XOF'], 'callingCode': ['227'], 'capital': 'Niamey', 'altSpellings': ['NE', 'Nijar', 'Republic of Niger', 'République du Niger'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Western Africa', 'nativeLanguage': 'fra', 'languages': {'fra': 'French'}, 'translations': {'deu': 'Niger', 'fra': 'Niger', 'hrv': 'Niger', 'ita': 'Niger', 'jpn': 'ニジェール', 'nld': 'Niger', 'rus': 'Нигер', 'spa': 'Níger'}, 'latlng': [16, 8], 'demonym': 'Nigerien', 'borders': ['DZA', 'BEN', 'BFA', 'TCD', 'LBY', 'MLI', 'NGA'], 'area': 1267000}, {'name': {'common': 'Nigeria', 'official': 'Federal Republic of Nigeria', 'native': {'common': 'Nigeria', 'official': 'Federal Republic of Nigeria'}}, 'tld': ['.ng'], 'cca2': 'NG', 'ccn3': '566', 'cca3': 'NGA', 'currency': ['NGN'], 'callingCode': ['234'], 'capital': 'Abuja', 'altSpellings': ['NG', 'Nijeriya', 'Naíjíríà', 'Federal Republic of Nigeria'], 'relevance': '1.5', 'region': 'Africa', 'subregion': 'Western Africa', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Nigeria', 'fra': 'Nigéria', 'hrv': 'Nigerija', 'ita': 'Nigeria', 'jpn': 'ナイジェリア', 'nld': 'Nigeria', 'rus': 'Нигерия', 'spa': 'Nigeria'}, 'latlng': [10, 8], 'demonym': 'Nigerian', 'borders': ['BEN', 'CMR', 'TCD', 'NER'], 'area': 923768}, {'name': {'common': 'Niue', 'official': 'Niue', 'native': {'common': 'Niuē', 'official': 'Niuē'}}, 'tld': ['.nu'], 'cca2': 'NU', 'ccn3': '570', 'cca3': 'NIU', 'currency': ['NZD'], 'callingCode': ['683'], 'capital': 'Alofi', 'altSpellings': ['NU'], 'relevance': '0.5', 'region': 'Oceania', 'subregion': 'Polynesia', 'nativeLanguage': 'niu', 'languages': {'eng': 'English', 'niu': 'Niuean'}, 'translations': {'deu': 'Niue', 'fra': 'Niue', 'hrv': 'Niue', 'ita': 'Niue', 'jpn': 'ニウエ', 'nld': 'Niue', 'rus': 'Ниуэ', 'spa': 'Niue'}, 'latlng': [-19.03333333, -169.86666666], 'demonym': 'Niuean', 'borders': [], 'area': 260}, {'name': {'common': 'Norfolk Island', 'official': 'Territory of Norfolk Island', 'native': {'common': 'Norfolk Island', 'official': 'Territory of Norfolk Island'}}, 'tld': ['.nf'], 'cca2': 'NF', 'ccn3': '574', 'cca3': 'NFK', 'currency': ['AUD'], 'callingCode': ['672'], 'capital': 'Kingston', 'altSpellings': ['NF', 'Territory of Norfolk Island', "Teratri of Norf'k Ailen"], 'relevance': '0.5', 'region': 'Oceania', 'subregion': 'Australia and New Zealand', 'nativeLanguage': 'eng', 'languages': {'eng': 'English', 'pih': 'Norfuk'}, 'translations': {'deu': 'Norfolkinsel', 'fra': 'Île de Norfolk', 'hrv': 'Otok Norfolk', 'ita': 'Isola Norfolk', 'jpn': 'ノーフォーク島', 'nld': 'Norfolkeiland', 'rus': 'Норфолк', 'spa': 'Isla de Norfolk'}, 'latlng': [-29.03333333, 167.95], 'demonym': 'Norfolk Islander', 'borders': [], 'area': 36}, {'name': {'common': 'North Korea', 'official': "Democratic People's Republic of Korea", 'native': {'common': '북한', 'official': '조선 민주주의 인민 공화국'}}, 'tld': ['.kp'], 'cca2': 'KP', 'ccn3': '408', 'cca3': 'PRK', 'currency': ['KPW'], 'callingCode': ['850'], 'capital': 'Pyongyang', 'altSpellings': ['KP', "Democratic People's Republic of Korea", '조선민주주의인민공화국', 'Chosŏn Minjujuŭi Inmin Konghwaguk'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Eastern Asia', 'nativeLanguage': 'kor', 'languages': {'kor': 'Korean'}, 'translations': {'deu': 'Nordkorea', 'fra': 'Corée du Nord', 'hrv': 'Sjeverna Koreja', 'ita': 'Corea del Nord', 'jpn': '朝鮮民主主義人民共和国', 'nld': 'Noord-Korea', 'rus': 'Северная Корея', 'spa': 'Corea del Norte'}, 'latlng': [40, 127], 'demonym': 'North Korean', 'borders': ['CHN', 'KOR', 'RUS'], 'area': 120538}, {'name': {'common': 'Northern Mariana Islands', 'official': 'Commonwealth of the Northern Mariana Islands', 'native': {'common': 'Northern Mariana Islands', 'official': 'Commonwealth of the Northern Mariana Islands'}}, 'tld': ['.mp'], 'cca2': 'MP', 'ccn3': '580', 'cca3': 'MNP', 'currency': ['USD'], 'callingCode': ['1670'], 'capital': 'Saipan', 'altSpellings': ['MP', 'Commonwealth of the Northern Mariana Islands', 'Sankattan Siha Na Islas Mariånas'], 'relevance': '0.5', 'region': 'Oceania', 'subregion': 'Micronesia', 'nativeLanguage': 'eng', 'languages': {'cal': 'Carolinian', 'cha': 'Chamorro', 'eng': 'English'}, 'translations': {'deu': 'Nördliche Marianen', 'fra': 'Îles Mariannes du Nord', 'hrv': 'Sjevernomarijanski otoci', 'ita': 'Isole Marianne Settentrionali', 'jpn': '北マリアナ諸島', 'nld': 'Noordelijke Marianeneilanden', 'rus': 'Северные Марианские острова', 'spa': 'Islas Marianas del Norte'}, 'latlng': [15.2, 145.75], 'demonym': 'American', 'borders': [], 'area': 464}, {'name': {'common': 'Norway', 'official': 'Kingdom of Norway', 'native': {'common': 'Norge', 'official': 'Kongeriket Norge'}}, 'tld': ['.no'], 'cca2': 'NO', 'ccn3': '578', 'cca3': 'NOR', 'currency': ['NOK'], 'callingCode': ['47'], 'capital': 'Oslo', 'altSpellings': ['NO', 'Norge', 'Noreg', 'Kingdom of Norway', 'Kongeriket Norge', 'Kongeriket Noreg'], 'relevance': '1.5', 'region': 'Europe', 'subregion': 'Northern Europe', 'nativeLanguage': 'nor', 'languages': {'nno': 'Nynorsk', 'nob': 'Bokmål', 'nor': 'Norwegian'}, 'translations': {'deu': 'Norwegen', 'fra': 'Norvège', 'hrv': 'Norveška', 'ita': 'Norvegia', 'jpn': 'ノルウェー', 'nld': 'Noorwegen', 'rus': 'Норвегия', 'spa': 'Noruega'}, 'latlng': [62, 10], 'demonym': 'Norwegian', 'borders': ['FIN', 'SWE', 'RUS'], 'area': 323802}, {'name': {'common': 'Oman', 'official': 'Sultanate of Oman', 'native': {'common': 'عمان', 'official': 'سلطنة عمان'}}, 'tld': ['.om'], 'cca2': 'OM', 'ccn3': '512', 'cca3': 'OMN', 'currency': ['OMR'], 'callingCode': ['968'], 'capital': 'Muscat', 'altSpellings': ['OM', 'Sultanate of Oman', 'Salṭanat ʻUmān'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Western Asia', 'nativeLanguage': 'ara', 'languages': {'ara': 'Arabic'}, 'translations': {'deu': 'Oman', 'fra': 'Oman', 'hrv': 'Oman', 'ita': 'oman', 'jpn': 'オマーン', 'nld': 'Oman', 'rus': 'Оман', 'spa': 'Omán'}, 'latlng': [21, 57], 'demonym': 'Omani', 'borders': ['SAU', 'ARE', 'YEM'], 'area': 309500}, {'name': {'common': 'Pakistan', 'official': 'Islamic Republic of Pakistan', 'native': {'common': 'Pakistan', 'official': 'Islamic Republic of Pakistan'}}, 'tld': ['.pk'], 'cca2': 'PK', 'ccn3': '586', 'cca3': 'PAK', 'currency': ['PKR'], 'callingCode': ['92'], 'capital': 'Islamabad', 'altSpellings': ['PK', 'Pākistān', 'Islamic Republic of Pakistan', "Islāmī Jumhūriya'eh Pākistān"], 'relevance': '2', 'region': 'Asia', 'subregion': 'Southern Asia', 'nativeLanguage': 'eng', 'languages': {'eng': 'English', 'urd': 'Urdu'}, 'translations': {'deu': 'Pakistan', 'fra': 'Pakistan', 'hrv': 'Pakistan', 'ita': 'Pakistan', 'jpn': 'パキスタン', 'nld': 'Pakistan', 'rus': 'Пакистан', 'spa': 'Pakistán'}, 'latlng': [30, 70], 'demonym': 'Pakistani', 'borders': ['AFG', 'CHN', 'IND', 'IRN'], 'area': 881912}, {'name': {'common': 'Palau', 'official': 'Republic of Palau', 'native': {'common': 'Palau', 'official': 'Republic of Palau'}}, 'tld': ['.pw'], 'cca2': 'PW', 'ccn3': '585', 'cca3': 'PLW', 'currency': ['USD'], 'callingCode': ['680'], 'capital': 'Ngerulmud', 'altSpellings': ['PW', 'Republic of Palau', 'Beluu er a Belau'], 'relevance': '0.5', 'region': 'Oceania', 'subregion': 'Micronesia', 'nativeLanguage': 'eng', 'languages': {'eng': 'English', 'pau': 'Palauan'}, 'translations': {'deu': 'Palau', 'fra': 'Palaos', 'hrv': 'Palau', 'ita': 'Palau', 'jpn': 'パラオ', 'nld': 'Palau', 'rus': 'Палау', 'spa': 'Palau'}, 'latlng': [7.5, 134.5], 'demonym': 'Palauan', 'borders': [], 'area': 459}, {'name': {'common': 'Palestine', 'official': 'State of Palestine', 'native': {'common': 'فلسطين', 'official': 'دولة فلسطين'}}, 'tld': ['.ps', 'فلسطين.'], 'cca2': 'PS', 'ccn3': '275', 'cca3': 'PSE', 'currency': ['ILS'], 'callingCode': ['970'], 'capital': 'Ramallah', 'altSpellings': ['PS', 'State of Palestine', 'Dawlat Filasṭin'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Western Asia', 'nativeLanguage': 'ara', 'languages': {'ara': 'Arabic'}, 'translations': {'deu': 'Palästina', 'fra': 'Palestine', 'hrv': 'Palestina', 'ita': 'Palestina', 'jpn': 'パレスチナ', 'nld': 'Palestijnse gebieden', 'rus': 'Палестина', 'spa': 'Palestina'}, 'latlng': [31.9, 35.2], 'demonym': 'Palestinian', 'borders': ['ISR', 'EGY', 'JOR'], 'area': 6220}, {'name': {'common': 'Panama', 'official': 'Republic of Panama', 'native': {'common': 'Panamá', 'official': 'República de Panamá'}}, 'tld': ['.pa'], 'cca2': 'PA', 'ccn3': '591', 'cca3': 'PAN', 'currency': ['PAB', 'USD'], 'callingCode': ['507'], 'capital': 'Panama City', 'altSpellings': ['PA', 'Republic of Panama', 'República de Panamá'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Central America', 'nativeLanguage': 'spa', 'languages': {'spa': 'Spanish'}, 'translations': {'deu': 'Panama', 'fra': 'Panama', 'hrv': 'Panama', 'ita': 'Panama', 'jpn': 'パナマ', 'nld': 'Panama', 'rus': 'Панама', 'spa': 'Panamá'}, 'latlng': [9, -80], 'demonym': 'Panamanian', 'borders': ['COL', 'CRI'], 'area': 75417}, {'name': {'common': 'Papua New Guinea', 'official': 'Independent State of Papua New Guinea', 'native': {'common': 'Papua Niugini', 'official': 'Independent State of Papua New Guinea'}}, 'tld': ['.pg'], 'cca2': 'PG', 'ccn3': '598', 'cca3': 'PNG', 'currency': ['PGK'], 'callingCode': ['675'], 'capital': 'Port Moresby', 'altSpellings': ['PG', 'Independent State of Papua New Guinea', 'Independen Stet bilong Papua Niugini'], 'relevance': '0', 'region': 'Oceania', 'subregion': 'Melanesia', 'nativeLanguage': 'hmo', 'languages': {'eng': 'English', 'hmo': 'Hiri Motu', 'tpi': 'Tok Pisin'}, 'translations': {'deu': 'Papua-Neuguinea', 'fra': 'Papouasie-Nouvelle-Guinée', 'hrv': 'Papua Nova Gvineja', 'ita': 'Papua Nuova Guinea', 'jpn': 'パプアニューギニア', 'nld': 'Papoea-Nieuw-Guinea', 'rus': 'Папуа — Новая Гвинея', 'spa': 'Papúa Nueva Guinea'}, 'latlng': [-6, 147], 'demonym': 'Papua New Guinean', 'borders': ['IDN'], 'area': 462840}, {'name': {'common': 'Paraguay', 'official': 'Republic of Paraguay', 'native': {'common': 'Paraguay', 'official': 'República de Paraguay'}}, 'tld': ['.py'], 'cca2': 'PY', 'ccn3': '600', 'cca3': 'PRY', 'currency': ['PYG'], 'callingCode': ['595'], 'capital': 'Asunción', 'altSpellings': ['PY', 'Republic of Paraguay', 'República del Paraguay', 'Tetã Paraguái'], 'relevance': '0', 'region': 'Americas', 'subregion': 'South America', 'nativeLanguage': 'spa', 'languages': {'grn': 'Guaraní', 'spa': 'Spanish'}, 'translations': {'deu': 'Paraguay', 'fra': 'Paraguay', 'hrv': 'Paragvaj', 'ita': 'Paraguay', 'jpn': 'パラグアイ', 'nld': 'Paraguay', 'rus': 'Парагвай', 'spa': 'Paraguay'}, 'latlng': [-23, -58], 'demonym': 'Paraguayan', 'borders': ['ARG', 'BOL', 'BRA'], 'area': 406752}, {'name': {'common': 'Peru', 'official': 'Republic of Peru', 'native': {'common': 'Perú', 'official': 'República del Perú'}}, 'tld': ['.pe'], 'cca2': 'PE', 'ccn3': '604', 'cca3': 'PER', 'currency': ['PEN'], 'callingCode': ['51'], 'capital': 'Lima', 'altSpellings': ['PE', 'Republic of Peru', ' República del Perú'], 'relevance': '0', 'region': 'Americas', 'subregion': 'South America', 'nativeLanguage': 'spa', 'languages': {'aym': 'Aymara', 'que': 'Quechua', 'spa': 'Spanish'}, 'translations': {'deu': 'Peru', 'fra': 'Pérou', 'hrv': 'Peru', 'ita': 'Perù', 'jpn': 'ペルー', 'nld': 'Peru', 'rus': 'Перу', 'spa': 'Perú'}, 'latlng': [-10, -76], 'demonym': 'Peruvian', 'borders': ['BOL', 'BRA', 'CHL', 'COL', 'ECU'], 'area': 1285216}, {'name': {'common': 'Philippines', 'official': 'Republic of the Philippines', 'native': {'common': 'Pilipinas', 'official': 'Republic of the Philippines'}}, 'tld': ['.ph'], 'cca2': 'PH', 'ccn3': '608', 'cca3': 'PHL', 'currency': ['PHP'], 'callingCode': ['63'], 'capital': 'Manila', 'altSpellings': ['PH', 'Republic of the Philippines', 'Repúblika ng Pilipinas'], 'relevance': '1.5', 'region': 'Asia', 'subregion': 'South-Eastern Asia', 'nativeLanguage': 'fil', 'languages': {'eng': 'English', 'fil': 'Filipino'}, 'translations': {'deu': 'Philippinen', 'fra': 'Philippines', 'hrv': 'Filipini', 'ita': 'Filippine', 'jpn': 'フィリピン', 'nld': 'Filipijnen', 'rus': 'Филиппины', 'spa': 'Filipinas'}, 'latlng': [13, 122], 'demonym': 'Filipino', 'borders': [], 'area': 342353}, {'name': {'common': 'Pitcairn Islands', 'official': 'Pitcairn Group of Islands', 'native': {'common': 'Pitcairn Islands', 'official': 'Pitcairn Group of Islands'}}, 'tld': ['.pn'], 'cca2': 'PN', 'ccn3': '612', 'cca3': 'PCN', 'currency': ['NZD'], 'callingCode': ['64'], 'capital': 'Adamstown', 'altSpellings': ['PN', 'Pitcairn Henderson Ducie and Oeno Islands'], 'relevance': '0.5', 'region': 'Oceania', 'subregion': 'Polynesia', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Pitcairn', 'fra': 'Îles Pitcairn', 'hrv': 'Pitcairnovo otočje', 'ita': 'Isole Pitcairn', 'jpn': 'ピトケアン', 'nld': 'Pitcairneilanden', 'rus': 'Острова Питкэрн', 'spa': 'Islas Pitcairn'}, 'latlng': [-25.06666666, -130.1], 'demonym': 'Pitcairn Islander', 'borders': [], 'area': 47}, {'name': {'common': 'Poland', 'official': 'Republic of Poland', 'native': {'common': 'Polska', 'official': 'Rzeczpospolita Polska'}}, 'tld': ['.pl'], 'cca2': 'PL', 'ccn3': '616', 'cca3': 'POL', 'currency': ['PLN'], 'callingCode': ['48'], 'capital': 'Warsaw', 'altSpellings': ['PL', 'Republic of Poland', 'Rzeczpospolita Polska'], 'relevance': '1.25', 'region': 'Europe', 'subregion': 'Eastern Europe', 'nativeLanguage': 'pol', 'languages': {'pol': 'Polish'}, 'translations': {'deu': 'Polen', 'fra': 'Pologne', 'hrv': 'Poljska', 'ita': 'Polonia', 'jpn': 'ポーランド', 'nld': 'Polen', 'rus': 'Польша', 'spa': 'Polonia'}, 'latlng': [52, 20], 'demonym': 'Polish', 'borders': ['BLR', 'CZE', 'DEU', 'LTU', 'RUS', 'SVK', 'UKR'], 'area': 312679}, {'name': {'common': 'Portugal', 'official': 'Portuguese Republic', 'native': {'common': 'Portugal', 'official': 'República português'}}, 'tld': ['.pt'], 'cca2': 'PT', 'ccn3': '620', 'cca3': 'PRT', 'currency': ['EUR'], 'callingCode': ['351'], 'capital': 'Lisbon', 'altSpellings': ['PT', 'Portuguesa', 'Portuguese Republic', 'República Portuguesa'], 'relevance': '1.5', 'region': 'Europe', 'subregion': 'Southern Europe', 'nativeLanguage': 'por', 'languages': {'por': 'Portuguese'}, 'translations': {'deu': 'Portugal', 'fra': 'Portugal', 'hrv': 'Portugal', 'ita': 'Portogallo', 'jpn': 'ポルトガル', 'nld': 'Portugal', 'rus': 'Португалия', 'spa': 'Portugal'}, 'latlng': [39.5, -8], 'demonym': 'Portuguese', 'borders': ['ESP'], 'area': 92090}, {'name': {'common': 'Puerto Rico', 'official': 'Commonwealth of Puerto Rico', 'native': {'common': 'Puerto Rico', 'official': 'Estado Libre Asociado de Puerto Rico'}}, 'tld': ['.pr'], 'cca2': 'PR', 'ccn3': '630', 'cca3': 'PRI', 'currency': ['USD'], 'callingCode': ['1787', '1939'], 'capital': 'San Juan', 'altSpellings': ['PR', 'Commonwealth of Puerto Rico', 'Estado Libre Asociado de Puerto Rico'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'spa', 'languages': {'eng': 'English', 'spa': 'Spanish'}, 'translations': {'deu': 'Puerto Rico', 'fra': 'Porto Rico', 'hrv': 'Portoriko', 'ita': 'Porto Rico', 'jpn': 'プエルトリコ', 'nld': 'Puerto Rico', 'rus': 'Пуэрто-Рико', 'spa': 'Puerto Rico'}, 'latlng': [18.25, -66.5], 'demonym': 'Puerto Rican', 'borders': [], 'area': 8870}, {'name': {'common': 'Qatar', 'official': 'State of Qatar', 'native': {'common': 'قطر', 'official': 'دولة قطر'}}, 'tld': ['.qa', 'قطر.'], 'cca2': 'QA', 'ccn3': '634', 'cca3': 'QAT', 'currency': ['QAR'], 'callingCode': ['974'], 'capital': 'Doha', 'altSpellings': ['QA', 'State of Qatar', 'Dawlat Qaṭar'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Western Asia', 'nativeLanguage': 'ara', 'languages': {'ara': 'Arabic'}, 'translations': {'deu': 'Katar', 'fra': 'Qatar', 'hrv': 'Katar', 'ita': 'Qatar', 'jpn': 'カタール', 'nld': 'Qatar', 'rus': 'Катар', 'spa': 'Catar'}, 'latlng': [25.5, 51.25], 'demonym': 'Qatari', 'borders': ['SAU'], 'area': 11586}, {'name': {'common': 'Kosovo', 'official': 'Republic of Kosovo', 'native': {'common': 'Kosova', 'official': 'Republika e Kosovës'}}, 'tld': [], 'cca2': 'XK', 'ccn3': '780', 'cca3': 'KOS', 'currency': ['EUR'], 'callingCode': ['377', '381', '386'], 'capital': 'Pristina', 'altSpellings': ['XK', 'Република Косово'], 'relevance': '0', 'region': 'Europe', 'subregion': 'Eastern Europe', 'nativeLanguage': 'sqi', 'languages': {'sqi': 'Albanian', 'srp': 'Serbian'}, 'translations': {'hrv': 'Kosovo', 'rus': 'Республика Косово', 'spa': 'Kosovo'}, 'latlng': [42.666667, 21.166667], 'demonym': 'Kosovar', 'borders': ['ALB', 'MKD', 'MNE', 'SRB'], 'area': 10908}, {'name': {'common': 'Réunion', 'official': 'Réunion Island', 'native': {'common': 'La Réunion', 'official': 'Ile de la Réunion'}}, 'tld': ['.re'], 'cca2': 'RE', 'ccn3': '638', 'cca3': 'REU', 'currency': ['EUR'], 'callingCode': ['262'], 'capital': 'Saint-Denis', 'altSpellings': ['RE', 'Reunion'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Eastern Africa', 'nativeLanguage': 'fra', 'languages': {'fra': 'French'}, 'translations': {'deu': 'Réunion', 'fra': 'Réunion', 'hrv': 'Réunion', 'ita': 'Riunione', 'jpn': 'レユニオン', 'nld': 'Réunion', 'rus': 'Реюньон', 'spa': 'Reunión'}, 'latlng': [-21.15, 55.5], 'demonym': 'French', 'borders': [], 'area': 2511}, {'name': {'common': 'Romania', 'official': 'Romania', 'native': {'common': 'România', 'official': 'România'}}, 'tld': ['.ro'], 'cca2': 'RO', 'ccn3': '642', 'cca3': 'ROU', 'currency': ['RON'], 'callingCode': ['40'], 'capital': 'Bucharest', 'altSpellings': ['RO', 'Rumania', 'Roumania', 'România'], 'relevance': '0', 'region': 'Europe', 'subregion': 'Eastern Europe', 'nativeLanguage': 'ron', 'languages': {'ron': 'Romanian'}, 'translations': {'deu': 'Rumänien', 'fra': 'Roumanie', 'hrv': 'Rumunjska', 'ita': 'Romania', 'jpn': 'ルーマニア', 'nld': 'Roemenië', 'rus': 'Румыния', 'spa': 'Rumania'}, 'latlng': [46, 25], 'demonym': 'Romanian', 'borders': ['BGR', 'HUN', 'MDA', 'SRB', 'UKR'], 'area': 238391}, {'name': {'common': 'Russia', 'official': 'Russian Federation', 'native': {'common': 'Россия', 'official': 'Русская Федерация'}}, 'tld': ['.ru', '.su', '.рф'], 'cca2': 'RU', 'ccn3': '643', 'cca3': 'RUS', 'currency': ['RUB'], 'callingCode': ['7'], 'capital': 'Moscow', 'altSpellings': ['RU', 'Rossiya', 'Russian Federation', 'Российская Федерация', 'Rossiyskaya Federatsiya'], 'relevance': '2.5', 'region': 'Europe', 'subregion': 'Eastern Europe', 'nativeLanguage': 'rus', 'languages': {'rus': 'Russian'}, 'translations': {'deu': 'Russland', 'fra': 'Russie', 'hrv': 'Rusija', 'ita': 'Russia', 'jpn': 'ロシア連邦', 'nld': 'Rusland', 'rus': 'Россия', 'spa': 'Rusia'}, 'latlng': [60, 100], 'demonym': 'Russian', 'borders': ['AZE', 'BLR', 'CHN', 'EST', 'FIN', 'GEO', 'KAZ', 'PRK', 'LVA', 'LTU', 'MNG', 'NOR', 'POL', 'UKR'], 'area': 17098242}, {'name': {'common': 'Rwanda', 'official': 'Republic of Rwanda', 'native': {'common': 'Rwanda', 'official': "Repubulika y'u Rwanda"}}, 'tld': ['.rw'], 'cca2': 'RW', 'ccn3': '646', 'cca3': 'RWA', 'currency': ['RWF'], 'callingCode': ['250'], 'capital': 'Kigali', 'altSpellings': ['RW', 'Republic of Rwanda', "Repubulika y'u Rwanda", 'République du Rwanda'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Eastern Africa', 'nativeLanguage': 'kin', 'languages': {'eng': 'English', 'fra': 'French', 'kin': 'Kinyarwanda'}, 'translations': {'deu': 'Ruanda', 'fra': 'Rwanda', 'hrv': 'Ruanda', 'ita': 'Ruanda', 'jpn': 'ルワンダ', 'nld': 'Rwanda', 'rus': 'Руанда', 'spa': 'Ruanda'}, 'latlng': [-2, 30], 'demonym': 'Rwandan', 'borders': ['BDI', 'COD', 'TZA', 'UGA'], 'area': 26338}, {'name': {'common': 'Saint Barthélemy', 'official': 'Collectivity of Saint BarthélemySaint Barthélemy', 'native': {'common': 'Saint-Barthélemy', 'official': 'Collectivité de Saint Barthélemy BarthélemySaint'}}, 'tld': ['.bl'], 'cca2': 'BL', 'ccn3': '652', 'cca3': 'BLM', 'currency': ['EUR'], 'callingCode': ['590'], 'capital': 'Gustavia', 'altSpellings': ['BL', 'St. Barthelemy', 'Collectivity of Saint Barthélemy', 'Collectivité de Saint-Barthélemy'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'fra', 'languages': {'fra': 'French'}, 'translations': {'deu': 'Saint-Barthélemy', 'fra': 'Saint-Barthélemy', 'hrv': 'Saint Barthélemy', 'ita': 'Antille Francesi', 'jpn': 'サン・バルテルミー', 'nld': 'Saint Barthélemy', 'rus': 'Сен-Бартелеми', 'spa': 'San Bartolomé'}, 'latlng': [18.5, -63.41666666], 'demonym': 'Saint Barthélemy Islander', 'borders': [], 'area': 21}, {'name': {'common': 'Saint Helena, Ascension and Tristan da Cunha', 'official': 'Saint Helena, Ascension and Tristan da Cunha', 'native': {'common': 'Saint Helena, Ascension and Tristan da Cunha', 'official': 'Saint Helena, Ascension and Tristan da Cunha'}}, 'tld': ['.sh'], 'cca2': 'SH', 'ccn3': '654', 'cca3': 'SHN', 'currency': ['SHP'], 'callingCode': ['290'], 'capital': 'Jamestown', 'altSpellings': ['SH'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Western Africa', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Sankt Helena', 'fra': 'Sainte-Hélène', 'hrv': 'Sveta Helena', 'ita': "Sant'Elena", 'jpn': 'セントヘレナ・アセンションおよびトリスタンダクーニャ', 'nld': 'Sint-Helena', 'rus': 'Остров Святой Елены', 'spa': 'Santa Helena'}, 'latlng': [-15.95, -5.7], 'demonym': 'Saint Helenian', 'borders': [], 'area': 397}, {'name': {'common': 'Saint Kitts and Nevis', 'official': 'Federation of Saint Christopher and Nevisa', 'native': {'common': 'Saint Kitts and Nevis', 'official': 'Federation of Saint Christopher and Nevisa'}}, 'tld': ['.kn'], 'cca2': 'KN', 'ccn3': '659', 'cca3': 'KNA', 'currency': ['XCD'], 'callingCode': ['1869'], 'capital': 'Basseterre', 'altSpellings': ['KN', 'Federation of Saint Christopher and Nevis'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Saint Christopher und Nevis', 'fra': 'Saint-Christophe-et-Niévès', 'hrv': 'Sveti Kristof i Nevis', 'ita': 'Saint Kitts e Nevis', 'jpn': 'セントクリストファー・ネイビス', 'nld': 'Saint Kitts en Nevis', 'rus': 'Сент-Китс и Невис', 'spa': 'San Cristóbal y Nieves'}, 'latlng': [17.33333333, -62.75], 'demonym': 'Kittitian or Nevisian', 'borders': [], 'area': 261}, {'name': {'common': 'Saint Lucia', 'official': 'Saint Lucia', 'native': {'common': 'Saint Lucia', 'official': 'Saint Lucia'}}, 'tld': ['.lc'], 'cca2': 'LC', 'ccn3': '662', 'cca3': 'LCA', 'currency': ['XCD'], 'callingCode': ['1758'], 'capital': 'Castries', 'altSpellings': ['LC'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Saint Lucia', 'fra': 'Saint-Lucie', 'hrv': 'Sveta Lucija', 'ita': 'Santa Lucia', 'jpn': 'セントルシア', 'nld': 'Saint Lucia', 'rus': 'Сент-Люсия', 'spa': 'Santa Lucía'}, 'latlng': [13.88333333, -60.96666666], 'demonym': 'Saint Lucian', 'borders': [], 'area': 616}, {'name': {'common': 'Saint Martin', 'official': 'Saint Pierre and Miquelon', 'native': {'common': 'Saint-Martin', 'official': 'Saint-Pierre-et-Miquelon'}}, 'tld': ['.fr', '.gp'], 'cca2': 'MF', 'ccn3': '663', 'cca3': 'MAF', 'currency': ['EUR'], 'callingCode': ['590'], 'capital': 'Marigot', 'altSpellings': ['MF', 'Collectivity of Saint Martin', 'Collectivité de Saint-Martin'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'fra', 'languages': {'fra': 'French'}, 'translations': {'deu': 'Saint Martin', 'fra': 'Saint-Martin', 'hrv': 'Sveti Martin', 'ita': 'Saint Martin', 'jpn': 'サン・マルタン(フランス領)', 'nld': 'Saint-Martin', 'rus': 'Сен-Мартен', 'spa': 'Saint Martin'}, 'latlng': [18.08333333, -63.95], 'demonym': 'Saint Martin Islander', 'borders': ['SXM'], 'area': 53}, {'name': {'common': 'Saint Pierre and Miquelon', 'official': 'Saint-Pierre-et-Miquelon', 'native': {'common': 'Saint-Pierre-et-Miquelon', 'official': 'Collectivité territoriale de Saint-Pierre-et-Miquelon'}}, 'tld': ['.pm'], 'cca2': 'PM', 'ccn3': '666', 'cca3': 'SPM', 'currency': ['EUR'], 'callingCode': ['508'], 'capital': 'Saint-Pierre', 'altSpellings': ['PM', 'Collectivité territoriale de Saint-Pierre-et-Miquelon'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Northern America', 'nativeLanguage': 'fra', 'languages': {'fra': 'French'}, 'translations': {'deu': 'Saint-Pierre und Miquelon', 'fra': 'Saint-Pierre-et-Miquelon', 'hrv': 'Sveti Petar i Mikelon', 'ita': 'Saint-Pierre e Miquelon', 'jpn': 'サンピエール島・ミクロン島', 'nld': 'Saint Pierre en Miquelon', 'rus': 'Сен-Пьер и Микелон', 'spa': 'San Pedro y Miquelón'}, 'latlng': [46.83333333, -56.33333333], 'demonym': 'French', 'borders': [], 'area': 242}, {'name': {'common': 'Saint Vincent and the Grenadines', 'official': 'Saint Vincent and the Grenadines', 'native': {'common': 'Saint Vincent and the Grenadines', 'official': 'Saint Vincent and the Grenadines'}}, 'tld': ['.vc'], 'cca2': 'VC', 'ccn3': '670', 'cca3': 'VCT', 'currency': ['XCD'], 'callingCode': ['1784'], 'capital': 'Kingstown', 'altSpellings': ['VC'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Saint Vincent und die Grenadinen', 'fra': 'Saint-Vincent-et-les-Grenadines', 'hrv': 'Sveti Vincent i Grenadini', 'ita': 'Saint Vincent e Grenadine', 'jpn': 'セントビンセントおよびグレナディーン諸島', 'nld': 'Saint Vincent en de Grenadines', 'rus': 'Сент-Винсент и Гренадины', 'spa': 'San Vicente y Granadinas'}, 'latlng': [13.25, -61.2], 'demonym': 'Saint Vincentian', 'borders': [], 'area': 389}, {'name': {'common': 'Samoa', 'official': 'Independent State of Samoa', 'native': {'common': 'Sāmoa', 'official': 'Malo Saʻoloto Tutoʻatasi o Sāmoa'}}, 'tld': ['.ws'], 'cca2': 'WS', 'ccn3': '882', 'cca3': 'WSM', 'currency': ['WST'], 'callingCode': ['685'], 'capital': 'Apia', 'altSpellings': ['WS', 'Independent State of Samoa', 'Malo Saʻoloto Tutoʻatasi o Sāmoa'], 'relevance': '0', 'region': 'Oceania', 'subregion': 'Polynesia', 'nativeLanguage': 'smo', 'languages': {'eng': 'English', 'smo': 'Samoan'}, 'translations': {'deu': 'Samoa', 'fra': 'Samoa', 'hrv': 'Samoa', 'ita': 'Samoa', 'jpn': 'サモア', 'nld': 'Samoa', 'rus': 'Самоа', 'spa': 'Samoa'}, 'latlng': [-13.58333333, -172.33333333], 'demonym': 'Samoan', 'borders': [], 'area': 2842}, {'name': {'common': 'San Marino', 'official': 'Most Serene Republic of San Marino', 'native': {'common': 'San Marino', 'official': 'Serenissima Repubblica di San Marino'}}, 'tld': ['.sm'], 'cca2': 'SM', 'ccn3': '674', 'cca3': 'SMR', 'currency': ['EUR'], 'callingCode': ['378'], 'capital': 'City of San Marino', 'altSpellings': ['SM', 'Republic of San Marino', 'Repubblica di San Marino'], 'relevance': '0', 'region': 'Europe', 'subregion': 'Southern Europe', 'nativeLanguage': 'ita', 'languages': {'ita': 'Italian'}, 'translations': {'deu': 'San Marino', 'fra': 'Saint-Marin', 'hrv': 'San Marino', 'ita': 'San Marino', 'jpn': 'サンマリノ', 'nld': 'San Marino', 'rus': 'Сан-Марино', 'spa': 'San Marino'}, 'latlng': [43.76666666, 12.41666666], 'demonym': 'Sammarinese', 'borders': ['ITA'], 'area': 61}, {'name': {'common': 'São Tomé and Príncipe', 'official': 'Democratic Republic of São Tomé and Príncipe', 'native': {'common': 'São Tomé e Príncipe', 'official': 'República Democrática do São Tomé e Príncipe'}}, 'tld': ['.st'], 'cca2': 'ST', 'ccn3': '678', 'cca3': 'STP', 'currency': ['STD'], 'callingCode': ['239'], 'capital': 'São Tomé', 'altSpellings': ['ST', 'Democratic Republic of São Tomé and Príncipe', 'República Democrática de São Tomé e Príncipe'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Middle Africa', 'nativeLanguage': 'por', 'languages': {'por': 'Portuguese'}, 'translations': {'deu': 'São Tomé und Príncipe', 'fra': 'Sao Tomé-et-Principe', 'hrv': 'Sveti Toma i Princip', 'ita': 'São Tomé e Príncipe', 'jpn': 'サントメ・プリンシペ', 'nld': 'Sao Tomé en Principe', 'rus': 'Сан-Томе и Принсипи', 'spa': 'Santo Tomé y Príncipe'}, 'latlng': [1, 7], 'demonym': 'Sao Tomean', 'borders': [], 'area': 964}, {'name': {'common': 'Saudi Arabia', 'official': 'Kingdom of Saudi Arabia', 'native': {'common': 'العربية السعودية', 'official': 'المملكة العربية السعودية'}}, 'tld': ['.sa', '.السعودية'], 'cca2': 'SA', 'ccn3': '682', 'cca3': 'SAU', 'currency': ['SAR'], 'callingCode': ['966'], 'capital': 'Riyadh', 'altSpellings': ['Saudi', 'SA', 'Kingdom of Saudi Arabia', 'Al-Mamlakah al-‘Arabiyyah as-Su‘ūdiyyah'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Western Asia', 'nativeLanguage': 'ara', 'languages': {'ara': 'Arabic'}, 'translations': {'deu': 'Saudi-Arabien', 'fra': 'Arabie Saoudite', 'hrv': 'Saudijska Arabija', 'ita': 'Arabia Saudita', 'jpn': 'サウジアラビア', 'nld': 'Saoedi-Arabië', 'rus': 'Саудовская Аравия', 'spa': 'Arabia Saudí'}, 'latlng': [25, 45], 'demonym': 'Saudi Arabian', 'borders': ['IRQ', 'JOR', 'KWT', 'OMN', 'QAT', 'ARE', 'YEM'], 'area': 2149690}, {'name': {'common': 'Senegal', 'official': 'Republic of Senegal', 'native': {'common': 'Sénégal', 'official': 'République du Sénégal'}}, 'tld': ['.sn'], 'cca2': 'SN', 'ccn3': '686', 'cca3': 'SEN', 'currency': ['XOF'], 'callingCode': ['221'], 'capital': 'Dakar', 'altSpellings': ['SN', 'Republic of Senegal', 'République du Sénégal'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Western Africa', 'nativeLanguage': 'fra', 'languages': {'fra': 'French'}, 'translations': {'deu': 'Senegal', 'fra': 'Sénégal', 'hrv': 'Senegal', 'ita': 'Senegal', 'jpn': 'セネガル', 'nld': 'Senegal', 'rus': 'Сенегал', 'spa': 'Senegal'}, 'latlng': [14, -14], 'demonym': 'Senegalese', 'borders': ['GMB', 'GIN', 'GNB', 'MLI', 'MRT'], 'area': 196722}, {'name': {'common': 'Serbia', 'official': 'Republic of Serbia', 'native': {'common': 'Србија', 'official': 'Република Србија'}}, 'tld': ['.rs', '.срб'], 'cca2': 'RS', 'ccn3': '688', 'cca3': 'SRB', 'currency': ['RSD'], 'callingCode': ['381'], 'capital': 'Belgrade', 'altSpellings': ['RS', 'Srbija', 'Republic of Serbia', 'Република Србија', 'Republika Srbija'], 'relevance': '0', 'region': 'Europe', 'subregion': 'Southern Europe', 'nativeLanguage': 'srp', 'languages': {'srp': 'Serbian'}, 'translations': {'deu': 'Serbien', 'fra': 'Serbie', 'hrv': 'Srbija', 'ita': 'Serbia', 'jpn': 'セルビア', 'nld': 'Servië', 'rus': 'Сербия', 'spa': 'Serbia'}, 'latlng': [44, 21], 'demonym': 'Serbian', 'borders': ['BIH', 'BGR', 'HRV', 'HUN', 'KOS', 'MKD', 'MNE', 'ROU'], 'area': 88361}, {'name': {'common': 'Seychelles', 'official': 'Republic of Seychelles', 'native': {'common': 'Seychelles', 'official': 'République des Seychelles'}}, 'tld': ['.sc'], 'cca2': 'SC', 'ccn3': '690', 'cca3': 'SYC', 'currency': ['SCR'], 'callingCode': ['248'], 'capital': 'Victoria', 'altSpellings': ['SC', 'Republic of Seychelles', 'Repiblik Sesel', 'République des Seychelles'], 'relevance': '0.5', 'region': 'Africa', 'subregion': 'Eastern Africa', 'nativeLanguage': 'fra', 'languages': {'crs': 'Seychellois Creole', 'eng': 'English', 'fra': 'French'}, 'translations': {'deu': 'Seychellen', 'fra': 'Seychelles', 'hrv': 'Sejšeli', 'ita': 'Seychelles', 'jpn': 'セーシェル', 'nld': 'Seychellen', 'rus': 'Сейшельские Острова', 'spa': 'Seychelles'}, 'latlng': [-4.58333333, 55.66666666], 'demonym': 'Seychellois', 'borders': [], 'area': 452}, {'name': {'common': 'Sierra Leone', 'official': 'Republic of Sierra Leone', 'native': {'common': 'Sierra Leone', 'official': 'Republic of Sierra Leone'}}, 'tld': ['.sl'], 'cca2': 'SL', 'ccn3': '694', 'cca3': 'SLE', 'currency': ['SLL'], 'callingCode': ['232'], 'capital': 'Freetown', 'altSpellings': ['SL', 'Republic of Sierra Leone'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Western Africa', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Sierra Leone', 'fra': 'Sierra Leone', 'hrv': 'Sijera Leone', 'ita': 'Sierra Leone', 'jpn': 'シエラレオネ', 'nld': 'Sierra Leone', 'rus': 'Сьерра-Леоне', 'spa': 'Sierra Leone'}, 'latlng': [8.5, -11.5], 'demonym': 'Sierra Leonean', 'borders': ['GIN', 'LBR'], 'area': 71740}, {'name': {'common': 'Singapore', 'official': 'Republic of Singapore', 'native': {'common': 'Singapore', 'official': 'Republic of Singapore'}}, 'tld': ['.sg', '.新加坡', '.சிங்கப்பூர்'], 'cca2': 'SG', 'ccn3': '702', 'cca3': 'SGP', 'currency': ['SGD'], 'callingCode': ['65'], 'capital': 'Singapore', 'altSpellings': ['SG', 'Singapura', 'Republik Singapura', '新加坡共和国'], 'relevance': '0', 'region': 'Asia', 'subregion': 'South-Eastern Asia', 'nativeLanguage': 'eng', 'languages': {'cmn': 'Mandarin', 'eng': 'English', 'msa': 'Malay', 'tam': 'Tamil'}, 'translations': {'deu': 'Singapur', 'fra': 'Singapour', 'hrv': 'Singapur', 'ita': 'Singapore', 'jpn': 'シンガポール', 'nld': 'Singapore', 'rus': 'Сингапур', 'spa': 'Singapur'}, 'latlng': [1.36666666, 103.8], 'demonym': 'Singaporean', 'borders': [], 'area': 710}, {'name': {'common': 'Sint Maarten', 'official': 'Sint Maarten', 'native': {'common': 'Sint Maarten', 'official': 'Sint Maarten'}}, 'tld': ['.sx'], 'cca2': 'SX', 'ccn3': '534', 'cca3': 'SXM', 'currency': ['ANG'], 'callingCode': ['1721'], 'capital': 'Philipsburg', 'altSpellings': ['SX'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'nld', 'languages': {'eng': 'English', 'fra': 'French', 'nld': 'Dutch'}, 'translations': {'deu': 'Sint Maarten', 'fra': 'Saint-Martin', 'ita': 'Sint Maarten', 'jpn': 'シント・マールテン', 'nld': 'Sint Maarten', 'rus': 'Синт-Мартен', 'spa': 'Sint Maarten'}, 'latlng': [18.033333, -63.05], 'demonym': 'St. Maartener', 'borders': ['MAF'], 'area': 34}, {'name': {'common': 'Slovakia', 'official': 'Slovak Republic', 'native': {'common': 'Slovensko', 'official': 'slovenská republika'}}, 'tld': ['.sk'], 'cca2': 'SK', 'ccn3': '703', 'cca3': 'SVK', 'currency': ['EUR'], 'callingCode': ['421'], 'capital': 'Bratislava', 'altSpellings': ['SK', 'Slovak Republic', 'Slovenská republika'], 'relevance': '0', 'region': 'Europe', 'subregion': 'Eastern Europe', 'nativeLanguage': 'slk', 'languages': {'slk': 'Slovak'}, 'translations': {'deu': 'Slowakei', 'fra': 'Slovaquie', 'hrv': 'Slovačka', 'ita': 'Slovacchia', 'jpn': 'スロバキア', 'nld': 'Slowakije', 'rus': 'Словакия', 'spa': 'República Eslovaca'}, 'latlng': [48.66666666, 19.5], 'demonym': 'Slovak', 'borders': ['AUT', 'CZE', 'HUN', 'POL', 'UKR'], 'area': 49037}, {'name': {'common': 'Slovenia', 'official': 'Republic of Slovenia', 'native': {'common': 'Slovenija', 'official': 'Republika Slovenija'}}, 'tld': ['.si'], 'cca2': 'SI', 'ccn3': '705', 'cca3': 'SVN', 'currency': ['EUR'], 'callingCode': ['386'], 'capital': 'Ljubljana', 'altSpellings': ['SI', 'Republic of Slovenia', 'Republika Slovenija'], 'relevance': '0', 'region': 'Europe', 'subregion': 'Southern Europe', 'nativeLanguage': 'slv', 'languages': {'slv': 'Slovene'}, 'translations': {'deu': 'Slowenien', 'fra': 'Slovénie', 'hrv': 'Slovenija', 'ita': 'Slovenia', 'jpn': 'スロベニア', 'nld': 'Slovenië', 'rus': 'Словения', 'spa': 'Eslovenia'}, 'latlng': [46.11666666, 14.81666666], 'demonym': 'Slovene', 'borders': ['AUT', 'HRV', 'ITA', 'HUN'], 'area': 20273}, {'name': {'common': 'Solomon Islands', 'official': 'Solomon Islands', 'native': {'common': 'Solomon Islands', 'official': 'Solomon Islands'}}, 'tld': ['.sb'], 'cca2': 'SB', 'ccn3': '090', 'cca3': 'SLB', 'currency': ['SDB'], 'callingCode': ['677'], 'capital': 'Honiara', 'altSpellings': ['SB'], 'relevance': '0', 'region': 'Oceania', 'subregion': 'Melanesia', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Salomonen', 'fra': 'Îles Salomon', 'hrv': 'Solomonski Otoci', 'ita': 'Isole Salomone', 'jpn': 'ソロモン諸島', 'nld': 'Salomonseilanden', 'rus': 'Соломоновы Острова', 'spa': 'Islas Salomón'}, 'latlng': [-8, 159], 'demonym': 'Solomon Islander', 'borders': [], 'area': 28896}, {'name': {'common': 'Somalia', 'official': 'Federal Republic of Somalia', 'native': {'common': 'Soomaaliya', 'official': 'Jamhuuriyadda Federaalka Soomaaliya'}}, 'tld': ['.so'], 'cca2': 'SO', 'ccn3': '706', 'cca3': 'SOM', 'currency': ['SOS'], 'callingCode': ['252'], 'capital': 'Mogadishu', 'altSpellings': ['SO', 'aṣ-Ṣūmāl', 'Federal Republic of Somalia', 'Jamhuuriyadda Federaalka Soomaaliya', 'Jumhūriyyat aṣ-Ṣūmāl al-Fiderāliyya'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Eastern Africa', 'nativeLanguage': 'som', 'languages': {'ara': 'Arabic', 'som': 'Somali'}, 'translations': {'deu': 'Somalia', 'fra': 'Somalie', 'hrv': 'Somalija', 'ita': 'Somalia', 'jpn': 'ソマリア', 'nld': 'Somalië', 'rus': 'Сомали', 'spa': 'Somalia'}, 'latlng': [10, 49], 'demonym': 'Somali', 'borders': ['DJI', 'ETH', 'KEN'], 'area': 637657}, {'name': {'common': 'South Africa', 'official': 'Republic of South Africa', 'native': {'common': 'South Africa', 'official': 'Republiek van Suid-Afrika'}}, 'tld': ['.za'], 'cca2': 'ZA', 'ccn3': '710', 'cca3': 'ZAF', 'currency': ['ZAR'], 'callingCode': ['27'], 'capital': 'Pretoria', 'altSpellings': ['ZA', 'RSA', 'Suid-Afrika', 'Republic of South Africa'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Southern Africa', 'nativeLanguage': 'afr', 'languages': {'afr': 'Afrikaans', 'eng': 'English', 'nbl': 'Southern Ndebele', 'nso': 'Northern Sotho', 'sot': 'Sotho', 'ssw': 'Swazi', 'tsn': 'Tswana', 'tso': 'Tsonga', 'ven': 'Venda', 'xho': 'Xhosa', 'zul': 'Zulu'}, 'translations': {'deu': 'Republik Südafrika', 'fra': 'Afrique du Sud', 'hrv': 'Južnoafrička Republika', 'ita': 'Sud Africa', 'jpn': '南アフリカ', 'nld': 'Zuid-Afrika', 'rus': 'Южно-Африканская Республика', 'spa': 'República de Sudáfrica'}, 'latlng': [-29, 24], 'demonym': 'South African', 'borders': ['BWA', 'LSO', 'MOZ', 'NAM', 'SWZ', 'ZWE'], 'area': 1221037}, {'name': {'common': 'South Georgia', 'official': 'South Georgia and the South Sandwich Islands', 'native': {'common': 'South Georgia', 'official': 'South Georgia and the South Sandwich Islands'}}, 'tld': ['.gs'], 'cca2': 'GS', 'ccn3': '239', 'cca3': 'SGS', 'currency': ['GBP'], 'callingCode': ['500'], 'capital': 'King Edward Point', 'altSpellings': ['GS', 'South Georgia and the South Sandwich Islands'], 'relevance': '0', 'region': 'Americas', 'subregion': 'South America', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Südgeorgien und die Südlichen Sandwichinseln', 'fra': 'Géorgie du Sud-et-les Îles Sandwich du Sud', 'hrv': 'Južna Georgija i otočje Južni Sandwich', 'ita': 'Georgia del Sud e Isole Sandwich Meridionali', 'jpn': 'サウスジョージア・サウスサンドウィッチ諸島', 'nld': 'Zuid-Georgia en Zuidelijke Sandwicheilanden', 'rus': 'Южная Георгия и Южные Сандвичевы острова', 'spa': 'Islas Georgias del Sur y Sandwich del Sur'}, 'latlng': [-54.5, -37], 'demonym': 'South Georgian South Sandwich Islander', 'borders': [], 'area': 3903}, {'name': {'common': 'South Korea', 'official': 'Republic of Korea', 'native': {'common': '대한민국', 'official': '한국'}}, 'tld': ['.kr', '.한국'], 'cca2': 'KR', 'ccn3': '410', 'cca3': 'KOR', 'currency': ['KRW'], 'callingCode': ['82'], 'capital': 'Seoul', 'altSpellings': ['KR', 'Republic of Korea'], 'relevance': '1.5', 'region': 'Asia', 'subregion': 'Eastern Asia', 'nativeLanguage': 'kor', 'languages': {'kor': 'Korean'}, 'translations': {'deu': 'Südkorea', 'fra': 'Corée du Sud', 'hrv': 'Južna Koreja', 'ita': 'Corea del Sud', 'jpn': '大韓民国', 'nld': 'Zuid-Korea', 'rus': 'Южная Корея', 'spa': 'Corea del Sur'}, 'latlng': [37, 127.5], 'demonym': 'South Korean', 'borders': ['PRK'], 'area': 100210}, {'name': {'common': 'South Sudan', 'official': 'Republic of South SudanSouth Sudan', 'native': {'common': 'South Sudan', 'official': 'Republic of South SudanSouth Sudan'}}, 'tld': ['.ss'], 'cca2': 'SS', 'ccn3': '728', 'cca3': 'SSD', 'currency': ['SSP'], 'callingCode': ['211'], 'capital': 'Juba', 'altSpellings': ['SS'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Middle Africa', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Südsudan', 'fra': 'Soudan du Sud', 'hrv': 'Južni Sudan', 'ita': 'Sudan del sud', 'jpn': '南スーダン', 'nld': 'Zuid-Soedan', 'rus': 'Южный Судан', 'spa': 'Sudán del Sur'}, 'latlng': [7, 30], 'demonym': 'South Sudanese', 'borders': ['CAF', 'COD', 'ETH', 'KEN', 'SDN', 'UGA'], 'area': 619745}, {'name': {'common': 'Spain', 'official': 'Kingdom of Spain', 'native': {'common': 'España', 'official': 'Reino de España'}}, 'tld': ['.es'], 'cca2': 'ES', 'ccn3': '724', 'cca3': 'ESP', 'currency': ['EUR'], 'callingCode': ['34'], 'capital': 'Madrid', 'altSpellings': ['ES', 'Kingdom of Spain', 'Reino de España'], 'relevance': '2', 'region': 'Europe', 'subregion': 'Southern Europe', 'nativeLanguage': 'spa', 'languages': {'cat': 'Catalan', 'eus': 'Basque', 'glg': 'Galician', 'oci': 'Occitan', 'spa': 'Spanish'}, 'translations': {'deu': 'Spanien', 'fra': 'Espagne', 'hrv': 'Španjolska', 'ita': 'Spagna', 'jpn': 'スペイン', 'nld': 'Spanje', 'rus': 'Испания', 'spa': 'España'}, 'latlng': [40, -4], 'demonym': 'Spanish', 'borders': ['AND', 'FRA', 'GIB', 'PRT', 'MAR'], 'area': 505992}, {'name': {'common': 'Sri Lanka', 'official': 'Democratic Socialist Republic of Sri Lanka', 'native': {'common': 'ශ්\u200dරී ලංකාව', 'official': 'ශ්\u200dරී ලංකා ප්\u200dරජාතාන්ත්\u200dරික සමාජවාදී ජනරජය'}}, 'tld': ['.lk', '.இலங்கை', '.ලංකා'], 'cca2': 'LK', 'ccn3': '144', 'cca3': 'LKA', 'currency': ['LKR'], 'callingCode': ['94'], 'capital': 'Colombo', 'altSpellings': ['LK', 'ilaṅkai', 'Democratic Socialist Republic of Sri Lanka'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Southern Asia', 'nativeLanguage': 'sin', 'languages': {'sin': 'Sinhala', 'tam': 'Tamil'}, 'translations': {'deu': 'Sri Lanka', 'fra': 'Sri Lanka', 'hrv': 'Šri Lanka', 'ita': 'Sri Lanka', 'jpn': 'スリランカ', 'nld': 'Sri Lanka', 'rus': 'Шри-Ланка', 'spa': 'Sri Lanka'}, 'latlng': [7, 81], 'demonym': 'Sri Lankan', 'borders': ['IND'], 'area': 65610}, {'name': {'common': 'Sudan', 'official': 'Republic of the Sudan', 'native': {'common': 'السودان', 'official': 'جمهورية السودان'}}, 'tld': ['.sd'], 'cca2': 'SD', 'ccn3': '729', 'cca3': 'SDN', 'currency': ['SDG'], 'callingCode': ['249'], 'capital': 'Khartoum', 'altSpellings': ['SD', 'Republic of the Sudan', 'Jumhūrīyat as-Sūdān'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Northern Africa', 'nativeLanguage': 'ara', 'languages': {'ara': 'Arabic', 'eng': 'English'}, 'translations': {'deu': 'Sudan', 'fra': 'Soudan', 'hrv': 'Sudan', 'ita': 'Sudan', 'jpn': 'スーダン', 'nld': 'Soedan', 'rus': 'Судан', 'spa': 'Sudán'}, 'latlng': [15, 30], 'demonym': 'Sudanese', 'borders': ['CAF', 'TCD', 'EGY', 'ERI', 'ETH', 'LBY', 'SSD'], 'area': 1886068}, {'name': {'common': 'Suriname', 'official': 'Republic of Suriname', 'native': {'common': 'Suriname', 'official': 'Republiek Suriname'}}, 'tld': ['.sr'], 'cca2': 'SR', 'ccn3': '740', 'cca3': 'SUR', 'currency': ['SRD'], 'callingCode': ['597'], 'capital': 'Paramaribo', 'altSpellings': ['SR', 'Sarnam', 'Sranangron', 'Republic of Suriname', 'Republiek Suriname'], 'relevance': '0', 'region': 'Americas', 'subregion': 'South America', 'nativeLanguage': 'nld', 'languages': {'nld': 'Dutch'}, 'translations': {'deu': 'Suriname', 'fra': 'Surinam', 'hrv': 'Surinam', 'ita': 'Suriname', 'jpn': 'スリナム', 'nld': 'Suriname', 'rus': 'Суринам', 'spa': 'Surinam'}, 'latlng': [4, -56], 'demonym': 'Surinamer', 'borders': ['BRA', 'GUF', 'GUY'], 'area': 163820}, {'name': {'common': 'Svalbard and Jan Mayen', 'official': 'Svalbard og Jan Mayen', 'native': {'common': 'Svalbard og Jan Mayen', 'official': 'Svalbard og Jan Mayen'}}, 'tld': ['.sj'], 'cca2': 'SJ', 'ccn3': '744', 'cca3': 'SJM', 'currency': ['NOK'], 'callingCode': ['4779'], 'capital': 'Longyearbyen', 'altSpellings': ['SJ', 'Svalbard and Jan Mayen Islands'], 'relevance': '0.5', 'region': 'Europe', 'subregion': 'Northern Europe', 'nativeLanguage': 'nor', 'languages': {'nor': 'Norwegian'}, 'translations': {'deu': 'Svalbard und Jan Mayen', 'fra': 'Svalbard et Jan Mayen', 'hrv': 'Svalbard i Jan Mayen', 'ita': 'Svalbard e Jan Mayen', 'jpn': 'スヴァールバル諸島およびヤンマイエン島', 'nld': 'Svalbard en Jan Mayen', 'rus': 'Шпицберген и Ян-Майен', 'spa': 'Islas Svalbard y Jan Mayen'}, 'latlng': [78, 20], 'demonym': 'Norwegian', 'borders': [], 'area': -1}, {'name': {'common': 'Swaziland', 'official': 'Kingdom of Swaziland', 'native': {'common': 'Swaziland', 'official': 'Kingdom of Swaziland'}}, 'tld': ['.sz'], 'cca2': 'SZ', 'ccn3': '748', 'cca3': 'SWZ', 'currency': ['SZL'], 'callingCode': ['268'], 'capital': 'Lobamba', 'altSpellings': ['SZ', 'weSwatini', 'Swatini', 'Ngwane', 'Kingdom of Swaziland', 'Umbuso waseSwatini'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Southern Africa', 'nativeLanguage': 'ssw', 'languages': {'eng': 'English', 'ssw': 'Swazi'}, 'translations': {'deu': 'Swasiland', 'fra': 'Swaziland', 'hrv': 'Svazi', 'ita': 'Swaziland', 'jpn': 'スワジランド', 'nld': 'Swaziland', 'rus': 'Свазиленд', 'spa': 'Suazilandia'}, 'latlng': [-26.5, 31.5], 'demonym': 'Swazi', 'borders': ['MOZ', 'ZAF'], 'area': 17364}, {'name': {'common': 'Sweden', 'official': 'Kingdom of Sweden', 'native': {'common': 'Sverige', 'official': 'Konungariket Sverige'}}, 'tld': ['.se'], 'cca2': 'SE', 'ccn3': '752', 'cca3': 'SWE', 'currency': ['SEK'], 'callingCode': ['46'], 'capital': 'Stockholm', 'altSpellings': ['SE', 'Kingdom of Sweden', 'Konungariket Sverige'], 'relevance': '1.5', 'region': 'Europe', 'subregion': 'Northern Europe', 'nativeLanguage': 'swe', 'languages': {'swe': 'Swedish'}, 'translations': {'deu': 'Schweden', 'fra': 'Suède', 'hrv': 'Švedska', 'ita': 'Svezia', 'jpn': 'スウェーデン', 'nld': 'Zweden', 'rus': 'Швеция', 'spa': 'Suecia'}, 'latlng': [62, 15], 'demonym': 'Swedish', 'borders': ['FIN', 'NOR'], 'area': 450295}, {'name': {'common': 'Switzerland', 'official': 'Swiss Confederation', 'native': {'common': 'Schweiz', 'official': 'Schweizerische Eidgenossenschaft'}}, 'tld': ['.ch'], 'cca2': 'CH', 'ccn3': '756', 'cca3': 'CHE', 'currency': ['CHE', 'CHF', 'CHW'], 'callingCode': ['41'], 'capital': 'Bern', 'altSpellings': ['CH', 'Swiss Confederation', 'Schweiz', 'Suisse', 'Svizzera', 'Svizra'], 'relevance': '1.5', 'region': 'Europe', 'subregion': 'Western Europe', 'nativeLanguage': 'deu', 'languages': {'deu': 'German', 'fra': 'French', 'ita': 'Italian', 'roh': 'Romansh'}, 'translations': {'deu': 'Schweiz', 'fra': 'Suisse', 'hrv': 'Švicarska', 'ita': 'Svizzera', 'jpn': 'スイス', 'nld': 'Zwitserland', 'rus': 'Швейцария', 'spa': 'Suiza'}, 'latlng': [47, 8], 'demonym': 'Swiss', 'borders': ['AUT', 'FRA', 'ITA', 'LIE', 'DEU'], 'area': 41284}, {'name': {'common': 'Syria', 'official': 'Syrian Arab Republic', 'native': {'common': 'سوريا', 'official': 'الجمهورية العربية السورية'}}, 'tld': ['.sy', 'سوريا.'], 'cca2': 'SY', 'ccn3': '760', 'cca3': 'SYR', 'currency': ['SYP'], 'callingCode': ['963'], 'capital': 'Damascus', 'altSpellings': ['SY', 'Syrian Arab Republic', 'Al-Jumhūrīyah Al-ʻArabīyah As-Sūrīyah'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Western Asia', 'nativeLanguage': 'ara', 'languages': {'ara': 'Arabic'}, 'translations': {'deu': 'Syrien', 'fra': 'Syrie', 'hrv': 'Sirija', 'ita': 'Siria', 'jpn': 'シリア・アラブ共和国', 'nld': 'Syrië', 'rus': 'Сирия', 'spa': 'Siria'}, 'latlng': [35, 38], 'demonym': 'Syrian', 'borders': ['IRQ', 'ISR', 'JOR', 'LBN', 'TUR'], 'area': 185180}, {'name': {'common': 'Taiwan', 'official': 'Republic of China', 'native': {'common': '臺灣', 'official': '中华民国'}}, 'tld': ['.tw', '.台湾', '.台灣'], 'cca2': 'TW', 'ccn3': '158', 'cca3': 'TWN', 'currency': ['TWD'], 'callingCode': ['886'], 'capital': 'Taipei', 'altSpellings': ['TW', 'Táiwān', 'Republic of China', '中華民國', 'Zhōnghuá Mínguó'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Eastern Asia', 'nativeLanguage': 'cmn', 'languages': {'cmn': 'Mandarin'}, 'translations': {'deu': 'Taiwan', 'fra': 'Taïwan', 'hrv': 'Tajvan', 'ita': 'Taiwan', 'jpn': '台湾(台湾省/中華民国)', 'nld': 'Taiwan', 'rus': 'Тайвань', 'spa': 'Taiwán'}, 'latlng': [23.5, 121], 'demonym': 'Taiwanese', 'borders': [], 'area': 36193}, {'name': {'common': 'Tajikistan', 'official': 'Republic of Tajikistan', 'native': {'common': 'Тоҷикистон', 'official': 'Ҷумҳурии Тоҷикистон'}}, 'tld': ['.tj'], 'cca2': 'TJ', 'ccn3': '762', 'cca3': 'TJK', 'currency': ['TJS'], 'callingCode': ['992'], 'capital': 'Dushanbe', 'altSpellings': ['TJ', 'Toçikiston', 'Republic of Tajikistan', 'Ҷумҳурии Тоҷикистон', 'Çumhuriyi Toçikiston'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Central Asia', 'nativeLanguage': 'tgk', 'languages': {'rus': 'Russian', 'tgk': 'Tajik'}, 'translations': {'deu': 'Tadschikistan', 'fra': 'Tadjikistan', 'hrv': 'Tađikistan', 'ita': 'Tagikistan', 'jpn': 'タジキスタン', 'nld': 'Tadzjikistan', 'rus': 'Таджикистан', 'spa': 'Tayikistán'}, 'latlng': [39, 71], 'demonym': 'Tadzhik', 'borders': ['AFG', 'CHN', 'KGZ', 'UZB'], 'area': 143100}, {'name': {'common': 'Tanzania', 'official': 'United Republic of Tanzania', 'native': {'common': 'Tanzania', 'official': 'Jamhuri ya Muungano wa Tanzania'}}, 'tld': ['.tz'], 'cca2': 'TZ', 'ccn3': '834', 'cca3': 'TZA', 'currency': ['TZS'], 'callingCode': ['255'], 'capital': 'Dodoma', 'altSpellings': ['TZ', 'United Republic of Tanzania', 'Jamhuri ya Muungano wa Tanzania'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Eastern Africa', 'nativeLanguage': 'swa', 'languages': {'eng': 'English', 'swa': 'Swahili'}, 'translations': {'deu': 'Tansania', 'fra': 'Tanzanie', 'hrv': 'Tanzanija', 'ita': 'Tanzania', 'jpn': 'タンザニア', 'nld': 'Tanzania', 'rus': 'Танзания', 'spa': 'Tanzania'}, 'latlng': [-6, 35], 'demonym': 'Tanzanian', 'borders': ['BDI', 'COD', 'KEN', 'MWI', 'MOZ', 'RWA', 'UGA', 'ZMB'], 'area': 945087}, {'name': {'common': 'Thailand', 'official': 'Kingdom of Thailand', 'native': {'common': 'ประเทศไทย', 'official': 'ราชอาณาจักรไทย'}}, 'tld': ['.th', '.ไทย'], 'cca2': 'TH', 'ccn3': '764', 'cca3': 'THA', 'currency': ['THB'], 'callingCode': ['66'], 'capital': 'Bangkok', 'altSpellings': ['TH', 'Prathet', 'Thai', 'Kingdom of Thailand', 'ราชอาณาจักรไทย', 'Ratcha Anachak Thai'], 'relevance': '0', 'region': 'Asia', 'subregion': 'South-Eastern Asia', 'nativeLanguage': 'tha', 'languages': {'tha': 'Thai'}, 'translations': {'deu': 'Thailand', 'fra': 'Thaïlande', 'hrv': 'Tajland', 'ita': 'Tailandia', 'jpn': 'タイ', 'nld': 'Thailand', 'rus': 'Таиланд', 'spa': 'Tailandia'}, 'latlng': [15, 100], 'demonym': 'Thai', 'borders': ['MMR', 'KHM', 'LAO', 'MYS'], 'area': 513120}, {'name': {'common': 'Timor-Leste', 'official': 'Democratic Republic of Timor-Leste', 'native': {'common': 'Timor-Leste', 'official': 'República Democrática de Timor-Leste'}}, 'tld': ['.tl'], 'cca2': 'TL', 'ccn3': '626', 'cca3': 'TLS', 'currency': ['USD'], 'callingCode': ['670'], 'capital': 'Dili', 'altSpellings': ['TL', 'East Timor', 'Democratic Republic of Timor-Leste', 'República Democrática de Timor-Leste', 'Repúblika Demokrátika Timór-Leste'], 'relevance': '0', 'region': 'Asia', 'subregion': 'South-Eastern Asia', 'nativeLanguage': 'por', 'languages': {'por': 'Portuguese', 'tet': 'Tetum'}, 'translations': {'deu': 'Timor-Leste', 'fra': 'Timor oriental', 'hrv': 'Istočni Timor', 'ita': 'Timor Est', 'jpn': '東ティモール', 'nld': 'Oost-Timor', 'rus': 'Восточный Тимор', 'spa': 'Timor Oriental'}, 'latlng': [-8.83333333, 125.91666666], 'demonym': 'East Timorese', 'borders': ['IDN'], 'area': 14874}, {'name': {'common': 'Togo', 'official': 'Togolese Republic', 'native': {'common': 'Togo', 'official': 'République togolaise'}}, 'tld': ['.tg'], 'cca2': 'TG', 'ccn3': '768', 'cca3': 'TGO', 'currency': ['XOF'], 'callingCode': ['228'], 'capital': 'Lomé', 'altSpellings': ['TG', 'Togolese', 'Togolese Republic', 'République Togolaise'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Western Africa', 'nativeLanguage': 'fra', 'languages': {'fra': 'French'}, 'translations': {'deu': 'Togo', 'fra': 'Togo', 'hrv': 'Togo', 'ita': 'Togo', 'jpn': 'トーゴ', 'nld': 'Togo', 'rus': 'Того', 'spa': 'Togo'}, 'latlng': [8, 1.16666666], 'demonym': 'Togolese', 'borders': ['BEN', 'BFA', 'GHA'], 'area': 56785}, {'name': {'common': 'Tokelau', 'official': 'Tokelau', 'native': {'common': 'Tokelau', 'official': 'Tokelau'}}, 'tld': ['.tk'], 'cca2': 'TK', 'ccn3': '772', 'cca3': 'TKL', 'currency': ['NZD'], 'callingCode': ['690'], 'capital': 'Fakaofo', 'altSpellings': ['TK'], 'relevance': '0.5', 'region': 'Oceania', 'subregion': 'Polynesia', 'nativeLanguage': 'tkl', 'languages': {'eng': 'English', 'smo': 'Samoan', 'tkl': 'Tokelauan'}, 'translations': {'deu': 'Tokelau', 'fra': 'Tokelau', 'hrv': 'Tokelau', 'ita': 'Isole Tokelau', 'jpn': 'トケラウ', 'nld': 'Tokelau', 'rus': 'Токелау', 'spa': 'Islas Tokelau'}, 'latlng': [-9, -172], 'demonym': 'Tokelauan', 'borders': [], 'area': 12}, {'name': {'common': 'Tonga', 'official': 'Kingdom of Tonga', 'native': {'common': 'Tonga', 'official': 'Kingdom of Tonga'}}, 'tld': ['.to'], 'cca2': 'TO', 'ccn3': '776', 'cca3': 'TON', 'currency': ['TOP'], 'callingCode': ['676'], 'capital': "Nuku'alofa", 'altSpellings': ['TO'], 'relevance': '0', 'region': 'Oceania', 'subregion': 'Polynesia', 'nativeLanguage': 'ton', 'languages': {'eng': 'English', 'ton': 'Tongan'}, 'translations': {'deu': 'Tonga', 'fra': 'Tonga', 'hrv': 'Tonga', 'ita': 'Tonga', 'jpn': 'トンガ', 'nld': 'Tonga', 'rus': 'Тонга', 'spa': 'Tonga'}, 'latlng': [-20, -175], 'demonym': 'Tongan', 'borders': [], 'area': 747}, {'name': {'common': 'Trinidad and Tobago', 'official': 'Republic of Trinidad and Tobago', 'native': {'common': 'Trinidad and Tobago', 'official': 'Republic of Trinidad and Tobago'}}, 'tld': ['.tt'], 'cca2': 'TT', 'ccn3': '780', 'cca3': 'TTO', 'currency': ['TTD'], 'callingCode': ['1868'], 'capital': 'Port of Spain', 'altSpellings': ['TT', 'Republic of Trinidad and Tobago'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Trinidad und Tobago', 'fra': 'Trinité et Tobago', 'hrv': 'Trinidad i Tobago', 'ita': 'Trinidad e Tobago', 'jpn': 'トリニダード・トバゴ', 'nld': 'Trinidad en Tobago', 'rus': 'Тринидад и Тобаго', 'spa': 'Trinidad y Tobago'}, 'latlng': [11, -61], 'demonym': 'Trinidadian', 'borders': [], 'area': 5130}, {'name': {'common': 'Tunisia', 'official': 'Tunisian Republic', 'native': {'common': 'تونس', 'official': 'الجمهورية التونسية'}}, 'tld': ['.tn'], 'cca2': 'TN', 'ccn3': '788', 'cca3': 'TUN', 'currency': ['TND'], 'callingCode': ['216'], 'capital': 'Tunis', 'altSpellings': ['TN', 'Republic of Tunisia', 'al-Jumhūriyyah at-Tūnisiyyah'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Northern Africa', 'nativeLanguage': 'ara', 'languages': {'ara': 'Arabic'}, 'translations': {'deu': 'Tunesien', 'fra': 'Tunisie', 'hrv': 'Tunis', 'ita': 'Tunisia', 'jpn': 'チュニジア', 'nld': 'Tunesië', 'rus': 'Тунис', 'spa': 'Túnez'}, 'latlng': [34, 9], 'demonym': 'Tunisian', 'borders': ['DZA', 'LBY'], 'area': 163610}, {'name': {'common': 'Turkey', 'official': 'Republic of Turkey', 'native': {'common': 'Türkiye', 'official': 'Türkiye Cumhuriyeti'}}, 'tld': ['.tr'], 'cca2': 'TR', 'ccn3': '792', 'cca3': 'TUR', 'currency': ['TRY'], 'callingCode': ['90'], 'capital': 'Ankara', 'altSpellings': ['TR', 'Turkiye', 'Republic of Turkey', 'Türkiye Cumhuriyeti'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Western Asia', 'nativeLanguage': 'tur', 'languages': {'tur': 'Turkish'}, 'translations': {'deu': 'Türkei', 'fra': 'Turquie', 'hrv': 'Turska', 'ita': 'Turchia', 'jpn': 'トルコ', 'nld': 'Turkije', 'rus': 'Турция', 'spa': 'Turquía'}, 'latlng': [39, 35], 'demonym': 'Turkish', 'borders': ['ARM', 'AZE', 'BGR', 'GEO', 'GRC', 'IRN', 'IRQ', 'SYR'], 'area': 783562}, {'name': {'common': 'Turkmenistan', 'official': 'Turkmenistan', 'native': {'common': 'Türkmenistan', 'official': 'Türkmenistan'}}, 'tld': ['.tm'], 'cca2': 'TM', 'ccn3': '795', 'cca3': 'TKM', 'currency': ['TMT'], 'callingCode': ['993'], 'capital': 'Ashgabat', 'altSpellings': ['TM'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Central Asia', 'nativeLanguage': 'tuk', 'languages': {'rus': 'Russian', 'tuk': 'Turkmen'}, 'translations': {'deu': 'Turkmenistan', 'fra': 'Turkménistan', 'hrv': 'Turkmenistan', 'ita': 'Turkmenistan', 'jpn': 'トルクメニスタン', 'nld': 'Turkmenistan', 'rus': 'Туркмения', 'spa': 'Turkmenistán'}, 'latlng': [40, 60], 'demonym': 'Turkmen', 'borders': ['AFG', 'IRN', 'KAZ', 'UZB'], 'area': 488100}, {'name': {'common': 'Turks and Caicos Islands', 'official': 'Turks and Caicos Islands', 'native': {'common': 'Turks and Caicos Islands', 'official': 'Turks and Caicos Islands'}}, 'tld': ['.tc'], 'cca2': 'TC', 'ccn3': '796', 'cca3': 'TCA', 'currency': ['USD'], 'callingCode': ['1649'], 'capital': 'Cockburn Town', 'altSpellings': ['TC'], 'relevance': '0.5', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Turks- und Caicosinseln', 'fra': 'Îles Turques-et-Caïques', 'hrv': 'Otoci Turks i Caicos', 'ita': 'Isole Turks e Caicos', 'jpn': 'タークス・カイコス諸島', 'nld': 'Turks- en Caicoseilanden', 'rus': 'Теркс и Кайкос', 'spa': 'Islas Turks y Caicos'}, 'latlng': [21.75, -71.58333333], 'demonym': 'Turks and Caicos Islander', 'borders': [], 'area': 948}, {'name': {'common': 'Tuvalu', 'official': 'Tuvalu', 'native': {'common': 'Tuvalu', 'official': 'Tuvalu'}}, 'tld': ['.tv'], 'cca2': 'TV', 'ccn3': '798', 'cca3': 'TUV', 'currency': ['AUD'], 'callingCode': ['688'], 'capital': 'Funafuti', 'altSpellings': ['TV'], 'relevance': '0.5', 'region': 'Oceania', 'subregion': 'Polynesia', 'nativeLanguage': 'tvl', 'languages': {'eng': 'English', 'tvl': 'Tuvaluan'}, 'translations': {'deu': 'Tuvalu', 'fra': 'Tuvalu', 'hrv': 'Tuvalu', 'ita': 'Tuvalu', 'jpn': 'ツバル', 'nld': 'Tuvalu', 'rus': 'Тувалу', 'spa': 'Tuvalu'}, 'latlng': [-8, 178], 'demonym': 'Tuvaluan', 'borders': [], 'area': 26}, {'name': {'common': 'Uganda', 'official': 'Republic of Uganda', 'native': {'common': 'Uganda', 'official': 'Republic of Uganda'}}, 'tld': ['.ug'], 'cca2': 'UG', 'ccn3': '800', 'cca3': 'UGA', 'currency': ['UGX'], 'callingCode': ['256'], 'capital': 'Kampala', 'altSpellings': ['UG', 'Republic of Uganda', 'Jamhuri ya Uganda'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Eastern Africa', 'nativeLanguage': 'swa', 'languages': {'eng': 'English', 'swa': 'Swahili'}, 'translations': {'deu': 'Uganda', 'fra': 'Uganda', 'hrv': 'Uganda', 'ita': 'Uganda', 'jpn': 'ウガンダ', 'nld': 'Oeganda', 'rus': 'Уганда', 'spa': 'Uganda'}, 'latlng': [1, 32], 'demonym': 'Ugandan', 'borders': ['COD', 'KEN', 'RWA', 'SSD', 'TZA'], 'area': 241550}, {'name': {'common': 'Ukraine', 'official': 'Ukraine', 'native': {'common': 'Україна', 'official': 'Україна'}}, 'tld': ['.ua', '.укр'], 'cca2': 'UA', 'ccn3': '804', 'cca3': 'UKR', 'currency': ['UAH'], 'callingCode': ['380'], 'capital': 'Kiev', 'altSpellings': ['UA', 'Ukrayina'], 'relevance': '0', 'region': 'Europe', 'subregion': 'Eastern Europe', 'nativeLanguage': 'ukr', 'languages': {'ukr': 'Ukrainian'}, 'translations': {'deu': 'Ukraine', 'fra': 'Ukraine', 'hrv': 'Ukrajina', 'ita': 'Ucraina', 'jpn': 'ウクライナ', 'nld': 'Oekraïne', 'rus': 'Украина', 'spa': 'Ucrania'}, 'latlng': [49, 32], 'demonym': 'Ukrainian', 'borders': ['BLR', 'HUN', 'MDA', 'POL', 'ROU', 'RUS', 'SVK'], 'area': 603500}, {'name': {'common': 'United Arab Emirates', 'official': 'United Arab Emirates', 'native': {'common': 'دولة الإمارات العربية المتحدة', 'official': 'الإمارات العربية المتحدة'}}, 'tld': ['.ae', 'امارات.'], 'cca2': 'AE', 'ccn3': '784', 'cca3': 'ARE', 'currency': ['AED'], 'callingCode': ['971'], 'capital': 'Abu Dhabi', 'altSpellings': ['AE', 'UAE', 'Emirates'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Western Asia', 'nativeLanguage': 'ara', 'languages': {'ara': 'Arabic'}, 'translations': {'deu': 'Vereinigte Arabische Emirate', 'fra': 'Émirats arabes unis', 'hrv': 'Ujedinjeni Arapski Emirati', 'ita': 'Emirati Arabi Uniti', 'jpn': 'アラブ首長国連邦', 'nld': 'Verenigde Arabische Emiraten', 'rus': 'Объединённые Арабские Эмираты', 'spa': 'Emiratos Árabes Unidos'}, 'latlng': [24, 54], 'demonym': 'Emirati', 'borders': ['OMN', 'SAU'], 'area': 83600}, {'name': {'common': 'United Kingdom', 'official': 'United Kingdom of Great Britain and Northern Ireland', 'native': {'common': 'United Kingdom', 'official': 'United Kingdom of Great Britain and Northern Ireland'}}, 'tld': ['.uk'], 'cca2': 'GB', 'ccn3': '826', 'cca3': 'GBR', 'currency': ['GBP'], 'callingCode': ['44'], 'capital': 'London', 'altSpellings': ['GB', 'UK', 'Great Britain'], 'relevance': '2.5', 'region': 'Europe', 'subregion': 'Northern Europe', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Vereinigtes Königreich', 'fra': 'Royaume-Uni', 'hrv': 'Ujedinjeno Kraljevstvo', 'ita': 'Regno Unito', 'jpn': 'イギリス', 'nld': 'Verenigd Koninkrijk', 'rus': 'Великобритания', 'spa': 'Reino Unido'}, 'latlng': [54, -2], 'demonym': 'British', 'borders': ['IRL'], 'area': 242900}, {'name': {'common': 'United States', 'official': 'United States of America', 'native': {'common': 'United States', 'official': 'United States of America'}}, 'tld': ['.us'], 'cca2': 'US', 'ccn3': '840', 'cca3': 'USA', 'currency': ['USD', 'USN', 'USS'], 'callingCode': ['1'], 'capital': 'Washington D.C.', 'altSpellings': ['US', 'USA', 'United States of America'], 'relevance': '3.5', 'region': 'Americas', 'subregion': 'Northern America', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Vereinigte Staaten von Amerika', 'fra': 'États-Unis', 'hrv': 'Sjedinjene Američke Države', 'ita': "Stati Uniti D'America", 'jpn': 'アメリカ合衆国', 'nld': 'Verenigde Staten', 'rus': 'Соединённые Штаты Америки', 'spa': 'Estados Unidos'}, 'latlng': [38, -97], 'demonym': 'American', 'borders': ['CAN', 'MEX'], 'area': 9372610}, {'name': {'common': 'United States Minor Outlying Islands', 'official': 'United States Minor Outlying Islands', 'native': {'common': 'United States Minor Outlying Islands', 'official': 'United States Minor Outlying Islands'}}, 'tld': ['.us'], 'cca2': 'UM', 'ccn3': '581', 'cca3': 'UMI', 'currency': ['USD'], 'callingCode': [], 'capital': '', 'altSpellings': ['UM'], 'relevance': '0', 'region': 'Americas', 'subregion': 'Northern America', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Kleinere Inselbesitzungen der Vereinigten Staaten', 'fra': 'Îles mineures éloignées des États-Unis', 'hrv': 'Mali udaljeni otoci SAD-a', 'ita': "Isole minori esterne degli Stati Uniti d'America", 'jpn': '合衆国領有小離島', 'nld': 'Kleine afgelegen eilanden van de Verenigde Staten', 'rus': 'Внешние малые острова США', 'spa': 'Islas Ultramarinas Menores de Estados Unidos'}, 'latlng': [], 'demonym': 'American', 'borders': [], 'area': 34.2}, {'name': {'common': 'United States Virgin Islands', 'official': 'Virgin Islands of the United States', 'native': {'common': 'United States Virgin Islands', 'official': 'Virgin Islands of the United States'}}, 'tld': ['.vi'], 'cca2': 'VI', 'ccn3': '850', 'cca3': 'VIR', 'currency': ['USD'], 'callingCode': ['1340'], 'capital': 'Charlotte Amalie', 'altSpellings': ['VI'], 'relevance': '0.5', 'region': 'Americas', 'subregion': 'Caribbean', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Amerikanische Jungferninseln', 'fra': 'Îles Vierges des États-Unis', 'hrv': 'Američki Djevičanski Otoci', 'ita': 'Isole Vergini americane', 'jpn': 'アメリカ領ヴァージン諸島', 'nld': 'Amerikaanse Maagdeneilanden', 'rus': 'Виргинские Острова', 'spa': 'Islas Vírgenes de los Estados Unidos'}, 'latlng': [18.35, -64.933333], 'demonym': 'Virgin Islander', 'borders': [], 'area': 347}, {'name': {'common': 'Uruguay', 'official': 'Oriental Republic of Uruguay', 'native': {'common': 'Uruguay', 'official': 'República Oriental del Uruguay'}}, 'tld': ['.uy'], 'cca2': 'UY', 'ccn3': '858', 'cca3': 'URY', 'currency': ['UYI', 'UYU'], 'callingCode': ['598'], 'capital': 'Montevideo', 'altSpellings': ['UY', 'Oriental Republic of Uruguay', 'República Oriental del Uruguay'], 'relevance': '0', 'region': 'Americas', 'subregion': 'South America', 'nativeLanguage': 'spa', 'languages': {'spa': 'Spanish'}, 'translations': {'deu': 'Uruguay', 'fra': 'Uruguay', 'hrv': 'Urugvaj', 'ita': 'Uruguay', 'jpn': 'ウルグアイ', 'nld': 'Uruguay', 'rus': 'Уругвай', 'spa': 'Uruguay'}, 'latlng': [-33, -56], 'demonym': 'Uruguayan', 'borders': ['ARG', 'BRA'], 'area': 181034}, {'name': {'common': 'Uzbekistan', 'official': 'Republic of Uzbekistan', 'native': {'common': 'O‘zbekiston', 'official': "O'zbekiston Respublikasi"}}, 'tld': ['.uz'], 'cca2': 'UZ', 'ccn3': '860', 'cca3': 'UZB', 'currency': ['UZS'], 'callingCode': ['998'], 'capital': 'Tashkent', 'altSpellings': ['UZ', 'Republic of Uzbekistan', 'O‘zbekiston Respublikasi', 'Ўзбекистон Республикаси'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Central Asia', 'nativeLanguage': 'uzb', 'languages': {'rus': 'Russian', 'uzb': 'Uzbek'}, 'translations': {'deu': 'Usbekistan', 'fra': 'Ouzbékistan', 'hrv': 'Uzbekistan', 'ita': 'Uzbekistan', 'jpn': 'ウズベキスタン', 'nld': 'Oezbekistan', 'rus': 'Узбекистан', 'spa': 'Uzbekistán'}, 'latlng': [41, 64], 'demonym': 'Uzbekistani', 'borders': ['AFG', 'KAZ', 'KGZ', 'TJK', 'TKM'], 'area': 447400}, {'name': {'common': 'Vanuatu', 'official': 'Republic of Vanuatu', 'native': {'common': 'Vanuatu', 'official': 'Ripablik blong Vanuatu'}}, 'tld': ['.vu'], 'cca2': 'VU', 'ccn3': '548', 'cca3': 'VUT', 'currency': ['VUV'], 'callingCode': ['678'], 'capital': 'Port Vila', 'altSpellings': ['VU', 'Republic of Vanuatu', 'Ripablik blong Vanuatu', 'République de Vanuatu'], 'relevance': '0', 'region': 'Oceania', 'subregion': 'Melanesia', 'nativeLanguage': 'bis', 'languages': {'bis': 'Bislama', 'eng': 'English', 'fra': 'French'}, 'translations': {'deu': 'Vanuatu', 'fra': 'Vanuatu', 'hrv': 'Vanuatu', 'ita': 'Vanuatu', 'jpn': 'バヌアツ', 'nld': 'Vanuatu', 'rus': 'Вануату', 'spa': 'Vanuatu'}, 'latlng': [-16, 167], 'demonym': 'Ni-Vanuatu', 'borders': [], 'area': 12189}, {'name': {'common': 'Venezuela', 'official': 'Bolivarian Republic of Venezuela', 'native': {'common': 'Venezuela', 'official': 'República Bolivariana de Venezuela'}}, 'tld': ['.ve'], 'cca2': 'VE', 'ccn3': '862', 'cca3': 'VEN', 'currency': ['VEF'], 'callingCode': ['58'], 'capital': 'Caracas', 'altSpellings': ['VE', 'Bolivarian Republic of Venezuela', 'República Bolivariana de Venezuela'], 'relevance': '0', 'region': 'Americas', 'subregion': 'South America', 'nativeLanguage': 'spa', 'languages': {'spa': 'Spanish'}, 'translations': {'deu': 'Venezuela', 'fra': 'Venezuela', 'hrv': 'Venezuela', 'ita': 'Venezuela', 'jpn': 'ベネズエラ・ボリバル共和国', 'nld': 'Venezuela', 'rus': 'Венесуэла', 'spa': 'Venezuela'}, 'latlng': [8, -66], 'demonym': 'Venezuelan', 'borders': ['BRA', 'COL', 'GUY'], 'area': 916445}, {'name': {'common': 'Vietnam', 'official': 'Socialist Republic of Vietnam', 'native': {'common': 'Việt Nam', 'official': 'Cộng hòa xã hội chủ nghĩa Việt Nam'}}, 'tld': ['.vn'], 'cca2': 'VN', 'ccn3': '704', 'cca3': 'VNM', 'currency': ['VND'], 'callingCode': ['84'], 'capital': 'Hanoi', 'altSpellings': ['VN', 'Socialist Republic of Vietnam', 'Cộng hòa Xã hội chủ nghĩa Việt Nam'], 'relevance': '1.5', 'region': 'Asia', 'subregion': 'South-Eastern Asia', 'nativeLanguage': 'vie', 'languages': {'vie': 'Vietnamese'}, 'translations': {'deu': 'Vietnam', 'fra': 'Viêt Nam', 'hrv': 'Vijetnam', 'ita': 'Vietnam', 'jpn': 'ベトナム', 'nld': 'Vietnam', 'rus': 'Вьетнам', 'spa': 'Vietnam'}, 'latlng': [16.16666666, 107.83333333], 'demonym': 'Vietnamese', 'borders': ['KHM', 'CHN', 'LAO'], 'area': 331212}, {'name': {'common': 'Wallis and Futuna', 'official': 'Territory of the Wallis and Futuna Islands', 'native': {'common': 'Wallis et Futuna', 'official': 'Territoire des îles Wallis et Futuna'}}, 'tld': ['.wf'], 'cca2': 'WF', 'ccn3': '876', 'cca3': 'WLF', 'currency': ['XPF'], 'callingCode': ['681'], 'capital': 'Mata-Utu', 'altSpellings': ['WF', 'Territory of the Wallis and Futuna Islands', 'Territoire des îles Wallis et Futuna'], 'relevance': '0.5', 'region': 'Oceania', 'subregion': 'Polynesia', 'nativeLanguage': 'fra', 'languages': {'fra': 'French'}, 'translations': {'deu': 'Wallis und Futuna', 'fra': 'Wallis-et-Futuna', 'hrv': 'Wallis i Fortuna', 'ita': 'Wallis e Futuna', 'jpn': 'ウォリス・フツナ', 'nld': 'Wallis en Futuna', 'rus': 'Уоллис и Футуна', 'spa': 'Wallis y Futuna'}, 'latlng': [-13.3, -176.2], 'demonym': 'Wallis and Futuna Islander', 'borders': [], 'area': 142}, {'name': {'common': 'Western Sahara', 'official': 'Western Sahara', 'native': {'common': 'الصحراء الغربية', 'official': 'Sáhara Occidental'}}, 'tld': ['.eh'], 'cca2': 'EH', 'ccn3': '732', 'cca3': 'ESH', 'currency': ['MAD', 'DZD', 'MRO'], 'callingCode': ['212'], 'capital': 'El Aaiún', 'altSpellings': ['EH', 'Taneẓroft Tutrimt'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Northern Africa', 'nativeLanguage': 'ber', 'languages': {'ber': 'Berber', 'mey': 'Hassaniya', 'spa': 'Spanish'}, 'translations': {'deu': 'Westsahara', 'fra': 'Sahara Occidental', 'hrv': 'Zapadna Sahara', 'ita': 'Sahara Occidentale', 'jpn': '西サハラ', 'nld': 'Westelijke Sahara', 'rus': 'Западная Сахара', 'spa': 'Sahara Occidental'}, 'latlng': [24.5, -13], 'demonym': 'Sahrawi', 'borders': ['DZA', 'MRT', 'MAR'], 'area': 266000}, {'name': {'common': 'Yemen', 'official': 'Republic of Yemen', 'native': {'common': 'اليَمَن', 'official': 'الجمهورية اليمنية'}}, 'tld': ['.ye'], 'cca2': 'YE', 'ccn3': '887', 'cca3': 'YEM', 'currency': ['YER'], 'callingCode': ['967'], 'capital': "Sana'a", 'altSpellings': ['YE', 'Yemeni Republic', 'al-Jumhūriyyah al-Yamaniyyah'], 'relevance': '0', 'region': 'Asia', 'subregion': 'Western Asia', 'nativeLanguage': 'ara', 'languages': {'ara': 'Arabic'}, 'translations': {'deu': 'Jemen', 'fra': 'Yémen', 'hrv': 'Jemen', 'ita': 'Yemen', 'jpn': 'イエメン', 'nld': 'Jemen', 'rus': 'Йемен', 'spa': 'Yemen'}, 'latlng': [15, 48], 'demonym': 'Yemeni', 'borders': ['OMN', 'SAU'], 'area': 527968}, {'name': {'common': 'Zambia', 'official': 'Republic of Zambia', 'native': {'common': 'Zambia', 'official': 'Republic of Zambia'}}, 'tld': ['.zm'], 'cca2': 'ZM', 'ccn3': '894', 'cca3': 'ZMB', 'currency': ['ZMK'], 'callingCode': ['260'], 'capital': 'Lusaka', 'altSpellings': ['ZM', 'Republic of Zambia'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Eastern Africa', 'nativeLanguage': 'eng', 'languages': {'eng': 'English'}, 'translations': {'deu': 'Sambia', 'fra': 'Zambie', 'hrv': 'Zambija', 'ita': 'Zambia', 'jpn': 'ザンビア', 'nld': 'Zambia', 'rus': 'Замбия', 'spa': 'Zambia'}, 'latlng': [-15, 30], 'demonym': 'Zambian', 'borders': ['AGO', 'BWA', 'COD', 'MWI', 'MOZ', 'NAM', 'TZA', 'ZWE'], 'area': 752612}, {'name': {'common': 'Zimbabwe', 'official': 'Republic of Zimbabwe', 'native': {'common': 'Zimbabwe', 'official': 'Republic of Zimbabwe'}}, 'tld': ['.zw'], 'cca2': 'ZW', 'ccn3': '716', 'cca3': 'ZWE', 'currency': ['ZWL'], 'callingCode': ['263'], 'capital': 'Harare', 'altSpellings': ['ZW', 'Republic of Zimbabwe'], 'relevance': '0', 'region': 'Africa', 'subregion': 'Eastern Africa', 'nativeLanguage': 'nya', 'languages': {'bwg': 'Chibarwe', 'eng': 'English', 'kck': 'Kalanga', 'khi': 'Khoisan', 'ndc': 'Ndau', 'nde': 'Northern Ndebele', 'nya': 'Chewa', 'sna': 'Shona', 'sot': 'Sotho', 'toi': 'Tonga', 'tsn': 'Tswana', 'tso': 'Tsonga', 'ven': 'Venda', 'xho': 'Xhosa', 'zib': 'Zimbabwean Sign Language'}, 'translations': {'deu': 'Simbabwe', 'fra': 'Zimbabwe', 'hrv': 'Zimbabve', 'ita': 'Zimbabwe', 'jpn': 'ジンバブエ', 'nld': 'Zimbabwe', 'rus': 'Зимбабве', 'spa': 'Zimbabue'}, 'latlng': [-20, 30], 'demonym': 'Zimbabwean', 'borders': ['BWA', 'MOZ', 'ZAF', 'ZMB'], 'area': 390757}] country_iso_by_name = dict(((country['name']['common'], country['cca2']) for country in countries_info)) country_iso_by_name.update(dict(((country['name']['official'], country['cca2']) for country in countries_info))) country_iso_by_name['Korea (South)'] = 'KR' country_iso_by_name['Serbia and Montenegro'] = 'RS' country_iso_by_name['Reunion'] = 'RE' country_iso_by_name['Macao'] = 'MO' country_iso_by_name['Fiji Islands'] = 'FJ'
def findFriendByName(name): friends = hero.findFriends() for friend in friends: if friend.id == name: return friend return None sergeant = hero.findNearest(hero.findFriends()) wereList = sergeant.wereList wereNames = wereList.split(",") for name in wereNames: trimmedName = name.strip() friend = findFriendByName(trimmedName) hero.command(friend, "move", {"x": 48, "y": 48})
def find_friend_by_name(name): friends = hero.findFriends() for friend in friends: if friend.id == name: return friend return None sergeant = hero.findNearest(hero.findFriends()) were_list = sergeant.wereList were_names = wereList.split(',') for name in wereNames: trimmed_name = name.strip() friend = find_friend_by_name(trimmedName) hero.command(friend, 'move', {'x': 48, 'y': 48})
class Dictish: def __init__(self, *args): """ Example: Dictish([("first", 1), ("second", 2)]) """ self.keys_and_values = [] if args: for key_and_value in args[0]: if key_and_value not in self.keys_and_values: self.keys_and_values.append(key_and_value) def __eq__(self, other): """ Two dictish are equal if they contain the same key-value pairs, regardless of order. """ return all((key_and_value in self.items() for key_and_value in other.items())) def items(self): return iter(self.keys_and_values)
class Dictish: def __init__(self, *args): """ Example: Dictish([("first", 1), ("second", 2)]) """ self.keys_and_values = [] if args: for key_and_value in args[0]: if key_and_value not in self.keys_and_values: self.keys_and_values.append(key_and_value) def __eq__(self, other): """ Two dictish are equal if they contain the same key-value pairs, regardless of order. """ return all((key_and_value in self.items() for key_and_value in other.items())) def items(self): return iter(self.keys_and_values)
# String Compression: compress string by repeat characters; if compression doesn't reduce length, return original def number_compression(s: str) -> str: result = "" i = 0 while i < len(s) - 1: char = s[i] count = 1 while i + 1 < len(s) and char == s[i + 1]: count += 1 i += 1 i += 1 result += char + str(count) if result == "" or len(result) > len(s): return s return result assert number_compression("aabcccccaaa") == "a2b1c5a3" assert number_compression("") == "" assert number_compression("a") == "a" assert number_compression("abcdef") == "abcdef" assert number_compression("aaBbcccdddEEE") == "a2B1b1c3d3E3"
def number_compression(s: str) -> str: result = '' i = 0 while i < len(s) - 1: char = s[i] count = 1 while i + 1 < len(s) and char == s[i + 1]: count += 1 i += 1 i += 1 result += char + str(count) if result == '' or len(result) > len(s): return s return result assert number_compression('aabcccccaaa') == 'a2b1c5a3' assert number_compression('') == '' assert number_compression('a') == 'a' assert number_compression('abcdef') == 'abcdef' assert number_compression('aaBbcccdddEEE') == 'a2B1b1c3d3E3'
# # PySNMP MIB module WATCHGUARD-PRODUCTS-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/WATCHGUARD-PRODUCTS-MIB # Produced by pysmi-0.3.4 at Wed May 1 15:36:04 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # Integer, ObjectIdentifier, OctetString = mibBuilder.importSymbols("ASN1", "Integer", "ObjectIdentifier", "OctetString") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ValueSizeConstraint, ValueRangeConstraint, ConstraintsIntersection, SingleValueConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "ValueRangeConstraint", "ConstraintsIntersection", "SingleValueConstraint", "ConstraintsUnion") ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup") ModuleIdentity, Bits, Gauge32, Counter32, Unsigned32, NotificationType, MibScalar, MibTable, MibTableRow, MibTableColumn, IpAddress, MibIdentifier, ObjectIdentity, Counter64, TimeTicks, iso, Integer32 = mibBuilder.importSymbols("SNMPv2-SMI", "ModuleIdentity", "Bits", "Gauge32", "Counter32", "Unsigned32", "NotificationType", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "IpAddress", "MibIdentifier", "ObjectIdentity", "Counter64", "TimeTicks", "iso", "Integer32") TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString") watchguard, = mibBuilder.importSymbols("WATCHGUARD-SMI", "watchguard") wgProducts = ModuleIdentity((1, 3, 6, 1, 4, 1, 3097, 1)) wgProducts.setRevisions(('2008-11-10 00:00',)) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: wgProducts.setRevisionsDescriptions(('Initial version.',)) if mibBuilder.loadTexts: wgProducts.setLastUpdated('200811100000Z') if mibBuilder.loadTexts: wgProducts.setOrganization('WatchGuard Technologies, Inc.') if mibBuilder.loadTexts: wgProducts.setContactInfo(' WatchGuard Technologies, Inc. 505 Fifth Avenue South Suite 500 Seattle, WA 98104 United States +1.206.613.6600 ') if mibBuilder.loadTexts: wgProducts.setDescription('This MIB module definesthe object identifiers for WatchGuard Technologies Products.') fbXSeries = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 4)) xtmSeries = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5)) fbX500 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 1)) fbX550e = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 2)) fbX700 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 3)) fbX750e = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 4)) fbX750e_4 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 5)).setLabel("fbX750e-4") fbX1000 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 6)) fbX1250e = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 7)) fbX1250e_4 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 8)).setLabel("fbX1250e-4") fbX2500 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 9)) fbX5000 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 10)) fbX5500e = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 11)) fbX6000 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 12)) fbX6500e = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 13)) fbX8000 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 14)) fbX8500e = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 15)) fbX8500e_F = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 16)).setLabel("fbX8500e-F") fbX10e = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 17)) fbX10e_W = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 18)).setLabel("fbX10e-W") fbX20e = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 19)) fbX20e_W = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 20)).setLabel("fbX20e-W") fbX55e = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 21)) fbX55e_W = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 22)).setLabel("fbX55e-W") xtm1050 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 1)) xtm1050_F = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 2)).setLabel("xtm1050-F") xtm830_F = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 3)).setLabel("xtm830-F") xtm830 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 4)) xtm820 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 5)) xtm810 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 6)) xtm530 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 7)) xtm520 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 8)) xtm510 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 9)) xtm505 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 10)) xtm23 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 11)) xtm22 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 12)) xtm21 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 13)) xtm23_W = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 14)).setLabel("xtm23-W") xtm22_W = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 15)).setLabel("xtm22-W") xtm21_W = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 16)).setLabel("xtm21-W") xtm2050 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 17)) xtm25 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 18)) xtm25_W = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 19)).setLabel("xtm25-W") xtm26 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 20)) xtm26_W = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 21)).setLabel("xtm26-W") xtm33 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 22)) xtm33_W = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 23)).setLabel("xtm33-W") xtm330 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 24)) xtm545 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 25)) xtm535 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 26)) xtm525 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 27)) xtm515 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 28)) xtm2050A = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 29)) xtm850 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 30)) xtm860 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 31)) xtm870 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 32)) xtm870_F = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 33)).setLabel("xtm870-F") xtm1520 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 34)) xtm1525 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 35)) xtm2520 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 36)) xtmv_SM = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 37)).setLabel("xtmv-SM") xtmv_MED = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 38)).setLabel("xtmv-MED") xtmv_LG = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 39)).setLabel("xtmv-LG") xtmv_DC = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 40)).setLabel("xtmv-DC") xtmv_EXP = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 41)).setLabel("xtmv-EXP") xtmv = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 42)) xtm1520_RP = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 43)).setLabel("xtm1520-RP") xtm1525_RP = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 44)).setLabel("xtm1525-RP") T10 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 45)) M440 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 46)) T10_D = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 47)).setLabel("T10-D") T10_W = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 48)).setLabel("T10-W") M400 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 49)) M500 = MibIdentifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 50)) mibBuilder.exportSymbols("WATCHGUARD-PRODUCTS-MIB", xtmv_SM=xtmv_SM, xtmSeries=xtmSeries, fbX1250e=fbX1250e, xtm1050_F=xtm1050_F, T10=T10, xtm870=xtm870, M400=M400, xtm830_F=xtm830_F, fbX55e=fbX55e, fbXSeries=fbXSeries, xtm22=xtm22, xtm21=xtm21, xtm515=xtm515, xtm850=xtm850, xtm545=xtm545, T10_W=T10_W, xtm26=xtm26, xtm330=xtm330, xtm525=xtm525, fbX8000=fbX8000, fbX20e_W=fbX20e_W, xtm520=xtm520, xtm1050=xtm1050, xtm2050=xtm2050, xtm2050A=xtm2050A, xtmv_MED=xtmv_MED, fbX1250e_4=fbX1250e_4, xtm33_W=xtm33_W, xtm1525=xtm1525, fbX550e=fbX550e, xtm505=xtm505, xtm23=xtm23, xtm1525_RP=xtm1525_RP, xtm22_W=xtm22_W, fbX20e=fbX20e, fbX5000=fbX5000, xtm21_W=xtm21_W, xtm23_W=xtm23_W, xtm870_F=xtm870_F, M500=M500, xtm25_W=xtm25_W, xtm2520=xtm2520, fbX8500e_F=fbX8500e_F, fbX10e=fbX10e, M440=M440, xtmv=xtmv, xtmv_EXP=xtmv_EXP, xtm860=xtm860, fbX1000=fbX1000, xtm820=xtm820, PYSNMP_MODULE_ID=wgProducts, fbX5500e=fbX5500e, fbX700=fbX700, fbX750e_4=fbX750e_4, fbX2500=fbX2500, wgProducts=wgProducts, fbX6000=fbX6000, fbX55e_W=fbX55e_W, xtm535=xtm535, xtmv_LG=xtmv_LG, xtm1520_RP=xtm1520_RP, fbX6500e=fbX6500e, xtm510=xtm510, fbX8500e=fbX8500e, xtm25=xtm25, xtm810=xtm810, xtm1520=xtm1520, xtm530=xtm530, T10_D=T10_D, xtm33=xtm33, xtmv_DC=xtmv_DC, fbX750e=fbX750e, xtm830=xtm830, xtm26_W=xtm26_W, fbX500=fbX500, fbX10e_W=fbX10e_W)
(integer, object_identifier, octet_string) = mibBuilder.importSymbols('ASN1', 'Integer', 'ObjectIdentifier', 'OctetString') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (value_size_constraint, value_range_constraint, constraints_intersection, single_value_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueSizeConstraint', 'ValueRangeConstraint', 'ConstraintsIntersection', 'SingleValueConstraint', 'ConstraintsUnion') (module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup') (module_identity, bits, gauge32, counter32, unsigned32, notification_type, mib_scalar, mib_table, mib_table_row, mib_table_column, ip_address, mib_identifier, object_identity, counter64, time_ticks, iso, integer32) = mibBuilder.importSymbols('SNMPv2-SMI', 'ModuleIdentity', 'Bits', 'Gauge32', 'Counter32', 'Unsigned32', 'NotificationType', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'IpAddress', 'MibIdentifier', 'ObjectIdentity', 'Counter64', 'TimeTicks', 'iso', 'Integer32') (textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString') (watchguard,) = mibBuilder.importSymbols('WATCHGUARD-SMI', 'watchguard') wg_products = module_identity((1, 3, 6, 1, 4, 1, 3097, 1)) wgProducts.setRevisions(('2008-11-10 00:00',)) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: wgProducts.setRevisionsDescriptions(('Initial version.',)) if mibBuilder.loadTexts: wgProducts.setLastUpdated('200811100000Z') if mibBuilder.loadTexts: wgProducts.setOrganization('WatchGuard Technologies, Inc.') if mibBuilder.loadTexts: wgProducts.setContactInfo(' WatchGuard Technologies, Inc. 505 Fifth Avenue South Suite 500 Seattle, WA 98104 United States +1.206.613.6600 ') if mibBuilder.loadTexts: wgProducts.setDescription('This MIB module definesthe object identifiers for WatchGuard Technologies Products.') fb_x_series = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 4)) xtm_series = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5)) fb_x500 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 1)) fb_x550e = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 2)) fb_x700 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 3)) fb_x750e = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 4)) fb_x750e_4 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 5)).setLabel('fbX750e-4') fb_x1000 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 6)) fb_x1250e = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 7)) fb_x1250e_4 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 8)).setLabel('fbX1250e-4') fb_x2500 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 9)) fb_x5000 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 10)) fb_x5500e = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 11)) fb_x6000 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 12)) fb_x6500e = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 13)) fb_x8000 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 14)) fb_x8500e = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 15)) fb_x8500e_f = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 16)).setLabel('fbX8500e-F') fb_x10e = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 17)) fb_x10e_w = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 18)).setLabel('fbX10e-W') fb_x20e = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 19)) fb_x20e_w = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 20)).setLabel('fbX20e-W') fb_x55e = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 21)) fb_x55e_w = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 4, 22)).setLabel('fbX55e-W') xtm1050 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 1)) xtm1050_f = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 2)).setLabel('xtm1050-F') xtm830_f = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 3)).setLabel('xtm830-F') xtm830 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 4)) xtm820 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 5)) xtm810 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 6)) xtm530 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 7)) xtm520 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 8)) xtm510 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 9)) xtm505 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 10)) xtm23 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 11)) xtm22 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 12)) xtm21 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 13)) xtm23_w = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 14)).setLabel('xtm23-W') xtm22_w = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 15)).setLabel('xtm22-W') xtm21_w = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 16)).setLabel('xtm21-W') xtm2050 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 17)) xtm25 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 18)) xtm25_w = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 19)).setLabel('xtm25-W') xtm26 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 20)) xtm26_w = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 21)).setLabel('xtm26-W') xtm33 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 22)) xtm33_w = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 23)).setLabel('xtm33-W') xtm330 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 24)) xtm545 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 25)) xtm535 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 26)) xtm525 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 27)) xtm515 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 28)) xtm2050_a = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 29)) xtm850 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 30)) xtm860 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 31)) xtm870 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 32)) xtm870_f = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 33)).setLabel('xtm870-F') xtm1520 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 34)) xtm1525 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 35)) xtm2520 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 36)) xtmv_sm = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 37)).setLabel('xtmv-SM') xtmv_med = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 38)).setLabel('xtmv-MED') xtmv_lg = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 39)).setLabel('xtmv-LG') xtmv_dc = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 40)).setLabel('xtmv-DC') xtmv_exp = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 41)).setLabel('xtmv-EXP') xtmv = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 42)) xtm1520_rp = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 43)).setLabel('xtm1520-RP') xtm1525_rp = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 44)).setLabel('xtm1525-RP') t10 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 45)) m440 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 46)) t10_d = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 47)).setLabel('T10-D') t10_w = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 48)).setLabel('T10-W') m400 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 49)) m500 = mib_identifier((1, 3, 6, 1, 4, 1, 3097, 1, 5, 50)) mibBuilder.exportSymbols('WATCHGUARD-PRODUCTS-MIB', xtmv_SM=xtmv_SM, xtmSeries=xtmSeries, fbX1250e=fbX1250e, xtm1050_F=xtm1050_F, T10=T10, xtm870=xtm870, M400=M400, xtm830_F=xtm830_F, fbX55e=fbX55e, fbXSeries=fbXSeries, xtm22=xtm22, xtm21=xtm21, xtm515=xtm515, xtm850=xtm850, xtm545=xtm545, T10_W=T10_W, xtm26=xtm26, xtm330=xtm330, xtm525=xtm525, fbX8000=fbX8000, fbX20e_W=fbX20e_W, xtm520=xtm520, xtm1050=xtm1050, xtm2050=xtm2050, xtm2050A=xtm2050A, xtmv_MED=xtmv_MED, fbX1250e_4=fbX1250e_4, xtm33_W=xtm33_W, xtm1525=xtm1525, fbX550e=fbX550e, xtm505=xtm505, xtm23=xtm23, xtm1525_RP=xtm1525_RP, xtm22_W=xtm22_W, fbX20e=fbX20e, fbX5000=fbX5000, xtm21_W=xtm21_W, xtm23_W=xtm23_W, xtm870_F=xtm870_F, M500=M500, xtm25_W=xtm25_W, xtm2520=xtm2520, fbX8500e_F=fbX8500e_F, fbX10e=fbX10e, M440=M440, xtmv=xtmv, xtmv_EXP=xtmv_EXP, xtm860=xtm860, fbX1000=fbX1000, xtm820=xtm820, PYSNMP_MODULE_ID=wgProducts, fbX5500e=fbX5500e, fbX700=fbX700, fbX750e_4=fbX750e_4, fbX2500=fbX2500, wgProducts=wgProducts, fbX6000=fbX6000, fbX55e_W=fbX55e_W, xtm535=xtm535, xtmv_LG=xtmv_LG, xtm1520_RP=xtm1520_RP, fbX6500e=fbX6500e, xtm510=xtm510, fbX8500e=fbX8500e, xtm25=xtm25, xtm810=xtm810, xtm1520=xtm1520, xtm530=xtm530, T10_D=T10_D, xtm33=xtm33, xtmv_DC=xtmv_DC, fbX750e=fbX750e, xtm830=xtm830, xtm26_W=xtm26_W, fbX500=fbX500, fbX10e_W=fbX10e_W)
name = "test_variant_split_mid2" version = "2.0" variants = [["test_variant_split_end-1"], ["test_variant_split_end-3"]]
name = 'test_variant_split_mid2' version = '2.0' variants = [['test_variant_split_end-1'], ['test_variant_split_end-3']]
""" _ """ for _ in range(0, 50): print("Hello")
""" _ """ for _ in range(0, 50): print('Hello')
products = [ {'name': 'laptop', 'price': 800, 'quantity': 4}, {'name': 'mouse', 'price': 40, 'quantity': 10}, {'name': 'monitor', 'price': 400, 'quantity': 3} ]
products = [{'name': 'laptop', 'price': 800, 'quantity': 4}, {'name': 'mouse', 'price': 40, 'quantity': 10}, {'name': 'monitor', 'price': 400, 'quantity': 3}]
expected_output = { "my_state": "13 -ACTIVE", "peer_state": "8 -STANDBY HOT", "mode": "Duplex", "unit": "Primary", "unit_id": 48, "redundancy_mode_operational": "sso", "redundancy_mode_configured": "sso", "redundancy_state": "sso", "maintenance_mode": "Disabled", "manual_swact": "enabled", "communications": "Up", "client_count": 76, "client_notification_tmr_msec": 30000, "rf_debug_mask": "0x0", }
expected_output = {'my_state': '13 -ACTIVE', 'peer_state': '8 -STANDBY HOT', 'mode': 'Duplex', 'unit': 'Primary', 'unit_id': 48, 'redundancy_mode_operational': 'sso', 'redundancy_mode_configured': 'sso', 'redundancy_state': 'sso', 'maintenance_mode': 'Disabled', 'manual_swact': 'enabled', 'communications': 'Up', 'client_count': 76, 'client_notification_tmr_msec': 30000, 'rf_debug_mask': '0x0'}
class Checkout: class Discount: def __init__(self, nItems, price): self.nItems = nItems self.price = price def __init__(self): self.prices = {} self.discounts = {} self.items = {} def addItemPrice(self, item, price): self.prices[item] = price def addItem(self, item): if item not in self.prices: raise Exception("Bad Item") if item in self.items: self.items[item] += 1 else: self.items[item] = 1 def addDiscount(self, item, quantity, price): discount = self.Discount(quantity, price) self.discounts[item] = discount def calculateTotal(self): total = 0 for item, count in self.items.items(): total += self.calculateItemTotal(item, count) return total def calculateItemTotal(self, item, count): total = 0 if item in self.discounts: discount = self.discounts[item] if count >= discount.nItems: total += self.caclulateItemDiscountedTotal(item, count, discount) else: total += (self.prices[item] * count) else: total += (self.prices[item] * count) return total def caclulateItemDiscountedTotal(self, item, count, discount): total = 0 nDiscounts = count/discount.nItems total += nDiscounts * discount.price remaining = count % discount.nItems total += remaining * self.prices[item] return total
class Checkout: class Discount: def __init__(self, nItems, price): self.nItems = nItems self.price = price def __init__(self): self.prices = {} self.discounts = {} self.items = {} def add_item_price(self, item, price): self.prices[item] = price def add_item(self, item): if item not in self.prices: raise exception('Bad Item') if item in self.items: self.items[item] += 1 else: self.items[item] = 1 def add_discount(self, item, quantity, price): discount = self.Discount(quantity, price) self.discounts[item] = discount def calculate_total(self): total = 0 for (item, count) in self.items.items(): total += self.calculateItemTotal(item, count) return total def calculate_item_total(self, item, count): total = 0 if item in self.discounts: discount = self.discounts[item] if count >= discount.nItems: total += self.caclulateItemDiscountedTotal(item, count, discount) else: total += self.prices[item] * count else: total += self.prices[item] * count return total def caclulate_item_discounted_total(self, item, count, discount): total = 0 n_discounts = count / discount.nItems total += nDiscounts * discount.price remaining = count % discount.nItems total += remaining * self.prices[item] return total
patches = [ { "op": "move", "from": "/PropertyTypes/AWS::IoTWireless::FuotaTask.LoRaWAN", "path": "/PropertyTypes/AWS::IoTWireless::FuotaTask.FuotaTaskLoRaWAN", }, { "op": "replace", "path": "/ResourceTypes/AWS::IoTWireless::FuotaTask/Properties/LoRaWAN/Type", "value": "FuotaTaskLoRaWAN", }, ]
patches = [{'op': 'move', 'from': '/PropertyTypes/AWS::IoTWireless::FuotaTask.LoRaWAN', 'path': '/PropertyTypes/AWS::IoTWireless::FuotaTask.FuotaTaskLoRaWAN'}, {'op': 'replace', 'path': '/ResourceTypes/AWS::IoTWireless::FuotaTask/Properties/LoRaWAN/Type', 'value': 'FuotaTaskLoRaWAN'}]
class Page(): def __init__(self): self.url = '' self.title = '' self.message = ''
class Page: def __init__(self): self.url = '' self.title = '' self.message = ''
# from django.conf import settings # from django.db import models # from django.utils import timezone class User(models.Model): author = models.ForeignKey(settings.AUTH_USER_MODEL, on_delete=models.CASCADE) title = models.CharField(max_length=100) firstName = models.TextField() lastName = models.TextField() contactNumber = models.TextField() created_date = models.DateTimeField(default=timezone.now) published_date = models.DateTimeField(blank=True, null=True) def publish(self): self.published_date = timezone.now() self.save() def __str__(self): return self.title
class User(models.Model): author = models.ForeignKey(settings.AUTH_USER_MODEL, on_delete=models.CASCADE) title = models.CharField(max_length=100) first_name = models.TextField() last_name = models.TextField() contact_number = models.TextField() created_date = models.DateTimeField(default=timezone.now) published_date = models.DateTimeField(blank=True, null=True) def publish(self): self.published_date = timezone.now() self.save() def __str__(self): return self.title
# This is a copy of IANA DNS SRV registry at: # http://www.iana.org/assignments/service-names-port-numbers/service-names-port-numbers.xml # source xml file updated on 2012-09-11 UDP_SERVICES = { "tcpmux":'''TCP Port Service Multiplexer''', "compressnet":'''Management Utility''', "compressnet":'''Compression Process''', "rje":'''Remote Job Entry''', "echo":'''Echo''', "discard":'''Discard''', "systat":'''Active Users''', "daytime":'''Daytime''', "qotd":'''Quote of the Day''', "msp":'''Message Send Protocol (historic)''', "chargen":'''Character Generator''', "ftp-data":'''File Transfer [Default Data]''', "ftp":'''File Transfer [Control]''', "ssh":'''The Secure Shell (SSH) Protocol''', "telnet":'''Telnet''', "smtp":'''Simple Mail Transfer''', "nsw-fe":'''NSW User System FE''', "msg-icp":'''MSG ICP''', "msg-auth":'''MSG Authentication''', "dsp":'''Display Support Protocol''', "time":'''Time''', "rap":'''Route Access Protocol''', "rlp":'''Resource Location Protocol''', "graphics":'''Graphics''', "name":'''Host Name Server''', "nameserver":'''Host Name Server''', "nicname":'''Who Is''', "mpm-flags":'''MPM FLAGS Protocol''', "mpm":'''Message Processing Module [recv]''', "mpm-snd":'''MPM [default send]''', "ni-ftp":'''NI FTP''', "auditd":'''Digital Audit Daemon''', "tacacs":'''Login Host Protocol (TACACS)''', "re-mail-ck":'''Remote Mail Checking Protocol''', "la-maint":'''IMP Logical Address Maintenance''', "xns-time":'''XNS Time Protocol''', "domain":'''Domain Name Server''', "xns-ch":'''XNS Clearinghouse''', "isi-gl":'''ISI Graphics Language''', "xns-auth":'''XNS Authentication''', "xns-mail":'''XNS Mail''', "ni-mail":'''NI MAIL''', "acas":'''ACA Services''', "whoispp":'''whois++ IANA assigned this well-formed service name as a replacement for "whois++".''', "whois++":'''whois++''', "covia":'''Communications Integrator (CI)''', "tacacs-ds":'''TACACS-Database Service''', "sql-net":'''Oracle SQL*NET IANA assigned this well-formed service name as a replacement for "sql*net".''', "sql*net":'''Oracle SQL*NET''', "bootps":'''Bootstrap Protocol Server''', "bootpc":'''Bootstrap Protocol Client''', "tftp":'''Trivial File Transfer''', "gopher":'''Gopher''', "netrjs-1":'''Remote Job Service''', "netrjs-2":'''Remote Job Service''', "netrjs-3":'''Remote Job Service''', "netrjs-4":'''Remote Job Service''', "deos":'''Distributed External Object Store''', "vettcp":'''vettcp''', "finger":'''Finger''', "http":'''World Wide Web HTTP''', "www":'''World Wide Web HTTP''', "www-http":'''World Wide Web HTTP''', "xfer":'''XFER Utility''', "mit-ml-dev":'''MIT ML Device''', "ctf":'''Common Trace Facility''', "mit-ml-dev":'''MIT ML Device''', "mfcobol":'''Micro Focus Cobol''', "kerberos":'''Kerberos''', "su-mit-tg":'''SU/MIT Telnet Gateway''', "dnsix":'''DNSIX Securit Attribute Token Map''', "mit-dov":'''MIT Dover Spooler''', "npp":'''Network Printing Protocol''', "dcp":'''Device Control Protocol''', "objcall":'''Tivoli Object Dispatcher''', "supdup":'''SUPDUP''', "dixie":'''DIXIE Protocol Specification''', "swift-rvf":'''Swift Remote Virtural File Protocol''', "tacnews":'''TAC News''', "metagram":'''Metagram Relay''', "hostname":'''NIC Host Name Server''', "iso-tsap":'''ISO-TSAP Class 0''', "gppitnp":'''Genesis Point-to-Point Trans Net''', "acr-nema":'''ACR-NEMA Digital Imag. & Comm. 300''', "cso":'''CCSO name server protocol''', "csnet-ns":'''Mailbox Name Nameserver''', "3com-tsmux":'''3COM-TSMUX''', "rtelnet":'''Remote Telnet Service''', "snagas":'''SNA Gateway Access Server''', "pop2":'''Post Office Protocol - Version 2''', "pop3":'''Post Office Protocol - Version 3''', "sunrpc":'''SUN Remote Procedure Call''', "mcidas":'''McIDAS Data Transmission Protocol''', "auth":'''Authentication Service''', "sftp":'''Simple File Transfer Protocol''', "ansanotify":'''ANSA REX Notify''', "uucp-path":'''UUCP Path Service''', "sqlserv":'''SQL Services''', "nntp":'''Network News Transfer Protocol''', "cfdptkt":'''CFDPTKT''', "erpc":'''Encore Expedited Remote Pro.Call''', "smakynet":'''SMAKYNET''', "ntp":'''Network Time Protocol''', "ansatrader":'''ANSA REX Trader''', "locus-map":'''Locus PC-Interface Net Map Ser''', "nxedit":'''NXEdit''', "locus-con":'''Locus PC-Interface Conn Server''', "gss-xlicen":'''GSS X License Verification''', "pwdgen":'''Password Generator Protocol''', "cisco-fna":'''cisco FNATIVE''', "cisco-tna":'''cisco TNATIVE''', "cisco-sys":'''cisco SYSMAINT''', "statsrv":'''Statistics Service''', "ingres-net":'''INGRES-NET Service''', "epmap":'''DCE endpoint resolution''', "profile":'''PROFILE Naming System''', "netbios-ns":'''NETBIOS Name Service''', "netbios-dgm":'''NETBIOS Datagram Service''', "netbios-ssn":'''NETBIOS Session Service''', "emfis-data":'''EMFIS Data Service''', "emfis-cntl":'''EMFIS Control Service''', "bl-idm":'''Britton-Lee IDM''', "imap":'''Internet Message Access Protocol''', "uma":'''Universal Management Architecture''', "uaac":'''UAAC Protocol''', "iso-tp0":'''ISO-IP0''', "iso-ip":'''ISO-IP''', "jargon":'''Jargon''', "aed-512":'''AED 512 Emulation Service''', "sql-net":'''SQL-NET''', "hems":'''HEMS''', "bftp":'''Background File Transfer Program''', "sgmp":'''SGMP''', "netsc-prod":'''NETSC''', "netsc-dev":'''NETSC''', "sqlsrv":'''SQL Service''', "knet-cmp":'''KNET/VM Command/Message Protocol''', "pcmail-srv":'''PCMail Server''', "nss-routing":'''NSS-Routing''', "sgmp-traps":'''SGMP-TRAPS''', "snmp":'''SNMP''', "snmptrap":'''SNMPTRAP''', "cmip-man":'''CMIP/TCP Manager''', "cmip-agent":'''CMIP/TCP Agent''', "xns-courier":'''Xerox''', "s-net":'''Sirius Systems''', "namp":'''NAMP''', "rsvd":'''RSVD''', "send":'''SEND''', "print-srv":'''Network PostScript''', "multiplex":'''Network Innovations Multiplex''', "cl-1":'''Network Innovations CL/1 IANA assigned this well-formed service name as a replacement for "cl/1".''', "cl/1":'''Network Innovations CL/1''', "xyplex-mux":'''Xyplex''', "mailq":'''MAILQ''', "vmnet":'''VMNET''', "genrad-mux":'''GENRAD-MUX''', "xdmcp":'''X Display Manager Control Protocol''', "nextstep":'''NextStep Window Server''', "bgp":'''Border Gateway Protocol''', "ris":'''Intergraph''', "unify":'''Unify''', "audit":'''Unisys Audit SITP''', "ocbinder":'''OCBinder''', "ocserver":'''OCServer''', "remote-kis":'''Remote-KIS''', "kis":'''KIS Protocol''', "aci":'''Application Communication Interface''', "mumps":'''Plus Five's MUMPS''', "qft":'''Queued File Transport''', "gacp":'''Gateway Access Control Protocol''', "prospero":'''Prospero Directory Service''', "osu-nms":'''OSU Network Monitoring System''', "srmp":'''Spider Remote Monitoring Protocol''', "irc":'''Internet Relay Chat Protocol''', "dn6-nlm-aud":'''DNSIX Network Level Module Audit''', "dn6-smm-red":'''DNSIX Session Mgt Module Audit Redir''', "dls":'''Directory Location Service''', "dls-mon":'''Directory Location Service Monitor''', "smux":'''SMUX''', "src":'''IBM System Resource Controller''', "at-rtmp":'''AppleTalk Routing Maintenance''', "at-nbp":'''AppleTalk Name Binding''', "at-3":'''AppleTalk Unused''', "at-echo":'''AppleTalk Echo''', "at-5":'''AppleTalk Unused''', "at-zis":'''AppleTalk Zone Information''', "at-7":'''AppleTalk Unused''', "at-8":'''AppleTalk Unused''', "qmtp":'''The Quick Mail Transfer Protocol''', "z39-50":'''ANSI Z39.50 IANA assigned this well-formed service name as a replacement for "z39.50".''', "z39.50":'''ANSI Z39.50''', "914c-g":'''Texas Instruments 914C/G Terminal IANA assigned this well-formed service name as a replacement for "914c/g".''', "914c/g":'''Texas Instruments 914C/G Terminal''', "anet":'''ATEXSSTR''', "ipx":'''IPX''', "vmpwscs":'''VM PWSCS''', "softpc":'''Insignia Solutions''', "CAIlic":'''Computer Associates Int'l License Server''', "dbase":'''dBASE Unix''', "mpp":'''Netix Message Posting Protocol''', "uarps":'''Unisys ARPs''', "imap3":'''Interactive Mail Access Protocol v3''', "fln-spx":'''Berkeley rlogind with SPX auth''', "rsh-spx":'''Berkeley rshd with SPX auth''', "cdc":'''Certificate Distribution Center''', "masqdialer":'''masqdialer''', "direct":'''Direct''', "sur-meas":'''Survey Measurement''', "inbusiness":'''inbusiness''', "link":'''LINK''', "dsp3270":'''Display Systems Protocol''', "subntbcst-tftp":'''SUBNTBCST_TFTP IANA assigned this well-formed service name as a replacement for "subntbcst_tftp".''', "subntbcst_tftp":'''SUBNTBCST_TFTP''', "bhfhs":'''bhfhs''', "rap":'''RAP''', "set":'''Secure Electronic Transaction''', "esro-gen":'''Efficient Short Remote Operations''', "openport":'''Openport''', "nsiiops":'''IIOP Name Service over TLS/SSL''', "arcisdms":'''Arcisdms''', "hdap":'''HDAP''', "bgmp":'''BGMP''', "x-bone-ctl":'''X-Bone CTL''', "sst":'''SCSI on ST''', "td-service":'''Tobit David Service Layer''', "td-replica":'''Tobit David Replica''', "manet":'''MANET Protocols''', "gist":'''Q-mode encapsulation for GIST messages''', "http-mgmt":'''http-mgmt''', "personal-link":'''Personal Link''', "cableport-ax":'''Cable Port A/X''', "rescap":'''rescap''', "corerjd":'''corerjd''', "fxp":'''FXP Communication''', "k-block":'''K-BLOCK''', "novastorbakcup":'''Novastor Backup''', "entrusttime":'''EntrustTime''', "bhmds":'''bhmds''', "asip-webadmin":'''AppleShare IP WebAdmin''', "vslmp":'''VSLMP''', "magenta-logic":'''Magenta Logic''', "opalis-robot":'''Opalis Robot''', "dpsi":'''DPSI''', "decauth":'''decAuth''', "zannet":'''Zannet''', "pkix-timestamp":'''PKIX TimeStamp''', "ptp-event":'''PTP Event''', "ptp-general":'''PTP General''', "pip":'''PIP''', "rtsps":'''RTSPS''', "texar":'''Texar Security Port''', "pdap":'''Prospero Data Access Protocol''', "pawserv":'''Perf Analysis Workbench''', "zserv":'''Zebra server''', "fatserv":'''Fatmen Server''', "csi-sgwp":'''Cabletron Management Protocol''', "mftp":'''mftp''', "matip-type-a":'''MATIP Type A''', "matip-type-b":'''MATIP Type B''', "bhoetty":'''bhoetty''', "dtag-ste-sb":'''DTAG''', "bhoedap4":'''bhoedap4''', "ndsauth":'''NDSAUTH''', "bh611":'''bh611''', "datex-asn":'''DATEX-ASN''', "cloanto-net-1":'''Cloanto Net 1''', "bhevent":'''bhevent''', "shrinkwrap":'''Shrinkwrap''', "nsrmp":'''Network Security Risk Management Protocol''', "scoi2odialog":'''scoi2odialog''', "semantix":'''Semantix''', "srssend":'''SRS Send''', "rsvp-tunnel":'''RSVP Tunnel IANA assigned this well-formed service name as a replacement for "rsvp_tunnel".''', "rsvp_tunnel":'''RSVP Tunnel''', "aurora-cmgr":'''Aurora CMGR''', "dtk":'''DTK''', "odmr":'''ODMR''', "mortgageware":'''MortgageWare''', "qbikgdp":'''QbikGDP''', "rpc2portmap":'''rpc2portmap''', "codaauth2":'''codaauth2''', "clearcase":'''Clearcase''', "ulistproc":'''ListProcessor''', "legent-1":'''Legent Corporation''', "legent-2":'''Legent Corporation''', "hassle":'''Hassle''', "nip":'''Amiga Envoy Network Inquiry Proto''', "tnETOS":'''NEC Corporation''', "dsETOS":'''NEC Corporation''', "is99c":'''TIA/EIA/IS-99 modem client''', "is99s":'''TIA/EIA/IS-99 modem server''', "hp-collector":'''hp performance data collector''', "hp-managed-node":'''hp performance data managed node''', "hp-alarm-mgr":'''hp performance data alarm manager''', "arns":'''A Remote Network Server System''', "ibm-app":'''IBM Application''', "asa":'''ASA Message Router Object Def.''', "aurp":'''Appletalk Update-Based Routing Pro.''', "unidata-ldm":'''Unidata LDM''', "ldap":'''Lightweight Directory Access Protocol''', "uis":'''UIS''', "synotics-relay":'''SynOptics SNMP Relay Port''', "synotics-broker":'''SynOptics Port Broker Port''', "meta5":'''Meta5''', "embl-ndt":'''EMBL Nucleic Data Transfer''', "netcp":'''NetScout Control Protocol''', "netware-ip":'''Novell Netware over IP''', "mptn":'''Multi Protocol Trans. Net.''', "kryptolan":'''Kryptolan''', "iso-tsap-c2":'''ISO Transport Class 2 Non-Control over UDP''', "osb-sd":'''Oracle Secure Backup''', "ups":'''Uninterruptible Power Supply''', "genie":'''Genie Protocol''', "decap":'''decap''', "nced":'''nced''', "ncld":'''ncld''', "imsp":'''Interactive Mail Support Protocol''', "timbuktu":'''Timbuktu''', "prm-sm":'''Prospero Resource Manager Sys. Man.''', "prm-nm":'''Prospero Resource Manager Node Man.''', "decladebug":'''DECLadebug Remote Debug Protocol''', "rmt":'''Remote MT Protocol''', "synoptics-trap":'''Trap Convention Port''', "smsp":'''Storage Management Services Protocol''', "infoseek":'''InfoSeek''', "bnet":'''BNet''', "silverplatter":'''Silverplatter''', "onmux":'''Onmux''', "hyper-g":'''Hyper-G''', "ariel1":'''Ariel 1''', "smpte":'''SMPTE''', "ariel2":'''Ariel 2''', "ariel3":'''Ariel 3''', "opc-job-start":'''IBM Operations Planning and Control Start''', "opc-job-track":'''IBM Operations Planning and Control Track''', "icad-el":'''ICAD''', "smartsdp":'''smartsdp''', "svrloc":'''Server Location''', "ocs-cmu":'''OCS_CMU IANA assigned this well-formed service name as a replacement for "ocs_cmu".''', "ocs_cmu":'''OCS_CMU''', "ocs-amu":'''OCS_AMU IANA assigned this well-formed service name as a replacement for "ocs_amu".''', "ocs_amu":'''OCS_AMU''', "utmpsd":'''UTMPSD''', "utmpcd":'''UTMPCD''', "iasd":'''IASD''', "nnsp":'''NNSP''', "mobileip-agent":'''MobileIP-Agent''', "mobilip-mn":'''MobilIP-MN''', "dna-cml":'''DNA-CML''', "comscm":'''comscm''', "dsfgw":'''dsfgw''', "dasp":'''dasp''', "sgcp":'''sgcp''', "decvms-sysmgt":'''decvms-sysmgt''', "cvc-hostd":'''cvc_hostd IANA assigned this well-formed service name as a replacement for "cvc_hostd".''', "cvc_hostd":'''cvc_hostd''', "https":'''http protocol over TLS/SSL''', "snpp":'''Simple Network Paging Protocol''', "microsoft-ds":'''Microsoft-DS''', "ddm-rdb":'''DDM-Remote Relational Database Access''', "ddm-dfm":'''DDM-Distributed File Management''', "ddm-ssl":'''DDM-Remote DB Access Using Secure Sockets''', "as-servermap":'''AS Server Mapper''', "tserver":'''Computer Supported Telecomunication Applications''', "sfs-smp-net":'''Cray Network Semaphore server''', "sfs-config":'''Cray SFS config server''', "creativeserver":'''CreativeServer''', "contentserver":'''ContentServer''', "creativepartnr":'''CreativePartnr''', "macon-udp":'''macon-udp''', "scohelp":'''scohelp''', "appleqtc":'''apple quick time''', "ampr-rcmd":'''ampr-rcmd''', "skronk":'''skronk''', "datasurfsrv":'''DataRampSrv''', "datasurfsrvsec":'''DataRampSrvSec''', "alpes":'''alpes''', "kpasswd":'''kpasswd''', "igmpv3lite":'''IGMP over UDP for SSM''', "digital-vrc":'''digital-vrc''', "mylex-mapd":'''mylex-mapd''', "photuris":'''proturis''', "rcp":'''Radio Control Protocol''', "scx-proxy":'''scx-proxy''', "mondex":'''Mondex''', "ljk-login":'''ljk-login''', "hybrid-pop":'''hybrid-pop''', "tn-tl-w2":'''tn-tl-w2''', "tcpnethaspsrv":'''tcpnethaspsrv''', "tn-tl-fd1":'''tn-tl-fd1''', "ss7ns":'''ss7ns''', "spsc":'''spsc''', "iafserver":'''iafserver''', "iafdbase":'''iafdbase''', "ph":'''Ph service''', "bgs-nsi":'''bgs-nsi''', "ulpnet":'''ulpnet''', "integra-sme":'''Integra Software Management Environment''', "powerburst":'''Air Soft Power Burst''', "avian":'''avian''', "saft":'''saft Simple Asynchronous File Transfer''', "gss-http":'''gss-http''', "nest-protocol":'''nest-protocol''', "micom-pfs":'''micom-pfs''', "go-login":'''go-login''', "ticf-1":'''Transport Independent Convergence for FNA''', "ticf-2":'''Transport Independent Convergence for FNA''', "pov-ray":'''POV-Ray''', "intecourier":'''intecourier''', "pim-rp-disc":'''PIM-RP-DISC''', "retrospect":'''Retrospect backup and restore service''', "siam":'''siam''', "iso-ill":'''ISO ILL Protocol''', "isakmp":'''isakmp''', "stmf":'''STMF''', "asa-appl-proto":'''asa-appl-proto''', "intrinsa":'''Intrinsa''', "citadel":'''citadel''', "mailbox-lm":'''mailbox-lm''', "ohimsrv":'''ohimsrv''', "crs":'''crs''', "xvttp":'''xvttp''', "snare":'''snare''', "fcp":'''FirstClass Protocol''', "passgo":'''PassGo''', "comsat":'''''', "biff":'''used by mail system to notify users of new mail received; currently receives messages only from processes on the same machine''', "who":'''maintains data bases showing who's logged in to machines on a local net and the load average of the machine''', "syslog":'''''', "printer":'''spooler''', "videotex":'''videotex''', "talk":'''like tenex link, but across machine - unfortunately, doesn't use link protocol (this is actually just a rendezvous port from which a tcp connection is established)''', "ntalk":'''''', "utime":'''unixtime''', "router":'''local routing process (on site); uses variant of Xerox NS routing information protocol - RIP''', "ripng":'''ripng''', "ulp":'''ULP''', "ibm-db2":'''IBM-DB2''', "ncp":'''NCP''', "timed":'''timeserver''', "tempo":'''newdate''', "stx":'''Stock IXChange''', "custix":'''Customer IXChange''', "irc-serv":'''IRC-SERV''', "courier":'''rpc''', "conference":'''chat''', "netnews":'''readnews''', "netwall":'''for emergency broadcasts''', "windream":'''windream Admin''', "iiop":'''iiop''', "opalis-rdv":'''opalis-rdv''', "nmsp":'''Networked Media Streaming Protocol''', "gdomap":'''gdomap''', "apertus-ldp":'''Apertus Technologies Load Determination''', "uucp":'''uucpd''', "uucp-rlogin":'''uucp-rlogin''', "commerce":'''commerce''', "klogin":'''''', "kshell":'''krcmd''', "appleqtcsrvr":'''appleqtcsrvr''', "dhcpv6-client":'''DHCPv6 Client''', "dhcpv6-server":'''DHCPv6 Server''', "afpovertcp":'''AFP over TCP''', "idfp":'''IDFP''', "new-rwho":'''new-who''', "cybercash":'''cybercash''', "devshr-nts":'''DeviceShare''', "pirp":'''pirp''', "rtsp":'''Real Time Streaming Protocol (RTSP)''', "dsf":'''''', "remotefs":'''rfs server''', "openvms-sysipc":'''openvms-sysipc''', "sdnskmp":'''SDNSKMP''', "teedtap":'''TEEDTAP''', "rmonitor":'''rmonitord''', "monitor":'''''', "chshell":'''chcmd''', "nntps":'''nntp protocol over TLS/SSL (was snntp)''', "9pfs":'''plan 9 file service''', "whoami":'''whoami''', "streettalk":'''streettalk''', "banyan-rpc":'''banyan-rpc''', "ms-shuttle":'''microsoft shuttle''', "ms-rome":'''microsoft rome''', "meter":'''demon''', "meter":'''udemon''', "sonar":'''sonar''', "banyan-vip":'''banyan-vip''', "ftp-agent":'''FTP Software Agent System''', "vemmi":'''VEMMI''', "ipcd":'''ipcd''', "vnas":'''vnas''', "ipdd":'''ipdd''', "decbsrv":'''decbsrv''', "sntp-heartbeat":'''SNTP HEARTBEAT''', "bdp":'''Bundle Discovery Protocol''', "scc-security":'''SCC Security''', "philips-vc":'''Philips Video-Conferencing''', "keyserver":'''Key Server''', "password-chg":'''Password Change''', "submission":'''Message Submission''', "cal":'''CAL''', "eyelink":'''EyeLink''', "tns-cml":'''TNS CML''', "http-alt":'''FileMaker, Inc. - HTTP Alternate (see Port 80)''', "eudora-set":'''Eudora Set''', "http-rpc-epmap":'''HTTP RPC Ep Map''', "tpip":'''TPIP''', "cab-protocol":'''CAB Protocol''', "smsd":'''SMSD''', "ptcnameservice":'''PTC Name Service''', "sco-websrvrmg3":'''SCO Web Server Manager 3''', "acp":'''Aeolon Core Protocol''', "ipcserver":'''Sun IPC server''', "syslog-conn":'''Reliable Syslog Service''', "xmlrpc-beep":'''XML-RPC over BEEP''', "idxp":'''IDXP''', "tunnel":'''TUNNEL''', "soap-beep":'''SOAP over BEEP''', "urm":'''Cray Unified Resource Manager''', "nqs":'''nqs''', "sift-uft":'''Sender-Initiated/Unsolicited File Transfer''', "npmp-trap":'''npmp-trap''', "npmp-local":'''npmp-local''', "npmp-gui":'''npmp-gui''', "hmmp-ind":'''HMMP Indication''', "hmmp-op":'''HMMP Operation''', "sshell":'''SSLshell''', "sco-inetmgr":'''Internet Configuration Manager''', "sco-sysmgr":'''SCO System Administration Server''', "sco-dtmgr":'''SCO Desktop Administration Server''', "dei-icda":'''DEI-ICDA''', "compaq-evm":'''Compaq EVM''', "sco-websrvrmgr":'''SCO WebServer Manager''', "escp-ip":'''ESCP''', "collaborator":'''Collaborator''', "asf-rmcp":'''ASF Remote Management and Control Protocol''', "cryptoadmin":'''Crypto Admin''', "dec-dlm":'''DEC DLM IANA assigned this well-formed service name as a replacement for "dec_dlm".''', "dec_dlm":'''DEC DLM''', "asia":'''ASIA''', "passgo-tivoli":'''PassGo Tivoli''', "qmqp":'''QMQP''', "3com-amp3":'''3Com AMP3''', "rda":'''RDA''', "ipp":'''IPP (Internet Printing Protocol)''', "bmpp":'''bmpp''', "servstat":'''Service Status update (Sterling Software)''', "ginad":'''ginad''', "rlzdbase":'''RLZ DBase''', "ldaps":'''ldap protocol over TLS/SSL (was sldap)''', "lanserver":'''lanserver''', "mcns-sec":'''mcns-sec''', "msdp":'''MSDP''', "entrust-sps":'''entrust-sps''', "repcmd":'''repcmd''', "esro-emsdp":'''ESRO-EMSDP V1.3''', "sanity":'''SANity''', "dwr":'''dwr''', "pssc":'''PSSC''', "ldp":'''LDP''', "dhcp-failover":'''DHCP Failover''', "rrp":'''Registry Registrar Protocol (RRP)''', "cadview-3d":'''Cadview-3d - streaming 3d models over the internet''', "obex":'''OBEX''', "ieee-mms":'''IEEE MMS''', "hello-port":'''HELLO_PORT''', "repscmd":'''RepCmd''', "aodv":'''AODV''', "tinc":'''TINC''', "spmp":'''SPMP''', "rmc":'''RMC''', "tenfold":'''TenFold''', "mac-srvr-admin":'''MacOS Server Admin''', "hap":'''HAP''', "pftp":'''PFTP''', "purenoise":'''PureNoise''', "asf-secure-rmcp":'''ASF Secure Remote Management and Control Protocol''', "sun-dr":'''Sun DR''', "mdqs":'''''', "doom":'''doom Id Software''', "disclose":'''campaign contribution disclosures - SDR Technologies''', "mecomm":'''MeComm''', "meregister":'''MeRegister''', "vacdsm-sws":'''VACDSM-SWS''', "vacdsm-app":'''VACDSM-APP''', "vpps-qua":'''VPPS-QUA''', "cimplex":'''CIMPLEX''', "acap":'''ACAP''', "dctp":'''DCTP''', "vpps-via":'''VPPS Via''', "vpp":'''Virtual Presence Protocol''', "ggf-ncp":'''GNU Generation Foundation NCP''', "mrm":'''MRM''', "entrust-aaas":'''entrust-aaas''', "entrust-aams":'''entrust-aams''', "xfr":'''XFR''', "corba-iiop":'''CORBA IIOP''', "corba-iiop-ssl":'''CORBA IIOP SSL''', "mdc-portmapper":'''MDC Port Mapper''', "hcp-wismar":'''Hardware Control Protocol Wismar''', "asipregistry":'''asipregistry''', "realm-rusd":'''ApplianceWare managment protocol''', "nmap":'''NMAP''', "vatp":'''Velazquez Application Transfer Protocol''', "msexch-routing":'''MS Exchange Routing''', "hyperwave-isp":'''Hyperwave-ISP''', "connendp":'''almanid Connection Endpoint''', "ha-cluster":'''ha-cluster''', "ieee-mms-ssl":'''IEEE-MMS-SSL''', "rushd":'''RUSHD''', "uuidgen":'''UUIDGEN''', "olsr":'''OLSR''', "accessnetwork":'''Access Network''', "epp":'''Extensible Provisioning Protocol''', "lmp":'''Link Management Protocol (LMP)''', "iris-beep":'''IRIS over BEEP''', "elcsd":'''errlog copy/server daemon''', "agentx":'''AgentX''', "silc":'''SILC''', "borland-dsj":'''Borland DSJ''', "entrust-kmsh":'''Entrust Key Management Service Handler''', "entrust-ash":'''Entrust Administration Service Handler''', "cisco-tdp":'''Cisco TDP''', "tbrpf":'''TBRPF''', "iris-xpc":'''IRIS over XPC''', "iris-xpcs":'''IRIS over XPCS''', "iris-lwz":'''IRIS-LWZ''', "pana":'''PANA Messages''', "netviewdm1":'''IBM NetView DM/6000 Server/Client''', "netviewdm2":'''IBM NetView DM/6000 send/tcp''', "netviewdm3":'''IBM NetView DM/6000 receive/tcp''', "netgw":'''netGW''', "netrcs":'''Network based Rev. Cont. Sys.''', "flexlm":'''Flexible License Manager''', "fujitsu-dev":'''Fujitsu Device Control''', "ris-cm":'''Russell Info Sci Calendar Manager''', "kerberos-adm":'''kerberos administration''', "loadav":'''''', "kerberos-iv":'''kerberos version iv''', "pump":'''''', "qrh":'''''', "rrh":'''''', "tell":'''send''', "nlogin":'''''', "con":'''''', "ns":'''''', "rxe":'''''', "quotad":'''''', "cycleserv":'''''', "omserv":'''''', "webster":'''''', "phonebook":'''phone''', "vid":'''''', "cadlock":'''''', "rtip":'''''', "cycleserv2":'''''', "notify":'''''', "acmaint-dbd":''' IANA assigned this well-formed service name as a replacement for "acmaint_dbd".''', "acmaint_dbd":'''''', "acmaint-transd":''' IANA assigned this well-formed service name as a replacement for "acmaint_transd".''', "acmaint_transd":'''''', "wpages":'''''', "multiling-http":'''Multiling HTTP''', "wpgs":'''''', "mdbs-daemon":''' IANA assigned this well-formed service name as a replacement for "mdbs_daemon".''', "mdbs_daemon":'''''', "device":'''''', "fcp-udp":'''FCP Datagram''', "itm-mcell-s":'''itm-mcell-s''', "pkix-3-ca-ra":'''PKIX-3 CA/RA''', "netconf-ssh":'''NETCONF over SSH''', "netconf-beep":'''NETCONF over BEEP''', "netconfsoaphttp":'''NETCONF for SOAP over HTTPS''', "netconfsoapbeep":'''NETCONF for SOAP over BEEP''', "dhcp-failover2":'''dhcp-failover 2''', "gdoi":'''GDOI''', "iscsi":'''iSCSI''', "owamp-control":'''OWAMP-Control''', "twamp-control":'''Two-way Active Measurement Protocol (TWAMP) Control''', "rsync":'''rsync''', "iclcnet-locate":'''ICL coNETion locate server''', "iclcnet-svinfo":'''ICL coNETion server info IANA assigned this well-formed service name as a replacement for "iclcnet_svinfo".''', "iclcnet_svinfo":'''ICL coNETion server info''', "accessbuilder":'''AccessBuilder''', "omginitialrefs":'''OMG Initial Refs''', "smpnameres":'''SMPNAMERES''', "ideafarm-door":'''self documenting Door: send 0x00 for info''', "ideafarm-panic":'''self documenting Panic Door: send 0x00 for info''', "kink":'''Kerberized Internet Negotiation of Keys (KINK)''', "xact-backup":'''xact-backup''', "apex-mesh":'''APEX relay-relay service''', "apex-edge":'''APEX endpoint-relay service''', "ftps-data":'''ftp protocol, data, over TLS/SSL''', "ftps":'''ftp protocol, control, over TLS/SSL''', "nas":'''Netnews Administration System''', "telnets":'''telnet protocol over TLS/SSL''', "imaps":'''imap4 protocol over TLS/SSL''', "pop3s":'''pop3 protocol over TLS/SSL (was spop3)''', "vsinet":'''vsinet''', "maitrd":'''''', "puparp":'''''', "applix":'''Applix ac''', "puprouter":'''''', "cadlock2":'''''', "surf":'''surf''', "exp1":'''RFC3692-style Experiment 1''', "exp2":'''RFC3692-style Experiment 2''', "blackjack":'''network blackjack''', "cap":'''Calendar Access Protocol''', "6a44":'''IPv6 Behind NAT44 CPEs''', "solid-mux":'''Solid Mux Server''', "iad1":'''BBN IAD''', "iad2":'''BBN IAD''', "iad3":'''BBN IAD''', "netinfo-local":'''local netinfo port''', "activesync":'''ActiveSync Notifications''', "mxxrlogin":'''MX-XR RPC''', "nsstp":'''Nebula Secure Segment Transfer Protocol''', "ams":'''AMS''', "mtqp":'''Message Tracking Query Protocol''', "sbl":'''Streamlined Blackhole''', "netarx":'''Netarx Netcare''', "danf-ak2":'''AK2 Product''', "afrog":'''Subnet Roaming''', "boinc-client":'''BOINC Client Control''', "dcutility":'''Dev Consortium Utility''', "fpitp":'''Fingerprint Image Transfer Protocol''', "wfremotertm":'''WebFilter Remote Monitor''', "neod1":'''Sun's NEO Object Request Broker''', "neod2":'''Sun's NEO Object Request Broker''', "td-postman":'''Tobit David Postman VPMN''', "cma":'''CORBA Management Agent''', "optima-vnet":'''Optima VNET''', "ddt":'''Dynamic DNS Tools''', "remote-as":'''Remote Assistant (RA)''', "brvread":'''BRVREAD''', "ansyslmd":'''ANSYS - License Manager''', "vfo":'''VFO''', "startron":'''STARTRON''', "nim":'''nim''', "nimreg":'''nimreg''', "polestar":'''POLESTAR''', "kiosk":'''KIOSK''', "veracity":'''Veracity''', "kyoceranetdev":'''KyoceraNetDev''', "jstel":'''JSTEL''', "syscomlan":'''SYSCOMLAN''', "fpo-fns":'''FPO-FNS''', "instl-boots":'''Installation Bootstrap Proto. Serv. IANA assigned this well-formed service name as a replacement for "instl_boots".''', "instl_boots":'''Installation Bootstrap Proto. Serv.''', "instl-bootc":'''Installation Bootstrap Proto. Cli. IANA assigned this well-formed service name as a replacement for "instl_bootc".''', "instl_bootc":'''Installation Bootstrap Proto. Cli.''', "cognex-insight":'''COGNEX-INSIGHT''', "gmrupdateserv":'''GMRUpdateSERV''', "bsquare-voip":'''BSQUARE-VOIP''', "cardax":'''CARDAX''', "bridgecontrol":'''Bridge Control''', "warmspotMgmt":'''Warmspot Management Protocol''', "rdrmshc":'''RDRMSHC''', "dab-sti-c":'''DAB STI-C''', "imgames":'''IMGames''', "avocent-proxy":'''Avocent Proxy Protocol''', "asprovatalk":'''ASPROVATalk''', "socks":'''Socks''', "pvuniwien":'''PVUNIWIEN''', "amt-esd-prot":'''AMT-ESD-PROT''', "ansoft-lm-1":'''Anasoft License Manager''', "ansoft-lm-2":'''Anasoft License Manager''', "webobjects":'''Web Objects''', "cplscrambler-lg":'''CPL Scrambler Logging''', "cplscrambler-in":'''CPL Scrambler Internal''', "cplscrambler-al":'''CPL Scrambler Alarm Log''', "ff-annunc":'''FF Annunciation''', "ff-fms":'''FF Fieldbus Message Specification''', "ff-sm":'''FF System Management''', "obrpd":'''Open Business Reporting Protocol''', "proofd":'''PROOFD''', "rootd":'''ROOTD''', "nicelink":'''NICELink''', "cnrprotocol":'''Common Name Resolution Protocol''', "sunclustermgr":'''Sun Cluster Manager''', "rmiactivation":'''RMI Activation''', "rmiregistry":'''RMI Registry''', "mctp":'''MCTP''', "pt2-discover":'''PT2-DISCOVER''', "adobeserver-1":'''ADOBE SERVER 1''', "adobeserver-2":'''ADOBE SERVER 2''', "xrl":'''XRL''', "ftranhc":'''FTRANHC''', "isoipsigport-1":'''ISOIPSIGPORT-1''', "isoipsigport-2":'''ISOIPSIGPORT-2''', "ratio-adp":'''ratio-adp''', "nfsd-keepalive":'''Client status info''', "lmsocialserver":'''LM Social Server''', "icp":'''Intelligent Communication Protocol''', "ltp-deepspace":'''Licklider Transmission Protocol''', "mini-sql":'''Mini SQL''', "ardus-trns":'''ARDUS Transfer''', "ardus-cntl":'''ARDUS Control''', "ardus-mtrns":'''ARDUS Multicast Transfer''', "sacred":'''SACRED''', "bnetgame":'''Battle.net Chat/Game Protocol''', "bnetfile":'''Battle.net File Transfer Protocol''', "rmpp":'''Datalode RMPP''', "availant-mgr":'''availant-mgr''', "murray":'''Murray''', "hpvmmcontrol":'''HP VMM Control''', "hpvmmagent":'''HP VMM Agent''', "hpvmmdata":'''HP VMM Agent''', "kwdb-commn":'''KWDB Remote Communication''', "saphostctrl":'''SAPHostControl over SOAP/HTTP''', "saphostctrls":'''SAPHostControl over SOAP/HTTPS''', "casp":'''CAC App Service Protocol''', "caspssl":'''CAC App Service Protocol Encripted''', "kvm-via-ip":'''KVM-via-IP Management Service''', "dfn":'''Data Flow Network''', "aplx":'''MicroAPL APLX''', "omnivision":'''OmniVision Communication Service''', "hhb-gateway":'''HHB Gateway Control''', "trim":'''TRIM Workgroup Service''', "encrypted-admin":'''encrypted admin requests IANA assigned this well-formed service name as a replacement for "encrypted_admin".''', "encrypted_admin":'''encrypted admin requests''', "evm":'''Enterprise Virtual Manager''', "autonoc":'''AutoNOC Network Operations Protocol''', "mxomss":'''User Message Service''', "edtools":'''User Discovery Service''', "imyx":'''Infomatryx Exchange''', "fuscript":'''Fusion Script''', "x9-icue":'''X9 iCue Show Control''', "audit-transfer":'''audit transfer''', "capioverlan":'''CAPIoverLAN''', "elfiq-repl":'''Elfiq Replication Service''', "bvtsonar":'''BVT Sonar Service''', "blaze":'''Blaze File Server''', "unizensus":'''Unizensus Login Server''', "winpoplanmess":'''Winpopup LAN Messenger''', "c1222-acse":'''ANSI C12.22 Port''', "resacommunity":'''Community Service''', "nfa":'''Network File Access''', "iascontrol-oms":'''iasControl OMS''', "iascontrol":'''Oracle iASControl''', "dbcontrol-oms":'''dbControl OMS''', "oracle-oms":'''Oracle OMS''', "olsv":'''DB Lite Mult-User Server''', "health-polling":'''Health Polling''', "health-trap":'''Health Trap''', "sddp":'''SmartDialer Data Protocol''', "qsm-proxy":'''QSM Proxy Service''', "qsm-gui":'''QSM GUI Service''', "qsm-remote":'''QSM RemoteExec''', "cisco-ipsla":'''Cisco IP SLAs Control Protocol''', "vchat":'''VChat Conference Service''', "tripwire":'''TRIPWIRE''', "atc-lm":'''AT+C License Manager''', "atc-appserver":'''AT+C FmiApplicationServer''', "dnap":'''DNA Protocol''', "d-cinema-rrp":'''D-Cinema Request-Response''', "fnet-remote-ui":'''FlashNet Remote Admin''', "dossier":'''Dossier Server''', "indigo-server":'''Indigo Home Server''', "dkmessenger":'''DKMessenger Protocol''', "sgi-storman":'''SGI Storage Manager''', "b2n":'''Backup To Neighbor''', "mc-client":'''Millicent Client Proxy''', "3comnetman":'''3Com Net Management''', "accelenet-data":'''AcceleNet Data''', "llsurfup-http":'''LL Surfup HTTP''', "llsurfup-https":'''LL Surfup HTTPS''', "catchpole":'''Catchpole port''', "mysql-cluster":'''MySQL Cluster Manager''', "alias":'''Alias Service''', "hp-webadmin":'''HP Web Admin''', "unet":'''Unet Connection''', "commlinx-avl":'''CommLinx GPS / AVL System''', "gpfs":'''General Parallel File System''', "caids-sensor":'''caids sensors channel''', "fiveacross":'''Five Across Server''', "openvpn":'''OpenVPN''', "rsf-1":'''RSF-1 clustering''', "netmagic":'''Network Magic''', "carrius-rshell":'''Carrius Remote Access''', "cajo-discovery":'''cajo reference discovery''', "dmidi":'''DMIDI''', "scol":'''SCOL''', "nucleus-sand":'''Nucleus Sand Database Server''', "caiccipc":'''caiccipc''', "ssslic-mgr":'''License Validation''', "ssslog-mgr":'''Log Request Listener''', "accord-mgc":'''Accord-MGC''', "anthony-data":'''Anthony Data''', "metasage":'''MetaSage''', "seagull-ais":'''SEAGULL AIS''', "ipcd3":'''IPCD3''', "eoss":'''EOSS''', "groove-dpp":'''Groove DPP''', "lupa":'''lupa''', "mpc-lifenet":'''MPC LIFENET''', "kazaa":'''KAZAA''', "scanstat-1":'''scanSTAT 1.0''', "etebac5":'''ETEBAC 5''', "hpss-ndapi":'''HPSS NonDCE Gateway''', "aeroflight-ads":'''AeroFlight-ADs''', "aeroflight-ret":'''AeroFlight-Ret''', "qt-serveradmin":'''QT SERVER ADMIN''', "sweetware-apps":'''SweetWARE Apps''', "nerv":'''SNI R&D network''', "tgp":'''TrulyGlobal Protocol''', "vpnz":'''VPNz''', "slinkysearch":'''SLINKYSEARCH''', "stgxfws":'''STGXFWS''', "dns2go":'''DNS2Go''', "florence":'''FLORENCE''', "zented":'''ZENworks Tiered Electronic Distribution''', "periscope":'''Periscope''', "menandmice-lpm":'''menandmice-lpm''', "univ-appserver":'''Universal App Server''', "search-agent":'''Infoseek Search Agent''', "mosaicsyssvc1":'''mosaicsyssvc1''', "bvcontrol":'''bvcontrol''', "tsdos390":'''tsdos390''', "hacl-qs":'''hacl-qs''', "nmsd":'''NMSD''', "instantia":'''Instantia''', "nessus":'''nessus''', "nmasoverip":'''NMAS over IP''', "serialgateway":'''SerialGateway''', "isbconference1":'''isbconference1''', "isbconference2":'''isbconference2''', "payrouter":'''payrouter''', "visionpyramid":'''VisionPyramid''', "hermes":'''hermes''', "mesavistaco":'''Mesa Vista Co''', "swldy-sias":'''swldy-sias''', "servergraph":'''servergraph''', "bspne-pcc":'''bspne-pcc''', "q55-pcc":'''q55-pcc''', "de-noc":'''de-noc''', "de-cache-query":'''de-cache-query''', "de-server":'''de-server''', "shockwave2":'''Shockwave 2''', "opennl":'''Open Network Library''', "opennl-voice":'''Open Network Library Voice''', "ibm-ssd":'''ibm-ssd''', "mpshrsv":'''mpshrsv''', "qnts-orb":'''QNTS-ORB''', "dka":'''dka''', "prat":'''PRAT''', "dssiapi":'''DSSIAPI''', "dellpwrappks":'''DELLPWRAPPKS''', "epc":'''eTrust Policy Compliance''', "propel-msgsys":'''PROPEL-MSGSYS''', "watilapp":'''WATiLaPP''', "opsmgr":'''Microsoft Operations Manager''', "excw":'''eXcW''', "cspmlockmgr":'''CSPMLockMgr''', "emc-gateway":'''EMC-Gateway''', "t1distproc":'''t1distproc''', "ivcollector":'''ivcollector''', "ivmanager":'''ivmanager''', "miva-mqs":'''mqs''', "dellwebadmin-1":'''Dell Web Admin 1''', "dellwebadmin-2":'''Dell Web Admin 2''', "pictrography":'''Pictrography''', "healthd":'''healthd''', "emperion":'''Emperion''', "productinfo":'''Product Information''', "iee-qfx":'''IEE-QFX''', "neoiface":'''neoiface''', "netuitive":'''netuitive''', "routematch":'''RouteMatch Com''', "navbuddy":'''NavBuddy''', "jwalkserver":'''JWalkServer''', "winjaserver":'''WinJaServer''', "seagulllms":'''SEAGULLLMS''', "dsdn":'''dsdn''', "pkt-krb-ipsec":'''PKT-KRB-IPSec''', "cmmdriver":'''CMMdriver''', "ehtp":'''End-by-Hop Transmission Protocol''', "dproxy":'''dproxy''', "sdproxy":'''sdproxy''', "lpcp":'''lpcp''', "hp-sci":'''hp-sci''', "h323hostcallsc":'''H323 Host Call Secure''', "ci3-software-1":'''CI3-Software-1''', "ci3-software-2":'''CI3-Software-2''', "sftsrv":'''sftsrv''', "boomerang":'''Boomerang''', "pe-mike":'''pe-mike''', "re-conn-proto":'''RE-Conn-Proto''', "pacmand":'''Pacmand''', "odsi":'''Optical Domain Service Interconnect (ODSI)''', "jtag-server":'''JTAG server''', "husky":'''Husky''', "rxmon":'''RxMon''', "sti-envision":'''STI Envision''', "bmc-patroldb":'''BMC_PATROLDB IANA assigned this well-formed service name as a replacement for "bmc_patroldb".''', "bmc_patroldb":'''BMC_PATROLDB''', "pdps":'''Photoscript Distributed Printing System''', "els":'''E.L.S., Event Listener Service''', "exbit-escp":'''Exbit-ESCP''', "vrts-ipcserver":'''vrts-ipcserver''', "krb5gatekeeper":'''krb5gatekeeper''', "amx-icsp":'''AMX-ICSP''', "amx-axbnet":'''AMX-AXBNET''', "pip":'''PIP''', "novation":'''Novation''', "brcd":'''brcd''', "delta-mcp":'''delta-mcp''', "dx-instrument":'''DX-Instrument''', "wimsic":'''WIMSIC''', "ultrex":'''Ultrex''', "ewall":'''EWALL''', "netdb-export":'''netdb-export''', "streetperfect":'''StreetPerfect''', "intersan":'''intersan''', "pcia-rxp-b":'''PCIA RXP-B''', "passwrd-policy":'''Password Policy''', "writesrv":'''writesrv''', "digital-notary":'''Digital Notary Protocol''', "ischat":'''Instant Service Chat''', "menandmice-dns":'''menandmice DNS''', "wmc-log-svc":'''WMC-log-svr''', "kjtsiteserver":'''kjtsiteserver''', "naap":'''NAAP''', "qubes":'''QuBES''', "esbroker":'''ESBroker''', "re101":'''re101''', "icap":'''ICAP''', "vpjp":'''VPJP''', "alta-ana-lm":'''Alta Analytics License Manager''', "bbn-mmc":'''multi media conferencing''', "bbn-mmx":'''multi media conferencing''', "sbook":'''Registration Network Protocol''', "editbench":'''Registration Network Protocol''', "equationbuilder":'''Digital Tool Works (MIT)''', "lotusnote":'''Lotus Note''', "relief":'''Relief Consulting''', "XSIP-network":'''Five Across XSIP Network''', "intuitive-edge":'''Intuitive Edge''', "cuillamartin":'''CuillaMartin Company''', "pegboard":'''Electronic PegBoard''', "connlcli":'''CONNLCLI''', "ftsrv":'''FTSRV''', "mimer":'''MIMER''', "linx":'''LinX''', "timeflies":'''TimeFlies''', "ndm-requester":'''Network DataMover Requester''', "ndm-server":'''Network DataMover Server''', "adapt-sna":'''Network Software Associates''', "netware-csp":'''Novell NetWare Comm Service Platform''', "dcs":'''DCS''', "screencast":'''ScreenCast''', "gv-us":'''GlobalView to Unix Shell''', "us-gv":'''Unix Shell to GlobalView''', "fc-cli":'''Fujitsu Config Protocol''', "fc-ser":'''Fujitsu Config Protocol''', "chromagrafx":'''Chromagrafx''', "molly":'''EPI Software Systems''', "bytex":'''Bytex''', "ibm-pps":'''IBM Person to Person Software''', "cichlid":'''Cichlid License Manager''', "elan":'''Elan License Manager''', "dbreporter":'''Integrity Solutions''', "telesis-licman":'''Telesis Network License Manager''', "apple-licman":'''Apple Network License Manager''', "udt-os":'''udt_os IANA assigned this well-formed service name as a replacement for "udt_os".''', "udt_os":'''udt_os''', "gwha":'''GW Hannaway Network License Manager''', "os-licman":'''Objective Solutions License Manager''', "atex-elmd":'''Atex Publishing License Manager IANA assigned this well-formed service name as a replacement for "atex_elmd".''', "atex_elmd":'''Atex Publishing License Manager''', "checksum":'''CheckSum License Manager''', "cadsi-lm":'''Computer Aided Design Software Inc LM''', "objective-dbc":'''Objective Solutions DataBase Cache''', "iclpv-dm":'''Document Manager''', "iclpv-sc":'''Storage Controller''', "iclpv-sas":'''Storage Access Server''', "iclpv-pm":'''Print Manager''', "iclpv-nls":'''Network Log Server''', "iclpv-nlc":'''Network Log Client''', "iclpv-wsm":'''PC Workstation Manager software''', "dvl-activemail":'''DVL Active Mail''', "audio-activmail":'''Audio Active Mail''', "video-activmail":'''Video Active Mail''', "cadkey-licman":'''Cadkey License Manager''', "cadkey-tablet":'''Cadkey Tablet Daemon''', "goldleaf-licman":'''Goldleaf License Manager''', "prm-sm-np":'''Prospero Resource Manager''', "prm-nm-np":'''Prospero Resource Manager''', "igi-lm":'''Infinite Graphics License Manager''', "ibm-res":'''IBM Remote Execution Starter''', "netlabs-lm":'''NetLabs License Manager''', "dbsa-lm":'''DBSA License Manager''', "sophia-lm":'''Sophia License Manager''', "here-lm":'''Here License Manager''', "hiq":'''HiQ License Manager''', "af":'''AudioFile''', "innosys":'''InnoSys''', "innosys-acl":'''Innosys-ACL''', "ibm-mqseries":'''IBM MQSeries''', "dbstar":'''DBStar''', "novell-lu6-2":'''Novell LU6.2 IANA assigned this well-formed service name as a replacement for "novell-lu6.2".''', "novell-lu6.2":'''Novell LU6.2''', "timbuktu-srv1":'''Timbuktu Service 1 Port''', "timbuktu-srv2":'''Timbuktu Service 2 Port''', "timbuktu-srv3":'''Timbuktu Service 3 Port''', "timbuktu-srv4":'''Timbuktu Service 4 Port''', "gandalf-lm":'''Gandalf License Manager''', "autodesk-lm":'''Autodesk License Manager''', "essbase":'''Essbase Arbor Software''', "hybrid":'''Hybrid Encryption Protocol''', "zion-lm":'''Zion Software License Manager''', "sais":'''Satellite-data Acquisition System 1''', "mloadd":'''mloadd monitoring tool''', "informatik-lm":'''Informatik License Manager''', "nms":'''Hypercom NMS''', "tpdu":'''Hypercom TPDU''', "rgtp":'''Reverse Gossip Transport''', "blueberry-lm":'''Blueberry Software License Manager''', "ms-sql-s":'''Microsoft-SQL-Server''', "ms-sql-m":'''Microsoft-SQL-Monitor''', "ibm-cics":'''IBM CICS''', "saism":'''Satellite-data Acquisition System 2''', "tabula":'''Tabula''', "eicon-server":'''Eicon Security Agent/Server''', "eicon-x25":'''Eicon X25/SNA Gateway''', "eicon-slp":'''Eicon Service Location Protocol''', "cadis-1":'''Cadis License Management''', "cadis-2":'''Cadis License Management''', "ies-lm":'''Integrated Engineering Software''', "marcam-lm":'''Marcam License Management''', "proxima-lm":'''Proxima License Manager''', "ora-lm":'''Optical Research Associates License Manager''', "apri-lm":'''Applied Parallel Research LM''', "oc-lm":'''OpenConnect License Manager''', "peport":'''PEport''', "dwf":'''Tandem Distributed Workbench Facility''', "infoman":'''IBM Information Management''', "gtegsc-lm":'''GTE Government Systems License Man''', "genie-lm":'''Genie License Manager''', "interhdl-elmd":'''interHDL License Manager IANA assigned this well-formed service name as a replacement for "interhdl_elmd".''', "interhdl_elmd":'''interHDL License Manager''', "esl-lm":'''ESL License Manager''', "dca":'''DCA''', "valisys-lm":'''Valisys License Manager''', "nrcabq-lm":'''Nichols Research Corp.''', "proshare1":'''Proshare Notebook Application''', "proshare2":'''Proshare Notebook Application''', "ibm-wrless-lan":'''IBM Wireless LAN IANA assigned this well-formed service name as a replacement for "ibm_wrless_lan".''', "ibm_wrless_lan":'''IBM Wireless LAN''', "world-lm":'''World License Manager''', "nucleus":'''Nucleus''', "msl-lmd":'''MSL License Manager IANA assigned this well-formed service name as a replacement for "msl_lmd".''', "msl_lmd":'''MSL License Manager''', "pipes":'''Pipes Platform''', "oceansoft-lm":'''Ocean Software License Manager''', "csdmbase":'''CSDMBASE''', "csdm":'''CSDM''', "aal-lm":'''Active Analysis Limited License Manager''', "uaiact":'''Universal Analytics''', "csdmbase":'''csdmbase''', "csdm":'''csdm''', "openmath":'''OpenMath''', "telefinder":'''Telefinder''', "taligent-lm":'''Taligent License Manager''', "clvm-cfg":'''clvm-cfg''', "ms-sna-server":'''ms-sna-server''', "ms-sna-base":'''ms-sna-base''', "dberegister":'''dberegister''', "pacerforum":'''PacerForum''', "airs":'''AIRS''', "miteksys-lm":'''Miteksys License Manager''', "afs":'''AFS License Manager''', "confluent":'''Confluent License Manager''', "lansource":'''LANSource''', "nms-topo-serv":'''nms_topo_serv IANA assigned this well-formed service name as a replacement for "nms_topo_serv".''', "nms_topo_serv":'''nms_topo_serv''', "localinfosrvr":'''LocalInfoSrvr''', "docstor":'''DocStor''', "dmdocbroker":'''dmdocbroker''', "insitu-conf":'''insitu-conf''', "stone-design-1":'''stone-design-1''', "netmap-lm":'''netmap_lm IANA assigned this well-formed service name as a replacement for "netmap_lm".''', "netmap_lm":'''netmap_lm''', "ica":'''ica''', "cvc":'''cvc''', "liberty-lm":'''liberty-lm''', "rfx-lm":'''rfx-lm''', "sybase-sqlany":'''Sybase SQL Any''', "fhc":'''Federico Heinz Consultora''', "vlsi-lm":'''VLSI License Manager''', "saiscm":'''Satellite-data Acquisition System 3''', "shivadiscovery":'''Shiva''', "imtc-mcs":'''Databeam''', "evb-elm":'''EVB Software Engineering License Manager''', "funkproxy":'''Funk Software, Inc.''', "utcd":'''Universal Time daemon (utcd)''', "symplex":'''symplex''', "diagmond":'''diagmond''', "robcad-lm":'''Robcad, Ltd. License Manager''', "mvx-lm":'''Midland Valley Exploration Ltd. Lic. Man.''', "3l-l1":'''3l-l1''', "wins":'''Microsoft's Windows Internet Name Service''', "fujitsu-dtc":'''Fujitsu Systems Business of America, Inc''', "fujitsu-dtcns":'''Fujitsu Systems Business of America, Inc''', "ifor-protocol":'''ifor-protocol''', "vpad":'''Virtual Places Audio data''', "vpac":'''Virtual Places Audio control''', "vpvd":'''Virtual Places Video data''', "vpvc":'''Virtual Places Video control''', "atm-zip-office":'''atm zip office''', "ncube-lm":'''nCube License Manager''', "ricardo-lm":'''Ricardo North America License Manager''', "cichild-lm":'''cichild''', "ingreslock":'''ingres''', "orasrv":'''oracle''', "prospero-np":'''Prospero Directory Service non-priv''', "pdap-np":'''Prospero Data Access Prot non-priv''', "tlisrv":'''oracle''', "coauthor":'''oracle''', "rap-service":'''rap-service''', "rap-listen":'''rap-listen''', "miroconnect":'''miroconnect''', "virtual-places":'''Virtual Places Software''', "micromuse-lm":'''micromuse-lm''', "ampr-info":'''ampr-info''', "ampr-inter":'''ampr-inter''', "sdsc-lm":'''isi-lm''', "3ds-lm":'''3ds-lm''', "intellistor-lm":'''Intellistor License Manager''', "rds":'''rds''', "rds2":'''rds2''', "gridgen-elmd":'''gridgen-elmd''', "simba-cs":'''simba-cs''', "aspeclmd":'''aspeclmd''', "vistium-share":'''vistium-share''', "abbaccuray":'''abbaccuray''', "laplink":'''laplink''', "axon-lm":'''Axon License Manager''', "shivasound":'''Shiva Sound''', "3m-image-lm":'''Image Storage license manager 3M Company''', "hecmtl-db":'''HECMTL-DB''', "pciarray":'''pciarray''', "sna-cs":'''sna-cs''', "caci-lm":'''CACI Products Company License Manager''', "livelan":'''livelan''', "veritas-pbx":'''VERITAS Private Branch Exchange IANA assigned this well-formed service name as a replacement for "veritas_pbx".''', "veritas_pbx":'''VERITAS Private Branch Exchange''', "arbortext-lm":'''ArborText License Manager''', "xingmpeg":'''xingmpeg''', "web2host":'''web2host''', "asci-val":'''ASCI-RemoteSHADOW''', "facilityview":'''facilityview''', "pconnectmgr":'''pconnectmgr''', "cadabra-lm":'''Cadabra License Manager''', "pay-per-view":'''Pay-Per-View''', "winddlb":'''WinDD''', "corelvideo":'''CORELVIDEO''', "jlicelmd":'''jlicelmd''', "tsspmap":'''tsspmap''', "ets":'''ets''', "orbixd":'''orbixd''', "rdb-dbs-disp":'''Oracle Remote Data Base''', "chip-lm":'''Chipcom License Manager''', "itscomm-ns":'''itscomm-ns''', "mvel-lm":'''mvel-lm''', "oraclenames":'''oraclenames''', "moldflow-lm":'''Moldflow License Manager''', "hypercube-lm":'''hypercube-lm''', "jacobus-lm":'''Jacobus License Manager''', "ioc-sea-lm":'''ioc-sea-lm''', "tn-tl-r2":'''tn-tl-r2''', "mil-2045-47001":'''MIL-2045-47001''', "msims":'''MSIMS''', "simbaexpress":'''simbaexpress''', "tn-tl-fd2":'''tn-tl-fd2''', "intv":'''intv''', "ibm-abtact":'''ibm-abtact''', "pra-elmd":'''pra_elmd IANA assigned this well-formed service name as a replacement for "pra_elmd".''', "pra_elmd":'''pra_elmd''', "triquest-lm":'''triquest-lm''', "vqp":'''VQP''', "gemini-lm":'''gemini-lm''', "ncpm-pm":'''ncpm-pm''', "commonspace":'''commonspace''', "mainsoft-lm":'''mainsoft-lm''', "sixtrak":'''sixtrak''', "radio":'''radio''', "radio-bc":'''radio-bc''', "orbplus-iiop":'''orbplus-iiop''', "picknfs":'''picknfs''', "simbaservices":'''simbaservices''', "issd":'''issd''', "aas":'''aas''', "inspect":'''inspect''', "picodbc":'''pickodbc''', "icabrowser":'''icabrowser''', "slp":'''Salutation Manager (Salutation Protocol)''', "slm-api":'''Salutation Manager (SLM-API)''', "stt":'''stt''', "smart-lm":'''Smart Corp. License Manager''', "isysg-lm":'''isysg-lm''', "taurus-wh":'''taurus-wh''', "ill":'''Inter Library Loan''', "netbill-trans":'''NetBill Transaction Server''', "netbill-keyrep":'''NetBill Key Repository''', "netbill-cred":'''NetBill Credential Server''', "netbill-auth":'''NetBill Authorization Server''', "netbill-prod":'''NetBill Product Server''', "nimrod-agent":'''Nimrod Inter-Agent Communication''', "skytelnet":'''skytelnet''', "xs-openstorage":'''xs-openstorage''', "faxportwinport":'''faxportwinport''', "softdataphone":'''softdataphone''', "ontime":'''ontime''', "jaleosnd":'''jaleosnd''', "udp-sr-port":'''udp-sr-port''', "svs-omagent":'''svs-omagent''', "shockwave":'''Shockwave''', "t128-gateway":'''T.128 Gateway''', "lontalk-norm":'''LonTalk normal''', "lontalk-urgnt":'''LonTalk urgent''', "oraclenet8cman":'''Oracle Net8 Cman''', "visitview":'''Visit view''', "pammratc":'''PAMMRATC''', "pammrpc":'''PAMMRPC''', "loaprobe":'''Log On America Probe''', "edb-server1":'''EDB Server 1''', "isdc":'''ISP shared public data control''', "islc":'''ISP shared local data control''', "ismc":'''ISP shared management control''', "cert-initiator":'''cert-initiator''', "cert-responder":'''cert-responder''', "invision":'''InVision''', "isis-am":'''isis-am''', "isis-ambc":'''isis-ambc''', "saiseh":'''Satellite-data Acquisition System 4''', "sightline":'''SightLine''', "sa-msg-port":'''sa-msg-port''', "rsap":'''rsap''', "concurrent-lm":'''concurrent-lm''', "kermit":'''kermit''', "nkd":'''nkd''', "shiva-confsrvr":'''shiva_confsrvr IANA assigned this well-formed service name as a replacement for "shiva_confsrvr".''', "shiva_confsrvr":'''shiva_confsrvr''', "xnmp":'''xnmp''', "alphatech-lm":'''alphatech-lm''', "stargatealerts":'''stargatealerts''', "dec-mbadmin":'''dec-mbadmin''', "dec-mbadmin-h":'''dec-mbadmin-h''', "fujitsu-mmpdc":'''fujitsu-mmpdc''', "sixnetudr":'''sixnetudr''', "sg-lm":'''Silicon Grail License Manager''', "skip-mc-gikreq":'''skip-mc-gikreq''', "netview-aix-1":'''netview-aix-1''', "netview-aix-2":'''netview-aix-2''', "netview-aix-3":'''netview-aix-3''', "netview-aix-4":'''netview-aix-4''', "netview-aix-5":'''netview-aix-5''', "netview-aix-6":'''netview-aix-6''', "netview-aix-7":'''netview-aix-7''', "netview-aix-8":'''netview-aix-8''', "netview-aix-9":'''netview-aix-9''', "netview-aix-10":'''netview-aix-10''', "netview-aix-11":'''netview-aix-11''', "netview-aix-12":'''netview-aix-12''', "proshare-mc-1":'''Intel Proshare Multicast''', "proshare-mc-2":'''Intel Proshare Multicast''', "pdp":'''Pacific Data Products''', "netcomm2":'''netcomm2''', "groupwise":'''groupwise''', "prolink":'''prolink''', "darcorp-lm":'''darcorp-lm''', "microcom-sbp":'''microcom-sbp''', "sd-elmd":'''sd-elmd''', "lanyon-lantern":'''lanyon-lantern''', "ncpm-hip":'''ncpm-hip''', "snaresecure":'''SnareSecure''', "n2nremote":'''n2nremote''', "cvmon":'''cvmon''', "nsjtp-ctrl":'''nsjtp-ctrl''', "nsjtp-data":'''nsjtp-data''', "firefox":'''firefox''', "ng-umds":'''ng-umds''', "empire-empuma":'''empire-empuma''', "sstsys-lm":'''sstsys-lm''', "rrirtr":'''rrirtr''', "rrimwm":'''rrimwm''', "rrilwm":'''rrilwm''', "rrifmm":'''rrifmm''', "rrisat":'''rrisat''', "rsvp-encap-1":'''RSVP-ENCAPSULATION-1''', "rsvp-encap-2":'''RSVP-ENCAPSULATION-2''', "mps-raft":'''mps-raft''', "l2f":'''l2f''', "l2tp":'''l2tp''', "deskshare":'''deskshare''', "hb-engine":'''hb-engine''', "bcs-broker":'''bcs-broker''', "slingshot":'''slingshot''', "jetform":'''jetform''', "vdmplay":'''vdmplay''', "gat-lmd":'''gat-lmd''', "centra":'''centra''', "impera":'''impera''', "pptconference":'''pptconference''', "registrar":'''resource monitoring service''', "conferencetalk":'''ConferenceTalk''', "sesi-lm":'''sesi-lm''', "houdini-lm":'''houdini-lm''', "xmsg":'''xmsg''', "fj-hdnet":'''fj-hdnet''', "h323gatedisc":'''h323gatedisc''', "h323gatestat":'''h323gatestat''', "h323hostcall":'''h323hostcall''', "caicci":'''caicci''', "hks-lm":'''HKS License Manager''', "pptp":'''pptp''', "csbphonemaster":'''csbphonemaster''', "iden-ralp":'''iden-ralp''', "iberiagames":'''IBERIAGAMES''', "winddx":'''winddx''', "telindus":'''TELINDUS''', "citynl":'''CityNL License Management''', "roketz":'''roketz''', "msiccp":'''MSICCP''', "proxim":'''proxim''', "siipat":'''SIMS - SIIPAT Protocol for Alarm Transmission''', "cambertx-lm":'''Camber Corporation License Management''', "privatechat":'''PrivateChat''', "street-stream":'''street-stream''', "ultimad":'''ultimad''', "gamegen1":'''GameGen1''', "webaccess":'''webaccess''', "encore":'''encore''', "cisco-net-mgmt":'''cisco-net-mgmt''', "3Com-nsd":'''3Com-nsd''', "cinegrfx-lm":'''Cinema Graphics License Manager''', "ncpm-ft":'''ncpm-ft''', "remote-winsock":'''remote-winsock''', "ftrapid-1":'''ftrapid-1''', "ftrapid-2":'''ftrapid-2''', "oracle-em1":'''oracle-em1''', "aspen-services":'''aspen-services''', "sslp":'''Simple Socket Library's PortMaster''', "swiftnet":'''SwiftNet''', "lofr-lm":'''Leap of Faith Research License Manager''', "oracle-em2":'''oracle-em2''', "ms-streaming":'''ms-streaming''', "capfast-lmd":'''capfast-lmd''', "cnhrp":'''cnhrp''', "tftp-mcast":'''tftp-mcast''', "spss-lm":'''SPSS License Manager''', "www-ldap-gw":'''www-ldap-gw''', "cft-0":'''cft-0''', "cft-1":'''cft-1''', "cft-2":'''cft-2''', "cft-3":'''cft-3''', "cft-4":'''cft-4''', "cft-5":'''cft-5''', "cft-6":'''cft-6''', "cft-7":'''cft-7''', "bmc-net-adm":'''bmc-net-adm''', "bmc-net-svc":'''bmc-net-svc''', "vaultbase":'''vaultbase''', "essweb-gw":'''EssWeb Gateway''', "kmscontrol":'''KMSControl''', "global-dtserv":'''global-dtserv''', "femis":'''Federal Emergency Management Information System''', "powerguardian":'''powerguardian''', "prodigy-intrnet":'''prodigy-internet''', "pharmasoft":'''pharmasoft''', "dpkeyserv":'''dpkeyserv''', "answersoft-lm":'''answersoft-lm''', "hp-hcip":'''hp-hcip''', "finle-lm":'''Finle License Manager''', "windlm":'''Wind River Systems License Manager''', "funk-logger":'''funk-logger''', "funk-license":'''funk-license''', "psmond":'''psmond''', "hello":'''hello''', "nmsp":'''Narrative Media Streaming Protocol''', "ea1":'''EA1''', "ibm-dt-2":'''ibm-dt-2''', "rsc-robot":'''rsc-robot''', "cera-bcm":'''cera-bcm''', "dpi-proxy":'''dpi-proxy''', "vocaltec-admin":'''Vocaltec Server Administration''', "uma":'''UMA''', "etp":'''Event Transfer Protocol''', "netrisk":'''NETRISK''', "ansys-lm":'''ANSYS-License manager''', "msmq":'''Microsoft Message Que''', "concomp1":'''ConComp1''', "hp-hcip-gwy":'''HP-HCIP-GWY''', "enl":'''ENL''', "enl-name":'''ENL-Name''', "musiconline":'''Musiconline''', "fhsp":'''Fujitsu Hot Standby Protocol''', "oracle-vp2":'''Oracle-VP2''', "oracle-vp1":'''Oracle-VP1''', "jerand-lm":'''Jerand License Manager''', "scientia-sdb":'''Scientia-SDB''', "radius":'''RADIUS''', "radius-acct":'''RADIUS Accounting''', "tdp-suite":'''TDP Suite''', "mmpft":'''MMPFT''', "harp":'''HARP''', "rkb-oscs":'''RKB-OSCS''', "etftp":'''Enhanced Trivial File Transfer Protocol''', "plato-lm":'''Plato License Manager''', "mcagent":'''mcagent''', "donnyworld":'''donnyworld''', "es-elmd":'''es-elmd''', "unisys-lm":'''Unisys Natural Language License Manager''', "metrics-pas":'''metrics-pas''', "direcpc-video":'''DirecPC Video''', "ardt":'''ARDT''', "asi":'''ASI''', "itm-mcell-u":'''itm-mcell-u''', "optika-emedia":'''Optika eMedia''', "net8-cman":'''Oracle Net8 CMan Admin''', "myrtle":'''Myrtle''', "tht-treasure":'''ThoughtTreasure''', "udpradio":'''udpradio''', "ardusuni":'''ARDUS Unicast''', "ardusmul":'''ARDUS Multicast''', "ste-smsc":'''ste-smsc''', "csoft1":'''csoft1''', "talnet":'''TALNET''', "netopia-vo1":'''netopia-vo1''', "netopia-vo2":'''netopia-vo2''', "netopia-vo3":'''netopia-vo3''', "netopia-vo4":'''netopia-vo4''', "netopia-vo5":'''netopia-vo5''', "direcpc-dll":'''DirecPC-DLL''', "altalink":'''altalink''', "tunstall-pnc":'''Tunstall PNC''', "slp-notify":'''SLP Notification''', "fjdocdist":'''fjdocdist''', "alpha-sms":'''ALPHA-SMS''', "gsi":'''GSI''', "ctcd":'''ctcd''', "virtual-time":'''Virtual Time''', "vids-avtp":'''VIDS-AVTP''', "buddy-draw":'''Buddy Draw''', "fiorano-rtrsvc":'''Fiorano RtrSvc''', "fiorano-msgsvc":'''Fiorano MsgSvc''', "datacaptor":'''DataCaptor''', "privateark":'''PrivateArk''', "gammafetchsvr":'''Gamma Fetcher Server''', "sunscalar-svc":'''SunSCALAR Services''', "lecroy-vicp":'''LeCroy VICP''', "mysql-cm-agent":'''MySQL Cluster Manager Agent''', "msnp":'''MSNP''', "paradym-31port":'''Paradym 31 Port''', "entp":'''ENTP''', "swrmi":'''swrmi''', "udrive":'''UDRIVE''', "viziblebrowser":'''VizibleBrowser''', "transact":'''TransAct''', "sunscalar-dns":'''SunSCALAR DNS Service''', "canocentral0":'''Cano Central 0''', "canocentral1":'''Cano Central 1''', "fjmpjps":'''Fjmpjps''', "fjswapsnp":'''Fjswapsnp''', "westell-stats":'''westell stats''', "ewcappsrv":'''ewcappsrv''', "hp-webqosdb":'''hp-webqosdb''', "drmsmc":'''drmsmc''', "nettgain-nms":'''NettGain NMS''', "vsat-control":'''Gilat VSAT Control''', "ibm-mqseries2":'''IBM WebSphere MQ Everyplace''', "ecsqdmn":'''CA eTrust Common Services''', "ibm-mqisdp":'''IBM MQSeries SCADA''', "idmaps":'''Internet Distance Map Svc''', "vrtstrapserver":'''Veritas Trap Server''', "leoip":'''Leonardo over IP''', "filex-lport":'''FileX Listening Port''', "ncconfig":'''NC Config Port''', "unify-adapter":'''Unify Web Adapter Service''', "wilkenlistener":'''wilkenListener''', "childkey-notif":'''ChildKey Notification''', "childkey-ctrl":'''ChildKey Control''', "elad":'''ELAD Protocol''', "o2server-port":'''O2Server Port''', "b-novative-ls":'''b-novative license server''', "metaagent":'''MetaAgent''', "cymtec-port":'''Cymtec secure management''', "mc2studios":'''MC2Studios''', "ssdp":'''SSDP''', "fjicl-tep-a":'''Fujitsu ICL Terminal Emulator Program A''', "fjicl-tep-b":'''Fujitsu ICL Terminal Emulator Program B''', "linkname":'''Local Link Name Resolution''', "fjicl-tep-c":'''Fujitsu ICL Terminal Emulator Program C''', "sugp":'''Secure UP.Link Gateway Protocol''', "tpmd":'''TPortMapperReq''', "intrastar":'''IntraSTAR''', "dawn":'''Dawn''', "global-wlink":'''Global World Link''', "ultrabac":'''UltraBac Software communications port''', "mtp":'''Starlight Networks Multimedia Transport Protocol''', "rhp-iibp":'''rhp-iibp''', "armadp":'''armadp''', "elm-momentum":'''Elm-Momentum''', "facelink":'''FACELINK''', "persona":'''Persoft Persona''', "noagent":'''nOAgent''', "can-nds":'''IBM Tivole Directory Service - NDS''', "can-dch":'''IBM Tivoli Directory Service - DCH''', "can-ferret":'''IBM Tivoli Directory Service - FERRET''', "noadmin":'''NoAdmin''', "tapestry":'''Tapestry''', "spice":'''SPICE''', "xiip":'''XIIP''', "discovery-port":'''Surrogate Discovery Port''', "egs":'''Evolution Game Server''', "videte-cipc":'''Videte CIPC Port''', "emsd-port":'''Expnd Maui Srvr Dscovr''', "bandwiz-system":'''Bandwiz System - Server''', "driveappserver":'''Drive AppServer''', "amdsched":'''AMD SCHED''', "ctt-broker":'''CTT Broker''', "xmapi":'''IBM LM MT Agent''', "xaapi":'''IBM LM Appl Agent''', "macromedia-fcs":'''Macromedia Flash Communications server MX''', "jetcmeserver":'''JetCmeServer Server Port''', "jwserver":'''JetVWay Server Port''', "jwclient":'''JetVWay Client Port''', "jvserver":'''JetVision Server Port''', "jvclient":'''JetVision Client Port''', "dic-aida":'''DIC-Aida''', "res":'''Real Enterprise Service''', "beeyond-media":'''Beeyond Media''', "close-combat":'''close-combat''', "dialogic-elmd":'''dialogic-elmd''', "tekpls":'''tekpls''', "sentinelsrm":'''SentinelSRM''', "eye2eye":'''eye2eye''', "ismaeasdaqlive":'''ISMA Easdaq Live''', "ismaeasdaqtest":'''ISMA Easdaq Test''', "bcs-lmserver":'''bcs-lmserver''', "mpnjsc":'''mpnjsc''', "rapidbase":'''Rapid Base''', "abr-api":'''ABR-API (diskbridge)''', "abr-secure":'''ABR-Secure Data (diskbridge)''', "vrtl-vmf-ds":'''Vertel VMF DS''', "unix-status":'''unix-status''', "dxadmind":'''CA Administration Daemon''', "simp-all":'''SIMP Channel''', "nasmanager":'''Merit DAC NASmanager''', "bts-appserver":'''BTS APPSERVER''', "biap-mp":'''BIAP-MP''', "webmachine":'''WebMachine''', "solid-e-engine":'''SOLID E ENGINE''', "tivoli-npm":'''Tivoli NPM''', "slush":'''Slush''', "sns-quote":'''SNS Quote''', "lipsinc":'''LIPSinc''', "lipsinc1":'''LIPSinc 1''', "netop-rc":'''NetOp Remote Control''', "netop-school":'''NetOp School''', "intersys-cache":'''Cache''', "dlsrap":'''Data Link Switching Remote Access Protocol''', "drp":'''DRP''', "tcoflashagent":'''TCO Flash Agent''', "tcoregagent":'''TCO Reg Agent''', "tcoaddressbook":'''TCO Address Book''', "unisql":'''UniSQL''', "unisql-java":'''UniSQL Java''', "pearldoc-xact":'''PearlDoc XACT''', "p2pq":'''p2pQ''', "estamp":'''Evidentiary Timestamp''', "lhtp":'''Loophole Test Protocol''', "bb":'''BB''', "hsrp":'''Hot Standby Router Protocol''', "licensedaemon":'''cisco license management''', "tr-rsrb-p1":'''cisco RSRB Priority 1 port''', "tr-rsrb-p2":'''cisco RSRB Priority 2 port''', "tr-rsrb-p3":'''cisco RSRB Priority 3 port''', "mshnet":'''MHSnet system''', "stun-p1":'''cisco STUN Priority 1 port''', "stun-p2":'''cisco STUN Priority 2 port''', "stun-p3":'''cisco STUN Priority 3 port''', "ipsendmsg":'''IPsendmsg''', "snmp-tcp-port":'''cisco SNMP TCP port''', "stun-port":'''cisco serial tunnel port''', "perf-port":'''cisco perf port''', "tr-rsrb-port":'''cisco Remote SRB port''', "gdp-port":'''cisco Gateway Discovery Protocol''', "x25-svc-port":'''cisco X.25 service (XOT)''', "tcp-id-port":'''cisco identification port''', "cisco-sccp":'''Cisco SCCp''', "wizard":'''curry''', "globe":'''''', "brutus":'''Brutus Server''', "emce":'''CCWS mm conf''', "oracle":'''''', "raid-cd":'''raid''', "raid-am":'''''', "terminaldb":'''''', "whosockami":'''''', "pipe-server":''' IANA assigned this well-formed service name as a replacement for "pipe_server".''', "pipe_server":'''''', "servserv":'''''', "raid-ac":'''''', "raid-cd":'''''', "raid-sf":'''''', "raid-cs":'''''', "bootserver":'''''', "bootclient":'''''', "rellpack":'''''', "about":'''''', "xinupageserver":'''''', "xinuexpansion1":'''''', "xinuexpansion2":'''''', "xinuexpansion3":'''''', "xinuexpansion4":'''''', "xribs":'''''', "scrabble":'''''', "shadowserver":'''''', "submitserver":'''''', "hsrpv6":'''Hot Standby Router Protocol IPv6''', "device2":'''''', "mobrien-chat":'''mobrien-chat''', "blackboard":'''''', "glogger":'''''', "scoremgr":'''''', "imsldoc":'''''', "e-dpnet":'''Ethernet WS DP network''', "applus":'''APplus Application Server''', "objectmanager":'''''', "prizma":'''Prizma Monitoring Service''', "lam":'''''', "interbase":'''''', "isis":'''isis''', "isis-bcast":'''isis-bcast''', "rimsl":'''''', "cdfunc":'''''', "sdfunc":'''''', "dls":'''''', "dls-monitor":'''''', "shilp":'''''', "nfs":'''Network File System - Sun Microsystems''', "av-emb-config":'''Avaya EMB Config Port''', "epnsdp":'''EPNSDP''', "clearvisn":'''clearVisn Services Port''', "lot105-ds-upd":'''Lot105 DSuper Updates''', "weblogin":'''Weblogin Port''', "iop":'''Iliad-Odyssey Protocol''', "omnisky":'''OmniSky Port''', "rich-cp":'''Rich Content Protocol''', "newwavesearch":'''NewWaveSearchables RMI''', "bmc-messaging":'''BMC Messaging Service''', "teleniumdaemon":'''Telenium Daemon IF''', "netmount":'''NetMount''', "icg-swp":'''ICG SWP Port''', "icg-bridge":'''ICG Bridge Port''', "icg-iprelay":'''ICG IP Relay Port''', "dlsrpn":'''Data Link Switch Read Port Number''', "aura":'''AVM USB Remote Architecture''', "dlswpn":'''Data Link Switch Write Port Number''', "avauthsrvprtcl":'''Avocent AuthSrv Protocol''', "event-port":'''HTTP Event Port''', "ah-esp-encap":'''AH and ESP Encapsulated in UDP packet''', "acp-port":'''Axon Control Protocol''', "msync":'''GlobeCast mSync''', "gxs-data-port":'''DataReel Database Socket''', "vrtl-vmf-sa":'''Vertel VMF SA''', "newlixengine":'''Newlix ServerWare Engine''', "newlixconfig":'''Newlix JSPConfig''', "tsrmagt":'''Old Tivoli Storage Manager''', "tpcsrvr":'''IBM Total Productivity Center Server''', "idware-router":'''IDWARE Router Port''', "autodesk-nlm":'''Autodesk NLM (FLEXlm)''', "kme-trap-port":'''KME PRINTER TRAP PORT''', "infowave":'''Infowave Mobility Server''', "radsec":'''Secure Radius Service''', "sunclustergeo":'''SunCluster Geographic''', "ada-cip":'''ADA Control''', "gnunet":'''GNUnet''', "eli":'''ELI - Event Logging Integration''', "ip-blf":'''IP Busy Lamp Field''', "sep":'''Security Encapsulation Protocol - SEP''', "lrp":'''Load Report Protocol''', "prp":'''PRP''', "descent3":'''Descent 3''', "nbx-cc":'''NBX CC''', "nbx-au":'''NBX AU''', "nbx-ser":'''NBX SER''', "nbx-dir":'''NBX DIR''', "jetformpreview":'''Jet Form Preview''', "dialog-port":'''Dialog Port''', "h2250-annex-g":'''H.225.0 Annex G''', "amiganetfs":'''Amiga Network Filesystem''', "rtcm-sc104":'''rtcm-sc104''', "zephyr-srv":'''Zephyr server''', "zephyr-clt":'''Zephyr serv-hm connection''', "zephyr-hm":'''Zephyr hostmanager''', "minipay":'''MiniPay''', "mzap":'''MZAP''', "bintec-admin":'''BinTec Admin''', "comcam":'''Comcam''', "ergolight":'''Ergolight''', "umsp":'''UMSP''', "dsatp":'''OPNET Dynamic Sampling Agent Transaction Protocol''', "idonix-metanet":'''Idonix MetaNet''', "hsl-storm":'''HSL StoRM''', "newheights":'''NEWHEIGHTS''', "kdm":'''Key Distribution Manager''', "ccowcmr":'''CCOWCMR''', "mentaclient":'''MENTACLIENT''', "mentaserver":'''MENTASERVER''', "gsigatekeeper":'''GSIGATEKEEPER''', "qencp":'''Quick Eagle Networks CP''', "scientia-ssdb":'''SCIENTIA-SSDB''', "caupc-remote":'''CauPC Remote Control''', "gtp-control":'''GTP-Control Plane (3GPP)''', "elatelink":'''ELATELINK''', "lockstep":'''LOCKSTEP''', "pktcable-cops":'''PktCable-COPS''', "index-pc-wb":'''INDEX-PC-WB''', "net-steward":'''Net Steward Control''', "cs-live":'''cs-live.com''', "xds":'''XDS''', "avantageb2b":'''Avantageb2b''', "solera-epmap":'''SoleraTec End Point Map''', "zymed-zpp":'''ZYMED-ZPP''', "avenue":'''AVENUE''', "gris":'''Grid Resource Information Server''', "appworxsrv":'''APPWORXSRV''', "connect":'''CONNECT''', "unbind-cluster":'''UNBIND-CLUSTER''', "ias-auth":'''IAS-AUTH''', "ias-reg":'''IAS-REG''', "ias-admind":'''IAS-ADMIND''', "tdmoip":'''TDM OVER IP''', "lv-jc":'''Live Vault Job Control''', "lv-ffx":'''Live Vault Fast Object Transfer''', "lv-pici":'''Live Vault Remote Diagnostic Console Support''', "lv-not":'''Live Vault Admin Event Notification''', "lv-auth":'''Live Vault Authentication''', "veritas-ucl":'''VERITAS UNIVERSAL COMMUNICATION LAYER''', "acptsys":'''ACPTSYS''', "dynamic3d":'''DYNAMIC3D''', "docent":'''DOCENT''', "gtp-user":'''GTP-User Plane (3GPP)''', "ctlptc":'''Control Protocol''', "stdptc":'''Standard Protocol''', "brdptc":'''Bridge Protocol''', "trp":'''Talari Reliable Protocol''', "xnds":'''Xerox Network Document Scan Protocol''', "touchnetplus":'''TouchNetPlus Service''', "gdbremote":'''GDB Remote Debug Port''', "apc-2160":'''APC 2160''', "apc-2161":'''APC 2161''', "navisphere":'''Navisphere''', "navisphere-sec":'''Navisphere Secure''', "ddns-v3":'''Dynamic DNS Version 3''', "x-bone-api":'''X-Bone API''', "iwserver":'''iwserver''', "raw-serial":'''Raw Async Serial Link''', "easy-soft-mux":'''easy-soft Multiplexer''', "brain":'''Backbone for Academic Information Notification (BRAIN)''', "eyetv":'''EyeTV Server Port''', "msfw-storage":'''MS Firewall Storage''', "msfw-s-storage":'''MS Firewall SecureStorage''', "msfw-replica":'''MS Firewall Replication''', "msfw-array":'''MS Firewall Intra Array''', "airsync":'''Microsoft Desktop AirSync Protocol''', "rapi":'''Microsoft ActiveSync Remote API''', "qwave":'''qWAVE Bandwidth Estimate''', "bitspeer":'''Peer Services for BITS''', "vmrdp":'''Microsoft RDP for virtual machines''', "mc-gt-srv":'''Millicent Vendor Gateway Server''', "eforward":'''eforward''', "cgn-stat":'''CGN status''', "cgn-config":'''Code Green configuration''', "nvd":'''NVD User''', "onbase-dds":'''OnBase Distributed Disk Services''', "gtaua":'''Guy-Tek Automated Update Applications''', "ssmd":'''Sepehr System Management Data''', "tivoconnect":'''TiVoConnect Beacon''', "tvbus":'''TvBus Messaging''', "asdis":'''ASDIS software management''', "drwcs":'''Dr.Web Enterprise Management Service''', "mnp-exchange":'''MNP data exchange''', "onehome-remote":'''OneHome Remote Access''', "onehome-help":'''OneHome Service Port''', "ici":'''ICI''', "ats":'''Advanced Training System Program''', "imtc-map":'''Int. Multimedia Teleconferencing Cosortium''', "b2-runtime":'''b2 Runtime Protocol''', "b2-license":'''b2 License Server''', "jps":'''Java Presentation Server''', "hpocbus":'''HP OpenCall bus''', "hpssd":'''HP Status and Services''', "hpiod":'''HP I/O Backend''', "rimf-ps":'''HP RIM for Files Portal Service''', "noaaport":'''NOAAPORT Broadcast Network''', "emwin":'''EMWIN''', "leecoposserver":'''LeeCO POS Server Service''', "kali":'''Kali''', "rpi":'''RDQ Protocol Interface''', "ipcore":'''IPCore.co.za GPRS''', "vtu-comms":'''VTU data service''', "gotodevice":'''GoToDevice Device Management''', "bounzza":'''Bounzza IRC Proxy''', "netiq-ncap":'''NetIQ NCAP Protocol''', "netiq":'''NetIQ End2End''', "rockwell-csp1":'''Rockwell CSP1''', "EtherNet-IP-1":'''EtherNet/IP I/O IANA assigned this well-formed service name as a replacement for "EtherNet/IP-1".''', "EtherNet/IP-1":'''EtherNet/IP I/O''', "rockwell-csp2":'''Rockwell CSP2''', "efi-mg":'''Easy Flexible Internet/Multiplayer Games''', "di-drm":'''Digital Instinct DRM''', "di-msg":'''DI Messaging Service''', "ehome-ms":'''eHome Message Server''', "datalens":'''DataLens Service''', "queueadm":'''MetaSoft Job Queue Administration Service''', "wimaxasncp":'''WiMAX ASN Control Plane Protocol''', "ivs-video":'''IVS Video default''', "infocrypt":'''INFOCRYPT''', "directplay":'''DirectPlay''', "sercomm-wlink":'''Sercomm-WLink''', "nani":'''Nani''', "optech-port1-lm":'''Optech Port1 License Manager''', "aviva-sna":'''AVIVA SNA SERVER''', "imagequery":'''Image Query''', "recipe":'''RECIPe''', "ivsd":'''IVS Daemon''', "foliocorp":'''Folio Remote Server''', "magicom":'''Magicom Protocol''', "nmsserver":'''NMS Server''', "hao":'''HaO''', "pc-mta-addrmap":'''PacketCable MTA Addr Map''', "antidotemgrsvr":'''Antidote Deployment Manager Service''', "ums":'''User Management Service''', "rfmp":'''RISO File Manager Protocol''', "remote-collab":'''remote-collab''', "dif-port":'''Distributed Framework Port''', "njenet-ssl":'''NJENET using SSL''', "dtv-chan-req":'''DTV Channel Request''', "seispoc":'''Seismic P.O.C. Port''', "vrtp":'''VRTP - ViRtue Transfer Protocol''', "pcc-mfp":'''PCC MFP''', "simple-tx-rx":'''simple text/file transfer''', "rcts":'''Rotorcraft Communications Test System''', "apc-2260":'''APC 2260''', "comotionmaster":'''CoMotion Master Server''', "comotionback":'''CoMotion Backup Server''', "ecwcfg":'''ECweb Configuration Service''', "apx500api-1":'''Audio Precision Apx500 API Port 1''', "apx500api-2":'''Audio Precision Apx500 API Port 2''', "mfserver":'''M-files Server''', "ontobroker":'''OntoBroker''', "amt":'''AMT''', "mikey":'''MIKEY''', "starschool":'''starSchool''', "mmcals":'''Secure Meeting Maker Scheduling''', "mmcal":'''Meeting Maker Scheduling''', "mysql-im":'''MySQL Instance Manager''', "pcttunnell":'''PCTTunneller''', "ibridge-data":'''iBridge Conferencing''', "ibridge-mgmt":'''iBridge Management''', "bluectrlproxy":'''Bt device control proxy''', "s3db":'''Simple Stacked Sequences Database''', "xmquery":'''xmquery''', "lnvpoller":'''LNVPOLLER''', "lnvconsole":'''LNVCONSOLE''', "lnvalarm":'''LNVALARM''', "lnvstatus":'''LNVSTATUS''', "lnvmaps":'''LNVMAPS''', "lnvmailmon":'''LNVMAILMON''', "nas-metering":'''NAS-Metering''', "dna":'''DNA''', "netml":'''NETML''', "dict-lookup":'''Lookup dict server''', "sonus-logging":'''Sonus Logging Services''', "eapsp":'''EPSON Advanced Printer Share Protocol''', "mib-streaming":'''Sonus Element Management Services''', "npdbgmngr":'''Network Platform Debug Manager''', "konshus-lm":'''Konshus License Manager (FLEX)''', "advant-lm":'''Advant License Manager''', "theta-lm":'''Theta License Manager (Rainbow)''', "d2k-datamover1":'''D2K DataMover 1''', "d2k-datamover2":'''D2K DataMover 2''', "pc-telecommute":'''PC Telecommute''', "cvmmon":'''CVMMON''', "cpq-wbem":'''Compaq HTTP''', "binderysupport":'''Bindery Support''', "proxy-gateway":'''Proxy Gateway''', "attachmate-uts":'''Attachmate UTS''', "mt-scaleserver":'''MT ScaleServer''', "tappi-boxnet":'''TAPPI BoxNet''', "pehelp":'''pehelp''', "sdhelp":'''sdhelp''', "sdserver":'''SD Server''', "sdclient":'''SD Client''', "messageservice":'''Message Service''', "wanscaler":'''WANScaler Communication Service''', "iapp":'''IAPP (Inter Access Point Protocol)''', "cr-websystems":'''CR WebSystems''', "precise-sft":'''Precise Sft.''', "sent-lm":'''SENT License Manager''', "attachmate-g32":'''Attachmate G32''', "cadencecontrol":'''Cadence Control''', "infolibria":'''InfoLibria''', "siebel-ns":'''Siebel NS''', "rdlap":'''RDLAP''', "ofsd":'''ofsd''', "3d-nfsd":'''3d-nfsd''', "cosmocall":'''Cosmocall''', "ansysli":'''ANSYS Licensing Interconnect''', "idcp":'''IDCP''', "xingcsm":'''xingcsm''', "netrix-sftm":'''Netrix SFTM''', "nvd":'''NVD''', "tscchat":'''TSCCHAT''', "agentview":'''AGENTVIEW''', "rcc-host":'''RCC Host''', "snapp":'''SNAPP''', "ace-client":'''ACE Client Auth''', "ace-proxy":'''ACE Proxy''', "appleugcontrol":'''Apple UG Control''', "ideesrv":'''ideesrv''', "norton-lambert":'''Norton Lambert''', "3com-webview":'''3Com WebView''', "wrs-registry":'''WRS Registry IANA assigned this well-formed service name as a replacement for "wrs_registry".''', "wrs_registry":'''WRS Registry''', "xiostatus":'''XIO Status''', "manage-exec":'''Seagate Manage Exec''', "nati-logos":'''nati logos''', "fcmsys":'''fcmsys''', "dbm":'''dbm''', "redstorm-join":'''Game Connection Port IANA assigned this well-formed service name as a replacement for "redstorm_join".''', "redstorm_join":'''Game Connection Port''', "redstorm-find":'''Game Announcement and Location IANA assigned this well-formed service name as a replacement for "redstorm_find".''', "redstorm_find":'''Game Announcement and Location''', "redstorm-info":'''Information to query for game status IANA assigned this well-formed service name as a replacement for "redstorm_info".''', "redstorm_info":'''Information to query for game status''', "redstorm-diag":'''Diagnostics Port IANA assigned this well-formed service name as a replacement for "redstorm_diag".''', "redstorm_diag":'''Diagnostics Port''', "psbserver":'''Pharos Booking Server''', "psrserver":'''psrserver''', "pslserver":'''pslserver''', "pspserver":'''pspserver''', "psprserver":'''psprserver''', "psdbserver":'''psdbserver''', "gxtelmd":'''GXT License Managemant''', "unihub-server":'''UniHub Server''', "futrix":'''Futrix''', "flukeserver":'''FlukeServer''', "nexstorindltd":'''NexstorIndLtd''', "tl1":'''TL1''', "digiman":'''digiman''', "mediacntrlnfsd":'''Media Central NFSD''', "oi-2000":'''OI-2000''', "dbref":'''dbref''', "qip-login":'''qip-login''', "service-ctrl":'''Service Control''', "opentable":'''OpenTable''', "l3-hbmon":'''L3-HBMon''', "worldwire":'''Compaq WorldWire Port''', "lanmessenger":'''LanMessenger''', "compaq-https":'''Compaq HTTPS''', "ms-olap3":'''Microsoft OLAP''', "ms-olap4":'''Microsoft OLAP''', "sd-capacity":'''SD-CAPACITY''', "sd-data":'''SD-DATA''', "virtualtape":'''Virtual Tape''', "vsamredirector":'''VSAM Redirector''', "mynahautostart":'''MYNAH AutoStart''', "ovsessionmgr":'''OpenView Session Mgr''', "rsmtp":'''RSMTP''', "3com-net-mgmt":'''3COM Net Management''', "tacticalauth":'''Tactical Auth''', "ms-olap1":'''MS OLAP 1''', "ms-olap2":'''MS OLAP 2''', "lan900-remote":'''LAN900 Remote IANA assigned this well-formed service name as a replacement for "lan900_remote".''', "lan900_remote":'''LAN900 Remote''', "wusage":'''Wusage''', "ncl":'''NCL''', "orbiter":'''Orbiter''', "fmpro-fdal":'''FileMaker, Inc. - Data Access Layer''', "opequus-server":'''OpEquus Server''', "cvspserver":'''cvspserver''', "taskmaster2000":'''TaskMaster 2000 Server''', "taskmaster2000":'''TaskMaster 2000 Web''', "iec-104":'''IEC 60870-5-104 process control over IP''', "trc-netpoll":'''TRC Netpoll''', "jediserver":'''JediServer''', "orion":'''Orion''', "sns-protocol":'''SNS Protocol''', "vrts-registry":'''VRTS Registry''', "netwave-ap-mgmt":'''Netwave AP Management''', "cdn":'''CDN''', "orion-rmi-reg":'''orion-rmi-reg''', "beeyond":'''Beeyond''', "codima-rtp":'''Codima Remote Transaction Protocol''', "rmtserver":'''RMT Server''', "composit-server":'''Composit Server''', "cas":'''cas''', "attachmate-s2s":'''Attachmate S2S''', "dslremote-mgmt":'''DSL Remote Management''', "g-talk":'''G-Talk''', "crmsbits":'''CRMSBITS''', "rnrp":'''RNRP''', "kofax-svr":'''KOFAX-SVR''', "fjitsuappmgr":'''Fujitsu App Manager''', "mgcp-gateway":'''Media Gateway Control Protocol Gateway''', "ott":'''One Way Trip Time''', "ft-role":'''FT-ROLE''', "venus":'''venus''', "venus-se":'''venus-se''', "codasrv":'''codasrv''', "codasrv-se":'''codasrv-se''', "pxc-epmap":'''pxc-epmap''', "optilogic":'''OptiLogic''', "topx":'''TOP/X''', "unicontrol":'''UniControl''', "msp":'''MSP''', "sybasedbsynch":'''SybaseDBSynch''', "spearway":'''Spearway Lockers''', "pvsw-inet":'''Pervasive I*net Data Server''', "netangel":'''Netangel''', "powerclientcsf":'''PowerClient Central Storage Facility''', "btpp2sectrans":'''BT PP2 Sectrans''', "dtn1":'''DTN1''', "bues-service":'''bues_service IANA assigned this well-formed service name as a replacement for "bues_service".''', "bues_service":'''bues_service''', "ovwdb":'''OpenView NNM daemon''', "hpppssvr":'''hpppsvr''', "ratl":'''RATL''', "netadmin":'''netadmin''', "netchat":'''netchat''', "snifferclient":'''SnifferClient''', "madge-ltd":'''madge ltd''', "indx-dds":'''IndX-DDS''', "wago-io-system":'''WAGO-IO-SYSTEM''', "altav-remmgt":'''altav-remmgt''', "rapido-ip":'''Rapido_IP''', "griffin":'''griffin''', "community":'''Community''', "ms-theater":'''ms-theater''', "qadmifoper":'''qadmifoper''', "qadmifevent":'''qadmifevent''', "lsi-raid-mgmt":'''LSI RAID Management''', "direcpc-si":'''DirecPC SI''', "lbm":'''Load Balance Management''', "lbf":'''Load Balance Forwarding''', "high-criteria":'''High Criteria''', "qip-msgd":'''qip_msgd''', "mti-tcs-comm":'''MTI-TCS-COMM''', "taskman-port":'''taskman port''', "seaodbc":'''SeaODBC''', "c3":'''C3''', "aker-cdp":'''Aker-cdp''', "vitalanalysis":'''Vital Analysis''', "ace-server":'''ACE Server''', "ace-svr-prop":'''ACE Server Propagation''', "ssm-cvs":'''SecurSight Certificate Valifation Service''', "ssm-cssps":'''SecurSight Authentication Server (SSL)''', "ssm-els":'''SecurSight Event Logging Server (SSL)''', "powerexchange":'''Informatica PowerExchange Listener''', "giop":'''Oracle GIOP''', "giop-ssl":'''Oracle GIOP SSL''', "ttc":'''Oracle TTC''', "ttc-ssl":'''Oracle TTC SSL''', "netobjects1":'''Net Objects1''', "netobjects2":'''Net Objects2''', "pns":'''Policy Notice Service''', "moy-corp":'''Moy Corporation''', "tsilb":'''TSILB''', "qip-qdhcp":'''qip_qdhcp''', "conclave-cpp":'''Conclave CPP''', "groove":'''GROOVE''', "talarian-mqs":'''Talarian MQS''', "bmc-ar":'''BMC AR''', "fast-rem-serv":'''Fast Remote Services''', "dirgis":'''DIRGIS''', "quaddb":'''Quad DB''', "odn-castraq":'''ODN-CasTraq''', "unicontrol":'''UniControl''', "rtsserv":'''Resource Tracking system server''', "rtsclient":'''Resource Tracking system client''', "kentrox-prot":'''Kentrox Protocol''', "nms-dpnss":'''NMS-DPNSS''', "wlbs":'''WLBS''', "ppcontrol":'''PowerPlay Control''', "jbroker":'''jbroker''', "spock":'''spock''', "jdatastore":'''JDataStore''', "fjmpss":'''fjmpss''', "fjappmgrbulk":'''fjappmgrbulk''', "metastorm":'''Metastorm''', "citrixima":'''Citrix IMA''', "citrixadmin":'''Citrix ADMIN''', "facsys-ntp":'''Facsys NTP''', "facsys-router":'''Facsys Router''', "maincontrol":'''Main Control''', "call-sig-trans":'''H.323 Annex E call signaling transport''', "willy":'''Willy''', "globmsgsvc":'''globmsgsvc''', "pvsw":'''Pervasive Listener''', "adaptecmgr":'''Adaptec Manager''', "windb":'''WinDb''', "qke-llc-v3":'''Qke LLC V.3''', "optiwave-lm":'''Optiwave License Management''', "ms-v-worlds":'''MS V-Worlds''', "ema-sent-lm":'''EMA License Manager''', "iqserver":'''IQ Server''', "ncr-ccl":'''NCR CCL IANA assigned this well-formed service name as a replacement for "ncr_ccl".''', "ncr_ccl":'''NCR CCL''', "utsftp":'''UTS FTP''', "vrcommerce":'''VR Commerce''', "ito-e-gui":'''ITO-E GUI''', "ovtopmd":'''OVTOPMD''', "snifferserver":'''SnifferServer''', "combox-web-acc":'''Combox Web Access''', "madcap":'''MADCAP''', "btpp2audctr1":'''btpp2audctr1''', "upgrade":'''Upgrade Protocol''', "vnwk-prapi":'''vnwk-prapi''', "vsiadmin":'''VSI Admin''', "lonworks":'''LonWorks''', "lonworks2":'''LonWorks2''', "udrawgraph":'''uDraw(Graph)''', "reftek":'''REFTEK''', "novell-zen":'''Management Daemon Refresh''', "sis-emt":'''sis-emt''', "vytalvaultbrtp":'''vytalvaultbrtp''', "vytalvaultvsmp":'''vytalvaultvsmp''', "vytalvaultpipe":'''vytalvaultpipe''', "ipass":'''IPASS''', "ads":'''ADS''', "isg-uda-server":'''ISG UDA Server''', "call-logging":'''Call Logging''', "efidiningport":'''efidiningport''', "vcnet-link-v10":'''VCnet-Link v10''', "compaq-wcp":'''Compaq WCP''', "nicetec-nmsvc":'''nicetec-nmsvc''', "nicetec-mgmt":'''nicetec-mgmt''', "pclemultimedia":'''PCLE Multi Media''', "lstp":'''LSTP''', "labrat":'''labrat''', "mosaixcc":'''MosaixCC''', "delibo":'''Delibo''', "cti-redwood":'''CTI Redwood''', "hp-3000-telnet":'''HP 3000 NS/VT block mode telnet''', "coord-svr":'''Coordinator Server''', "pcs-pcw":'''pcs-pcw''', "clp":'''Cisco Line Protocol''', "spamtrap":'''SPAM TRAP''', "sonuscallsig":'''Sonus Call Signal''', "hs-port":'''HS Port''', "cecsvc":'''CECSVC''', "ibp":'''IBP''', "trustestablish":'''Trust Establish''', "blockade-bpsp":'''Blockade BPSP''', "hl7":'''HL7''', "tclprodebugger":'''TCL Pro Debugger''', "scipticslsrvr":'''Scriptics Lsrvr''', "rvs-isdn-dcp":'''RVS ISDN DCP''', "mpfoncl":'''mpfoncl''', "tributary":'''Tributary''', "argis-te":'''ARGIS TE''', "argis-ds":'''ARGIS DS''', "mon":'''MON''', "cyaserv":'''cyaserv''', "netx-server":'''NETX Server''', "netx-agent":'''NETX Agent''', "masc":'''MASC''', "privilege":'''Privilege''', "quartus-tcl":'''quartus tcl''', "idotdist":'''idotdist''', "maytagshuffle":'''Maytag Shuffle''', "netrek":'''netrek''', "mns-mail":'''MNS Mail Notice Service''', "dts":'''Data Base Server''', "worldfusion1":'''World Fusion 1''', "worldfusion2":'''World Fusion 2''', "homesteadglory":'''Homestead Glory''', "citriximaclient":'''Citrix MA Client''', "snapd":'''Snap Discovery''', "hpstgmgr":'''HPSTGMGR''', "discp-client":'''discp client''', "discp-server":'''discp server''', "servicemeter":'''Service Meter''', "nsc-ccs":'''NSC CCS''', "nsc-posa":'''NSC POSA''', "netmon":'''Dell Netmon''', "connection":'''Dell Connection''', "wag-service":'''Wag Service''', "system-monitor":'''System Monitor''', "versa-tek":'''VersaTek''', "lionhead":'''LIONHEAD''', "qpasa-agent":'''Qpasa Agent''', "smntubootstrap":'''SMNTUBootstrap''', "neveroffline":'''Never Offline''', "firepower":'''firepower''', "appswitch-emp":'''appswitch-emp''', "cmadmin":'''Clinical Context Managers''', "priority-e-com":'''Priority E-Com''', "bruce":'''bruce''', "lpsrecommender":'''LPSRecommender''', "miles-apart":'''Miles Apart Jukebox Server''', "metricadbc":'''MetricaDBC''', "lmdp":'''LMDP''', "aria":'''Aria''', "blwnkl-port":'''Blwnkl Port''', "gbjd816":'''gbjd816''', "moshebeeri":'''Moshe Beeri''', "dict":'''DICT''', "sitaraserver":'''Sitara Server''', "sitaramgmt":'''Sitara Management''', "sitaradir":'''Sitara Dir''', "irdg-post":'''IRdg Post''', "interintelli":'''InterIntelli''', "pk-electronics":'''PK Electronics''', "backburner":'''Back Burner''', "solve":'''Solve''', "imdocsvc":'''Import Document Service''', "sybaseanywhere":'''Sybase Anywhere''', "aminet":'''AMInet''', "sai-sentlm":'''Sabbagh Associates Licence Manager IANA assigned this well-formed service name as a replacement for "sai_sentlm".''', "sai_sentlm":'''Sabbagh Associates Licence Manager''', "hdl-srv":'''HDL Server''', "tragic":'''Tragic''', "gte-samp":'''GTE-SAMP''', "travsoft-ipx-t":'''Travsoft IPX Tunnel''', "novell-ipx-cmd":'''Novell IPX CMD''', "and-lm":'''AND License Manager''', "syncserver":'''SyncServer''', "upsnotifyprot":'''Upsnotifyprot''', "vpsipport":'''VPSIPPORT''', "eristwoguns":'''eristwoguns''', "ebinsite":'''EBInSite''', "interpathpanel":'''InterPathPanel''', "sonus":'''Sonus''', "corel-vncadmin":'''Corel VNC Admin IANA assigned this well-formed service name as a replacement for "corel_vncadmin".''', "corel_vncadmin":'''Corel VNC Admin''', "unglue":'''UNIX Nt Glue''', "kana":'''Kana''', "sns-dispatcher":'''SNS Dispatcher''', "sns-admin":'''SNS Admin''', "sns-query":'''SNS Query''', "gcmonitor":'''GC Monitor''', "olhost":'''OLHOST''', "bintec-capi":'''BinTec-CAPI''', "bintec-tapi":'''BinTec-TAPI''', "patrol-mq-gm":'''Patrol for MQ GM''', "patrol-mq-nm":'''Patrol for MQ NM''', "extensis":'''extensis''', "alarm-clock-s":'''Alarm Clock Server''', "alarm-clock-c":'''Alarm Clock Client''', "toad":'''TOAD''', "tve-announce":'''TVE Announce''', "newlixreg":'''newlixreg''', "nhserver":'''nhserver''', "firstcall42":'''First Call 42''', "ewnn":'''ewnn''', "ttc-etap":'''TTC ETAP''', "simslink":'''SIMSLink''', "gadgetgate1way":'''Gadget Gate 1 Way''', "gadgetgate2way":'''Gadget Gate 2 Way''', "syncserverssl":'''Sync Server SSL''', "pxc-sapxom":'''pxc-sapxom''', "mpnjsomb":'''mpnjsomb''', "ncdloadbalance":'''NCDLoadBalance''', "mpnjsosv":'''mpnjsosv''', "mpnjsocl":'''mpnjsocl''', "mpnjsomg":'''mpnjsomg''', "pq-lic-mgmt":'''pq-lic-mgmt''', "md-cg-http":'''md-cf-http''', "fastlynx":'''FastLynx''', "hp-nnm-data":'''HP NNM Embedded Database''', "itinternet":'''ITInternet ISM Server''', "admins-lms":'''Admins LMS''', "pwrsevent":'''pwrsevent''', "vspread":'''VSPREAD''', "unifyadmin":'''Unify Admin''', "oce-snmp-trap":'''Oce SNMP Trap Port''', "mck-ivpip":'''MCK-IVPIP''', "csoft-plusclnt":'''Csoft Plus Client''', "tqdata":'''tqdata''', "sms-rcinfo":'''SMS RCINFO''', "sms-xfer":'''SMS XFER''', "sms-chat":'''SMS CHAT''', "sms-remctrl":'''SMS REMCTRL''', "sds-admin":'''SDS Admin''', "ncdmirroring":'''NCD Mirroring''', "emcsymapiport":'''EMCSYMAPIPORT''', "banyan-net":'''Banyan-Net''', "supermon":'''Supermon''', "sso-service":'''SSO Service''', "sso-control":'''SSO Control''', "aocp":'''Axapta Object Communication Protocol''', "raventbs":'''Raven Trinity Broker Service''', "raventdm":'''Raven Trinity Data Mover''', "hpstgmgr2":'''HPSTGMGR2''', "inova-ip-disco":'''Inova IP Disco''', "pn-requester":'''PN REQUESTER''', "pn-requester2":'''PN REQUESTER 2''', "scan-change":'''Scan & Change''', "wkars":'''wkars''', "smart-diagnose":'''Smart Diagnose''', "proactivesrvr":'''Proactive Server''', "watchdog-nt":'''WatchDog NT Protocol''', "qotps":'''qotps''', "msolap-ptp2":'''MSOLAP PTP2''', "tams":'''TAMS''', "mgcp-callagent":'''Media Gateway Control Protocol Call Agent''', "sqdr":'''SQDR''', "tcim-control":'''TCIM Control''', "nec-raidplus":'''NEC RaidPlus''', "fyre-messanger":'''Fyre Messagner''', "g5m":'''G5M''', "signet-ctf":'''Signet CTF''', "ccs-software":'''CCS Software''', "netiq-mc":'''NetIQ Monitor Console''', "radwiz-nms-srv":'''RADWIZ NMS SRV''', "srp-feedback":'''SRP Feedback''', "ndl-tcp-ois-gw":'''NDL TCP-OSI Gateway''', "tn-timing":'''TN Timing''', "alarm":'''Alarm''', "tsb":'''TSB''', "tsb2":'''TSB2''', "murx":'''murx''', "honyaku":'''honyaku''', "urbisnet":'''URBISNET''', "cpudpencap":'''CPUDPENCAP''', "fjippol-swrly":'''''', "fjippol-polsvr":'''''', "fjippol-cnsl":'''''', "fjippol-port1":'''''', "fjippol-port2":'''''', "rsisysaccess":'''RSISYS ACCESS''', "de-spot":'''de-spot''', "apollo-cc":'''APOLLO CC''', "expresspay":'''Express Pay''', "simplement-tie":'''simplement-tie''', "cnrp":'''CNRP''', "apollo-status":'''APOLLO Status''', "apollo-gms":'''APOLLO GMS''', "sabams":'''Saba MS''', "dicom-iscl":'''DICOM ISCL''', "dicom-tls":'''DICOM TLS''', "desktop-dna":'''Desktop DNA''', "data-insurance":'''Data Insurance''', "qip-audup":'''qip-audup''', "compaq-scp":'''Compaq SCP''', "uadtc":'''UADTC''', "uacs":'''UACS''', "exce":'''eXcE''', "veronica":'''Veronica''', "vergencecm":'''Vergence CM''', "auris":'''auris''', "rbakcup1":'''RBackup Remote Backup''', "rbakcup2":'''RBackup Remote Backup''', "smpp":'''SMPP''', "ridgeway1":'''Ridgeway Systems & Software''', "ridgeway2":'''Ridgeway Systems & Software''', "gwen-sonya":'''Gwen-Sonya''', "lbc-sync":'''LBC Sync''', "lbc-control":'''LBC Control''', "whosells":'''whosells''', "everydayrc":'''everydayrc''', "aises":'''AISES''', "www-dev":'''world wide web - development''', "aic-np":'''aic-np''', "aic-oncrpc":'''aic-oncrpc - Destiny MCD database''', "piccolo":'''piccolo - Cornerstone Software''', "fryeserv":'''NetWare Loadable Module - Seagate Software''', "media-agent":'''Media Agent''', "plgproxy":'''PLG Proxy''', "mtport-regist":'''MT Port Registrator''', "f5-globalsite":'''f5-globalsite''', "initlsmsad":'''initlsmsad''', "livestats":'''LiveStats''', "ac-tech":'''ac-tech''', "esp-encap":'''esp-encap''', "tmesis-upshot":'''TMESIS-UPShot''', "icon-discover":'''ICON Discover''', "acc-raid":'''ACC RAID''', "igcp":'''IGCP''', "veritas-udp1":'''Veritas UDP1''', "btprjctrl":'''btprjctrl''', "dvr-esm":'''March Networks Digital Video Recorders and Enterprise Service Manager products''', "wta-wsp-s":'''WTA WSP-S''', "cspuni":'''cspuni''', "cspmulti":'''cspmulti''', "j-lan-p":'''J-LAN-P''', "corbaloc":'''CORBA LOC''', "netsteward":'''Active Net Steward''', "gsiftp":'''GSI FTP''', "atmtcp":'''atmtcp''', "llm-pass":'''llm-pass''', "llm-csv":'''llm-csv''', "lbc-measure":'''LBC Measurement''', "lbc-watchdog":'''LBC Watchdog''', "nmsigport":'''NMSig Port''', "rmlnk":'''rmlnk''', "fc-faultnotify":'''FC Fault Notification''', "univision":'''UniVision''', "vrts-at-port":'''VERITAS Authentication Service''', "ka0wuc":'''ka0wuc''', "cqg-netlan":'''CQG Net/LAN''', "cqg-netlan-1":'''CQG Net/Lan 1''', "slc-systemlog":'''slc systemlog''', "slc-ctrlrloops":'''slc ctrlrloops''', "itm-lm":'''ITM License Manager''', "silkp1":'''silkp1''', "silkp2":'''silkp2''', "silkp3":'''silkp3''', "silkp4":'''silkp4''', "glishd":'''glishd''', "evtp":'''EVTP''', "evtp-data":'''EVTP-DATA''', "catalyst":'''catalyst''', "repliweb":'''Repliweb''', "starbot":'''Starbot''', "nmsigport":'''NMSigPort''', "l3-exprt":'''l3-exprt''', "l3-ranger":'''l3-ranger''', "l3-hawk":'''l3-hawk''', "pdnet":'''PDnet''', "bpcp-poll":'''BPCP POLL''', "bpcp-trap":'''BPCP TRAP''', "aimpp-hello":'''AIMPP Hello''', "aimpp-port-req":'''AIMPP Port Req''', "amt-blc-port":'''AMT-BLC-PORT''', "fxp":'''FXP''', "metaconsole":'''MetaConsole''', "webemshttp":'''webemshttp''', "bears-01":'''bears-01''', "ispipes":'''ISPipes''', "infomover":'''InfoMover''', "msrp":'''MSRP''', "cesdinv":'''cesdinv''', "simctlp":'''SimCtIP''', "ecnp":'''ECNP''', "activememory":'''Active Memory''', "dialpad-voice1":'''Dialpad Voice 1''', "dialpad-voice2":'''Dialpad Voice 2''', "ttg-protocol":'''TTG Protocol''', "sonardata":'''Sonar Data''', "astromed-main":'''main 5001 cmd''', "pit-vpn":'''pit-vpn''', "iwlistener":'''iwlistener''', "esps-portal":'''esps-portal''', "npep-messaging":'''NPEP Messaging''', "icslap":'''ICSLAP''', "daishi":'''daishi''', "msi-selectplay":'''MSI Select Play''', "radix":'''RADIX''', "dxmessagebase1":'''DX Message Base Transport Protocol''', "dxmessagebase2":'''DX Message Base Transport Protocol''', "sps-tunnel":'''SPS Tunnel''', "bluelance":'''BLUELANCE''', "aap":'''AAP''', "ucentric-ds":'''ucentric-ds''', "synapse":'''Synapse Transport''', "ndsp":'''NDSP''', "ndtp":'''NDTP''', "ndnp":'''NDNP''', "flashmsg":'''Flash Msg''', "topflow":'''TopFlow''', "responselogic":'''RESPONSELOGIC''', "aironetddp":'''aironet''', "spcsdlobby":'''SPCSDLOBBY''', "rsom":'''RSOM''', "cspclmulti":'''CSPCLMULTI''', "cinegrfx-elmd":'''CINEGRFX-ELMD License Manager''', "snifferdata":'''SNIFFERDATA''', "vseconnector":'''VSECONNECTOR''', "abacus-remote":'''ABACUS-REMOTE''', "natuslink":'''NATUS LINK''', "ecovisiong6-1":'''ECOVISIONG6-1''', "citrix-rtmp":'''Citrix RTMP''', "appliance-cfg":'''APPLIANCE-CFG''', "powergemplus":'''POWERGEMPLUS''', "quicksuite":'''QUICKSUITE''', "allstorcns":'''ALLSTORCNS''', "netaspi":'''NET ASPI''', "suitcase":'''SUITCASE''', "m2ua":'''M2UA''', "caller9":'''CALLER9''', "webmethods-b2b":'''WEBMETHODS B2B''', "mao":'''mao''', "funk-dialout":'''Funk Dialout''', "tdaccess":'''TDAccess''', "blockade":'''Blockade''', "epicon":'''Epicon''', "boosterware":'''Booster Ware''', "gamelobby":'''Game Lobby''', "tksocket":'''TK Socket''', "elvin-server":'''Elvin Server IANA assigned this well-formed service name as a replacement for "elvin_server".''', "elvin_server":'''Elvin Server''', "elvin-client":'''Elvin Client IANA assigned this well-formed service name as a replacement for "elvin_client".''', "elvin_client":'''Elvin Client''', "kastenchasepad":'''Kasten Chase Pad''', "roboer":'''roboER''', "roboeda":'''roboEDA''', "cesdcdman":'''CESD Contents Delivery Management''', "cesdcdtrn":'''CESD Contents Delivery Data Transfer''', "wta-wsp-wtp-s":'''WTA-WSP-WTP-S''', "precise-vip":'''PRECISE-VIP''', "mobile-file-dl":'''MOBILE-FILE-DL''', "unimobilectrl":'''UNIMOBILECTRL''', "redstone-cpss":'''REDSTONE-CPSS''', "amx-webadmin":'''AMX-WEBADMIN''', "amx-weblinx":'''AMX-WEBLINX''', "circle-x":'''Circle-X''', "incp":'''INCP''', "4-tieropmgw":'''4-TIER OPM GW''', "4-tieropmcli":'''4-TIER OPM CLI''', "qtp":'''QTP''', "otpatch":'''OTPatch''', "pnaconsult-lm":'''PNACONSULT-LM''', "sm-pas-1":'''SM-PAS-1''', "sm-pas-2":'''SM-PAS-2''', "sm-pas-3":'''SM-PAS-3''', "sm-pas-4":'''SM-PAS-4''', "sm-pas-5":'''SM-PAS-5''', "ttnrepository":'''TTNRepository''', "megaco-h248":'''Megaco H-248''', "h248-binary":'''H248 Binary''', "fjsvmpor":'''FJSVmpor''', "gpsd":'''GPS Daemon request/response protocol''', "wap-push":'''WAP PUSH''', "wap-pushsecure":'''WAP PUSH SECURE''', "esip":'''ESIP''', "ottp":'''OTTP''', "mpfwsas":'''MPFWSAS''', "ovalarmsrv":'''OVALARMSRV''', "ovalarmsrv-cmd":'''OVALARMSRV-CMD''', "csnotify":'''CSNOTIFY''', "ovrimosdbman":'''OVRIMOSDBMAN''', "jmact5":'''JAMCT5''', "jmact6":'''JAMCT6''', "rmopagt":'''RMOPAGT''', "dfoxserver":'''DFOXSERVER''', "boldsoft-lm":'''BOLDSOFT-LM''', "iph-policy-cli":'''IPH-POLICY-CLI''', "iph-policy-adm":'''IPH-POLICY-ADM''', "bullant-srap":'''BULLANT SRAP''', "bullant-rap":'''BULLANT RAP''', "idp-infotrieve":'''IDP-INFOTRIEVE''', "ssc-agent":'''SSC-AGENT''', "enpp":'''ENPP''', "essp":'''ESSP''', "index-net":'''INDEX-NET''', "netclip":'''NetClip clipboard daemon''', "pmsm-webrctl":'''PMSM Webrctl''', "svnetworks":'''SV Networks''', "signal":'''Signal''', "fjmpcm":'''Fujitsu Configuration Management Service''', "cns-srv-port":'''CNS Server Port''', "ttc-etap-ns":'''TTCs Enterprise Test Access Protocol - NS''', "ttc-etap-ds":'''TTCs Enterprise Test Access Protocol - DS''', "h263-video":'''H.263 Video Streaming''', "wimd":'''Instant Messaging Service''', "mylxamport":'''MYLXAMPORT''', "iwb-whiteboard":'''IWB-WHITEBOARD''', "netplan":'''NETPLAN''', "hpidsadmin":'''HPIDSADMIN''', "hpidsagent":'''HPIDSAGENT''', "stonefalls":'''STONEFALLS''', "identify":'''identify''', "hippad":'''HIPPA Reporting Protocol''', "zarkov":'''ZARKOV Intelligent Agent Communication''', "boscap":'''BOSCAP''', "wkstn-mon":'''WKSTN-MON''', "avenyo":'''Avenyo Server''', "veritas-vis1":'''VERITAS VIS1''', "veritas-vis2":'''VERITAS VIS2''', "idrs":'''IDRS''', "vsixml":'''vsixml''', "rebol":'''REBOL''', "realsecure":'''Real Secure''', "remoteware-un":'''RemoteWare Unassigned''', "hbci":'''HBCI''', "remoteware-cl":'''RemoteWare Client''', "exlm-agent":'''EXLM Agent''', "remoteware-srv":'''RemoteWare Server''', "cgms":'''CGMS''', "csoftragent":'''Csoft Agent''', "geniuslm":'''Genius License Manager''', "ii-admin":'''Instant Internet Admin''', "lotusmtap":'''Lotus Mail Tracking Agent Protocol''', "midnight-tech":'''Midnight Technologies''', "pxc-ntfy":'''PXC-NTFY''', "ping-pong":'''Telerate Workstation''', "trusted-web":'''Trusted Web''', "twsdss":'''Trusted Web Client''', "gilatskysurfer":'''Gilat Sky Surfer''', "broker-service":'''Broker Service IANA assigned this well-formed service name as a replacement for "broker_service".''', "broker_service":'''Broker Service''', "nati-dstp":'''NATI DSTP''', "notify-srvr":'''Notify Server IANA assigned this well-formed service name as a replacement for "notify_srvr".''', "notify_srvr":'''Notify Server''', "event-listener":'''Event Listener IANA assigned this well-formed service name as a replacement for "event_listener".''', "event_listener":'''Event Listener''', "srvc-registry":'''Service Registry IANA assigned this well-formed service name as a replacement for "srvc_registry".''', "srvc_registry":'''Service Registry''', "resource-mgr":'''Resource Manager IANA assigned this well-formed service name as a replacement for "resource_mgr".''', "resource_mgr":'''Resource Manager''', "cifs":'''CIFS''', "agriserver":'''AGRI Server''', "csregagent":'''CSREGAGENT''', "magicnotes":'''magicnotes''', "nds-sso":'''NDS_SSO IANA assigned this well-formed service name as a replacement for "nds_sso".''', "nds_sso":'''NDS_SSO''', "arepa-raft":'''Arepa Raft''', "agri-gateway":'''AGRI Gateway''', "LiebDevMgmt-C":'''LiebDevMgmt_C IANA assigned this well-formed service name as a replacement for "LiebDevMgmt_C".''', "LiebDevMgmt_C":'''LiebDevMgmt_C''', "LiebDevMgmt-DM":'''LiebDevMgmt_DM IANA assigned this well-formed service name as a replacement for "LiebDevMgmt_DM".''', "LiebDevMgmt_DM":'''LiebDevMgmt_DM''', "LiebDevMgmt-A":'''LiebDevMgmt_A IANA assigned this well-formed service name as a replacement for "LiebDevMgmt_A".''', "LiebDevMgmt_A":'''LiebDevMgmt_A''', "arepa-cas":'''Arepa Cas''', "eppc":'''Remote AppleEvents/PPC Toolbox''', "redwood-chat":'''Redwood Chat''', "pdb":'''PDB''', "osmosis-aeea":'''Osmosis / Helix (R) AEEA Port''', "fjsv-gssagt":'''FJSV gssagt''', "hagel-dump":'''Hagel DUMP''', "hp-san-mgmt":'''HP SAN Mgmt''', "santak-ups":'''Santak UPS''', "cogitate":'''Cogitate, Inc.''', "tomato-springs":'''Tomato Springs''', "di-traceware":'''di-traceware''', "journee":'''journee''', "brp":'''Broadcast Routing Protocol''', "epp":'''EndPoint Protocol''', "responsenet":'''ResponseNet''', "di-ase":'''di-ase''', "hlserver":'''Fast Security HL Server''', "pctrader":'''Sierra Net PC Trader''', "nsws":'''NSWS''', "gds-db":'''gds_db IANA assigned this well-formed service name as a replacement for "gds_db".''', "gds_db":'''gds_db''', "galaxy-server":'''Galaxy Server''', "apc-3052":'''APC 3052''', "dsom-server":'''dsom-server''', "amt-cnf-prot":'''AMT CNF PROT''', "policyserver":'''Policy Server''', "cdl-server":'''CDL Server''', "goahead-fldup":'''GoAhead FldUp''', "videobeans":'''videobeans''', "qsoft":'''qsoft''', "interserver":'''interserver''', "cautcpd":'''cautcpd''', "ncacn-ip-tcp":'''ncacn-ip-tcp''', "ncadg-ip-udp":'''ncadg-ip-udp''', "rprt":'''Remote Port Redirector''', "slinterbase":'''slinterbase''', "netattachsdmp":'''NETATTACHSDMP''', "fjhpjp":'''FJHPJP''', "ls3bcast":'''ls3 Broadcast''', "ls3":'''ls3''', "mgxswitch":'''MGXSWITCH''', "csd-mgmt-port":'''ContinuStor Manager Port''', "csd-monitor":'''ContinuStor Monitor Port''', "vcrp":'''Very simple chatroom prot''', "xbox":'''Xbox game port''', "orbix-locator":'''Orbix 2000 Locator''', "orbix-config":'''Orbix 2000 Config''', "orbix-loc-ssl":'''Orbix 2000 Locator SSL''', "orbix-cfg-ssl":'''Orbix 2000 Locator SSL''', "lv-frontpanel":'''LV Front Panel''', "stm-pproc":'''stm_pproc IANA assigned this well-formed service name as a replacement for "stm_pproc".''', "stm_pproc":'''stm_pproc''', "tl1-lv":'''TL1-LV''', "tl1-raw":'''TL1-RAW''', "tl1-telnet":'''TL1-TELNET''', "itm-mccs":'''ITM-MCCS''', "pcihreq":'''PCIHReq''', "jdl-dbkitchen":'''JDL-DBKitchen''', "asoki-sma":'''Asoki SMA''', "xdtp":'''eXtensible Data Transfer Protocol''', "ptk-alink":'''ParaTek Agent Linking''', "stss":'''Senforce Session Services''', "1ci-smcs":'''1Ci Server Management''', "rapidmq-center":'''Jiiva RapidMQ Center''', "rapidmq-reg":'''Jiiva RapidMQ Registry''', "panasas":'''Panasas rendevous port''', "ndl-aps":'''Active Print Server Port''', "umm-port":'''Universal Message Manager''', "chmd":'''CHIPSY Machine Daemon''', "opcon-xps":'''OpCon/xps''', "hp-pxpib":'''HP PolicyXpert PIB Server''', "slslavemon":'''SoftlinK Slave Mon Port''', "autocuesmi":'''Autocue SMI Protocol''', "autocuetime":'''Autocue Time Service''', "cardbox":'''Cardbox''', "cardbox-http":'''Cardbox HTTP''', "business":'''Business protocol''', "geolocate":'''Geolocate protocol''', "personnel":'''Personnel protocol''', "sim-control":'''simulator control port''', "wsynch":'''Web Synchronous Services''', "ksysguard":'''KDE System Guard''', "cs-auth-svr":'''CS-Authenticate Svr Port''', "ccmad":'''CCM AutoDiscover''', "mctet-master":'''MCTET Master''', "mctet-gateway":'''MCTET Gateway''', "mctet-jserv":'''MCTET Jserv''', "pkagent":'''PKAgent''', "d2000kernel":'''D2000 Kernel Port''', "d2000webserver":'''D2000 Webserver Port''', "vtr-emulator":'''MTI VTR Emulator port''', "edix":'''EDI Translation Protocol''', "beacon-port":'''Beacon Port''', "a13-an":'''A13-AN Interface''', "ctx-bridge":'''CTX Bridge Port''', "ndl-aas":'''Active API Server Port''', "netport-id":'''NetPort Discovery Port''', "icpv2":'''ICPv2''', "netbookmark":'''Net Book Mark''', "ms-rule-engine":'''Microsoft Business Rule Engine Update Service''', "prism-deploy":'''Prism Deploy User Port''', "ecp":'''Extensible Code Protocol''', "peerbook-port":'''PeerBook Port''', "grubd":'''Grub Server Port''', "rtnt-1":'''rtnt-1 data packets''', "rtnt-2":'''rtnt-2 data packets''', "incognitorv":'''Incognito Rendez-Vous''', "ariliamulti":'''Arilia Multiplexor''', "vmodem":'''VMODEM''', "rdc-wh-eos":'''RDC WH EOS''', "seaview":'''Sea View''', "tarantella":'''Tarantella''', "csi-lfap":'''CSI-LFAP''', "bears-02":'''bears-02''', "rfio":'''RFIO''', "nm-game-admin":'''NetMike Game Administrator''', "nm-game-server":'''NetMike Game Server''', "nm-asses-admin":'''NetMike Assessor Administrator''', "nm-assessor":'''NetMike Assessor''', "feitianrockey":'''FeiTian Port''', "s8-client-port":'''S8Cargo Client Port''', "ccmrmi":'''ON RMI Registry''', "jpegmpeg":'''JpegMpeg Port''', "indura":'''Indura Collector''', "e3consultants":'''CCC Listener Port''', "stvp":'''SmashTV Protocol''', "navegaweb-port":'''NavegaWeb Tarification''', "tip-app-server":'''TIP Application Server''', "doc1lm":'''DOC1 License Manager''', "sflm":'''SFLM''', "res-sap":'''RES-SAP''', "imprs":'''IMPRS''', "newgenpay":'''Newgenpay Engine Service''', "sossecollector":'''Quest Spotlight Out-Of-Process Collector''', "nowcontact":'''Now Contact Public Server''', "poweronnud":'''Now Up-to-Date Public Server''', "serverview-as":'''SERVERVIEW-AS''', "serverview-asn":'''SERVERVIEW-ASN''', "serverview-gf":'''SERVERVIEW-GF''', "serverview-rm":'''SERVERVIEW-RM''', "serverview-icc":'''SERVERVIEW-ICC''', "armi-server":'''ARMI Server''', "t1-e1-over-ip":'''T1_E1_Over_IP''', "ars-master":'''ARS Master''', "phonex-port":'''Phonex Protocol''', "radclientport":'''Radiance UltraEdge Port''', "h2gf-w-2m":'''H2GF W.2m Handover prot.''', "mc-brk-srv":'''Millicent Broker Server''', "bmcpatrolagent":'''BMC Patrol Agent''', "bmcpatrolrnvu":'''BMC Patrol Rendezvous''', "cops-tls":'''COPS/TLS''', "apogeex-port":'''ApogeeX Port''', "smpppd":'''SuSE Meta PPPD''', "iiw-port":'''IIW Monitor User Port''', "odi-port":'''Open Design Listen Port''', "brcm-comm-port":'''Broadcom Port''', "pcle-infex":'''Pinnacle Sys InfEx Port''', "csvr-proxy":'''ConServR Proxy''', "csvr-sslproxy":'''ConServR SSL Proxy''', "firemonrcc":'''FireMon Revision Control''', "spandataport":'''SpanDataPort''', "magbind":'''Rockstorm MAG protocol''', "ncu-1":'''Network Control Unit''', "ncu-2":'''Network Control Unit''', "embrace-dp-s":'''Embrace Device Protocol Server''', "embrace-dp-c":'''Embrace Device Protocol Client''', "dmod-workspace":'''DMOD WorkSpace''', "tick-port":'''Press-sense Tick Port''', "cpq-tasksmart":'''CPQ-TaskSmart''', "intraintra":'''IntraIntra''', "netwatcher-mon":'''Network Watcher Monitor''', "netwatcher-db":'''Network Watcher DB Access''', "isns":'''iSNS Server Port''', "ironmail":'''IronMail POP Proxy''', "vx-auth-port":'''Veritas Authentication Port''', "pfu-prcallback":'''PFU PR Callback''', "netwkpathengine":'''HP OpenView Network Path Engine Server''', "flamenco-proxy":'''Flamenco Networks Proxy''', "avsecuremgmt":'''Avocent Secure Management''', "surveyinst":'''Survey Instrument''', "neon24x7":'''NEON 24X7 Mission Control''', "jmq-daemon-1":'''JMQ Daemon Port 1''', "jmq-daemon-2":'''JMQ Daemon Port 2''', "ferrari-foam":'''Ferrari electronic FOAM''', "unite":'''Unified IP & Telecom Environment''', "smartpackets":'''EMC SmartPackets''', "wms-messenger":'''WMS Messenger''', "xnm-ssl":'''XML NM over SSL''', "xnm-clear-text":'''XML NM over TCP''', "glbp":'''Gateway Load Balancing Pr''', "digivote":'''DIGIVOTE (R) Vote-Server''', "aes-discovery":'''AES Discovery Port''', "fcip-port":'''FCIP''', "isi-irp":'''ISI Industry Software IRP''', "dwnmshttp":'''DiamondWave NMS Server''', "dwmsgserver":'''DiamondWave MSG Server''', "global-cd-port":'''Global CD Port''', "sftdst-port":'''Software Distributor Port''', "vidigo":'''VidiGo communication (previous was: Delta Solutions Direct)''', "mdtp":'''MDT port''', "whisker":'''WhiskerControl main port''', "alchemy":'''Alchemy Server''', "mdap-port":'''MDAP Port''', "apparenet-ts":'''appareNet Test Server''', "apparenet-tps":'''appareNet Test Packet Sequencer''', "apparenet-as":'''appareNet Analysis Server''', "apparenet-ui":'''appareNet User Interface''', "triomotion":'''Trio Motion Control Port''', "sysorb":'''SysOrb Monitoring Server''', "sdp-id-port":'''Session Description ID''', "timelot":'''Timelot Port''', "onesaf":'''OneSAF''', "vieo-fe":'''VIEO Fabric Executive''', "dvt-system":'''DVT SYSTEM PORT''', "dvt-data":'''DVT DATA LINK''', "procos-lm":'''PROCOS LM''', "ssp":'''State Sync Protocol''', "hicp":'''HMS hicp port''', "sysscanner":'''Sys Scanner''', "dhe":'''DHE port''', "pda-data":'''PDA Data''', "pda-sys":'''PDA System''', "semaphore":'''Semaphore Connection Port''', "cpqrpm-agent":'''Compaq RPM Agent Port''', "cpqrpm-server":'''Compaq RPM Server Port''', "ivecon-port":'''Ivecon Server Port''', "epncdp2":'''Epson Network Common Devi''', "iscsi-target":'''iSCSI port''', "winshadow":'''winShadow''', "necp":'''NECP''', "ecolor-imager":'''E-Color Enterprise Imager''', "ccmail":'''cc:mail/lotus''', "altav-tunnel":'''Altav Tunnel''', "ns-cfg-server":'''NS CFG Server''', "ibm-dial-out":'''IBM Dial Out''', "msft-gc":'''Microsoft Global Catalog''', "msft-gc-ssl":'''Microsoft Global Catalog with LDAP/SSL''', "verismart":'''Verismart''', "csoft-prev":'''CSoft Prev Port''', "user-manager":'''Fujitsu User Manager''', "sxmp":'''Simple Extensible Multiplexed Protocol''', "ordinox-server":'''Ordinox Server''', "samd":'''SAMD''', "maxim-asics":'''Maxim ASICs''', "awg-proxy":'''AWG Proxy''', "lkcmserver":'''LKCM Server''', "admind":'''admind''', "vs-server":'''VS Server''', "sysopt":'''SYSOPT''', "datusorb":'''Datusorb''', "Apple Remote Desktop (Net Assistant)":'''Net Assistant''', "4talk":'''4Talk''', "plato":'''Plato''', "e-net":'''E-Net''', "directvdata":'''DIRECTVDATA''', "cops":'''COPS''', "enpc":'''ENPC''', "caps-lm":'''CAPS LOGISTICS TOOLKIT - LM''', "sah-lm":'''S A Holditch & Associates - LM''', "cart-o-rama":'''Cart O Rama''', "fg-fps":'''fg-fps''', "fg-gip":'''fg-gip''', "dyniplookup":'''Dynamic IP Lookup''', "rib-slm":'''Rib License Manager''', "cytel-lm":'''Cytel License Manager''', "deskview":'''DeskView''', "pdrncs":'''pdrncs''', "mcs-fastmail":'''MCS Fastmail''', "opsession-clnt":'''OP Session Client''', "opsession-srvr":'''OP Session Server''', "odette-ftp":'''ODETTE-FTP''', "mysql":'''MySQL''', "opsession-prxy":'''OP Session Proxy''', "tns-server":'''TNS Server''', "tns-adv":'''TNS ADV''', "dyna-access":'''Dyna Access''', "mcns-tel-ret":'''MCNS Tel Ret''', "appman-server":'''Application Management Server''', "uorb":'''Unify Object Broker''', "uohost":'''Unify Object Host''', "cdid":'''CDID''', "aicc-cmi":'''AICC/CMI''', "vsaiport":'''VSAI PORT''', "ssrip":'''Swith to Swith Routing Information Protocol''', "sdt-lmd":'''SDT License Manager''', "officelink2000":'''Office Link 2000''', "vnsstr":'''VNSSTR''', "sftu":'''SFTU''', "bbars":'''BBARS''', "egptlm":'''Eaglepoint License Manager''', "hp-device-disc":'''HP Device Disc''', "mcs-calypsoicf":'''MCS Calypso ICF''', "mcs-messaging":'''MCS Messaging''', "mcs-mailsvr":'''MCS Mail Server''', "dec-notes":'''DEC Notes''', "directv-web":'''Direct TV Webcasting''', "directv-soft":'''Direct TV Software Updates''', "directv-tick":'''Direct TV Tickers''', "directv-catlg":'''Direct TV Data Catalog''', "anet-b":'''OMF data b''', "anet-l":'''OMF data l''', "anet-m":'''OMF data m''', "anet-h":'''OMF data h''', "webtie":'''WebTIE''', "ms-cluster-net":'''MS Cluster Net''', "bnt-manager":'''BNT Manager''', "influence":'''Influence''', "trnsprntproxy":'''Trnsprnt Proxy''', "phoenix-rpc":'''Phoenix RPC''', "pangolin-laser":'''Pangolin Laser''', "chevinservices":'''Chevin Services''', "findviatv":'''FINDVIATV''', "btrieve":'''Btrieve port''', "ssql":'''Scalable SQL''', "fatpipe":'''FATPIPE''', "suitjd":'''SUITJD''', "ordinox-dbase":'''Ordinox Dbase''', "upnotifyps":'''UPNOTIFYPS''', "adtech-test":'''Adtech Test IP''', "mpsysrmsvr":'''Mp Sys Rmsvr''', "wg-netforce":'''WG NetForce''', "kv-server":'''KV Server''', "kv-agent":'''KV Agent''', "dj-ilm":'''DJ ILM''', "nati-vi-server":'''NATI Vi Server''', "creativeserver":'''Creative Server''', "contentserver":'''Content Server''', "creativepartnr":'''Creative Partner''', "tip2":'''TIP 2''', "lavenir-lm":'''Lavenir License Manager''', "cluster-disc":'''Cluster Disc''', "vsnm-agent":'''VSNM Agent''', "cdbroker":'''CD Broker''', "cogsys-lm":'''Cogsys Network License Manager''', "wsicopy":'''WSICOPY''', "socorfs":'''SOCORFS''', "sns-channels":'''SNS Channels''', "geneous":'''Geneous''', "fujitsu-neat":'''Fujitsu Network Enhanced Antitheft function''', "esp-lm":'''Enterprise Software Products License Manager''', "hp-clic":'''Hardware Management''', "qnxnetman":'''qnxnetman''', "gprs-sig":'''GPRS SIG''', "backroomnet":'''Back Room Net''', "cbserver":'''CB Server''', "ms-wbt-server":'''MS WBT Server''', "dsc":'''Distributed Service Coordinator''', "savant":'''SAVANT''', "efi-lm":'''EFI License Management''', "d2k-tapestry1":'''D2K Tapestry Client to Server''', "d2k-tapestry2":'''D2K Tapestry Server to Server''', "dyna-lm":'''Dyna License Manager (Elam)''', "printer-agent":'''Printer Agent IANA assigned this well-formed service name as a replacement for "printer_agent".''', "printer_agent":'''Printer Agent''', "cloanto-lm":'''Cloanto License Manager''', "mercantile":'''Mercantile''', "csms":'''CSMS''', "csms2":'''CSMS2''', "filecast":'''filecast''', "fxaengine-net":'''FXa Engine Network Port''', "nokia-ann-ch1":'''Nokia Announcement ch 1''', "nokia-ann-ch2":'''Nokia Announcement ch 2''', "ldap-admin":'''LDAP admin server port''', "BESApi":'''BES Api Port''', "networklens":'''NetworkLens Event Port''', "networklenss":'''NetworkLens SSL Event''', "biolink-auth":'''BioLink Authenteon server''', "xmlblaster":'''xmlBlaster''', "svnet":'''SpecView Networking''', "wip-port":'''BroadCloud WIP Port''', "bcinameservice":'''BCI Name Service''', "commandport":'''AirMobile IS Command Port''', "csvr":'''ConServR file translation''', "rnmap":'''Remote nmap''', "softaudit":'''ISogon SoftAudit''', "ifcp-port":'''iFCP User Port''', "bmap":'''Bull Apprise portmapper''', "rusb-sys-port":'''Remote USB System Port''', "xtrm":'''xTrade Reliable Messaging''', "xtrms":'''xTrade over TLS/SSL''', "agps-port":'''AGPS Access Port''', "arkivio":'''Arkivio Storage Protocol''', "websphere-snmp":'''WebSphere SNMP''', "twcss":'''2Wire CSS''', "gcsp":'''GCSP user port''', "ssdispatch":'''Scott Studios Dispatch''', "ndl-als":'''Active License Server Port''', "osdcp":'''Secure Device Protocol''', "opnet-smp":'''OPNET Service Management Platform''', "opencm":'''OpenCM Server''', "pacom":'''Pacom Security User Port''', "gc-config":'''GuardControl Exchange Protocol''', "autocueds":'''Autocue Directory Service''', "spiral-admin":'''Spiralcraft Admin''', "hri-port":'''HRI Interface Port''', "ans-console":'''Net Steward Mgmt Console''', "connect-client":'''OC Connect Client''', "connect-server":'''OC Connect Server''', "ov-nnm-websrv":'''OpenView Network Node Manager WEB Server''', "denali-server":'''Denali Server''', "monp":'''Media Object Network''', "3comfaxrpc":'''3Com FAX RPC port''', "directnet":'''DirectNet IM System''', "dnc-port":'''Discovery and Net Config''', "hotu-chat":'''HotU Chat''', "castorproxy":'''CAStorProxy''', "asam":'''ASAM Services''', "sabp-signal":'''SABP-Signalling Protocol''', "pscupd":'''PSC Update Port''', "mira":'''Apple Remote Access Protocol''', "prsvp":'''RSVP Port''', "vat":'''VAT default data''', "vat-control":'''VAT default control''', "d3winosfi":'''D3WinOSFI''', "integral":'''TIP Integral''', "edm-manager":'''EDM Manger''', "edm-stager":'''EDM Stager''', "edm-std-notify":'''EDM STD Notify''', "edm-adm-notify":'''EDM ADM Notify''', "edm-mgr-sync":'''EDM MGR Sync''', "edm-mgr-cntrl":'''EDM MGR Cntrl''', "workflow":'''WORKFLOW''', "rcst":'''RCST''', "ttcmremotectrl":'''TTCM Remote Controll''', "pluribus":'''Pluribus''', "jt400":'''jt400''', "jt400-ssl":'''jt400-ssl''', "jaugsremotec-1":'''JAUGS N-G Remotec 1''', "jaugsremotec-2":'''JAUGS N-G Remotec 2''', "ttntspauto":'''TSP Automation''', "genisar-port":'''Genisar Comm Port''', "nppmp":'''NVIDIA Mgmt Protocol''', "ecomm":'''eComm link port''', "stun":'''Session Traversal Utilities for NAT (STUN) port''', "turn":'''TURN over UDP''', "stun-behavior":'''STUN Behavior Discovery over UDP''', "twrpc":'''2Wire RPC''', "plethora":'''Secure Virtual Workspace''', "cleanerliverc":'''CleanerLive remote ctrl''', "vulture":'''Vulture Monitoring System''', "slim-devices":'''Slim Devices Protocol''', "gbs-stp":'''GBS SnapTalk Protocol''', "celatalk":'''CelaTalk''', "ifsf-hb-port":'''IFSF Heartbeat Port''', "ltcudp":'''LISA UDP Transfer Channel''', "fs-rh-srv":'''FS Remote Host Server''', "dtp-dia":'''DTP/DIA''', "colubris":'''Colubris Management Port''', "swr-port":'''SWR Port''', "tvdumtray-port":'''TVDUM Tray Port''', "nut":'''Network UPS Tools''', "ibm3494":'''IBM 3494''', "seclayer-tcp":'''securitylayer over tcp''', "seclayer-tls":'''securitylayer over tls''', "ipether232port":'''ipEther232Port''', "dashpas-port":'''DASHPAS user port''', "sccip-media":'''SccIP Media''', "rtmp-port":'''RTMP Port''', "isoft-p2p":'''iSoft-P2P''', "avinstalldisc":'''Avocent Install Discovery''', "lsp-ping":'''MPLS LSP-echo Port''', "ironstorm":'''IronStorm game server''', "ccmcomm":'''CCM communications port''', "apc-3506":'''APC 3506''', "nesh-broker":'''Nesh Broker Port''', "interactionweb":'''Interaction Web''', "vt-ssl":'''Virtual Token SSL Port''', "xss-port":'''XSS Port''', "webmail-2":'''WebMail/2''', "aztec":'''Aztec Distribution Port''', "arcpd":'''Adaptec Remote Protocol''', "must-p2p":'''MUST Peer to Peer''', "must-backplane":'''MUST Backplane''', "smartcard-port":'''Smartcard Port''', "802-11-iapp":'''IEEE 802.11 WLANs WG IAPP''', "artifact-msg":'''Artifact Message Server''', "galileo":'''Netvion Galileo Port''', "galileolog":'''Netvion Galileo Log Port''', "mc3ss":'''Telequip Labs MC3SS''', "nssocketport":'''DO over NSSocketPort''', "odeumservlink":'''Odeum Serverlink''', "ecmport":'''ECM Server port''', "eisport":'''EIS Server port''', "starquiz-port":'''starQuiz Port''', "beserver-msg-q":'''VERITAS Backup Exec Server''', "jboss-iiop":'''JBoss IIOP''', "jboss-iiop-ssl":'''JBoss IIOP/SSL''', "gf":'''Grid Friendly''', "joltid":'''Joltid''', "raven-rmp":'''Raven Remote Management Control''', "raven-rdp":'''Raven Remote Management Data''', "urld-port":'''URL Daemon Port''', "ms-la":'''MS-LA''', "snac":'''SNAC''', "ni-visa-remote":'''Remote NI-VISA port''', "ibm-diradm":'''IBM Directory Server''', "ibm-diradm-ssl":'''IBM Directory Server SSL''', "pnrp-port":'''PNRP User Port''', "voispeed-port":'''VoiSpeed Port''', "hacl-monitor":'''HA cluster monitor''', "qftest-lookup":'''qftest Lookup Port''', "teredo":'''Teredo Port''', "camac":'''CAMAC equipment''', "symantec-sim":'''Symantec SIM''', "interworld":'''Interworld''', "tellumat-nms":'''Tellumat MDR NMS''', "ssmpp":'''Secure SMPP''', "apcupsd":'''Apcupsd Information Port''', "taserver":'''TeamAgenda Server Port''', "rbr-discovery":'''Red Box Recorder ADP''', "questnotify":'''Quest Notification Server''', "razor":'''Vipul's Razor''', "sky-transport":'''Sky Transport Protocol''', "personalos-001":'''PersonalOS Comm Port''', "mcp-port":'''MCP user port''', "cctv-port":'''CCTV control port''', "iniserve-port":'''INIServe port''', "bmc-onekey":'''BMC-OneKey''', "sdbproxy":'''SDBProxy''', "watcomdebug":'''Watcom Debug''', "esimport":'''Electromed SIM port''', "oap":'''Object Access Protocol''', "oap-s":'''Object Access Protocol over SSL''', "mbg-ctrl":'''Meinberg Control Service''', "mccwebsvr-port":'''MCC Web Server Port''', "megardsvr-port":'''MegaRAID Server Port''', "megaregsvrport":'''Registration Server Port''', "tag-ups-1":'''Advantage Group UPS Suite''', "dmaf-caster":'''DMAF Caster''', "ccm-port":'''Coalsere CCM Port''', "cmc-port":'''Coalsere CMC Port''', "config-port":'''Configuration Port''', "data-port":'''Data Port''', "ttat3lb":'''Tarantella Load Balancing''', "nati-svrloc":'''NATI-ServiceLocator''', "kfxaclicensing":'''Ascent Capture Licensing''', "press":'''PEG PRESS Server''', "canex-watch":'''CANEX Watch System''', "u-dbap":'''U-DBase Access Protocol''', "emprise-lls":'''Emprise License Server''', "emprise-lsc":'''License Server Console''', "p2pgroup":'''Peer to Peer Grouping''', "sentinel":'''Sentinel Server''', "isomair":'''isomair''', "wv-csp-sms":'''WV CSP SMS Binding''', "gtrack-server":'''LOCANIS G-TRACK Server''', "gtrack-ne":'''LOCANIS G-TRACK NE Port''', "bpmd":'''BP Model Debugger''', "mediaspace":'''MediaSpace''', "shareapp":'''ShareApp''', "iw-mmogame":'''Illusion Wireless MMOG''', "a14":'''A14 (AN-to-SC/MM)''', "a15":'''A15 (AN-to-AN)''', "quasar-server":'''Quasar Accounting Server''', "trap-daemon":'''text relay-answer''', "visinet-gui":'''Visinet Gui''', "infiniswitchcl":'''InfiniSwitch Mgr Client''', "int-rcv-cntrl":'''Integrated Rcvr Control''', "bmc-jmx-port":'''BMC JMX Port''', "comcam-io":'''ComCam IO Port''', "splitlock":'''Splitlock Server''', "precise-i3":'''Precise I3''', "trendchip-dcp":'''Trendchip control protocol''', "cpdi-pidas-cm":'''CPDI PIDAS Connection Mon''', "echonet":'''ECHONET''', "six-degrees":'''Six Degrees Port''', "hp-dataprotect":'''HP Data Protector''', "alaris-disc":'''Alaris Device Discovery''', "sigma-port":'''Satchwell Sigma''', "start-network":'''Start Messaging Network''', "cd3o-protocol":'''cd3o Control Protocol''', "sharp-server":'''ATI SHARP Logic Engine''', "aairnet-1":'''AAIR-Network 1''', "aairnet-2":'''AAIR-Network 2''', "ep-pcp":'''EPSON Projector Control Port''', "ep-nsp":'''EPSON Network Screen Port''', "ff-lr-port":'''FF LAN Redundancy Port''', "haipe-discover":'''HAIPIS Dynamic Discovery''', "dist-upgrade":'''Distributed Upgrade Port''', "volley":'''Volley''', "bvcdaemon-port":'''bvControl Daemon''', "jamserverport":'''Jam Server Port''', "ept-machine":'''EPT Machine Interface''', "escvpnet":'''ESC/VP.net''', "cs-remote-db":'''C&S Remote Database Port''', "cs-services":'''C&S Web Services Port''', "distcc":'''distributed compiler''', "wacp":'''Wyrnix AIS port''', "hlibmgr":'''hNTSP Library Manager''', "sdo":'''Simple Distributed Objects''', "servistaitsm":'''SerVistaITSM''', "scservp":'''Customer Service Port''', "ehp-backup":'''EHP Backup Protocol''', "xap-ha":'''Extensible Automation''', "netplay-port1":'''Netplay Port 1''', "netplay-port2":'''Netplay Port 2''', "juxml-port":'''Juxml Replication port''', "audiojuggler":'''AudioJuggler''', "ssowatch":'''ssowatch''', "cyc":'''Cyc''', "xss-srv-port":'''XSS Server Port''', "splitlock-gw":'''Splitlock Gateway''', "fjcp":'''Fujitsu Cooperation Port''', "nmmp":'''Nishioka Miyuki Msg Protocol''', "prismiq-plugin":'''PRISMIQ VOD plug-in''', "xrpc-registry":'''XRPC Registry''', "vxcrnbuport":'''VxCR NBU Default Port''', "tsp":'''Tunnel Setup Protocol''', "vaprtm":'''VAP RealTime Messenger''', "abatemgr":'''ActiveBatch Exec Agent''', "abatjss":'''ActiveBatch Job Scheduler''', "immedianet-bcn":'''ImmediaNet Beacon''', "ps-ams":'''PlayStation AMS (Secure)''', "apple-sasl":'''Apple SASL''', "can-nds-ssl":'''IBM Tivoli Directory Service using SSL''', "can-ferret-ssl":'''IBM Tivoli Directory Service using SSL''', "pserver":'''pserver''', "dtp":'''DIRECWAY Tunnel Protocol''', "ups-engine":'''UPS Engine Port''', "ent-engine":'''Enterprise Engine Port''', "eserver-pap":'''IBM EServer PAP''', "infoexch":'''IBM Information Exchange''', "dell-rm-port":'''Dell Remote Management''', "casanswmgmt":'''CA SAN Switch Management''', "smile":'''SMILE TCP/UDP Interface''', "efcp":'''e Field Control (EIBnet)''', "lispworks-orb":'''LispWorks ORB''', "mediavault-gui":'''Openview Media Vault GUI''', "wininstall-ipc":'''WinINSTALL IPC Port''', "calltrax":'''CallTrax Data Port''', "va-pacbase":'''VisualAge Pacbase server''', "roverlog":'''RoverLog IPC''', "ipr-dglt":'''DataGuardianLT''', "Escale (Newton Dock)":'''Newton Dock''', "npds-tracker":'''NPDS Tracker''', "bts-x73":'''BTS X73 Port''', "cas-mapi":'''EMC SmartPackets-MAPI''', "bmc-ea":'''BMC EDV/EA''', "faxstfx-port":'''FAXstfX''', "dsx-agent":'''DS Expert Agent''', "tnmpv2":'''Trivial Network Management''', "simple-push":'''simple-push''', "simple-push-s":'''simple-push Secure''', "daap":'''Digital Audio Access Protocol (iTunes)''', "svn":'''Subversion''', "magaya-network":'''Magaya Network Port''', "intelsync":'''Brimstone IntelSync''', "bmc-data-coll":'''BMC Data Collection''', "telnetcpcd":'''Telnet Com Port Control''', "nw-license":'''NavisWorks Licnese System''', "sagectlpanel":'''SAGECTLPANEL''', "kpn-icw":'''Internet Call Waiting''', "lrs-paging":'''LRS NetPage''', "netcelera":'''NetCelera''', "ws-discovery":'''Web Service Discovery''', "adobeserver-3":'''Adobe Server 3''', "adobeserver-4":'''Adobe Server 4''', "adobeserver-5":'''Adobe Server 5''', "rt-event":'''Real-Time Event Port''', "rt-event-s":'''Real-Time Event Secure Port''', "sun-as-iiops":'''Sun App Svr - Naming''', "ca-idms":'''CA-IDMS Server''', "portgate-auth":'''PortGate Authentication''', "edb-server2":'''EBD Server 2''', "sentinel-ent":'''Sentinel Enterprise''', "tftps":'''TFTP over TLS''', "delos-dms":'''DELOS Direct Messaging''', "anoto-rendezv":'''Anoto Rendezvous Port''', "wv-csp-sms-cir":'''WV CSP SMS CIR Channel''', "wv-csp-udp-cir":'''WV CSP UDP/IP CIR Channel''', "opus-services":'''OPUS Server Port''', "itelserverport":'''iTel Server Port''', "ufastro-instr":'''UF Astro. Instr. Services''', "xsync":'''Xsync''', "xserveraid":'''Xserve RAID''', "sychrond":'''Sychron Service Daemon''', "blizwow":'''World of Warcraft''', "na-er-tip":'''Netia NA-ER Port''', "array-manager":'''Xyartex Array Manager''', "e-mdu":'''Ericsson Mobile Data Unit''', "e-woa":'''Ericsson Web on Air''', "fksp-audit":'''Fireking Audit Port''', "client-ctrl":'''Client Control''', "smap":'''Service Manager''', "m-wnn":'''Mobile Wnn''', "multip-msg":'''Multipuesto Msg Port''', "synel-data":'''Synel Data Collection Port''', "pwdis":'''Password Distribution''', "rs-rmi":'''RealSpace RMI''', "versatalk":'''versaTalk Server Port''', "launchbird-lm":'''Launchbird LicenseManager''', "heartbeat":'''Heartbeat Protocol''', "wysdma":'''WysDM Agent''', "cst-port":'''CST - Configuration & Service Tracker''', "ipcs-command":'''IP Control Systems Ltd.''', "sasg":'''SASG''', "gw-call-port":'''GWRTC Call Port''', "linktest":'''LXPRO.COM LinkTest''', "linktest-s":'''LXPRO.COM LinkTest SSL''', "webdata":'''webData''', "cimtrak":'''CimTrak''', "cbos-ip-port":'''CBOS/IP ncapsalatoin port''', "gprs-cube":'''CommLinx GPRS Cube''', "vipremoteagent":'''Vigil-IP RemoteAgent''', "nattyserver":'''NattyServer Port''', "timestenbroker":'''TimesTen Broker Port''', "sas-remote-hlp":'''SAS Remote Help Server''', "canon-capt":'''Canon CAPT Port''', "grf-port":'''GRF Server Port''', "apw-registry":'''apw RMI registry''', "exapt-lmgr":'''Exapt License Manager''', "adtempusclient":'''adTEmpus Client''', "gsakmp":'''gsakmp port''', "gbs-smp":'''GBS SnapMail Protocol''', "xo-wave":'''XO Wave Control Port''', "mni-prot-rout":'''MNI Protected Routing''', "rtraceroute":'''Remote Traceroute''', "listmgr-port":'''ListMGR Port''', "rblcheckd":'''rblcheckd server daemon''', "haipe-otnk":'''HAIPE Network Keying''', "cindycollab":'''Cinderella Collaboration''', "paging-port":'''RTP Paging Port''', "ctp":'''Chantry Tunnel Protocol''', "ctdhercules":'''ctdhercules''', "zicom":'''ZICOM''', "ispmmgr":'''ISPM Manager Port''', "dvcprov-port":'''Device Provisioning Port''', "jibe-eb":'''Jibe EdgeBurst''', "c-h-it-port":'''Cutler-Hammer IT Port''', "cognima":'''Cognima Replication''', "nnp":'''Nuzzler Network Protocol''', "abcvoice-port":'''ABCvoice server port''', "iso-tp0s":'''Secure ISO TP0 port''', "bim-pem":'''Impact Mgr./PEM Gateway''', "bfd-control":'''BFD Control Protocol''', "bfd-echo":'''BFD Echo Protocol''', "upstriggervsw":'''VSW Upstrigger port''', "fintrx":'''Fintrx''', "isrp-port":'''SPACEWAY Routing port''', "remotedeploy":'''RemoteDeploy Administration Port [July 2003]''', "quickbooksrds":'''QuickBooks RDS''', "tvnetworkvideo":'''TV NetworkVideo Data port''', "sitewatch":'''e-Watch Corporation SiteWatch''', "dcsoftware":'''DataCore Software''', "jaus":'''JAUS Robots''', "myblast":'''myBLAST Mekentosj port''', "spw-dialer":'''Spaceway Dialer''', "idps":'''idps''', "minilock":'''Minilock''', "radius-dynauth":'''RADIUS Dynamic Authorization''', "pwgpsi":'''Print Services Interface''', "ibm-mgr":'''ibm manager service''', "vhd":'''VHD''', "soniqsync":'''SoniqSync''', "iqnet-port":'''Harman IQNet Port''', "tcpdataserver":'''ThorGuard Server Port''', "wsmlb":'''Remote System Manager''', "spugna":'''SpuGNA Communication Port''', "sun-as-iiops-ca":'''Sun App Svr-IIOPClntAuth''', "apocd":'''Java Desktop System Configuration Agent''', "wlanauth":'''WLAN AS server''', "amp":'''AMP''', "neto-wol-server":'''netO WOL Server''', "rap-ip":'''Rhapsody Interface Protocol''', "neto-dcs":'''netO DCS''', "lansurveyorxml":'''LANsurveyor XML''', "sunlps-http":'''Sun Local Patch Server''', "tapeware":'''Yosemite Tech Tapeware''', "crinis-hb":'''Crinis Heartbeat''', "epl-slp":'''EPL Sequ Layer Protocol''', "scp":'''Siemens AuD SCP''', "pmcp":'''ATSC PMCP Standard''', "acp-discovery":'''Compute Pool Discovery''', "acp-conduit":'''Compute Pool Conduit''', "acp-policy":'''Compute Pool Policy''', "ffserver":'''Antera FlowFusion Process Simulation''', "warmux":'''WarMUX game server''', "netmpi":'''Netadmin Systems MPI service''', "neteh":'''Netadmin Systems Event Handler''', "neteh-ext":'''Netadmin Systems Event Handler External''', "cernsysmgmtagt":'''Cerner System Management Agent''', "dvapps":'''Docsvault Application Service''', "xxnetserver":'''xxNETserver''', "aipn-auth":'''AIPN LS Authentication''', "spectardata":'''Spectar Data Stream Service''', "spectardb":'''Spectar Database Rights Service''', "markem-dcp":'''MARKEM NEXTGEN DCP''', "mkm-discovery":'''MARKEM Auto-Discovery''', "sos":'''Scito Object Server''', "amx-rms":'''AMX Resource Management Suite''', "flirtmitmir":'''www.FlirtMitMir.de''', "zfirm-shiprush3":'''Z-Firm ShipRush v3''', "nhci":'''NHCI status port''', "quest-agent":'''Quest Common Agent''', "rnm":'''RNM''', "v-one-spp":'''V-ONE Single Port Proxy''', "an-pcp":'''Astare Network PCP''', "msfw-control":'''MS Firewall Control''', "item":'''IT Environmental Monitor''', "spw-dnspreload":'''SPACEWAY DNS Prelaod''', "qtms-bootstrap":'''QTMS Bootstrap Protocol''', "spectraport":'''SpectraTalk Port''', "sse-app-config":'''SSE App Configuration''', "sscan":'''SONY scanning protocol''', "stryker-com":'''Stryker Comm Port''', "opentrac":'''OpenTRAC''', "informer":'''INFORMER''', "trap-port":'''Trap Port''', "trap-port-mom":'''Trap Port MOM''', "nav-port":'''Navini Port''', "sasp":'''Server/Application State Protocol (SASP)''', "winshadow-hd":'''winShadow Host Discovery''', "giga-pocket":'''GIGA-POCKET''', "asap-udp":'''asap udp port''', "xpl":'''xpl automation protocol''', "dzdaemon":'''Sun SDViz DZDAEMON Port''', "dzoglserver":'''Sun SDViz DZOGLSERVER Port''', "ovsam-mgmt":'''hp OVSAM MgmtServer Disco''', "ovsam-d-agent":'''hp OVSAM HostAgent Disco''', "avocent-adsap":'''Avocent DS Authorization''', "oem-agent":'''OEM Agent''', "fagordnc":'''fagordnc''', "sixxsconfig":'''SixXS Configuration''', "pnbscada":'''PNBSCADA''', "dl-agent":'''DirectoryLockdown Agent IANA assigned this well-formed service name as a replacement for "dl_agent".''', "dl_agent":'''DirectoryLockdown Agent''', "xmpcr-interface":'''XMPCR Interface Port''', "fotogcad":'''FotoG CAD interface''', "appss-lm":'''appss license manager''', "igrs":'''IGRS''', "idac":'''Data Acquisition and Control''', "msdts1":'''DTS Service Port''', "vrpn":'''VR Peripheral Network''', "softrack-meter":'''SofTrack Metering''', "topflow-ssl":'''TopFlow SSL''', "nei-management":'''NEI management port''', "ciphire-data":'''Ciphire Data Transport''', "ciphire-serv":'''Ciphire Services''', "dandv-tester":'''D and V Tester Control Port''', "ndsconnect":'''Niche Data Server Connect''', "rtc-pm-port":'''Oracle RTC-PM port''', "pcc-image-port":'''PCC-image-port''', "cgi-starapi":'''CGI StarAPI Server''', "syam-agent":'''SyAM Agent Port''', "syam-smc":'''SyAm SMC Service Port''', "sdo-tls":'''Simple Distributed Objects over TLS''', "sdo-ssh":'''Simple Distributed Objects over SSH''', "senip":'''IAS, Inc. SmartEye NET Internet Protocol''', "itv-control":'''ITV Port''', "udt-os":'''Unidata UDT OS IANA assigned this well-formed service name as a replacement for "udt_os".''', "udt_os":'''Unidata UDT OS''', "nimsh":'''NIM Service Handler''', "nimaux":'''NIMsh Auxiliary Port''', "charsetmgr":'''CharsetMGR''', "omnilink-port":'''Arnet Omnilink Port''', "mupdate":'''Mailbox Update (MUPDATE) protocol''', "topovista-data":'''TopoVista elevation data''', "imoguia-port":'''Imoguia Port''', "hppronetman":'''HP Procurve NetManagement''', "surfcontrolcpa":'''SurfControl CPA''', "prnrequest":'''Printer Request Port''', "prnstatus":'''Printer Status Port''', "gbmt-stars":'''Global Maintech Stars''', "listcrt-port":'''ListCREATOR Port''', "listcrt-port-2":'''ListCREATOR Port 2''', "agcat":'''Auto-Graphics Cataloging''', "wysdmc":'''WysDM Controller''', "aftmux":'''AFT multiples port''', "pktcablemmcops":'''PacketCableMultimediaCOPS''', "hyperip":'''HyperIP''', "exasoftport1":'''Exasoft IP Port''', "herodotus-net":'''Herodotus Net''', "sor-update":'''Soronti Update Port''', "symb-sb-port":'''Symbian Service Broker''', "mpl-gprs-port":'''MPL_GPRS_Port''', "zmp":'''Zoran Media Port''', "winport":'''WINPort''', "natdataservice":'''ScsTsr''', "netboot-pxe":'''PXE NetBoot Manager''', "smauth-port":'''AMS Port''', "syam-webserver":'''Syam Web Server Port''', "msr-plugin-port":'''MSR Plugin Port''', "dyn-site":'''Dynamic Site System''', "plbserve-port":'''PL/B App Server User Port''', "sunfm-port":'''PL/B File Manager Port''', "sdp-portmapper":'''SDP Port Mapper Protocol''', "mailprox":'''Mailprox''', "dvbservdsc":'''DVB Service Discovery''', "dbcontrol-agent":'''Oracel dbControl Agent po IANA assigned this well-formed service name as a replacement for "dbcontrol_agent".''', "dbcontrol_agent":'''Oracel dbControl Agent po''', "aamp":'''Anti-virus Application Management Port''', "xecp-node":'''XeCP Node Service''', "homeportal-web":'''Home Portal Web Server''', "srdp":'''satellite distribution''', "tig":'''TetraNode Ip Gateway''', "sops":'''S-Ops Management''', "emcads":'''EMCADS Server Port''', "backupedge":'''BackupEDGE Server''', "ccp":'''Connect and Control Protocol for Consumer, Commercial, and Industrial Electronic Devices''', "apdap":'''Anton Paar Device Administration Protocol''', "drip":'''Dynamic Routing Information Protocol''', "namemunge":'''Name Munging''', "pwgippfax":'''PWG IPP Facsimile''', "i3-sessionmgr":'''I3 Session Manager''', "xmlink-connect":'''Eydeas XMLink Connect''', "adrep":'''AD Replication RPC''', "p2pcommunity":'''p2pCommunity''', "gvcp":'''GigE Vision Control''', "mqe-broker":'''MQEnterprise Broker''', "mqe-agent":'''MQEnterprise Agent''', "treehopper":'''Tree Hopper Networking''', "bess":'''Bess Peer Assessment''', "proaxess":'''ProAxess Server''', "sbi-agent":'''SBI Agent Protocol''', "thrp":'''Teran Hybrid Routing Protocol''', "sasggprs":'''SASG GPRS''', "ati-ip-to-ncpe":'''Avanti IP to NCPE API''', "bflckmgr":'''BuildForge Lock Manager''', "ppsms":'''PPS Message Service''', "ianywhere-dbns":'''iAnywhere DBNS''', "landmarks":'''Landmark Messages''', "lanrevagent":'''LANrev Agent''', "lanrevserver":'''LANrev Server''', "iconp":'''ict-control Protocol''', "progistics":'''ConnectShip Progistics''', "citysearch":'''Remote Applicant Tracking Service''', "airshot":'''Air Shot''', "opswagent":'''Opsware Agent''', "opswmanager":'''Opsware Manager''', "secure-cfg-svr":'''Secured Configuration Server''', "smwan":'''Smith Micro Wide Area Network Service''', "acms":'''Aircraft Cabin Management System''', "starfish":'''Starfish System Admin''', "eis":'''ESRI Image Server''', "eisp":'''ESRI Image Service''', "mapper-nodemgr":'''MAPPER network node manager''', "mapper-mapethd":'''MAPPER TCP/IP server''', "mapper-ws-ethd":'''MAPPER workstation server IANA assigned this well-formed service name as a replacement for "mapper-ws_ethd".''', "mapper-ws_ethd":'''MAPPER workstation server''', "centerline":'''Centerline''', "dcs-config":'''DCS Configuration Port''', "bv-queryengine":'''BindView-Query Engine''', "bv-is":'''BindView-IS''', "bv-smcsrv":'''BindView-SMCServer''', "bv-ds":'''BindView-DirectoryServer''', "bv-agent":'''BindView-Agent''', "iss-mgmt-ssl":'''ISS Management Svcs SSL''', "abcsoftware":'''abcsoftware-01''', "agentsease-db":'''aes_db''', "dnx":'''Distributed Nagios Executor Service''', "nvcnet":'''Norman distributes scanning service''', "terabase":'''Terabase''', "newoak":'''NewOak''', "pxc-spvr-ft":'''pxc-spvr-ft''', "pxc-splr-ft":'''pxc-splr-ft''', "pxc-roid":'''pxc-roid''', "pxc-pin":'''pxc-pin''', "pxc-spvr":'''pxc-spvr''', "pxc-splr":'''pxc-splr''', "netcheque":'''NetCheque accounting''', "chimera-hwm":'''Chimera HWM''', "samsung-unidex":'''Samsung Unidex''', "altserviceboot":'''Alternate Service Boot''', "pda-gate":'''PDA Gate''', "acl-manager":'''ACL Manager''', "taiclock":'''TAICLOCK''', "talarian-mcast1":'''Talarian Mcast''', "talarian-mcast2":'''Talarian Mcast''', "talarian-mcast3":'''Talarian Mcast''', "talarian-mcast4":'''Talarian Mcast''', "talarian-mcast5":'''Talarian Mcast''', "trap":'''TRAP Port''', "nexus-portal":'''Nexus Portal''', "dnox":'''DNOX''', "esnm-zoning":'''ESNM Zoning Port''', "tnp1-port":'''TNP1 User Port''', "partimage":'''Partition Image Port''', "as-debug":'''Graphical Debug Server''', "bxp":'''bitxpress''', "dtserver-port":'''DTServer Port''', "ip-qsig":'''IP Q signaling protocol''', "jdmn-port":'''Accell/JSP Daemon Port''', "suucp":'''UUCP over SSL''', "vrts-auth-port":'''VERITAS Authorization Service''', "sanavigator":'''SANavigator Peer Port''', "ubxd":'''Ubiquinox Daemon''', "wap-push-http":'''WAP Push OTA-HTTP port''', "wap-push-https":'''WAP Push OTA-HTTP secure''', "ravehd":'''RaveHD network control''', "fazzt-ptp":'''Fazzt Point-To-Point''', "fazzt-admin":'''Fazzt Administration''', "yo-main":'''Yo.net main service''', "houston":'''Rocketeer-Houston''', "ldxp":'''LDXP''', "nirp":'''Neighbour Identity Resolution''', "ltp":'''Location Tracking Protocol''', "npp":'''Network Paging Protocol''', "acp-proto":'''Accounting Protocol''', "ctp-state":'''Context Transfer Protocol''', "wafs":'''Wide Area File Services''', "cisco-wafs":'''Wide Area File Services''', "cppdp":'''Cisco Peer to Peer Distribution Protocol''', "interact":'''VoiceConnect Interact''', "ccu-comm-1":'''CosmoCall Universe Communications Port 1''', "ccu-comm-2":'''CosmoCall Universe Communications Port 2''', "ccu-comm-3":'''CosmoCall Universe Communications Port 3''', "lms":'''Location Message Service''', "wfm":'''Servigistics WFM server''', "kingfisher":'''Kingfisher protocol''', "dlms-cosem":'''DLMS/COSEM''', "dsmeter-iatc":'''DSMETER Inter-Agent Transfer Channel IANA assigned this well-formed service name as a replacement for "dsmeter_iatc".''', "dsmeter_iatc":'''DSMETER Inter-Agent Transfer Channel''', "ice-location":'''Ice Location Service (TCP)''', "ice-slocation":'''Ice Location Service (SSL)''', "ice-router":'''Ice Firewall Traversal Service (TCP)''', "ice-srouter":'''Ice Firewall Traversal Service (SSL)''', "avanti-cdp":'''Avanti Common Data IANA assigned this well-formed service name as a replacement for "avanti_cdp".''', "avanti_cdp":'''Avanti Common Data''', "pmas":'''Performance Measurement and Analysis''', "idp":'''Information Distribution Protocol''', "ipfltbcst":'''IP Fleet Broadcast''', "minger":'''Minger Email Address Validation Service''', "tripe":'''Trivial IP Encryption (TrIPE)''', "aibkup":'''Automatically Incremental Backup''', "zieto-sock":'''Zieto Socket Communications''', "iRAPP":'''iRAPP Server Protocol''', "cequint-cityid":'''Cequint City ID UI trigger''', "perimlan":'''ISC Alarm Message Service''', "seraph":'''Seraph DCS''', "ascomalarm":'''Ascom IP Alarming''', "santools":'''SANtools Diagnostic Server''', "lorica-in":'''Lorica inside facing''', "lorica-in-sec":'''Lorica inside facing (SSL)''', "lorica-out":'''Lorica outside facing''', "lorica-out-sec":'''Lorica outside facing (SSL)''', "fortisphere-vm":'''Fortisphere VM Service''', "ftsync":'''Firewall/NAT state table synchronization''', "opencore":'''OpenCORE Remote Control Service''', "omasgport":'''OMA BCAST Service Guide''', "ewinstaller":'''EminentWare Installer''', "ewdgs":'''EminentWare DGS''', "pvxpluscs":'''Pvx Plus CS Host''', "sysrqd":'''sysrq daemon''', "xtgui":'''xtgui information service''', "bre":'''BRE (Bridge Relay Element)''', "patrolview":'''Patrol View''', "drmsfsd":'''drmsfsd''', "dpcp":'''DPCP''', "igo-incognito":'''IGo Incognito Data Port''', "brlp-0":'''Braille protocol''', "brlp-1":'''Braille protocol''', "brlp-2":'''Braille protocol''', "brlp-3":'''Braille protocol''', "shofar":'''Shofar''', "synchronite":'''Synchronite''', "j-ac":'''JDL Accounting LAN Service''', "accel":'''ACCEL''', "izm":'''Instantiated Zero-control Messaging''', "g2tag":'''G2 RFID Tag Telemetry Data''', "xgrid":'''Xgrid''', "apple-vpns-rp":'''Apple VPN Server Reporting Protocol''', "aipn-reg":'''AIPN LS Registration''', "jomamqmonitor":'''JomaMQMonitor''', "cds":'''CDS Transfer Agent''', "smartcard-tls":'''smartcard-TLS''', "hillrserv":'''Hillr Connection Manager''', "netscript":'''Netadmin Systems NETscript service''', "assuria-slm":'''Assuria Log Manager''', "e-builder":'''e-Builder Application Communication''', "fprams":'''Fiber Patrol Alarm Service''', "z-wave":'''Zensys Z-Wave Control Protocol''', "tigv2":'''Rohill TetraNode Ip Gateway v2''', "opsview-envoy":'''Opsview Envoy''', "ddrepl":'''Data Domain Replication Service''', "unikeypro":'''NetUniKeyServer''', "nufw":'''NuFW decision delegation protocol''', "nuauth":'''NuFW authentication protocol''', "fronet":'''FRONET message protocol''', "stars":'''Global Maintech Stars''', "nuts-dem":'''NUTS Daemon IANA assigned this well-formed service name as a replacement for "nuts_dem".''', "nuts_dem":'''NUTS Daemon''', "nuts-bootp":'''NUTS Bootp Server IANA assigned this well-formed service name as a replacement for "nuts_bootp".''', "nuts_bootp":'''NUTS Bootp Server''', "nifty-hmi":'''NIFTY-Serve HMI protocol''', "cl-db-attach":'''Classic Line Database Server Attach''', "cl-db-request":'''Classic Line Database Server Request''', "cl-db-remote":'''Classic Line Database Server Remote''', "nettest":'''nettest''', "thrtx":'''Imperfect Networks Server''', "cedros-fds":'''Cedros Fraud Detection System IANA assigned this well-formed service name as a replacement for "cedros_fds".''', "cedros_fds":'''Cedros Fraud Detection System''', "oirtgsvc":'''Workflow Server''', "oidocsvc":'''Document Server''', "oidsr":'''Document Replication''', "vvr-control":'''VVR Control''', "tgcconnect":'''TGCConnect Beacon''', "vrxpservman":'''Multum Service Manager''', "hhb-handheld":'''HHB Handheld Client''', "agslb":'''A10 GSLB Service''', "PowerAlert-nsa":'''PowerAlert Network Shutdown Agent''', "menandmice-noh":'''Men & Mice Remote Control IANA assigned this well-formed service name as a replacement for "menandmice_noh".''', "menandmice_noh":'''Men & Mice Remote Control''', "idig-mux":'''iDigTech Multiplex IANA assigned this well-formed service name as a replacement for "idig_mux".''', "idig_mux":'''iDigTech Multiplex''', "mbl-battd":'''MBL Remote Battery Monitoring''', "atlinks":'''atlinks device discovery''', "bzr":'''Bazaar version control system''', "stat-results":'''STAT Results''', "stat-scanner":'''STAT Scanner Control''', "stat-cc":'''STAT Command Center''', "nss":'''Network Security Service''', "jini-discovery":'''Jini Discovery''', "omscontact":'''OMS Contact''', "omstopology":'''OMS Topology''', "silverpeakpeer":'''Silver Peak Peer Protocol''', "silverpeakcomm":'''Silver Peak Communication Protocol''', "altcp":'''ArcLink over Ethernet''', "joost":'''Joost Peer to Peer Protocol''', "ddgn":'''DeskDirect Global Network''', "pslicser":'''PrintSoft License Server''', "iadt-disc":'''Internet ADT Discovery Protocol''', "pcoip":'''PC over IP''', "mma-discovery":'''MMA Device Discovery''', "sm-disc":'''StorMagic Discovery''', "wello":'''Wello P2P pubsub service''', "storman":'''StorMan''', "MaxumSP":'''Maxum Services''', "httpx":'''HTTPX''', "macbak":'''MacBak''', "pcptcpservice":'''Production Company Pro TCP Service''', "gmmp":'''General Metaverse Messaging Protocol''', "universe-suite":'''UNIVERSE SUITE MESSAGE SERVICE IANA assigned this well-formed service name as a replacement for "universe_suite".''', "universe_suite":'''UNIVERSE SUITE MESSAGE SERVICE''', "wcpp":'''Woven Control Plane Protocol''', "vatata":'''Vatata Peer to Peer Protocol''', "dsmipv6":'''Dual Stack MIPv6 NAT Traversal''', "azeti-bd":'''azeti blinddate''', "eims-admin":'''EIMS ADMIN''', "corelccam":'''Corel CCam''', "d-data":'''Diagnostic Data''', "d-data-control":'''Diagnostic Data Control''', "srcp":'''Simple Railroad Command Protocol''', "owserver":'''One-Wire Filesystem Server''', "batman":'''better approach to mobile ad-hoc networking''', "pinghgl":'''Hellgate London''', "visicron-vs":'''Visicron Videoconference Service''', "compx-lockview":'''CompX-LockView''', "dserver":'''Exsequi Appliance Discovery''', "mirrtex":'''Mir-RT exchange service''', "fdt-rcatp":'''FDT Remote Categorization Protocol''', "rwhois":'''Remote Who Is''', "trim-event":'''TRIM Event Service''', "trim-ice":'''TRIM ICE Service''', "balour":'''Balour Game Server''', "geognosisman":'''Cadcorp GeognoSIS Manager Service''', "geognosis":'''Cadcorp GeognoSIS Service''', "jaxer-web":'''Jaxer Web Protocol''', "jaxer-manager":'''Jaxer Manager Command Protocol''', "gaia":'''Gaia Connector Protocol''', "lisp-data":'''LISP Data Packets''', "lisp-control":'''LISP Data-Triggered Control''', "unicall":'''UNICALL''', "vinainstall":'''VinaInstall''', "m4-network-as":'''Macro 4 Network AS''', "elanlm":'''ELAN LM''', "lansurveyor":'''LAN Surveyor''', "itose":'''ITOSE''', "fsportmap":'''File System Port Map''', "net-device":'''Net Device''', "plcy-net-svcs":'''PLCY Net Services''', "pjlink":'''Projector Link''', "f5-iquery":'''F5 iQuery''', "qsnet-trans":'''QSNet Transmitter''', "qsnet-workst":'''QSNet Workstation''', "qsnet-assist":'''QSNet Assistant''', "qsnet-cond":'''QSNet Conductor''', "qsnet-nucl":'''QSNet Nucleus''', "omabcastltkm":'''OMA BCAST Long-Term Key Messages''', "nacnl":'''NavCom Discovery and Control Port''', "afore-vdp-disc":'''AFORE vNode Discovery protocol''', "wxbrief":'''WeatherBrief Direct''', "epmd":'''Erlang Port Mapper Daemon''', "elpro-tunnel":'''ELPRO V2 Protocol Tunnel IANA assigned this well-formed service name as a replacement for "elpro_tunnel".''', "elpro_tunnel":'''ELPRO V2 Protocol Tunnel''', "l2c-disc":'''LAN2CAN Discovery''', "l2c-data":'''LAN2CAN Data''', "remctl":'''Remote Authenticated Command Service''', "tolteces":'''Toltec EasyShare''', "bip":'''BioAPI Interworking''', "cp-spxsvr":'''Cambridge Pixel SPx Server''', "cp-spxdpy":'''Cambridge Pixel SPx Display''', "ctdb":'''CTDB''', "xandros-cms":'''Xandros Community Management Service''', "wiegand":'''Physical Access Control''', "apwi-disc":'''American Printware Discovery''', "omnivisionesx":'''OmniVision communication for Virtual environments''', "ds-srv":'''ASIGRA Services''', "ds-srvr":'''ASIGRA Televaulting DS-System Service''', "ds-clnt":'''ASIGRA Televaulting DS-Client Service''', "ds-user":'''ASIGRA Televaulting DS-Client Monitoring/Management''', "ds-admin":'''ASIGRA Televaulting DS-System Monitoring/Management''', "ds-mail":'''ASIGRA Televaulting Message Level Restore service''', "ds-slp":'''ASIGRA Televaulting DS-Sleeper Service''', "netrockey6":'''NetROCKEY6 SMART Plus Service''', "beacon-port-2":'''SMARTS Beacon Port''', "rsqlserver":'''REAL SQL Server''', "l-acoustics":'''L-ACOUSTICS management''', "netblox":'''Netblox Protocol''', "saris":'''Saris''', "pharos":'''Pharos''', "krb524":'''KRB524''', "nv-video":'''NV Video default''', "upnotifyp":'''UPNOTIFYP''', "n1-fwp":'''N1-FWP''', "n1-rmgmt":'''N1-RMGMT''', "asc-slmd":'''ASC Licence Manager''', "privatewire":'''PrivateWire''', "camp":'''Common ASCII Messaging Protocol''', "ctisystemmsg":'''CTI System Msg''', "ctiprogramload":'''CTI Program Load''', "nssalertmgr":'''NSS Alert Manager''', "nssagentmgr":'''NSS Agent Manager''', "prchat-user":'''PR Chat User''', "prchat-server":'''PR Chat Server''', "prRegister":'''PR Register''', "mcp":'''Matrix Configuration Protocol''', "hpssmgmt":'''hpssmgmt service''', "icms":'''Integrated Client Message Service''', "awacs-ice":'''Apple Wide Area Connectivity Service ICE Bootstrap''', "ipsec-nat-t":'''IPsec NAT-Traversal''', "ehs":'''Event Heap Server''', "ehs-ssl":'''Event Heap Server SSL''', "wssauthsvc":'''WSS Security Service''', "swx-gate":'''Software Data Exchange Gateway''', "worldscores":'''WorldScores''', "sf-lm":'''SF License Manager (Sentinel)''', "lanner-lm":'''Lanner License Manager''', "synchromesh":'''Synchromesh''', "aegate":'''Aegate PMR Service''', "gds-adppiw-db":'''Perman I Interbase Server''', "ieee-mih":'''MIH Services''', "menandmice-mon":'''Men and Mice Monitoring''', "msfrs":'''MS FRS Replication''', "rsip":'''RSIP Port''', "dtn-bundle-udp":'''DTN Bundle UDP CL Protocol''', "mtcevrunqss":'''Marathon everRun Quorum Service Server''', "mtcevrunqman":'''Marathon everRun Quorum Service Manager''', "hylafax":'''HylaFAX''', "kwtc":'''Kids Watch Time Control Service''', "tram":'''TRAM''', "bmc-reporting":'''BMC Reporting''', "iax":'''Inter-Asterisk eXchange''', "l3t-at-an":'''HRPD L3T (AT-AN)''', "hrpd-ith-at-an":'''HRPD-ITH (AT-AN)''', "ipt-anri-anri":'''IPT (ANRI-ANRI)''', "ias-session":'''IAS-Session (ANRI-ANRI)''', "ias-paging":'''IAS-Paging (ANRI-ANRI)''', "ias-neighbor":'''IAS-Neighbor (ANRI-ANRI)''', "a21-an-1xbs":'''A21 (AN-1xBS)''', "a16-an-an":'''A16 (AN-AN)''', "a17-an-an":'''A17 (AN-AN)''', "piranha1":'''Piranha1''', "piranha2":'''Piranha2''', "playsta2-app":'''PlayStation2 App Port''', "playsta2-lob":'''PlayStation2 Lobby Port''', "smaclmgr":'''smaclmgr''', "kar2ouche":'''Kar2ouche Peer location service''', "oms":'''OrbitNet Message Service''', "noteit":'''Note It! Message Service''', "ems":'''Rimage Messaging Server''', "contclientms":'''Container Client Message Service''', "eportcomm":'''E-Port Message Service''', "mmacomm":'''MMA Comm Services''', "mmaeds":'''MMA EDS Service''', "eportcommdata":'''E-Port Data Service''', "light":'''Light packets transfer protocol''', "acter":'''Bull RSF action server''', "rfa":'''remote file access server''', "cxws":'''CXWS Operations''', "appiq-mgmt":'''AppIQ Agent Management''', "dhct-status":'''BIAP Device Status''', "dhct-alerts":'''BIAP Generic Alert''', "bcs":'''Business Continuity Servi''', "traversal":'''boundary traversal''', "mgesupervision":'''MGE UPS Supervision''', "mgemanagement":'''MGE UPS Management''', "parliant":'''Parliant Telephony System''', "finisar":'''finisar''', "spike":'''Spike Clipboard Service''', "rfid-rp1":'''RFID Reader Protocol 1.0''', "autopac":'''Autopac Protocol''', "msp-os":'''Manina Service Protocol''', "nst":'''Network Scanner Tool FTP''', "mobile-p2p":'''Mobile P2P Service''', "altovacentral":'''Altova DatabaseCentral''', "prelude":'''Prelude IDS message proto''', "mtn":'''monotone Netsync Protocol''', "conspiracy":'''Conspiracy messaging''', "netxms-agent":'''NetXMS Agent''', "netxms-mgmt":'''NetXMS Management''', "netxms-sync":'''NetXMS Server Synchronization''', "truckstar":'''TruckStar Service''', "a26-fap-fgw":'''A26 (FAP-FGW)''', "fcis-disc":'''F-Link Client Information Service Discovery''', "capmux":'''CA Port Multiplexer''', "gsmtap":'''GSM Interface Tap''', "gearman":'''Gearman Job Queue System''', "ohmtrigger":'''OHM server trigger''', "ipdr-sp":'''IPDR/SP''', "solera-lpn":'''SoleraTec Locator''', "ipfix":'''IP Flow Info Export''', "ipfixs":'''ipfix protocol over DTLS''', "lumimgrd":'''Luminizer Manager''', "sicct-sdp":'''SICCT Service Discovery Protocol''', "openhpid":'''openhpi HPI service''', "ifsp":'''Internet File Synchronization Protocol''', "fmp":'''Funambol Mobile Push''', "profilemac":'''Profile for Mac''', "ssad":'''Simple Service Auto Discovery''', "spocp":'''Simple Policy Control Protocol''', "snap":'''Simple Network Audio Protocol''', "simon-disc":'''Simple Invocation of Methods Over Network (SIMON) Discovery''', "bfd-multi-ctl":'''BFD Multihop Control''', "cncp":'''Cisco Nexus Control Protocol''', "iims":'''Icona Instant Messenging System''', "iwec":'''Icona Web Embedded Chat''', "ilss":'''Icona License System Server''', "notateit-disc":'''Notateit Messaging Discovery''', "aja-ntv4-disc":'''AJA ntv4 Video System Discovery''', "htcp":'''HTCP''', "varadero-0":'''Varadero-0''', "varadero-1":'''Varadero-1''', "varadero-2":'''Varadero-2''', "opcua-udp":'''OPC UA TCP Protocol''', "quosa":'''QUOSA Virtual Library Service''', "gw-asv":'''nCode ICE-flow Library AppServer''', "opcua-tls":'''OPC UA TCP Protocol over TLS/SSL''', "gw-log":'''nCode ICE-flow Library LogServer''', "wcr-remlib":'''WordCruncher Remote Library Service''', "contamac-icm":'''Contamac ICM Service IANA assigned this well-formed service name as a replacement for "contamac_icm".''', "contamac_icm":'''Contamac ICM Service''', "wfc":'''Web Fresh Communication''', "appserv-http":'''App Server - Admin HTTP''', "appserv-https":'''App Server - Admin HTTPS''', "sun-as-nodeagt":'''Sun App Server - NA''', "derby-repli":'''Apache Derby Replication''', "unify-debug":'''Unify Debugger''', "phrelay":'''Photon Relay''', "phrelaydbg":'''Photon Relay Debug''', "cc-tracking":'''Citcom Tracking Service''', "wired":'''Wired''', "tritium-can":'''Tritium CAN Bus Bridge Service''', "lmcs":'''Lighting Management Control System''', "inst-discovery":'''Agilent Instrument Discovery''', "socp-t":'''SOCP Time Synchronization Protocol''', "socp-c":'''SOCP Control Protocol''', "hivestor":'''HiveStor Distributed File System''', "abbs":'''ABBS''', "lyskom":'''LysKOM Protocol A''', "radmin-port":'''RAdmin Port''', "hfcs":'''HyperFileSQL Client/Server Database Engine''', "bones":'''Bones Remote Control''', "atsc-mh-ssc":'''ATSC-M/H Service Signaling Channel''', "eq-office-4940":'''Equitrac Office''', "eq-office-4941":'''Equitrac Office''', "eq-office-4942":'''Equitrac Office''', "munin":'''Munin Graphing Framework''', "sybasesrvmon":'''Sybase Server Monitor''', "pwgwims":'''PWG WIMS''', "sagxtsds":'''SAG Directory Server''', "ccss-qmm":'''CCSS QMessageMonitor''', "ccss-qsm":'''CCSS QSystemMonitor''', "mrip":'''Model Railway Interface Program''', "smar-se-port1":'''SMAR Ethernet Port 1''', "smar-se-port2":'''SMAR Ethernet Port 2''', "parallel":'''Parallel for GAUSS (tm)''', "busycal":'''BusySync Calendar Synch. Protocol''', "vrt":'''VITA Radio Transport''', "hfcs-manager":'''HyperFileSQL Client/Server Database Engine Manager''', "commplex-main":'''''', "commplex-link":'''''', "rfe":'''radio free ethernet''', "fmpro-internal":'''FileMaker, Inc. - Proprietary name binding''', "avt-profile-1":'''RTP media data''', "avt-profile-2":'''RTP control protocol''', "wsm-server":'''wsm server''', "wsm-server-ssl":'''wsm server ssl''', "synapsis-edge":'''Synapsis EDGE''', "winfs":'''Microsoft Windows Filesystem''', "telelpathstart":'''TelepathStart''', "telelpathattack":'''TelepathAttack''', "nsp":'''NetOnTap Service''', "fmpro-v6":'''FileMaker, Inc. - Proprietary transport''', "onpsocket":'''Overlay Network Protocol''', "zenginkyo-1":'''zenginkyo-1''', "zenginkyo-2":'''zenginkyo-2''', "mice":'''mice server''', "htuilsrv":'''Htuil Server for PLD2''', "scpi-telnet":'''SCPI-TELNET''', "scpi-raw":'''SCPI-RAW''', "strexec-d":'''Storix I/O daemon (data)''', "strexec-s":'''Storix I/O daemon (stat)''', "infobright":'''Infobright Database Server''', "surfpass":'''SurfPass''', "dmp":'''Direct Message Protocol''', "asnaacceler8db":'''asnaacceler8db''', "swxadmin":'''ShopWorX Administration''', "lxi-evntsvc":'''LXI Event Service''', "vpm-udp":'''Vishay PM UDP Service''', "iscape":'''iSCAPE Data Broadcasting''', "ivocalize":'''iVocalize Web Conference''', "mmcc":'''multimedia conference control tool''', "ita-agent":'''ITA Agent''', "ita-manager":'''ITA Manager''', "unot":'''UNOT''', "intecom-ps1":'''Intecom Pointspan 1''', "intecom-ps2":'''Intecom Pointspan 2''', "locus-disc":'''Locus Discovery''', "sds":'''SIP Directory Services''', "sip":'''SIP''', "sip-tls":'''SIP-TLS''', "na-localise":'''Localisation access''', "ca-1":'''Channel Access 1''', "ca-2":'''Channel Access 2''', "stanag-5066":'''STANAG-5066-SUBNET-INTF''', "authentx":'''Authentx Service''', "i-net-2000-npr":'''I/Net 2000-NPR''', "vtsas":'''VersaTrans Server Agent Service''', "powerschool":'''PowerSchool''', "ayiya":'''Anything In Anything''', "tag-pm":'''Advantage Group Port Mgr''', "alesquery":'''ALES Query''', "cp-spxrpts":'''Cambridge Pixel SPx Reports''', "onscreen":'''OnScreen Data Collection Service''', "sdl-ets":'''SDL - Ent Trans Server''', "qcp":'''Qpur Communication Protocol''', "qfp":'''Qpur File Protocol''', "llrp":'''EPCglobal Low-Level Reader Protocol''', "encrypted-llrp":'''EPCglobal Encrypted LLRP''', "magpie":'''Magpie Binary''', "sentinel-lm":'''Sentinel LM''', "hart-ip":'''HART-IP''', "sentlm-srv2srv":'''SentLM Srv2Srv''', "socalia":'''Socalia service mux''', "talarian-udp":'''Talarian_UDP''', "oms-nonsecure":'''Oracle OMS non-secure''', "tinymessage":'''TinyMessage''', "hughes-ap":'''Hughes Association Protocol''', "taep-as-svc":'''TAEP AS service''', "pm-cmdsvr":'''PeerMe Msg Cmd Service''', "emb-proj-cmd":'''EPSON Projecter Image Transfer''', "nbt-pc":'''Policy Commander''', "minotaur-sa":'''Minotaur SA''', "ctsd":'''MyCTS server port''', "rmonitor-secure":'''RMONITOR SECURE IANA assigned this well-formed service name as a replacement for "rmonitor_secure".''', "rmonitor_secure":'''RMONITOR SECURE''', "atmp":'''Ascend Tunnel Management Protocol''', "esri-sde":'''ESRI SDE Remote Start IANA assigned this well-formed service name as a replacement for "esri_sde".''', "esri_sde":'''ESRI SDE Remote Start''', "sde-discovery":'''ESRI SDE Instance Discovery''', "bzflag":'''BZFlag game server''', "asctrl-agent":'''Oracle asControl Agent''', "vpa-disc":'''Virtual Protocol Adapter Discovery''', "ife-icorp":'''ife_1corp IANA assigned this well-formed service name as a replacement for "ife_icorp".''', "ife_icorp":'''ife_1corp''', "winpcs":'''WinPCS Service Connection''', "scte104":'''SCTE104 Connection''', "scte30":'''SCTE30 Connection''', "aol":'''America-Online''', "aol-1":'''AmericaOnline1''', "aol-2":'''AmericaOnline2''', "aol-3":'''AmericaOnline3''', "targus-getdata":'''TARGUS GetData''', "targus-getdata1":'''TARGUS GetData 1''', "targus-getdata2":'''TARGUS GetData 2''', "targus-getdata3":'''TARGUS GetData 3''', "hpvirtgrp":'''HP Virtual Machine Group Management''', "hpvirtctrl":'''HP Virtual Machine Console Operations''', "hp-server":'''HP Server''', "hp-status":'''HP Status''', "perfd":'''HP System Performance Metric Service''', "eenet":'''EEnet communications''', "galaxy-network":'''Galaxy Network Service''', "padl2sim":'''''', "mnet-discovery":'''m-net discovery''', "downtools-disc":'''DownTools Discovery Protocol''', "capwap-control":'''CAPWAP Control Protocol''', "capwap-data":'''CAPWAP Data Protocol''', "caacws":'''CA Access Control Web Service''', "caaclang2":'''CA AC Lang Service''', "soagateway":'''soaGateway''', "caevms":'''CA eTrust VM Service''', "movaz-ssc":'''Movaz SSC''', "3com-njack-1":'''3Com Network Jack Port 1''', "3com-njack-2":'''3Com Network Jack Port 2''', "cartographerxmp":'''Cartographer XMP''', "cuelink-disc":'''StageSoft CueLink discovery''', "pk":'''PK''', "transmit-port":'''Marimba Transmitter Port''', "presence":'''XMPP Link-Local Messaging''', "nlg-data":'''NLG Data Service''', "hacl-hb":'''HA cluster heartbeat''', "hacl-gs":'''HA cluster general services''', "hacl-cfg":'''HA cluster configuration''', "hacl-probe":'''HA cluster probing''', "hacl-local":'''HA Cluster Commands''', "hacl-test":'''HA Cluster Test''', "sun-mc-grp":'''Sun MC Group''', "sco-aip":'''SCO AIP''', "cfengine":'''CFengine''', "jprinter":'''J Printer''', "outlaws":'''Outlaws''', "permabit-cs":'''Permabit Client-Server''', "rrdp":'''Real-time & Reliable Data''', "opalis-rbt-ipc":'''opalis-rbt-ipc''', "hacl-poll":'''HA Cluster UDP Polling''', "kfserver":'''Sculptor Database Server''', "xkotodrcp":'''xkoto DRCP''', "stuns":'''Reserved for a future enhancement of STUN''', "turns":'''Reserved for a future enhancement of TURN''', "stun-behaviors":'''Reserved for a future enhancement of STUN-BEHAVIOR''', "nat-pmp-status":'''NAT-PMP Status Announcements''', "nat-pmp":'''NAT Port Mapping Protocol''', "dns-llq":'''DNS Long-Lived Queries''', "mdns":'''Multicast DNS''', "mdnsresponder":'''Multicast DNS Responder IPC''', "llmnr":'''LLMNR''', "ms-smlbiz":'''Microsoft Small Business''', "wsdapi":'''Web Services for Devices''', "wsdapi-s":'''WS for Devices Secured''', "ms-alerter":'''Microsoft Alerter''', "ms-sideshow":'''Protocol for Windows SideShow''', "ms-s-sideshow":'''Secure Protocol for Windows SideShow''', "serverwsd2":'''Microsoft Windows Server WSD2 Service''', "net-projection":'''Windows Network Projection''', "stresstester":'''StressTester(tm) Injector''', "elektron-admin":'''Elektron Administration''', "securitychase":'''SecurityChase''', "excerpt":'''Excerpt Search''', "excerpts":'''Excerpt Search Secure''', "mftp":'''OmniCast MFTP''', "hpoms-ci-lstn":'''HPOMS-CI-LSTN''', "hpoms-dps-lstn":'''HPOMS-DPS-LSTN''', "netsupport":'''NetSupport''', "systemics-sox":'''Systemics Sox''', "foresyte-clear":'''Foresyte-Clear''', "foresyte-sec":'''Foresyte-Sec''', "salient-dtasrv":'''Salient Data Server''', "salient-usrmgr":'''Salient User Manager''', "actnet":'''ActNet''', "continuus":'''Continuus''', "wwiotalk":'''WWIOTALK''', "statusd":'''StatusD''', "ns-server":'''NS Server''', "sns-gateway":'''SNS Gateway''', "sns-agent":'''SNS Agent''', "mcntp":'''MCNTP''', "dj-ice":'''DJ-ICE''', "cylink-c":'''Cylink-C''', "netsupport2":'''Net Support 2''', "salient-mux":'''Salient MUX''', "virtualuser":'''VIRTUALUSER''', "beyond-remote":'''Beyond Remote''', "br-channel":'''Beyond Remote Command Channel''', "devbasic":'''DEVBASIC''', "sco-peer-tta":'''SCO-PEER-TTA''', "telaconsole":'''TELACONSOLE''', "base":'''Billing and Accounting System Exchange''', "radec-corp":'''RADEC CORP''', "park-agent":'''PARK AGENT''', "postgresql":'''PostgreSQL Database''', "pyrrho":'''Pyrrho DBMS''', "sgi-arrayd":'''SGI Array Services Daemon''', "sceanics":'''SCEANICS situation and action notification''', "pmip6-cntl":'''pmip6-cntl''', "pmip6-data":'''pmip6-data''', "spss":'''Pearson HTTPS''', "surebox":'''SureBox''', "apc-5454":'''APC 5454''', "apc-5455":'''APC 5455''', "apc-5456":'''APC 5456''', "silkmeter":'''SILKMETER''', "ttl-publisher":'''TTL Publisher''', "ttlpriceproxy":'''TTL Price Proxy''', "quailnet":'''Quail Networks Object Broker''', "netops-broker":'''NETOPS-BROKER''', "fcp-addr-srvr1":'''fcp-addr-srvr1''', "fcp-addr-srvr2":'''fcp-addr-srvr2''', "fcp-srvr-inst1":'''fcp-srvr-inst1''', "fcp-srvr-inst2":'''fcp-srvr-inst2''', "fcp-cics-gw1":'''fcp-cics-gw1''', "checkoutdb":'''Checkout Database''', "amc":'''Amcom Mobile Connect''', "sgi-eventmond":'''SGI Eventmond Port''', "sgi-esphttp":'''SGI ESP HTTP''', "personal-agent":'''Personal Agent''', "freeciv":'''Freeciv gameplay''', "m-oap":'''Multicast Object Access Protocol''', "sdt":'''Session Data Transport Multicast''', "rdmnet-device":'''PLASA E1.33, Remote Device Management (RDM) messages''', "sdmmp":'''SAS Domain Management Messaging Protocol''', "tmosms0":'''T-Mobile SMS Protocol Message 0''', "tmosms1":'''T-Mobile SMS Protocol Message 1''', "fac-restore":'''T-Mobile SMS Protocol Message 3''', "tmo-icon-sync":'''T-Mobile SMS Protocol Message 2''', "bis-web":'''BeInSync-Web''', "bis-sync":'''BeInSync-sync''', "ininmessaging":'''inin secure messaging''', "mctfeed":'''MCT Market Data Feed''', "esinstall":'''Enterprise Security Remote Install''', "esmmanager":'''Enterprise Security Manager''', "esmagent":'''Enterprise Security Agent''', "a1-msc":'''A1-MSC''', "a1-bs":'''A1-BS''', "a3-sdunode":'''A3-SDUNode''', "a4-sdunode":'''A4-SDUNode''', "ninaf":'''Node Initiated Network Association Forma''', "htrust":'''HTrust API''', "symantec-sfdb":'''Symantec Storage Foundation for Database''', "precise-comm":'''PreciseCommunication''', "pcanywheredata":'''pcANYWHEREdata''', "pcanywherestat":'''pcANYWHEREstat''', "beorl":'''BE Operations Request Listener''', "xprtld":'''SF Message Service''', "amqps":'''amqp protocol over TLS/SSL''', "amqp":'''AMQP''', "jms":'''JACL Message Server''', "hyperscsi-port":'''HyperSCSI Port''', "v5ua":'''V5UA application port''', "raadmin":'''RA Administration''', "questdb2-lnchr":'''Quest Central DB2 Launchr''', "rrac":'''Remote Replication Agent Connection''', "dccm":'''Direct Cable Connect Manager''', "auriga-router":'''Auriga Router Service''', "ncxcp":'''Net-coneX Control Protocol''', "brightcore":'''BrightCore control & data transfer exchange''', "coap":'''Constrained Application Protocol''', "ggz":'''GGZ Gaming Zone''', "qmvideo":'''QM video network management protocol''', "proshareaudio":'''proshare conf audio''', "prosharevideo":'''proshare conf video''', "prosharedata":'''proshare conf data''', "prosharerequest":'''proshare conf request''', "prosharenotify":'''proshare conf notify''', "dpm":'''DPM Communication Server''', "dpm-agent":'''DPM Agent Coordinator''', "ms-licensing":'''MS-Licensing''', "dtpt":'''Desktop Passthru Service''', "msdfsr":'''Microsoft DFS Replication Service''', "omhs":'''Operations Manager - Health Service''', "omsdk":'''Operations Manager - SDK Service''', "io-dist-group":'''Dist. I/O Comm. Service Group Membership''', "openmail":'''Openmail User Agent Layer''', "unieng":'''Steltor's calendar access''', "ida-discover1":'''IDA Discover Port 1''', "ida-discover2":'''IDA Discover Port 2''', "watchdoc-pod":'''Watchdoc NetPOD Protocol''', "watchdoc":'''Watchdoc Server''', "fcopy-server":'''fcopy-server''', "fcopys-server":'''fcopys-server''', "tunatic":'''Wildbits Tunatic''', "tunalyzer":'''Wildbits Tunalyzer''', "rscd":'''Bladelogic Agent Service''', "openmailg":'''OpenMail Desk Gateway server''', "x500ms":'''OpenMail X.500 Directory Server''', "openmailns":'''OpenMail NewMail Server''', "s-openmail":'''OpenMail Suer Agent Layer (Secure)''', "openmailpxy":'''OpenMail CMTS Server''', "spramsca":'''x509solutions Internal CA''', "spramsd":'''x509solutions Secure Data''', "netagent":'''NetAgent''', "dali-port":'''DALI Port''', "3par-evts":'''3PAR Event Reporting Service''', "3par-mgmt":'''3PAR Management Service''', "3par-mgmt-ssl":'''3PAR Management Service with SSL''', "ibar":'''Cisco Interbox Application Redundancy''', "3par-rcopy":'''3PAR Inform Remote Copy''', "cisco-redu":'''redundancy notification''', "waascluster":'''Cisco WAAS Cluster Protocol''', "xtreamx":'''XtreamX Supervised Peer message''', "spdp":'''Simple Peered Discovery Protocol''', "icmpd":'''ICMPD''', "spt-automation":'''Support Automation''', "wherehoo":'''WHEREHOO''', "ppsuitemsg":'''PlanetPress Suite Messeng''', "rfb":'''Remote Framebuffer''', "cm":'''Context Management''', "cpdlc":'''Controller Pilot Data Link Communication''', "fis":'''Flight Information Services''', "ads-c":'''Automatic Dependent Surveillance''', "indy":'''Indy Application Server''', "mppolicy-v5":'''mppolicy-v5''', "mppolicy-mgr":'''mppolicy-mgr''', "couchdb":'''CouchDB''', "wsman":'''WBEM WS-Management HTTP''', "wsmans":'''WBEM WS-Management HTTP over TLS/SSL''', "wbem-rmi":'''WBEM RMI''', "wbem-http":'''WBEM CIM-XML (HTTP)''', "wbem-https":'''WBEM CIM-XML (HTTPS)''', "wbem-exp-https":'''WBEM Export HTTPS''', "nuxsl":'''NUXSL''', "consul-insight":'''Consul InSight Security''', "cvsup":'''CVSup''', "x11":'''X Window System''', "ndl-ahp-svc":'''NDL-AHP-SVC''', "winpharaoh":'''WinPharaoh''', "ewctsp":'''EWCTSP''', "trip":'''TRIP''', "messageasap":'''Messageasap''', "ssdtp":'''SSDTP''', "diagnose-proc":'''DIAGNOSE-PROC''', "directplay8":'''DirectPlay8''', "max":'''Microsoft Max''', "p25cai":'''APCO Project 25 Common Air Interface - UDP encapsulation''', "miami-bcast":'''telecomsoftware miami broadcast''', "konspire2b":'''konspire2b p2p network''', "pdtp":'''PDTP P2P''', "ldss":'''Local Download Sharing Service''', "doglms-notify":'''SuperDog License Manager Notifier''', "synchronet-db":'''SynchroNet-db''', "synchronet-rtc":'''SynchroNet-rtc''', "synchronet-upd":'''SynchroNet-upd''', "rets":'''RETS''', "dbdb":'''DBDB''', "primaserver":'''Prima Server''', "mpsserver":'''MPS Server''', "etc-control":'''ETC Control''', "sercomm-scadmin":'''Sercomm-SCAdmin''', "globecast-id":'''GLOBECAST-ID''', "softcm":'''HP SoftBench CM''', "spc":'''HP SoftBench Sub-Process Control''', "dtspcd":'''Desk-Top Sub-Process Control Daemon''', "tipc":'''Transparent Inter Process Communication''', "bex-webadmin":'''Backup Express Web Server''', "backup-express":'''Backup Express''', "pnbs":'''Phlexible Network Backup Service''', "nbt-wol":'''New Boundary Tech WOL''', "pulsonixnls":'''Pulsonix Network License Service''', "meta-corp":'''Meta Corporation License Manager''', "aspentec-lm":'''Aspen Technology License Manager''', "watershed-lm":'''Watershed License Manager''', "statsci1-lm":'''StatSci License Manager - 1''', "statsci2-lm":'''StatSci License Manager - 2''', "lonewolf-lm":'''Lone Wolf Systems License Manager''', "montage-lm":'''Montage License Manager''', "ricardo-lm":'''Ricardo North America License Manager''', "tal-pod":'''tal-pod''', "ecmp-data":'''Emerson Extensible Control and Management Protocol Data''', "patrol-ism":'''PATROL Internet Srv Mgr''', "patrol-coll":'''PATROL Collector''', "pscribe":'''Precision Scribe Cnx Port''', "lm-x":'''LM-X License Manager by X-Formation''', "thermo-calc":'''Management of service nodes in a processing grid for thermodynamic calculations''', "radmind":'''Radmind Access Protocol''', "jeol-nsddp-1":'''JEOL Network Services Dynamic Discovery Protocol 1''', "jeol-nsddp-2":'''JEOL Network Services Dynamic Discovery Protocol 2''', "jeol-nsddp-3":'''JEOL Network Services Dynamic Discovery Protocol 3''', "jeol-nsddp-4":'''JEOL Network Services Dynamic Discovery Protocol 4''', "tl1-raw-ssl":'''TL1 Raw Over SSL/TLS''', "tl1-ssh":'''TL1 over SSH''', "crip":'''CRIP''', "grid":'''Grid Authentication''', "grid-alt":'''Grid Authentication Alt''', "bmc-grx":'''BMC GRX''', "bmc-ctd-ldap":'''BMC CONTROL-D LDAP SERVER IANA assigned this well-formed service name as a replacement for "bmc_ctd_ldap".''', "bmc_ctd_ldap":'''BMC CONTROL-D LDAP SERVER''', "ufmp":'''Unified Fabric Management Protocol''', "scup-disc":'''Sensor Control Unit Protocol Discovery Protocol''', "abb-escp":'''Ethernet Sensor Communications Protocol''', "repsvc":'''Double-Take Replication Service''', "emp-server1":'''Empress Software Connectivity Server 1''', "emp-server2":'''Empress Software Connectivity Server 2''', "hrd-ns-disc":'''HR Device Network service''', "sflow":'''sFlow traffic monitoring''', "gnutella-svc":'''gnutella-svc''', "gnutella-rtr":'''gnutella-rtr''', "adap":'''App Discovery and Access Protocol''', "pmcs":'''PMCS applications''', "metaedit-mu":'''MetaEdit+ Multi-User''', "metaedit-se":'''MetaEdit+ Server Administration''', "metatude-mds":'''Metatude Dialogue Server''', "clariion-evr01":'''clariion-evr01''', "metaedit-ws":'''MetaEdit+ WebService API''', "faxcomservice":'''Faxcom Message Service''', "nim-vdrshell":'''NIM_VDRShell''', "nim-wan":'''NIM_WAN''', "sun-sr-https":'''Service Registry Default HTTPS Domain''', "sge-qmaster":'''Grid Engine Qmaster Service IANA assigned this well-formed service name as a replacement for "sge_qmaster".''', "sge_qmaster":'''Grid Engine Qmaster Service''', "sge-execd":'''Grid Engine Execution Service IANA assigned this well-formed service name as a replacement for "sge_execd".''', "sge_execd":'''Grid Engine Execution Service''', "mysql-proxy":'''MySQL Proxy''', "skip-cert-recv":'''SKIP Certificate Receive''', "skip-cert-send":'''SKIP Certificate Send''', "lvision-lm":'''LVision License Manager''', "sun-sr-http":'''Service Registry Default HTTP Domain''', "servicetags":'''Service Tags''', "ldoms-mgmt":'''Logical Domains Management Interface''', "SunVTS-RMI":'''SunVTS RMI''', "sun-sr-jms":'''Service Registry Default JMS Domain''', "sun-sr-iiop":'''Service Registry Default IIOP Domain''', "sun-sr-iiops":'''Service Registry Default IIOPS Domain''', "sun-sr-iiop-aut":'''Service Registry Default IIOPAuth Domain''', "sun-sr-jmx":'''Service Registry Default JMX Domain''', "sun-sr-admin":'''Service Registry Default Admin Domain''', "boks":'''BoKS Master''', "boks-servc":'''BoKS Servc IANA assigned this well-formed service name as a replacement for "boks_servc".''', "boks_servc":'''BoKS Servc''', "boks-servm":'''BoKS Servm IANA assigned this well-formed service name as a replacement for "boks_servm".''', "boks_servm":'''BoKS Servm''', "boks-clntd":'''BoKS Clntd IANA assigned this well-formed service name as a replacement for "boks_clntd".''', "boks_clntd":'''BoKS Clntd''', "badm-priv":'''BoKS Admin Private Port IANA assigned this well-formed service name as a replacement for "badm_priv".''', "badm_priv":'''BoKS Admin Private Port''', "badm-pub":'''BoKS Admin Public Port IANA assigned this well-formed service name as a replacement for "badm_pub".''', "badm_pub":'''BoKS Admin Public Port''', "bdir-priv":'''BoKS Dir Server, Private Port IANA assigned this well-formed service name as a replacement for "bdir_priv".''', "bdir_priv":'''BoKS Dir Server, Private Port''', "bdir-pub":'''BoKS Dir Server, Public Port IANA assigned this well-formed service name as a replacement for "bdir_pub".''', "bdir_pub":'''BoKS Dir Server, Public Port''', "mgcs-mfp-port":'''MGCS-MFP Port''', "mcer-port":'''MCER Port''', "dccp-udp":'''Datagram Congestion Control Protocol Encapsulation for NAT Traversal''', "syslog-tls":'''syslog over DTLS''', "elipse-rec":'''Elipse RPC Protocol''', "lds-distrib":'''lds_distrib''', "lds-dump":'''LDS Dump Service''', "apc-6547":'''APC 6547''', "apc-6548":'''APC 6548''', "apc-6549":'''APC 6549''', "fg-sysupdate":'''fg-sysupdate''', "sum":'''Software Update Manager''', "xdsxdm":'''''', "sane-port":'''SANE Control Port''', "rp-reputation":'''Roaring Penguin IP Address Reputation Collection''', "affiliate":'''Affiliate''', "parsec-master":'''Parsec Masterserver''', "parsec-peer":'''Parsec Peer-to-Peer''', "parsec-game":'''Parsec Gameserver''', "joaJewelSuite":'''JOA Jewel Suite''', "odette-ftps":'''ODETTE-FTP over TLS/SSL''', "kftp-data":'''Kerberos V5 FTP Data''', "kftp":'''Kerberos V5 FTP Control''', "mcftp":'''Multicast FTP''', "ktelnet":'''Kerberos V5 Telnet''', "wago-service":'''WAGO Service and Update''', "nexgen":'''Allied Electronics NeXGen''', "afesc-mc":'''AFE Stock Channel M/C''', "cisco-vpath-tun":'''Cisco vPath Services Overlay''', "palcom-disc":'''PalCom Discovery''', "vocaltec-gold":'''Vocaltec Global Online Directory''', "p4p-portal":'''P4P Portal Service''', "vision-server":'''vision_server IANA assigned this well-formed service name as a replacement for "vision_server".''', "vision_server":'''vision_server''', "vision-elmd":'''vision_elmd IANA assigned this well-formed service name as a replacement for "vision_elmd".''', "vision_elmd":'''vision_elmd''', "vfbp-disc":'''Viscount Freedom Bridge Discovery''', "osaut":'''Osorno Automation''', "tsa":'''Tofino Security Appliance''', "babel":'''Babel Routing Protocol''', "kti-icad-srvr":'''KTI/ICAD Nameserver''', "e-design-net":'''e-Design network''', "e-design-web":'''e-Design web''', "ibprotocol":'''Internet Backplane Protocol''', "fibotrader-com":'''Fibotrader Communications''', "bmc-perf-agent":'''BMC PERFORM AGENT''', "bmc-perf-mgrd":'''BMC PERFORM MGRD''', "adi-gxp-srvprt":'''ADInstruments GxP Server''', "plysrv-http":'''PolyServe http''', "plysrv-https":'''PolyServe https''', "dgpf-exchg":'''DGPF Individual Exchange''', "smc-jmx":'''Sun Java Web Console JMX''', "smc-admin":'''Sun Web Console Admin''', "smc-http":'''SMC-HTTP''', "smc-https":'''SMC-HTTPS''', "hnmp":'''HNMP''', "hnm":'''Halcyon Network Manager''', "acnet":'''ACNET Control System Protocol''', "ambit-lm":'''ambit-lm''', "netmo-default":'''Netmo Default''', "netmo-http":'''Netmo HTTP''', "iccrushmore":'''ICCRUSHMORE''', "acctopus-st":'''Acctopus Status''', "muse":'''MUSE''', "ethoscan":'''EthoScan Service''', "xsmsvc":'''XenSource Management Service''', "bioserver":'''Biometrics Server''', "otlp":'''OTLP''', "jmact3":'''JMACT3''', "jmevt2":'''jmevt2''', "swismgr1":'''swismgr1''', "swismgr2":'''swismgr2''', "swistrap":'''swistrap''', "swispol":'''swispol''', "acmsoda":'''acmsoda''', "MobilitySrv":'''Mobility XE Protocol''', "iatp-highpri":'''IATP-highPri''', "iatp-normalpri":'''IATP-normalPri''', "afs3-fileserver":'''file server itself''', "afs3-callback":'''callbacks to cache managers''', "afs3-prserver":'''users & groups database''', "afs3-vlserver":'''volume location database''', "afs3-kaserver":'''AFS/Kerberos authentication service''', "afs3-volser":'''volume managment server''', "afs3-errors":'''error interpretation service''', "afs3-bos":'''basic overseer process''', "afs3-update":'''server-to-server updater''', "afs3-rmtsys":'''remote cache manager service''', "ups-onlinet":'''onlinet uninterruptable power supplies''', "talon-disc":'''Talon Discovery Port''', "talon-engine":'''Talon Engine''', "microtalon-dis":'''Microtalon Discovery''', "microtalon-com":'''Microtalon Communications''', "talon-webserver":'''Talon Webserver''', "doceri-view":'''doceri drawing service screen view''', "dpserve":'''DP Serve''', "dpserveadmin":'''DP Serve Admin''', "ctdp":'''CT Discovery Protocol''', "ct2nmcs":'''Comtech T2 NMCS''', "vmsvc":'''Vormetric service''', "vmsvc-2":'''Vormetric Service II''', "op-probe":'''ObjectPlanet probe''', "quest-disc":'''Quest application level network service discovery''', "arcp":'''ARCP''', "iwg1":'''IWGADTS Aircraft Housekeeping Message''', "empowerid":'''EmpowerID Communication''', "lazy-ptop":'''lazy-ptop''', "font-service":'''X Font Service''', "elcn":'''Embedded Light Control Network''', "aes-x170":'''AES-X170''', "virprot-lm":'''Virtual Prototypes License Manager''', "scenidm":'''intelligent data manager''', "scenccs":'''Catalog Content Search''', "cabsm-comm":'''CA BSM Comm''', "caistoragemgr":'''CA Storage Manager''', "cacsambroker":'''CA Connection Broker''', "fsr":'''File System Repository Agent''', "doc-server":'''Document WCF Server''', "aruba-server":'''Aruba eDiscovery Server''', "ccag-pib":'''Consequor Consulting Process Integration Bridge''', "nsrp":'''Adaptive Name/Service Resolution''', "drm-production":'''Discovery and Retention Mgt Production''', "clutild":'''Clutild''', "fodms":'''FODMS FLIP''', "dlip":'''DLIP''', "ramp":'''Registry A $ M Protocol''', "cnap":'''Calypso Network Access Protocol''', "watchme-7272":'''WatchMe Monitoring 7272''', "oma-rlp":'''OMA Roaming Location''', "oma-rlp-s":'''OMA Roaming Location SEC''', "oma-ulp":'''OMA UserPlane Location''', "oma-ilp":'''OMA Internal Location Protocol''', "oma-ilp-s":'''OMA Internal Location Secure Protocol''', "oma-dcdocbs":'''OMA Dynamic Content Delivery over CBS''', "ctxlic":'''Citrix Licensing''', "itactionserver1":'''ITACTIONSERVER 1''', "itactionserver2":'''ITACTIONSERVER 2''', "mzca-alert":'''eventACTION/ussACTION (MZCA) alert''', "lcm-server":'''LifeKeeper Communications''', "mindfilesys":'''mind-file system server''', "mrssrendezvous":'''mrss-rendezvous server''', "nfoldman":'''nFoldMan Remote Publish''', "fse":'''File system export of backup images''', "winqedit":'''winqedit''', "hexarc":'''Hexarc Command Language''', "rtps-discovery":'''RTPS Discovery''', "rtps-dd-ut":'''RTPS Data-Distribution User-Traffic''', "rtps-dd-mt":'''RTPS Data-Distribution Meta-Traffic''', "ionixnetmon":'''Ionix Network Monitor''', "mtportmon":'''Matisse Port Monitor''', "pmdmgr":'''OpenView DM Postmaster Manager''', "oveadmgr":'''OpenView DM Event Agent Manager''', "ovladmgr":'''OpenView DM Log Agent Manager''', "opi-sock":'''OpenView DM rqt communication''', "xmpv7":'''OpenView DM xmpv7 api pipe''', "pmd":'''OpenView DM ovc/xmpv3 api pipe''', "faximum":'''Faximum''', "oracleas-https":'''Oracle Application Server HTTPS''', "rise":'''Rise: The Vieneo Province''', "telops-lmd":'''telops-lmd''', "silhouette":'''Silhouette User''', "ovbus":'''HP OpenView Bus Daemon''', "ovhpas":'''HP OpenView Application Server''', "pafec-lm":'''pafec-lm''', "saratoga":'''Saratoga Transfer Protocol''', "atul":'''atul server''', "nta-ds":'''FlowAnalyzer DisplayServer''', "nta-us":'''FlowAnalyzer UtilityServer''', "cfs":'''Cisco Fabric service''', "cwmp":'''DSL Forum CWMP''', "tidp":'''Threat Information Distribution Protocol''', "nls-tl":'''Network Layer Signaling Transport Layer''', "cloudsignaling":'''Cloud Signaling Service''', "sncp":'''Sniffer Command Protocol''', "vsi-omega":'''VSI Omega''', "aries-kfinder":'''Aries Kfinder''', "sun-lm":'''Sun License Manager''', "indi":'''Instrument Neutral Distributed Interface''', "soap-http":'''SOAP Service Port''', "zen-pawn":'''Primary Agent Work Notification''', "xdas":'''OpenXDAS Wire Protocol''', "pmdfmgt":'''PMDF Management''', "cuseeme":'''bonjour-cuseeme''', "imqtunnels":'''iMQ SSL tunnel''', "imqtunnel":'''iMQ Tunnel''', "imqbrokerd":'''iMQ Broker Rendezvous''', "sun-user-https":'''Sun App Server - HTTPS''', "pando-pub":'''Pando Media Public Distribution''', "collaber":'''Collaber Network Service''', "klio":'''KLIO communications''', "sync-em7":'''EM7 Dynamic Updates''', "scinet":'''scientia.net''', "medimageportal":'''MedImage Portal''', "nsdeepfreezectl":'''Novell Snap-in Deep Freeze Control''', "nitrogen":'''Nitrogen Service''', "freezexservice":'''FreezeX Console Service''', "trident-data":'''Trident Systems Data''', "smip":'''Smith Protocol over IP''', "aiagent":'''HP Enterprise Discovery Agent''', "scriptview":'''ScriptView Network''', "sstp-1":'''Sakura Script Transfer Protocol''', "raqmon-pdu":'''RAQMON PDU''', "prgp":'''Put/Run/Get Protocol''', "cbt":'''cbt''', "interwise":'''Interwise''', "vstat":'''VSTAT''', "accu-lmgr":'''accu-lmgr''', "minivend":'''MINIVEND''', "popup-reminders":'''Popup Reminders Receive''', "office-tools":'''Office Tools Pro Receive''', "q3ade":'''Q3ADE Cluster Service''', "pnet-conn":'''Propel Connector port''', "pnet-enc":'''Propel Encoder port''', "altbsdp":'''Alternate BSDP Service''', "asr":'''Apple Software Restore''', "ssp-client":'''Secure Server Protocol - client''', "rbt-wanopt":'''Riverbed WAN Optimization Protocol''', "apc-7845":'''APC 7845''', "apc-7846":'''APC 7846''', "mipv6tls":'''TLS-based Mobile IPv6 Security''', "pss":'''Pearson''', "ubroker":'''Universal Broker''', "mevent":'''Multicast Event''', "tnos-sp":'''TNOS Service Protocol''', "tnos-dp":'''TNOS shell Protocol''', "tnos-dps":'''TNOS Secure DiaguardProtocol''', "qo-secure":'''QuickObjects secure port''', "t2-drm":'''Tier 2 Data Resource Manager''', "t2-brm":'''Tier 2 Business Rules Manager''', "supercell":'''Supercell''', "micromuse-ncps":'''Micromuse-ncps''', "quest-vista":'''Quest Vista''', "sossd-disc":'''Spotlight on SQL Server Desktop Agent Discovery''', "usicontentpush":'''USI Content Push Service''', "irdmi2":'''iRDMI2''', "irdmi":'''iRDMI''', "vcom-tunnel":'''VCOM Tunnel''', "teradataordbms":'''Teradata ORDBMS''', "mcreport":'''Mulberry Connect Reporting Service''', "mxi":'''MXI Generation II for z/OS''', "http-alt":'''HTTP Alternate''', "qbdb":'''QB DB Dynamic Port''', "intu-ec-svcdisc":'''Intuit Entitlement Service and Discovery''', "intu-ec-client":'''Intuit Entitlement Client''', "oa-system":'''oa-system''', "ca-audit-da":'''CA Audit Distribution Agent''', "ca-audit-ds":'''CA Audit Distribution Server''', "pro-ed":'''ProEd''', "mindprint":'''MindPrint''', "vantronix-mgmt":'''.vantronix Management''', "ampify":'''Ampify Messaging Protocol''', "senomix01":'''Senomix Timesheets Server''', "senomix02":'''Senomix Timesheets Client [1 year assignment]''', "senomix03":'''Senomix Timesheets Server [1 year assignment]''', "senomix04":'''Senomix Timesheets Server [1 year assignment]''', "senomix05":'''Senomix Timesheets Server [1 year assignment]''', "senomix06":'''Senomix Timesheets Client [1 year assignment]''', "senomix07":'''Senomix Timesheets Client [1 year assignment]''', "senomix08":'''Senomix Timesheets Client [1 year assignment]''', "aero":'''Asymmetric Extended Route Optimization (AERO)''', "gadugadu":'''Gadu-Gadu''', "http-alt":'''HTTP Alternate (see port 80)''', "sunproxyadmin":'''Sun Proxy Admin Service''', "us-cli":'''Utilistor (Client)''', "us-srv":'''Utilistor (Server)''', "d-s-n":'''Distributed SCADA Networking Rendezvous Port''', "simplifymedia":'''Simplify Media SPP Protocol''', "radan-http":'''Radan HTTP''', "sac":'''SAC Port Id''', "xprint-server":'''Xprint Server''', "mtl8000-matrix":'''MTL8000 Matrix''', "cp-cluster":'''Check Point Clustering''', "privoxy":'''Privoxy HTTP proxy''', "apollo-data":'''Apollo Data Port''', "apollo-admin":'''Apollo Admin Port''', "paycash-online":'''PayCash Online Protocol''', "paycash-wbp":'''PayCash Wallet-Browser''', "indigo-vrmi":'''INDIGO-VRMI''', "indigo-vbcp":'''INDIGO-VBCP''', "dbabble":'''dbabble''', "isdd":'''i-SDD file transfer''', "eor-game":'''Edge of Reality game data''', "patrol":'''Patrol''', "patrol-snmp":'''Patrol SNMP''', "vmware-fdm":'''VMware Fault Domain Manager''', "itach":'''Remote iTach Connection''', "spytechphone":'''SpyTech Phone Service''', "blp1":'''Bloomberg data API''', "blp2":'''Bloomberg feed''', "vvr-data":'''VVR DATA''', "trivnet1":'''TRIVNET''', "trivnet2":'''TRIVNET''', "aesop":'''Audio+Ethernet Standard Open Protocol''', "lm-perfworks":'''LM Perfworks''', "lm-instmgr":'''LM Instmgr''', "lm-dta":'''LM Dta''', "lm-sserver":'''LM SServer''', "lm-webwatcher":'''LM Webwatcher''', "rexecj":'''RexecJ Server''', "synapse-nhttps":'''Synapse Non Blocking HTTPS''', "pando-sec":'''Pando Media Controlled Distribution''', "synapse-nhttp":'''Synapse Non Blocking HTTP''', "blp3":'''Bloomberg professional''', "blp4":'''Bloomberg intelligent client''', "tmi":'''Transport Management Interface''', "amberon":'''Amberon PPC/PPS''', "tnp-discover":'''Thin(ium) Network Protocol''', "tnp":'''Thin(ium) Network Protocol''', "server-find":'''Server Find''', "cruise-enum":'''Cruise ENUM''', "cruise-swroute":'''Cruise SWROUTE''', "cruise-config":'''Cruise CONFIG''', "cruise-diags":'''Cruise DIAGS''', "cruise-update":'''Cruise UPDATE''', "m2mservices":'''M2m Services''', "cvd":'''cvd''', "sabarsd":'''sabarsd''', "abarsd":'''abarsd''', "admind":'''admind''', "espeech":'''eSpeech Session Protocol''', "espeech-rtp":'''eSpeech RTP Protocol''', "cybro-a-bus":'''CyBro A-bus Protocol''', "pcsync-https":'''PCsync HTTPS''', "pcsync-http":'''PCsync HTTP''', "npmp":'''npmp''', "otv":'''Overlay Transport Virtualization (OTV)''', "vp2p":'''Virtual Point to Point''', "noteshare":'''AquaMinds NoteShare''', "fmtp":'''Flight Message Transfer Protocol''', "cmtp-av":'''CYTEL Message Transfer Audio and Video''', "rtsp-alt":'''RTSP Alternate (see port 554)''', "d-fence":'''SYMAX D-FENCE''', "oap-admin":'''Object Access Protocol Administration''', "asterix":'''Surveillance Data''', "canon-cpp-disc":'''Canon Compact Printer Protocol Discovery''', "canon-mfnp":'''Canon MFNP Service''', "canon-bjnp1":'''Canon BJNP Port 1''', "canon-bjnp2":'''Canon BJNP Port 2''', "canon-bjnp3":'''Canon BJNP Port 3''', "canon-bjnp4":'''Canon BJNP Port 4''', "msi-cps-rm-disc":'''Motorola Solutions Customer Programming Software for Radio Management Discovery''', "sun-as-jmxrmi":'''Sun App Server - JMX/RMI''', "vnyx":'''VNYX Primary Port''', "dtp-net":'''DASGIP Net Services''', "ibus":'''iBus''', "mc-appserver":'''MC-APPSERVER''', "openqueue":'''OPENQUEUE''', "ultraseek-http":'''Ultraseek HTTP''', "dpap":'''Digital Photo Access Protocol (iPhoto)''', "msgclnt":'''Message Client''', "msgsrvr":'''Message Server''', "acd-pm":'''Accedian Performance Measurement''', "sunwebadmin":'''Sun Web Server Admin Service''', "truecm":'''truecm''', "dxspider":'''dxspider linking protocol''', "cddbp-alt":'''CDDBP''', "secure-mqtt":'''Secure MQTT''', "ddi-udp-1":'''NewsEDGE server UDP (UDP 1)''', "ddi-udp-2":'''NewsEDGE server broadcast''', "ddi-udp-3":'''NewsEDGE client broadcast''', "ddi-udp-4":'''Desktop Data UDP 3: NESS application''', "ddi-udp-5":'''Desktop Data UDP 4: FARM product''', "ddi-udp-6":'''Desktop Data UDP 5: NewsEDGE/Web application''', "ddi-udp-7":'''Desktop Data UDP 6: COAL application''', "ospf-lite":'''ospf-lite''', "jmb-cds1":'''JMB-CDS 1''', "jmb-cds2":'''JMB-CDS 2''', "manyone-http":'''manyone-http''', "manyone-xml":'''manyone-xml''', "wcbackup":'''Windows Client Backup''', "dragonfly":'''Dragonfly System Service''', "cumulus-admin":'''Cumulus Admin Port''', "sunwebadmins":'''Sun Web Server SSL Admin Service''', "http-wmap":'''webmail HTTP service''', "https-wmap":'''webmail HTTPS service''', "bctp":'''Brodos Crypto Trade Protocol''', "cslistener":'''CSlistener''', "etlservicemgr":'''ETL Service Manager''', "dynamid":'''DynamID authentication''', "ogs-client":'''Open Grid Services Client''', "pichat":'''Pichat Server''', "tambora":'''TAMBORA''', "panagolin-ident":'''Pangolin Identification''', "paragent":'''PrivateArk Remote Agent''', "swa-1":'''Secure Web Access - 1''', "swa-2":'''Secure Web Access - 2''', "swa-3":'''Secure Web Access - 3''', "swa-4":'''Secure Web Access - 4''', "glrpc":'''Groove GLRPC''', "aurora":'''IBM AURORA Performance Visualizer''', "ibm-rsyscon":'''IBM Remote System Console''', "net2display":'''Vesa Net2Display''', "classic":'''Classic Data Server''', "sqlexec":'''IBM Informix SQL Interface''', "sqlexec-ssl":'''IBM Informix SQL Interface - Encrypted''', "websm":'''WebSM''', "xmltec-xmlmail":'''xmltec-xmlmail''', "XmlIpcRegSvc":'''Xml-Ipc Server Reg''', "hp-pdl-datastr":'''PDL Data Streaming Port''', "pdl-datastream":'''Printer PDL Data Stream''', "bacula-dir":'''Bacula Director''', "bacula-fd":'''Bacula File Daemon''', "bacula-sd":'''Bacula Storage Daemon''', "peerwire":'''PeerWire''', "xadmin":'''Xadmin Control Service''', "astergate-disc":'''Astergate Discovery Service''', "mxit":'''MXit Instant Messaging''', "dddp":'''Dynamic Device Discovery''', "apani1":'''apani1''', "apani2":'''apani2''', "apani3":'''apani3''', "apani4":'''apani4''', "apani5":'''apani5''', "sun-as-jpda":'''Sun AppSvr JPDA''', "wap-wsp":'''WAP connectionless session service''', "wap-wsp-wtp":'''WAP session service''', "wap-wsp-s":'''WAP secure connectionless session service''', "wap-wsp-wtp-s":'''WAP secure session service''', "wap-vcard":'''WAP vCard''', "wap-vcal":'''WAP vCal''', "wap-vcard-s":'''WAP vCard Secure''', "wap-vcal-s":'''WAP vCal Secure''', "rjcdb-vcards":'''rjcdb vCard''', "almobile-system":'''ALMobile System Service''', "oma-mlp":'''OMA Mobile Location Protocol''', "oma-mlp-s":'''OMA Mobile Location Protocol Secure''', "serverviewdbms":'''Server View dbms access''', "serverstart":'''ServerStart RemoteControl''', "ipdcesgbs":'''IPDC ESG BootstrapService''', "insis":'''Integrated Setup and Install Service''', "acme":'''Aionex Communication Management Engine''', "fsc-port":'''FSC Communication Port''', "teamcoherence":'''QSC Team Coherence''', "mon":'''Manager On Network''', "pegasus":'''Pegasus GPS Platform''', "pegasus-ctl":'''Pegaus GPS System Control Interface''', "pgps":'''Predicted GPS''', "swtp-port1":'''SofaWare transport port 1''', "swtp-port2":'''SofaWare transport port 2''', "callwaveiam":'''CallWaveIAM''', "visd":'''VERITAS Information Serve''', "n2h2server":'''N2H2 Filter Service Port''', "n2receive":'''n2 monitoring receiver''', "cumulus":'''Cumulus''', "armtechdaemon":'''ArmTech Daemon''', "storview":'''StorView Client''', "armcenterhttp":'''ARMCenter http Service''', "armcenterhttps":'''ARMCenter https Service''', "vrace":'''Virtual Racing Service''', "secure-ts":'''PKIX TimeStamp over TLS''', "guibase":'''guibase''', "mpidcmgr":'''MpIdcMgr''', "mphlpdmc":'''Mphlpdmc''', "ctechlicensing":'''C Tech Licensing''', "fjdmimgr":'''fjdmimgr''', "boxp":'''Brivs! Open Extensible Protocol''', "fjinvmgr":'''fjinvmgr''', "mpidcagt":'''MpIdcAgt''', "sec-t4net-srv":'''Samsung Twain for Network Server''', "sec-t4net-clt":'''Samsung Twain for Network Client''', "sec-pc2fax-srv":'''Samsung PC2FAX for Network Server''', "git":'''git pack transfer service''', "tungsten-https":'''WSO2 Tungsten HTTPS''', "wso2esb-console":'''WSO2 ESB Administration Console HTTPS''', "sntlkeyssrvr":'''Sentinel Keys Server''', "ismserver":'''ismserver''', "sma-spw":'''SMA Speedwire''', "mngsuite":'''Management Suite Remote Control''', "laes-bf":'''Surveillance buffering function''', "trispen-sra":'''Trispen Secure Remote Access''', "ldgateway":'''LANDesk Gateway''', "cba8":'''LANDesk Management Agent (cba8)''', "msgsys":'''Message System''', "pds":'''Ping Discovery Service''', "mercury-disc":'''Mercury Discovery''', "pd-admin":'''PD Administration''', "vscp":'''Very Simple Ctrl Protocol''', "robix":'''Robix''', "micromuse-ncpw":'''MICROMUSE-NCPW''', "streamcomm-ds":'''StreamComm User Directory''', "condor":'''Condor Collector Service''', "odbcpathway":'''ODBC Pathway Service''', "uniport":'''UniPort SSO Controller''', "mc-comm":'''Mobile-C Communications''', "xmms2":'''Cross-platform Music Multiplexing System''', "tec5-sdctp":'''tec5 Spectral Device Control Protocol''', "client-wakeup":'''T-Mobile Client Wakeup Message''', "ccnx":'''Content Centric Networking''', "board-roar":'''Board M.I.T. Service''', "l5nas-parchan":'''L5NAS Parallel Channel''', "board-voip":'''Board M.I.T. Synchronous Collaboration''', "rasadv":'''rasadv''', "tungsten-http":'''WSO2 Tungsten HTTP''', "davsrc":'''WebDav Source Port''', "sstp-2":'''Sakura Script Transfer Protocol-2''', "davsrcs":'''WebDAV Source TLS/SSL''', "sapv1":'''Session Announcement v1''', "kca-service":'''The KX509 Kerberized Certificate Issuance Protocol in Use in 2012''', "cyborg-systems":'''CYBORG Systems''', "gt-proxy":'''Port for Cable network related data proxy or repeater''', "monkeycom":'''MonkeyCom''', "sctp-tunneling":'''SCTP TUNNELING''', "iua":'''IUA''', "enrp":'''enrp server channel''', "multicast-ping":'''Multicast Ping Protocol''', "domaintime":'''domaintime''', "sype-transport":'''SYPECom Transport Protocol''', "apc-9950":'''APC 9950''', "apc-9951":'''APC 9951''', "apc-9952":'''APC 9952''', "acis":'''9953''', "alljoyn-mcm":'''Contact Port for AllJoyn multiplexed constrained messaging''', "alljoyn":'''Alljoyn Name Service''', "odnsp":'''OKI Data Network Setting Protocol''', "dsm-scm-target":'''DSM/SCM Target Interface''', "osm-appsrvr":'''OSM Applet Server''', "osm-oev":'''OSM Event Server''', "palace-1":'''OnLive-1''', "palace-2":'''OnLive-2''', "palace-3":'''OnLive-3''', "palace-4":'''Palace-4''', "palace-5":'''Palace-5''', "palace-6":'''Palace-6''', "distinct32":'''Distinct32''', "distinct":'''distinct''', "ndmp":'''Network Data Management Protocol''', "scp-config":'''SCP Configuration''', "documentum":'''EMC-Documentum Content Server Product''', "documentum-s":'''EMC-Documentum Content Server Product IANA assigned this well-formed service name as a replacement for "documentum_s".''', "documentum_s":'''EMC-Documentum Content Server Product''', "mvs-capacity":'''MVS Capacity''', "octopus":'''Octopus Multiplexer''', "swdtp-sv":'''Systemwalker Desktop Patrol''', "zabbix-agent":'''Zabbix Agent''', "zabbix-trapper":'''Zabbix Trapper''', "amanda":'''Amanda''', "famdc":'''FAM Archive Server''', "itap-ddtp":'''VERITAS ITAP DDTP''', "ezmeeting-2":'''eZmeeting''', "ezproxy-2":'''eZproxy''', "ezrelay":'''eZrelay''', "swdtp":'''Systemwalker Desktop Patrol''', "bctp-server":'''VERITAS BCTP, server''', "nmea-0183":'''NMEA-0183 Navigational Data''', "nmea-onenet":'''NMEA OneNet multicast messaging''', "netiq-endpoint":'''NetIQ Endpoint''', "netiq-qcheck":'''NetIQ Qcheck''', "netiq-endpt":'''NetIQ Endpoint''', "netiq-voipa":'''NetIQ VoIP Assessor''', "iqrm":'''NetIQ IQCResource Managament Svc''', "bmc-perf-sd":'''BMC-PERFORM-SERVICE DAEMON''', "qb-db-server":'''QB Database Server''', "snmpdtls":'''SNMP-DTLS''', "snmpdtls-trap":'''SNMP-Trap-DTLS''', "trisoap":'''Trigence AE Soap Service''', "rscs":'''Remote Server Control and Test Service''', "apollo-relay":'''Apollo Relay Port''', "axis-wimp-port":'''Axis WIMP Port''', "blocks":'''Blocks''', "hip-nat-t":'''HIP NAT-Traversal''', "MOS-lower":'''MOS Media Object Metadata Port''', "MOS-upper":'''MOS Running Order Port''', "MOS-aux":'''MOS Low Priority Port''', "MOS-soap":'''MOS SOAP Default Port''', "MOS-soap-opt":'''MOS SOAP Optional Port''', "gap":'''Gestor de Acaparamiento para Pocket PCs''', "lpdg":'''LUCIA Pareja Data Group''', "nmc-disc":'''Nuance Mobile Care Discovery''', "helix":'''Helix Client/Server''', "rmiaux":'''Auxiliary RMI Port''', "irisa":'''IRISA''', "metasys":'''Metasys''', "sgi-lk":'''SGI LK Licensing service''', "vce":'''Viral Computing Environment (VCE)''', "dicom":'''DICOM''', "suncacao-snmp":'''sun cacao snmp access point''', "suncacao-jmxmp":'''sun cacao JMX-remoting access point''', "suncacao-rmi":'''sun cacao rmi registry access point''', "suncacao-csa":'''sun cacao command-streaming access point''', "suncacao-websvc":'''sun cacao web service access point''', "snss":'''Surgical Notes Security Service Discovery (SNSS)''', "smsqp":'''smsqp''', "wifree":'''WiFree Service''', "memcache":'''Memory cache service''', "imip":'''IMIP''', "imip-channels":'''IMIP Channels Port''', "arena-server":'''Arena Server Listen''', "atm-uhas":'''ATM UHAS''', "hkp":'''OpenPGP HTTP Keyserver''', "tempest-port":'''Tempest Protocol Port''', "h323callsigalt":'''h323 Call Signal Alternate''', "intrepid-ssl":'''Intrepid SSL''', "lanschool-mpt":'''Lanschool Multipoint''', "xoraya":'''X2E Xoraya Multichannel protocol''', "x2e-disc":'''X2E service discovery protocol''', "sysinfo-sp":'''SysInfo Sercice Protocol''', "entextxid":'''IBM Enterprise Extender SNA XID Exchange''', "entextnetwk":'''IBM Enterprise Extender SNA COS Network Priority''', "entexthigh":'''IBM Enterprise Extender SNA COS High Priority''', "entextmed":'''IBM Enterprise Extender SNA COS Medium Priority''', "entextlow":'''IBM Enterprise Extender SNA COS Low Priority''', "dbisamserver1":'''DBISAM Database Server - Regular''', "dbisamserver2":'''DBISAM Database Server - Admin''', "accuracer":'''Accuracer Database System Server''', "accuracer-dbms":'''Accuracer Database System Admin''', "ghvpn":'''Green Hills VPN''', "vipera":'''Vipera Messaging Service''', "vipera-ssl":'''Vipera Messaging Service over SSL Communication''', "rets-ssl":'''RETS over SSL''', "nupaper-ss":'''NuPaper Session Service''', "cawas":'''CA Web Access Service''', "hivep":'''HiveP''', "linogridengine":'''LinoGrid Engine''', "warehouse-sss":'''Warehouse Monitoring Syst SSS''', "warehouse":'''Warehouse Monitoring Syst''', "italk":'''Italk Chat System''', "tsaf":'''tsaf port''', "i-zipqd":'''I-ZIPQD''', "bcslogc":'''Black Crow Software application logging''', "rs-pias":'''R&S Proxy Installation Assistant Service''', "emc-vcas-udp":'''EMV Virtual CAS Service Discovery''', "powwow-client":'''PowWow Client''', "powwow-server":'''PowWow Server''', "doip-disc":'''DoIP Discovery''', "bprd":'''BPRD Protocol (VERITAS NetBackup)''', "bpdbm":'''BPDBM Protocol (VERITAS NetBackup)''', "bpjava-msvc":'''BP Java MSVC Protocol''', "vnetd":'''Veritas Network Utility''', "bpcd":'''VERITAS NetBackup''', "vopied":'''VOPIED Protocol''', "nbdb":'''NetBackup Database''', "nomdb":'''Veritas-nomdb''', "dsmcc-config":'''DSMCC Config''', "dsmcc-session":'''DSMCC Session Messages''', "dsmcc-passthru":'''DSMCC Pass-Thru Messages''', "dsmcc-download":'''DSMCC Download Protocol''', "dsmcc-ccp":'''DSMCC Channel Change Protocol''', "ucontrol":'''Ultimate Control communication protocol''', "dta-systems":'''D-TA SYSTEMS''', "scotty-ft":'''SCOTTY High-Speed Filetransfer''', "sua":'''De-Registered''', "sage-best-com1":'''sage Best! Config Server 1''', "sage-best-com2":'''sage Best! Config Server 2''', "vcs-app":'''VCS Application''', "icpp":'''IceWall Cert Protocol''', "gcm-app":'''GCM Application''', "vrts-tdd":'''Veritas Traffic Director''', "vad":'''Veritas Application Director''', "cps":'''Fencing Server''', "ca-web-update":'''CA eTrust Web Update Service''', "hde-lcesrvr-1":'''hde-lcesrvr-1''', "hde-lcesrvr-2":'''hde-lcesrvr-2''', "hydap":'''Hypack Data Aquisition''', "v2g-secc":'''v2g Supply Equipment Communication Controller Discovery Protocol''', "xpilot":'''XPilot Contact Port''', "3link":'''3Link Negotiation''', "cisco-snat":'''Cisco Stateful NAT''', "bex-xr":'''Backup Express Restore Server''', "ptp":'''Picture Transfer Protocol''', "2ping":'''2ping Bi-Directional Ping Service''', "alfin":'''Automation and Control by REGULACE.ORG''', "sun-sea-port":'''Solaris SEA Port''', "etb4j":'''etb4j''', "pduncs":'''Policy Distribute, Update Notification''', "pdefmns":'''Policy definition and update management''', "netserialext1":'''Network Serial Extension Ports One''', "netserialext2":'''Network Serial Extension Ports Two''', "netserialext3":'''Network Serial Extension Ports Three''', "netserialext4":'''Network Serial Extension Ports Four''', "connected":'''Connected Corp''', "vtp":'''Vidder Tunnel Protocol''', "newbay-snc-mc":'''Newbay Mobile Client Update Service''', "sgcip":'''Simple Generic Client Interface Protocol''', "intel-rci-mp":'''INTEL-RCI-MP''', "amt-soap-http":'''Intel(R) AMT SOAP/HTTP''', "amt-soap-https":'''Intel(R) AMT SOAP/HTTPS''', "amt-redir-tcp":'''Intel(R) AMT Redirection/TCP''', "amt-redir-tls":'''Intel(R) AMT Redirection/TLS''', "isode-dua":'''''', "soundsvirtual":'''Sounds Virtual''', "chipper":'''Chipper''', "avdecc":'''IEEE 1722.1 AVB Discovery, Enumeration, Connection management, and Control''', "cpsp":'''Control Plane Synchronization Protocol (SPSP)''', "integrius-stp":'''Integrius Secure Tunnel Protocol''', "ssh-mgmt":'''SSH Tectia Manager''', "db-lsp-disc":'''Dropbox LanSync Discovery''', "ea":'''Eclipse Aviation''', "zep":'''Encap. ZigBee Packets''', "zigbee-ip":'''ZigBee IP Transport Service''', "zigbee-ips":'''ZigBee IP Transport Secure Service''', "biimenu":'''Beckman Instruments, Inc.''', "opsec-cvp":'''OPSEC CVP''', "opsec-ufp":'''OPSEC UFP''', "opsec-sam":'''OPSEC SAM''', "opsec-lea":'''OPSEC LEA''', "opsec-omi":'''OPSEC OMI''', "ohsc":'''Occupational Health Sc''', "opsec-ela":'''OPSEC ELA''', "checkpoint-rtm":'''Check Point RTM''', "gv-pf":'''GV NetConfig Service''', "ac-cluster":'''AC Cluster''', "rds-ib":'''Reliable Datagram Service''', "rds-ip":'''Reliable Datagram Service over IP''', "ique":'''IQue Protocol''', "infotos":'''Infotos''', "apc-necmp":'''APCNECMP''', "igrid":'''iGrid Server''', "opsec-uaa":'''OPSEC UAA''', "ua-secureagent":'''UserAuthority SecureAgent''', "keysrvr":'''Key Server for SASSAFRAS''', "keyshadow":'''Key Shadow for SASSAFRAS''', "mtrgtrans":'''mtrgtrans''', "hp-sco":'''hp-sco''', "hp-sca":'''hp-sca''', "hp-sessmon":'''HP-SESSMON''', "fxuptp":'''FXUPTP''', "sxuptp":'''SXUPTP''', "jcp":'''JCP Client''', "dnp-sec":'''Distributed Network Protocol - Secure''', "dnp":'''DNP''', "microsan":'''MicroSAN''', "commtact-http":'''Commtact HTTP''', "commtact-https":'''Commtact HTTPS''', "openwebnet":'''OpenWebNet protocol for electric network''', "ss-idi-disc":'''Samsung Interdevice Interaction discovery''', "opendeploy":'''OpenDeploy Listener''', "nburn-id":'''NetBurner ID Port IANA assigned this well-formed service name as a replacement for "nburn_id".''', "nburn_id":'''NetBurner ID Port''', "tmophl7mts":'''TMOP HL7 Message Transfer Service''', "mountd":'''NFS mount protocol''', "nfsrdma":'''Network File System (NFS) over RDMA''', "tolfab":'''TOLfab Data Change''', "ipdtp-port":'''IPD Tunneling Port''', "ipulse-ics":'''iPulse-ICS''', "emwavemsg":'''emWave Message Service''', "track":'''Track''', "athand-mmp":'''AT Hand MMP''', "irtrans":'''IRTrans Control''', "dfserver":'''MineScape Design File Server''', "vofr-gateway":'''VoFR Gateway''', "tvpm":'''TVNC Pro Multiplexing''', "webphone":'''webphone''', "netspeak-is":'''NetSpeak Corp. Directory Services''', "netspeak-cs":'''NetSpeak Corp. Connection Services''', "netspeak-acd":'''NetSpeak Corp. Automatic Call Distribution''', "netspeak-cps":'''NetSpeak Corp. Credit Processing System''', "snapenetio":'''SNAPenetIO''', "optocontrol":'''OptoControl''', "optohost002":'''Opto Host Port 2''', "optohost003":'''Opto Host Port 3''', "optohost004":'''Opto Host Port 4''', "optohost004":'''Opto Host Port 5''', "wnn6":'''wnn6''', "cis":'''CompactIS Tunnel''', "cis-secure":'''CompactIS Secure Tunnel''', "WibuKey":'''WibuKey Standard WkLan''', "CodeMeter":'''CodeMeter Standard''', "vocaltec-phone":'''Vocaltec Internet Phone''', "talikaserver":'''Talika Main Server''', "aws-brf":'''Telerate Information Platform LAN''', "brf-gw":'''Telerate Information Platform WAN''', "inovaport1":'''Inova LightLink Server Type 1''', "inovaport2":'''Inova LightLink Server Type 2''', "inovaport3":'''Inova LightLink Server Type 3''', "inovaport4":'''Inova LightLink Server Type 4''', "inovaport5":'''Inova LightLink Server Type 5''', "inovaport6":'''Inova LightLink Server Type 6''', "s102":'''S102 application''', "elxmgmt":'''Emulex HBAnyware Remote Management''', "novar-dbase":'''Novar Data''', "novar-alarm":'''Novar Alarm''', "novar-global":'''Novar Global''', "med-ltp":'''med-ltp''', "med-fsp-rx":'''med-fsp-rx''', "med-fsp-tx":'''med-fsp-tx''', "med-supp":'''med-supp''', "med-ovw":'''med-ovw''', "med-ci":'''med-ci''', "med-net-svc":'''med-net-svc''', "filesphere":'''fileSphere''', "vista-4gl":'''Vista 4GL''', "ild":'''Isolv Local Directory''', "intel-rci":'''Intel RCI IANA assigned this well-formed service name as a replacement for "intel_rci".''', "intel_rci":'''Intel RCI''', "tonidods":'''Tonido Domain Server''', "binkp":'''BINKP''', "canditv":'''Canditv Message Service''', "flashfiler":'''FlashFiler''', "proactivate":'''Turbopower Proactivate''', "tcc-http":'''TCC User HTTP Service''', "assoc-disc":'''Device Association Discovery''', "find":'''Find Identification of Network Devices''', "icl-twobase1":'''icl-twobase1''', "icl-twobase2":'''icl-twobase2''', "icl-twobase3":'''icl-twobase3''', "icl-twobase4":'''icl-twobase4''', "icl-twobase5":'''icl-twobase5''', "icl-twobase6":'''icl-twobase6''', "icl-twobase7":'''icl-twobase7''', "icl-twobase8":'''icl-twobase8''', "icl-twobase9":'''icl-twobase9''', "icl-twobase10":'''icl-twobase10''', "vocaltec-hos":'''Vocaltec Address Server''', "tasp-net":'''TASP Network Comm''', "niobserver":'''NIObserver''', "nilinkanalyst":'''NILinkAnalyst''', "niprobe":'''NIProbe''', "bf-game":'''Bitfighter game server''', "bf-master":'''Bitfighter master server''', "quake":'''quake''', "scscp":'''Symbolic Computation Software Composability Protocol''', "wnn6-ds":'''wnn6-ds''', "ezproxy":'''eZproxy''', "ezmeeting":'''eZmeeting''', "k3software-svr":'''K3 Software-Server''', "k3software-cli":'''K3 Software-Client''', "exoline-udp":'''EXOline-UDP''', "exoconfig":'''EXOconfig''', "exonet":'''EXOnet''', "imagepump":'''ImagePump''', "jesmsjc":'''Job controller service''', "kopek-httphead":'''Kopek HTTP Head Port''', "ars-vista":'''ARS VISTA Application''', "tw-auth-key":'''Attribute Certificate Services''', "nxlmd":'''NX License Manager''', "siemensgsm":'''Siemens GSM''', "a27-ran-ran":'''A27 cdma2000 RAN Management''', "otmp":'''ObTools Message Protocol''', "pago-services1":'''Pago Services 1''', "pago-services2":'''Pago Services 2''', "kingdomsonline":'''Kingdoms Online (CraigAvenue)''', "ovobs":'''OpenView Service Desk Client''', "yawn":'''YaWN - Yet Another Windows Notifier''', "xqosd":'''XQoS network monitor''', "tetrinet":'''TetriNET Protocol''', "lm-mon":'''lm mon''', "gamesmith-port":'''GameSmith Port''', "iceedcp-tx":'''Embedded Device Configuration Protocol TX IANA assigned this well-formed service name as a replacement for "iceedcp_tx".''', "iceedcp_tx":'''Embedded Device Configuration Protocol TX''', "iceedcp-rx":'''Embedded Device Configuration Protocol RX IANA assigned this well-formed service name as a replacement for "iceedcp_rx".''', "iceedcp_rx":'''Embedded Device Configuration Protocol RX''', "iracinghelper":'''iRacing helper service''', "t1distproc60":'''T1 Distributed Processor''', "apm-link":'''Access Point Manager Link''', "sec-ntb-clnt":'''SecureNotebook-CLNT''', "DMExpress":'''DMExpress''', "filenet-powsrm":'''FileNet BPM WS-ReliableMessaging Client''', "filenet-tms":'''Filenet TMS''', "filenet-rpc":'''Filenet RPC''', "filenet-nch":'''Filenet NCH''', "filenet-rmi":'''FileNet RMI''', "filenet-pa":'''FileNET Process Analyzer''', "filenet-cm":'''FileNET Component Manager''', "filenet-re":'''FileNET Rules Engine''', "filenet-pch":'''Performance Clearinghouse''', "filenet-peior":'''FileNET BPM IOR''', "filenet-obrok":'''FileNet BPM CORBA''', "mlsn":'''Multiple Listing Service Network''', "idmgratm":'''Attachmate ID Manager''', "aurora-balaena":'''Aurora (Balaena Ltd)''', "diamondport":'''DiamondCentral Interface''', "speedtrace-disc":'''SpeedTrace TraceAgent Discovery''', "traceroute":'''traceroute use''', "snip-slave":'''SNIP Slave''', "turbonote-2":'''TurboNote Relay Server Default Port''', "p-net-local":'''P-Net on IP local''', "p-net-remote":'''P-Net on IP remote''', "profinet-rt":'''PROFInet RT Unicast''', "profinet-rtm":'''PROFInet RT Multicast''', "profinet-cm":'''PROFInet Context Manager''', "ethercat":'''EhterCAT Port''', "altova-lm-disc":'''Altova License Management Discovery''', "allpeers":'''AllPeers Network''', "kastenxpipe":'''KastenX Pipe''', "neckar":'''science + computing's Venus Administration Port''', "unisys-eportal":'''Unisys ClearPath ePortal''', "galaxy7-data":'''Galaxy7 Data Tunnel''', "fairview":'''Fairview Message Service''', "agpolicy":'''AppGate Policy Server''', "turbonote-1":'''TurboNote Default Port''', "safetynetp":'''SafetyNET p''', "cscp":'''CSCP''', "csccredir":'''CSCCREDIR''', "csccfirewall":'''CSCCFIREWALL''', "ortec-disc":'''ORTEC Service Discovery''', "fs-qos":'''Foursticks QoS Protocol''', "crestron-cip":'''Crestron Control Port''', "crestron-ctp":'''Crestron Terminal Port''', "candp":'''Computer Associates network discovery protocol''', "candrp":'''CA discovery response''', "caerpc":'''CA eTrust RPC''', "reachout":'''REACHOUT''', "ndm-agent-port":'''NDM-AGENT-PORT''', "ip-provision":'''IP-PROVISION''', "shaperai-disc":'''Shaper Automation Server Management Discovery''', "eq3-config":'''EQ3 discovery and configuration''', "ew-disc-cmd":'''Cisco EnergyWise Discovery and Command Flooding''', "ciscocsdb":'''Cisco NetMgmt DB Ports''', "pmcd":'''PCP server (pmcd)''', "pmcdproxy":'''PCP server (pmcd) proxy''', "pcp":'''Port Control Protocol''', "domiq":'''DOMIQ Building Automation''', "rbr-debug":'''REALbasic Remote Debug''', "asihpi":'''AudioScience HPI''', "EtherNet-IP-2":'''EtherNet/IP messaging IANA assigned this well-formed service name as a replacement for "EtherNet/IP-2".''', "EtherNet/IP-2":'''EtherNet/IP messaging''', "asmp-mon":'''NSi AutoStore Status Monitoring Protocol device monitoring''', "invision-ag":'''InVision AG''', "eba":'''EBA PRISE''', "qdb2service":'''Qpuncture Data Access Service''', "ssr-servermgr":'''SSRServerMgr''', "mediabox":'''MediaBox Server''', "mbus":'''Message Bus''', "dbbrowse":'''Databeam Corporation''', "directplaysrvr":'''Direct Play Server''', "ap":'''ALC Protocol''', "bacnet":'''Building Automation and Control Networks''', "nimcontroller":'''Nimbus Controller''', "nimspooler":'''Nimbus Spooler''', "nimhub":'''Nimbus Hub''', "nimgtw":'''Nimbus Gateway''', "isnetserv":'''Image Systems Network Services''', "blp5":'''Bloomberg locator''', "com-bardac-dw":'''com-bardac-dw''', "iqobject":'''iqobject''', "acs-ctl-ds":'''Access Control Device''', "acs-ctl-gw":'''Access Control Gateway''', "amba-cam":'''Ambarella Cameras''', "apple-midi":'''Apple MIDI''', "arcnet":'''Arcturus Networks Inc. Hardware Services''', "astnotify":'''Asterisk Caller-ID Notification Service''', "bluevertise":'''BlueVertise Network Protocol (BNP)''', "boundaryscan":'''Proprietary''', "clique":'''Clique Link-Local Multicast Chat Room''', "dbaudio":'''d&b audiotechnik remote network''', "dltimesync":'''Local Area Dynamic Time Synchronisation Protocol''', "dns-update":'''DNS Dynamic Update Service''', "edcp":'''LaCie Ethernet Disk Configuration Protocol''', "fl-purr":'''FilmLight Cluster Power Control Service''', "fv-cert":'''Fairview Certificate''', "fv-key":'''Fairview Key''', "fv-time":'''Fairview Time/Date''', "honeywell-vid":'''Honeywell Video Systems''', "htvncconf":'''HomeTouch Vnc Configuration''', "labyrinth":'''Labyrinth local multiplayer protocol''', "logicnode":'''Logic Pro Distributed Audio''', "macfoh-audio":'''MacFOH audio stream''', "macfoh-events":'''MacFOH show control events''', "macfoh-data":'''MacFOH realtime data''', "neoriders":'''NeoRiders Client Discovery Protocol''', "nextcap":'''Proprietary communication protocol for NextCap capture solution''', "ntx":'''Tenasys''', "olpc-activity1":'''One Laptop per Child activity''', "opencu":'''Conferencing Protocol''', "oscit":'''Open Sound Control Interface Transfer''', "p2pchat":'''Peer-to-Peer Chat (Sample Java Bonjour application)''', "parity":'''PA-R-I-Ty (Public Address - Radio - Intercom - Telefony)''', "psap":'''Progal Service Advertising Protocol''', "radioport":'''RadioPort Message Service''', "recolive-cc":'''Remote Camera Control''', "sip":'''Session Initiation Protocol, signalling protocol for VoIP''', "sleep-proxy":'''Sleep Proxy Server''', "teleport":'''teleport''', "wicop":'''WiFi Control Platform''', "x-plane9":'''x-plane9''', "yakumo":'''Yakumo iPhone OS Device Control Protocol''', "z-wave":'''Z-Wave Service Discovery''', "zeromq":'''High performance brokerless messaging''', } TCP_SERVICES = { "tcpmux":'''TCP Port Service Multiplexer''', "compressnet":'''Management Utility''', "compressnet":'''Compression Process''', "rje":'''Remote Job Entry''', "echo":'''Echo''', "discard":'''Discard''', "systat":'''Active Users''', "daytime":'''Daytime''', "qotd":'''Quote of the Day''', "msp":'''Message Send Protocol (historic)''', "chargen":'''Character Generator''', "ftp-data":'''File Transfer [Default Data]''', "ftp":'''File Transfer [Control]''', "ssh":'''The Secure Shell (SSH) Protocol''', "telnet":'''Telnet''', "smtp":'''Simple Mail Transfer''', "nsw-fe":'''NSW User System FE''', "msg-icp":'''MSG ICP''', "msg-auth":'''MSG Authentication''', "dsp":'''Display Support Protocol''', "time":'''Time''', "rap":'''Route Access Protocol''', "rlp":'''Resource Location Protocol''', "graphics":'''Graphics''', "name":'''Host Name Server''', "nameserver":'''Host Name Server''', "nicname":'''Who Is''', "mpm-flags":'''MPM FLAGS Protocol''', "mpm":'''Message Processing Module [recv]''', "mpm-snd":'''MPM [default send]''', "ni-ftp":'''NI FTP''', "auditd":'''Digital Audit Daemon''', "tacacs":'''Login Host Protocol (TACACS)''', "re-mail-ck":'''Remote Mail Checking Protocol''', "la-maint":'''IMP Logical Address Maintenance''', "xns-time":'''XNS Time Protocol''', "domain":'''Domain Name Server''', "xns-ch":'''XNS Clearinghouse''', "isi-gl":'''ISI Graphics Language''', "xns-auth":'''XNS Authentication''', "xns-mail":'''XNS Mail''', "ni-mail":'''NI MAIL''', "acas":'''ACA Services''', "whoispp":'''whois++ IANA assigned this well-formed service name as a replacement for "whois++".''', "whois++":'''whois++''', "covia":'''Communications Integrator (CI)''', "tacacs-ds":'''TACACS-Database Service''', "sql-net":'''Oracle SQL*NET IANA assigned this well-formed service name as a replacement for "sql*net".''', "sql*net":'''Oracle SQL*NET''', "bootps":'''Bootstrap Protocol Server''', "bootpc":'''Bootstrap Protocol Client''', "tftp":'''Trivial File Transfer''', "gopher":'''Gopher''', "netrjs-1":'''Remote Job Service''', "netrjs-2":'''Remote Job Service''', "netrjs-3":'''Remote Job Service''', "netrjs-4":'''Remote Job Service''', "deos":'''Distributed External Object Store''', "vettcp":'''vettcp''', "finger":'''Finger''', "http":'''World Wide Web HTTP''', "www":'''World Wide Web HTTP''', "www-http":'''World Wide Web HTTP''', "xfer":'''XFER Utility''', "mit-ml-dev":'''MIT ML Device''', "ctf":'''Common Trace Facility''', "mit-ml-dev":'''MIT ML Device''', "mfcobol":'''Micro Focus Cobol''', "kerberos":'''Kerberos''', "su-mit-tg":'''SU/MIT Telnet Gateway''', "dnsix":'''DNSIX Securit Attribute Token Map''', "mit-dov":'''MIT Dover Spooler''', "npp":'''Network Printing Protocol''', "dcp":'''Device Control Protocol''', "objcall":'''Tivoli Object Dispatcher''', "supdup":'''SUPDUP''', "dixie":'''DIXIE Protocol Specification''', "swift-rvf":'''Swift Remote Virtural File Protocol''', "tacnews":'''TAC News''', "metagram":'''Metagram Relay''', "hostname":'''NIC Host Name Server''', "iso-tsap":'''ISO-TSAP Class 0''', "gppitnp":'''Genesis Point-to-Point Trans Net''', "acr-nema":'''ACR-NEMA Digital Imag. & Comm. 300''', "cso":'''CCSO name server protocol''', "csnet-ns":'''Mailbox Name Nameserver''', "3com-tsmux":'''3COM-TSMUX''', "rtelnet":'''Remote Telnet Service''', "snagas":'''SNA Gateway Access Server''', "pop2":'''Post Office Protocol - Version 2''', "pop3":'''Post Office Protocol - Version 3''', "sunrpc":'''SUN Remote Procedure Call''', "mcidas":'''McIDAS Data Transmission Protocol''', "ident":'''''', "auth":'''Authentication Service''', "sftp":'''Simple File Transfer Protocol''', "ansanotify":'''ANSA REX Notify''', "uucp-path":'''UUCP Path Service''', "sqlserv":'''SQL Services''', "nntp":'''Network News Transfer Protocol''', "cfdptkt":'''CFDPTKT''', "erpc":'''Encore Expedited Remote Pro.Call''', "smakynet":'''SMAKYNET''', "ntp":'''Network Time Protocol''', "ansatrader":'''ANSA REX Trader''', "locus-map":'''Locus PC-Interface Net Map Ser''', "nxedit":'''NXEdit''', "locus-con":'''Locus PC-Interface Conn Server''', "gss-xlicen":'''GSS X License Verification''', "pwdgen":'''Password Generator Protocol''', "cisco-fna":'''cisco FNATIVE''', "cisco-tna":'''cisco TNATIVE''', "cisco-sys":'''cisco SYSMAINT''', "statsrv":'''Statistics Service''', "ingres-net":'''INGRES-NET Service''', "epmap":'''DCE endpoint resolution''', "profile":'''PROFILE Naming System''', "netbios-ns":'''NETBIOS Name Service''', "netbios-dgm":'''NETBIOS Datagram Service''', "netbios-ssn":'''NETBIOS Session Service''', "emfis-data":'''EMFIS Data Service''', "emfis-cntl":'''EMFIS Control Service''', "bl-idm":'''Britton-Lee IDM''', "imap":'''Internet Message Access Protocol''', "uma":'''Universal Management Architecture''', "uaac":'''UAAC Protocol''', "iso-tp0":'''ISO-IP0''', "iso-ip":'''ISO-IP''', "jargon":'''Jargon''', "aed-512":'''AED 512 Emulation Service''', "sql-net":'''SQL-NET''', "hems":'''HEMS''', "bftp":'''Background File Transfer Program''', "sgmp":'''SGMP''', "netsc-prod":'''NETSC''', "netsc-dev":'''NETSC''', "sqlsrv":'''SQL Service''', "knet-cmp":'''KNET/VM Command/Message Protocol''', "pcmail-srv":'''PCMail Server''', "nss-routing":'''NSS-Routing''', "sgmp-traps":'''SGMP-TRAPS''', "snmp":'''SNMP''', "snmptrap":'''SNMPTRAP''', "cmip-man":'''CMIP/TCP Manager''', "cmip-agent":'''CMIP/TCP Agent''', "xns-courier":'''Xerox''', "s-net":'''Sirius Systems''', "namp":'''NAMP''', "rsvd":'''RSVD''', "send":'''SEND''', "print-srv":'''Network PostScript''', "multiplex":'''Network Innovations Multiplex''', "cl-1":'''Network Innovations CL/1 IANA assigned this well-formed service name as a replacement for "cl/1".''', "cl/1":'''Network Innovations CL/1''', "xyplex-mux":'''Xyplex''', "mailq":'''MAILQ''', "vmnet":'''VMNET''', "genrad-mux":'''GENRAD-MUX''', "xdmcp":'''X Display Manager Control Protocol''', "nextstep":'''NextStep Window Server''', "bgp":'''Border Gateway Protocol''', "ris":'''Intergraph''', "unify":'''Unify''', "audit":'''Unisys Audit SITP''', "ocbinder":'''OCBinder''', "ocserver":'''OCServer''', "remote-kis":'''Remote-KIS''', "kis":'''KIS Protocol''', "aci":'''Application Communication Interface''', "mumps":'''Plus Five's MUMPS''', "qft":'''Queued File Transport''', "gacp":'''Gateway Access Control Protocol''', "prospero":'''Prospero Directory Service''', "osu-nms":'''OSU Network Monitoring System''', "srmp":'''Spider Remote Monitoring Protocol''', "irc":'''Internet Relay Chat Protocol''', "dn6-nlm-aud":'''DNSIX Network Level Module Audit''', "dn6-smm-red":'''DNSIX Session Mgt Module Audit Redir''', "dls":'''Directory Location Service''', "dls-mon":'''Directory Location Service Monitor''', "smux":'''SMUX''', "src":'''IBM System Resource Controller''', "at-rtmp":'''AppleTalk Routing Maintenance''', "at-nbp":'''AppleTalk Name Binding''', "at-3":'''AppleTalk Unused''', "at-echo":'''AppleTalk Echo''', "at-5":'''AppleTalk Unused''', "at-zis":'''AppleTalk Zone Information''', "at-7":'''AppleTalk Unused''', "at-8":'''AppleTalk Unused''', "qmtp":'''The Quick Mail Transfer Protocol''', "z39-50":'''ANSI Z39.50 IANA assigned this well-formed service name as a replacement for "z39.50".''', "z39.50":'''ANSI Z39.50''', "914c-g":'''Texas Instruments 914C/G Terminal IANA assigned this well-formed service name as a replacement for "914c/g".''', "914c/g":'''Texas Instruments 914C/G Terminal''', "anet":'''ATEXSSTR''', "ipx":'''IPX''', "vmpwscs":'''VM PWSCS''', "softpc":'''Insignia Solutions''', "CAIlic":'''Computer Associates Int'l License Server''', "dbase":'''dBASE Unix''', "mpp":'''Netix Message Posting Protocol''', "uarps":'''Unisys ARPs''', "imap3":'''Interactive Mail Access Protocol v3''', "fln-spx":'''Berkeley rlogind with SPX auth''', "rsh-spx":'''Berkeley rshd with SPX auth''', "cdc":'''Certificate Distribution Center''', "masqdialer":'''masqdialer''', "direct":'''Direct''', "sur-meas":'''Survey Measurement''', "inbusiness":'''inbusiness''', "link":'''LINK''', "dsp3270":'''Display Systems Protocol''', "subntbcst-tftp":'''SUBNTBCST_TFTP IANA assigned this well-formed service name as a replacement for "subntbcst_tftp".''', "subntbcst_tftp":'''SUBNTBCST_TFTP''', "bhfhs":'''bhfhs''', "rap":'''RAP''', "set":'''Secure Electronic Transaction''', "esro-gen":'''Efficient Short Remote Operations''', "openport":'''Openport''', "nsiiops":'''IIOP Name Service over TLS/SSL''', "arcisdms":'''Arcisdms''', "hdap":'''HDAP''', "bgmp":'''BGMP''', "x-bone-ctl":'''X-Bone CTL''', "sst":'''SCSI on ST''', "td-service":'''Tobit David Service Layer''', "td-replica":'''Tobit David Replica''', "manet":'''MANET Protocols''', "pt-tls":'''IETF Network Endpoint Assessment (NEA) Posture Transport Protocol over TLS (PT-TLS)''', "http-mgmt":'''http-mgmt''', "personal-link":'''Personal Link''', "cableport-ax":'''Cable Port A/X''', "rescap":'''rescap''', "corerjd":'''corerjd''', "fxp":'''FXP Communication''', "k-block":'''K-BLOCK''', "novastorbakcup":'''Novastor Backup''', "entrusttime":'''EntrustTime''', "bhmds":'''bhmds''', "asip-webadmin":'''AppleShare IP WebAdmin''', "vslmp":'''VSLMP''', "magenta-logic":'''Magenta Logic''', "opalis-robot":'''Opalis Robot''', "dpsi":'''DPSI''', "decauth":'''decAuth''', "zannet":'''Zannet''', "pkix-timestamp":'''PKIX TimeStamp''', "ptp-event":'''PTP Event''', "ptp-general":'''PTP General''', "pip":'''PIP''', "rtsps":'''RTSPS''', "rpki-rtr":'''Resource PKI to Router Protocol''', "rpki-rtr-tls":'''Resource PKI to Router Protocol over TLS''', "texar":'''Texar Security Port''', "pdap":'''Prospero Data Access Protocol''', "pawserv":'''Perf Analysis Workbench''', "zserv":'''Zebra server''', "fatserv":'''Fatmen Server''', "csi-sgwp":'''Cabletron Management Protocol''', "mftp":'''mftp''', "matip-type-a":'''MATIP Type A''', "matip-type-b":'''MATIP Type B''', "bhoetty":'''bhoetty''', "dtag-ste-sb":'''DTAG''', "bhoedap4":'''bhoedap4''', "ndsauth":'''NDSAUTH''', "bh611":'''bh611''', "datex-asn":'''DATEX-ASN''', "cloanto-net-1":'''Cloanto Net 1''', "bhevent":'''bhevent''', "shrinkwrap":'''Shrinkwrap''', "nsrmp":'''Network Security Risk Management Protocol''', "scoi2odialog":'''scoi2odialog''', "semantix":'''Semantix''', "srssend":'''SRS Send''', "rsvp-tunnel":'''RSVP Tunnel IANA assigned this well-formed service name as a replacement for "rsvp_tunnel".''', "rsvp_tunnel":'''RSVP Tunnel''', "aurora-cmgr":'''Aurora CMGR''', "dtk":'''DTK''', "odmr":'''ODMR''', "mortgageware":'''MortgageWare''', "qbikgdp":'''QbikGDP''', "rpc2portmap":'''rpc2portmap''', "codaauth2":'''codaauth2''', "clearcase":'''Clearcase''', "ulistproc":'''ListProcessor''', "legent-1":'''Legent Corporation''', "legent-2":'''Legent Corporation''', "hassle":'''Hassle''', "nip":'''Amiga Envoy Network Inquiry Proto''', "tnETOS":'''NEC Corporation''', "dsETOS":'''NEC Corporation''', "is99c":'''TIA/EIA/IS-99 modem client''', "is99s":'''TIA/EIA/IS-99 modem server''', "hp-collector":'''hp performance data collector''', "hp-managed-node":'''hp performance data managed node''', "hp-alarm-mgr":'''hp performance data alarm manager''', "arns":'''A Remote Network Server System''', "ibm-app":'''IBM Application''', "asa":'''ASA Message Router Object Def.''', "aurp":'''Appletalk Update-Based Routing Pro.''', "unidata-ldm":'''Unidata LDM''', "ldap":'''Lightweight Directory Access Protocol''', "uis":'''UIS''', "synotics-relay":'''SynOptics SNMP Relay Port''', "synotics-broker":'''SynOptics Port Broker Port''', "meta5":'''Meta5''', "embl-ndt":'''EMBL Nucleic Data Transfer''', "netcp":'''NetScout Control Protocol''', "netware-ip":'''Novell Netware over IP''', "mptn":'''Multi Protocol Trans. Net.''', "kryptolan":'''Kryptolan''', "iso-tsap-c2":'''ISO Transport Class 2 Non-Control over TCP''', "osb-sd":'''Oracle Secure Backup''', "ups":'''Uninterruptible Power Supply''', "genie":'''Genie Protocol''', "decap":'''decap''', "nced":'''nced''', "ncld":'''ncld''', "imsp":'''Interactive Mail Support Protocol''', "timbuktu":'''Timbuktu''', "prm-sm":'''Prospero Resource Manager Sys. Man.''', "prm-nm":'''Prospero Resource Manager Node Man.''', "decladebug":'''DECLadebug Remote Debug Protocol''', "rmt":'''Remote MT Protocol''', "synoptics-trap":'''Trap Convention Port''', "smsp":'''Storage Management Services Protocol''', "infoseek":'''InfoSeek''', "bnet":'''BNet''', "silverplatter":'''Silverplatter''', "onmux":'''Onmux''', "hyper-g":'''Hyper-G''', "ariel1":'''Ariel 1''', "smpte":'''SMPTE''', "ariel2":'''Ariel 2''', "ariel3":'''Ariel 3''', "opc-job-start":'''IBM Operations Planning and Control Start''', "opc-job-track":'''IBM Operations Planning and Control Track''', "icad-el":'''ICAD''', "smartsdp":'''smartsdp''', "svrloc":'''Server Location''', "ocs-cmu":'''OCS_CMU IANA assigned this well-formed service name as a replacement for "ocs_cmu".''', "ocs_cmu":'''OCS_CMU''', "ocs-amu":'''OCS_AMU IANA assigned this well-formed service name as a replacement for "ocs_amu".''', "ocs_amu":'''OCS_AMU''', "utmpsd":'''UTMPSD''', "utmpcd":'''UTMPCD''', "iasd":'''IASD''', "nnsp":'''NNSP''', "mobileip-agent":'''MobileIP-Agent''', "mobilip-mn":'''MobilIP-MN''', "dna-cml":'''DNA-CML''', "comscm":'''comscm''', "dsfgw":'''dsfgw''', "dasp":'''dasp''', "sgcp":'''sgcp''', "decvms-sysmgt":'''decvms-sysmgt''', "cvc-hostd":'''cvc_hostd IANA assigned this well-formed service name as a replacement for "cvc_hostd".''', "cvc_hostd":'''cvc_hostd''', "https":'''http protocol over TLS/SSL''', "snpp":'''Simple Network Paging Protocol''', "microsoft-ds":'''Microsoft-DS''', "ddm-rdb":'''DDM-Remote Relational Database Access''', "ddm-dfm":'''DDM-Distributed File Management''', "ddm-ssl":'''DDM-Remote DB Access Using Secure Sockets''', "as-servermap":'''AS Server Mapper''', "tserver":'''Computer Supported Telecomunication Applications''', "sfs-smp-net":'''Cray Network Semaphore server''', "sfs-config":'''Cray SFS config server''', "creativeserver":'''CreativeServer''', "contentserver":'''ContentServer''', "creativepartnr":'''CreativePartnr''', "macon-tcp":'''macon-tcp''', "scohelp":'''scohelp''', "appleqtc":'''apple quick time''', "ampr-rcmd":'''ampr-rcmd''', "skronk":'''skronk''', "datasurfsrv":'''DataRampSrv''', "datasurfsrvsec":'''DataRampSrvSec''', "alpes":'''alpes''', "kpasswd":'''kpasswd''', "urd":'''URL Rendesvous Directory for SSM''', "digital-vrc":'''digital-vrc''', "mylex-mapd":'''mylex-mapd''', "photuris":'''proturis''', "rcp":'''Radio Control Protocol''', "scx-proxy":'''scx-proxy''', "mondex":'''Mondex''', "ljk-login":'''ljk-login''', "hybrid-pop":'''hybrid-pop''', "tn-tl-w1":'''tn-tl-w1''', "tcpnethaspsrv":'''tcpnethaspsrv''', "tn-tl-fd1":'''tn-tl-fd1''', "ss7ns":'''ss7ns''', "spsc":'''spsc''', "iafserver":'''iafserver''', "iafdbase":'''iafdbase''', "ph":'''Ph service''', "bgs-nsi":'''bgs-nsi''', "ulpnet":'''ulpnet''', "integra-sme":'''Integra Software Management Environment''', "powerburst":'''Air Soft Power Burst''', "avian":'''avian''', "saft":'''saft Simple Asynchronous File Transfer''', "gss-http":'''gss-http''', "nest-protocol":'''nest-protocol''', "micom-pfs":'''micom-pfs''', "go-login":'''go-login''', "ticf-1":'''Transport Independent Convergence for FNA''', "ticf-2":'''Transport Independent Convergence for FNA''', "pov-ray":'''POV-Ray''', "intecourier":'''intecourier''', "pim-rp-disc":'''PIM-RP-DISC''', "retrospect":'''Retrospect backup and restore service''', "siam":'''siam''', "iso-ill":'''ISO ILL Protocol''', "isakmp":'''isakmp''', "stmf":'''STMF''', "asa-appl-proto":'''asa-appl-proto''', "intrinsa":'''Intrinsa''', "citadel":'''citadel''', "mailbox-lm":'''mailbox-lm''', "ohimsrv":'''ohimsrv''', "crs":'''crs''', "xvttp":'''xvttp''', "snare":'''snare''', "fcp":'''FirstClass Protocol''', "passgo":'''PassGo''', "exec":'''remote process execution; authentication performed using passwords and UNIX login names''', "login":'''remote login a la telnet; automatic authentication performed based on priviledged port numbers and distributed data bases which identify "authentication domains"''', "shell":'''cmd like exec, but automatic authentication is performed as for login server''', "printer":'''spooler''', "videotex":'''videotex''', "talk":'''like tenex link, but across machine - unfortunately, doesn't use link protocol (this is actually just a rendezvous port from which a tcp connection is established)''', "ntalk":'''''', "utime":'''unixtime''', "efs":'''extended file name server''', "ripng":'''ripng''', "ulp":'''ULP''', "ibm-db2":'''IBM-DB2''', "ncp":'''NCP''', "timed":'''timeserver''', "tempo":'''newdate''', "stx":'''Stock IXChange''', "custix":'''Customer IXChange''', "irc-serv":'''IRC-SERV''', "courier":'''rpc''', "conference":'''chat''', "netnews":'''readnews''', "netwall":'''for emergency broadcasts''', "windream":'''windream Admin''', "iiop":'''iiop''', "opalis-rdv":'''opalis-rdv''', "nmsp":'''Networked Media Streaming Protocol''', "gdomap":'''gdomap''', "apertus-ldp":'''Apertus Technologies Load Determination''', "uucp":'''uucpd''', "uucp-rlogin":'''uucp-rlogin''', "commerce":'''commerce''', "klogin":'''''', "kshell":'''krcmd''', "appleqtcsrvr":'''appleqtcsrvr''', "dhcpv6-client":'''DHCPv6 Client''', "dhcpv6-server":'''DHCPv6 Server''', "afpovertcp":'''AFP over TCP''', "idfp":'''IDFP''', "new-rwho":'''new-who''', "cybercash":'''cybercash''', "devshr-nts":'''DeviceShare''', "pirp":'''pirp''', "rtsp":'''Real Time Streaming Protocol (RTSP)''', "dsf":'''''', "remotefs":'''rfs server''', "openvms-sysipc":'''openvms-sysipc''', "sdnskmp":'''SDNSKMP''', "teedtap":'''TEEDTAP''', "rmonitor":'''rmonitord''', "monitor":'''''', "chshell":'''chcmd''', "nntps":'''nntp protocol over TLS/SSL (was snntp)''', "9pfs":'''plan 9 file service''', "whoami":'''whoami''', "streettalk":'''streettalk''', "banyan-rpc":'''banyan-rpc''', "ms-shuttle":'''microsoft shuttle''', "ms-rome":'''microsoft rome''', "meter":'''demon''', "meter":'''udemon''', "sonar":'''sonar''', "banyan-vip":'''banyan-vip''', "ftp-agent":'''FTP Software Agent System''', "vemmi":'''VEMMI''', "ipcd":'''ipcd''', "vnas":'''vnas''', "ipdd":'''ipdd''', "decbsrv":'''decbsrv''', "sntp-heartbeat":'''SNTP HEARTBEAT''', "bdp":'''Bundle Discovery Protocol''', "scc-security":'''SCC Security''', "philips-vc":'''Philips Video-Conferencing''', "keyserver":'''Key Server''', "password-chg":'''Password Change''', "submission":'''Message Submission''', "cal":'''CAL''', "eyelink":'''EyeLink''', "tns-cml":'''TNS CML''', "http-alt":'''FileMaker, Inc. - HTTP Alternate (see Port 80)''', "eudora-set":'''Eudora Set''', "http-rpc-epmap":'''HTTP RPC Ep Map''', "tpip":'''TPIP''', "cab-protocol":'''CAB Protocol''', "smsd":'''SMSD''', "ptcnameservice":'''PTC Name Service''', "sco-websrvrmg3":'''SCO Web Server Manager 3''', "acp":'''Aeolon Core Protocol''', "ipcserver":'''Sun IPC server''', "syslog-conn":'''Reliable Syslog Service''', "xmlrpc-beep":'''XML-RPC over BEEP''', "idxp":'''IDXP''', "tunnel":'''TUNNEL''', "soap-beep":'''SOAP over BEEP''', "urm":'''Cray Unified Resource Manager''', "nqs":'''nqs''', "sift-uft":'''Sender-Initiated/Unsolicited File Transfer''', "npmp-trap":'''npmp-trap''', "npmp-local":'''npmp-local''', "npmp-gui":'''npmp-gui''', "hmmp-ind":'''HMMP Indication''', "hmmp-op":'''HMMP Operation''', "sshell":'''SSLshell''', "sco-inetmgr":'''Internet Configuration Manager''', "sco-sysmgr":'''SCO System Administration Server''', "sco-dtmgr":'''SCO Desktop Administration Server''', "dei-icda":'''DEI-ICDA''', "compaq-evm":'''Compaq EVM''', "sco-websrvrmgr":'''SCO WebServer Manager''', "escp-ip":'''ESCP''', "collaborator":'''Collaborator''', "oob-ws-http":'''DMTF out-of-band web services management protocol''', "cryptoadmin":'''Crypto Admin''', "dec-dlm":'''DEC DLM IANA assigned this well-formed service name as a replacement for "dec_dlm".''', "dec_dlm":'''DEC DLM''', "asia":'''ASIA''', "passgo-tivoli":'''PassGo Tivoli''', "qmqp":'''QMQP''', "3com-amp3":'''3Com AMP3''', "rda":'''RDA''', "ipp":'''IPP (Internet Printing Protocol)''', "bmpp":'''bmpp''', "servstat":'''Service Status update (Sterling Software)''', "ginad":'''ginad''', "rlzdbase":'''RLZ DBase''', "ldaps":'''ldap protocol over TLS/SSL (was sldap)''', "lanserver":'''lanserver''', "mcns-sec":'''mcns-sec''', "msdp":'''MSDP''', "entrust-sps":'''entrust-sps''', "repcmd":'''repcmd''', "esro-emsdp":'''ESRO-EMSDP V1.3''', "sanity":'''SANity''', "dwr":'''dwr''', "pssc":'''PSSC''', "ldp":'''LDP''', "dhcp-failover":'''DHCP Failover''', "rrp":'''Registry Registrar Protocol (RRP)''', "cadview-3d":'''Cadview-3d - streaming 3d models over the internet''', "obex":'''OBEX''', "ieee-mms":'''IEEE MMS''', "hello-port":'''HELLO_PORT''', "repscmd":'''RepCmd''', "aodv":'''AODV''', "tinc":'''TINC''', "spmp":'''SPMP''', "rmc":'''RMC''', "tenfold":'''TenFold''', "mac-srvr-admin":'''MacOS Server Admin''', "hap":'''HAP''', "pftp":'''PFTP''', "purenoise":'''PureNoise''', "oob-ws-https":'''DMTF out-of-band secure web services management protocol''', "sun-dr":'''Sun DR''', "mdqs":'''''', "doom":'''doom Id Software''', "disclose":'''campaign contribution disclosures - SDR Technologies''', "mecomm":'''MeComm''', "meregister":'''MeRegister''', "vacdsm-sws":'''VACDSM-SWS''', "vacdsm-app":'''VACDSM-APP''', "vpps-qua":'''VPPS-QUA''', "cimplex":'''CIMPLEX''', "acap":'''ACAP''', "dctp":'''DCTP''', "vpps-via":'''VPPS Via''', "vpp":'''Virtual Presence Protocol''', "ggf-ncp":'''GNU Generation Foundation NCP''', "mrm":'''MRM''', "entrust-aaas":'''entrust-aaas''', "entrust-aams":'''entrust-aams''', "xfr":'''XFR''', "corba-iiop":'''CORBA IIOP''', "corba-iiop-ssl":'''CORBA IIOP SSL''', "mdc-portmapper":'''MDC Port Mapper''', "hcp-wismar":'''Hardware Control Protocol Wismar''', "asipregistry":'''asipregistry''', "realm-rusd":'''ApplianceWare managment protocol''', "nmap":'''NMAP''', "vatp":'''Velazquez Application Transfer Protocol''', "msexch-routing":'''MS Exchange Routing''', "hyperwave-isp":'''Hyperwave-ISP''', "connendp":'''almanid Connection Endpoint''', "ha-cluster":'''ha-cluster''', "ieee-mms-ssl":'''IEEE-MMS-SSL''', "rushd":'''RUSHD''', "uuidgen":'''UUIDGEN''', "olsr":'''OLSR''', "accessnetwork":'''Access Network''', "epp":'''Extensible Provisioning Protocol''', "lmp":'''Link Management Protocol (LMP)''', "iris-beep":'''IRIS over BEEP''', "elcsd":'''errlog copy/server daemon''', "agentx":'''AgentX''', "silc":'''SILC''', "borland-dsj":'''Borland DSJ''', "entrust-kmsh":'''Entrust Key Management Service Handler''', "entrust-ash":'''Entrust Administration Service Handler''', "cisco-tdp":'''Cisco TDP''', "tbrpf":'''TBRPF''', "iris-xpc":'''IRIS over XPC''', "iris-xpcs":'''IRIS over XPCS''', "iris-lwz":'''IRIS-LWZ''', "netviewdm1":'''IBM NetView DM/6000 Server/Client''', "netviewdm2":'''IBM NetView DM/6000 send/tcp''', "netviewdm3":'''IBM NetView DM/6000 receive/tcp''', "netgw":'''netGW''', "netrcs":'''Network based Rev. Cont. Sys.''', "flexlm":'''Flexible License Manager''', "fujitsu-dev":'''Fujitsu Device Control''', "ris-cm":'''Russell Info Sci Calendar Manager''', "kerberos-adm":'''kerberos administration''', "rfile":'''''', "pump":'''''', "qrh":'''''', "rrh":'''''', "tell":'''send''', "nlogin":'''''', "con":'''''', "ns":'''''', "rxe":'''''', "quotad":'''''', "cycleserv":'''''', "omserv":'''''', "webster":'''''', "phonebook":'''phone''', "vid":'''''', "cadlock":'''''', "rtip":'''''', "cycleserv2":'''''', "submit":'''''', "rpasswd":'''''', "entomb":'''''', "wpages":'''''', "multiling-http":'''Multiling HTTP''', "wpgs":'''''', "mdbs-daemon":''' IANA assigned this well-formed service name as a replacement for "mdbs_daemon".''', "mdbs_daemon":'''''', "device":'''''', "fcp-udp":'''FCP''', "itm-mcell-s":'''itm-mcell-s''', "pkix-3-ca-ra":'''PKIX-3 CA/RA''', "netconf-ssh":'''NETCONF over SSH''', "netconf-beep":'''NETCONF over BEEP''', "netconfsoaphttp":'''NETCONF for SOAP over HTTPS''', "netconfsoapbeep":'''NETCONF for SOAP over BEEP''', "dhcp-failover2":'''dhcp-failover 2''', "gdoi":'''GDOI''', "iscsi":'''iSCSI''', "owamp-control":'''OWAMP-Control''', "twamp-control":'''Two-way Active Measurement Protocol (TWAMP) Control''', "rsync":'''rsync''', "iclcnet-locate":'''ICL coNETion locate server''', "iclcnet-svinfo":'''ICL coNETion server info IANA assigned this well-formed service name as a replacement for "iclcnet_svinfo".''', "iclcnet_svinfo":'''ICL coNETion server info''', "accessbuilder":'''AccessBuilder''', "cddbp":'''CD Database Protocol''', "omginitialrefs":'''OMG Initial Refs''', "smpnameres":'''SMPNAMERES''', "ideafarm-door":'''self documenting Telnet Door''', "ideafarm-panic":'''self documenting Telnet Panic Door''', "kink":'''Kerberized Internet Negotiation of Keys (KINK)''', "xact-backup":'''xact-backup''', "apex-mesh":'''APEX relay-relay service''', "apex-edge":'''APEX endpoint-relay service''', "ftps-data":'''ftp protocol, data, over TLS/SSL''', "ftps":'''ftp protocol, control, over TLS/SSL''', "nas":'''Netnews Administration System''', "telnets":'''telnet protocol over TLS/SSL''', "imaps":'''imap4 protocol over TLS/SSL''', "pop3s":'''pop3 protocol over TLS/SSL (was spop3)''', "vsinet":'''vsinet''', "maitrd":'''''', "busboy":'''''', "garcon":'''''', "puprouter":'''''', "cadlock2":'''''', "surf":'''surf''', "exp1":'''RFC3692-style Experiment 1''', "exp2":'''RFC3692-style Experiment 2''', "blackjack":'''network blackjack''', "cap":'''Calendar Access Protocol''', "solid-mux":'''Solid Mux Server''', "iad1":'''BBN IAD''', "iad2":'''BBN IAD''', "iad3":'''BBN IAD''', "netinfo-local":'''local netinfo port''', "activesync":'''ActiveSync Notifications''', "mxxrlogin":'''MX-XR RPC''', "nsstp":'''Nebula Secure Segment Transfer Protocol''', "ams":'''AMS''', "mtqp":'''Message Tracking Query Protocol''', "sbl":'''Streamlined Blackhole''', "netarx":'''Netarx Netcare''', "danf-ak2":'''AK2 Product''', "afrog":'''Subnet Roaming''', "boinc-client":'''BOINC Client Control''', "dcutility":'''Dev Consortium Utility''', "fpitp":'''Fingerprint Image Transfer Protocol''', "wfremotertm":'''WebFilter Remote Monitor''', "neod1":'''Sun's NEO Object Request Broker''', "neod2":'''Sun's NEO Object Request Broker''', "td-postman":'''Tobit David Postman VPMN''', "cma":'''CORBA Management Agent''', "optima-vnet":'''Optima VNET''', "ddt":'''Dynamic DNS Tools''', "remote-as":'''Remote Assistant (RA)''', "brvread":'''BRVREAD''', "ansyslmd":'''ANSYS - License Manager''', "vfo":'''VFO''', "startron":'''STARTRON''', "nim":'''nim''', "nimreg":'''nimreg''', "polestar":'''POLESTAR''', "kiosk":'''KIOSK''', "veracity":'''Veracity''', "kyoceranetdev":'''KyoceraNetDev''', "jstel":'''JSTEL''', "syscomlan":'''SYSCOMLAN''', "fpo-fns":'''FPO-FNS''', "instl-boots":'''Installation Bootstrap Proto. Serv. IANA assigned this well-formed service name as a replacement for "instl_boots".''', "instl_boots":'''Installation Bootstrap Proto. Serv.''', "instl-bootc":'''Installation Bootstrap Proto. Cli. IANA assigned this well-formed service name as a replacement for "instl_bootc".''', "instl_bootc":'''Installation Bootstrap Proto. Cli.''', "cognex-insight":'''COGNEX-INSIGHT''', "gmrupdateserv":'''GMRUpdateSERV''', "bsquare-voip":'''BSQUARE-VOIP''', "cardax":'''CARDAX''', "bridgecontrol":'''Bridge Control''', "warmspotMgmt":'''Warmspot Management Protocol''', "rdrmshc":'''RDRMSHC''', "dab-sti-c":'''DAB STI-C''', "imgames":'''IMGames''', "avocent-proxy":'''Avocent Proxy Protocol''', "asprovatalk":'''ASPROVATalk''', "socks":'''Socks''', "pvuniwien":'''PVUNIWIEN''', "amt-esd-prot":'''AMT-ESD-PROT''', "ansoft-lm-1":'''Anasoft License Manager''', "ansoft-lm-2":'''Anasoft License Manager''', "webobjects":'''Web Objects''', "cplscrambler-lg":'''CPL Scrambler Logging''', "cplscrambler-in":'''CPL Scrambler Internal''', "cplscrambler-al":'''CPL Scrambler Alarm Log''', "ff-annunc":'''FF Annunciation''', "ff-fms":'''FF Fieldbus Message Specification''', "ff-sm":'''FF System Management''', "obrpd":'''Open Business Reporting Protocol''', "proofd":'''PROOFD''', "rootd":'''ROOTD''', "nicelink":'''NICELink''', "cnrprotocol":'''Common Name Resolution Protocol''', "sunclustermgr":'''Sun Cluster Manager''', "rmiactivation":'''RMI Activation''', "rmiregistry":'''RMI Registry''', "mctp":'''MCTP''', "pt2-discover":'''PT2-DISCOVER''', "adobeserver-1":'''ADOBE SERVER 1''', "adobeserver-2":'''ADOBE SERVER 2''', "xrl":'''XRL''', "ftranhc":'''FTRANHC''', "isoipsigport-1":'''ISOIPSIGPORT-1''', "isoipsigport-2":'''ISOIPSIGPORT-2''', "ratio-adp":'''ratio-adp''', "webadmstart":'''Start web admin server''', "lmsocialserver":'''LM Social Server''', "icp":'''Intelligent Communication Protocol''', "ltp-deepspace":'''Licklider Transmission Protocol''', "mini-sql":'''Mini SQL''', "ardus-trns":'''ARDUS Transfer''', "ardus-cntl":'''ARDUS Control''', "ardus-mtrns":'''ARDUS Multicast Transfer''', "sacred":'''SACRED''', "bnetgame":'''Battle.net Chat/Game Protocol''', "bnetfile":'''Battle.net File Transfer Protocol''', "rmpp":'''Datalode RMPP''', "availant-mgr":'''availant-mgr''', "murray":'''Murray''', "hpvmmcontrol":'''HP VMM Control''', "hpvmmagent":'''HP VMM Agent''', "hpvmmdata":'''HP VMM Agent''', "kwdb-commn":'''KWDB Remote Communication''', "saphostctrl":'''SAPHostControl over SOAP/HTTP''', "saphostctrls":'''SAPHostControl over SOAP/HTTPS''', "casp":'''CAC App Service Protocol''', "caspssl":'''CAC App Service Protocol Encripted''', "kvm-via-ip":'''KVM-via-IP Management Service''', "dfn":'''Data Flow Network''', "aplx":'''MicroAPL APLX''', "omnivision":'''OmniVision Communication Service''', "hhb-gateway":'''HHB Gateway Control''', "trim":'''TRIM Workgroup Service''', "encrypted-admin":'''encrypted admin requests IANA assigned this well-formed service name as a replacement for "encrypted_admin".''', "encrypted_admin":'''encrypted admin requests''', "evm":'''Enterprise Virtual Manager''', "autonoc":'''AutoNOC Network Operations Protocol''', "mxomss":'''User Message Service''', "edtools":'''User Discovery Service''', "imyx":'''Infomatryx Exchange''', "fuscript":'''Fusion Script''', "x9-icue":'''X9 iCue Show Control''', "audit-transfer":'''audit transfer''', "capioverlan":'''CAPIoverLAN''', "elfiq-repl":'''Elfiq Replication Service''', "bvtsonar":'''BVT Sonar Service''', "blaze":'''Blaze File Server''', "unizensus":'''Unizensus Login Server''', "winpoplanmess":'''Winpopup LAN Messenger''', "c1222-acse":'''ANSI C12.22 Port''', "resacommunity":'''Community Service''', "nfa":'''Network File Access''', "iascontrol-oms":'''iasControl OMS''', "iascontrol":'''Oracle iASControl''', "dbcontrol-oms":'''dbControl OMS''', "oracle-oms":'''Oracle OMS''', "olsv":'''DB Lite Mult-User Server''', "health-polling":'''Health Polling''', "health-trap":'''Health Trap''', "sddp":'''SmartDialer Data Protocol''', "qsm-proxy":'''QSM Proxy Service''', "qsm-gui":'''QSM GUI Service''', "qsm-remote":'''QSM RemoteExec''', "cisco-ipsla":'''Cisco IP SLAs Control Protocol''', "vchat":'''VChat Conference Service''', "tripwire":'''TRIPWIRE''', "atc-lm":'''AT+C License Manager''', "atc-appserver":'''AT+C FmiApplicationServer''', "dnap":'''DNA Protocol''', "d-cinema-rrp":'''D-Cinema Request-Response''', "fnet-remote-ui":'''FlashNet Remote Admin''', "dossier":'''Dossier Server''', "indigo-server":'''Indigo Home Server''', "dkmessenger":'''DKMessenger Protocol''', "sgi-storman":'''SGI Storage Manager''', "b2n":'''Backup To Neighbor''', "mc-client":'''Millicent Client Proxy''', "3comnetman":'''3Com Net Management''', "accelenet":'''AcceleNet Control''', "llsurfup-http":'''LL Surfup HTTP''', "llsurfup-https":'''LL Surfup HTTPS''', "catchpole":'''Catchpole port''', "mysql-cluster":'''MySQL Cluster Manager''', "alias":'''Alias Service''', "hp-webadmin":'''HP Web Admin''', "unet":'''Unet Connection''', "commlinx-avl":'''CommLinx GPS / AVL System''', "gpfs":'''General Parallel File System''', "caids-sensor":'''caids sensors channel''', "fiveacross":'''Five Across Server''', "openvpn":'''OpenVPN''', "rsf-1":'''RSF-1 clustering''', "netmagic":'''Network Magic''', "carrius-rshell":'''Carrius Remote Access''', "cajo-discovery":'''cajo reference discovery''', "dmidi":'''DMIDI''', "scol":'''SCOL''', "nucleus-sand":'''Nucleus Sand Database Server''', "caiccipc":'''caiccipc''', "ssslic-mgr":'''License Validation''', "ssslog-mgr":'''Log Request Listener''', "accord-mgc":'''Accord-MGC''', "anthony-data":'''Anthony Data''', "metasage":'''MetaSage''', "seagull-ais":'''SEAGULL AIS''', "ipcd3":'''IPCD3''', "eoss":'''EOSS''', "groove-dpp":'''Groove DPP''', "lupa":'''lupa''', "mpc-lifenet":'''MPC LIFENET''', "kazaa":'''KAZAA''', "scanstat-1":'''scanSTAT 1.0''', "etebac5":'''ETEBAC 5''', "hpss-ndapi":'''HPSS NonDCE Gateway''', "aeroflight-ads":'''AeroFlight-ADs''', "aeroflight-ret":'''AeroFlight-Ret''', "qt-serveradmin":'''QT SERVER ADMIN''', "sweetware-apps":'''SweetWARE Apps''', "nerv":'''SNI R&D network''', "tgp":'''TrulyGlobal Protocol''', "vpnz":'''VPNz''', "slinkysearch":'''SLINKYSEARCH''', "stgxfws":'''STGXFWS''', "dns2go":'''DNS2Go''', "florence":'''FLORENCE''', "zented":'''ZENworks Tiered Electronic Distribution''', "periscope":'''Periscope''', "menandmice-lpm":'''menandmice-lpm''', "univ-appserver":'''Universal App Server''', "search-agent":'''Infoseek Search Agent''', "mosaicsyssvc1":'''mosaicsyssvc1''', "bvcontrol":'''bvcontrol''', "tsdos390":'''tsdos390''', "hacl-qs":'''hacl-qs''', "nmsd":'''NMSD''', "instantia":'''Instantia''', "nessus":'''nessus''', "nmasoverip":'''NMAS over IP''', "serialgateway":'''SerialGateway''', "isbconference1":'''isbconference1''', "isbconference2":'''isbconference2''', "payrouter":'''payrouter''', "visionpyramid":'''VisionPyramid''', "hermes":'''hermes''', "mesavistaco":'''Mesa Vista Co''', "swldy-sias":'''swldy-sias''', "servergraph":'''servergraph''', "bspne-pcc":'''bspne-pcc''', "q55-pcc":'''q55-pcc''', "de-noc":'''de-noc''', "de-cache-query":'''de-cache-query''', "de-server":'''de-server''', "shockwave2":'''Shockwave 2''', "opennl":'''Open Network Library''', "opennl-voice":'''Open Network Library Voice''', "ibm-ssd":'''ibm-ssd''', "mpshrsv":'''mpshrsv''', "qnts-orb":'''QNTS-ORB''', "dka":'''dka''', "prat":'''PRAT''', "dssiapi":'''DSSIAPI''', "dellpwrappks":'''DELLPWRAPPKS''', "epc":'''eTrust Policy Compliance''', "propel-msgsys":'''PROPEL-MSGSYS''', "watilapp":'''WATiLaPP''', "opsmgr":'''Microsoft Operations Manager''', "excw":'''eXcW''', "cspmlockmgr":'''CSPMLockMgr''', "emc-gateway":'''EMC-Gateway''', "t1distproc":'''t1distproc''', "ivcollector":'''ivcollector''', "ivmanager":'''ivmanager''', "miva-mqs":'''mqs''', "dellwebadmin-1":'''Dell Web Admin 1''', "dellwebadmin-2":'''Dell Web Admin 2''', "pictrography":'''Pictrography''', "healthd":'''healthd''', "emperion":'''Emperion''', "productinfo":'''Product Information''', "iee-qfx":'''IEE-QFX''', "neoiface":'''neoiface''', "netuitive":'''netuitive''', "routematch":'''RouteMatch Com''', "navbuddy":'''NavBuddy''', "jwalkserver":'''JWalkServer''', "winjaserver":'''WinJaServer''', "seagulllms":'''SEAGULLLMS''', "dsdn":'''dsdn''', "pkt-krb-ipsec":'''PKT-KRB-IPSec''', "cmmdriver":'''CMMdriver''', "ehtp":'''End-by-Hop Transmission Protocol''', "dproxy":'''dproxy''', "sdproxy":'''sdproxy''', "lpcp":'''lpcp''', "hp-sci":'''hp-sci''', "h323hostcallsc":'''H323 Host Call Secure''', "ci3-software-1":'''CI3-Software-1''', "ci3-software-2":'''CI3-Software-2''', "sftsrv":'''sftsrv''', "boomerang":'''Boomerang''', "pe-mike":'''pe-mike''', "re-conn-proto":'''RE-Conn-Proto''', "pacmand":'''Pacmand''', "odsi":'''Optical Domain Service Interconnect (ODSI)''', "jtag-server":'''JTAG server''', "husky":'''Husky''', "rxmon":'''RxMon''', "sti-envision":'''STI Envision''', "bmc-patroldb":'''BMC_PATROLDB IANA assigned this well-formed service name as a replacement for "bmc_patroldb".''', "bmc_patroldb":'''BMC_PATROLDB''', "pdps":'''Photoscript Distributed Printing System''', "els":'''E.L.S., Event Listener Service''', "exbit-escp":'''Exbit-ESCP''', "vrts-ipcserver":'''vrts-ipcserver''', "krb5gatekeeper":'''krb5gatekeeper''', "amx-icsp":'''AMX-ICSP''', "amx-axbnet":'''AMX-AXBNET''', "pip":'''PIP''', "novation":'''Novation''', "brcd":'''brcd''', "delta-mcp":'''delta-mcp''', "dx-instrument":'''DX-Instrument''', "wimsic":'''WIMSIC''', "ultrex":'''Ultrex''', "ewall":'''EWALL''', "netdb-export":'''netdb-export''', "streetperfect":'''StreetPerfect''', "intersan":'''intersan''', "pcia-rxp-b":'''PCIA RXP-B''', "passwrd-policy":'''Password Policy''', "writesrv":'''writesrv''', "digital-notary":'''Digital Notary Protocol''', "ischat":'''Instant Service Chat''', "menandmice-dns":'''menandmice DNS''', "wmc-log-svc":'''WMC-log-svr''', "kjtsiteserver":'''kjtsiteserver''', "naap":'''NAAP''', "qubes":'''QuBES''', "esbroker":'''ESBroker''', "re101":'''re101''', "icap":'''ICAP''', "vpjp":'''VPJP''', "alta-ana-lm":'''Alta Analytics License Manager''', "bbn-mmc":'''multi media conferencing''', "bbn-mmx":'''multi media conferencing''', "sbook":'''Registration Network Protocol''', "editbench":'''Registration Network Protocol''', "equationbuilder":'''Digital Tool Works (MIT)''', "lotusnote":'''Lotus Note''', "relief":'''Relief Consulting''', "XSIP-network":'''Five Across XSIP Network''', "intuitive-edge":'''Intuitive Edge''', "cuillamartin":'''CuillaMartin Company''', "pegboard":'''Electronic PegBoard''', "connlcli":'''CONNLCLI''', "ftsrv":'''FTSRV''', "mimer":'''MIMER''', "linx":'''LinX''', "timeflies":'''TimeFlies''', "ndm-requester":'''Network DataMover Requester''', "ndm-server":'''Network DataMover Server''', "adapt-sna":'''Network Software Associates''', "netware-csp":'''Novell NetWare Comm Service Platform''', "dcs":'''DCS''', "screencast":'''ScreenCast''', "gv-us":'''GlobalView to Unix Shell''', "us-gv":'''Unix Shell to GlobalView''', "fc-cli":'''Fujitsu Config Protocol''', "fc-ser":'''Fujitsu Config Protocol''', "chromagrafx":'''Chromagrafx''', "molly":'''EPI Software Systems''', "bytex":'''Bytex''', "ibm-pps":'''IBM Person to Person Software''', "cichlid":'''Cichlid License Manager''', "elan":'''Elan License Manager''', "dbreporter":'''Integrity Solutions''', "telesis-licman":'''Telesis Network License Manager''', "apple-licman":'''Apple Network License Manager''', "udt-os":'''udt_os IANA assigned this well-formed service name as a replacement for "udt_os".''', "udt_os":'''udt_os''', "gwha":'''GW Hannaway Network License Manager''', "os-licman":'''Objective Solutions License Manager''', "atex-elmd":'''Atex Publishing License Manager IANA assigned this well-formed service name as a replacement for "atex_elmd".''', "atex_elmd":'''Atex Publishing License Manager''', "checksum":'''CheckSum License Manager''', "cadsi-lm":'''Computer Aided Design Software Inc LM''', "objective-dbc":'''Objective Solutions DataBase Cache''', "iclpv-dm":'''Document Manager''', "iclpv-sc":'''Storage Controller''', "iclpv-sas":'''Storage Access Server''', "iclpv-pm":'''Print Manager''', "iclpv-nls":'''Network Log Server''', "iclpv-nlc":'''Network Log Client''', "iclpv-wsm":'''PC Workstation Manager software''', "dvl-activemail":'''DVL Active Mail''', "audio-activmail":'''Audio Active Mail''', "video-activmail":'''Video Active Mail''', "cadkey-licman":'''Cadkey License Manager''', "cadkey-tablet":'''Cadkey Tablet Daemon''', "goldleaf-licman":'''Goldleaf License Manager''', "prm-sm-np":'''Prospero Resource Manager''', "prm-nm-np":'''Prospero Resource Manager''', "igi-lm":'''Infinite Graphics License Manager''', "ibm-res":'''IBM Remote Execution Starter''', "netlabs-lm":'''NetLabs License Manager''', "dbsa-lm":'''DBSA License Manager''', "sophia-lm":'''Sophia License Manager''', "here-lm":'''Here License Manager''', "hiq":'''HiQ License Manager''', "af":'''AudioFile''', "innosys":'''InnoSys''', "innosys-acl":'''Innosys-ACL''', "ibm-mqseries":'''IBM MQSeries''', "dbstar":'''DBStar''', "novell-lu6-2":'''Novell LU6.2 IANA assigned this well-formed service name as a replacement for "novell-lu6.2".''', "novell-lu6.2":'''Novell LU6.2''', "timbuktu-srv1":'''Timbuktu Service 1 Port''', "timbuktu-srv2":'''Timbuktu Service 2 Port''', "timbuktu-srv3":'''Timbuktu Service 3 Port''', "timbuktu-srv4":'''Timbuktu Service 4 Port''', "gandalf-lm":'''Gandalf License Manager''', "autodesk-lm":'''Autodesk License Manager''', "essbase":'''Essbase Arbor Software''', "hybrid":'''Hybrid Encryption Protocol''', "zion-lm":'''Zion Software License Manager''', "sais":'''Satellite-data Acquisition System 1''', "mloadd":'''mloadd monitoring tool''', "informatik-lm":'''Informatik License Manager''', "nms":'''Hypercom NMS''', "tpdu":'''Hypercom TPDU''', "rgtp":'''Reverse Gossip Transport''', "blueberry-lm":'''Blueberry Software License Manager''', "ms-sql-s":'''Microsoft-SQL-Server''', "ms-sql-m":'''Microsoft-SQL-Monitor''', "ibm-cics":'''IBM CICS''', "saism":'''Satellite-data Acquisition System 2''', "tabula":'''Tabula''', "eicon-server":'''Eicon Security Agent/Server''', "eicon-x25":'''Eicon X25/SNA Gateway''', "eicon-slp":'''Eicon Service Location Protocol''', "cadis-1":'''Cadis License Management''', "cadis-2":'''Cadis License Management''', "ies-lm":'''Integrated Engineering Software''', "marcam-lm":'''Marcam License Management''', "proxima-lm":'''Proxima License Manager''', "ora-lm":'''Optical Research Associates License Manager''', "apri-lm":'''Applied Parallel Research LM''', "oc-lm":'''OpenConnect License Manager''', "peport":'''PEport''', "dwf":'''Tandem Distributed Workbench Facility''', "infoman":'''IBM Information Management''', "gtegsc-lm":'''GTE Government Systems License Man''', "genie-lm":'''Genie License Manager''', "interhdl-elmd":'''interHDL License Manager IANA assigned this well-formed service name as a replacement for "interhdl_elmd".''', "interhdl_elmd":'''interHDL License Manager''', "esl-lm":'''ESL License Manager''', "dca":'''DCA''', "valisys-lm":'''Valisys License Manager''', "nrcabq-lm":'''Nichols Research Corp.''', "proshare1":'''Proshare Notebook Application''', "proshare2":'''Proshare Notebook Application''', "ibm-wrless-lan":'''IBM Wireless LAN IANA assigned this well-formed service name as a replacement for "ibm_wrless_lan".''', "ibm_wrless_lan":'''IBM Wireless LAN''', "world-lm":'''World License Manager''', "nucleus":'''Nucleus''', "msl-lmd":'''MSL License Manager IANA assigned this well-formed service name as a replacement for "msl_lmd".''', "msl_lmd":'''MSL License Manager''', "pipes":'''Pipes Platform''', "oceansoft-lm":'''Ocean Software License Manager''', "csdmbase":'''CSDMBASE''', "csdm":'''CSDM''', "aal-lm":'''Active Analysis Limited License Manager''', "uaiact":'''Universal Analytics''', "csdmbase":'''csdmbase''', "csdm":'''csdm''', "openmath":'''OpenMath''', "telefinder":'''Telefinder''', "taligent-lm":'''Taligent License Manager''', "clvm-cfg":'''clvm-cfg''', "ms-sna-server":'''ms-sna-server''', "ms-sna-base":'''ms-sna-base''', "dberegister":'''dberegister''', "pacerforum":'''PacerForum''', "airs":'''AIRS''', "miteksys-lm":'''Miteksys License Manager''', "afs":'''AFS License Manager''', "confluent":'''Confluent License Manager''', "lansource":'''LANSource''', "nms-topo-serv":'''nms_topo_serv IANA assigned this well-formed service name as a replacement for "nms_topo_serv".''', "nms_topo_serv":'''nms_topo_serv''', "localinfosrvr":'''LocalInfoSrvr''', "docstor":'''DocStor''', "dmdocbroker":'''dmdocbroker''', "insitu-conf":'''insitu-conf''', "stone-design-1":'''stone-design-1''', "netmap-lm":'''netmap_lm IANA assigned this well-formed service name as a replacement for "netmap_lm".''', "netmap_lm":'''netmap_lm''', "ica":'''ica''', "cvc":'''cvc''', "liberty-lm":'''liberty-lm''', "rfx-lm":'''rfx-lm''', "sybase-sqlany":'''Sybase SQL Any''', "fhc":'''Federico Heinz Consultora''', "vlsi-lm":'''VLSI License Manager''', "saiscm":'''Satellite-data Acquisition System 3''', "shivadiscovery":'''Shiva''', "imtc-mcs":'''Databeam''', "evb-elm":'''EVB Software Engineering License Manager''', "funkproxy":'''Funk Software, Inc.''', "utcd":'''Universal Time daemon (utcd)''', "symplex":'''symplex''', "diagmond":'''diagmond''', "robcad-lm":'''Robcad, Ltd. License Manager''', "mvx-lm":'''Midland Valley Exploration Ltd. Lic. Man.''', "3l-l1":'''3l-l1''', "wins":'''Microsoft's Windows Internet Name Service''', "fujitsu-dtc":'''Fujitsu Systems Business of America, Inc''', "fujitsu-dtcns":'''Fujitsu Systems Business of America, Inc''', "ifor-protocol":'''ifor-protocol''', "vpad":'''Virtual Places Audio data''', "vpac":'''Virtual Places Audio control''', "vpvd":'''Virtual Places Video data''', "vpvc":'''Virtual Places Video control''', "atm-zip-office":'''atm zip office''', "ncube-lm":'''nCube License Manager''', "ricardo-lm":'''Ricardo North America License Manager''', "cichild-lm":'''cichild''', "ingreslock":'''ingres''', "orasrv":'''oracle''', "prospero-np":'''Prospero Directory Service non-priv''', "pdap-np":'''Prospero Data Access Prot non-priv''', "tlisrv":'''oracle''', "coauthor":'''oracle''', "rap-service":'''rap-service''', "rap-listen":'''rap-listen''', "miroconnect":'''miroconnect''', "virtual-places":'''Virtual Places Software''', "micromuse-lm":'''micromuse-lm''', "ampr-info":'''ampr-info''', "ampr-inter":'''ampr-inter''', "sdsc-lm":'''isi-lm''', "3ds-lm":'''3ds-lm''', "intellistor-lm":'''Intellistor License Manager''', "rds":'''rds''', "rds2":'''rds2''', "gridgen-elmd":'''gridgen-elmd''', "simba-cs":'''simba-cs''', "aspeclmd":'''aspeclmd''', "vistium-share":'''vistium-share''', "abbaccuray":'''abbaccuray''', "laplink":'''laplink''', "axon-lm":'''Axon License Manager''', "shivahose":'''Shiva Hose''', "3m-image-lm":'''Image Storage license manager 3M Company''', "hecmtl-db":'''HECMTL-DB''', "pciarray":'''pciarray''', "sna-cs":'''sna-cs''', "caci-lm":'''CACI Products Company License Manager''', "livelan":'''livelan''', "veritas-pbx":'''VERITAS Private Branch Exchange IANA assigned this well-formed service name as a replacement for "veritas_pbx".''', "veritas_pbx":'''VERITAS Private Branch Exchange''', "arbortext-lm":'''ArborText License Manager''', "xingmpeg":'''xingmpeg''', "web2host":'''web2host''', "asci-val":'''ASCI-RemoteSHADOW''', "facilityview":'''facilityview''', "pconnectmgr":'''pconnectmgr''', "cadabra-lm":'''Cadabra License Manager''', "pay-per-view":'''Pay-Per-View''', "winddlb":'''WinDD''', "corelvideo":'''CORELVIDEO''', "jlicelmd":'''jlicelmd''', "tsspmap":'''tsspmap''', "ets":'''ets''', "orbixd":'''orbixd''', "rdb-dbs-disp":'''Oracle Remote Data Base''', "chip-lm":'''Chipcom License Manager''', "itscomm-ns":'''itscomm-ns''', "mvel-lm":'''mvel-lm''', "oraclenames":'''oraclenames''', "moldflow-lm":'''Moldflow License Manager''', "hypercube-lm":'''hypercube-lm''', "jacobus-lm":'''Jacobus License Manager''', "ioc-sea-lm":'''ioc-sea-lm''', "tn-tl-r1":'''tn-tl-r1''', "mil-2045-47001":'''MIL-2045-47001''', "msims":'''MSIMS''', "simbaexpress":'''simbaexpress''', "tn-tl-fd2":'''tn-tl-fd2''', "intv":'''intv''', "ibm-abtact":'''ibm-abtact''', "pra-elmd":'''pra_elmd IANA assigned this well-formed service name as a replacement for "pra_elmd".''', "pra_elmd":'''pra_elmd''', "triquest-lm":'''triquest-lm''', "vqp":'''VQP''', "gemini-lm":'''gemini-lm''', "ncpm-pm":'''ncpm-pm''', "commonspace":'''commonspace''', "mainsoft-lm":'''mainsoft-lm''', "sixtrak":'''sixtrak''', "radio":'''radio''', "radio-sm":'''radio-sm''', "orbplus-iiop":'''orbplus-iiop''', "picknfs":'''picknfs''', "simbaservices":'''simbaservices''', "issd":'''issd''', "aas":'''aas''', "inspect":'''inspect''', "picodbc":'''pickodbc''', "icabrowser":'''icabrowser''', "slp":'''Salutation Manager (Salutation Protocol)''', "slm-api":'''Salutation Manager (SLM-API)''', "stt":'''stt''', "smart-lm":'''Smart Corp. License Manager''', "isysg-lm":'''isysg-lm''', "taurus-wh":'''taurus-wh''', "ill":'''Inter Library Loan''', "netbill-trans":'''NetBill Transaction Server''', "netbill-keyrep":'''NetBill Key Repository''', "netbill-cred":'''NetBill Credential Server''', "netbill-auth":'''NetBill Authorization Server''', "netbill-prod":'''NetBill Product Server''', "nimrod-agent":'''Nimrod Inter-Agent Communication''', "skytelnet":'''skytelnet''', "xs-openstorage":'''xs-openstorage''', "faxportwinport":'''faxportwinport''', "softdataphone":'''softdataphone''', "ontime":'''ontime''', "jaleosnd":'''jaleosnd''', "udp-sr-port":'''udp-sr-port''', "svs-omagent":'''svs-omagent''', "shockwave":'''Shockwave''', "t128-gateway":'''T.128 Gateway''', "lontalk-norm":'''LonTalk normal''', "lontalk-urgnt":'''LonTalk urgent''', "oraclenet8cman":'''Oracle Net8 Cman''', "visitview":'''Visit view''', "pammratc":'''PAMMRATC''', "pammrpc":'''PAMMRPC''', "loaprobe":'''Log On America Probe''', "edb-server1":'''EDB Server 1''', "isdc":'''ISP shared public data control''', "islc":'''ISP shared local data control''', "ismc":'''ISP shared management control''', "cert-initiator":'''cert-initiator''', "cert-responder":'''cert-responder''', "invision":'''InVision''', "isis-am":'''isis-am''', "isis-ambc":'''isis-ambc''', "saiseh":'''Satellite-data Acquisition System 4''', "sightline":'''SightLine''', "sa-msg-port":'''sa-msg-port''', "rsap":'''rsap''', "concurrent-lm":'''concurrent-lm''', "kermit":'''kermit''', "nkd":'''nkdn''', "shiva-confsrvr":'''shiva_confsrvr IANA assigned this well-formed service name as a replacement for "shiva_confsrvr".''', "shiva_confsrvr":'''shiva_confsrvr''', "xnmp":'''xnmp''', "alphatech-lm":'''alphatech-lm''', "stargatealerts":'''stargatealerts''', "dec-mbadmin":'''dec-mbadmin''', "dec-mbadmin-h":'''dec-mbadmin-h''', "fujitsu-mmpdc":'''fujitsu-mmpdc''', "sixnetudr":'''sixnetudr''', "sg-lm":'''Silicon Grail License Manager''', "skip-mc-gikreq":'''skip-mc-gikreq''', "netview-aix-1":'''netview-aix-1''', "netview-aix-2":'''netview-aix-2''', "netview-aix-3":'''netview-aix-3''', "netview-aix-4":'''netview-aix-4''', "netview-aix-5":'''netview-aix-5''', "netview-aix-6":'''netview-aix-6''', "netview-aix-7":'''netview-aix-7''', "netview-aix-8":'''netview-aix-8''', "netview-aix-9":'''netview-aix-9''', "netview-aix-10":'''netview-aix-10''', "netview-aix-11":'''netview-aix-11''', "netview-aix-12":'''netview-aix-12''', "proshare-mc-1":'''Intel Proshare Multicast''', "proshare-mc-2":'''Intel Proshare Multicast''', "pdp":'''Pacific Data Products''', "netcomm1":'''netcomm1''', "groupwise":'''groupwise''', "prolink":'''prolink''', "darcorp-lm":'''darcorp-lm''', "microcom-sbp":'''microcom-sbp''', "sd-elmd":'''sd-elmd''', "lanyon-lantern":'''lanyon-lantern''', "ncpm-hip":'''ncpm-hip''', "snaresecure":'''SnareSecure''', "n2nremote":'''n2nremote''', "cvmon":'''cvmon''', "nsjtp-ctrl":'''nsjtp-ctrl''', "nsjtp-data":'''nsjtp-data''', "firefox":'''firefox''', "ng-umds":'''ng-umds''', "empire-empuma":'''empire-empuma''', "sstsys-lm":'''sstsys-lm''', "rrirtr":'''rrirtr''', "rrimwm":'''rrimwm''', "rrilwm":'''rrilwm''', "rrifmm":'''rrifmm''', "rrisat":'''rrisat''', "rsvp-encap-1":'''RSVP-ENCAPSULATION-1''', "rsvp-encap-2":'''RSVP-ENCAPSULATION-2''', "mps-raft":'''mps-raft''', "l2f":'''l2f''', "l2tp":'''l2tp''', "deskshare":'''deskshare''', "hb-engine":'''hb-engine''', "bcs-broker":'''bcs-broker''', "slingshot":'''slingshot''', "jetform":'''jetform''', "vdmplay":'''vdmplay''', "gat-lmd":'''gat-lmd''', "centra":'''centra''', "impera":'''impera''', "pptconference":'''pptconference''', "registrar":'''resource monitoring service''', "conferencetalk":'''ConferenceTalk''', "sesi-lm":'''sesi-lm''', "houdini-lm":'''houdini-lm''', "xmsg":'''xmsg''', "fj-hdnet":'''fj-hdnet''', "h323gatedisc":'''h323gatedisc''', "h323gatestat":'''h323gatestat''', "h323hostcall":'''h323hostcall''', "caicci":'''caicci''', "hks-lm":'''HKS License Manager''', "pptp":'''pptp''', "csbphonemaster":'''csbphonemaster''', "iden-ralp":'''iden-ralp''', "iberiagames":'''IBERIAGAMES''', "winddx":'''winddx''', "telindus":'''TELINDUS''', "citynl":'''CityNL License Management''', "roketz":'''roketz''', "msiccp":'''MSICCP''', "proxim":'''proxim''', "siipat":'''SIMS - SIIPAT Protocol for Alarm Transmission''', "cambertx-lm":'''Camber Corporation License Management''', "privatechat":'''PrivateChat''', "street-stream":'''street-stream''', "ultimad":'''ultimad''', "gamegen1":'''GameGen1''', "webaccess":'''webaccess''', "encore":'''encore''', "cisco-net-mgmt":'''cisco-net-mgmt''', "3Com-nsd":'''3Com-nsd''', "cinegrfx-lm":'''Cinema Graphics License Manager''', "ncpm-ft":'''ncpm-ft''', "remote-winsock":'''remote-winsock''', "ftrapid-1":'''ftrapid-1''', "ftrapid-2":'''ftrapid-2''', "oracle-em1":'''oracle-em1''', "aspen-services":'''aspen-services''', "sslp":'''Simple Socket Library's PortMaster''', "swiftnet":'''SwiftNet''', "lofr-lm":'''Leap of Faith Research License Manager''', "predatar-comms":'''Predatar Comms Service''', "oracle-em2":'''oracle-em2''', "ms-streaming":'''ms-streaming''', "capfast-lmd":'''capfast-lmd''', "cnhrp":'''cnhrp''', "tftp-mcast":'''tftp-mcast''', "spss-lm":'''SPSS License Manager''', "www-ldap-gw":'''www-ldap-gw''', "cft-0":'''cft-0''', "cft-1":'''cft-1''', "cft-2":'''cft-2''', "cft-3":'''cft-3''', "cft-4":'''cft-4''', "cft-5":'''cft-5''', "cft-6":'''cft-6''', "cft-7":'''cft-7''', "bmc-net-adm":'''bmc-net-adm''', "bmc-net-svc":'''bmc-net-svc''', "vaultbase":'''vaultbase''', "essweb-gw":'''EssWeb Gateway''', "kmscontrol":'''KMSControl''', "global-dtserv":'''global-dtserv''', "femis":'''Federal Emergency Management Information System''', "powerguardian":'''powerguardian''', "prodigy-intrnet":'''prodigy-internet''', "pharmasoft":'''pharmasoft''', "dpkeyserv":'''dpkeyserv''', "answersoft-lm":'''answersoft-lm''', "hp-hcip":'''hp-hcip''', "finle-lm":'''Finle License Manager''', "windlm":'''Wind River Systems License Manager''', "funk-logger":'''funk-logger''', "funk-license":'''funk-license''', "psmond":'''psmond''', "hello":'''hello''', "nmsp":'''Narrative Media Streaming Protocol''', "ea1":'''EA1''', "ibm-dt-2":'''ibm-dt-2''', "rsc-robot":'''rsc-robot''', "cera-bcm":'''cera-bcm''', "dpi-proxy":'''dpi-proxy''', "vocaltec-admin":'''Vocaltec Server Administration''', "uma":'''UMA''', "etp":'''Event Transfer Protocol''', "netrisk":'''NETRISK''', "ansys-lm":'''ANSYS-License manager''', "msmq":'''Microsoft Message Que''', "concomp1":'''ConComp1''', "hp-hcip-gwy":'''HP-HCIP-GWY''', "enl":'''ENL''', "enl-name":'''ENL-Name''', "musiconline":'''Musiconline''', "fhsp":'''Fujitsu Hot Standby Protocol''', "oracle-vp2":'''Oracle-VP2''', "oracle-vp1":'''Oracle-VP1''', "jerand-lm":'''Jerand License Manager''', "scientia-sdb":'''Scientia-SDB''', "radius":'''RADIUS''', "radius-acct":'''RADIUS Accounting''', "tdp-suite":'''TDP Suite''', "mmpft":'''MMPFT''', "harp":'''HARP''', "rkb-oscs":'''RKB-OSCS''', "etftp":'''Enhanced Trivial File Transfer Protocol''', "plato-lm":'''Plato License Manager''', "mcagent":'''mcagent''', "donnyworld":'''donnyworld''', "es-elmd":'''es-elmd''', "unisys-lm":'''Unisys Natural Language License Manager''', "metrics-pas":'''metrics-pas''', "direcpc-video":'''DirecPC Video''', "ardt":'''ARDT''', "asi":'''ASI''', "itm-mcell-u":'''itm-mcell-u''', "optika-emedia":'''Optika eMedia''', "net8-cman":'''Oracle Net8 CMan Admin''', "myrtle":'''Myrtle''', "tht-treasure":'''ThoughtTreasure''', "udpradio":'''udpradio''', "ardusuni":'''ARDUS Unicast''', "ardusmul":'''ARDUS Multicast''', "ste-smsc":'''ste-smsc''', "csoft1":'''csoft1''', "talnet":'''TALNET''', "netopia-vo1":'''netopia-vo1''', "netopia-vo2":'''netopia-vo2''', "netopia-vo3":'''netopia-vo3''', "netopia-vo4":'''netopia-vo4''', "netopia-vo5":'''netopia-vo5''', "direcpc-dll":'''DirecPC-DLL''', "altalink":'''altalink''', "tunstall-pnc":'''Tunstall PNC''', "slp-notify":'''SLP Notification''', "fjdocdist":'''fjdocdist''', "alpha-sms":'''ALPHA-SMS''', "gsi":'''GSI''', "ctcd":'''ctcd''', "virtual-time":'''Virtual Time''', "vids-avtp":'''VIDS-AVTP''', "buddy-draw":'''Buddy Draw''', "fiorano-rtrsvc":'''Fiorano RtrSvc''', "fiorano-msgsvc":'''Fiorano MsgSvc''', "datacaptor":'''DataCaptor''', "privateark":'''PrivateArk''', "gammafetchsvr":'''Gamma Fetcher Server''', "sunscalar-svc":'''SunSCALAR Services''', "lecroy-vicp":'''LeCroy VICP''', "mysql-cm-agent":'''MySQL Cluster Manager Agent''', "msnp":'''MSNP''', "paradym-31port":'''Paradym 31 Port''', "entp":'''ENTP''', "swrmi":'''swrmi''', "udrive":'''UDRIVE''', "viziblebrowser":'''VizibleBrowser''', "transact":'''TransAct''', "sunscalar-dns":'''SunSCALAR DNS Service''', "canocentral0":'''Cano Central 0''', "canocentral1":'''Cano Central 1''', "fjmpjps":'''Fjmpjps''', "fjswapsnp":'''Fjswapsnp''', "westell-stats":'''westell stats''', "ewcappsrv":'''ewcappsrv''', "hp-webqosdb":'''hp-webqosdb''', "drmsmc":'''drmsmc''', "nettgain-nms":'''NettGain NMS''', "vsat-control":'''Gilat VSAT Control''', "ibm-mqseries2":'''IBM WebSphere MQ Everyplace''', "ecsqdmn":'''CA eTrust Common Services''', "ibm-mqisdp":'''IBM MQSeries SCADA''', "idmaps":'''Internet Distance Map Svc''', "vrtstrapserver":'''Veritas Trap Server''', "leoip":'''Leonardo over IP''', "filex-lport":'''FileX Listening Port''', "ncconfig":'''NC Config Port''', "unify-adapter":'''Unify Web Adapter Service''', "wilkenlistener":'''wilkenListener''', "childkey-notif":'''ChildKey Notification''', "childkey-ctrl":'''ChildKey Control''', "elad":'''ELAD Protocol''', "o2server-port":'''O2Server Port''', "b-novative-ls":'''b-novative license server''', "metaagent":'''MetaAgent''', "cymtec-port":'''Cymtec secure management''', "mc2studios":'''MC2Studios''', "ssdp":'''SSDP''', "fjicl-tep-a":'''Fujitsu ICL Terminal Emulator Program A''', "fjicl-tep-b":'''Fujitsu ICL Terminal Emulator Program B''', "linkname":'''Local Link Name Resolution''', "fjicl-tep-c":'''Fujitsu ICL Terminal Emulator Program C''', "sugp":'''Secure UP.Link Gateway Protocol''', "tpmd":'''TPortMapperReq''', "intrastar":'''IntraSTAR''', "dawn":'''Dawn''', "global-wlink":'''Global World Link''', "ultrabac":'''UltraBac Software communications port''', "mtp":'''Starlight Networks Multimedia Transport Protocol''', "rhp-iibp":'''rhp-iibp''', "armadp":'''armadp''', "elm-momentum":'''Elm-Momentum''', "facelink":'''FACELINK''', "persona":'''Persoft Persona''', "noagent":'''nOAgent''', "can-nds":'''IBM Tivole Directory Service - NDS''', "can-dch":'''IBM Tivoli Directory Service - DCH''', "can-ferret":'''IBM Tivoli Directory Service - FERRET''', "noadmin":'''NoAdmin''', "tapestry":'''Tapestry''', "spice":'''SPICE''', "xiip":'''XIIP''', "discovery-port":'''Surrogate Discovery Port''', "egs":'''Evolution Game Server''', "videte-cipc":'''Videte CIPC Port''', "emsd-port":'''Expnd Maui Srvr Dscovr''', "bandwiz-system":'''Bandwiz System - Server''', "driveappserver":'''Drive AppServer''', "amdsched":'''AMD SCHED''', "ctt-broker":'''CTT Broker''', "xmapi":'''IBM LM MT Agent''', "xaapi":'''IBM LM Appl Agent''', "macromedia-fcs":'''Macromedia Flash Communications Server MX''', "jetcmeserver":'''JetCmeServer Server Port''', "jwserver":'''JetVWay Server Port''', "jwclient":'''JetVWay Client Port''', "jvserver":'''JetVision Server Port''', "jvclient":'''JetVision Client Port''', "dic-aida":'''DIC-Aida''', "res":'''Real Enterprise Service''', "beeyond-media":'''Beeyond Media''', "close-combat":'''close-combat''', "dialogic-elmd":'''dialogic-elmd''', "tekpls":'''tekpls''', "sentinelsrm":'''SentinelSRM''', "eye2eye":'''eye2eye''', "ismaeasdaqlive":'''ISMA Easdaq Live''', "ismaeasdaqtest":'''ISMA Easdaq Test''', "bcs-lmserver":'''bcs-lmserver''', "mpnjsc":'''mpnjsc''', "rapidbase":'''Rapid Base''', "abr-api":'''ABR-API (diskbridge)''', "abr-secure":'''ABR-Secure Data (diskbridge)''', "vrtl-vmf-ds":'''Vertel VMF DS''', "unix-status":'''unix-status''', "dxadmind":'''CA Administration Daemon''', "simp-all":'''SIMP Channel''', "nasmanager":'''Merit DAC NASmanager''', "bts-appserver":'''BTS APPSERVER''', "biap-mp":'''BIAP-MP''', "webmachine":'''WebMachine''', "solid-e-engine":'''SOLID E ENGINE''', "tivoli-npm":'''Tivoli NPM''', "slush":'''Slush''', "sns-quote":'''SNS Quote''', "lipsinc":'''LIPSinc''', "lipsinc1":'''LIPSinc 1''', "netop-rc":'''NetOp Remote Control''', "netop-school":'''NetOp School''', "intersys-cache":'''Cache''', "dlsrap":'''Data Link Switching Remote Access Protocol''', "drp":'''DRP''', "tcoflashagent":'''TCO Flash Agent''', "tcoregagent":'''TCO Reg Agent''', "tcoaddressbook":'''TCO Address Book''', "unisql":'''UniSQL''', "unisql-java":'''UniSQL Java''', "pearldoc-xact":'''PearlDoc XACT''', "p2pq":'''p2pQ''', "estamp":'''Evidentiary Timestamp''', "lhtp":'''Loophole Test Protocol''', "bb":'''BB''', "hsrp":'''Hot Standby Router Protocol''', "licensedaemon":'''cisco license management''', "tr-rsrb-p1":'''cisco RSRB Priority 1 port''', "tr-rsrb-p2":'''cisco RSRB Priority 2 port''', "tr-rsrb-p3":'''cisco RSRB Priority 3 port''', "mshnet":'''MHSnet system''', "stun-p1":'''cisco STUN Priority 1 port''', "stun-p2":'''cisco STUN Priority 2 port''', "stun-p3":'''cisco STUN Priority 3 port''', "ipsendmsg":'''IPsendmsg''', "snmp-tcp-port":'''cisco SNMP TCP port''', "stun-port":'''cisco serial tunnel port''', "perf-port":'''cisco perf port''', "tr-rsrb-port":'''cisco Remote SRB port''', "gdp-port":'''cisco Gateway Discovery Protocol''', "x25-svc-port":'''cisco X.25 service (XOT)''', "tcp-id-port":'''cisco identification port''', "cisco-sccp":'''Cisco SCCP''', "dc":'''''', "globe":'''''', "brutus":'''Brutus Server''', "mailbox":'''''', "berknet":'''''', "invokator":'''''', "dectalk":'''''', "conf":'''''', "news":'''''', "search":'''''', "raid-cc":'''raid''', "ttyinfo":'''''', "raid-am":'''''', "troff":'''''', "cypress":'''''', "bootserver":'''''', "cypress-stat":'''''', "terminaldb":'''''', "whosockami":'''''', "xinupageserver":'''''', "servexec":'''''', "down":'''''', "xinuexpansion3":'''''', "xinuexpansion4":'''''', "ellpack":'''''', "scrabble":'''''', "shadowserver":'''''', "submitserver":'''''', "hsrpv6":'''Hot Standby Router Protocol IPv6''', "device2":'''''', "mobrien-chat":'''mobrien-chat''', "blackboard":'''''', "glogger":'''''', "scoremgr":'''''', "imsldoc":'''''', "e-dpnet":'''Ethernet WS DP network''', "applus":'''APplus Application Server''', "objectmanager":'''''', "prizma":'''Prizma Monitoring Service''', "lam":'''''', "interbase":'''''', "isis":'''isis''', "isis-bcast":'''isis-bcast''', "rimsl":'''''', "cdfunc":'''''', "sdfunc":'''''', "dls":'''''', "dls-monitor":'''''', "shilp":'''''', "nfs":'''Network File System - Sun Microsystems''', "av-emb-config":'''Avaya EMB Config Port''', "epnsdp":'''EPNSDP''', "clearvisn":'''clearVisn Services Port''', "lot105-ds-upd":'''Lot105 DSuper Updates''', "weblogin":'''Weblogin Port''', "iop":'''Iliad-Odyssey Protocol''', "omnisky":'''OmniSky Port''', "rich-cp":'''Rich Content Protocol''', "newwavesearch":'''NewWaveSearchables RMI''', "bmc-messaging":'''BMC Messaging Service''', "teleniumdaemon":'''Telenium Daemon IF''', "netmount":'''NetMount''', "icg-swp":'''ICG SWP Port''', "icg-bridge":'''ICG Bridge Port''', "icg-iprelay":'''ICG IP Relay Port''', "dlsrpn":'''Data Link Switch Read Port Number''', "aura":'''AVM USB Remote Architecture''', "dlswpn":'''Data Link Switch Write Port Number''', "avauthsrvprtcl":'''Avocent AuthSrv Protocol''', "event-port":'''HTTP Event Port''', "ah-esp-encap":'''AH and ESP Encapsulated in UDP packet''', "acp-port":'''Axon Control Protocol''', "msync":'''GlobeCast mSync''', "gxs-data-port":'''DataReel Database Socket''', "vrtl-vmf-sa":'''Vertel VMF SA''', "newlixengine":'''Newlix ServerWare Engine''', "newlixconfig":'''Newlix JSPConfig''', "tsrmagt":'''Old Tivoli Storage Manager''', "tpcsrvr":'''IBM Total Productivity Center Server''', "idware-router":'''IDWARE Router Port''', "autodesk-nlm":'''Autodesk NLM (FLEXlm)''', "kme-trap-port":'''KME PRINTER TRAP PORT''', "infowave":'''Infowave Mobility Server''', "radsec":'''Secure Radius Service''', "sunclustergeo":'''SunCluster Geographic''', "ada-cip":'''ADA Control''', "gnunet":'''GNUnet''', "eli":'''ELI - Event Logging Integration''', "ip-blf":'''IP Busy Lamp Field''', "sep":'''Security Encapsulation Protocol - SEP''', "lrp":'''Load Report Protocol''', "prp":'''PRP''', "descent3":'''Descent 3''', "nbx-cc":'''NBX CC''', "nbx-au":'''NBX AU''', "nbx-ser":'''NBX SER''', "nbx-dir":'''NBX DIR''', "jetformpreview":'''Jet Form Preview''', "dialog-port":'''Dialog Port''', "h2250-annex-g":'''H.225.0 Annex G''', "amiganetfs":'''Amiga Network Filesystem''', "rtcm-sc104":'''rtcm-sc104''', "zephyr-srv":'''Zephyr server''', "zephyr-clt":'''Zephyr serv-hm connection''', "zephyr-hm":'''Zephyr hostmanager''', "minipay":'''MiniPay''', "mzap":'''MZAP''', "bintec-admin":'''BinTec Admin''', "comcam":'''Comcam''', "ergolight":'''Ergolight''', "umsp":'''UMSP''', "dsatp":'''OPNET Dynamic Sampling Agent Transaction Protocol''', "idonix-metanet":'''Idonix MetaNet''', "hsl-storm":'''HSL StoRM''', "newheights":'''NEWHEIGHTS''', "kdm":'''Key Distribution Manager''', "ccowcmr":'''CCOWCMR''', "mentaclient":'''MENTACLIENT''', "mentaserver":'''MENTASERVER''', "gsigatekeeper":'''GSIGATEKEEPER''', "qencp":'''Quick Eagle Networks CP''', "scientia-ssdb":'''SCIENTIA-SSDB''', "caupc-remote":'''CauPC Remote Control''', "gtp-control":'''GTP-Control Plane (3GPP)''', "elatelink":'''ELATELINK''', "lockstep":'''LOCKSTEP''', "pktcable-cops":'''PktCable-COPS''', "index-pc-wb":'''INDEX-PC-WB''', "net-steward":'''Net Steward Control''', "cs-live":'''cs-live.com''', "xds":'''XDS''', "avantageb2b":'''Avantageb2b''', "solera-epmap":'''SoleraTec End Point Map''', "zymed-zpp":'''ZYMED-ZPP''', "avenue":'''AVENUE''', "gris":'''Grid Resource Information Server''', "appworxsrv":'''APPWORXSRV''', "connect":'''CONNECT''', "unbind-cluster":'''UNBIND-CLUSTER''', "ias-auth":'''IAS-AUTH''', "ias-reg":'''IAS-REG''', "ias-admind":'''IAS-ADMIND''', "tdmoip":'''TDM OVER IP''', "lv-jc":'''Live Vault Job Control''', "lv-ffx":'''Live Vault Fast Object Transfer''', "lv-pici":'''Live Vault Remote Diagnostic Console Support''', "lv-not":'''Live Vault Admin Event Notification''', "lv-auth":'''Live Vault Authentication''', "veritas-ucl":'''VERITAS UNIVERSAL COMMUNICATION LAYER''', "acptsys":'''ACPTSYS''', "dynamic3d":'''DYNAMIC3D''', "docent":'''DOCENT''', "gtp-user":'''GTP-User Plane (3GPP)''', "ctlptc":'''Control Protocol''', "stdptc":'''Standard Protocol''', "brdptc":'''Bridge Protocol''', "trp":'''Talari Reliable Protocol''', "xnds":'''Xerox Network Document Scan Protocol''', "touchnetplus":'''TouchNetPlus Service''', "gdbremote":'''GDB Remote Debug Port''', "apc-2160":'''APC 2160''', "apc-2161":'''APC 2161''', "navisphere":'''Navisphere''', "navisphere-sec":'''Navisphere Secure''', "ddns-v3":'''Dynamic DNS Version 3''', "x-bone-api":'''X-Bone API''', "iwserver":'''iwserver''', "raw-serial":'''Raw Async Serial Link''', "easy-soft-mux":'''easy-soft Multiplexer''', "brain":'''Backbone for Academic Information Notification (BRAIN)''', "eyetv":'''EyeTV Server Port''', "msfw-storage":'''MS Firewall Storage''', "msfw-s-storage":'''MS Firewall SecureStorage''', "msfw-replica":'''MS Firewall Replication''', "msfw-array":'''MS Firewall Intra Array''', "airsync":'''Microsoft Desktop AirSync Protocol''', "rapi":'''Microsoft ActiveSync Remote API''', "qwave":'''qWAVE Bandwidth Estimate''', "bitspeer":'''Peer Services for BITS''', "vmrdp":'''Microsoft RDP for virtual machines''', "mc-gt-srv":'''Millicent Vendor Gateway Server''', "eforward":'''eforward''', "cgn-stat":'''CGN status''', "cgn-config":'''Code Green configuration''', "nvd":'''NVD User''', "onbase-dds":'''OnBase Distributed Disk Services''', "gtaua":'''Guy-Tek Automated Update Applications''', "ssmc":'''Sepehr System Management Control''', "radware-rpm":'''Radware Resource Pool Manager''', "radware-rpm-s":'''Secure Radware Resource Pool Manager''', "tivoconnect":'''TiVoConnect Beacon''', "tvbus":'''TvBus Messaging''', "asdis":'''ASDIS software management''', "drwcs":'''Dr.Web Enterprise Management Service''', "mnp-exchange":'''MNP data exchange''', "onehome-remote":'''OneHome Remote Access''', "onehome-help":'''OneHome Service Port''', "ici":'''ICI''', "ats":'''Advanced Training System Program''', "imtc-map":'''Int. Multimedia Teleconferencing Cosortium''', "b2-runtime":'''b2 Runtime Protocol''', "b2-license":'''b2 License Server''', "jps":'''Java Presentation Server''', "hpocbus":'''HP OpenCall bus''', "hpssd":'''HP Status and Services''', "hpiod":'''HP I/O Backend''', "rimf-ps":'''HP RIM for Files Portal Service''', "noaaport":'''NOAAPORT Broadcast Network''', "emwin":'''EMWIN''', "leecoposserver":'''LeeCO POS Server Service''', "kali":'''Kali''', "rpi":'''RDQ Protocol Interface''', "ipcore":'''IPCore.co.za GPRS''', "vtu-comms":'''VTU data service''', "gotodevice":'''GoToDevice Device Management''', "bounzza":'''Bounzza IRC Proxy''', "netiq-ncap":'''NetIQ NCAP Protocol''', "netiq":'''NetIQ End2End''', "rockwell-csp1":'''Rockwell CSP1''', "EtherNet-IP-1":'''EtherNet/IP I/O IANA assigned this well-formed service name as a replacement for "EtherNet/IP-1".''', "EtherNet/IP-1":'''EtherNet/IP I/O''', "rockwell-csp2":'''Rockwell CSP2''', "efi-mg":'''Easy Flexible Internet/Multiplayer Games''', "rcip-itu":'''Resource Connection Initiation Protocol''', "di-drm":'''Digital Instinct DRM''', "di-msg":'''DI Messaging Service''', "ehome-ms":'''eHome Message Server''', "datalens":'''DataLens Service''', "queueadm":'''MetaSoft Job Queue Administration Service''', "wimaxasncp":'''WiMAX ASN Control Plane Protocol''', "ivs-video":'''IVS Video default''', "infocrypt":'''INFOCRYPT''', "directplay":'''DirectPlay''', "sercomm-wlink":'''Sercomm-WLink''', "nani":'''Nani''', "optech-port1-lm":'''Optech Port1 License Manager''', "aviva-sna":'''AVIVA SNA SERVER''', "imagequery":'''Image Query''', "recipe":'''RECIPe''', "ivsd":'''IVS Daemon''', "foliocorp":'''Folio Remote Server''', "magicom":'''Magicom Protocol''', "nmsserver":'''NMS Server''', "hao":'''HaO''', "pc-mta-addrmap":'''PacketCable MTA Addr Map''', "antidotemgrsvr":'''Antidote Deployment Manager Service''', "ums":'''User Management Service''', "rfmp":'''RISO File Manager Protocol''', "remote-collab":'''remote-collab''', "dif-port":'''Distributed Framework Port''', "njenet-ssl":'''NJENET using SSL''', "dtv-chan-req":'''DTV Channel Request''', "seispoc":'''Seismic P.O.C. Port''', "vrtp":'''VRTP - ViRtue Transfer Protocol''', "pcc-mfp":'''PCC MFP''', "simple-tx-rx":'''simple text/file transfer''', "rcts":'''Rotorcraft Communications Test System''', "apc-2260":'''APC 2260''', "comotionmaster":'''CoMotion Master Server''', "comotionback":'''CoMotion Backup Server''', "ecwcfg":'''ECweb Configuration Service''', "apx500api-1":'''Audio Precision Apx500 API Port 1''', "apx500api-2":'''Audio Precision Apx500 API Port 2''', "mfserver":'''M-Files Server''', "ontobroker":'''OntoBroker''', "amt":'''AMT''', "mikey":'''MIKEY''', "starschool":'''starSchool''', "mmcals":'''Secure Meeting Maker Scheduling''', "mmcal":'''Meeting Maker Scheduling''', "mysql-im":'''MySQL Instance Manager''', "pcttunnell":'''PCTTunneller''', "ibridge-data":'''iBridge Conferencing''', "ibridge-mgmt":'''iBridge Management''', "bluectrlproxy":'''Bt device control proxy''', "s3db":'''Simple Stacked Sequences Database''', "xmquery":'''xmquery''', "lnvpoller":'''LNVPOLLER''', "lnvconsole":'''LNVCONSOLE''', "lnvalarm":'''LNVALARM''', "lnvstatus":'''LNVSTATUS''', "lnvmaps":'''LNVMAPS''', "lnvmailmon":'''LNVMAILMON''', "nas-metering":'''NAS-Metering''', "dna":'''DNA''', "netml":'''NETML''', "dict-lookup":'''Lookup dict server''', "sonus-logging":'''Sonus Logging Services''', "eapsp":'''EPSON Advanced Printer Share Protocol''', "mib-streaming":'''Sonus Element Management Services''', "npdbgmngr":'''Network Platform Debug Manager''', "konshus-lm":'''Konshus License Manager (FLEX)''', "advant-lm":'''Advant License Manager''', "theta-lm":'''Theta License Manager (Rainbow)''', "d2k-datamover1":'''D2K DataMover 1''', "d2k-datamover2":'''D2K DataMover 2''', "pc-telecommute":'''PC Telecommute''', "cvmmon":'''CVMMON''', "cpq-wbem":'''Compaq HTTP''', "binderysupport":'''Bindery Support''', "proxy-gateway":'''Proxy Gateway''', "attachmate-uts":'''Attachmate UTS''', "mt-scaleserver":'''MT ScaleServer''', "tappi-boxnet":'''TAPPI BoxNet''', "pehelp":'''pehelp''', "sdhelp":'''sdhelp''', "sdserver":'''SD Server''', "sdclient":'''SD Client''', "messageservice":'''Message Service''', "wanscaler":'''WANScaler Communication Service''', "iapp":'''IAPP (Inter Access Point Protocol)''', "cr-websystems":'''CR WebSystems''', "precise-sft":'''Precise Sft.''', "sent-lm":'''SENT License Manager''', "attachmate-g32":'''Attachmate G32''', "cadencecontrol":'''Cadence Control''', "infolibria":'''InfoLibria''', "siebel-ns":'''Siebel NS''', "rdlap":'''RDLAP''', "ofsd":'''ofsd''', "3d-nfsd":'''3d-nfsd''', "cosmocall":'''Cosmocall''', "ansysli":'''ANSYS Licensing Interconnect''', "idcp":'''IDCP''', "xingcsm":'''xingcsm''', "netrix-sftm":'''Netrix SFTM''', "nvd":'''NVD''', "tscchat":'''TSCCHAT''', "agentview":'''AGENTVIEW''', "rcc-host":'''RCC Host''', "snapp":'''SNAPP''', "ace-client":'''ACE Client Auth''', "ace-proxy":'''ACE Proxy''', "appleugcontrol":'''Apple UG Control''', "ideesrv":'''ideesrv''', "norton-lambert":'''Norton Lambert''', "3com-webview":'''3Com WebView''', "wrs-registry":'''WRS Registry IANA assigned this well-formed service name as a replacement for "wrs_registry".''', "wrs_registry":'''WRS Registry''', "xiostatus":'''XIO Status''', "manage-exec":'''Seagate Manage Exec''', "nati-logos":'''nati logos''', "fcmsys":'''fcmsys''', "dbm":'''dbm''', "redstorm-join":'''Game Connection Port IANA assigned this well-formed service name as a replacement for "redstorm_join".''', "redstorm_join":'''Game Connection Port''', "redstorm-find":'''Game Announcement and Location IANA assigned this well-formed service name as a replacement for "redstorm_find".''', "redstorm_find":'''Game Announcement and Location''', "redstorm-info":'''Information to query for game status IANA assigned this well-formed service name as a replacement for "redstorm_info".''', "redstorm_info":'''Information to query for game status''', "redstorm-diag":'''Diagnostics Port IANA assigned this well-formed service name as a replacement for "redstorm_diag".''', "redstorm_diag":'''Diagnostics Port''', "psbserver":'''Pharos Booking Server''', "psrserver":'''psrserver''', "pslserver":'''pslserver''', "pspserver":'''pspserver''', "psprserver":'''psprserver''', "psdbserver":'''psdbserver''', "gxtelmd":'''GXT License Managemant''', "unihub-server":'''UniHub Server''', "futrix":'''Futrix''', "flukeserver":'''FlukeServer''', "nexstorindltd":'''NexstorIndLtd''', "tl1":'''TL1''', "digiman":'''digiman''', "mediacntrlnfsd":'''Media Central NFSD''', "oi-2000":'''OI-2000''', "dbref":'''dbref''', "qip-login":'''qip-login''', "service-ctrl":'''Service Control''', "opentable":'''OpenTable''', "l3-hbmon":'''L3-HBMon''', "worldwire":'''Compaq WorldWire Port''', "lanmessenger":'''LanMessenger''', "remographlm":'''Remograph License Manager''', "hydra":'''Hydra RPC''', "compaq-https":'''Compaq HTTPS''', "ms-olap3":'''Microsoft OLAP''', "ms-olap4":'''Microsoft OLAP''', "sd-request":'''SD-REQUEST''', "sd-data":'''SD-DATA''', "virtualtape":'''Virtual Tape''', "vsamredirector":'''VSAM Redirector''', "mynahautostart":'''MYNAH AutoStart''', "ovsessionmgr":'''OpenView Session Mgr''', "rsmtp":'''RSMTP''', "3com-net-mgmt":'''3COM Net Management''', "tacticalauth":'''Tactical Auth''', "ms-olap1":'''MS OLAP 1''', "ms-olap2":'''MS OLAP 2''', "lan900-remote":'''LAN900 Remote IANA assigned this well-formed service name as a replacement for "lan900_remote".''', "lan900_remote":'''LAN900 Remote''', "wusage":'''Wusage''', "ncl":'''NCL''', "orbiter":'''Orbiter''', "fmpro-fdal":'''FileMaker, Inc. - Data Access Layer''', "opequus-server":'''OpEquus Server''', "cvspserver":'''cvspserver''', "taskmaster2000":'''TaskMaster 2000 Server''', "taskmaster2000":'''TaskMaster 2000 Web''', "iec-104":'''IEC 60870-5-104 process control over IP''', "trc-netpoll":'''TRC Netpoll''', "jediserver":'''JediServer''', "orion":'''Orion''', "railgun-webaccl":'''CloudFlare Railgun Web Acceleration Protocol''', "sns-protocol":'''SNS Protocol''', "vrts-registry":'''VRTS Registry''', "netwave-ap-mgmt":'''Netwave AP Management''', "cdn":'''CDN''', "orion-rmi-reg":'''orion-rmi-reg''', "beeyond":'''Beeyond''', "codima-rtp":'''Codima Remote Transaction Protocol''', "rmtserver":'''RMT Server''', "composit-server":'''Composit Server''', "cas":'''cas''', "attachmate-s2s":'''Attachmate S2S''', "dslremote-mgmt":'''DSL Remote Management''', "g-talk":'''G-Talk''', "crmsbits":'''CRMSBITS''', "rnrp":'''RNRP''', "kofax-svr":'''KOFAX-SVR''', "fjitsuappmgr":'''Fujitsu App Manager''', "mgcp-gateway":'''Media Gateway Control Protocol Gateway''', "ott":'''One Way Trip Time''', "ft-role":'''FT-ROLE''', "venus":'''venus''', "venus-se":'''venus-se''', "codasrv":'''codasrv''', "codasrv-se":'''codasrv-se''', "pxc-epmap":'''pxc-epmap''', "optilogic":'''OptiLogic''', "topx":'''TOP/X''', "unicontrol":'''UniControl''', "msp":'''MSP''', "sybasedbsynch":'''SybaseDBSynch''', "spearway":'''Spearway Lockers''', "pvsw-inet":'''Pervasive I*net Data Server''', "netangel":'''Netangel''', "powerclientcsf":'''PowerClient Central Storage Facility''', "btpp2sectrans":'''BT PP2 Sectrans''', "dtn1":'''DTN1''', "bues-service":'''bues_service IANA assigned this well-formed service name as a replacement for "bues_service".''', "bues_service":'''bues_service''', "ovwdb":'''OpenView NNM daemon''', "hpppssvr":'''hpppsvr''', "ratl":'''RATL''', "netadmin":'''netadmin''', "netchat":'''netchat''', "snifferclient":'''SnifferClient''', "madge-ltd":'''madge ltd''', "indx-dds":'''IndX-DDS''', "wago-io-system":'''WAGO-IO-SYSTEM''', "altav-remmgt":'''altav-remmgt''', "rapido-ip":'''Rapido_IP''', "griffin":'''griffin''', "community":'''Community''', "ms-theater":'''ms-theater''', "qadmifoper":'''qadmifoper''', "qadmifevent":'''qadmifevent''', "lsi-raid-mgmt":'''LSI RAID Management''', "direcpc-si":'''DirecPC SI''', "lbm":'''Load Balance Management''', "lbf":'''Load Balance Forwarding''', "high-criteria":'''High Criteria''', "qip-msgd":'''qip_msgd''', "mti-tcs-comm":'''MTI-TCS-COMM''', "taskman-port":'''taskman port''', "seaodbc":'''SeaODBC''', "c3":'''C3''', "aker-cdp":'''Aker-cdp''', "vitalanalysis":'''Vital Analysis''', "ace-server":'''ACE Server''', "ace-svr-prop":'''ACE Server Propagation''', "ssm-cvs":'''SecurSight Certificate Valifation Service''', "ssm-cssps":'''SecurSight Authentication Server (SSL)''', "ssm-els":'''SecurSight Event Logging Server (SSL)''', "powerexchange":'''Informatica PowerExchange Listener''', "giop":'''Oracle GIOP''', "giop-ssl":'''Oracle GIOP SSL''', "ttc":'''Oracle TTC''', "ttc-ssl":'''Oracle TTC SSL''', "netobjects1":'''Net Objects1''', "netobjects2":'''Net Objects2''', "pns":'''Policy Notice Service''', "moy-corp":'''Moy Corporation''', "tsilb":'''TSILB''', "qip-qdhcp":'''qip_qdhcp''', "conclave-cpp":'''Conclave CPP''', "groove":'''GROOVE''', "talarian-mqs":'''Talarian MQS''', "bmc-ar":'''BMC AR''', "fast-rem-serv":'''Fast Remote Services''', "dirgis":'''DIRGIS''', "quaddb":'''Quad DB''', "odn-castraq":'''ODN-CasTraq''', "unicontrol":'''UniControl''', "rtsserv":'''Resource Tracking system server''', "rtsclient":'''Resource Tracking system client''', "kentrox-prot":'''Kentrox Protocol''', "nms-dpnss":'''NMS-DPNSS''', "wlbs":'''WLBS''', "ppcontrol":'''PowerPlay Control''', "jbroker":'''jbroker''', "spock":'''spock''', "jdatastore":'''JDataStore''', "fjmpss":'''fjmpss''', "fjappmgrbulk":'''fjappmgrbulk''', "metastorm":'''Metastorm''', "citrixima":'''Citrix IMA''', "citrixadmin":'''Citrix ADMIN''', "facsys-ntp":'''Facsys NTP''', "facsys-router":'''Facsys Router''', "maincontrol":'''Main Control''', "call-sig-trans":'''H.323 Annex E call signaling transport''', "willy":'''Willy''', "globmsgsvc":'''globmsgsvc''', "pvsw":'''Pervasive Listener''', "adaptecmgr":'''Adaptec Manager''', "windb":'''WinDb''', "qke-llc-v3":'''Qke LLC V.3''', "optiwave-lm":'''Optiwave License Management''', "ms-v-worlds":'''MS V-Worlds''', "ema-sent-lm":'''EMA License Manager''', "iqserver":'''IQ Server''', "ncr-ccl":'''NCR CCL IANA assigned this well-formed service name as a replacement for "ncr_ccl".''', "ncr_ccl":'''NCR CCL''', "utsftp":'''UTS FTP''', "vrcommerce":'''VR Commerce''', "ito-e-gui":'''ITO-E GUI''', "ovtopmd":'''OVTOPMD''', "snifferserver":'''SnifferServer''', "combox-web-acc":'''Combox Web Access''', "madcap":'''MADCAP''', "btpp2audctr1":'''btpp2audctr1''', "upgrade":'''Upgrade Protocol''', "vnwk-prapi":'''vnwk-prapi''', "vsiadmin":'''VSI Admin''', "lonworks":'''LonWorks''', "lonworks2":'''LonWorks2''', "udrawgraph":'''uDraw(Graph)''', "reftek":'''REFTEK''', "novell-zen":'''Management Daemon Refresh''', "sis-emt":'''sis-emt''', "vytalvaultbrtp":'''vytalvaultbrtp''', "vytalvaultvsmp":'''vytalvaultvsmp''', "vytalvaultpipe":'''vytalvaultpipe''', "ipass":'''IPASS''', "ads":'''ADS''', "isg-uda-server":'''ISG UDA Server''', "call-logging":'''Call Logging''', "efidiningport":'''efidiningport''', "vcnet-link-v10":'''VCnet-Link v10''', "compaq-wcp":'''Compaq WCP''', "nicetec-nmsvc":'''nicetec-nmsvc''', "nicetec-mgmt":'''nicetec-mgmt''', "pclemultimedia":'''PCLE Multi Media''', "lstp":'''LSTP''', "labrat":'''labrat''', "mosaixcc":'''MosaixCC''', "delibo":'''Delibo''', "cti-redwood":'''CTI Redwood''', "hp-3000-telnet":'''HP 3000 NS/VT block mode telnet''', "coord-svr":'''Coordinator Server''', "pcs-pcw":'''pcs-pcw''', "clp":'''Cisco Line Protocol''', "spamtrap":'''SPAM TRAP''', "sonuscallsig":'''Sonus Call Signal''', "hs-port":'''HS Port''', "cecsvc":'''CECSVC''', "ibp":'''IBP''', "trustestablish":'''Trust Establish''', "blockade-bpsp":'''Blockade BPSP''', "hl7":'''HL7''', "tclprodebugger":'''TCL Pro Debugger''', "scipticslsrvr":'''Scriptics Lsrvr''', "rvs-isdn-dcp":'''RVS ISDN DCP''', "mpfoncl":'''mpfoncl''', "tributary":'''Tributary''', "argis-te":'''ARGIS TE''', "argis-ds":'''ARGIS DS''', "mon":'''MON''', "cyaserv":'''cyaserv''', "netx-server":'''NETX Server''', "netx-agent":'''NETX Agent''', "masc":'''MASC''', "privilege":'''Privilege''', "quartus-tcl":'''quartus tcl''', "idotdist":'''idotdist''', "maytagshuffle":'''Maytag Shuffle''', "netrek":'''netrek''', "mns-mail":'''MNS Mail Notice Service''', "dts":'''Data Base Server''', "worldfusion1":'''World Fusion 1''', "worldfusion2":'''World Fusion 2''', "homesteadglory":'''Homestead Glory''', "citriximaclient":'''Citrix MA Client''', "snapd":'''Snap Discovery''', "hpstgmgr":'''HPSTGMGR''', "discp-client":'''discp client''', "discp-server":'''discp server''', "servicemeter":'''Service Meter''', "nsc-ccs":'''NSC CCS''', "nsc-posa":'''NSC POSA''', "netmon":'''Dell Netmon''', "connection":'''Dell Connection''', "wag-service":'''Wag Service''', "system-monitor":'''System Monitor''', "versa-tek":'''VersaTek''', "lionhead":'''LIONHEAD''', "qpasa-agent":'''Qpasa Agent''', "smntubootstrap":'''SMNTUBootstrap''', "neveroffline":'''Never Offline''', "firepower":'''firepower''', "appswitch-emp":'''appswitch-emp''', "cmadmin":'''Clinical Context Managers''', "priority-e-com":'''Priority E-Com''', "bruce":'''bruce''', "lpsrecommender":'''LPSRecommender''', "miles-apart":'''Miles Apart Jukebox Server''', "metricadbc":'''MetricaDBC''', "lmdp":'''LMDP''', "aria":'''Aria''', "blwnkl-port":'''Blwnkl Port''', "gbjd816":'''gbjd816''', "moshebeeri":'''Moshe Beeri''', "dict":'''DICT''', "sitaraserver":'''Sitara Server''', "sitaramgmt":'''Sitara Management''', "sitaradir":'''Sitara Dir''', "irdg-post":'''IRdg Post''', "interintelli":'''InterIntelli''', "pk-electronics":'''PK Electronics''', "backburner":'''Back Burner''', "solve":'''Solve''', "imdocsvc":'''Import Document Service''', "sybaseanywhere":'''Sybase Anywhere''', "aminet":'''AMInet''', "sai-sentlm":'''Sabbagh Associates Licence Manager IANA assigned this well-formed service name as a replacement for "sai_sentlm".''', "sai_sentlm":'''Sabbagh Associates Licence Manager''', "hdl-srv":'''HDL Server''', "tragic":'''Tragic''', "gte-samp":'''GTE-SAMP''', "travsoft-ipx-t":'''Travsoft IPX Tunnel''', "novell-ipx-cmd":'''Novell IPX CMD''', "and-lm":'''AND License Manager''', "syncserver":'''SyncServer''', "upsnotifyprot":'''Upsnotifyprot''', "vpsipport":'''VPSIPPORT''', "eristwoguns":'''eristwoguns''', "ebinsite":'''EBInSite''', "interpathpanel":'''InterPathPanel''', "sonus":'''Sonus''', "corel-vncadmin":'''Corel VNC Admin IANA assigned this well-formed service name as a replacement for "corel_vncadmin".''', "corel_vncadmin":'''Corel VNC Admin''', "unglue":'''UNIX Nt Glue''', "kana":'''Kana''', "sns-dispatcher":'''SNS Dispatcher''', "sns-admin":'''SNS Admin''', "sns-query":'''SNS Query''', "gcmonitor":'''GC Monitor''', "olhost":'''OLHOST''', "bintec-capi":'''BinTec-CAPI''', "bintec-tapi":'''BinTec-TAPI''', "patrol-mq-gm":'''Patrol for MQ GM''', "patrol-mq-nm":'''Patrol for MQ NM''', "extensis":'''extensis''', "alarm-clock-s":'''Alarm Clock Server''', "alarm-clock-c":'''Alarm Clock Client''', "toad":'''TOAD''', "tve-announce":'''TVE Announce''', "newlixreg":'''newlixreg''', "nhserver":'''nhserver''', "firstcall42":'''First Call 42''', "ewnn":'''ewnn''', "ttc-etap":'''TTC ETAP''', "simslink":'''SIMSLink''', "gadgetgate1way":'''Gadget Gate 1 Way''', "gadgetgate2way":'''Gadget Gate 2 Way''', "syncserverssl":'''Sync Server SSL''', "pxc-sapxom":'''pxc-sapxom''', "mpnjsomb":'''mpnjsomb''', "ncdloadbalance":'''NCDLoadBalance''', "mpnjsosv":'''mpnjsosv''', "mpnjsocl":'''mpnjsocl''', "mpnjsomg":'''mpnjsomg''', "pq-lic-mgmt":'''pq-lic-mgmt''', "md-cg-http":'''md-cf-http''', "fastlynx":'''FastLynx''', "hp-nnm-data":'''HP NNM Embedded Database''', "itinternet":'''ITInternet ISM Server''', "admins-lms":'''Admins LMS''', "pwrsevent":'''pwrsevent''', "vspread":'''VSPREAD''', "unifyadmin":'''Unify Admin''', "oce-snmp-trap":'''Oce SNMP Trap Port''', "mck-ivpip":'''MCK-IVPIP''', "csoft-plusclnt":'''Csoft Plus Client''', "tqdata":'''tqdata''', "sms-rcinfo":'''SMS RCINFO''', "sms-xfer":'''SMS XFER''', "sms-chat":'''SMS CHAT''', "sms-remctrl":'''SMS REMCTRL''', "sds-admin":'''SDS Admin''', "ncdmirroring":'''NCD Mirroring''', "emcsymapiport":'''EMCSYMAPIPORT''', "banyan-net":'''Banyan-Net''', "supermon":'''Supermon''', "sso-service":'''SSO Service''', "sso-control":'''SSO Control''', "aocp":'''Axapta Object Communication Protocol''', "raventbs":'''Raven Trinity Broker Service''', "raventdm":'''Raven Trinity Data Mover''', "hpstgmgr2":'''HPSTGMGR2''', "inova-ip-disco":'''Inova IP Disco''', "pn-requester":'''PN REQUESTER''', "pn-requester2":'''PN REQUESTER 2''', "scan-change":'''Scan & Change''', "wkars":'''wkars''', "smart-diagnose":'''Smart Diagnose''', "proactivesrvr":'''Proactive Server''', "watchdog-nt":'''WatchDog NT Protocol''', "qotps":'''qotps''', "msolap-ptp2":'''MSOLAP PTP2''', "tams":'''TAMS''', "mgcp-callagent":'''Media Gateway Control Protocol Call Agent''', "sqdr":'''SQDR''', "tcim-control":'''TCIM Control''', "nec-raidplus":'''NEC RaidPlus''', "fyre-messanger":'''Fyre Messanger''', "g5m":'''G5M''', "signet-ctf":'''Signet CTF''', "ccs-software":'''CCS Software''', "netiq-mc":'''NetIQ Monitor Console''', "radwiz-nms-srv":'''RADWIZ NMS SRV''', "srp-feedback":'''SRP Feedback''', "ndl-tcp-ois-gw":'''NDL TCP-OSI Gateway''', "tn-timing":'''TN Timing''', "alarm":'''Alarm''', "tsb":'''TSB''', "tsb2":'''TSB2''', "murx":'''murx''', "honyaku":'''honyaku''', "urbisnet":'''URBISNET''', "cpudpencap":'''CPUDPENCAP''', "fjippol-swrly":'''''', "fjippol-polsvr":'''''', "fjippol-cnsl":'''''', "fjippol-port1":'''''', "fjippol-port2":'''''', "rsisysaccess":'''RSISYS ACCESS''', "de-spot":'''de-spot''', "apollo-cc":'''APOLLO CC''', "expresspay":'''Express Pay''', "simplement-tie":'''simplement-tie''', "cnrp":'''CNRP''', "apollo-status":'''APOLLO Status''', "apollo-gms":'''APOLLO GMS''', "sabams":'''Saba MS''', "dicom-iscl":'''DICOM ISCL''', "dicom-tls":'''DICOM TLS''', "desktop-dna":'''Desktop DNA''', "data-insurance":'''Data Insurance''', "qip-audup":'''qip-audup''', "compaq-scp":'''Compaq SCP''', "uadtc":'''UADTC''', "uacs":'''UACS''', "exce":'''eXcE''', "veronica":'''Veronica''', "vergencecm":'''Vergence CM''', "auris":'''auris''', "rbakcup1":'''RBackup Remote Backup''', "rbakcup2":'''RBackup Remote Backup''', "smpp":'''SMPP''', "ridgeway1":'''Ridgeway Systems & Software''', "ridgeway2":'''Ridgeway Systems & Software''', "gwen-sonya":'''Gwen-Sonya''', "lbc-sync":'''LBC Sync''', "lbc-control":'''LBC Control''', "whosells":'''whosells''', "everydayrc":'''everydayrc''', "aises":'''AISES''', "www-dev":'''world wide web - development''', "aic-np":'''aic-np''', "aic-oncrpc":'''aic-oncrpc - Destiny MCD database''', "piccolo":'''piccolo - Cornerstone Software''', "fryeserv":'''NetWare Loadable Module - Seagate Software''', "media-agent":'''Media Agent''', "plgproxy":'''PLG Proxy''', "mtport-regist":'''MT Port Registrator''', "f5-globalsite":'''f5-globalsite''', "initlsmsad":'''initlsmsad''', "livestats":'''LiveStats''', "ac-tech":'''ac-tech''', "esp-encap":'''esp-encap''', "tmesis-upshot":'''TMESIS-UPShot''', "icon-discover":'''ICON Discover''', "acc-raid":'''ACC RAID''', "igcp":'''IGCP''', "veritas-tcp1":'''Veritas TCP1''', "btprjctrl":'''btprjctrl''', "dvr-esm":'''March Networks Digital Video Recorders and Enterprise Service Manager products''', "wta-wsp-s":'''WTA WSP-S''', "cspuni":'''cspuni''', "cspmulti":'''cspmulti''', "j-lan-p":'''J-LAN-P''', "corbaloc":'''CORBA LOC''', "netsteward":'''Active Net Steward''', "gsiftp":'''GSI FTP''', "atmtcp":'''atmtcp''', "llm-pass":'''llm-pass''', "llm-csv":'''llm-csv''', "lbc-measure":'''LBC Measurement''', "lbc-watchdog":'''LBC Watchdog''', "nmsigport":'''NMSig Port''', "rmlnk":'''rmlnk''', "fc-faultnotify":'''FC Fault Notification''', "univision":'''UniVision''', "vrts-at-port":'''VERITAS Authentication Service''', "ka0wuc":'''ka0wuc''', "cqg-netlan":'''CQG Net/LAN''', "cqg-netlan-1":'''CQG Net/LAN 1''', "slc-systemlog":'''slc systemlog''', "slc-ctrlrloops":'''slc ctrlrloops''', "itm-lm":'''ITM License Manager''', "silkp1":'''silkp1''', "silkp2":'''silkp2''', "silkp3":'''silkp3''', "silkp4":'''silkp4''', "glishd":'''glishd''', "evtp":'''EVTP''', "evtp-data":'''EVTP-DATA''', "catalyst":'''catalyst''', "repliweb":'''Repliweb''', "starbot":'''Starbot''', "nmsigport":'''NMSigPort''', "l3-exprt":'''l3-exprt''', "l3-ranger":'''l3-ranger''', "l3-hawk":'''l3-hawk''', "pdnet":'''PDnet''', "bpcp-poll":'''BPCP POLL''', "bpcp-trap":'''BPCP TRAP''', "aimpp-hello":'''AIMPP Hello''', "aimpp-port-req":'''AIMPP Port Req''', "amt-blc-port":'''AMT-BLC-PORT''', "fxp":'''FXP''', "metaconsole":'''MetaConsole''', "webemshttp":'''webemshttp''', "bears-01":'''bears-01''', "ispipes":'''ISPipes''', "infomover":'''InfoMover''', "msrp":'''MSRP over TCP''', "cesdinv":'''cesdinv''', "simctlp":'''SimCtIP''', "ecnp":'''ECNP''', "activememory":'''Active Memory''', "dialpad-voice1":'''Dialpad Voice 1''', "dialpad-voice2":'''Dialpad Voice 2''', "ttg-protocol":'''TTG Protocol''', "sonardata":'''Sonar Data''', "astromed-main":'''main 5001 cmd''', "pit-vpn":'''pit-vpn''', "iwlistener":'''iwlistener''', "esps-portal":'''esps-portal''', "npep-messaging":'''NPEP Messaging''', "icslap":'''ICSLAP''', "daishi":'''daishi''', "msi-selectplay":'''MSI Select Play''', "radix":'''RADIX''', "dxmessagebase1":'''DX Message Base Transport Protocol''', "dxmessagebase2":'''DX Message Base Transport Protocol''', "sps-tunnel":'''SPS Tunnel''', "bluelance":'''BLUELANCE''', "aap":'''AAP''', "ucentric-ds":'''ucentric-ds''', "synapse":'''Synapse Transport''', "ndsp":'''NDSP''', "ndtp":'''NDTP''', "ndnp":'''NDNP''', "flashmsg":'''Flash Msg''', "topflow":'''TopFlow''', "responselogic":'''RESPONSELOGIC''', "aironetddp":'''aironet''', "spcsdlobby":'''SPCSDLOBBY''', "rsom":'''RSOM''', "cspclmulti":'''CSPCLMULTI''', "cinegrfx-elmd":'''CINEGRFX-ELMD License Manager''', "snifferdata":'''SNIFFERDATA''', "vseconnector":'''VSECONNECTOR''', "abacus-remote":'''ABACUS-REMOTE''', "natuslink":'''NATUS LINK''', "ecovisiong6-1":'''ECOVISIONG6-1''', "citrix-rtmp":'''Citrix RTMP''', "appliance-cfg":'''APPLIANCE-CFG''', "powergemplus":'''POWERGEMPLUS''', "quicksuite":'''QUICKSUITE''', "allstorcns":'''ALLSTORCNS''', "netaspi":'''NET ASPI''', "suitcase":'''SUITCASE''', "m2ua":'''M2UA''', "m3ua":'''M3UA''', "caller9":'''CALLER9''', "webmethods-b2b":'''WEBMETHODS B2B''', "mao":'''mao''', "funk-dialout":'''Funk Dialout''', "tdaccess":'''TDAccess''', "blockade":'''Blockade''', "epicon":'''Epicon''', "boosterware":'''Booster Ware''', "gamelobby":'''Game Lobby''', "tksocket":'''TK Socket''', "elvin-server":'''Elvin Server IANA assigned this well-formed service name as a replacement for "elvin_server".''', "elvin_server":'''Elvin Server''', "elvin-client":'''Elvin Client IANA assigned this well-formed service name as a replacement for "elvin_client".''', "elvin_client":'''Elvin Client''', "kastenchasepad":'''Kasten Chase Pad''', "roboer":'''roboER''', "roboeda":'''roboEDA''', "cesdcdman":'''CESD Contents Delivery Management''', "cesdcdtrn":'''CESD Contents Delivery Data Transfer''', "wta-wsp-wtp-s":'''WTA-WSP-WTP-S''', "precise-vip":'''PRECISE-VIP''', "mobile-file-dl":'''MOBILE-FILE-DL''', "unimobilectrl":'''UNIMOBILECTRL''', "redstone-cpss":'''REDSTONE-CPSS''', "amx-webadmin":'''AMX-WEBADMIN''', "amx-weblinx":'''AMX-WEBLINX''', "circle-x":'''Circle-X''', "incp":'''INCP''', "4-tieropmgw":'''4-TIER OPM GW''', "4-tieropmcli":'''4-TIER OPM CLI''', "qtp":'''QTP''', "otpatch":'''OTPatch''', "pnaconsult-lm":'''PNACONSULT-LM''', "sm-pas-1":'''SM-PAS-1''', "sm-pas-2":'''SM-PAS-2''', "sm-pas-3":'''SM-PAS-3''', "sm-pas-4":'''SM-PAS-4''', "sm-pas-5":'''SM-PAS-5''', "ttnrepository":'''TTNRepository''', "megaco-h248":'''Megaco H-248''', "h248-binary":'''H248 Binary''', "fjsvmpor":'''FJSVmpor''', "gpsd":'''GPS Daemon request/response protocol''', "wap-push":'''WAP PUSH''', "wap-pushsecure":'''WAP PUSH SECURE''', "esip":'''ESIP''', "ottp":'''OTTP''', "mpfwsas":'''MPFWSAS''', "ovalarmsrv":'''OVALARMSRV''', "ovalarmsrv-cmd":'''OVALARMSRV-CMD''', "csnotify":'''CSNOTIFY''', "ovrimosdbman":'''OVRIMOSDBMAN''', "jmact5":'''JAMCT5''', "jmact6":'''JAMCT6''', "rmopagt":'''RMOPAGT''', "dfoxserver":'''DFOXSERVER''', "boldsoft-lm":'''BOLDSOFT-LM''', "iph-policy-cli":'''IPH-POLICY-CLI''', "iph-policy-adm":'''IPH-POLICY-ADM''', "bullant-srap":'''BULLANT SRAP''', "bullant-rap":'''BULLANT RAP''', "idp-infotrieve":'''IDP-INFOTRIEVE''', "ssc-agent":'''SSC-AGENT''', "enpp":'''ENPP''', "essp":'''ESSP''', "index-net":'''INDEX-NET''', "netclip":'''NetClip clipboard daemon''', "pmsm-webrctl":'''PMSM Webrctl''', "svnetworks":'''SV Networks''', "signal":'''Signal''', "fjmpcm":'''Fujitsu Configuration Management Service''', "cns-srv-port":'''CNS Server Port''', "ttc-etap-ns":'''TTCs Enterprise Test Access Protocol - NS''', "ttc-etap-ds":'''TTCs Enterprise Test Access Protocol - DS''', "h263-video":'''H.263 Video Streaming''', "wimd":'''Instant Messaging Service''', "mylxamport":'''MYLXAMPORT''', "iwb-whiteboard":'''IWB-WHITEBOARD''', "netplan":'''NETPLAN''', "hpidsadmin":'''HPIDSADMIN''', "hpidsagent":'''HPIDSAGENT''', "stonefalls":'''STONEFALLS''', "identify":'''identify''', "hippad":'''HIPPA Reporting Protocol''', "zarkov":'''ZARKOV Intelligent Agent Communication''', "boscap":'''BOSCAP''', "wkstn-mon":'''WKSTN-MON''', "avenyo":'''Avenyo Server''', "veritas-vis1":'''VERITAS VIS1''', "veritas-vis2":'''VERITAS VIS2''', "idrs":'''IDRS''', "vsixml":'''vsixml''', "rebol":'''REBOL''', "realsecure":'''Real Secure''', "remoteware-un":'''RemoteWare Unassigned''', "hbci":'''HBCI''', "remoteware-cl":'''RemoteWare Client''', "exlm-agent":'''EXLM Agent''', "remoteware-srv":'''RemoteWare Server''', "cgms":'''CGMS''', "csoftragent":'''Csoft Agent''', "geniuslm":'''Genius License Manager''', "ii-admin":'''Instant Internet Admin''', "lotusmtap":'''Lotus Mail Tracking Agent Protocol''', "midnight-tech":'''Midnight Technologies''', "pxc-ntfy":'''PXC-NTFY''', "gw":'''Telerate Workstation''', "trusted-web":'''Trusted Web''', "twsdss":'''Trusted Web Client''', "gilatskysurfer":'''Gilat Sky Surfer''', "broker-service":'''Broker Service IANA assigned this well-formed service name as a replacement for "broker_service".''', "broker_service":'''Broker Service''', "nati-dstp":'''NATI DSTP''', "notify-srvr":'''Notify Server IANA assigned this well-formed service name as a replacement for "notify_srvr".''', "notify_srvr":'''Notify Server''', "event-listener":'''Event Listener IANA assigned this well-formed service name as a replacement for "event_listener".''', "event_listener":'''Event Listener''', "srvc-registry":'''Service Registry IANA assigned this well-formed service name as a replacement for "srvc_registry".''', "srvc_registry":'''Service Registry''', "resource-mgr":'''Resource Manager IANA assigned this well-formed service name as a replacement for "resource_mgr".''', "resource_mgr":'''Resource Manager''', "cifs":'''CIFS''', "agriserver":'''AGRI Server''', "csregagent":'''CSREGAGENT''', "magicnotes":'''magicnotes''', "nds-sso":'''NDS_SSO IANA assigned this well-formed service name as a replacement for "nds_sso".''', "nds_sso":'''NDS_SSO''', "arepa-raft":'''Arepa Raft''', "agri-gateway":'''AGRI Gateway''', "LiebDevMgmt-C":'''LiebDevMgmt_C IANA assigned this well-formed service name as a replacement for "LiebDevMgmt_C".''', "LiebDevMgmt_C":'''LiebDevMgmt_C''', "LiebDevMgmt-DM":'''LiebDevMgmt_DM IANA assigned this well-formed service name as a replacement for "LiebDevMgmt_DM".''', "LiebDevMgmt_DM":'''LiebDevMgmt_DM''', "LiebDevMgmt-A":'''LiebDevMgmt_A IANA assigned this well-formed service name as a replacement for "LiebDevMgmt_A".''', "LiebDevMgmt_A":'''LiebDevMgmt_A''', "arepa-cas":'''Arepa Cas''', "eppc":'''Remote AppleEvents/PPC Toolbox''', "redwood-chat":'''Redwood Chat''', "pdb":'''PDB''', "osmosis-aeea":'''Osmosis / Helix (R) AEEA Port''', "fjsv-gssagt":'''FJSV gssagt''', "hagel-dump":'''Hagel DUMP''', "hp-san-mgmt":'''HP SAN Mgmt''', "santak-ups":'''Santak UPS''', "cogitate":'''Cogitate, Inc.''', "tomato-springs":'''Tomato Springs''', "di-traceware":'''di-traceware''', "journee":'''journee''', "brp":'''Broadcast Routing Protocol''', "epp":'''EndPoint Protocol''', "responsenet":'''ResponseNet''', "di-ase":'''di-ase''', "hlserver":'''Fast Security HL Server''', "pctrader":'''Sierra Net PC Trader''', "nsws":'''NSWS''', "gds-db":'''gds_db IANA assigned this well-formed service name as a replacement for "gds_db".''', "gds_db":'''gds_db''', "galaxy-server":'''Galaxy Server''', "apc-3052":'''APC 3052''', "dsom-server":'''dsom-server''', "amt-cnf-prot":'''AMT CNF PROT''', "policyserver":'''Policy Server''', "cdl-server":'''CDL Server''', "goahead-fldup":'''GoAhead FldUp''', "videobeans":'''videobeans''', "qsoft":'''qsoft''', "interserver":'''interserver''', "cautcpd":'''cautcpd''', "ncacn-ip-tcp":'''ncacn-ip-tcp''', "ncadg-ip-udp":'''ncadg-ip-udp''', "rprt":'''Remote Port Redirector''', "slinterbase":'''slinterbase''', "netattachsdmp":'''NETATTACHSDMP''', "fjhpjp":'''FJHPJP''', "ls3bcast":'''ls3 Broadcast''', "ls3":'''ls3''', "mgxswitch":'''MGXSWITCH''', "csd-mgmt-port":'''ContinuStor Manager Port''', "csd-monitor":'''ContinuStor Monitor Port''', "vcrp":'''Very simple chatroom prot''', "xbox":'''Xbox game port''', "orbix-locator":'''Orbix 2000 Locator''', "orbix-config":'''Orbix 2000 Config''', "orbix-loc-ssl":'''Orbix 2000 Locator SSL''', "orbix-cfg-ssl":'''Orbix 2000 Locator SSL''', "lv-frontpanel":'''LV Front Panel''', "stm-pproc":'''stm_pproc IANA assigned this well-formed service name as a replacement for "stm_pproc".''', "stm_pproc":'''stm_pproc''', "tl1-lv":'''TL1-LV''', "tl1-raw":'''TL1-RAW''', "tl1-telnet":'''TL1-TELNET''', "itm-mccs":'''ITM-MCCS''', "pcihreq":'''PCIHReq''', "jdl-dbkitchen":'''JDL-DBKitchen''', "asoki-sma":'''Asoki SMA''', "xdtp":'''eXtensible Data Transfer Protocol''', "ptk-alink":'''ParaTek Agent Linking''', "stss":'''Senforce Session Services''', "1ci-smcs":'''1Ci Server Management''', "rapidmq-center":'''Jiiva RapidMQ Center''', "rapidmq-reg":'''Jiiva RapidMQ Registry''', "panasas":'''Panasas rendevous port''', "ndl-aps":'''Active Print Server Port''', "umm-port":'''Universal Message Manager''', "chmd":'''CHIPSY Machine Daemon''', "opcon-xps":'''OpCon/xps''', "hp-pxpib":'''HP PolicyXpert PIB Server''', "slslavemon":'''SoftlinK Slave Mon Port''', "autocuesmi":'''Autocue SMI Protocol''', "autocuelog":'''Autocue Logger Protocol''', "cardbox":'''Cardbox''', "cardbox-http":'''Cardbox HTTP''', "business":'''Business protocol''', "geolocate":'''Geolocate protocol''', "personnel":'''Personnel protocol''', "sim-control":'''simulator control port''', "wsynch":'''Web Synchronous Services''', "ksysguard":'''KDE System Guard''', "cs-auth-svr":'''CS-Authenticate Svr Port''', "ccmad":'''CCM AutoDiscover''', "mctet-master":'''MCTET Master''', "mctet-gateway":'''MCTET Gateway''', "mctet-jserv":'''MCTET Jserv''', "pkagent":'''PKAgent''', "d2000kernel":'''D2000 Kernel Port''', "d2000webserver":'''D2000 Webserver Port''', "vtr-emulator":'''MTI VTR Emulator port''', "edix":'''EDI Translation Protocol''', "beacon-port":'''Beacon Port''', "a13-an":'''A13-AN Interface''', "ctx-bridge":'''CTX Bridge Port''', "ndl-aas":'''Active API Server Port''', "netport-id":'''NetPort Discovery Port''', "icpv2":'''ICPv2''', "netbookmark":'''Net Book Mark''', "ms-rule-engine":'''Microsoft Business Rule Engine Update Service''', "prism-deploy":'''Prism Deploy User Port''', "ecp":'''Extensible Code Protocol''', "peerbook-port":'''PeerBook Port''', "grubd":'''Grub Server Port''', "rtnt-1":'''rtnt-1 data packets''', "rtnt-2":'''rtnt-2 data packets''', "incognitorv":'''Incognito Rendez-Vous''', "ariliamulti":'''Arilia Multiplexor''', "vmodem":'''VMODEM''', "rdc-wh-eos":'''RDC WH EOS''', "seaview":'''Sea View''', "tarantella":'''Tarantella''', "csi-lfap":'''CSI-LFAP''', "bears-02":'''bears-02''', "rfio":'''RFIO''', "nm-game-admin":'''NetMike Game Administrator''', "nm-game-server":'''NetMike Game Server''', "nm-asses-admin":'''NetMike Assessor Administrator''', "nm-assessor":'''NetMike Assessor''', "feitianrockey":'''FeiTian Port''', "s8-client-port":'''S8Cargo Client Port''', "ccmrmi":'''ON RMI Registry''', "jpegmpeg":'''JpegMpeg Port''', "indura":'''Indura Collector''', "e3consultants":'''CCC Listener Port''', "stvp":'''SmashTV Protocol''', "navegaweb-port":'''NavegaWeb Tarification''', "tip-app-server":'''TIP Application Server''', "doc1lm":'''DOC1 License Manager''', "sflm":'''SFLM''', "res-sap":'''RES-SAP''', "imprs":'''IMPRS''', "newgenpay":'''Newgenpay Engine Service''', "sossecollector":'''Quest Spotlight Out-Of-Process Collector''', "nowcontact":'''Now Contact Public Server''', "poweronnud":'''Now Up-to-Date Public Server''', "serverview-as":'''SERVERVIEW-AS''', "serverview-asn":'''SERVERVIEW-ASN''', "serverview-gf":'''SERVERVIEW-GF''', "serverview-rm":'''SERVERVIEW-RM''', "serverview-icc":'''SERVERVIEW-ICC''', "armi-server":'''ARMI Server''', "t1-e1-over-ip":'''T1_E1_Over_IP''', "ars-master":'''ARS Master''', "phonex-port":'''Phonex Protocol''', "radclientport":'''Radiance UltraEdge Port''', "h2gf-w-2m":'''H2GF W.2m Handover prot.''', "mc-brk-srv":'''Millicent Broker Server''', "bmcpatrolagent":'''BMC Patrol Agent''', "bmcpatrolrnvu":'''BMC Patrol Rendezvous''', "cops-tls":'''COPS/TLS''', "apogeex-port":'''ApogeeX Port''', "smpppd":'''SuSE Meta PPPD''', "iiw-port":'''IIW Monitor User Port''', "odi-port":'''Open Design Listen Port''', "brcm-comm-port":'''Broadcom Port''', "pcle-infex":'''Pinnacle Sys InfEx Port''', "csvr-proxy":'''ConServR Proxy''', "csvr-sslproxy":'''ConServR SSL Proxy''', "firemonrcc":'''FireMon Revision Control''', "spandataport":'''SpanDataPort''', "magbind":'''Rockstorm MAG protocol''', "ncu-1":'''Network Control Unit''', "ncu-2":'''Network Control Unit''', "embrace-dp-s":'''Embrace Device Protocol Server''', "embrace-dp-c":'''Embrace Device Protocol Client''', "dmod-workspace":'''DMOD WorkSpace''', "tick-port":'''Press-sense Tick Port''', "cpq-tasksmart":'''CPQ-TaskSmart''', "intraintra":'''IntraIntra''', "netwatcher-mon":'''Network Watcher Monitor''', "netwatcher-db":'''Network Watcher DB Access''', "isns":'''iSNS Server Port''', "ironmail":'''IronMail POP Proxy''', "vx-auth-port":'''Veritas Authentication Port''', "pfu-prcallback":'''PFU PR Callback''', "netwkpathengine":'''HP OpenView Network Path Engine Server''', "flamenco-proxy":'''Flamenco Networks Proxy''', "avsecuremgmt":'''Avocent Secure Management''', "surveyinst":'''Survey Instrument''', "neon24x7":'''NEON 24X7 Mission Control''', "jmq-daemon-1":'''JMQ Daemon Port 1''', "jmq-daemon-2":'''JMQ Daemon Port 2''', "ferrari-foam":'''Ferrari electronic FOAM''', "unite":'''Unified IP & Telecom Environment''', "smartpackets":'''EMC SmartPackets''', "wms-messenger":'''WMS Messenger''', "xnm-ssl":'''XML NM over SSL''', "xnm-clear-text":'''XML NM over TCP''', "glbp":'''Gateway Load Balancing Pr''', "digivote":'''DIGIVOTE (R) Vote-Server''', "aes-discovery":'''AES Discovery Port''', "fcip-port":'''FCIP''', "isi-irp":'''ISI Industry Software IRP''', "dwnmshttp":'''DiamondWave NMS Server''', "dwmsgserver":'''DiamondWave MSG Server''', "global-cd-port":'''Global CD Port''', "sftdst-port":'''Software Distributor Port''', "vidigo":'''VidiGo communication (previous was: Delta Solutions Direct)''', "mdtp":'''MDT port''', "whisker":'''WhiskerControl main port''', "alchemy":'''Alchemy Server''', "mdap-port":'''MDAP port''', "apparenet-ts":'''appareNet Test Server''', "apparenet-tps":'''appareNet Test Packet Sequencer''', "apparenet-as":'''appareNet Analysis Server''', "apparenet-ui":'''appareNet User Interface''', "triomotion":'''Trio Motion Control Port''', "sysorb":'''SysOrb Monitoring Server''', "sdp-id-port":'''Session Description ID''', "timelot":'''Timelot Port''', "onesaf":'''OneSAF''', "vieo-fe":'''VIEO Fabric Executive''', "dvt-system":'''DVT SYSTEM PORT''', "dvt-data":'''DVT DATA LINK''', "procos-lm":'''PROCOS LM''', "ssp":'''State Sync Protocol''', "hicp":'''HMS hicp port''', "sysscanner":'''Sys Scanner''', "dhe":'''DHE port''', "pda-data":'''PDA Data''', "pda-sys":'''PDA System''', "semaphore":'''Semaphore Connection Port''', "cpqrpm-agent":'''Compaq RPM Agent Port''', "cpqrpm-server":'''Compaq RPM Server Port''', "ivecon-port":'''Ivecon Server Port''', "epncdp2":'''Epson Network Common Devi''', "iscsi-target":'''iSCSI port''', "winshadow":'''winShadow''', "necp":'''NECP''', "ecolor-imager":'''E-Color Enterprise Imager''', "ccmail":'''cc:mail/lotus''', "altav-tunnel":'''Altav Tunnel''', "ns-cfg-server":'''NS CFG Server''', "ibm-dial-out":'''IBM Dial Out''', "msft-gc":'''Microsoft Global Catalog''', "msft-gc-ssl":'''Microsoft Global Catalog with LDAP/SSL''', "verismart":'''Verismart''', "csoft-prev":'''CSoft Prev Port''', "user-manager":'''Fujitsu User Manager''', "sxmp":'''Simple Extensible Multiplexed Protocol''', "ordinox-server":'''Ordinox Server''', "samd":'''SAMD''', "maxim-asics":'''Maxim ASICs''', "awg-proxy":'''AWG Proxy''', "lkcmserver":'''LKCM Server''', "admind":'''admind''', "vs-server":'''VS Server''', "sysopt":'''SYSOPT''', "datusorb":'''Datusorb''', "Apple Remote Desktop (Net Assistant)":'''Net Assistant''', "4talk":'''4Talk''', "plato":'''Plato''', "e-net":'''E-Net''', "directvdata":'''DIRECTVDATA''', "cops":'''COPS''', "enpc":'''ENPC''', "caps-lm":'''CAPS LOGISTICS TOOLKIT - LM''', "sah-lm":'''S A Holditch & Associates - LM''', "cart-o-rama":'''Cart O Rama''', "fg-fps":'''fg-fps''', "fg-gip":'''fg-gip''', "dyniplookup":'''Dynamic IP Lookup''', "rib-slm":'''Rib License Manager''', "cytel-lm":'''Cytel License Manager''', "deskview":'''DeskView''', "pdrncs":'''pdrncs''', "mcs-fastmail":'''MCS Fastmail''', "opsession-clnt":'''OP Session Client''', "opsession-srvr":'''OP Session Server''', "odette-ftp":'''ODETTE-FTP''', "mysql":'''MySQL''', "opsession-prxy":'''OP Session Proxy''', "tns-server":'''TNS Server''', "tns-adv":'''TNS ADV''', "dyna-access":'''Dyna Access''', "mcns-tel-ret":'''MCNS Tel Ret''', "appman-server":'''Application Management Server''', "uorb":'''Unify Object Broker''', "uohost":'''Unify Object Host''', "cdid":'''CDID''', "aicc-cmi":'''AICC/CMI''', "vsaiport":'''VSAI PORT''', "ssrip":'''Swith to Swith Routing Information Protocol''', "sdt-lmd":'''SDT License Manager''', "officelink2000":'''Office Link 2000''', "vnsstr":'''VNSSTR''', "sftu":'''SFTU''', "bbars":'''BBARS''', "egptlm":'''Eaglepoint License Manager''', "hp-device-disc":'''HP Device Disc''', "mcs-calypsoicf":'''MCS Calypso ICF''', "mcs-messaging":'''MCS Messaging''', "mcs-mailsvr":'''MCS Mail Server''', "dec-notes":'''DEC Notes''', "directv-web":'''Direct TV Webcasting''', "directv-soft":'''Direct TV Software Updates''', "directv-tick":'''Direct TV Tickers''', "directv-catlg":'''Direct TV Data Catalog''', "anet-b":'''OMF data b''', "anet-l":'''OMF data l''', "anet-m":'''OMF data m''', "anet-h":'''OMF data h''', "webtie":'''WebTIE''', "ms-cluster-net":'''MS Cluster Net''', "bnt-manager":'''BNT Manager''', "influence":'''Influence''', "trnsprntproxy":'''Trnsprnt Proxy''', "phoenix-rpc":'''Phoenix RPC''', "pangolin-laser":'''Pangolin Laser''', "chevinservices":'''Chevin Services''', "findviatv":'''FINDVIATV''', "btrieve":'''Btrieve port''', "ssql":'''Scalable SQL''', "fatpipe":'''FATPIPE''', "suitjd":'''SUITJD''', "ordinox-dbase":'''Ordinox Dbase''', "upnotifyps":'''UPNOTIFYPS''', "adtech-test":'''Adtech Test IP''', "mpsysrmsvr":'''Mp Sys Rmsvr''', "wg-netforce":'''WG NetForce''', "kv-server":'''KV Server''', "kv-agent":'''KV Agent''', "dj-ilm":'''DJ ILM''', "nati-vi-server":'''NATI Vi Server''', "creativeserver":'''Creative Server''', "contentserver":'''Content Server''', "creativepartnr":'''Creative Partner''', "tip2":'''TIP 2''', "lavenir-lm":'''Lavenir License Manager''', "cluster-disc":'''Cluster Disc''', "vsnm-agent":'''VSNM Agent''', "cdbroker":'''CD Broker''', "cogsys-lm":'''Cogsys Network License Manager''', "wsicopy":'''WSICOPY''', "socorfs":'''SOCORFS''', "sns-channels":'''SNS Channels''', "geneous":'''Geneous''', "fujitsu-neat":'''Fujitsu Network Enhanced Antitheft function''', "esp-lm":'''Enterprise Software Products License Manager''', "hp-clic":'''Cluster Management Services''', "qnxnetman":'''qnxnetman''', "gprs-data":'''GPRS Data''', "backroomnet":'''Back Room Net''', "cbserver":'''CB Server''', "ms-wbt-server":'''MS WBT Server''', "dsc":'''Distributed Service Coordinator''', "savant":'''SAVANT''', "efi-lm":'''EFI License Management''', "d2k-tapestry1":'''D2K Tapestry Client to Server''', "d2k-tapestry2":'''D2K Tapestry Server to Server''', "dyna-lm":'''Dyna License Manager (Elam)''', "printer-agent":'''Printer Agent IANA assigned this well-formed service name as a replacement for "printer_agent".''', "printer_agent":'''Printer Agent''', "cloanto-lm":'''Cloanto License Manager''', "mercantile":'''Mercantile''', "csms":'''CSMS''', "csms2":'''CSMS2''', "filecast":'''filecast''', "fxaengine-net":'''FXa Engine Network Port''', "nokia-ann-ch1":'''Nokia Announcement ch 1''', "nokia-ann-ch2":'''Nokia Announcement ch 2''', "ldap-admin":'''LDAP admin server port''', "BESApi":'''BES Api Port''', "networklens":'''NetworkLens Event Port''', "networklenss":'''NetworkLens SSL Event''', "biolink-auth":'''BioLink Authenteon server''', "xmlblaster":'''xmlBlaster''', "svnet":'''SpecView Networking''', "wip-port":'''BroadCloud WIP Port''', "bcinameservice":'''BCI Name Service''', "commandport":'''AirMobile IS Command Port''', "csvr":'''ConServR file translation''', "rnmap":'''Remote nmap''', "softaudit":'''Isogon SoftAudit''', "ifcp-port":'''iFCP User Port''', "bmap":'''Bull Apprise portmapper''', "rusb-sys-port":'''Remote USB System Port''', "xtrm":'''xTrade Reliable Messaging''', "xtrms":'''xTrade over TLS/SSL''', "agps-port":'''AGPS Access Port''', "arkivio":'''Arkivio Storage Protocol''', "websphere-snmp":'''WebSphere SNMP''', "twcss":'''2Wire CSS''', "gcsp":'''GCSP user port''', "ssdispatch":'''Scott Studios Dispatch''', "ndl-als":'''Active License Server Port''', "osdcp":'''Secure Device Protocol''', "opnet-smp":'''OPNET Service Management Platform''', "opencm":'''OpenCM Server''', "pacom":'''Pacom Security User Port''', "gc-config":'''GuardControl Exchange Protocol''', "autocueds":'''Autocue Directory Service''', "spiral-admin":'''Spiralcraft Admin''', "hri-port":'''HRI Interface Port''', "ans-console":'''Net Steward Mgmt Console''', "connect-client":'''OC Connect Client''', "connect-server":'''OC Connect Server''', "ov-nnm-websrv":'''OpenView Network Node Manager WEB Server''', "denali-server":'''Denali Server''', "monp":'''Media Object Network''', "3comfaxrpc":'''3Com FAX RPC port''', "directnet":'''DirectNet IM System''', "dnc-port":'''Discovery and Net Config''', "hotu-chat":'''HotU Chat''', "castorproxy":'''CAStorProxy''', "asam":'''ASAM Services''', "sabp-signal":'''SABP-Signalling Protocol''', "pscupd":'''PSC Update Port''', "mira":'''Apple Remote Access Protocol''', "prsvp":'''RSVP Port''', "vat":'''VAT default data''', "vat-control":'''VAT default control''', "d3winosfi":'''D3WinOSFI''', "integral":'''TIP Integral''', "edm-manager":'''EDM Manger''', "edm-stager":'''EDM Stager''', "edm-std-notify":'''EDM STD Notify''', "edm-adm-notify":'''EDM ADM Notify''', "edm-mgr-sync":'''EDM MGR Sync''', "edm-mgr-cntrl":'''EDM MGR Cntrl''', "workflow":'''WORKFLOW''', "rcst":'''RCST''', "ttcmremotectrl":'''TTCM Remote Controll''', "pluribus":'''Pluribus''', "jt400":'''jt400''', "jt400-ssl":'''jt400-ssl''', "jaugsremotec-1":'''JAUGS N-G Remotec 1''', "jaugsremotec-2":'''JAUGS N-G Remotec 2''', "ttntspauto":'''TSP Automation''', "genisar-port":'''Genisar Comm Port''', "nppmp":'''NVIDIA Mgmt Protocol''', "ecomm":'''eComm link port''', "stun":'''Session Traversal Utilities for NAT (STUN) port''', "turn":'''TURN over TCP''', "stun-behavior":'''STUN Behavior Discovery over TCP''', "twrpc":'''2Wire RPC''', "plethora":'''Secure Virtual Workspace''', "cleanerliverc":'''CleanerLive remote ctrl''', "vulture":'''Vulture Monitoring System''', "slim-devices":'''Slim Devices Protocol''', "gbs-stp":'''GBS SnapTalk Protocol''', "celatalk":'''CelaTalk''', "ifsf-hb-port":'''IFSF Heartbeat Port''', "ltctcp":'''LISA TCP Transfer Channel''', "fs-rh-srv":'''FS Remote Host Server''', "dtp-dia":'''DTP/DIA''', "colubris":'''Colubris Management Port''', "swr-port":'''SWR Port''', "tvdumtray-port":'''TVDUM Tray Port''', "nut":'''Network UPS Tools''', "ibm3494":'''IBM 3494''', "seclayer-tcp":'''securitylayer over tcp''', "seclayer-tls":'''securitylayer over tls''', "ipether232port":'''ipEther232Port''', "dashpas-port":'''DASHPAS user port''', "sccip-media":'''SccIP Media''', "rtmp-port":'''RTMP Port''', "isoft-p2p":'''iSoft-P2P''', "avinstalldisc":'''Avocent Install Discovery''', "lsp-ping":'''MPLS LSP-echo Port''', "ironstorm":'''IronStorm game server''', "ccmcomm":'''CCM communications port''', "apc-3506":'''APC 3506''', "nesh-broker":'''Nesh Broker Port''', "interactionweb":'''Interaction Web''', "vt-ssl":'''Virtual Token SSL Port''', "xss-port":'''XSS Port''', "webmail-2":'''WebMail/2''', "aztec":'''Aztec Distribution Port''', "arcpd":'''Adaptec Remote Protocol''', "must-p2p":'''MUST Peer to Peer''', "must-backplane":'''MUST Backplane''', "smartcard-port":'''Smartcard Port''', "802-11-iapp":'''IEEE 802.11 WLANs WG IAPP''', "artifact-msg":'''Artifact Message Server''', "nvmsgd":'''Netvion Messenger Port''', "galileolog":'''Netvion Galileo Log Port''', "mc3ss":'''Telequip Labs MC3SS''', "nfs-domainroot":'''NFS service for the domain root, the root of an organization's published file namespace.''', "nssocketport":'''DO over NSSocketPort''', "odeumservlink":'''Odeum Serverlink''', "ecmport":'''ECM Server port''', "eisport":'''EIS Server port''', "starquiz-port":'''starQuiz Port''', "beserver-msg-q":'''VERITAS Backup Exec Server''', "jboss-iiop":'''JBoss IIOP''', "jboss-iiop-ssl":'''JBoss IIOP/SSL''', "gf":'''Grid Friendly''', "joltid":'''Joltid''', "raven-rmp":'''Raven Remote Management Control''', "raven-rdp":'''Raven Remote Management Data''', "urld-port":'''URL Daemon Port''', "ms-la":'''MS-LA''', "snac":'''SNAC''', "ni-visa-remote":'''Remote NI-VISA port''', "ibm-diradm":'''IBM Directory Server''', "ibm-diradm-ssl":'''IBM Directory Server SSL''', "pnrp-port":'''PNRP User Port''', "voispeed-port":'''VoiSpeed Port''', "hacl-monitor":'''HA cluster monitor''', "qftest-lookup":'''qftest Lookup Port''', "teredo":'''Teredo Port''', "camac":'''CAMAC equipment''', "symantec-sim":'''Symantec SIM''', "interworld":'''Interworld''', "tellumat-nms":'''Tellumat MDR NMS''', "ssmpp":'''Secure SMPP''', "apcupsd":'''Apcupsd Information Port''', "taserver":'''TeamAgenda Server Port''', "rbr-discovery":'''Red Box Recorder ADP''', "questnotify":'''Quest Notification Server''', "razor":'''Vipul's Razor''', "sky-transport":'''Sky Transport Protocol''', "personalos-001":'''PersonalOS Comm Port''', "mcp-port":'''MCP user port''', "cctv-port":'''CCTV control port''', "iniserve-port":'''INIServe port''', "bmc-onekey":'''BMC-OneKey''', "sdbproxy":'''SDBProxy''', "watcomdebug":'''Watcom Debug''', "esimport":'''Electromed SIM port''', "m2pa":'''M2PA''', "quest-data-hub":'''Quest Data Hub''', "oap":'''Object Access Protocol''', "oap-s":'''Object Access Protocol over SSL''', "mbg-ctrl":'''Meinberg Control Service''', "mccwebsvr-port":'''MCC Web Server Port''', "megardsvr-port":'''MegaRAID Server Port''', "megaregsvrport":'''Registration Server Port''', "tag-ups-1":'''Advantage Group UPS Suite''', "dmaf-server":'''DMAF Server''', "ccm-port":'''Coalsere CCM Port''', "cmc-port":'''Coalsere CMC Port''', "config-port":'''Configuration Port''', "data-port":'''Data Port''', "ttat3lb":'''Tarantella Load Balancing''', "nati-svrloc":'''NATI-ServiceLocator''', "kfxaclicensing":'''Ascent Capture Licensing''', "press":'''PEG PRESS Server''', "canex-watch":'''CANEX Watch System''', "u-dbap":'''U-DBase Access Protocol''', "emprise-lls":'''Emprise License Server''', "emprise-lsc":'''License Server Console''', "p2pgroup":'''Peer to Peer Grouping''', "sentinel":'''Sentinel Server''', "isomair":'''isomair''', "wv-csp-sms":'''WV CSP SMS Binding''', "gtrack-server":'''LOCANIS G-TRACK Server''', "gtrack-ne":'''LOCANIS G-TRACK NE Port''', "bpmd":'''BP Model Debugger''', "mediaspace":'''MediaSpace''', "shareapp":'''ShareApp''', "iw-mmogame":'''Illusion Wireless MMOG''', "a14":'''A14 (AN-to-SC/MM)''', "a15":'''A15 (AN-to-AN)''', "quasar-server":'''Quasar Accounting Server''', "trap-daemon":'''text relay-answer''', "visinet-gui":'''Visinet Gui''', "infiniswitchcl":'''InfiniSwitch Mgr Client''', "int-rcv-cntrl":'''Integrated Rcvr Control''', "bmc-jmx-port":'''BMC JMX Port''', "comcam-io":'''ComCam IO Port''', "splitlock":'''Splitlock Server''', "precise-i3":'''Precise I3''', "trendchip-dcp":'''Trendchip control protocol''', "cpdi-pidas-cm":'''CPDI PIDAS Connection Mon''', "echonet":'''ECHONET''', "six-degrees":'''Six Degrees Port''', "hp-dataprotect":'''HP Data Protector''', "alaris-disc":'''Alaris Device Discovery''', "sigma-port":'''Satchwell Sigma''', "start-network":'''Start Messaging Network''', "cd3o-protocol":'''cd3o Control Protocol''', "sharp-server":'''ATI SHARP Logic Engine''', "aairnet-1":'''AAIR-Network 1''', "aairnet-2":'''AAIR-Network 2''', "ep-pcp":'''EPSON Projector Control Port''', "ep-nsp":'''EPSON Network Screen Port''', "ff-lr-port":'''FF LAN Redundancy Port''', "haipe-discover":'''HAIPIS Dynamic Discovery''', "dist-upgrade":'''Distributed Upgrade Port''', "volley":'''Volley''', "bvcdaemon-port":'''bvControl Daemon''', "jamserverport":'''Jam Server Port''', "ept-machine":'''EPT Machine Interface''', "escvpnet":'''ESC/VP.net''', "cs-remote-db":'''C&S Remote Database Port''', "cs-services":'''C&S Web Services Port''', "distcc":'''distributed compiler''', "wacp":'''Wyrnix AIS port''', "hlibmgr":'''hNTSP Library Manager''', "sdo":'''Simple Distributed Objects''', "servistaitsm":'''SerVistaITSM''', "scservp":'''Customer Service Port''', "ehp-backup":'''EHP Backup Protocol''', "xap-ha":'''Extensible Automation''', "netplay-port1":'''Netplay Port 1''', "netplay-port2":'''Netplay Port 2''', "juxml-port":'''Juxml Replication port''', "audiojuggler":'''AudioJuggler''', "ssowatch":'''ssowatch''', "cyc":'''Cyc''', "xss-srv-port":'''XSS Server Port''', "splitlock-gw":'''Splitlock Gateway''', "fjcp":'''Fujitsu Cooperation Port''', "nmmp":'''Nishioka Miyuki Msg Protocol''', "prismiq-plugin":'''PRISMIQ VOD plug-in''', "xrpc-registry":'''XRPC Registry''', "vxcrnbuport":'''VxCR NBU Default Port''', "tsp":'''Tunnel Setup Protocol''', "vaprtm":'''VAP RealTime Messenger''', "abatemgr":'''ActiveBatch Exec Agent''', "abatjss":'''ActiveBatch Job Scheduler''', "immedianet-bcn":'''ImmediaNet Beacon''', "ps-ams":'''PlayStation AMS (Secure)''', "apple-sasl":'''Apple SASL''', "can-nds-ssl":'''IBM Tivoli Directory Service using SSL''', "can-ferret-ssl":'''IBM Tivoli Directory Service using SSL''', "pserver":'''pserver''', "dtp":'''DIRECWAY Tunnel Protocol''', "ups-engine":'''UPS Engine Port''', "ent-engine":'''Enterprise Engine Port''', "eserver-pap":'''IBM eServer PAP''', "infoexch":'''IBM Information Exchange''', "dell-rm-port":'''Dell Remote Management''', "casanswmgmt":'''CA SAN Switch Management''', "smile":'''SMILE TCP/UDP Interface''', "efcp":'''e Field Control (EIBnet)''', "lispworks-orb":'''LispWorks ORB''', "mediavault-gui":'''Openview Media Vault GUI''', "wininstall-ipc":'''WinINSTALL IPC Port''', "calltrax":'''CallTrax Data Port''', "va-pacbase":'''VisualAge Pacbase server''', "roverlog":'''RoverLog IPC''', "ipr-dglt":'''DataGuardianLT''', "Escale (Newton Dock)":'''Newton Dock''', "npds-tracker":'''NPDS Tracker''', "bts-x73":'''BTS X73 Port''', "cas-mapi":'''EMC SmartPackets-MAPI''', "bmc-ea":'''BMC EDV/EA''', "faxstfx-port":'''FAXstfX''', "dsx-agent":'''DS Expert Agent''', "tnmpv2":'''Trivial Network Management''', "simple-push":'''simple-push''', "simple-push-s":'''simple-push Secure''', "daap":'''Digital Audio Access Protocol (iTunes)''', "svn":'''Subversion''', "magaya-network":'''Magaya Network Port''', "intelsync":'''Brimstone IntelSync''', "bmc-data-coll":'''BMC Data Collection''', "telnetcpcd":'''Telnet Com Port Control''', "nw-license":'''NavisWorks License System''', "sagectlpanel":'''SAGECTLPANEL''', "kpn-icw":'''Internet Call Waiting''', "lrs-paging":'''LRS NetPage''', "netcelera":'''NetCelera''', "ws-discovery":'''Web Service Discovery''', "adobeserver-3":'''Adobe Server 3''', "adobeserver-4":'''Adobe Server 4''', "adobeserver-5":'''Adobe Server 5''', "rt-event":'''Real-Time Event Port''', "rt-event-s":'''Real-Time Event Secure Port''', "sun-as-iiops":'''Sun App Svr - Naming''', "ca-idms":'''CA-IDMS Server''', "portgate-auth":'''PortGate Authentication''', "edb-server2":'''EBD Server 2''', "sentinel-ent":'''Sentinel Enterprise''', "tftps":'''TFTP over TLS''', "delos-dms":'''DELOS Direct Messaging''', "anoto-rendezv":'''Anoto Rendezvous Port''', "wv-csp-sms-cir":'''WV CSP SMS CIR Channel''', "wv-csp-udp-cir":'''WV CSP UDP/IP CIR Channel''', "opus-services":'''OPUS Server Port''', "itelserverport":'''iTel Server Port''', "ufastro-instr":'''UF Astro. Instr. Services''', "xsync":'''Xsync''', "xserveraid":'''Xserve RAID''', "sychrond":'''Sychron Service Daemon''', "blizwow":'''World of Warcraft''', "na-er-tip":'''Netia NA-ER Port''', "array-manager":'''Xyratex Array Manager''', "e-mdu":'''Ericsson Mobile Data Unit''', "e-woa":'''Ericsson Web on Air''', "fksp-audit":'''Fireking Audit Port''', "client-ctrl":'''Client Control''', "smap":'''Service Manager''', "m-wnn":'''Mobile Wnn''', "multip-msg":'''Multipuesto Msg Port''', "synel-data":'''Synel Data Collection Port''', "pwdis":'''Password Distribution''', "rs-rmi":'''RealSpace RMI''', "xpanel":'''XPanel Daemon''', "versatalk":'''versaTalk Server Port''', "launchbird-lm":'''Launchbird LicenseManager''', "heartbeat":'''Heartbeat Protocol''', "wysdma":'''WysDM Agent''', "cst-port":'''CST - Configuration & Service Tracker''', "ipcs-command":'''IP Control Systems Ltd.''', "sasg":'''SASG''', "gw-call-port":'''GWRTC Call Port''', "linktest":'''LXPRO.COM LinkTest''', "linktest-s":'''LXPRO.COM LinkTest SSL''', "webdata":'''webData''', "cimtrak":'''CimTrak''', "cbos-ip-port":'''CBOS/IP ncapsalation port''', "gprs-cube":'''CommLinx GPRS Cube''', "vipremoteagent":'''Vigil-IP RemoteAgent''', "nattyserver":'''NattyServer Port''', "timestenbroker":'''TimesTen Broker Port''', "sas-remote-hlp":'''SAS Remote Help Server''', "canon-capt":'''Canon CAPT Port''', "grf-port":'''GRF Server Port''', "apw-registry":'''apw RMI registry''', "exapt-lmgr":'''Exapt License Manager''', "adtempusclient":'''adTempus Client''', "gsakmp":'''gsakmp port''', "gbs-smp":'''GBS SnapMail Protocol''', "xo-wave":'''XO Wave Control Port''', "mni-prot-rout":'''MNI Protected Routing''', "rtraceroute":'''Remote Traceroute''', "listmgr-port":'''ListMGR Port''', "rblcheckd":'''rblcheckd server daemon''', "haipe-otnk":'''HAIPE Network Keying''', "cindycollab":'''Cinderella Collaboration''', "paging-port":'''RTP Paging Port''', "ctp":'''Chantry Tunnel Protocol''', "ctdhercules":'''ctdhercules''', "zicom":'''ZICOM''', "ispmmgr":'''ISPM Manager Port''', "dvcprov-port":'''Device Provisioning Port''', "jibe-eb":'''Jibe EdgeBurst''', "c-h-it-port":'''Cutler-Hammer IT Port''', "cognima":'''Cognima Replication''', "nnp":'''Nuzzler Network Protocol''', "abcvoice-port":'''ABCvoice server port''', "iso-tp0s":'''Secure ISO TP0 port''', "bim-pem":'''Impact Mgr./PEM Gateway''', "bfd-control":'''BFD Control Protocol''', "bfd-echo":'''BFD Echo Protocol''', "upstriggervsw":'''VSW Upstrigger port''', "fintrx":'''Fintrx''', "isrp-port":'''SPACEWAY Routing port''', "remotedeploy":'''RemoteDeploy Administration Port [July 2003]''', "quickbooksrds":'''QuickBooks RDS''', "tvnetworkvideo":'''TV NetworkVideo Data port''', "sitewatch":'''e-Watch Corporation SiteWatch''', "dcsoftware":'''DataCore Software''', "jaus":'''JAUS Robots''', "myblast":'''myBLAST Mekentosj port''', "spw-dialer":'''Spaceway Dialer''', "idps":'''idps''', "minilock":'''Minilock''', "radius-dynauth":'''RADIUS Dynamic Authorization''', "pwgpsi":'''Print Services Interface''', "ibm-mgr":'''ibm manager service''', "vhd":'''VHD''', "soniqsync":'''SoniqSync''', "iqnet-port":'''Harman IQNet Port''', "tcpdataserver":'''ThorGuard Server Port''', "wsmlb":'''Remote System Manager''', "spugna":'''SpuGNA Communication Port''', "sun-as-iiops-ca":'''Sun App Svr-IIOPClntAuth''', "apocd":'''Java Desktop System Configuration Agent''', "wlanauth":'''WLAN AS server''', "amp":'''AMP''', "neto-wol-server":'''netO WOL Server''', "rap-ip":'''Rhapsody Interface Protocol''', "neto-dcs":'''netO DCS''', "lansurveyorxml":'''LANsurveyor XML''', "sunlps-http":'''Sun Local Patch Server''', "tapeware":'''Yosemite Tech Tapeware''', "crinis-hb":'''Crinis Heartbeat''', "epl-slp":'''EPL Sequ Layer Protocol''', "scp":'''Siemens AuD SCP''', "pmcp":'''ATSC PMCP Standard''', "acp-discovery":'''Compute Pool Discovery''', "acp-conduit":'''Compute Pool Conduit''', "acp-policy":'''Compute Pool Policy''', "ffserver":'''Antera FlowFusion Process Simulation''', "warmux":'''WarMUX game server''', "netmpi":'''Netadmin Systems MPI service''', "neteh":'''Netadmin Systems Event Handler''', "neteh-ext":'''Netadmin Systems Event Handler External''', "cernsysmgmtagt":'''Cerner System Management Agent''', "dvapps":'''Docsvault Application Service''', "xxnetserver":'''xxNETserver''', "aipn-auth":'''AIPN LS Authentication''', "spectardata":'''Spectar Data Stream Service''', "spectardb":'''Spectar Database Rights Service''', "markem-dcp":'''MARKEM NEXTGEN DCP''', "mkm-discovery":'''MARKEM Auto-Discovery''', "sos":'''Scito Object Server''', "amx-rms":'''AMX Resource Management Suite''', "flirtmitmir":'''www.FlirtMitMir.de''', "zfirm-shiprush3":'''Z-Firm ShipRush v3''', "nhci":'''NHCI status port''', "quest-agent":'''Quest Common Agent''', "rnm":'''RNM''', "v-one-spp":'''V-ONE Single Port Proxy''', "an-pcp":'''Astare Network PCP''', "msfw-control":'''MS Firewall Control''', "item":'''IT Environmental Monitor''', "spw-dnspreload":'''SPACEWAY DNS Preload''', "qtms-bootstrap":'''QTMS Bootstrap Protocol''', "spectraport":'''SpectraTalk Port''', "sse-app-config":'''SSE App Configuration''', "sscan":'''SONY scanning protocol''', "stryker-com":'''Stryker Comm Port''', "opentrac":'''OpenTRAC''', "informer":'''INFORMER''', "trap-port":'''Trap Port''', "trap-port-mom":'''Trap Port MOM''', "nav-port":'''Navini Port''', "sasp":'''Server/Application State Protocol (SASP)''', "winshadow-hd":'''winShadow Host Discovery''', "giga-pocket":'''GIGA-POCKET''', "asap-tcp":'''asap tcp port''', "asap-tcp-tls":'''asap/tls tcp port''', "xpl":'''xpl automation protocol''', "dzdaemon":'''Sun SDViz DZDAEMON Port''', "dzoglserver":'''Sun SDViz DZOGLSERVER Port''', "diameter":'''DIAMETER''', "ovsam-mgmt":'''hp OVSAM MgmtServer Disco''', "ovsam-d-agent":'''hp OVSAM HostAgent Disco''', "avocent-adsap":'''Avocent DS Authorization''', "oem-agent":'''OEM Agent''', "fagordnc":'''fagordnc''', "sixxsconfig":'''SixXS Configuration''', "pnbscada":'''PNBSCADA''', "dl-agent":'''DirectoryLockdown Agent IANA assigned this well-formed service name as a replacement for "dl_agent".''', "dl_agent":'''DirectoryLockdown Agent''', "xmpcr-interface":'''XMPCR Interface Port''', "fotogcad":'''FotoG CAD interface''', "appss-lm":'''appss license manager''', "igrs":'''IGRS''', "idac":'''Data Acquisition and Control''', "msdts1":'''DTS Service Port''', "vrpn":'''VR Peripheral Network''', "softrack-meter":'''SofTrack Metering''', "topflow-ssl":'''TopFlow SSL''', "nei-management":'''NEI management port''', "ciphire-data":'''Ciphire Data Transport''', "ciphire-serv":'''Ciphire Services''', "dandv-tester":'''D and V Tester Control Port''', "ndsconnect":'''Niche Data Server Connect''', "rtc-pm-port":'''Oracle RTC-PM port''', "pcc-image-port":'''PCC-image-port''', "cgi-starapi":'''CGI StarAPI Server''', "syam-agent":'''SyAM Agent Port''', "syam-smc":'''SyAm SMC Service Port''', "sdo-tls":'''Simple Distributed Objects over TLS''', "sdo-ssh":'''Simple Distributed Objects over SSH''', "senip":'''IAS, Inc. SmartEye NET Internet Protocol''', "itv-control":'''ITV Port''', "udt-os":'''Unidata UDT OS IANA assigned this well-formed service name as a replacement for "udt_os".''', "udt_os":'''Unidata UDT OS''', "nimsh":'''NIM Service Handler''', "nimaux":'''NIMsh Auxiliary Port''', "charsetmgr":'''CharsetMGR''', "omnilink-port":'''Arnet Omnilink Port''', "mupdate":'''Mailbox Update (MUPDATE) protocol''', "topovista-data":'''TopoVista elevation data''', "imoguia-port":'''Imoguia Port''', "hppronetman":'''HP Procurve NetManagement''', "surfcontrolcpa":'''SurfControl CPA''', "prnrequest":'''Printer Request Port''', "prnstatus":'''Printer Status Port''', "gbmt-stars":'''Global Maintech Stars''', "listcrt-port":'''ListCREATOR Port''', "listcrt-port-2":'''ListCREATOR Port 2''', "agcat":'''Auto-Graphics Cataloging''', "wysdmc":'''WysDM Controller''', "aftmux":'''AFT multiplex port''', "pktcablemmcops":'''PacketCableMultimediaCOPS''', "hyperip":'''HyperIP''', "exasoftport1":'''Exasoft IP Port''', "herodotus-net":'''Herodotus Net''', "sor-update":'''Soronti Update Port''', "symb-sb-port":'''Symbian Service Broker''', "mpl-gprs-port":'''MPL_GPRS_PORT''', "zmp":'''Zoran Media Port''', "winport":'''WINPort''', "natdataservice":'''ScsTsr''', "netboot-pxe":'''PXE NetBoot Manager''', "smauth-port":'''AMS Port''', "syam-webserver":'''Syam Web Server Port''', "msr-plugin-port":'''MSR Plugin Port''', "dyn-site":'''Dynamic Site System''', "plbserve-port":'''PL/B App Server User Port''', "sunfm-port":'''PL/B File Manager Port''', "sdp-portmapper":'''SDP Port Mapper Protocol''', "mailprox":'''Mailprox''', "dvbservdsc":'''DVB Service Discovery''', "dbcontrol-agent":'''Oracle dbControl Agent po IANA assigned this well-formed service name as a replacement for "dbcontrol_agent".''', "dbcontrol_agent":'''Oracle dbControl Agent po''', "aamp":'''Anti-virus Application Management Port''', "xecp-node":'''XeCP Node Service''', "homeportal-web":'''Home Portal Web Server''', "srdp":'''satellite distribution''', "tig":'''TetraNode Ip Gateway''', "sops":'''S-Ops Management''', "emcads":'''EMCADS Server Port''', "backupedge":'''BackupEDGE Server''', "ccp":'''Connect and Control Protocol for Consumer, Commercial, and Industrial Electronic Devices''', "apdap":'''Anton Paar Device Administration Protocol''', "drip":'''Dynamic Routing Information Protocol''', "namemunge":'''Name Munging''', "pwgippfax":'''PWG IPP Facsimile''', "i3-sessionmgr":'''I3 Session Manager''', "xmlink-connect":'''Eydeas XMLink Connect''', "adrep":'''AD Replication RPC''', "p2pcommunity":'''p2pCommunity''', "gvcp":'''GigE Vision Control''', "mqe-broker":'''MQEnterprise Broker''', "mqe-agent":'''MQEnterprise Agent''', "treehopper":'''Tree Hopper Networking''', "bess":'''Bess Peer Assessment''', "proaxess":'''ProAxess Server''', "sbi-agent":'''SBI Agent Protocol''', "thrp":'''Teran Hybrid Routing Protocol''', "sasggprs":'''SASG GPRS''', "ati-ip-to-ncpe":'''Avanti IP to NCPE API''', "bflckmgr":'''BuildForge Lock Manager''', "ppsms":'''PPS Message Service''', "ianywhere-dbns":'''iAnywhere DBNS''', "landmarks":'''Landmark Messages''', "lanrevagent":'''LANrev Agent''', "lanrevserver":'''LANrev Server''', "iconp":'''ict-control Protocol''', "progistics":'''ConnectShip Progistics''', "citysearch":'''Remote Applicant Tracking Service''', "airshot":'''Air Shot''', "opswagent":'''Opsware Agent''', "opswmanager":'''Opsware Manager''', "secure-cfg-svr":'''Secured Configuration Server''', "smwan":'''Smith Micro Wide Area Network Service''', "acms":'''Aircraft Cabin Management System''', "starfish":'''Starfish System Admin''', "eis":'''ESRI Image Server''', "eisp":'''ESRI Image Service''', "mapper-nodemgr":'''MAPPER network node manager''', "mapper-mapethd":'''MAPPER TCP/IP server''', "mapper-ws-ethd":'''MAPPER workstation server IANA assigned this well-formed service name as a replacement for "mapper-ws_ethd".''', "mapper-ws_ethd":'''MAPPER workstation server''', "centerline":'''Centerline''', "dcs-config":'''DCS Configuration Port''', "bv-queryengine":'''BindView-Query Engine''', "bv-is":'''BindView-IS''', "bv-smcsrv":'''BindView-SMCServer''', "bv-ds":'''BindView-DirectoryServer''', "bv-agent":'''BindView-Agent''', "iss-mgmt-ssl":'''ISS Management Svcs SSL''', "abcsoftware":'''abcsoftware-01''', "agentsease-db":'''aes_db''', "dnx":'''Distributed Nagios Executor Service''', "nvcnet":'''Norman distributes scanning service''', "terabase":'''Terabase''', "newoak":'''NewOak''', "pxc-spvr-ft":'''pxc-spvr-ft''', "pxc-splr-ft":'''pxc-splr-ft''', "pxc-roid":'''pxc-roid''', "pxc-pin":'''pxc-pin''', "pxc-spvr":'''pxc-spvr''', "pxc-splr":'''pxc-splr''', "netcheque":'''NetCheque accounting''', "chimera-hwm":'''Chimera HWM''', "samsung-unidex":'''Samsung Unidex''', "altserviceboot":'''Alternate Service Boot''', "pda-gate":'''PDA Gate''', "acl-manager":'''ACL Manager''', "taiclock":'''TAICLOCK''', "talarian-mcast1":'''Talarian Mcast''', "talarian-mcast2":'''Talarian Mcast''', "talarian-mcast3":'''Talarian Mcast''', "talarian-mcast4":'''Talarian Mcast''', "talarian-mcast5":'''Talarian Mcast''', "trap":'''TRAP Port''', "nexus-portal":'''Nexus Portal''', "dnox":'''DNOX''', "esnm-zoning":'''ESNM Zoning Port''', "tnp1-port":'''TNP1 User Port''', "partimage":'''Partition Image Port''', "as-debug":'''Graphical Debug Server''', "bxp":'''bitxpress''', "dtserver-port":'''DTServer Port''', "ip-qsig":'''IP Q signaling protocol''', "jdmn-port":'''Accell/JSP Daemon Port''', "suucp":'''UUCP over SSL''', "vrts-auth-port":'''VERITAS Authorization Service''', "sanavigator":'''SANavigator Peer Port''', "ubxd":'''Ubiquinox Daemon''', "wap-push-http":'''WAP Push OTA-HTTP port''', "wap-push-https":'''WAP Push OTA-HTTP secure''', "ravehd":'''RaveHD network control''', "fazzt-ptp":'''Fazzt Point-To-Point''', "fazzt-admin":'''Fazzt Administration''', "yo-main":'''Yo.net main service''', "houston":'''Rocketeer-Houston''', "ldxp":'''LDXP''', "nirp":'''Neighbour Identity Resolution''', "ltp":'''Location Tracking Protocol''', "npp":'''Network Paging Protocol''', "acp-proto":'''Accounting Protocol''', "ctp-state":'''Context Transfer Protocol''', "wafs":'''Wide Area File Services''', "cisco-wafs":'''Wide Area File Services''', "cppdp":'''Cisco Peer to Peer Distribution Protocol''', "interact":'''VoiceConnect Interact''', "ccu-comm-1":'''CosmoCall Universe Communications Port 1''', "ccu-comm-2":'''CosmoCall Universe Communications Port 2''', "ccu-comm-3":'''CosmoCall Universe Communications Port 3''', "lms":'''Location Message Service''', "wfm":'''Servigistics WFM server''', "kingfisher":'''Kingfisher protocol''', "dlms-cosem":'''DLMS/COSEM''', "dsmeter-iatc":'''DSMETER Inter-Agent Transfer Channel IANA assigned this well-formed service name as a replacement for "dsmeter_iatc".''', "dsmeter_iatc":'''DSMETER Inter-Agent Transfer Channel''', "ice-location":'''Ice Location Service (TCP)''', "ice-slocation":'''Ice Location Service (SSL)''', "ice-router":'''Ice Firewall Traversal Service (TCP)''', "ice-srouter":'''Ice Firewall Traversal Service (SSL)''', "avanti-cdp":'''Avanti Common Data IANA assigned this well-formed service name as a replacement for "avanti_cdp".''', "avanti_cdp":'''Avanti Common Data''', "pmas":'''Performance Measurement and Analysis''', "idp":'''Information Distribution Protocol''', "ipfltbcst":'''IP Fleet Broadcast''', "minger":'''Minger Email Address Validation Service''', "tripe":'''Trivial IP Encryption (TrIPE)''', "aibkup":'''Automatically Incremental Backup''', "zieto-sock":'''Zieto Socket Communications''', "iRAPP":'''iRAPP Server Protocol''', "cequint-cityid":'''Cequint City ID UI trigger''', "perimlan":'''ISC Alarm Message Service''', "seraph":'''Seraph DCS''', "cssp":'''Coordinated Security Service Protocol''', "santools":'''SANtools Diagnostic Server''', "lorica-in":'''Lorica inside facing''', "lorica-in-sec":'''Lorica inside facing (SSL)''', "lorica-out":'''Lorica outside facing''', "lorica-out-sec":'''Lorica outside facing (SSL)''', "ezmessagesrv":'''EZNews Newsroom Message Service''', "applusservice":'''APplus Service''', "npsp":'''Noah Printing Service Protocol''', "opencore":'''OpenCORE Remote Control Service''', "omasgport":'''OMA BCAST Service Guide''', "ewinstaller":'''EminentWare Installer''', "ewdgs":'''EminentWare DGS''', "pvxpluscs":'''Pvx Plus CS Host''', "sysrqd":'''sysrq daemon''', "xtgui":'''xtgui information service''', "bre":'''BRE (Bridge Relay Element)''', "patrolview":'''Patrol View''', "drmsfsd":'''drmsfsd''', "dpcp":'''DPCP''', "igo-incognito":'''IGo Incognito Data Port''', "brlp-0":'''Braille protocol''', "brlp-1":'''Braille protocol''', "brlp-2":'''Braille protocol''', "brlp-3":'''Braille protocol''', "shofar":'''Shofar''', "synchronite":'''Synchronite''', "j-ac":'''JDL Accounting LAN Service''', "accel":'''ACCEL''', "izm":'''Instantiated Zero-control Messaging''', "g2tag":'''G2 RFID Tag Telemetry Data''', "xgrid":'''Xgrid''', "apple-vpns-rp":'''Apple VPN Server Reporting Protocol''', "aipn-reg":'''AIPN LS Registration''', "jomamqmonitor":'''JomaMQMonitor''', "cds":'''CDS Transfer Agent''', "smartcard-tls":'''smartcard-TLS''', "hillrserv":'''Hillr Connection Manager''', "netscript":'''Netadmin Systems NETscript service''', "assuria-slm":'''Assuria Log Manager''', "e-builder":'''e-Builder Application Communication''', "fprams":'''Fiber Patrol Alarm Service''', "z-wave":'''Zensys Z-Wave Control Protocol''', "tigv2":'''Rohill TetraNode Ip Gateway v2''', "opsview-envoy":'''Opsview Envoy''', "ddrepl":'''Data Domain Replication Service''', "unikeypro":'''NetUniKeyServer''', "nufw":'''NuFW decision delegation protocol''', "nuauth":'''NuFW authentication protocol''', "fronet":'''FRONET message protocol''', "stars":'''Global Maintech Stars''', "nuts-dem":'''NUTS Daemon IANA assigned this well-formed service name as a replacement for "nuts_dem".''', "nuts_dem":'''NUTS Daemon''', "nuts-bootp":'''NUTS Bootp Server IANA assigned this well-formed service name as a replacement for "nuts_bootp".''', "nuts_bootp":'''NUTS Bootp Server''', "nifty-hmi":'''NIFTY-Serve HMI protocol''', "cl-db-attach":'''Classic Line Database Server Attach''', "cl-db-request":'''Classic Line Database Server Request''', "cl-db-remote":'''Classic Line Database Server Remote''', "nettest":'''nettest''', "thrtx":'''Imperfect Networks Server''', "cedros-fds":'''Cedros Fraud Detection System IANA assigned this well-formed service name as a replacement for "cedros_fds".''', "cedros_fds":'''Cedros Fraud Detection System''', "oirtgsvc":'''Workflow Server''', "oidocsvc":'''Document Server''', "oidsr":'''Document Replication''', "vvr-control":'''VVR Control''', "tgcconnect":'''TGCConnect Beacon''', "vrxpservman":'''Multum Service Manager''', "hhb-handheld":'''HHB Handheld Client''', "agslb":'''A10 GSLB Service''', "PowerAlert-nsa":'''PowerAlert Network Shutdown Agent''', "menandmice-noh":'''Men & Mice Remote Control IANA assigned this well-formed service name as a replacement for "menandmice_noh".''', "menandmice_noh":'''Men & Mice Remote Control''', "idig-mux":'''iDigTech Multiplex IANA assigned this well-formed service name as a replacement for "idig_mux".''', "idig_mux":'''iDigTech Multiplex''', "mbl-battd":'''MBL Remote Battery Monitoring''', "atlinks":'''atlinks device discovery''', "bzr":'''Bazaar version control system''', "stat-results":'''STAT Results''', "stat-scanner":'''STAT Scanner Control''', "stat-cc":'''STAT Command Center''', "nss":'''Network Security Service''', "jini-discovery":'''Jini Discovery''', "omscontact":'''OMS Contact''', "omstopology":'''OMS Topology''', "silverpeakpeer":'''Silver Peak Peer Protocol''', "silverpeakcomm":'''Silver Peak Communication Protocol''', "altcp":'''ArcLink over Ethernet''', "joost":'''Joost Peer to Peer Protocol''', "ddgn":'''DeskDirect Global Network''', "pslicser":'''PrintSoft License Server''', "iadt":'''Automation Drive Interface Transport''', "d-cinema-csp":'''SMPTE Content Synchonization Protocol''', "ml-svnet":'''Maxlogic Supervisor Communication''', "pcoip":'''PC over IP''', "smcluster":'''StorMagic Cluster Services''', "bccp":'''Brocade Cluster Communication Protocol''', "tl-ipcproxy":'''Translattice Cluster IPC Proxy''', "wello":'''Wello P2P pubsub service''', "storman":'''StorMan''', "MaxumSP":'''Maxum Services''', "httpx":'''HTTPX''', "macbak":'''MacBak''', "pcptcpservice":'''Production Company Pro TCP Service''', "gmmp":'''General Metaverse Messaging Protocol''', "universe-suite":'''UNIVERSE SUITE MESSAGE SERVICE IANA assigned this well-formed service name as a replacement for "universe_suite".''', "universe_suite":'''UNIVERSE SUITE MESSAGE SERVICE''', "wcpp":'''Woven Control Plane Protocol''', "boxbackupstore":'''Box Backup Store Service''', "csc-proxy":'''Cascade Proxy IANA assigned this well-formed service name as a replacement for "csc_proxy".''', "csc_proxy":'''Cascade Proxy''', "vatata":'''Vatata Peer to Peer Protocol''', "pcep":'''Path Computation Element Communication Protocol''', "sieve":'''ManageSieve Protocol''', "azeti":'''Azeti Agent Service''', "pvxplusio":'''PxPlus remote file srvr''', "eims-admin":'''EIMS ADMIN''', "corelccam":'''Corel CCam''', "d-data":'''Diagnostic Data''', "d-data-control":'''Diagnostic Data Control''', "srcp":'''Simple Railroad Command Protocol''', "owserver":'''One-Wire Filesystem Server''', "batman":'''better approach to mobile ad-hoc networking''', "pinghgl":'''Hellgate London''', "visicron-vs":'''Visicron Videoconference Service''', "compx-lockview":'''CompX-LockView''', "dserver":'''Exsequi Appliance Discovery''', "mirrtex":'''Mir-RT exchange service''', "p6ssmc":'''P6R Secure Server Management Console''', "pscl-mgt":'''Parascale Membership Manager''', "perrla":'''PERRLA User Services''', "fdt-rcatp":'''FDT Remote Categorization Protocol''', "rwhois":'''Remote Who Is''', "trim-event":'''TRIM Event Service''', "trim-ice":'''TRIM ICE Service''', "balour":'''Balour Game Server''', "geognosisman":'''Cadcorp GeognoSIS Manager Service''', "geognosis":'''Cadcorp GeognoSIS Service''', "jaxer-web":'''Jaxer Web Protocol''', "jaxer-manager":'''Jaxer Manager Command Protocol''', "publiqare-sync":'''PubliQare Distributed Environment Synchronisation Engine''', "gaia":'''Gaia Connector Protocol''', "lisp-data":'''LISP Data Packets''', "lisp-cons":'''LISP-CONS Control''', "unicall":'''UNICALL''', "vinainstall":'''VinaInstall''', "m4-network-as":'''Macro 4 Network AS''', "elanlm":'''ELAN LM''', "lansurveyor":'''LAN Surveyor''', "itose":'''ITOSE''', "fsportmap":'''File System Port Map''', "net-device":'''Net Device''', "plcy-net-svcs":'''PLCY Net Services''', "pjlink":'''Projector Link''', "f5-iquery":'''F5 iQuery''', "qsnet-trans":'''QSNet Transmitter''', "qsnet-workst":'''QSNet Workstation''', "qsnet-assist":'''QSNet Assistant''', "qsnet-cond":'''QSNet Conductor''', "qsnet-nucl":'''QSNet Nucleus''', "omabcastltkm":'''OMA BCAST Long-Term Key Messages''', "matrix-vnet":'''Matrix VNet Communication Protocol IANA assigned this well-formed service name as a replacement for "matrix_vnet".''', "matrix_vnet":'''Matrix VNet Communication Protocol''', "wxbrief":'''WeatherBrief Direct''', "epmd":'''Erlang Port Mapper Daemon''', "elpro-tunnel":'''ELPRO V2 Protocol Tunnel IANA assigned this well-formed service name as a replacement for "elpro_tunnel".''', "elpro_tunnel":'''ELPRO V2 Protocol Tunnel''', "l2c-control":'''LAN2CAN Control''', "l2c-data":'''LAN2CAN Data''', "remctl":'''Remote Authenticated Command Service''', "psi-ptt":'''PSI Push-to-Talk Protocol''', "tolteces":'''Toltec EasyShare''', "bip":'''BioAPI Interworking''', "cp-spxsvr":'''Cambridge Pixel SPx Server''', "cp-spxdpy":'''Cambridge Pixel SPx Display''', "ctdb":'''CTDB''', "xandros-cms":'''Xandros Community Management Service''', "wiegand":'''Physical Access Control''', "apwi-imserver":'''American Printware IMServer Protocol''', "apwi-rxserver":'''American Printware RXServer Protocol''', "apwi-rxspooler":'''American Printware RXSpooler Protocol''', "omnivisionesx":'''OmniVision communication for Virtual environments''', "fly":'''Fly Object Space''', "ds-srv":'''ASIGRA Services''', "ds-srvr":'''ASIGRA Televaulting DS-System Service''', "ds-clnt":'''ASIGRA Televaulting DS-Client Service''', "ds-user":'''ASIGRA Televaulting DS-Client Monitoring/Management''', "ds-admin":'''ASIGRA Televaulting DS-System Monitoring/Management''', "ds-mail":'''ASIGRA Televaulting Message Level Restore service''', "ds-slp":'''ASIGRA Televaulting DS-Sleeper Service''', "nacagent":'''Network Access Control Agent''', "slscc":'''SLS Technology Control Centre''', "netcabinet-com":'''Net-Cabinet comunication''', "itwo-server":'''RIB iTWO Application Server''', "found":'''Found Messaging Protocol''', "netrockey6":'''NetROCKEY6 SMART Plus Service''', "beacon-port-2":'''SMARTS Beacon Port''', "drizzle":'''Drizzle database server''', "omviserver":'''OMV-Investigation Server-Client''', "omviagent":'''OMV Investigation Agent-Server''', "rsqlserver":'''REAL SQL Server''', "wspipe":'''adWISE Pipe''', "l-acoustics":'''L-ACOUSTICS management''', "vop":'''Versile Object Protocol''', "saris":'''Saris''', "pharos":'''Pharos''', "krb524":'''KRB524''', "nv-video":'''NV Video default''', "upnotifyp":'''UPNOTIFYP''', "n1-fwp":'''N1-FWP''', "n1-rmgmt":'''N1-RMGMT''', "asc-slmd":'''ASC Licence Manager''', "privatewire":'''PrivateWire''', "camp":'''Common ASCII Messaging Protocol''', "ctisystemmsg":'''CTI System Msg''', "ctiprogramload":'''CTI Program Load''', "nssalertmgr":'''NSS Alert Manager''', "nssagentmgr":'''NSS Agent Manager''', "prchat-user":'''PR Chat User''', "prchat-server":'''PR Chat Server''', "prRegister":'''PR Register''', "mcp":'''Matrix Configuration Protocol''', "hpssmgmt":'''hpssmgmt service''', "assyst-dr":'''Assyst Data Repository Service''', "icms":'''Integrated Client Message Service''', "prex-tcp":'''Protocol for Remote Execution over TCP''', "awacs-ice":'''Apple Wide Area Connectivity Service ICE Bootstrap''', "ipsec-nat-t":'''IPsec NAT-Traversal''', "ehs":'''Event Heap Server''', "ehs-ssl":'''Event Heap Server SSL''', "wssauthsvc":'''WSS Security Service''', "swx-gate":'''Software Data Exchange Gateway''', "worldscores":'''WorldScores''', "sf-lm":'''SF License Manager (Sentinel)''', "lanner-lm":'''Lanner License Manager''', "synchromesh":'''Synchromesh''', "aegate":'''Aegate PMR Service''', "gds-adppiw-db":'''Perman I Interbase Server''', "ieee-mih":'''MIH Services''', "menandmice-mon":'''Men and Mice Monitoring''', "icshostsvc":'''ICS host services''', "msfrs":'''MS FRS Replication''', "rsip":'''RSIP Port''', "dtn-bundle-tcp":'''DTN Bundle TCP CL Protocol''', "hylafax":'''HylaFAX''', "kwtc":'''Kids Watch Time Control Service''', "tram":'''TRAM''', "bmc-reporting":'''BMC Reporting''', "iax":'''Inter-Asterisk eXchange''', "rid":'''RID over HTTP/TLS''', "l3t-at-an":'''HRPD L3T (AT-AN)''', "ipt-anri-anri":'''IPT (ANRI-ANRI)''', "ias-session":'''IAS-Session (ANRI-ANRI)''', "ias-paging":'''IAS-Paging (ANRI-ANRI)''', "ias-neighbor":'''IAS-Neighbor (ANRI-ANRI)''', "a21-an-1xbs":'''A21 (AN-1xBS)''', "a16-an-an":'''A16 (AN-AN)''', "a17-an-an":'''A17 (AN-AN)''', "piranha1":'''Piranha1''', "piranha2":'''Piranha2''', "mtsserver":'''EAX MTS Server''', "menandmice-upg":'''Men & Mice Upgrade Agent''', "playsta2-app":'''PlayStation2 App Port''', "playsta2-lob":'''PlayStation2 Lobby Port''', "smaclmgr":'''smaclmgr''', "kar2ouche":'''Kar2ouche Peer location service''', "oms":'''OrbitNet Message Service''', "noteit":'''Note It! Message Service''', "ems":'''Rimage Messaging Server''', "contclientms":'''Container Client Message Service''', "eportcomm":'''E-Port Message Service''', "mmacomm":'''MMA Comm Services''', "mmaeds":'''MMA EDS Service''', "eportcommdata":'''E-Port Data Service''', "light":'''Light packets transfer protocol''', "acter":'''Bull RSF action server''', "rfa":'''remote file access server''', "cxws":'''CXWS Operations''', "appiq-mgmt":'''AppIQ Agent Management''', "dhct-status":'''BIAP Device Status''', "dhct-alerts":'''BIAP Generic Alert''', "bcs":'''Business Continuity Servi''', "traversal":'''boundary traversal''', "mgesupervision":'''MGE UPS Supervision''', "mgemanagement":'''MGE UPS Management''', "parliant":'''Parliant Telephony System''', "finisar":'''finisar''', "spike":'''Spike Clipboard Service''', "rfid-rp1":'''RFID Reader Protocol 1.0''', "autopac":'''Autopac Protocol''', "msp-os":'''Manina Service Protocol''', "nst":'''Network Scanner Tool FTP''', "mobile-p2p":'''Mobile P2P Service''', "altovacentral":'''Altova DatabaseCentral''', "prelude":'''Prelude IDS message proto''', "mtn":'''monotone Netsync Protocol''', "conspiracy":'''Conspiracy messaging''', "netxms-agent":'''NetXMS Agent''', "netxms-mgmt":'''NetXMS Management''', "netxms-sync":'''NetXMS Server Synchronization''', "npqes-test":'''Network Performance Quality Evaluation System Test Service''', "assuria-ins":'''Assuria Insider''', "truckstar":'''TruckStar Service''', "fcis":'''F-Link Client Information Service''', "capmux":'''CA Port Multiplexer''', "gearman":'''Gearman Job Queue System''', "remcap":'''Remote Capture Protocol''', "resorcs":'''RES Orchestration Catalog Services''', "ipdr-sp":'''IPDR/SP''', "solera-lpn":'''SoleraTec Locator''', "ipfix":'''IP Flow Info Export''', "ipfixs":'''ipfix protocol over TLS''', "lumimgrd":'''Luminizer Manager''', "sicct":'''SICCT''', "openhpid":'''openhpi HPI service''', "ifsp":'''Internet File Synchronization Protocol''', "fmp":'''Funambol Mobile Push''', "profilemac":'''Profile for Mac''', "ssad":'''Simple Service Auto Discovery''', "spocp":'''Simple Policy Control Protocol''', "snap":'''Simple Network Audio Protocol''', "simon":'''Simple Invocation of Methods Over Network (SIMON)''', "bfd-multi-ctl":'''BFD Multihop Control''', "smart-install":'''Smart Install Service''', "sia-ctrl-plane":'''Service Insertion Architecture (SIA) Control-Plane''', "xmcp":'''eXtensible Messaging Client Protocol''', "iims":'''Icona Instant Messenging System''', "iwec":'''Icona Web Embedded Chat''', "ilss":'''Icona License System Server''', "notateit":'''Notateit Messaging''', "htcp":'''HTCP''', "varadero-0":'''Varadero-0''', "varadero-1":'''Varadero-1''', "varadero-2":'''Varadero-2''', "opcua-tcp":'''OPC UA TCP Protocol''', "quosa":'''QUOSA Virtual Library Service''', "gw-asv":'''nCode ICE-flow Library AppServer''', "opcua-tls":'''OPC UA TCP Protocol over TLS/SSL''', "gw-log":'''nCode ICE-flow Library LogServer''', "wcr-remlib":'''WordCruncher Remote Library Service''', "contamac-icm":'''Contamac ICM Service IANA assigned this well-formed service name as a replacement for "contamac_icm".''', "contamac_icm":'''Contamac ICM Service''', "wfc":'''Web Fresh Communication''', "appserv-http":'''App Server - Admin HTTP''', "appserv-https":'''App Server - Admin HTTPS''', "sun-as-nodeagt":'''Sun App Server - NA''', "derby-repli":'''Apache Derby Replication''', "unify-debug":'''Unify Debugger''', "phrelay":'''Photon Relay''', "phrelaydbg":'''Photon Relay Debug''', "cc-tracking":'''Citcom Tracking Service''', "wired":'''Wired''', "tritium-can":'''Tritium CAN Bus Bridge Service''', "lmcs":'''Lighting Management Control System''', "wsdl-event":'''WSDL Event Receiver''', "hislip":'''IVI High-Speed LAN Instrument Protocol''', "wmlserver":'''Meier-Phelps License Server''', "hivestor":'''HiveStor Distributed File System''', "abbs":'''ABBS''', "lyskom":'''LysKOM Protocol A''', "radmin-port":'''RAdmin Port''', "hfcs":'''HyperFileSQL Client/Server Database Engine''', "flr-agent":'''FileLocator Remote Search Agent IANA assigned this well-formed service name as a replacement for "flr_agent".''', "flr_agent":'''FileLocator Remote Search Agent''', "magiccontrol":'''magicCONROL RF and Data Interface''', "lutap":'''Technicolor LUT Access Protocol''', "lutcp":'''LUTher Control Protocol''', "bones":'''Bones Remote Control''', "frcs":'''Fibics Remote Control Service''', "eq-office-4940":'''Equitrac Office''', "eq-office-4941":'''Equitrac Office''', "eq-office-4942":'''Equitrac Office''', "munin":'''Munin Graphing Framework''', "sybasesrvmon":'''Sybase Server Monitor''', "pwgwims":'''PWG WIMS''', "sagxtsds":'''SAG Directory Server''', "dbsyncarbiter":'''Synchronization Arbiter''', "ccss-qmm":'''CCSS QMessageMonitor''', "ccss-qsm":'''CCSS QSystemMonitor''', "webyast":'''WebYast''', "gerhcs":'''GER HC Standard''', "mrip":'''Model Railway Interface Program''', "smar-se-port1":'''SMAR Ethernet Port 1''', "smar-se-port2":'''SMAR Ethernet Port 2''', "parallel":'''Parallel for GAUSS (tm)''', "busycal":'''BusySync Calendar Synch. Protocol''', "vrt":'''VITA Radio Transport''', "hfcs-manager":'''HyperFileSQL Client/Server Database Engine Manager''', "commplex-main":'''''', "commplex-link":'''''', "rfe":'''radio free ethernet''', "fmpro-internal":'''FileMaker, Inc. - Proprietary transport''', "avt-profile-1":'''RTP media data''', "avt-profile-2":'''RTP control protocol''', "wsm-server":'''wsm server''', "wsm-server-ssl":'''wsm server ssl''', "synapsis-edge":'''Synapsis EDGE''', "winfs":'''Microsoft Windows Filesystem''', "telelpathstart":'''TelepathStart''', "telelpathattack":'''TelepathAttack''', "nsp":'''NetOnTap Service''', "fmpro-v6":'''FileMaker, Inc. - Proprietary transport''', "fmwp":'''FileMaker, Inc. - Web publishing''', "zenginkyo-1":'''zenginkyo-1''', "zenginkyo-2":'''zenginkyo-2''', "mice":'''mice server''', "htuilsrv":'''Htuil Server for PLD2''', "scpi-telnet":'''SCPI-TELNET''', "scpi-raw":'''SCPI-RAW''', "strexec-d":'''Storix I/O daemon (data)''', "strexec-s":'''Storix I/O daemon (stat)''', "qvr":'''Quiqum Virtual Relais''', "infobright":'''Infobright Database Server''', "surfpass":'''SurfPass''', "signacert-agent":'''SignaCert Enterprise Trust Server Agent''', "asnaacceler8db":'''asnaacceler8db''', "swxadmin":'''ShopWorX Administration''', "lxi-evntsvc":'''LXI Event Service''', "osp":'''Open Settlement Protocol''', "texai":'''Texai Message Service''', "ivocalize":'''iVocalize Web Conference''', "mmcc":'''multimedia conference control tool''', "ita-agent":'''ITA Agent''', "ita-manager":'''ITA Manager''', "rlm":'''RLM License Server''', "rlm-admin":'''RLM administrative interface''', "unot":'''UNOT''', "intecom-ps1":'''Intecom Pointspan 1''', "intecom-ps2":'''Intecom Pointspan 2''', "sds":'''SIP Directory Services''', "sip":'''SIP''', "sip-tls":'''SIP-TLS''', "na-localise":'''Localisation access''', "csrpc":'''centrify secure RPC''', "ca-1":'''Channel Access 1''', "ca-2":'''Channel Access 2''', "stanag-5066":'''STANAG-5066-SUBNET-INTF''', "authentx":'''Authentx Service''', "bitforestsrv":'''Bitforest Data Service''', "i-net-2000-npr":'''I/Net 2000-NPR''', "vtsas":'''VersaTrans Server Agent Service''', "powerschool":'''PowerSchool''', "ayiya":'''Anything In Anything''', "tag-pm":'''Advantage Group Port Mgr''', "alesquery":'''ALES Query''', "pvaccess":'''Experimental Physics and Industrial Control System''', "onscreen":'''OnScreen Data Collection Service''', "sdl-ets":'''SDL - Ent Trans Server''', "qcp":'''Qpur Communication Protocol''', "qfp":'''Qpur File Protocol''', "llrp":'''EPCglobal Low-Level Reader Protocol''', "encrypted-llrp":'''EPCglobal Encrypted LLRP''', "aprigo-cs":'''Aprigo Collection Service''', "sentinel-lm":'''Sentinel LM''', "hart-ip":'''HART-IP''', "sentlm-srv2srv":'''SentLM Srv2Srv''', "socalia":'''Socalia service mux''', "talarian-tcp":'''Talarian_TCP''', "oms-nonsecure":'''Oracle OMS non-secure''', "actifio-c2c":'''Actifio C2C''', "taep-as-svc":'''TAEP AS service''', "pm-cmdsvr":'''PeerMe Msg Cmd Service''', "ev-services":'''Enterprise Vault Services''', "autobuild":'''Symantec Autobuild Service''', "gradecam":'''GradeCam Image Processing''', "nbt-pc":'''Policy Commander''', "ppactivation":'''PP ActivationServer''', "erp-scale":'''ERP-Scale''', "ctsd":'''MyCTS server port''', "rmonitor-secure":'''RMONITOR SECURE IANA assigned this well-formed service name as a replacement for "rmonitor_secure".''', "rmonitor_secure":'''RMONITOR SECURE''', "social-alarm":'''Social Alarm Service''', "atmp":'''Ascend Tunnel Management Protocol''', "esri-sde":'''ESRI SDE Instance IANA assigned this well-formed service name as a replacement for "esri_sde".''', "esri_sde":'''ESRI SDE Instance''', "sde-discovery":'''ESRI SDE Instance Discovery''', "toruxserver":'''ToruX Game Server''', "bzflag":'''BZFlag game server''', "asctrl-agent":'''Oracle asControl Agent''', "rugameonline":'''Russian Online Game''', "mediat":'''Mediat Remote Object Exchange''', "snmpssh":'''SNMP over SSH Transport Model''', "snmpssh-trap":'''SNMP Notification over SSH Transport Model''', "sbackup":'''Shadow Backup''', "vpa":'''Virtual Protocol Adapter''', "ife-icorp":'''ife_1corp IANA assigned this well-formed service name as a replacement for "ife_icorp".''', "ife_icorp":'''ife_1corp''', "winpcs":'''WinPCS Service Connection''', "scte104":'''SCTE104 Connection''', "scte30":'''SCTE30 Connection''', "aol":'''America-Online''', "aol-1":'''AmericaOnline1''', "aol-2":'''AmericaOnline2''', "aol-3":'''AmericaOnline3''', "cpscomm":'''CipherPoint Config Service''', "ampl-lic":'''The protocol is used by a license server and client programs to control use of program licenses that float to networked machines''', "ampl-tableproxy":'''The protocol is used by two programs that exchange "table" data used in the AMPL modeling language''', "targus-getdata":'''TARGUS GetData''', "targus-getdata1":'''TARGUS GetData 1''', "targus-getdata2":'''TARGUS GetData 2''', "targus-getdata3":'''TARGUS GetData 3''', "nomad":'''Nomad Device Video Transfer''', "3exmp":'''3eTI Extensible Management Protocol for OAMP''', "xmpp-client":'''XMPP Client Connection''', "hpvirtgrp":'''HP Virtual Machine Group Management''', "hpvirtctrl":'''HP Virtual Machine Console Operations''', "hp-server":'''HP Server''', "hp-status":'''HP Status''', "perfd":'''HP System Performance Metric Service''', "hpvroom":'''HP Virtual Room Service''', "csedaemon":'''Cruse Scanning System Service''', "enfs":'''Etinnae Network File Service''', "eenet":'''EEnet communications''', "galaxy-network":'''Galaxy Network Service''', "padl2sim":'''''', "mnet-discovery":'''m-net discovery''', "downtools":'''DownTools Control Protocol''', "caacws":'''CA Access Control Web Service''', "caaclang2":'''CA AC Lang Service''', "soagateway":'''soaGateway''', "caevms":'''CA eTrust VM Service''', "movaz-ssc":'''Movaz SSC''', "kpdp":'''Kohler Power Device Protocol''', "3com-njack-1":'''3Com Network Jack Port 1''', "3com-njack-2":'''3Com Network Jack Port 2''', "xmpp-server":'''XMPP Server Connection''', "cartographerxmp":'''Cartographer XMP''', "cuelink":'''StageSoft CueLink messaging''', "pk":'''PK''', "xmpp-bosh":'''Bidirectional-streams Over Synchronous HTTP (BOSH)''', "undo-lm":'''Undo License Manager''', "transmit-port":'''Marimba Transmitter Port''', "presence":'''XMPP Link-Local Messaging''', "nlg-data":'''NLG Data Service''', "hacl-hb":'''HA cluster heartbeat''', "hacl-gs":'''HA cluster general services''', "hacl-cfg":'''HA cluster configuration''', "hacl-probe":'''HA cluster probing''', "hacl-local":'''HA Cluster Commands''', "hacl-test":'''HA Cluster Test''', "sun-mc-grp":'''Sun MC Group''', "sco-aip":'''SCO AIP''', "cfengine":'''CFengine''', "jprinter":'''J Printer''', "outlaws":'''Outlaws''', "permabit-cs":'''Permabit Client-Server''', "rrdp":'''Real-time & Reliable Data''', "opalis-rbt-ipc":'''opalis-rbt-ipc''', "hacl-poll":'''HA Cluster UDP Polling''', "hpbladems":'''HPBladeSystem Monitor Service''', "hpdevms":'''HP Device Monitor Service''', "pkix-cmc":'''PKIX Certificate Management using CMS (CMC)''', "bsfserver-zn":'''Webservices-based Zn interface of BSF''', "bsfsvr-zn-ssl":'''Webservices-based Zn interface of BSF over SSL''', "kfserver":'''Sculptor Database Server''', "xkotodrcp":'''xkoto DRCP''', "stuns":'''STUN over TLS''', "turns":'''TURN over TLS''', "stun-behaviors":'''STUN Behavior Discovery over TLS''', "nat-pmp-status":'''NAT-PMP Status Announcements''', "nat-pmp":'''NAT Port Mapping Protocol''', "dns-llq":'''DNS Long-Lived Queries''', "mdns":'''Multicast DNS''', "mdnsresponder":'''Multicast DNS Responder IPC''', "llmnr":'''LLMNR''', "ms-smlbiz":'''Microsoft Small Business''', "wsdapi":'''Web Services for Devices''', "wsdapi-s":'''WS for Devices Secured''', "ms-alerter":'''Microsoft Alerter''', "ms-sideshow":'''Protocol for Windows SideShow''', "ms-s-sideshow":'''Secure Protocol for Windows SideShow''', "serverwsd2":'''Microsoft Windows Server WSD2 Service''', "net-projection":'''Windows Network Projection''', "stresstester":'''StressTester(tm) Injector''', "elektron-admin":'''Elektron Administration''', "securitychase":'''SecurityChase''', "excerpt":'''Excerpt Search''', "excerpts":'''Excerpt Search Secure''', "mftp":'''OmniCast MFTP''', "hpoms-ci-lstn":'''HPOMS-CI-LSTN''', "hpoms-dps-lstn":'''HPOMS-DPS-LSTN''', "netsupport":'''NetSupport''', "systemics-sox":'''Systemics Sox''', "foresyte-clear":'''Foresyte-Clear''', "foresyte-sec":'''Foresyte-Sec''', "salient-dtasrv":'''Salient Data Server''', "salient-usrmgr":'''Salient User Manager''', "actnet":'''ActNet''', "continuus":'''Continuus''', "wwiotalk":'''WWIOTALK''', "statusd":'''StatusD''', "ns-server":'''NS Server''', "sns-gateway":'''SNS Gateway''', "sns-agent":'''SNS Agent''', "mcntp":'''MCNTP''', "dj-ice":'''DJ-ICE''', "cylink-c":'''Cylink-C''', "netsupport2":'''Net Support 2''', "salient-mux":'''Salient MUX''', "virtualuser":'''VIRTUALUSER''', "beyond-remote":'''Beyond Remote''', "br-channel":'''Beyond Remote Command Channel''', "devbasic":'''DEVBASIC''', "sco-peer-tta":'''SCO-PEER-TTA''', "telaconsole":'''TELACONSOLE''', "base":'''Billing and Accounting System Exchange''', "radec-corp":'''RADEC CORP''', "park-agent":'''PARK AGENT''', "postgresql":'''PostgreSQL Database''', "pyrrho":'''Pyrrho DBMS''', "sgi-arrayd":'''SGI Array Services Daemon''', "sceanics":'''SCEANICS situation and action notification''', "spss":'''Pearson HTTPS''', "smbdirect":'''Server Message Block over Remote Direct Memory Access''', "surebox":'''SureBox''', "apc-5454":'''APC 5454''', "apc-5455":'''APC 5455''', "apc-5456":'''APC 5456''', "silkmeter":'''SILKMETER''', "ttl-publisher":'''TTL Publisher''', "ttlpriceproxy":'''TTL Price Proxy''', "quailnet":'''Quail Networks Object Broker''', "netops-broker":'''NETOPS-BROKER''', "fcp-addr-srvr1":'''fcp-addr-srvr1''', "fcp-addr-srvr2":'''fcp-addr-srvr2''', "fcp-srvr-inst1":'''fcp-srvr-inst1''', "fcp-srvr-inst2":'''fcp-srvr-inst2''', "fcp-cics-gw1":'''fcp-cics-gw1''', "checkoutdb":'''Checkout Database''', "amc":'''Amcom Mobile Connect''', "sgi-eventmond":'''SGI Eventmond Port''', "sgi-esphttp":'''SGI ESP HTTP''', "personal-agent":'''Personal Agent''', "freeciv":'''Freeciv gameplay''', "farenet":'''Sandlab FARENET''', "westec-connect":'''Westec Connect''', "m-oap":'''Multicast Object Access Protocol''', "sdt":'''Session Data Transport Multicast''', "rdmnet-ctrl":'''PLASA E1.33, Remote Device Management (RDM) controller status notifications''', "sdmmp":'''SAS Domain Management Messaging Protocol''', "lsi-bobcat":'''SAS IO Forwarding''', "ora-oap":'''Oracle Access Protocol''', "fdtracks":'''FleetDisplay Tracking Service''', "tmosms0":'''T-Mobile SMS Protocol Message 0''', "tmosms1":'''T-Mobile SMS Protocol Message 1''', "fac-restore":'''T-Mobile SMS Protocol Message 3''', "tmo-icon-sync":'''T-Mobile SMS Protocol Message 2''', "bis-web":'''BeInSync-Web''', "bis-sync":'''BeInSync-sync''', "ininmessaging":'''inin secure messaging''', "mctfeed":'''MCT Market Data Feed''', "esinstall":'''Enterprise Security Remote Install''', "esmmanager":'''Enterprise Security Manager''', "esmagent":'''Enterprise Security Agent''', "a1-msc":'''A1-MSC''', "a1-bs":'''A1-BS''', "a3-sdunode":'''A3-SDUNode''', "a4-sdunode":'''A4-SDUNode''', "ninaf":'''Node Initiated Network Association Forma''', "htrust":'''HTrust API''', "symantec-sfdb":'''Symantec Storage Foundation for Database''', "precise-comm":'''PreciseCommunication''', "pcanywheredata":'''pcANYWHEREdata''', "pcanywherestat":'''pcANYWHEREstat''', "beorl":'''BE Operations Request Listener''', "xprtld":'''SF Message Service''', "sfmsso":'''SFM Authentication Subsystem''', "sfm-db-server":'''SFMdb - SFM DB server''', "cssc":'''Symantec CSSC''', "flcrs":'''Symantec Fingerprint Lookup and Container Reference Service''', "ics":'''Symantec Integrity Checking Service''', "vfmobile":'''Ventureforth Mobile''', "amqps":'''amqp protocol over TLS/SSL''', "amqp":'''AMQP''', "jms":'''JACL Message Server''', "hyperscsi-port":'''HyperSCSI Port''', "v5ua":'''V5UA application port''', "raadmin":'''RA Administration''', "questdb2-lnchr":'''Quest Central DB2 Launchr''', "rrac":'''Remote Replication Agent Connection''', "dccm":'''Direct Cable Connect Manager''', "auriga-router":'''Auriga Router Service''', "ncxcp":'''Net-coneX Control Protocol''', "ggz":'''GGZ Gaming Zone''', "qmvideo":'''QM video network management protocol''', "rbsystem":'''Robert Bosch Data Transfer''', "kmip":'''Key Management Interoperability Protocol''', "proshareaudio":'''proshare conf audio''', "prosharevideo":'''proshare conf video''', "prosharedata":'''proshare conf data''', "prosharerequest":'''proshare conf request''', "prosharenotify":'''proshare conf notify''', "dpm":'''DPM Communication Server''', "dpm-agent":'''DPM Agent Coordinator''', "ms-licensing":'''MS-Licensing''', "dtpt":'''Desktop Passthru Service''', "msdfsr":'''Microsoft DFS Replication Service''', "omhs":'''Operations Manager - Health Service''', "omsdk":'''Operations Manager - SDK Service''', "ms-ilm":'''Microsoft Identity Lifecycle Manager''', "ms-ilm-sts":'''Microsoft Lifecycle Manager Secure Token Service''', "asgenf":'''ASG Event Notification Framework''', "io-dist-data":'''Dist. I/O Comm. Service Data and Control''', "openmail":'''Openmail User Agent Layer''', "unieng":'''Steltor's calendar access''', "ida-discover1":'''IDA Discover Port 1''', "ida-discover2":'''IDA Discover Port 2''', "watchdoc-pod":'''Watchdoc NetPOD Protocol''', "watchdoc":'''Watchdoc Server''', "fcopy-server":'''fcopy-server''', "fcopys-server":'''fcopys-server''', "tunatic":'''Wildbits Tunatic''', "tunalyzer":'''Wildbits Tunalyzer''', "rscd":'''Bladelogic Agent Service''', "openmailg":'''OpenMail Desk Gateway server''', "x500ms":'''OpenMail X.500 Directory Server''', "openmailns":'''OpenMail NewMail Server''', "s-openmail":'''OpenMail Suer Agent Layer (Secure)''', "openmailpxy":'''OpenMail CMTS Server''', "spramsca":'''x509solutions Internal CA''', "spramsd":'''x509solutions Secure Data''', "netagent":'''NetAgent''', "dali-port":'''DALI Port''', "vts-rpc":'''Visual Tag System RPC''', "3par-evts":'''3PAR Event Reporting Service''', "3par-mgmt":'''3PAR Management Service''', "3par-mgmt-ssl":'''3PAR Management Service with SSL''', "3par-rcopy":'''3PAR Inform Remote Copy''', "xtreamx":'''XtreamX Supervised Peer message''', "icmpd":'''ICMPD''', "spt-automation":'''Support Automation''', "reversion":'''Reversion Backup/Restore''', "wherehoo":'''WHEREHOO''', "ppsuitemsg":'''PlanetPress Suite Messeng''', "diameters":'''Diameter over TLS/TCP''', "jute":'''Javascript Unit Test Environment''', "rfb":'''Remote Framebuffer''', "cm":'''Context Management''', "cpdlc":'''Controller Pilot Data Link Communication''', "fis":'''Flight Information Services''', "ads-c":'''Automatic Dependent Surveillance''', "indy":'''Indy Application Server''', "mppolicy-v5":'''mppolicy-v5''', "mppolicy-mgr":'''mppolicy-mgr''', "couchdb":'''CouchDB''', "wsman":'''WBEM WS-Management HTTP''', "wsmans":'''WBEM WS-Management HTTP over TLS/SSL''', "wbem-rmi":'''WBEM RMI''', "wbem-http":'''WBEM CIM-XML (HTTP)''', "wbem-https":'''WBEM CIM-XML (HTTPS)''', "wbem-exp-https":'''WBEM Export HTTPS''', "nuxsl":'''NUXSL''', "consul-insight":'''Consul InSight Security''', "cvsup":'''CVSup''', "x11":'''X Window System''', "ndl-ahp-svc":'''NDL-AHP-SVC''', "winpharaoh":'''WinPharaoh''', "ewctsp":'''EWCTSP''', "gsmp-ancp":'''GSMP/ANCP''', "trip":'''TRIP''', "messageasap":'''Messageasap''', "ssdtp":'''SSDTP''', "diagnose-proc":'''DIAGNOSE-PROC''', "directplay8":'''DirectPlay8''', "max":'''Microsoft Max''', "dpm-acm":'''Microsoft DPM Access Control Manager''', "msft-dpm-cert":'''Microsoft DPM WCF Certificates''', "p2p-sip":'''Peer to Peer Infrastructure Protocol''', "konspire2b":'''konspire2b p2p network''', "pdtp":'''PDTP P2P''', "ldss":'''Local Download Sharing Service''', "doglms":'''SuperDog License Manager''', "raxa-mgmt":'''RAXA Management''', "synchronet-db":'''SynchroNet-db''', "synchronet-rtc":'''SynchroNet-rtc''', "synchronet-upd":'''SynchroNet-upd''', "rets":'''RETS''', "dbdb":'''DBDB''', "primaserver":'''Prima Server''', "mpsserver":'''MPS Server''', "etc-control":'''ETC Control''', "sercomm-scadmin":'''Sercomm-SCAdmin''', "globecast-id":'''GLOBECAST-ID''', "softcm":'''HP SoftBench CM''', "spc":'''HP SoftBench Sub-Process Control''', "dtspcd":'''Desk-Top Sub-Process Control Daemon''', "dayliteserver":'''Daylite Server''', "wrspice":'''WRspice IPC Service''', "xic":'''Xic IPC Service''', "xtlserv":'''XicTools License Manager Service''', "daylitetouch":'''Daylite Touch Sync''', "spdy":'''SPDY for a faster web''', "bex-webadmin":'''Backup Express Web Server''', "backup-express":'''Backup Express''', "pnbs":'''Phlexible Network Backup Service''', "nbt-wol":'''New Boundary Tech WOL''', "pulsonixnls":'''Pulsonix Network License Service''', "meta-corp":'''Meta Corporation License Manager''', "aspentec-lm":'''Aspen Technology License Manager''', "watershed-lm":'''Watershed License Manager''', "statsci1-lm":'''StatSci License Manager - 1''', "statsci2-lm":'''StatSci License Manager - 2''', "lonewolf-lm":'''Lone Wolf Systems License Manager''', "montage-lm":'''Montage License Manager''', "ricardo-lm":'''Ricardo North America License Manager''', "tal-pod":'''tal-pod''', "efb-aci":'''EFB Application Control Interface''', "ecmp":'''Emerson Extensible Control and Management Protocol''', "patrol-ism":'''PATROL Internet Srv Mgr''', "patrol-coll":'''PATROL Collector''', "pscribe":'''Precision Scribe Cnx Port''', "lm-x":'''LM-X License Manager by X-Formation''', "radmind":'''Radmind Access Protocol''', "jeol-nsdtp-1":'''JEOL Network Services Data Transport Protocol 1''', "jeol-nsdtp-2":'''JEOL Network Services Data Transport Protocol 2''', "jeol-nsdtp-3":'''JEOL Network Services Data Transport Protocol 3''', "jeol-nsdtp-4":'''JEOL Network Services Data Transport Protocol 4''', "tl1-raw-ssl":'''TL1 Raw Over SSL/TLS''', "tl1-ssh":'''TL1 over SSH''', "crip":'''CRIP''', "gld":'''GridLAB-D User Interface''', "grid":'''Grid Authentication''', "grid-alt":'''Grid Authentication Alt''', "bmc-grx":'''BMC GRX''', "bmc-ctd-ldap":'''BMC CONTROL-D LDAP SERVER IANA assigned this well-formed service name as a replacement for "bmc_ctd_ldap".''', "bmc_ctd_ldap":'''BMC CONTROL-D LDAP SERVER''', "ufmp":'''Unified Fabric Management Protocol''', "scup":'''Sensor Control Unit Protocol''', "abb-escp":'''Ethernet Sensor Communications Protocol''', "repsvc":'''Double-Take Replication Service''', "emp-server1":'''Empress Software Connectivity Server 1''', "emp-server2":'''Empress Software Connectivity Server 2''', "hrd-ncs":'''HR Device Network Configuration Service''', "dt-mgmtsvc":'''Double-Take Management Service''', "sflow":'''sFlow traffic monitoring''', "gnutella-svc":'''gnutella-svc''', "gnutella-rtr":'''gnutella-rtr''', "adap":'''App Discovery and Access Protocol''', "pmcs":'''PMCS applications''', "metaedit-mu":'''MetaEdit+ Multi-User''', "metaedit-se":'''MetaEdit+ Server Administration''', "metatude-mds":'''Metatude Dialogue Server''', "clariion-evr01":'''clariion-evr01''', "metaedit-ws":'''MetaEdit+ WebService API''', "faxcomservice":'''Faxcom Message Service''', "syserverremote":'''SYserver remote commands''', "svdrp":'''Simple VDR Protocol''', "nim-vdrshell":'''NIM_VDRShell''', "nim-wan":'''NIM_WAN''', "pgbouncer":'''PgBouncer''', "sun-sr-https":'''Service Registry Default HTTPS Domain''', "sge-qmaster":'''Grid Engine Qmaster Service IANA assigned this well-formed service name as a replacement for "sge_qmaster".''', "sge_qmaster":'''Grid Engine Qmaster Service''', "sge-execd":'''Grid Engine Execution Service IANA assigned this well-formed service name as a replacement for "sge_execd".''', "sge_execd":'''Grid Engine Execution Service''', "mysql-proxy":'''MySQL Proxy''', "skip-cert-recv":'''SKIP Certificate Receive''', "skip-cert-send":'''SKIP Certificate Send''', "lvision-lm":'''LVision License Manager''', "sun-sr-http":'''Service Registry Default HTTP Domain''', "servicetags":'''Service Tags''', "ldoms-mgmt":'''Logical Domains Management Interface''', "SunVTS-RMI":'''SunVTS RMI''', "sun-sr-jms":'''Service Registry Default JMS Domain''', "sun-sr-iiop":'''Service Registry Default IIOP Domain''', "sun-sr-iiops":'''Service Registry Default IIOPS Domain''', "sun-sr-iiop-aut":'''Service Registry Default IIOPAuth Domain''', "sun-sr-jmx":'''Service Registry Default JMX Domain''', "sun-sr-admin":'''Service Registry Default Admin Domain''', "boks":'''BoKS Master''', "boks-servc":'''BoKS Servc IANA assigned this well-formed service name as a replacement for "boks_servc".''', "boks_servc":'''BoKS Servc''', "boks-servm":'''BoKS Servm IANA assigned this well-formed service name as a replacement for "boks_servm".''', "boks_servm":'''BoKS Servm''', "boks-clntd":'''BoKS Clntd IANA assigned this well-formed service name as a replacement for "boks_clntd".''', "boks_clntd":'''BoKS Clntd''', "badm-priv":'''BoKS Admin Private Port IANA assigned this well-formed service name as a replacement for "badm_priv".''', "badm_priv":'''BoKS Admin Private Port''', "badm-pub":'''BoKS Admin Public Port IANA assigned this well-formed service name as a replacement for "badm_pub".''', "badm_pub":'''BoKS Admin Public Port''', "bdir-priv":'''BoKS Dir Server, Private Port IANA assigned this well-formed service name as a replacement for "bdir_priv".''', "bdir_priv":'''BoKS Dir Server, Private Port''', "bdir-pub":'''BoKS Dir Server, Public Port IANA assigned this well-formed service name as a replacement for "bdir_pub".''', "bdir_pub":'''BoKS Dir Server, Public Port''', "mgcs-mfp-port":'''MGCS-MFP Port''', "mcer-port":'''MCER Port''', "netconf-tls":'''NETCONF over TLS''', "syslog-tls":'''Syslog over TLS''', "elipse-rec":'''Elipse RPC Protocol''', "lds-distrib":'''lds_distrib''', "lds-dump":'''LDS Dump Service''', "apc-6547":'''APC 6547''', "apc-6548":'''APC 6548''', "apc-6549":'''APC 6549''', "fg-sysupdate":'''fg-sysupdate''', "sum":'''Software Update Manager''', "xdsxdm":'''''', "sane-port":'''SANE Control Port''', "canit-store":'''CanIt Storage Manager IANA assigned this well-formed service name as a replacement for "canit_store".''', "canit_store":'''CanIt Storage Manager''', "affiliate":'''Affiliate''', "parsec-master":'''Parsec Masterserver''', "parsec-peer":'''Parsec Peer-to-Peer''', "parsec-game":'''Parsec Gameserver''', "joaJewelSuite":'''JOA Jewel Suite''', "mshvlm":'''Microsoft Hyper-V Live Migration''', "mstmg-sstp":'''Microsoft Threat Management Gateway SSTP''', "wsscomfrmwk":'''Windows WSS Communication Framework''', "odette-ftps":'''ODETTE-FTP over TLS/SSL''', "kftp-data":'''Kerberos V5 FTP Data''', "kftp":'''Kerberos V5 FTP Control''', "mcftp":'''Multicast FTP''', "ktelnet":'''Kerberos V5 Telnet''', "datascaler-db":'''DataScaler database''', "datascaler-ctl":'''DataScaler control''', "wago-service":'''WAGO Service and Update''', "nexgen":'''Allied Electronics NeXGen''', "afesc-mc":'''AFE Stock Channel M/C''', "mxodbc-connect":'''eGenix mxODBC Connect''', "pcs-sf-ui-man":'''PC SOFT - Software factory UI/manager''', "emgmsg":'''Emergency Message Control Service''', "ircu":'''IRCU''', "vocaltec-gold":'''Vocaltec Global Online Directory''', "p4p-portal":'''P4P Portal Service''', "vision-server":'''vision_server IANA assigned this well-formed service name as a replacement for "vision_server".''', "vision_server":'''vision_server''', "vision-elmd":'''vision_elmd IANA assigned this well-formed service name as a replacement for "vision_elmd".''', "vision_elmd":'''vision_elmd''', "vfbp":'''Viscount Freedom Bridge Protocol''', "osaut":'''Osorno Automation''', "clever-ctrace":'''CleverView for cTrace Message Service''', "clever-tcpip":'''CleverView for TCP/IP Message Service''', "tsa":'''Tofino Security Appliance''', "kti-icad-srvr":'''KTI/ICAD Nameserver''', "e-design-net":'''e-Design network''', "e-design-web":'''e-Design web''', "ibprotocol":'''Internet Backplane Protocol''', "fibotrader-com":'''Fibotrader Communications''', "bmc-perf-agent":'''BMC PERFORM AGENT''', "bmc-perf-mgrd":'''BMC PERFORM MGRD''', "adi-gxp-srvprt":'''ADInstruments GxP Server''', "plysrv-http":'''PolyServe http''', "plysrv-https":'''PolyServe https''', "dgpf-exchg":'''DGPF Individual Exchange''', "smc-jmx":'''Sun Java Web Console JMX''', "smc-admin":'''Sun Web Console Admin''', "smc-http":'''SMC-HTTP''', "smc-https":'''SMC-HTTPS''', "hnmp":'''HNMP''', "hnm":'''Halcyon Network Manager''', "acnet":'''ACNET Control System Protocol''', "pentbox-sim":'''PenTBox Secure IM Protocol''', "ambit-lm":'''ambit-lm''', "netmo-default":'''Netmo Default''', "netmo-http":'''Netmo HTTP''', "iccrushmore":'''ICCRUSHMORE''', "acctopus-cc":'''Acctopus Command Channel''', "muse":'''MUSE''', "jetstream":'''Novell Jetstream messaging protocol''', "ethoscan":'''EthoScan Service''', "xsmsvc":'''XenSource Management Service''', "bioserver":'''Biometrics Server''', "otlp":'''OTLP''', "jmact3":'''JMACT3''', "jmevt2":'''jmevt2''', "swismgr1":'''swismgr1''', "swismgr2":'''swismgr2''', "swistrap":'''swistrap''', "swispol":'''swispol''', "acmsoda":'''acmsoda''', "MobilitySrv":'''Mobility XE Protocol''', "iatp-highpri":'''IATP-highPri''', "iatp-normalpri":'''IATP-normalPri''', "afs3-fileserver":'''file server itself''', "afs3-callback":'''callbacks to cache managers''', "afs3-prserver":'''users & groups database''', "afs3-vlserver":'''volume location database''', "afs3-kaserver":'''AFS/Kerberos authentication service''', "afs3-volser":'''volume managment server''', "afs3-errors":'''error interpretation service''', "afs3-bos":'''basic overseer process''', "afs3-update":'''server-to-server updater''', "afs3-rmtsys":'''remote cache manager service''', "ups-onlinet":'''onlinet uninterruptable power supplies''', "talon-disc":'''Talon Discovery Port''', "talon-engine":'''Talon Engine''', "microtalon-dis":'''Microtalon Discovery''', "microtalon-com":'''Microtalon Communications''', "talon-webserver":'''Talon Webserver''', "fisa-svc":'''FISA Service''', "doceri-ctl":'''doceri drawing service control''', "dpserve":'''DP Serve''', "dpserveadmin":'''DP Serve Admin''', "ctdp":'''CT Discovery Protocol''', "ct2nmcs":'''Comtech T2 NMCS''', "vmsvc":'''Vormetric service''', "vmsvc-2":'''Vormetric Service II''', "op-probe":'''ObjectPlanet probe''', "arcp":'''ARCP''', "iwg1":'''IWGADTS Aircraft Housekeeping Message''', "empowerid":'''EmpowerID Communication''', "lazy-ptop":'''lazy-ptop''', "font-service":'''X Font Service''', "elcn":'''Embedded Light Control Network''', "virprot-lm":'''Virtual Prototypes License Manager''', "scenidm":'''intelligent data manager''', "scenccs":'''Catalog Content Search''', "cabsm-comm":'''CA BSM Comm''', "caistoragemgr":'''CA Storage Manager''', "cacsambroker":'''CA Connection Broker''', "fsr":'''File System Repository Agent''', "doc-server":'''Document WCF Server''', "aruba-server":'''Aruba eDiscovery Server''', "casrmagent":'''CA SRM Agent''', "cnckadserver":'''cncKadServer DB & Inventory Services''', "ccag-pib":'''Consequor Consulting Process Integration Bridge''', "nsrp":'''Adaptive Name/Service Resolution''', "drm-production":'''Discovery and Retention Mgt Production''', "zsecure":'''zSecure Server''', "clutild":'''Clutild''', "fodms":'''FODMS FLIP''', "dlip":'''DLIP''', "ramp":'''Registry A & M Protocol''', "citrixupp":'''Citrix Universal Printing Port''', "citrixuppg":'''Citrix UPP Gateway''', "display":'''Wi-Fi Alliance Wi-Fi Display Protocol''', "pads":'''PADS (Public Area Display System) Server''', "cnap":'''Calypso Network Access Protocol''', "watchme-7272":'''WatchMe Monitoring 7272''', "oma-rlp":'''OMA Roaming Location''', "oma-rlp-s":'''OMA Roaming Location SEC''', "oma-ulp":'''OMA UserPlane Location''', "oma-ilp":'''OMA Internal Location Protocol''', "oma-ilp-s":'''OMA Internal Location Secure Protocol''', "oma-dcdocbs":'''OMA Dynamic Content Delivery over CBS''', "ctxlic":'''Citrix Licensing''', "itactionserver1":'''ITACTIONSERVER 1''', "itactionserver2":'''ITACTIONSERVER 2''', "mzca-action":'''eventACTION/ussACTION (MZCA) server''', "genstat":'''General Statistics Rendezvous Protocol''', "lcm-server":'''LifeKeeper Communications''', "mindfilesys":'''mind-file system server''', "mrssrendezvous":'''mrss-rendezvous server''', "nfoldman":'''nFoldMan Remote Publish''', "fse":'''File system export of backup images''', "winqedit":'''winqedit''', "hexarc":'''Hexarc Command Language''', "rtps-discovery":'''RTPS Discovery''', "rtps-dd-ut":'''RTPS Data-Distribution User-Traffic''', "rtps-dd-mt":'''RTPS Data-Distribution Meta-Traffic''', "ionixnetmon":'''Ionix Network Monitor''', "mtportmon":'''Matisse Port Monitor''', "pmdmgr":'''OpenView DM Postmaster Manager''', "oveadmgr":'''OpenView DM Event Agent Manager''', "ovladmgr":'''OpenView DM Log Agent Manager''', "opi-sock":'''OpenView DM rqt communication''', "xmpv7":'''OpenView DM xmpv7 api pipe''', "pmd":'''OpenView DM ovc/xmpv3 api pipe''', "faximum":'''Faximum''', "oracleas-https":'''Oracle Application Server HTTPS''', "rise":'''Rise: The Vieneo Province''', "telops-lmd":'''telops-lmd''', "silhouette":'''Silhouette User''', "ovbus":'''HP OpenView Bus Daemon''', "adcp":'''Automation Device Configuration Protocol''', "acplt":'''ACPLT - process automation service''', "ovhpas":'''HP OpenView Application Server''', "pafec-lm":'''pafec-lm''', "saratoga":'''Saratoga Transfer Protocol''', "atul":'''atul server''', "nta-ds":'''FlowAnalyzer DisplayServer''', "nta-us":'''FlowAnalyzer UtilityServer''', "cfs":'''Cisco Fabric service''', "cwmp":'''DSL Forum CWMP''', "tidp":'''Threat Information Distribution Protocol''', "nls-tl":'''Network Layer Signaling Transport Layer''', "sncp":'''Sniffer Command Protocol''', "cfw":'''Control Framework''', "vsi-omega":'''VSI Omega''', "dell-eql-asm":'''Dell EqualLogic Host Group Management''', "aries-kfinder":'''Aries Kfinder''', "sun-lm":'''Sun License Manager''', "indi":'''Instrument Neutral Distributed Interface''', "simco":'''SImple Middlebox COnfiguration (SIMCO) Server''', "soap-http":'''SOAP Service Port''', "zen-pawn":'''Primary Agent Work Notification''', "xdas":'''OpenXDAS Wire Protocol''', "hawk":'''HA Web Konsole''', "tesla-sys-msg":'''TESLA System Messaging''', "pmdfmgt":'''PMDF Management''', "cuseeme":'''bonjour-cuseeme''', "imqstomp":'''iMQ STOMP Server''', "imqstomps":'''iMQ STOMP Server over SSL''', "imqtunnels":'''iMQ SSL tunnel''', "imqtunnel":'''iMQ Tunnel''', "imqbrokerd":'''iMQ Broker Rendezvous''', "sun-user-https":'''Sun App Server - HTTPS''', "pando-pub":'''Pando Media Public Distribution''', "collaber":'''Collaber Network Service''', "klio":'''KLIO communications''', "em7-secom":'''EM7 Secure Communications''', "sync-em7":'''EM7 Dynamic Updates''', "scinet":'''scientia.net''', "medimageportal":'''MedImage Portal''', "nsdeepfreezectl":'''Novell Snap-in Deep Freeze Control''', "nitrogen":'''Nitrogen Service''', "freezexservice":'''FreezeX Console Service''', "trident-data":'''Trident Systems Data''', "smip":'''Smith Protocol over IP''', "aiagent":'''HP Enterprise Discovery Agent''', "scriptview":'''ScriptView Network''', "msss":'''Mugginsoft Script Server Service''', "sstp-1":'''Sakura Script Transfer Protocol''', "raqmon-pdu":'''RAQMON PDU''', "prgp":'''Put/Run/Get Protocol''', "cbt":'''cbt''', "interwise":'''Interwise''', "vstat":'''VSTAT''', "accu-lmgr":'''accu-lmgr''', "minivend":'''MINIVEND''', "popup-reminders":'''Popup Reminders Receive''', "office-tools":'''Office Tools Pro Receive''', "q3ade":'''Q3ADE Cluster Service''', "pnet-conn":'''Propel Connector port''', "pnet-enc":'''Propel Encoder port''', "altbsdp":'''Alternate BSDP Service''', "asr":'''Apple Software Restore''', "ssp-client":'''Secure Server Protocol - client''', "rbt-wanopt":'''Riverbed WAN Optimization Protocol''', "apc-7845":'''APC 7845''', "apc-7846":'''APC 7846''', "mobileanalyzer":'''MobileAnalyzer& MobileMonitor''', "rbt-smc":'''Riverbed Steelhead Mobile Service''', "mdm":'''Mobile Device Management''', "pss":'''Pearson''', "ubroker":'''Universal Broker''', "mevent":'''Multicast Event''', "tnos-sp":'''TNOS Service Protocol''', "tnos-dp":'''TNOS shell Protocol''', "tnos-dps":'''TNOS Secure DiaguardProtocol''', "qo-secure":'''QuickObjects secure port''', "t2-drm":'''Tier 2 Data Resource Manager''', "t2-brm":'''Tier 2 Business Rules Manager''', "supercell":'''Supercell''', "micromuse-ncps":'''Micromuse-ncps''', "quest-vista":'''Quest Vista''', "sossd-collect":'''Spotlight on SQL Server Desktop Collect''', "sossd-agent":'''Spotlight on SQL Server Desktop Agent''', "pushns":'''PUSH Notification Service''', "irdmi2":'''iRDMI2''', "irdmi":'''iRDMI''', "vcom-tunnel":'''VCOM Tunnel''', "teradataordbms":'''Teradata ORDBMS''', "mcreport":'''Mulberry Connect Reporting Service''', "mxi":'''MXI Generation II for z/OS''', "http-alt":'''HTTP Alternate''', "qbdb":'''QB DB Dynamic Port''', "intu-ec-svcdisc":'''Intuit Entitlement Service and Discovery''', "intu-ec-client":'''Intuit Entitlement Client''', "oa-system":'''oa-system''', "ca-audit-da":'''CA Audit Distribution Agent''', "ca-audit-ds":'''CA Audit Distribution Server''', "pro-ed":'''ProEd''', "mindprint":'''MindPrint''', "vantronix-mgmt":'''.vantronix Management''', "ampify":'''Ampify Messaging Protocol''', "fs-agent":'''FireScope Agent''', "fs-server":'''FireScope Server''', "fs-mgmt":'''FireScope Management Interface''', "rocrail":'''Rocrail Client Service''', "senomix01":'''Senomix Timesheets Server''', "senomix02":'''Senomix Timesheets Client [1 year assignment]''', "senomix03":'''Senomix Timesheets Server [1 year assignment]''', "senomix04":'''Senomix Timesheets Server [1 year assignment]''', "senomix05":'''Senomix Timesheets Server [1 year assignment]''', "senomix06":'''Senomix Timesheets Client [1 year assignment]''', "senomix07":'''Senomix Timesheets Client [1 year assignment]''', "senomix08":'''Senomix Timesheets Client [1 year assignment]''', "gadugadu":'''Gadu-Gadu''', "http-alt":'''HTTP Alternate (see port 80)''', "sunproxyadmin":'''Sun Proxy Admin Service''', "us-cli":'''Utilistor (Client)''', "us-srv":'''Utilistor (Server)''', "d-s-n":'''Distributed SCADA Networking Rendezvous Port''', "simplifymedia":'''Simplify Media SPP Protocol''', "radan-http":'''Radan HTTP''', "jamlink":'''Jam Link Framework''', "sac":'''SAC Port Id''', "xprint-server":'''Xprint Server''', "ldoms-migr":'''Logical Domains Migration''', "mtl8000-matrix":'''MTL8000 Matrix''', "cp-cluster":'''Check Point Clustering''', "privoxy":'''Privoxy HTTP proxy''', "apollo-data":'''Apollo Data Port''', "apollo-admin":'''Apollo Admin Port''', "paycash-online":'''PayCash Online Protocol''', "paycash-wbp":'''PayCash Wallet-Browser''', "indigo-vrmi":'''INDIGO-VRMI''', "indigo-vbcp":'''INDIGO-VBCP''', "dbabble":'''dbabble''', "isdd":'''i-SDD file transfer''', "patrol":'''Patrol''', "patrol-snmp":'''Patrol SNMP''', "intermapper":'''Intermapper network management system''', "vmware-fdm":'''VMware Fault Domain Manager''', "proremote":'''ProRemote''', "itach":'''Remote iTach Connection''', "spytechphone":'''SpyTech Phone Service''', "blp1":'''Bloomberg data API''', "blp2":'''Bloomberg feed''', "vvr-data":'''VVR DATA''', "trivnet1":'''TRIVNET''', "trivnet2":'''TRIVNET''', "lm-perfworks":'''LM Perfworks''', "lm-instmgr":'''LM Instmgr''', "lm-dta":'''LM Dta''', "lm-sserver":'''LM SServer''', "lm-webwatcher":'''LM Webwatcher''', "rexecj":'''RexecJ Server''', "synapse-nhttps":'''Synapse Non Blocking HTTPS''', "pando-sec":'''Pando Media Controlled Distribution''', "synapse-nhttp":'''Synapse Non Blocking HTTP''', "blp3":'''Bloomberg professional''', "hiperscan-id":'''Hiperscan Identification Service''', "blp4":'''Bloomberg intelligent client''', "tmi":'''Transport Management Interface''', "amberon":'''Amberon PPC/PPS''', "hub-open-net":'''Hub Open Network''', "tnp-discover":'''Thin(ium) Network Protocol''', "tnp":'''Thin(ium) Network Protocol''', "server-find":'''Server Find''', "cruise-enum":'''Cruise ENUM''', "cruise-swroute":'''Cruise SWROUTE''', "cruise-config":'''Cruise CONFIG''', "cruise-diags":'''Cruise DIAGS''', "cruise-update":'''Cruise UPDATE''', "m2mservices":'''M2m Services''', "cvd":'''cvd''', "sabarsd":'''sabarsd''', "abarsd":'''abarsd''', "admind":'''admind''', "svcloud":'''SuperVault Cloud''', "svbackup":'''SuperVault Backup''', "espeech":'''eSpeech Session Protocol''', "espeech-rtp":'''eSpeech RTP Protocol''', "cybro-a-bus":'''CyBro A-bus Protocol''', "pcsync-https":'''PCsync HTTPS''', "pcsync-http":'''PCsync HTTP''', "npmp":'''npmp''', "cisco-avp":'''Cisco Address Validation Protocol''', "pim-port":'''PIM over Reliable Transport''', "otv":'''Overlay Transport Virtualization (OTV)''', "vp2p":'''Virtual Point to Point''', "noteshare":'''AquaMinds NoteShare''', "fmtp":'''Flight Message Transfer Protocol''', "cmtp-mgt":'''CYTEL Message Transfer Management''', "rtsp-alt":'''RTSP Alternate (see port 554)''', "d-fence":'''SYMAX D-FENCE''', "oap-admin":'''Object Access Protocol Administration''', "asterix":'''Surveillance Data''', "canon-mfnp":'''Canon MFNP Service''', "canon-bjnp1":'''Canon BJNP Port 1''', "canon-bjnp2":'''Canon BJNP Port 2''', "canon-bjnp3":'''Canon BJNP Port 3''', "canon-bjnp4":'''Canon BJNP Port 4''', "imink":'''Imink Service Control''', "msi-cps-rm":'''Motorola Solutions Customer Programming Software for Radio Management''', "sun-as-jmxrmi":'''Sun App Server - JMX/RMI''', "vnyx":'''VNYX Primary Port''', "ibus":'''iBus''', "mc-appserver":'''MC-APPSERVER''', "openqueue":'''OPENQUEUE''', "ultraseek-http":'''Ultraseek HTTP''', "dpap":'''Digital Photo Access Protocol (iPhoto)''', "msgclnt":'''Message Client''', "msgsrvr":'''Message Server''', "acd-pm":'''Accedian Performance Measurement''', "sunwebadmin":'''Sun Web Server Admin Service''', "truecm":'''truecm''', "dxspider":'''dxspider linking protocol''', "cddbp-alt":'''CDDBP''', "galaxy4d":'''Galaxy4D Online Game Engine''', "secure-mqtt":'''Secure MQTT''', "ddi-tcp-1":'''NewsEDGE server TCP (TCP 1)''', "ddi-tcp-2":'''Desktop Data TCP 1''', "ddi-tcp-3":'''Desktop Data TCP 2''', "ddi-tcp-4":'''Desktop Data TCP 3: NESS application''', "ddi-tcp-5":'''Desktop Data TCP 4: FARM product''', "ddi-tcp-6":'''Desktop Data TCP 5: NewsEDGE/Web application''', "ddi-tcp-7":'''Desktop Data TCP 6: COAL application''', "ospf-lite":'''ospf-lite''', "jmb-cds1":'''JMB-CDS 1''', "jmb-cds2":'''JMB-CDS 2''', "manyone-http":'''manyone-http''', "manyone-xml":'''manyone-xml''', "wcbackup":'''Windows Client Backup''', "dragonfly":'''Dragonfly System Service''', "twds":'''Transaction Warehouse Data Service''', "ub-dns-control":'''unbound dns nameserver control''', "cumulus-admin":'''Cumulus Admin Port''', "sunwebadmins":'''Sun Web Server SSL Admin Service''', "http-wmap":'''webmail HTTP service''', "https-wmap":'''webmail HTTPS service''', "bctp":'''Brodos Crypto Trade Protocol''', "cslistener":'''CSlistener''', "etlservicemgr":'''ETL Service Manager''', "dynamid":'''DynamID authentication''', "ogs-server":'''Open Grid Services Server''', "pichat":'''Pichat Server''', "sdr":'''Secure Data Replicator Protocol''', "tambora":'''TAMBORA''', "panagolin-ident":'''Pangolin Identification''', "paragent":'''PrivateArk Remote Agent''', "swa-1":'''Secure Web Access - 1''', "swa-2":'''Secure Web Access - 2''', "swa-3":'''Secure Web Access - 3''', "swa-4":'''Secure Web Access - 4''', "versiera":'''Versiera Agent Listener''', "fio-cmgmt":'''Fusion-io Central Manager Service''', "glrpc":'''Groove GLRPC''', "emc-pp-mgmtsvc":'''EMC PowerPath Mgmt Service''', "aurora":'''IBM AURORA Performance Visualizer''', "ibm-rsyscon":'''IBM Remote System Console''', "net2display":'''Vesa Net2Display''', "classic":'''Classic Data Server''', "sqlexec":'''IBM Informix SQL Interface''', "sqlexec-ssl":'''IBM Informix SQL Interface - Encrypted''', "websm":'''WebSM''', "xmltec-xmlmail":'''xmltec-xmlmail''', "XmlIpcRegSvc":'''Xml-Ipc Server Reg''', "copycat":'''Copycat database replication service''', "hp-pdl-datastr":'''PDL Data Streaming Port''', "pdl-datastream":'''Printer PDL Data Stream''', "bacula-dir":'''Bacula Director''', "bacula-fd":'''Bacula File Daemon''', "bacula-sd":'''Bacula Storage Daemon''', "peerwire":'''PeerWire''', "xadmin":'''Xadmin Control Service''', "astergate":'''Astergate Control Service''', "astergatefax":'''AstergateFax Control Service''', "mxit":'''MXit Instant Messaging''', "dddp":'''Dynamic Device Discovery''', "apani1":'''apani1''', "apani2":'''apani2''', "apani3":'''apani3''', "apani4":'''apani4''', "apani5":'''apani5''', "sun-as-jpda":'''Sun AppSvr JPDA''', "wap-wsp":'''WAP connectionless session service''', "wap-wsp-wtp":'''WAP session service''', "wap-wsp-s":'''WAP secure connectionless session service''', "wap-wsp-wtp-s":'''WAP secure session service''', "wap-vcard":'''WAP vCard''', "wap-vcal":'''WAP vCal''', "wap-vcard-s":'''WAP vCard Secure''', "wap-vcal-s":'''WAP vCal Secure''', "rjcdb-vcards":'''rjcdb vCard''', "almobile-system":'''ALMobile System Service''', "oma-mlp":'''OMA Mobile Location Protocol''', "oma-mlp-s":'''OMA Mobile Location Protocol Secure''', "serverviewdbms":'''Server View dbms access''', "serverstart":'''ServerStart RemoteControl''', "ipdcesgbs":'''IPDC ESG BootstrapService''', "insis":'''Integrated Setup and Install Service''', "acme":'''Aionex Communication Management Engine''', "fsc-port":'''FSC Communication Port''', "teamcoherence":'''QSC Team Coherence''', "mon":'''Manager On Network''', "pegasus":'''Pegasus GPS Platform''', "pegasus-ctl":'''Pegaus GPS System Control Interface''', "pgps":'''Predicted GPS''', "swtp-port1":'''SofaWare transport port 1''', "swtp-port2":'''SofaWare transport port 2''', "callwaveiam":'''CallWaveIAM''', "visd":'''VERITAS Information Serve''', "n2h2server":'''N2H2 Filter Service Port''', "cumulus":'''Cumulus''', "armtechdaemon":'''ArmTech Daemon''', "storview":'''StorView Client''', "armcenterhttp":'''ARMCenter http Service''', "armcenterhttps":'''ARMCenter https Service''', "vrace":'''Virtual Racing Service''', "sphinxql":'''Sphinx search server (MySQL listener)''', "sphinxapi":'''Sphinx search server''', "secure-ts":'''PKIX TimeStamp over TLS''', "guibase":'''guibase''', "mpidcmgr":'''MpIdcMgr''', "mphlpdmc":'''Mphlpdmc''', "ctechlicensing":'''C Tech Licensing''', "fjdmimgr":'''fjdmimgr''', "boxp":'''Brivs! Open Extensible Protocol''', "d2dconfig":'''D2D Configuration Service''', "d2ddatatrans":'''D2D Data Transfer Service''', "adws":'''Active Directory Web Services''', "otp":'''OpenVAS Transfer Protocol''', "fjinvmgr":'''fjinvmgr''', "mpidcagt":'''MpIdcAgt''', "sec-t4net-srv":'''Samsung Twain for Network Server''', "sec-t4net-clt":'''Samsung Twain for Network Client''', "sec-pc2fax-srv":'''Samsung PC2FAX for Network Server''', "git":'''git pack transfer service''', "tungsten-https":'''WSO2 Tungsten HTTPS''', "wso2esb-console":'''WSO2 ESB Administration Console HTTPS''', "mindarray-ca":'''MindArray Systems Console Agent''', "sntlkeyssrvr":'''Sentinel Keys Server''', "ismserver":'''ismserver''', "mngsuite":'''Management Suite Remote Control''', "laes-bf":'''Surveillance buffering function''', "trispen-sra":'''Trispen Secure Remote Access''', "ldgateway":'''LANDesk Gateway''', "cba8":'''LANDesk Management Agent (cba8)''', "msgsys":'''Message System''', "pds":'''Ping Discovery Service''', "mercury-disc":'''Mercury Discovery''', "pd-admin":'''PD Administration''', "vscp":'''Very Simple Ctrl Protocol''', "robix":'''Robix''', "micromuse-ncpw":'''MICROMUSE-NCPW''', "streamcomm-ds":'''StreamComm User Directory''', "iadt-tls":'''iADT Protocol over TLS''', "erunbook-agent":'''eRunbook Agent IANA assigned this well-formed service name as a replacement for "erunbook_agent".''', "erunbook_agent":'''eRunbook Agent''', "erunbook-server":'''eRunbook Server IANA assigned this well-formed service name as a replacement for "erunbook_server".''', "erunbook_server":'''eRunbook Server''', "condor":'''Condor Collector Service''', "odbcpathway":'''ODBC Pathway Service''', "uniport":'''UniPort SSO Controller''', "peoctlr":'''Peovica Controller''', "peocoll":'''Peovica Collector''', "pqsflows":'''ProQueSys Flows Service''', "xmms2":'''Cross-platform Music Multiplexing System''', "tec5-sdctp":'''tec5 Spectral Device Control Protocol''', "client-wakeup":'''T-Mobile Client Wakeup Message''', "ccnx":'''Content Centric Networking''', "board-roar":'''Board M.I.T. Service''', "l5nas-parchan":'''L5NAS Parallel Channel''', "board-voip":'''Board M.I.T. Synchronous Collaboration''', "rasadv":'''rasadv''', "tungsten-http":'''WSO2 Tungsten HTTP''', "davsrc":'''WebDav Source Port''', "sstp-2":'''Sakura Script Transfer Protocol-2''', "davsrcs":'''WebDAV Source TLS/SSL''', "sapv1":'''Session Announcement v1''', "sd":'''Session Director''', "cyborg-systems":'''CYBORG Systems''', "gt-proxy":'''Port for Cable network related data proxy or repeater''', "monkeycom":'''MonkeyCom''', "sctp-tunneling":'''SCTP TUNNELING''', "iua":'''IUA''', "domaintime":'''domaintime''', "sype-transport":'''SYPECom Transport Protocol''', "apc-9950":'''APC 9950''', "apc-9951":'''APC 9951''', "apc-9952":'''APC 9952''', "acis":'''9953''', "hinp":'''HaloteC Instrument Network Protocol''', "alljoyn-stm":'''Contact Port for AllJoyn standard messaging''', "odnsp":'''OKI Data Network Setting Protocol''', "dsm-scm-target":'''DSM/SCM Target Interface''', "nsesrvr":'''Software Essentials Secure HTTP server''', "osm-appsrvr":'''OSM Applet Server''', "osm-oev":'''OSM Event Server''', "palace-1":'''OnLive-1''', "palace-2":'''OnLive-2''', "palace-3":'''OnLive-3''', "palace-4":'''Palace-4''', "palace-5":'''Palace-5''', "palace-6":'''Palace-6''', "distinct32":'''Distinct32''', "distinct":'''distinct''', "ndmp":'''Network Data Management Protocol''', "scp-config":'''SCP Configuration''', "documentum":'''EMC-Documentum Content Server Product''', "documentum-s":'''EMC-Documentum Content Server Product IANA assigned this well-formed service name as a replacement for "documentum_s".''', "documentum_s":'''EMC-Documentum Content Server Product''', "emcrmirccd":'''EMC Replication Manager Client''', "emcrmird":'''EMC Replication Manager Server''', "mvs-capacity":'''MVS Capacity''', "octopus":'''Octopus Multiplexer''', "swdtp-sv":'''Systemwalker Desktop Patrol''', "rxapi":'''ooRexx rxapi services''', "zabbix-agent":'''Zabbix Agent''', "zabbix-trapper":'''Zabbix Trapper''', "qptlmd":'''Quantapoint FLEXlm Licensing Service''', "amanda":'''Amanda''', "famdc":'''FAM Archive Server''', "itap-ddtp":'''VERITAS ITAP DDTP''', "ezmeeting-2":'''eZmeeting''', "ezproxy-2":'''eZproxy''', "ezrelay":'''eZrelay''', "swdtp":'''Systemwalker Desktop Patrol''', "bctp-server":'''VERITAS BCTP, server''', "nmea-0183":'''NMEA-0183 Navigational Data''', "netiq-endpoint":'''NetIQ Endpoint''', "netiq-qcheck":'''NetIQ Qcheck''', "netiq-endpt":'''NetIQ Endpoint''', "netiq-voipa":'''NetIQ VoIP Assessor''', "iqrm":'''NetIQ IQCResource Managament Svc''', "bmc-perf-sd":'''BMC-PERFORM-SERVICE DAEMON''', "bmc-gms":'''BMC General Manager Server''', "qb-db-server":'''QB Database Server''', "snmptls":'''SNMP-TLS''', "snmptls-trap":'''SNMP-Trap-TLS''', "trisoap":'''Trigence AE Soap Service''', "rsms":'''Remote Server Management Service''', "apollo-relay":'''Apollo Relay Port''', "axis-wimp-port":'''Axis WIMP Port''', "blocks":'''Blocks''', "cosir":'''Computer Op System Information Report''', "MOS-lower":'''MOS Media Object Metadata Port''', "MOS-upper":'''MOS Running Order Port''', "MOS-aux":'''MOS Low Priority Port''', "MOS-soap":'''MOS SOAP Default Port''', "MOS-soap-opt":'''MOS SOAP Optional Port''', "printopia":'''Port to allow for administration and control of "Printopia" application software, which provides printing services to mobile users''', "gap":'''Gestor de Acaparamiento para Pocket PCs''', "lpdg":'''LUCIA Pareja Data Group''', "nbd":'''Linux Network Block Device''', "helix":'''Helix Client/Server''', "rmiaux":'''Auxiliary RMI Port''', "irisa":'''IRISA''', "metasys":'''Metasys''', "netapp-icmgmt":'''NetApp Intercluster Management''', "netapp-icdata":'''NetApp Intercluster Data''', "sgi-lk":'''SGI LK Licensing service''', "vce":'''Viral Computing Environment (VCE)''', "dicom":'''DICOM''', "suncacao-snmp":'''sun cacao snmp access point''', "suncacao-jmxmp":'''sun cacao JMX-remoting access point''', "suncacao-rmi":'''sun cacao rmi registry access point''', "suncacao-csa":'''sun cacao command-streaming access point''', "suncacao-websvc":'''sun cacao web service access point''', "oemcacao-jmxmp":'''OEM cacao JMX-remoting access point''', "t5-straton":'''Straton Runtime Programing''', "oemcacao-rmi":'''OEM cacao rmi registry access point''', "oemcacao-websvc":'''OEM cacao web service access point''', "smsqp":'''smsqp''', "dcsl-backup":'''DCSL Network Backup Services''', "wifree":'''WiFree Service''', "memcache":'''Memory cache service''', "imip":'''IMIP''', "imip-channels":'''IMIP Channels Port''', "arena-server":'''Arena Server Listen''', "atm-uhas":'''ATM UHAS''', "hkp":'''OpenPGP HTTP Keyserver''', "asgcypresstcps":'''ASG Cypress Secure Only''', "tempest-port":'''Tempest Protocol Port''', "h323callsigalt":'''h323 Call Signal Alternate''', "intrepid-ssl":'''Intrepid SSL''', "lanschool":'''LanSchool''', "xoraya":'''X2E Xoraya Multichannel protocol''', "sysinfo-sp":'''SysInfo Service Protocol''', "entextxid":'''IBM Enterprise Extender SNA XID Exchange''', "entextnetwk":'''IBM Enterprise Extender SNA COS Network Priority''', "entexthigh":'''IBM Enterprise Extender SNA COS High Priority''', "entextmed":'''IBM Enterprise Extender SNA COS Medium Priority''', "entextlow":'''IBM Enterprise Extender SNA COS Low Priority''', "dbisamserver1":'''DBISAM Database Server - Regular''', "dbisamserver2":'''DBISAM Database Server - Admin''', "accuracer":'''Accuracer Database System Server''', "accuracer-dbms":'''Accuracer Database System Admin''', "edbsrvr":'''ElevateDB Server''', "vipera":'''Vipera Messaging Service''', "vipera-ssl":'''Vipera Messaging Service over SSL Communication''', "rets-ssl":'''RETS over SSL''', "nupaper-ss":'''NuPaper Session Service''', "cawas":'''CA Web Access Service''', "hivep":'''HiveP''', "linogridengine":'''LinoGrid Engine''', "rads":'''Remote Administration Daemon (RAD) is a system service that offers secure, remote, programmatic access to Solaris system configuration and run-time state''', "warehouse-sss":'''Warehouse Monitoring Syst SSS''', "warehouse":'''Warehouse Monitoring Syst''', "italk":'''Italk Chat System''', "tsaf":'''tsaf port''', "i-zipqd":'''I-ZIPQD''', "bcslogc":'''Black Crow Software application logging''', "rs-pias":'''R&S Proxy Installation Assistant Service''', "emc-vcas-tcp":'''EMC Virtual CAS Service''', "powwow-client":'''PowWow Client''', "powwow-server":'''PowWow Server''', "doip-data":'''DoIP Data''', "bprd":'''BPRD Protocol (VERITAS NetBackup)''', "bpdbm":'''BPDBM Protocol (VERITAS NetBackup)''', "bpjava-msvc":'''BP Java MSVC Protocol''', "vnetd":'''Veritas Network Utility''', "bpcd":'''VERITAS NetBackup''', "vopied":'''VOPIED Protocol''', "nbdb":'''NetBackup Database''', "nomdb":'''Veritas-nomdb''', "dsmcc-config":'''DSMCC Config''', "dsmcc-session":'''DSMCC Session Messages''', "dsmcc-passthru":'''DSMCC Pass-Thru Messages''', "dsmcc-download":'''DSMCC Download Protocol''', "dsmcc-ccp":'''DSMCC Channel Change Protocol''', "bmdss":'''Blackmagic Design Streaming Server''', "ucontrol":'''Ultimate Control communication protocol''', "dta-systems":'''D-TA SYSTEMS''', "medevolve":'''MedEvolve Port Requester''', "scotty-ft":'''SCOTTY High-Speed Filetransfer''', "sua":'''SUA''', "sage-best-com1":'''sage Best! Config Server 1''', "sage-best-com2":'''sage Best! Config Server 2''', "vcs-app":'''VCS Application''', "icpp":'''IceWall Cert Protocol''', "gcm-app":'''GCM Application''', "vrts-tdd":'''Veritas Traffic Director''', "vcscmd":'''Veritas Cluster Server Command Server''', "vad":'''Veritas Application Director''', "cps":'''Fencing Server''', "ca-web-update":'''CA eTrust Web Update Service''', "hde-lcesrvr-1":'''hde-lcesrvr-1''', "hde-lcesrvr-2":'''hde-lcesrvr-2''', "hydap":'''Hypack Data Aquisition''', "xpilot":'''XPilot Contact Port''', "3link":'''3Link Negotiation''', "cisco-snat":'''Cisco Stateful NAT''', "bex-xr":'''Backup Express Restore Server''', "ptp":'''Picture Transfer Protocol''', "programmar":'''ProGrammar Enterprise''', "fmsas":'''Administration Server Access''', "fmsascon":'''Administration Server Connector''', "gsms":'''GoodSync Mediation Service''', "jwpc":'''Filemaker Java Web Publishing Core''', "jwpc-bin":'''Filemaker Java Web Publishing Core Binary''', "sun-sea-port":'''Solaris SEA Port''', "solaris-audit":'''Solaris Audit - secure remote audit log''', "etb4j":'''etb4j''', "pduncs":'''Policy Distribute, Update Notification''', "pdefmns":'''Policy definition and update management''', "netserialext1":'''Network Serial Extension Ports One''', "netserialext2":'''Network Serial Extension Ports Two''', "netserialext3":'''Network Serial Extension Ports Three''', "netserialext4":'''Network Serial Extension Ports Four''', "connected":'''Connected Corp''', "xoms":'''X509 Objects Management Service''', "newbay-snc-mc":'''Newbay Mobile Client Update Service''', "sgcip":'''Simple Generic Client Interface Protocol''', "intel-rci-mp":'''INTEL-RCI-MP''', "amt-soap-http":'''Intel(R) AMT SOAP/HTTP''', "amt-soap-https":'''Intel(R) AMT SOAP/HTTPS''', "amt-redir-tcp":'''Intel(R) AMT Redirection/TCP''', "amt-redir-tls":'''Intel(R) AMT Redirection/TLS''', "isode-dua":'''''', "soundsvirtual":'''Sounds Virtual''', "chipper":'''Chipper''', "avdecc":'''IEEE 1722.1 AVB Discovery, Enumeration, Connection management, and Control''', "integrius-stp":'''Integrius Secure Tunnel Protocol''', "ssh-mgmt":'''SSH Tectia Manager''', "db-lsp":'''Dropbox LanSync Protocol''', "ea":'''Eclipse Aviation''', "zep":'''Encap. ZigBee Packets''', "zigbee-ip":'''ZigBee IP Transport Service''', "zigbee-ips":'''ZigBee IP Transport Secure Service''', "sw-orion":'''SolarWinds Orion''', "biimenu":'''Beckman Instruments, Inc.''', "radpdf":'''RAD PDF Service''', "racf":'''z/OS Resource Access Control Facility''', "opsec-cvp":'''OPSEC CVP''', "opsec-ufp":'''OPSEC UFP''', "opsec-sam":'''OPSEC SAM''', "opsec-lea":'''OPSEC LEA''', "opsec-omi":'''OPSEC OMI''', "ohsc":'''Occupational Health SC''', "opsec-ela":'''OPSEC ELA''', "checkpoint-rtm":'''Check Point RTM''', "iclid":'''Checkpoint router monitoring''', "clusterxl":'''Checkpoint router state backup''', "gv-pf":'''GV NetConfig Service''', "ac-cluster":'''AC Cluster''', "rds-ib":'''Reliable Datagram Service''', "rds-ip":'''Reliable Datagram Service over IP''', "ique":'''IQue Protocol''', "infotos":'''Infotos''', "apc-necmp":'''APCNECMP''', "igrid":'''iGrid Server''', "j-link":'''J-Link TCP/IP Protocol''', "opsec-uaa":'''OPSEC UAA''', "ua-secureagent":'''UserAuthority SecureAgent''', "keysrvr":'''Key Server for SASSAFRAS''', "keyshadow":'''Key Shadow for SASSAFRAS''', "mtrgtrans":'''mtrgtrans''', "hp-sco":'''hp-sco''', "hp-sca":'''hp-sca''', "hp-sessmon":'''HP-SESSMON''', "fxuptp":'''FXUPTP''', "sxuptp":'''SXUPTP''', "jcp":'''JCP Client''', "iec-104-sec":'''IEC 60870-5-104 process control - secure''', "dnp-sec":'''Distributed Network Protocol - Secure''', "dnp":'''DNP''', "microsan":'''MicroSAN''', "commtact-http":'''Commtact HTTP''', "commtact-https":'''Commtact HTTPS''', "openwebnet":'''OpenWebNet protocol for electric network''', "ss-idi":'''Samsung Interdevice Interaction''', "opendeploy":'''OpenDeploy Listener''', "nburn-id":'''NetBurner ID Port IANA assigned this well-formed service name as a replacement for "nburn_id".''', "nburn_id":'''NetBurner ID Port''', "tmophl7mts":'''TMOP HL7 Message Transfer Service''', "mountd":'''NFS mount protocol''', "nfsrdma":'''Network File System (NFS) over RDMA''', "tolfab":'''TOLfab Data Change''', "ipdtp-port":'''IPD Tunneling Port''', "ipulse-ics":'''iPulse-ICS''', "emwavemsg":'''emWave Message Service''', "track":'''Track''', "athand-mmp":'''At Hand MMP''', "irtrans":'''IRTrans Control''', "rdm-tfs":'''Raima RDM TFS''', "dfserver":'''MineScape Design File Server''', "vofr-gateway":'''VoFR Gateway''', "tvpm":'''TVNC Pro Multiplexing''', "webphone":'''webphone''', "netspeak-is":'''NetSpeak Corp. Directory Services''', "netspeak-cs":'''NetSpeak Corp. Connection Services''', "netspeak-acd":'''NetSpeak Corp. Automatic Call Distribution''', "netspeak-cps":'''NetSpeak Corp. Credit Processing System''', "snapenetio":'''SNAPenetIO''', "optocontrol":'''OptoControl''', "optohost002":'''Opto Host Port 2''', "optohost003":'''Opto Host Port 3''', "optohost004":'''Opto Host Port 4''', "optohost004":'''Opto Host Port 5''', "dcap":'''dCache Access Protocol''', "gsidcap":'''GSI dCache Access Protocol''', "wnn6":'''wnn6''', "cis":'''CompactIS Tunnel''', "cis-secure":'''CompactIS Secure Tunnel''', "WibuKey":'''WibuKey Standard WkLan''', "CodeMeter":'''CodeMeter Standard''', "caldsoft-backup":'''CaldSoft Backup server file transfer''', "vocaltec-wconf":'''Vocaltec Web Conference''', "talikaserver":'''Talika Main Server''', "aws-brf":'''Telerate Information Platform LAN''', "brf-gw":'''Telerate Information Platform WAN''', "inovaport1":'''Inova LightLink Server Type 1''', "inovaport2":'''Inova LightLink Server Type 2''', "inovaport3":'''Inova LightLink Server Type 3''', "inovaport4":'''Inova LightLink Server Type 4''', "inovaport5":'''Inova LightLink Server Type 5''', "inovaport6":'''Inova LightLink Server Type 6''', "gntp":'''Generic Notification Transport Protocol''', "elxmgmt":'''Emulex HBAnyware Remote Management''', "novar-dbase":'''Novar Data''', "novar-alarm":'''Novar Alarm''', "novar-global":'''Novar Global''', "aequus":'''Aequus Service''', "aequus-alt":'''Aequus Service Mgmt''', "areaguard-neo":'''AreaGuard Neo - WebServer''', "med-ltp":'''med-ltp''', "med-fsp-rx":'''med-fsp-rx''', "med-fsp-tx":'''med-fsp-tx''', "med-supp":'''med-supp''', "med-ovw":'''med-ovw''', "med-ci":'''med-ci''', "med-net-svc":'''med-net-svc''', "filesphere":'''fileSphere''', "vista-4gl":'''Vista 4GL''', "ild":'''Isolv Local Directory''', "intel-rci":'''Intel RCI IANA assigned this well-formed service name as a replacement for "intel_rci".''', "intel_rci":'''Intel RCI''', "tonidods":'''Tonido Domain Server''', "binkp":'''BINKP''', "canditv":'''Canditv Message Service''', "flashfiler":'''FlashFiler''', "proactivate":'''Turbopower Proactivate''', "tcc-http":'''TCC User HTTP Service''', "cslg":'''Citrix StorageLink Gateway''', "find":'''Find Identification of Network Devices''', "icl-twobase1":'''icl-twobase1''', "icl-twobase2":'''icl-twobase2''', "icl-twobase3":'''icl-twobase3''', "icl-twobase4":'''icl-twobase4''', "icl-twobase5":'''icl-twobase5''', "icl-twobase6":'''icl-twobase6''', "icl-twobase7":'''icl-twobase7''', "icl-twobase8":'''icl-twobase8''', "icl-twobase9":'''icl-twobase9''', "icl-twobase10":'''icl-twobase10''', "sauterdongle":'''Sauter Dongle''', "idtp":'''Identifier Tracing Protocol''', "vocaltec-hos":'''Vocaltec Address Server''', "tasp-net":'''TASP Network Comm''', "niobserver":'''NIObserver''', "nilinkanalyst":'''NILinkAnalyst''', "niprobe":'''NIProbe''', "quake":'''quake''', "scscp":'''Symbolic Computation Software Composability Protocol''', "wnn6-ds":'''wnn6-ds''', "ezproxy":'''eZproxy''', "ezmeeting":'''eZmeeting''', "k3software-svr":'''K3 Software-Server''', "k3software-cli":'''K3 Software-Client''', "exoline-tcp":'''EXOline-TCP''', "exoconfig":'''EXOconfig''', "exonet":'''EXOnet''', "imagepump":'''ImagePump''', "jesmsjc":'''Job controller service''', "kopek-httphead":'''Kopek HTTP Head Port''', "ars-vista":'''ARS VISTA Application''', "tw-auth-key":'''TW Authentication/Key Distribution and''', "nxlmd":'''NX License Manager''', "pqsp":'''PQ Service''', "siemensgsm":'''Siemens GSM''', "otmp":'''ObTools Message Protocol''', "pago-services1":'''Pago Services 1''', "pago-services2":'''Pago Services 2''', "kingdomsonline":'''Kingdoms Online (CraigAvenue)''', "ovobs":'''OpenView Service Desk Client''', "autotrac-acp":'''Autotrac ACP 245''', "xqosd":'''XQoS network monitor''', "tetrinet":'''TetriNET Protocol''', "lm-mon":'''lm mon''', "dsx-monitor":'''DS Expert Monitor IANA assigned this well-formed service name as a replacement for "dsx_monitor".''', "dsx_monitor":'''DS Expert Monitor''', "gamesmith-port":'''GameSmith Port''', "iceedcp-tx":'''Embedded Device Configuration Protocol TX IANA assigned this well-formed service name as a replacement for "iceedcp_tx".''', "iceedcp_tx":'''Embedded Device Configuration Protocol TX''', "iceedcp-rx":'''Embedded Device Configuration Protocol RX IANA assigned this well-formed service name as a replacement for "iceedcp_rx".''', "iceedcp_rx":'''Embedded Device Configuration Protocol RX''', "iracinghelper":'''iRacing helper service''', "t1distproc60":'''T1 Distributed Processor''', "apm-link":'''Access Point Manager Link''', "sec-ntb-clnt":'''SecureNotebook-CLNT''', "DMExpress":'''DMExpress''', "filenet-powsrm":'''FileNet BPM WS-ReliableMessaging Client''', "filenet-tms":'''Filenet TMS''', "filenet-rpc":'''Filenet RPC''', "filenet-nch":'''Filenet NCH''', "filenet-rmi":'''FileNET RMI''', "filenet-pa":'''FileNET Process Analyzer''', "filenet-cm":'''FileNET Component Manager''', "filenet-re":'''FileNET Rules Engine''', "filenet-pch":'''Performance Clearinghouse''', "filenet-peior":'''FileNET BPM IOR''', "filenet-obrok":'''FileNet BPM CORBA''', "mlsn":'''Multiple Listing Service Network''', "retp":'''Real Estate Transport Protocol''', "idmgratm":'''Attachmate ID Manager''', "aurora-balaena":'''Aurora (Balaena Ltd)''', "diamondport":'''DiamondCentral Interface''', "dgi-serv":'''Digital Gaslight Service''', "speedtrace":'''SpeedTrace TraceAgent''', "traceroute":'''traceroute use''', "snip-slave":'''SNIP Slave''', "turbonote-2":'''TurboNote Relay Server Default Port''', "p-net-local":'''P-Net on IP local''', "p-net-remote":'''P-Net on IP remote''', "dhanalakshmi":'''dhanalakshmi.org EDI Service''', "profinet-rt":'''PROFInet RT Unicast''', "profinet-rtm":'''PROFInet RT Multicast''', "profinet-cm":'''PROFInet Context Manager''', "ethercat":'''EtherCAT Port''', "kitim":'''KIT Messenger''', "altova-lm":'''Altova License Management''', "guttersnex":'''Gutters Note Exchange''', "openstack-id":'''OpenStack ID Service''', "allpeers":'''AllPeers Network''', "febooti-aw":'''Febooti Automation Workshop''', "kastenxpipe":'''KastenX Pipe''', "neckar":'''science + computing's Venus Administration Port''', "unisys-eportal":'''Unisys ClearPath ePortal''', "galaxy7-data":'''Galaxy7 Data Tunnel''', "fairview":'''Fairview Message Service''', "agpolicy":'''AppGate Policy Server''', "sruth":'''Sruth is a service for the distribution of routinely- generated but arbitrary files based on a publish/subscribe distribution model and implemented using a peer-to-peer transport mechanism''', "secrmmsafecopya":'''Security approval process for use of the secRMM SafeCopy program''', "turbonote-1":'''TurboNote Default Port''', "safetynetp":'''SafetyNET p''', "cscp":'''CSCP''', "csccredir":'''CSCCREDIR''', "csccfirewall":'''CSCCFIREWALL''', "fs-qos":'''Foursticks QoS Protocol''', "tentacle":'''Tentacle Server''', "crestron-cip":'''Crestron Control Port''', "crestron-ctp":'''Crestron Terminal Port''', "crestron-cips":'''Crestron Secure Control Port''', "crestron-ctps":'''Crestron Secure Terminal Port''', "candp":'''Computer Associates network discovery protocol''', "candrp":'''CA discovery response''', "caerpc":'''CA eTrust RPC''', "reachout":'''REACHOUT''', "ndm-agent-port":'''NDM-AGENT-PORT''', "ip-provision":'''IP-PROVISION''', "noit-transport":'''Reconnoiter Agent Data Transport''', "shaperai":'''Shaper Automation Server Management''', "eq3-update":'''EQ3 firmware update''', "ew-mgmt":'''Cisco EnergyWise Management''', "ciscocsdb":'''Cisco NetMgmt DB Ports''', "pmcd":'''PCP server (pmcd)''', "pmcdproxy":'''PCP server (pmcd) proxy''', "cognex-dataman":'''Cognex DataMan Management Protocol''', "rbr-debug":'''REALbasic Remote Debug''', "EtherNet-IP-2":'''EtherNet/IP messaging IANA assigned this well-formed service name as a replacement for "EtherNet/IP-2".''', "EtherNet/IP-2":'''EtherNet/IP messaging''', "asmp":'''NSi AutoStore Status Monitoring Protocol data transfer''', "asmps":'''NSi AutoStore Status Monitoring Protocol secure data transfer''', "invision-ag":'''InVision AG''', "eba":'''EBA PRISE''', "dai-shell":'''Server for the DAI family of client-server products''', "qdb2service":'''Qpuncture Data Access Service''', "ssr-servermgr":'''SSRServerMgr''', "sp-remotetablet":'''Connection between a desktop computer or server and a signature tablet to capture handwritten signatures''', "mediabox":'''MediaBox Server''', "mbus":'''Message Bus''', "winrm":'''Windows Remote Management Service''', "dbbrowse":'''Databeam Corporation''', "directplaysrvr":'''Direct Play Server''', "ap":'''ALC Protocol''', "bacnet":'''Building Automation and Control Networks''', "nimcontroller":'''Nimbus Controller''', "nimspooler":'''Nimbus Spooler''', "nimhub":'''Nimbus Hub''', "nimgtw":'''Nimbus Gateway''', "nimbusdb":'''NimbusDB Connector''', "nimbusdbctrl":'''NimbusDB Control''', "3gpp-cbsp":'''3GPP Cell Broadcast Service Protocol''', "isnetserv":'''Image Systems Network Services''', "blp5":'''Bloomberg locator''', "com-bardac-dw":'''com-bardac-dw''', "iqobject":'''iqobject''', "matahari":'''Matahari Broker''', "acs-ctl-ds":'''Access Control Device''', "acs-ctl-gw":'''Access Control Gateway''', "addressbooksrv":'''Address Book Server used for contacts and calendar synchronisation''', "adobe-shadow":'''Adobe Shadow Server''', "aerohive-proxy":'''Aerohive Proxy Configuration Service''', "airdrop":'''Airdrop''', "airpreview":'''Coda AirPreview''', "aloe-gwp":'''Aloe Gateway Protocol''', "aloe-pp":'''Aloe Pairing Protocol''', "apple-mobdev":'''Apple Mobile Device Protocol''', "avatars":'''Libravatar federated avatar hosting service.''', "avatars-sec":'''Libravatar federated avatar hosting service.''', "bitflit":'''Data transfer service''', "boxraysrvr":'''Boxray Devices Host Server''', "caldav":'''Calendaring Extensions to WebDAV (CalDAV) - non-TLS''', "caldavs":'''Calendaring Extensions to WebDAV (CalDAV) - over TLS''', "carddav":'''vCard Extensions to WebDAV (CardDAV) - non-TLS''', "carddavs":'''vCard Extensions to WebDAV (CardDAV) - over TLS''', "carousel":'''Carousel Player Protocol''', "ciao":'''Ciao Arduino Protocol''', "dbaudio":'''d&b audiotechnik remote network''', "devonsync":'''DEVONthink synchronization protocol''', "easyspndlg-sync":'''Sync service for the Easy Spend Log app''', "eeg":'''EEG System Discovery across local and wide area networks''', "efkon-elite":'''EFKON Lightweight Interface to Traffic Events''', "enphase-envoy":'''Enphase Energy Envoy''', "esp":'''Extensis Server Protocol''', "flir-ircam":'''FLIR Infrared Camera''', "goorstop":'''For iOS Application named GoOrStop''', "groovesquid":'''Groovesquid Democratic Music Control Protocol''', "https":'''HTTP over SSL/TLS''', "ims-ni":'''Noise Inspector''', "infboard":'''InfBoard interactive whiteboard protocol''', "iota":'''iotaMed medical records server''', "ir-hvac-000":'''HVAC SMIL Server''', "irradiatd-iclip":'''iClip clipboard transfer''', "isynchronize":'''iSynchronize data synchronization protocol''', "itap-publish":'''iTap Publishing Service''', "jnx-kcsync":'''jollys keychain cloud sync protocol''', "jukebox":'''Jukebox Request Service''', "keynoteaccess":'''KeynoteAccess is used for sending remote requests/responses when controlling a slideshow with Keynote Remote''', "keynotepairing":'''KeynotePairing is used to pair Keynote Remote with Keynote''', "lumiere":'''A protocol to remotely control DMX512 devices over the network''', "lumis-lca":'''Lumis Cache Appliance Protocol''', "mavlink":'''MAVLink Micro Air Vehicle Communication Protocol''', "mediatap":'''Mediatap streaming protocol''', "netvu-video":'''AD Group NetVu Connected Video''', "nextcap":'''Proprietary communication protocol for NextCap capture solution''', "ni":'''National Instruments Network Device''', "ni-rt":'''National Instruments Real-Time Target''', "ni-sysapi":'''National Instruments System API Service''', "omadm-bootstrap":'''Open Mobile Alliance (OMA) Device Management (DM) Bootstrap Server Discovery Service''', "pairandshare":'''Pair & Share data protocol''', "panoply":'''Panoply multimedia composite transfer protocol''', "parabay-p2p":'''Parabay P2P protocol''', "parity":'''PA-R-I-Ty (Public Address - Radio - Intercom - Telefony)''', "photosmithsync":'''Photosmith's iPad to Lightroom sync protocol''', "podcastproxy":'''Protocol for communication between Podcast''', "printopia":'''Port to allow for administration and control of "Printopia" application software, which provides printing services to mobile users''', "pstmailsync":'''File synchronization protocol for Pst Mail Sync''', "pstmailsync-ssl":'''Secured file synchronization protocol for Pst Mail Sync''', "ptp-init":'''Picture Transfer Protocol(PTP) Initiator''', "pvaccess":'''Experimental Physics and Industrial Control System''', "quad":'''Distributed Game Data''', "radioport":'''RadioPort Message Service''', "recipe-box":'''The Recipe Box Exchange''', "recipe-sharing":'''Recipe Sharing Protocol''', "recolive-cc":'''Remote Camera Control''', "rgb":'''RGB Spectrum Device Discovery''', "rym-rrc":'''Raymarine remote control protocol''', "savagesoft":'''Proprietary Client Server Protocol''', "smartsocket":'''home control''', "spidap":'''Sierra Photonics Inc. data protocol''', "spx-hmp":'''SpinetiX HMP''', "ssh":'''SSH Remote Login Protocol''', "soda":'''Secure On Device API''', "sqp":'''Square Connect Control Protocol''', "stotp":'''One Time Pad Synchronisation''', "tenir-rc":'''Proprietary''', "test-ok":'''Test Controller Card''', "tivo-device":'''TiVo Device Protocol''', "tivo-mindrpc":'''TiVo RPC Protocol''', "tsbiis":'''The Social Broadband Interference Information Sharing''', "twinlevel":'''detect sanitary product''', "tzrpc":'''TZ-Software remote procedure call based synchronization protocol''', "wd-2go":'''NAS Service Protocol''', "z-wave":'''Z-Wave Service Discovery''', "zeromq":'''High performance brokerless messaging''', }
udp_services = {'tcpmux': 'TCP Port Service Multiplexer', 'compressnet': 'Management Utility', 'compressnet': 'Compression Process', 'rje': 'Remote Job Entry', 'echo': 'Echo', 'discard': 'Discard', 'systat': 'Active Users', 'daytime': 'Daytime', 'qotd': 'Quote of the Day', 'msp': 'Message Send Protocol (historic)', 'chargen': 'Character Generator', 'ftp-data': 'File Transfer [Default Data]', 'ftp': 'File Transfer [Control]', 'ssh': 'The Secure Shell (SSH) Protocol', 'telnet': 'Telnet', 'smtp': 'Simple Mail Transfer', 'nsw-fe': 'NSW User System FE', 'msg-icp': 'MSG ICP', 'msg-auth': 'MSG Authentication', 'dsp': 'Display Support Protocol', 'time': 'Time', 'rap': 'Route Access Protocol', 'rlp': 'Resource Location Protocol', 'graphics': 'Graphics', 'name': 'Host Name Server', 'nameserver': 'Host Name Server', 'nicname': 'Who Is', 'mpm-flags': 'MPM FLAGS Protocol', 'mpm': 'Message Processing Module [recv]', 'mpm-snd': 'MPM [default send]', 'ni-ftp': 'NI FTP', 'auditd': 'Digital Audit Daemon', 'tacacs': 'Login Host Protocol (TACACS)', 're-mail-ck': 'Remote Mail Checking Protocol', 'la-maint': 'IMP Logical Address Maintenance', 'xns-time': 'XNS Time Protocol', 'domain': 'Domain Name Server', 'xns-ch': 'XNS Clearinghouse', 'isi-gl': 'ISI Graphics Language', 'xns-auth': 'XNS Authentication', 'xns-mail': 'XNS Mail', 'ni-mail': 'NI MAIL', 'acas': 'ACA Services', 'whoispp': 'whois++\nIANA assigned this well-formed service name as a replacement for "whois++".', 'whois++': 'whois++', 'covia': 'Communications Integrator (CI)', 'tacacs-ds': 'TACACS-Database Service', 'sql-net': 'Oracle SQL*NET\nIANA assigned this well-formed service name as a replacement for "sql*net".', 'sql*net': 'Oracle SQL*NET', 'bootps': 'Bootstrap Protocol Server', 'bootpc': 'Bootstrap Protocol Client', 'tftp': 'Trivial File Transfer', 'gopher': 'Gopher', 'netrjs-1': 'Remote Job Service', 'netrjs-2': 'Remote Job Service', 'netrjs-3': 'Remote Job Service', 'netrjs-4': 'Remote Job Service', 'deos': 'Distributed External Object Store', 'vettcp': 'vettcp', 'finger': 'Finger', 'http': 'World Wide Web HTTP', 'www': 'World Wide Web HTTP', 'www-http': 'World Wide Web HTTP', 'xfer': 'XFER Utility', 'mit-ml-dev': 'MIT ML Device', 'ctf': 'Common Trace Facility', 'mit-ml-dev': 'MIT ML Device', 'mfcobol': 'Micro Focus Cobol', 'kerberos': 'Kerberos', 'su-mit-tg': 'SU/MIT Telnet Gateway', 'dnsix': 'DNSIX Securit Attribute Token Map', 'mit-dov': 'MIT Dover Spooler', 'npp': 'Network Printing Protocol', 'dcp': 'Device Control Protocol', 'objcall': 'Tivoli Object Dispatcher', 'supdup': 'SUPDUP', 'dixie': 'DIXIE Protocol Specification', 'swift-rvf': 'Swift Remote Virtural File Protocol', 'tacnews': 'TAC News', 'metagram': 'Metagram Relay', 'hostname': 'NIC Host Name Server', 'iso-tsap': 'ISO-TSAP Class 0', 'gppitnp': 'Genesis Point-to-Point Trans Net', 'acr-nema': 'ACR-NEMA Digital Imag. & Comm. 300', 'cso': 'CCSO name server protocol', 'csnet-ns': 'Mailbox Name Nameserver', '3com-tsmux': '3COM-TSMUX', 'rtelnet': 'Remote Telnet Service', 'snagas': 'SNA Gateway Access Server', 'pop2': 'Post Office Protocol - Version 2', 'pop3': 'Post Office Protocol - Version 3', 'sunrpc': 'SUN Remote Procedure Call', 'mcidas': 'McIDAS Data Transmission Protocol', 'auth': 'Authentication Service', 'sftp': 'Simple File Transfer Protocol', 'ansanotify': 'ANSA REX Notify', 'uucp-path': 'UUCP Path Service', 'sqlserv': 'SQL Services', 'nntp': 'Network News Transfer Protocol', 'cfdptkt': 'CFDPTKT', 'erpc': 'Encore Expedited Remote Pro.Call', 'smakynet': 'SMAKYNET', 'ntp': 'Network Time Protocol', 'ansatrader': 'ANSA REX Trader', 'locus-map': 'Locus PC-Interface Net Map Ser', 'nxedit': 'NXEdit', 'locus-con': 'Locus PC-Interface Conn Server', 'gss-xlicen': 'GSS X License Verification', 'pwdgen': 'Password Generator Protocol', 'cisco-fna': 'cisco FNATIVE', 'cisco-tna': 'cisco TNATIVE', 'cisco-sys': 'cisco SYSMAINT', 'statsrv': 'Statistics Service', 'ingres-net': 'INGRES-NET Service', 'epmap': 'DCE endpoint resolution', 'profile': 'PROFILE Naming System', 'netbios-ns': 'NETBIOS Name Service', 'netbios-dgm': 'NETBIOS Datagram Service', 'netbios-ssn': 'NETBIOS Session Service', 'emfis-data': 'EMFIS Data Service', 'emfis-cntl': 'EMFIS Control Service', 'bl-idm': 'Britton-Lee IDM', 'imap': 'Internet Message Access Protocol', 'uma': 'Universal Management Architecture', 'uaac': 'UAAC Protocol', 'iso-tp0': 'ISO-IP0', 'iso-ip': 'ISO-IP', 'jargon': 'Jargon', 'aed-512': 'AED 512 Emulation Service', 'sql-net': 'SQL-NET', 'hems': 'HEMS', 'bftp': 'Background File Transfer Program', 'sgmp': 'SGMP', 'netsc-prod': 'NETSC', 'netsc-dev': 'NETSC', 'sqlsrv': 'SQL Service', 'knet-cmp': 'KNET/VM Command/Message Protocol', 'pcmail-srv': 'PCMail Server', 'nss-routing': 'NSS-Routing', 'sgmp-traps': 'SGMP-TRAPS', 'snmp': 'SNMP', 'snmptrap': 'SNMPTRAP', 'cmip-man': 'CMIP/TCP Manager', 'cmip-agent': 'CMIP/TCP Agent', 'xns-courier': 'Xerox', 's-net': 'Sirius Systems', 'namp': 'NAMP', 'rsvd': 'RSVD', 'send': 'SEND', 'print-srv': 'Network PostScript', 'multiplex': 'Network Innovations Multiplex', 'cl-1': 'Network Innovations CL/1\nIANA assigned this well-formed service name as a replacement for "cl/1".', 'cl/1': 'Network Innovations CL/1', 'xyplex-mux': 'Xyplex', 'mailq': 'MAILQ', 'vmnet': 'VMNET', 'genrad-mux': 'GENRAD-MUX', 'xdmcp': 'X Display Manager Control Protocol', 'nextstep': 'NextStep Window Server', 'bgp': 'Border Gateway Protocol', 'ris': 'Intergraph', 'unify': 'Unify', 'audit': 'Unisys Audit SITP', 'ocbinder': 'OCBinder', 'ocserver': 'OCServer', 'remote-kis': 'Remote-KIS', 'kis': 'KIS Protocol', 'aci': 'Application Communication Interface', 'mumps': "Plus Five's MUMPS", 'qft': 'Queued File Transport', 'gacp': 'Gateway Access Control Protocol', 'prospero': 'Prospero Directory Service', 'osu-nms': 'OSU Network Monitoring System', 'srmp': 'Spider Remote Monitoring Protocol', 'irc': 'Internet Relay Chat Protocol', 'dn6-nlm-aud': 'DNSIX Network Level Module Audit', 'dn6-smm-red': 'DNSIX Session Mgt Module Audit Redir', 'dls': 'Directory Location Service', 'dls-mon': 'Directory Location Service Monitor', 'smux': 'SMUX', 'src': 'IBM System Resource Controller', 'at-rtmp': 'AppleTalk Routing Maintenance', 'at-nbp': 'AppleTalk Name Binding', 'at-3': 'AppleTalk Unused', 'at-echo': 'AppleTalk Echo', 'at-5': 'AppleTalk Unused', 'at-zis': 'AppleTalk Zone Information', 'at-7': 'AppleTalk Unused', 'at-8': 'AppleTalk Unused', 'qmtp': 'The Quick Mail Transfer Protocol', 'z39-50': 'ANSI Z39.50\nIANA assigned this well-formed service name as a replacement for "z39.50".', 'z39.50': 'ANSI Z39.50', '914c-g': 'Texas Instruments 914C/G Terminal\nIANA assigned this well-formed service name as a replacement for "914c/g".', '914c/g': 'Texas Instruments 914C/G Terminal', 'anet': 'ATEXSSTR', 'ipx': 'IPX', 'vmpwscs': 'VM PWSCS', 'softpc': 'Insignia Solutions', 'CAIlic': "Computer Associates Int'l License Server", 'dbase': 'dBASE Unix', 'mpp': 'Netix Message Posting Protocol', 'uarps': 'Unisys ARPs', 'imap3': 'Interactive Mail Access Protocol v3', 'fln-spx': 'Berkeley rlogind with SPX auth', 'rsh-spx': 'Berkeley rshd with SPX auth', 'cdc': 'Certificate Distribution Center', 'masqdialer': 'masqdialer', 'direct': 'Direct', 'sur-meas': 'Survey Measurement', 'inbusiness': 'inbusiness', 'link': 'LINK', 'dsp3270': 'Display Systems Protocol', 'subntbcst-tftp': 'SUBNTBCST_TFTP\nIANA assigned this well-formed service name as a replacement for "subntbcst_tftp".', 'subntbcst_tftp': 'SUBNTBCST_TFTP', 'bhfhs': 'bhfhs', 'rap': 'RAP', 'set': 'Secure Electronic Transaction', 'esro-gen': 'Efficient Short Remote Operations', 'openport': 'Openport', 'nsiiops': 'IIOP Name Service over TLS/SSL', 'arcisdms': 'Arcisdms', 'hdap': 'HDAP', 'bgmp': 'BGMP', 'x-bone-ctl': 'X-Bone CTL', 'sst': 'SCSI on ST', 'td-service': 'Tobit David Service Layer', 'td-replica': 'Tobit David Replica', 'manet': 'MANET Protocols', 'gist': 'Q-mode encapsulation for GIST messages', 'http-mgmt': 'http-mgmt', 'personal-link': 'Personal Link', 'cableport-ax': 'Cable Port A/X', 'rescap': 'rescap', 'corerjd': 'corerjd', 'fxp': 'FXP Communication', 'k-block': 'K-BLOCK', 'novastorbakcup': 'Novastor Backup', 'entrusttime': 'EntrustTime', 'bhmds': 'bhmds', 'asip-webadmin': 'AppleShare IP WebAdmin', 'vslmp': 'VSLMP', 'magenta-logic': 'Magenta Logic', 'opalis-robot': 'Opalis Robot', 'dpsi': 'DPSI', 'decauth': 'decAuth', 'zannet': 'Zannet', 'pkix-timestamp': 'PKIX TimeStamp', 'ptp-event': 'PTP Event', 'ptp-general': 'PTP General', 'pip': 'PIP', 'rtsps': 'RTSPS', 'texar': 'Texar Security Port', 'pdap': 'Prospero Data Access Protocol', 'pawserv': 'Perf Analysis Workbench', 'zserv': 'Zebra server', 'fatserv': 'Fatmen Server', 'csi-sgwp': 'Cabletron Management Protocol', 'mftp': 'mftp', 'matip-type-a': 'MATIP Type A', 'matip-type-b': 'MATIP Type B', 'bhoetty': 'bhoetty', 'dtag-ste-sb': 'DTAG', 'bhoedap4': 'bhoedap4', 'ndsauth': 'NDSAUTH', 'bh611': 'bh611', 'datex-asn': 'DATEX-ASN', 'cloanto-net-1': 'Cloanto Net 1', 'bhevent': 'bhevent', 'shrinkwrap': 'Shrinkwrap', 'nsrmp': 'Network Security Risk Management Protocol', 'scoi2odialog': 'scoi2odialog', 'semantix': 'Semantix', 'srssend': 'SRS Send', 'rsvp-tunnel': 'RSVP Tunnel\nIANA assigned this well-formed service name as a replacement for "rsvp_tunnel".', 'rsvp_tunnel': 'RSVP Tunnel', 'aurora-cmgr': 'Aurora CMGR', 'dtk': 'DTK', 'odmr': 'ODMR', 'mortgageware': 'MortgageWare', 'qbikgdp': 'QbikGDP', 'rpc2portmap': 'rpc2portmap', 'codaauth2': 'codaauth2', 'clearcase': 'Clearcase', 'ulistproc': 'ListProcessor', 'legent-1': 'Legent Corporation', 'legent-2': 'Legent Corporation', 'hassle': 'Hassle', 'nip': 'Amiga Envoy Network Inquiry Proto', 'tnETOS': 'NEC Corporation', 'dsETOS': 'NEC Corporation', 'is99c': 'TIA/EIA/IS-99 modem client', 'is99s': 'TIA/EIA/IS-99 modem server', 'hp-collector': 'hp performance data collector', 'hp-managed-node': 'hp performance data managed node', 'hp-alarm-mgr': 'hp performance data alarm manager', 'arns': 'A Remote Network Server System', 'ibm-app': 'IBM Application', 'asa': 'ASA Message Router Object Def.', 'aurp': 'Appletalk Update-Based Routing Pro.', 'unidata-ldm': 'Unidata LDM', 'ldap': 'Lightweight Directory Access Protocol', 'uis': 'UIS', 'synotics-relay': 'SynOptics SNMP Relay Port', 'synotics-broker': 'SynOptics Port Broker Port', 'meta5': 'Meta5', 'embl-ndt': 'EMBL Nucleic Data Transfer', 'netcp': 'NetScout Control Protocol', 'netware-ip': 'Novell Netware over IP', 'mptn': 'Multi Protocol Trans. Net.', 'kryptolan': 'Kryptolan', 'iso-tsap-c2': 'ISO Transport Class 2 Non-Control over UDP', 'osb-sd': 'Oracle Secure Backup', 'ups': 'Uninterruptible Power Supply', 'genie': 'Genie Protocol', 'decap': 'decap', 'nced': 'nced', 'ncld': 'ncld', 'imsp': 'Interactive Mail Support Protocol', 'timbuktu': 'Timbuktu', 'prm-sm': 'Prospero Resource Manager Sys. Man.', 'prm-nm': 'Prospero Resource Manager Node Man.', 'decladebug': 'DECLadebug Remote Debug Protocol', 'rmt': 'Remote MT Protocol', 'synoptics-trap': 'Trap Convention Port', 'smsp': 'Storage Management Services Protocol', 'infoseek': 'InfoSeek', 'bnet': 'BNet', 'silverplatter': 'Silverplatter', 'onmux': 'Onmux', 'hyper-g': 'Hyper-G', 'ariel1': 'Ariel 1', 'smpte': 'SMPTE', 'ariel2': 'Ariel 2', 'ariel3': 'Ariel 3', 'opc-job-start': 'IBM Operations Planning and Control Start', 'opc-job-track': 'IBM Operations Planning and Control Track', 'icad-el': 'ICAD', 'smartsdp': 'smartsdp', 'svrloc': 'Server Location', 'ocs-cmu': 'OCS_CMU\nIANA assigned this well-formed service name as a replacement for "ocs_cmu".', 'ocs_cmu': 'OCS_CMU', 'ocs-amu': 'OCS_AMU\nIANA assigned this well-formed service name as a replacement for "ocs_amu".', 'ocs_amu': 'OCS_AMU', 'utmpsd': 'UTMPSD', 'utmpcd': 'UTMPCD', 'iasd': 'IASD', 'nnsp': 'NNSP', 'mobileip-agent': 'MobileIP-Agent', 'mobilip-mn': 'MobilIP-MN', 'dna-cml': 'DNA-CML', 'comscm': 'comscm', 'dsfgw': 'dsfgw', 'dasp': 'dasp', 'sgcp': 'sgcp', 'decvms-sysmgt': 'decvms-sysmgt', 'cvc-hostd': 'cvc_hostd\nIANA assigned this well-formed service name as a replacement for "cvc_hostd".', 'cvc_hostd': 'cvc_hostd', 'https': 'http protocol over TLS/SSL', 'snpp': 'Simple Network Paging Protocol', 'microsoft-ds': 'Microsoft-DS', 'ddm-rdb': 'DDM-Remote Relational Database Access', 'ddm-dfm': 'DDM-Distributed File Management', 'ddm-ssl': 'DDM-Remote DB Access Using Secure Sockets', 'as-servermap': 'AS Server Mapper', 'tserver': 'Computer Supported Telecomunication Applications', 'sfs-smp-net': 'Cray Network Semaphore server', 'sfs-config': 'Cray SFS config server', 'creativeserver': 'CreativeServer', 'contentserver': 'ContentServer', 'creativepartnr': 'CreativePartnr', 'macon-udp': 'macon-udp', 'scohelp': 'scohelp', 'appleqtc': 'apple quick time', 'ampr-rcmd': 'ampr-rcmd', 'skronk': 'skronk', 'datasurfsrv': 'DataRampSrv', 'datasurfsrvsec': 'DataRampSrvSec', 'alpes': 'alpes', 'kpasswd': 'kpasswd', 'igmpv3lite': 'IGMP over UDP for SSM', 'digital-vrc': 'digital-vrc', 'mylex-mapd': 'mylex-mapd', 'photuris': 'proturis', 'rcp': 'Radio Control Protocol', 'scx-proxy': 'scx-proxy', 'mondex': 'Mondex', 'ljk-login': 'ljk-login', 'hybrid-pop': 'hybrid-pop', 'tn-tl-w2': 'tn-tl-w2', 'tcpnethaspsrv': 'tcpnethaspsrv', 'tn-tl-fd1': 'tn-tl-fd1', 'ss7ns': 'ss7ns', 'spsc': 'spsc', 'iafserver': 'iafserver', 'iafdbase': 'iafdbase', 'ph': 'Ph service', 'bgs-nsi': 'bgs-nsi', 'ulpnet': 'ulpnet', 'integra-sme': 'Integra Software Management Environment', 'powerburst': 'Air Soft Power Burst', 'avian': 'avian', 'saft': 'saft Simple Asynchronous File Transfer', 'gss-http': 'gss-http', 'nest-protocol': 'nest-protocol', 'micom-pfs': 'micom-pfs', 'go-login': 'go-login', 'ticf-1': 'Transport Independent Convergence for FNA', 'ticf-2': 'Transport Independent Convergence for FNA', 'pov-ray': 'POV-Ray', 'intecourier': 'intecourier', 'pim-rp-disc': 'PIM-RP-DISC', 'retrospect': 'Retrospect backup and restore service', 'siam': 'siam', 'iso-ill': 'ISO ILL Protocol', 'isakmp': 'isakmp', 'stmf': 'STMF', 'asa-appl-proto': 'asa-appl-proto', 'intrinsa': 'Intrinsa', 'citadel': 'citadel', 'mailbox-lm': 'mailbox-lm', 'ohimsrv': 'ohimsrv', 'crs': 'crs', 'xvttp': 'xvttp', 'snare': 'snare', 'fcp': 'FirstClass Protocol', 'passgo': 'PassGo', 'comsat': '', 'biff': 'used by mail system to notify users of new mail received; currently receives messages only from processes on the same machine', 'who': "maintains data bases showing who's logged in to machines on a local net and the load average of the machine", 'syslog': '', 'printer': 'spooler', 'videotex': 'videotex', 'talk': "like tenex link, but across machine - unfortunately, doesn't use link protocol (this is actually just a rendezvous port from which a tcp connection is established)", 'ntalk': '', 'utime': 'unixtime', 'router': 'local routing process (on site); uses variant of Xerox NS routing information protocol - RIP', 'ripng': 'ripng', 'ulp': 'ULP', 'ibm-db2': 'IBM-DB2', 'ncp': 'NCP', 'timed': 'timeserver', 'tempo': 'newdate', 'stx': 'Stock IXChange', 'custix': 'Customer IXChange', 'irc-serv': 'IRC-SERV', 'courier': 'rpc', 'conference': 'chat', 'netnews': 'readnews', 'netwall': 'for emergency broadcasts', 'windream': 'windream Admin', 'iiop': 'iiop', 'opalis-rdv': 'opalis-rdv', 'nmsp': 'Networked Media Streaming Protocol', 'gdomap': 'gdomap', 'apertus-ldp': 'Apertus Technologies Load Determination', 'uucp': 'uucpd', 'uucp-rlogin': 'uucp-rlogin', 'commerce': 'commerce', 'klogin': '', 'kshell': 'krcmd', 'appleqtcsrvr': 'appleqtcsrvr', 'dhcpv6-client': 'DHCPv6 Client', 'dhcpv6-server': 'DHCPv6 Server', 'afpovertcp': 'AFP over TCP', 'idfp': 'IDFP', 'new-rwho': 'new-who', 'cybercash': 'cybercash', 'devshr-nts': 'DeviceShare', 'pirp': 'pirp', 'rtsp': 'Real Time Streaming Protocol (RTSP)', 'dsf': '', 'remotefs': 'rfs server', 'openvms-sysipc': 'openvms-sysipc', 'sdnskmp': 'SDNSKMP', 'teedtap': 'TEEDTAP', 'rmonitor': 'rmonitord', 'monitor': '', 'chshell': 'chcmd', 'nntps': 'nntp protocol over TLS/SSL (was snntp)', '9pfs': 'plan 9 file service', 'whoami': 'whoami', 'streettalk': 'streettalk', 'banyan-rpc': 'banyan-rpc', 'ms-shuttle': 'microsoft shuttle', 'ms-rome': 'microsoft rome', 'meter': 'demon', 'meter': 'udemon', 'sonar': 'sonar', 'banyan-vip': 'banyan-vip', 'ftp-agent': 'FTP Software Agent System', 'vemmi': 'VEMMI', 'ipcd': 'ipcd', 'vnas': 'vnas', 'ipdd': 'ipdd', 'decbsrv': 'decbsrv', 'sntp-heartbeat': 'SNTP HEARTBEAT', 'bdp': 'Bundle Discovery Protocol', 'scc-security': 'SCC Security', 'philips-vc': 'Philips Video-Conferencing', 'keyserver': 'Key Server', 'password-chg': 'Password Change', 'submission': 'Message Submission', 'cal': 'CAL', 'eyelink': 'EyeLink', 'tns-cml': 'TNS CML', 'http-alt': 'FileMaker, Inc. - HTTP Alternate (see Port 80)', 'eudora-set': 'Eudora Set', 'http-rpc-epmap': 'HTTP RPC Ep Map', 'tpip': 'TPIP', 'cab-protocol': 'CAB Protocol', 'smsd': 'SMSD', 'ptcnameservice': 'PTC Name Service', 'sco-websrvrmg3': 'SCO Web Server Manager 3', 'acp': 'Aeolon Core Protocol', 'ipcserver': 'Sun IPC server', 'syslog-conn': 'Reliable Syslog Service', 'xmlrpc-beep': 'XML-RPC over BEEP', 'idxp': 'IDXP', 'tunnel': 'TUNNEL', 'soap-beep': 'SOAP over BEEP', 'urm': 'Cray Unified Resource Manager', 'nqs': 'nqs', 'sift-uft': 'Sender-Initiated/Unsolicited File Transfer', 'npmp-trap': 'npmp-trap', 'npmp-local': 'npmp-local', 'npmp-gui': 'npmp-gui', 'hmmp-ind': 'HMMP Indication', 'hmmp-op': 'HMMP Operation', 'sshell': 'SSLshell', 'sco-inetmgr': 'Internet Configuration Manager', 'sco-sysmgr': 'SCO System Administration Server', 'sco-dtmgr': 'SCO Desktop Administration Server', 'dei-icda': 'DEI-ICDA', 'compaq-evm': 'Compaq EVM', 'sco-websrvrmgr': 'SCO WebServer Manager', 'escp-ip': 'ESCP', 'collaborator': 'Collaborator', 'asf-rmcp': 'ASF Remote Management and Control Protocol', 'cryptoadmin': 'Crypto Admin', 'dec-dlm': 'DEC DLM\nIANA assigned this well-formed service name as a replacement for "dec_dlm".', 'dec_dlm': 'DEC DLM', 'asia': 'ASIA', 'passgo-tivoli': 'PassGo Tivoli', 'qmqp': 'QMQP', '3com-amp3': '3Com AMP3', 'rda': 'RDA', 'ipp': 'IPP (Internet Printing Protocol)', 'bmpp': 'bmpp', 'servstat': 'Service Status update (Sterling Software)', 'ginad': 'ginad', 'rlzdbase': 'RLZ DBase', 'ldaps': 'ldap protocol over TLS/SSL (was sldap)', 'lanserver': 'lanserver', 'mcns-sec': 'mcns-sec', 'msdp': 'MSDP', 'entrust-sps': 'entrust-sps', 'repcmd': 'repcmd', 'esro-emsdp': 'ESRO-EMSDP V1.3', 'sanity': 'SANity', 'dwr': 'dwr', 'pssc': 'PSSC', 'ldp': 'LDP', 'dhcp-failover': 'DHCP Failover', 'rrp': 'Registry Registrar Protocol (RRP)', 'cadview-3d': 'Cadview-3d - streaming 3d models over the internet', 'obex': 'OBEX', 'ieee-mms': 'IEEE MMS', 'hello-port': 'HELLO_PORT', 'repscmd': 'RepCmd', 'aodv': 'AODV', 'tinc': 'TINC', 'spmp': 'SPMP', 'rmc': 'RMC', 'tenfold': 'TenFold', 'mac-srvr-admin': 'MacOS Server Admin', 'hap': 'HAP', 'pftp': 'PFTP', 'purenoise': 'PureNoise', 'asf-secure-rmcp': 'ASF Secure Remote Management and Control Protocol', 'sun-dr': 'Sun DR', 'mdqs': '', 'doom': 'doom Id Software', 'disclose': 'campaign contribution disclosures - SDR Technologies', 'mecomm': 'MeComm', 'meregister': 'MeRegister', 'vacdsm-sws': 'VACDSM-SWS', 'vacdsm-app': 'VACDSM-APP', 'vpps-qua': 'VPPS-QUA', 'cimplex': 'CIMPLEX', 'acap': 'ACAP', 'dctp': 'DCTP', 'vpps-via': 'VPPS Via', 'vpp': 'Virtual Presence Protocol', 'ggf-ncp': 'GNU Generation Foundation NCP', 'mrm': 'MRM', 'entrust-aaas': 'entrust-aaas', 'entrust-aams': 'entrust-aams', 'xfr': 'XFR', 'corba-iiop': 'CORBA IIOP', 'corba-iiop-ssl': 'CORBA IIOP SSL', 'mdc-portmapper': 'MDC Port Mapper', 'hcp-wismar': 'Hardware Control Protocol Wismar', 'asipregistry': 'asipregistry', 'realm-rusd': 'ApplianceWare managment protocol', 'nmap': 'NMAP', 'vatp': 'Velazquez Application Transfer Protocol', 'msexch-routing': 'MS Exchange Routing', 'hyperwave-isp': 'Hyperwave-ISP', 'connendp': 'almanid Connection Endpoint', 'ha-cluster': 'ha-cluster', 'ieee-mms-ssl': 'IEEE-MMS-SSL', 'rushd': 'RUSHD', 'uuidgen': 'UUIDGEN', 'olsr': 'OLSR', 'accessnetwork': 'Access Network', 'epp': 'Extensible Provisioning Protocol', 'lmp': 'Link Management Protocol (LMP)', 'iris-beep': 'IRIS over BEEP', 'elcsd': 'errlog copy/server daemon', 'agentx': 'AgentX', 'silc': 'SILC', 'borland-dsj': 'Borland DSJ', 'entrust-kmsh': 'Entrust Key Management Service Handler', 'entrust-ash': 'Entrust Administration Service Handler', 'cisco-tdp': 'Cisco TDP', 'tbrpf': 'TBRPF', 'iris-xpc': 'IRIS over XPC', 'iris-xpcs': 'IRIS over XPCS', 'iris-lwz': 'IRIS-LWZ', 'pana': 'PANA Messages', 'netviewdm1': 'IBM NetView DM/6000 Server/Client', 'netviewdm2': 'IBM NetView DM/6000 send/tcp', 'netviewdm3': 'IBM NetView DM/6000 receive/tcp', 'netgw': 'netGW', 'netrcs': 'Network based Rev. Cont. Sys.', 'flexlm': 'Flexible License Manager', 'fujitsu-dev': 'Fujitsu Device Control', 'ris-cm': 'Russell Info Sci Calendar Manager', 'kerberos-adm': 'kerberos administration', 'loadav': '', 'kerberos-iv': 'kerberos version iv', 'pump': '', 'qrh': '', 'rrh': '', 'tell': 'send', 'nlogin': '', 'con': '', 'ns': '', 'rxe': '', 'quotad': '', 'cycleserv': '', 'omserv': '', 'webster': '', 'phonebook': 'phone', 'vid': '', 'cadlock': '', 'rtip': '', 'cycleserv2': '', 'notify': '', 'acmaint-dbd': '\nIANA assigned this well-formed service name as a replacement for "acmaint_dbd".', 'acmaint_dbd': '', 'acmaint-transd': '\nIANA assigned this well-formed service name as a replacement for "acmaint_transd".', 'acmaint_transd': '', 'wpages': '', 'multiling-http': 'Multiling HTTP', 'wpgs': '', 'mdbs-daemon': '\nIANA assigned this well-formed service name as a replacement for "mdbs_daemon".', 'mdbs_daemon': '', 'device': '', 'fcp-udp': 'FCP Datagram', 'itm-mcell-s': 'itm-mcell-s', 'pkix-3-ca-ra': 'PKIX-3 CA/RA', 'netconf-ssh': 'NETCONF over SSH', 'netconf-beep': 'NETCONF over BEEP', 'netconfsoaphttp': 'NETCONF for SOAP over HTTPS', 'netconfsoapbeep': 'NETCONF for SOAP over BEEP', 'dhcp-failover2': 'dhcp-failover 2', 'gdoi': 'GDOI', 'iscsi': 'iSCSI', 'owamp-control': 'OWAMP-Control', 'twamp-control': 'Two-way Active Measurement Protocol (TWAMP) Control', 'rsync': 'rsync', 'iclcnet-locate': 'ICL coNETion locate server', 'iclcnet-svinfo': 'ICL coNETion server info\nIANA assigned this well-formed service name as a replacement for "iclcnet_svinfo".', 'iclcnet_svinfo': 'ICL coNETion server info', 'accessbuilder': 'AccessBuilder', 'omginitialrefs': 'OMG Initial Refs', 'smpnameres': 'SMPNAMERES', 'ideafarm-door': 'self documenting Door: send 0x00 for info', 'ideafarm-panic': 'self documenting Panic Door: send 0x00 for info', 'kink': 'Kerberized Internet Negotiation of Keys (KINK)', 'xact-backup': 'xact-backup', 'apex-mesh': 'APEX relay-relay service', 'apex-edge': 'APEX endpoint-relay service', 'ftps-data': 'ftp protocol, data, over TLS/SSL', 'ftps': 'ftp protocol, control, over TLS/SSL', 'nas': 'Netnews Administration System', 'telnets': 'telnet protocol over TLS/SSL', 'imaps': 'imap4 protocol over TLS/SSL', 'pop3s': 'pop3 protocol over TLS/SSL (was spop3)', 'vsinet': 'vsinet', 'maitrd': '', 'puparp': '', 'applix': 'Applix ac', 'puprouter': '', 'cadlock2': '', 'surf': 'surf', 'exp1': 'RFC3692-style Experiment 1', 'exp2': 'RFC3692-style Experiment 2', 'blackjack': 'network blackjack', 'cap': 'Calendar Access Protocol', '6a44': 'IPv6 Behind NAT44 CPEs', 'solid-mux': 'Solid Mux Server', 'iad1': 'BBN IAD', 'iad2': 'BBN IAD', 'iad3': 'BBN IAD', 'netinfo-local': 'local netinfo port', 'activesync': 'ActiveSync Notifications', 'mxxrlogin': 'MX-XR RPC', 'nsstp': 'Nebula Secure Segment Transfer Protocol', 'ams': 'AMS', 'mtqp': 'Message Tracking Query Protocol', 'sbl': 'Streamlined Blackhole', 'netarx': 'Netarx Netcare', 'danf-ak2': 'AK2 Product', 'afrog': 'Subnet Roaming', 'boinc-client': 'BOINC Client Control', 'dcutility': 'Dev Consortium Utility', 'fpitp': 'Fingerprint Image Transfer Protocol', 'wfremotertm': 'WebFilter Remote Monitor', 'neod1': "Sun's NEO Object Request Broker", 'neod2': "Sun's NEO Object Request Broker", 'td-postman': 'Tobit David Postman VPMN', 'cma': 'CORBA Management Agent', 'optima-vnet': 'Optima VNET', 'ddt': 'Dynamic DNS Tools', 'remote-as': 'Remote Assistant (RA)', 'brvread': 'BRVREAD', 'ansyslmd': 'ANSYS - License Manager', 'vfo': 'VFO', 'startron': 'STARTRON', 'nim': 'nim', 'nimreg': 'nimreg', 'polestar': 'POLESTAR', 'kiosk': 'KIOSK', 'veracity': 'Veracity', 'kyoceranetdev': 'KyoceraNetDev', 'jstel': 'JSTEL', 'syscomlan': 'SYSCOMLAN', 'fpo-fns': 'FPO-FNS', 'instl-boots': 'Installation Bootstrap Proto. Serv.\nIANA assigned this well-formed service name as a replacement for "instl_boots".', 'instl_boots': 'Installation Bootstrap Proto. Serv.', 'instl-bootc': 'Installation Bootstrap Proto. Cli.\nIANA assigned this well-formed service name as a replacement for "instl_bootc".', 'instl_bootc': 'Installation Bootstrap Proto. Cli.', 'cognex-insight': 'COGNEX-INSIGHT', 'gmrupdateserv': 'GMRUpdateSERV', 'bsquare-voip': 'BSQUARE-VOIP', 'cardax': 'CARDAX', 'bridgecontrol': 'Bridge Control', 'warmspotMgmt': 'Warmspot Management Protocol', 'rdrmshc': 'RDRMSHC', 'dab-sti-c': 'DAB STI-C', 'imgames': 'IMGames', 'avocent-proxy': 'Avocent Proxy Protocol', 'asprovatalk': 'ASPROVATalk', 'socks': 'Socks', 'pvuniwien': 'PVUNIWIEN', 'amt-esd-prot': 'AMT-ESD-PROT', 'ansoft-lm-1': 'Anasoft License Manager', 'ansoft-lm-2': 'Anasoft License Manager', 'webobjects': 'Web Objects', 'cplscrambler-lg': 'CPL Scrambler Logging', 'cplscrambler-in': 'CPL Scrambler Internal', 'cplscrambler-al': 'CPL Scrambler Alarm Log', 'ff-annunc': 'FF Annunciation', 'ff-fms': 'FF Fieldbus Message Specification', 'ff-sm': 'FF System Management', 'obrpd': 'Open Business Reporting Protocol', 'proofd': 'PROOFD', 'rootd': 'ROOTD', 'nicelink': 'NICELink', 'cnrprotocol': 'Common Name Resolution Protocol', 'sunclustermgr': 'Sun Cluster Manager', 'rmiactivation': 'RMI Activation', 'rmiregistry': 'RMI Registry', 'mctp': 'MCTP', 'pt2-discover': 'PT2-DISCOVER', 'adobeserver-1': 'ADOBE SERVER 1', 'adobeserver-2': 'ADOBE SERVER 2', 'xrl': 'XRL', 'ftranhc': 'FTRANHC', 'isoipsigport-1': 'ISOIPSIGPORT-1', 'isoipsigport-2': 'ISOIPSIGPORT-2', 'ratio-adp': 'ratio-adp', 'nfsd-keepalive': 'Client status info', 'lmsocialserver': 'LM Social Server', 'icp': 'Intelligent Communication Protocol', 'ltp-deepspace': 'Licklider Transmission Protocol', 'mini-sql': 'Mini SQL', 'ardus-trns': 'ARDUS Transfer', 'ardus-cntl': 'ARDUS Control', 'ardus-mtrns': 'ARDUS Multicast Transfer', 'sacred': 'SACRED', 'bnetgame': 'Battle.net Chat/Game Protocol', 'bnetfile': 'Battle.net File Transfer Protocol', 'rmpp': 'Datalode RMPP', 'availant-mgr': 'availant-mgr', 'murray': 'Murray', 'hpvmmcontrol': 'HP VMM Control', 'hpvmmagent': 'HP VMM Agent', 'hpvmmdata': 'HP VMM Agent', 'kwdb-commn': 'KWDB Remote Communication', 'saphostctrl': 'SAPHostControl over SOAP/HTTP', 'saphostctrls': 'SAPHostControl over SOAP/HTTPS', 'casp': 'CAC App Service Protocol', 'caspssl': 'CAC App Service Protocol Encripted', 'kvm-via-ip': 'KVM-via-IP Management Service', 'dfn': 'Data Flow Network', 'aplx': 'MicroAPL APLX', 'omnivision': 'OmniVision Communication Service', 'hhb-gateway': 'HHB Gateway Control', 'trim': 'TRIM Workgroup Service', 'encrypted-admin': 'encrypted admin requests\nIANA assigned this well-formed service name as a replacement for "encrypted_admin".', 'encrypted_admin': 'encrypted admin requests', 'evm': 'Enterprise Virtual Manager', 'autonoc': 'AutoNOC Network Operations Protocol', 'mxomss': 'User Message Service', 'edtools': 'User Discovery Service', 'imyx': 'Infomatryx Exchange', 'fuscript': 'Fusion Script', 'x9-icue': 'X9 iCue Show Control', 'audit-transfer': 'audit transfer', 'capioverlan': 'CAPIoverLAN', 'elfiq-repl': 'Elfiq Replication Service', 'bvtsonar': 'BVT Sonar Service', 'blaze': 'Blaze File Server', 'unizensus': 'Unizensus Login Server', 'winpoplanmess': 'Winpopup LAN Messenger', 'c1222-acse': 'ANSI C12.22 Port', 'resacommunity': 'Community Service', 'nfa': 'Network File Access', 'iascontrol-oms': 'iasControl OMS', 'iascontrol': 'Oracle iASControl', 'dbcontrol-oms': 'dbControl OMS', 'oracle-oms': 'Oracle OMS', 'olsv': 'DB Lite Mult-User Server', 'health-polling': 'Health Polling', 'health-trap': 'Health Trap', 'sddp': 'SmartDialer Data Protocol', 'qsm-proxy': 'QSM Proxy Service', 'qsm-gui': 'QSM GUI Service', 'qsm-remote': 'QSM RemoteExec', 'cisco-ipsla': 'Cisco IP SLAs Control Protocol', 'vchat': 'VChat Conference Service', 'tripwire': 'TRIPWIRE', 'atc-lm': 'AT+C License Manager', 'atc-appserver': 'AT+C FmiApplicationServer', 'dnap': 'DNA Protocol', 'd-cinema-rrp': 'D-Cinema Request-Response', 'fnet-remote-ui': 'FlashNet Remote Admin', 'dossier': 'Dossier Server', 'indigo-server': 'Indigo Home Server', 'dkmessenger': 'DKMessenger Protocol', 'sgi-storman': 'SGI Storage Manager', 'b2n': 'Backup To Neighbor', 'mc-client': 'Millicent Client Proxy', '3comnetman': '3Com Net Management', 'accelenet-data': 'AcceleNet Data', 'llsurfup-http': 'LL Surfup HTTP', 'llsurfup-https': 'LL Surfup HTTPS', 'catchpole': 'Catchpole port', 'mysql-cluster': 'MySQL Cluster Manager', 'alias': 'Alias Service', 'hp-webadmin': 'HP Web Admin', 'unet': 'Unet Connection', 'commlinx-avl': 'CommLinx GPS / AVL System', 'gpfs': 'General Parallel File System', 'caids-sensor': 'caids sensors channel', 'fiveacross': 'Five Across Server', 'openvpn': 'OpenVPN', 'rsf-1': 'RSF-1 clustering', 'netmagic': 'Network Magic', 'carrius-rshell': 'Carrius Remote Access', 'cajo-discovery': 'cajo reference discovery', 'dmidi': 'DMIDI', 'scol': 'SCOL', 'nucleus-sand': 'Nucleus Sand Database Server', 'caiccipc': 'caiccipc', 'ssslic-mgr': 'License Validation', 'ssslog-mgr': 'Log Request Listener', 'accord-mgc': 'Accord-MGC', 'anthony-data': 'Anthony Data', 'metasage': 'MetaSage', 'seagull-ais': 'SEAGULL AIS', 'ipcd3': 'IPCD3', 'eoss': 'EOSS', 'groove-dpp': 'Groove DPP', 'lupa': 'lupa', 'mpc-lifenet': 'MPC LIFENET', 'kazaa': 'KAZAA', 'scanstat-1': 'scanSTAT 1.0', 'etebac5': 'ETEBAC 5', 'hpss-ndapi': 'HPSS NonDCE Gateway', 'aeroflight-ads': 'AeroFlight-ADs', 'aeroflight-ret': 'AeroFlight-Ret', 'qt-serveradmin': 'QT SERVER ADMIN', 'sweetware-apps': 'SweetWARE Apps', 'nerv': 'SNI R&D network', 'tgp': 'TrulyGlobal Protocol', 'vpnz': 'VPNz', 'slinkysearch': 'SLINKYSEARCH', 'stgxfws': 'STGXFWS', 'dns2go': 'DNS2Go', 'florence': 'FLORENCE', 'zented': 'ZENworks Tiered Electronic Distribution', 'periscope': 'Periscope', 'menandmice-lpm': 'menandmice-lpm', 'univ-appserver': 'Universal App Server', 'search-agent': 'Infoseek Search Agent', 'mosaicsyssvc1': 'mosaicsyssvc1', 'bvcontrol': 'bvcontrol', 'tsdos390': 'tsdos390', 'hacl-qs': 'hacl-qs', 'nmsd': 'NMSD', 'instantia': 'Instantia', 'nessus': 'nessus', 'nmasoverip': 'NMAS over IP', 'serialgateway': 'SerialGateway', 'isbconference1': 'isbconference1', 'isbconference2': 'isbconference2', 'payrouter': 'payrouter', 'visionpyramid': 'VisionPyramid', 'hermes': 'hermes', 'mesavistaco': 'Mesa Vista Co', 'swldy-sias': 'swldy-sias', 'servergraph': 'servergraph', 'bspne-pcc': 'bspne-pcc', 'q55-pcc': 'q55-pcc', 'de-noc': 'de-noc', 'de-cache-query': 'de-cache-query', 'de-server': 'de-server', 'shockwave2': 'Shockwave 2', 'opennl': 'Open Network Library', 'opennl-voice': 'Open Network Library Voice', 'ibm-ssd': 'ibm-ssd', 'mpshrsv': 'mpshrsv', 'qnts-orb': 'QNTS-ORB', 'dka': 'dka', 'prat': 'PRAT', 'dssiapi': 'DSSIAPI', 'dellpwrappks': 'DELLPWRAPPKS', 'epc': 'eTrust Policy Compliance', 'propel-msgsys': 'PROPEL-MSGSYS', 'watilapp': 'WATiLaPP', 'opsmgr': 'Microsoft Operations Manager', 'excw': 'eXcW', 'cspmlockmgr': 'CSPMLockMgr', 'emc-gateway': 'EMC-Gateway', 't1distproc': 't1distproc', 'ivcollector': 'ivcollector', 'ivmanager': 'ivmanager', 'miva-mqs': 'mqs', 'dellwebadmin-1': 'Dell Web Admin 1', 'dellwebadmin-2': 'Dell Web Admin 2', 'pictrography': 'Pictrography', 'healthd': 'healthd', 'emperion': 'Emperion', 'productinfo': 'Product Information', 'iee-qfx': 'IEE-QFX', 'neoiface': 'neoiface', 'netuitive': 'netuitive', 'routematch': 'RouteMatch Com', 'navbuddy': 'NavBuddy', 'jwalkserver': 'JWalkServer', 'winjaserver': 'WinJaServer', 'seagulllms': 'SEAGULLLMS', 'dsdn': 'dsdn', 'pkt-krb-ipsec': 'PKT-KRB-IPSec', 'cmmdriver': 'CMMdriver', 'ehtp': 'End-by-Hop Transmission Protocol', 'dproxy': 'dproxy', 'sdproxy': 'sdproxy', 'lpcp': 'lpcp', 'hp-sci': 'hp-sci', 'h323hostcallsc': 'H323 Host Call Secure', 'ci3-software-1': 'CI3-Software-1', 'ci3-software-2': 'CI3-Software-2', 'sftsrv': 'sftsrv', 'boomerang': 'Boomerang', 'pe-mike': 'pe-mike', 're-conn-proto': 'RE-Conn-Proto', 'pacmand': 'Pacmand', 'odsi': 'Optical Domain Service Interconnect (ODSI)', 'jtag-server': 'JTAG server', 'husky': 'Husky', 'rxmon': 'RxMon', 'sti-envision': 'STI Envision', 'bmc-patroldb': 'BMC_PATROLDB\nIANA assigned this well-formed service name as a replacement for "bmc_patroldb".', 'bmc_patroldb': 'BMC_PATROLDB', 'pdps': 'Photoscript Distributed Printing System', 'els': 'E.L.S., Event Listener Service', 'exbit-escp': 'Exbit-ESCP', 'vrts-ipcserver': 'vrts-ipcserver', 'krb5gatekeeper': 'krb5gatekeeper', 'amx-icsp': 'AMX-ICSP', 'amx-axbnet': 'AMX-AXBNET', 'pip': 'PIP', 'novation': 'Novation', 'brcd': 'brcd', 'delta-mcp': 'delta-mcp', 'dx-instrument': 'DX-Instrument', 'wimsic': 'WIMSIC', 'ultrex': 'Ultrex', 'ewall': 'EWALL', 'netdb-export': 'netdb-export', 'streetperfect': 'StreetPerfect', 'intersan': 'intersan', 'pcia-rxp-b': 'PCIA RXP-B', 'passwrd-policy': 'Password Policy', 'writesrv': 'writesrv', 'digital-notary': 'Digital Notary Protocol', 'ischat': 'Instant Service Chat', 'menandmice-dns': 'menandmice DNS', 'wmc-log-svc': 'WMC-log-svr', 'kjtsiteserver': 'kjtsiteserver', 'naap': 'NAAP', 'qubes': 'QuBES', 'esbroker': 'ESBroker', 're101': 're101', 'icap': 'ICAP', 'vpjp': 'VPJP', 'alta-ana-lm': 'Alta Analytics License Manager', 'bbn-mmc': 'multi media conferencing', 'bbn-mmx': 'multi media conferencing', 'sbook': 'Registration Network Protocol', 'editbench': 'Registration Network Protocol', 'equationbuilder': 'Digital Tool Works (MIT)', 'lotusnote': 'Lotus Note', 'relief': 'Relief Consulting', 'XSIP-network': 'Five Across XSIP Network', 'intuitive-edge': 'Intuitive Edge', 'cuillamartin': 'CuillaMartin Company', 'pegboard': 'Electronic PegBoard', 'connlcli': 'CONNLCLI', 'ftsrv': 'FTSRV', 'mimer': 'MIMER', 'linx': 'LinX', 'timeflies': 'TimeFlies', 'ndm-requester': 'Network DataMover Requester', 'ndm-server': 'Network DataMover Server', 'adapt-sna': 'Network Software Associates', 'netware-csp': 'Novell NetWare Comm Service Platform', 'dcs': 'DCS', 'screencast': 'ScreenCast', 'gv-us': 'GlobalView to Unix Shell', 'us-gv': 'Unix Shell to GlobalView', 'fc-cli': 'Fujitsu Config Protocol', 'fc-ser': 'Fujitsu Config Protocol', 'chromagrafx': 'Chromagrafx', 'molly': 'EPI Software Systems', 'bytex': 'Bytex', 'ibm-pps': 'IBM Person to Person Software', 'cichlid': 'Cichlid License Manager', 'elan': 'Elan License Manager', 'dbreporter': 'Integrity Solutions', 'telesis-licman': 'Telesis Network License Manager', 'apple-licman': 'Apple Network License Manager', 'udt-os': 'udt_os\nIANA assigned this well-formed service name as a replacement for "udt_os".', 'udt_os': 'udt_os', 'gwha': 'GW Hannaway Network License Manager', 'os-licman': 'Objective Solutions License Manager', 'atex-elmd': 'Atex Publishing License Manager\nIANA assigned this well-formed service name as a replacement for "atex_elmd".', 'atex_elmd': 'Atex Publishing License Manager', 'checksum': 'CheckSum License Manager', 'cadsi-lm': 'Computer Aided Design Software Inc LM', 'objective-dbc': 'Objective Solutions DataBase Cache', 'iclpv-dm': 'Document Manager', 'iclpv-sc': 'Storage Controller', 'iclpv-sas': 'Storage Access Server', 'iclpv-pm': 'Print Manager', 'iclpv-nls': 'Network Log Server', 'iclpv-nlc': 'Network Log Client', 'iclpv-wsm': 'PC Workstation Manager software', 'dvl-activemail': 'DVL Active Mail', 'audio-activmail': 'Audio Active Mail', 'video-activmail': 'Video Active Mail', 'cadkey-licman': 'Cadkey License Manager', 'cadkey-tablet': 'Cadkey Tablet Daemon', 'goldleaf-licman': 'Goldleaf License Manager', 'prm-sm-np': 'Prospero Resource Manager', 'prm-nm-np': 'Prospero Resource Manager', 'igi-lm': 'Infinite Graphics License Manager', 'ibm-res': 'IBM Remote Execution Starter', 'netlabs-lm': 'NetLabs License Manager', 'dbsa-lm': 'DBSA License Manager', 'sophia-lm': 'Sophia License Manager', 'here-lm': 'Here License Manager', 'hiq': 'HiQ License Manager', 'af': 'AudioFile', 'innosys': 'InnoSys', 'innosys-acl': 'Innosys-ACL', 'ibm-mqseries': 'IBM MQSeries', 'dbstar': 'DBStar', 'novell-lu6-2': 'Novell LU6.2\nIANA assigned this well-formed service name as a replacement for "novell-lu6.2".', 'novell-lu6.2': 'Novell LU6.2', 'timbuktu-srv1': 'Timbuktu Service 1 Port', 'timbuktu-srv2': 'Timbuktu Service 2 Port', 'timbuktu-srv3': 'Timbuktu Service 3 Port', 'timbuktu-srv4': 'Timbuktu Service 4 Port', 'gandalf-lm': 'Gandalf License Manager', 'autodesk-lm': 'Autodesk License Manager', 'essbase': 'Essbase Arbor Software', 'hybrid': 'Hybrid Encryption Protocol', 'zion-lm': 'Zion Software License Manager', 'sais': 'Satellite-data Acquisition System 1', 'mloadd': 'mloadd monitoring tool', 'informatik-lm': 'Informatik License Manager', 'nms': 'Hypercom NMS', 'tpdu': 'Hypercom TPDU', 'rgtp': 'Reverse Gossip Transport', 'blueberry-lm': 'Blueberry Software License Manager', 'ms-sql-s': 'Microsoft-SQL-Server', 'ms-sql-m': 'Microsoft-SQL-Monitor', 'ibm-cics': 'IBM CICS', 'saism': 'Satellite-data Acquisition System 2', 'tabula': 'Tabula', 'eicon-server': 'Eicon Security Agent/Server', 'eicon-x25': 'Eicon X25/SNA Gateway', 'eicon-slp': 'Eicon Service Location Protocol', 'cadis-1': 'Cadis License Management', 'cadis-2': 'Cadis License Management', 'ies-lm': 'Integrated Engineering Software', 'marcam-lm': 'Marcam License Management', 'proxima-lm': 'Proxima License Manager', 'ora-lm': 'Optical Research Associates License Manager', 'apri-lm': 'Applied Parallel Research LM', 'oc-lm': 'OpenConnect License Manager', 'peport': 'PEport', 'dwf': 'Tandem Distributed Workbench Facility', 'infoman': 'IBM Information Management', 'gtegsc-lm': 'GTE Government Systems License Man', 'genie-lm': 'Genie License Manager', 'interhdl-elmd': 'interHDL License Manager\nIANA assigned this well-formed service name as a replacement for "interhdl_elmd".', 'interhdl_elmd': 'interHDL License Manager', 'esl-lm': 'ESL License Manager', 'dca': 'DCA', 'valisys-lm': 'Valisys License Manager', 'nrcabq-lm': 'Nichols Research Corp.', 'proshare1': 'Proshare Notebook Application', 'proshare2': 'Proshare Notebook Application', 'ibm-wrless-lan': 'IBM Wireless LAN\nIANA assigned this well-formed service name as a replacement for "ibm_wrless_lan".', 'ibm_wrless_lan': 'IBM Wireless LAN', 'world-lm': 'World License Manager', 'nucleus': 'Nucleus', 'msl-lmd': 'MSL License Manager\nIANA assigned this well-formed service name as a replacement for "msl_lmd".', 'msl_lmd': 'MSL License Manager', 'pipes': 'Pipes Platform', 'oceansoft-lm': 'Ocean Software License Manager', 'csdmbase': 'CSDMBASE', 'csdm': 'CSDM', 'aal-lm': 'Active Analysis Limited License Manager', 'uaiact': 'Universal Analytics', 'csdmbase': 'csdmbase', 'csdm': 'csdm', 'openmath': 'OpenMath', 'telefinder': 'Telefinder', 'taligent-lm': 'Taligent License Manager', 'clvm-cfg': 'clvm-cfg', 'ms-sna-server': 'ms-sna-server', 'ms-sna-base': 'ms-sna-base', 'dberegister': 'dberegister', 'pacerforum': 'PacerForum', 'airs': 'AIRS', 'miteksys-lm': 'Miteksys License Manager', 'afs': 'AFS License Manager', 'confluent': 'Confluent License Manager', 'lansource': 'LANSource', 'nms-topo-serv': 'nms_topo_serv\nIANA assigned this well-formed service name as a replacement for "nms_topo_serv".', 'nms_topo_serv': 'nms_topo_serv', 'localinfosrvr': 'LocalInfoSrvr', 'docstor': 'DocStor', 'dmdocbroker': 'dmdocbroker', 'insitu-conf': 'insitu-conf', 'stone-design-1': 'stone-design-1', 'netmap-lm': 'netmap_lm\nIANA assigned this well-formed service name as a replacement for "netmap_lm".', 'netmap_lm': 'netmap_lm', 'ica': 'ica', 'cvc': 'cvc', 'liberty-lm': 'liberty-lm', 'rfx-lm': 'rfx-lm', 'sybase-sqlany': 'Sybase SQL Any', 'fhc': 'Federico Heinz Consultora', 'vlsi-lm': 'VLSI License Manager', 'saiscm': 'Satellite-data Acquisition System 3', 'shivadiscovery': 'Shiva', 'imtc-mcs': 'Databeam', 'evb-elm': 'EVB Software Engineering License Manager', 'funkproxy': 'Funk Software, Inc.', 'utcd': 'Universal Time daemon (utcd)', 'symplex': 'symplex', 'diagmond': 'diagmond', 'robcad-lm': 'Robcad, Ltd. License Manager', 'mvx-lm': 'Midland Valley Exploration Ltd. Lic. Man.', '3l-l1': '3l-l1', 'wins': "Microsoft's Windows Internet Name Service", 'fujitsu-dtc': 'Fujitsu Systems Business of America, Inc', 'fujitsu-dtcns': 'Fujitsu Systems Business of America, Inc', 'ifor-protocol': 'ifor-protocol', 'vpad': 'Virtual Places Audio data', 'vpac': 'Virtual Places Audio control', 'vpvd': 'Virtual Places Video data', 'vpvc': 'Virtual Places Video control', 'atm-zip-office': 'atm zip office', 'ncube-lm': 'nCube License Manager', 'ricardo-lm': 'Ricardo North America License Manager', 'cichild-lm': 'cichild', 'ingreslock': 'ingres', 'orasrv': 'oracle', 'prospero-np': 'Prospero Directory Service non-priv', 'pdap-np': 'Prospero Data Access Prot non-priv', 'tlisrv': 'oracle', 'coauthor': 'oracle', 'rap-service': 'rap-service', 'rap-listen': 'rap-listen', 'miroconnect': 'miroconnect', 'virtual-places': 'Virtual Places Software', 'micromuse-lm': 'micromuse-lm', 'ampr-info': 'ampr-info', 'ampr-inter': 'ampr-inter', 'sdsc-lm': 'isi-lm', '3ds-lm': '3ds-lm', 'intellistor-lm': 'Intellistor License Manager', 'rds': 'rds', 'rds2': 'rds2', 'gridgen-elmd': 'gridgen-elmd', 'simba-cs': 'simba-cs', 'aspeclmd': 'aspeclmd', 'vistium-share': 'vistium-share', 'abbaccuray': 'abbaccuray', 'laplink': 'laplink', 'axon-lm': 'Axon License Manager', 'shivasound': 'Shiva Sound', '3m-image-lm': 'Image Storage license manager 3M Company', 'hecmtl-db': 'HECMTL-DB', 'pciarray': 'pciarray', 'sna-cs': 'sna-cs', 'caci-lm': 'CACI Products Company License Manager', 'livelan': 'livelan', 'veritas-pbx': 'VERITAS Private Branch Exchange\nIANA assigned this well-formed service name as a replacement for "veritas_pbx".', 'veritas_pbx': 'VERITAS Private Branch Exchange', 'arbortext-lm': 'ArborText License Manager', 'xingmpeg': 'xingmpeg', 'web2host': 'web2host', 'asci-val': 'ASCI-RemoteSHADOW', 'facilityview': 'facilityview', 'pconnectmgr': 'pconnectmgr', 'cadabra-lm': 'Cadabra License Manager', 'pay-per-view': 'Pay-Per-View', 'winddlb': 'WinDD', 'corelvideo': 'CORELVIDEO', 'jlicelmd': 'jlicelmd', 'tsspmap': 'tsspmap', 'ets': 'ets', 'orbixd': 'orbixd', 'rdb-dbs-disp': 'Oracle Remote Data Base', 'chip-lm': 'Chipcom License Manager', 'itscomm-ns': 'itscomm-ns', 'mvel-lm': 'mvel-lm', 'oraclenames': 'oraclenames', 'moldflow-lm': 'Moldflow License Manager', 'hypercube-lm': 'hypercube-lm', 'jacobus-lm': 'Jacobus License Manager', 'ioc-sea-lm': 'ioc-sea-lm', 'tn-tl-r2': 'tn-tl-r2', 'mil-2045-47001': 'MIL-2045-47001', 'msims': 'MSIMS', 'simbaexpress': 'simbaexpress', 'tn-tl-fd2': 'tn-tl-fd2', 'intv': 'intv', 'ibm-abtact': 'ibm-abtact', 'pra-elmd': 'pra_elmd\nIANA assigned this well-formed service name as a replacement for "pra_elmd".', 'pra_elmd': 'pra_elmd', 'triquest-lm': 'triquest-lm', 'vqp': 'VQP', 'gemini-lm': 'gemini-lm', 'ncpm-pm': 'ncpm-pm', 'commonspace': 'commonspace', 'mainsoft-lm': 'mainsoft-lm', 'sixtrak': 'sixtrak', 'radio': 'radio', 'radio-bc': 'radio-bc', 'orbplus-iiop': 'orbplus-iiop', 'picknfs': 'picknfs', 'simbaservices': 'simbaservices', 'issd': 'issd', 'aas': 'aas', 'inspect': 'inspect', 'picodbc': 'pickodbc', 'icabrowser': 'icabrowser', 'slp': 'Salutation Manager (Salutation Protocol)', 'slm-api': 'Salutation Manager (SLM-API)', 'stt': 'stt', 'smart-lm': 'Smart Corp. License Manager', 'isysg-lm': 'isysg-lm', 'taurus-wh': 'taurus-wh', 'ill': 'Inter Library Loan', 'netbill-trans': 'NetBill Transaction Server', 'netbill-keyrep': 'NetBill Key Repository', 'netbill-cred': 'NetBill Credential Server', 'netbill-auth': 'NetBill Authorization Server', 'netbill-prod': 'NetBill Product Server', 'nimrod-agent': 'Nimrod Inter-Agent Communication', 'skytelnet': 'skytelnet', 'xs-openstorage': 'xs-openstorage', 'faxportwinport': 'faxportwinport', 'softdataphone': 'softdataphone', 'ontime': 'ontime', 'jaleosnd': 'jaleosnd', 'udp-sr-port': 'udp-sr-port', 'svs-omagent': 'svs-omagent', 'shockwave': 'Shockwave', 't128-gateway': 'T.128 Gateway', 'lontalk-norm': 'LonTalk normal', 'lontalk-urgnt': 'LonTalk urgent', 'oraclenet8cman': 'Oracle Net8 Cman', 'visitview': 'Visit view', 'pammratc': 'PAMMRATC', 'pammrpc': 'PAMMRPC', 'loaprobe': 'Log On America Probe', 'edb-server1': 'EDB Server 1', 'isdc': 'ISP shared public data control', 'islc': 'ISP shared local data control', 'ismc': 'ISP shared management control', 'cert-initiator': 'cert-initiator', 'cert-responder': 'cert-responder', 'invision': 'InVision', 'isis-am': 'isis-am', 'isis-ambc': 'isis-ambc', 'saiseh': 'Satellite-data Acquisition System 4', 'sightline': 'SightLine', 'sa-msg-port': 'sa-msg-port', 'rsap': 'rsap', 'concurrent-lm': 'concurrent-lm', 'kermit': 'kermit', 'nkd': 'nkd', 'shiva-confsrvr': 'shiva_confsrvr\nIANA assigned this well-formed service name as a replacement for "shiva_confsrvr".', 'shiva_confsrvr': 'shiva_confsrvr', 'xnmp': 'xnmp', 'alphatech-lm': 'alphatech-lm', 'stargatealerts': 'stargatealerts', 'dec-mbadmin': 'dec-mbadmin', 'dec-mbadmin-h': 'dec-mbadmin-h', 'fujitsu-mmpdc': 'fujitsu-mmpdc', 'sixnetudr': 'sixnetudr', 'sg-lm': 'Silicon Grail License Manager', 'skip-mc-gikreq': 'skip-mc-gikreq', 'netview-aix-1': 'netview-aix-1', 'netview-aix-2': 'netview-aix-2', 'netview-aix-3': 'netview-aix-3', 'netview-aix-4': 'netview-aix-4', 'netview-aix-5': 'netview-aix-5', 'netview-aix-6': 'netview-aix-6', 'netview-aix-7': 'netview-aix-7', 'netview-aix-8': 'netview-aix-8', 'netview-aix-9': 'netview-aix-9', 'netview-aix-10': 'netview-aix-10', 'netview-aix-11': 'netview-aix-11', 'netview-aix-12': 'netview-aix-12', 'proshare-mc-1': 'Intel Proshare Multicast', 'proshare-mc-2': 'Intel Proshare Multicast', 'pdp': 'Pacific Data Products', 'netcomm2': 'netcomm2', 'groupwise': 'groupwise', 'prolink': 'prolink', 'darcorp-lm': 'darcorp-lm', 'microcom-sbp': 'microcom-sbp', 'sd-elmd': 'sd-elmd', 'lanyon-lantern': 'lanyon-lantern', 'ncpm-hip': 'ncpm-hip', 'snaresecure': 'SnareSecure', 'n2nremote': 'n2nremote', 'cvmon': 'cvmon', 'nsjtp-ctrl': 'nsjtp-ctrl', 'nsjtp-data': 'nsjtp-data', 'firefox': 'firefox', 'ng-umds': 'ng-umds', 'empire-empuma': 'empire-empuma', 'sstsys-lm': 'sstsys-lm', 'rrirtr': 'rrirtr', 'rrimwm': 'rrimwm', 'rrilwm': 'rrilwm', 'rrifmm': 'rrifmm', 'rrisat': 'rrisat', 'rsvp-encap-1': 'RSVP-ENCAPSULATION-1', 'rsvp-encap-2': 'RSVP-ENCAPSULATION-2', 'mps-raft': 'mps-raft', 'l2f': 'l2f', 'l2tp': 'l2tp', 'deskshare': 'deskshare', 'hb-engine': 'hb-engine', 'bcs-broker': 'bcs-broker', 'slingshot': 'slingshot', 'jetform': 'jetform', 'vdmplay': 'vdmplay', 'gat-lmd': 'gat-lmd', 'centra': 'centra', 'impera': 'impera', 'pptconference': 'pptconference', 'registrar': 'resource monitoring service', 'conferencetalk': 'ConferenceTalk', 'sesi-lm': 'sesi-lm', 'houdini-lm': 'houdini-lm', 'xmsg': 'xmsg', 'fj-hdnet': 'fj-hdnet', 'h323gatedisc': 'h323gatedisc', 'h323gatestat': 'h323gatestat', 'h323hostcall': 'h323hostcall', 'caicci': 'caicci', 'hks-lm': 'HKS License Manager', 'pptp': 'pptp', 'csbphonemaster': 'csbphonemaster', 'iden-ralp': 'iden-ralp', 'iberiagames': 'IBERIAGAMES', 'winddx': 'winddx', 'telindus': 'TELINDUS', 'citynl': 'CityNL License Management', 'roketz': 'roketz', 'msiccp': 'MSICCP', 'proxim': 'proxim', 'siipat': 'SIMS - SIIPAT Protocol for Alarm Transmission', 'cambertx-lm': 'Camber Corporation License Management', 'privatechat': 'PrivateChat', 'street-stream': 'street-stream', 'ultimad': 'ultimad', 'gamegen1': 'GameGen1', 'webaccess': 'webaccess', 'encore': 'encore', 'cisco-net-mgmt': 'cisco-net-mgmt', '3Com-nsd': '3Com-nsd', 'cinegrfx-lm': 'Cinema Graphics License Manager', 'ncpm-ft': 'ncpm-ft', 'remote-winsock': 'remote-winsock', 'ftrapid-1': 'ftrapid-1', 'ftrapid-2': 'ftrapid-2', 'oracle-em1': 'oracle-em1', 'aspen-services': 'aspen-services', 'sslp': "Simple Socket Library's PortMaster", 'swiftnet': 'SwiftNet', 'lofr-lm': 'Leap of Faith Research License Manager', 'oracle-em2': 'oracle-em2', 'ms-streaming': 'ms-streaming', 'capfast-lmd': 'capfast-lmd', 'cnhrp': 'cnhrp', 'tftp-mcast': 'tftp-mcast', 'spss-lm': 'SPSS License Manager', 'www-ldap-gw': 'www-ldap-gw', 'cft-0': 'cft-0', 'cft-1': 'cft-1', 'cft-2': 'cft-2', 'cft-3': 'cft-3', 'cft-4': 'cft-4', 'cft-5': 'cft-5', 'cft-6': 'cft-6', 'cft-7': 'cft-7', 'bmc-net-adm': 'bmc-net-adm', 'bmc-net-svc': 'bmc-net-svc', 'vaultbase': 'vaultbase', 'essweb-gw': 'EssWeb Gateway', 'kmscontrol': 'KMSControl', 'global-dtserv': 'global-dtserv', 'femis': 'Federal Emergency Management Information System', 'powerguardian': 'powerguardian', 'prodigy-intrnet': 'prodigy-internet', 'pharmasoft': 'pharmasoft', 'dpkeyserv': 'dpkeyserv', 'answersoft-lm': 'answersoft-lm', 'hp-hcip': 'hp-hcip', 'finle-lm': 'Finle License Manager', 'windlm': 'Wind River Systems License Manager', 'funk-logger': 'funk-logger', 'funk-license': 'funk-license', 'psmond': 'psmond', 'hello': 'hello', 'nmsp': 'Narrative Media Streaming Protocol', 'ea1': 'EA1', 'ibm-dt-2': 'ibm-dt-2', 'rsc-robot': 'rsc-robot', 'cera-bcm': 'cera-bcm', 'dpi-proxy': 'dpi-proxy', 'vocaltec-admin': 'Vocaltec Server Administration', 'uma': 'UMA', 'etp': 'Event Transfer Protocol', 'netrisk': 'NETRISK', 'ansys-lm': 'ANSYS-License manager', 'msmq': 'Microsoft Message Que', 'concomp1': 'ConComp1', 'hp-hcip-gwy': 'HP-HCIP-GWY', 'enl': 'ENL', 'enl-name': 'ENL-Name', 'musiconline': 'Musiconline', 'fhsp': 'Fujitsu Hot Standby Protocol', 'oracle-vp2': 'Oracle-VP2', 'oracle-vp1': 'Oracle-VP1', 'jerand-lm': 'Jerand License Manager', 'scientia-sdb': 'Scientia-SDB', 'radius': 'RADIUS', 'radius-acct': 'RADIUS Accounting', 'tdp-suite': 'TDP Suite', 'mmpft': 'MMPFT', 'harp': 'HARP', 'rkb-oscs': 'RKB-OSCS', 'etftp': 'Enhanced Trivial File Transfer Protocol', 'plato-lm': 'Plato License Manager', 'mcagent': 'mcagent', 'donnyworld': 'donnyworld', 'es-elmd': 'es-elmd', 'unisys-lm': 'Unisys Natural Language License Manager', 'metrics-pas': 'metrics-pas', 'direcpc-video': 'DirecPC Video', 'ardt': 'ARDT', 'asi': 'ASI', 'itm-mcell-u': 'itm-mcell-u', 'optika-emedia': 'Optika eMedia', 'net8-cman': 'Oracle Net8 CMan Admin', 'myrtle': 'Myrtle', 'tht-treasure': 'ThoughtTreasure', 'udpradio': 'udpradio', 'ardusuni': 'ARDUS Unicast', 'ardusmul': 'ARDUS Multicast', 'ste-smsc': 'ste-smsc', 'csoft1': 'csoft1', 'talnet': 'TALNET', 'netopia-vo1': 'netopia-vo1', 'netopia-vo2': 'netopia-vo2', 'netopia-vo3': 'netopia-vo3', 'netopia-vo4': 'netopia-vo4', 'netopia-vo5': 'netopia-vo5', 'direcpc-dll': 'DirecPC-DLL', 'altalink': 'altalink', 'tunstall-pnc': 'Tunstall PNC', 'slp-notify': 'SLP Notification', 'fjdocdist': 'fjdocdist', 'alpha-sms': 'ALPHA-SMS', 'gsi': 'GSI', 'ctcd': 'ctcd', 'virtual-time': 'Virtual Time', 'vids-avtp': 'VIDS-AVTP', 'buddy-draw': 'Buddy Draw', 'fiorano-rtrsvc': 'Fiorano RtrSvc', 'fiorano-msgsvc': 'Fiorano MsgSvc', 'datacaptor': 'DataCaptor', 'privateark': 'PrivateArk', 'gammafetchsvr': 'Gamma Fetcher Server', 'sunscalar-svc': 'SunSCALAR Services', 'lecroy-vicp': 'LeCroy VICP', 'mysql-cm-agent': 'MySQL Cluster Manager Agent', 'msnp': 'MSNP', 'paradym-31port': 'Paradym 31 Port', 'entp': 'ENTP', 'swrmi': 'swrmi', 'udrive': 'UDRIVE', 'viziblebrowser': 'VizibleBrowser', 'transact': 'TransAct', 'sunscalar-dns': 'SunSCALAR DNS Service', 'canocentral0': 'Cano Central 0', 'canocentral1': 'Cano Central 1', 'fjmpjps': 'Fjmpjps', 'fjswapsnp': 'Fjswapsnp', 'westell-stats': 'westell stats', 'ewcappsrv': 'ewcappsrv', 'hp-webqosdb': 'hp-webqosdb', 'drmsmc': 'drmsmc', 'nettgain-nms': 'NettGain NMS', 'vsat-control': 'Gilat VSAT Control', 'ibm-mqseries2': 'IBM WebSphere MQ Everyplace', 'ecsqdmn': 'CA eTrust Common Services', 'ibm-mqisdp': 'IBM MQSeries SCADA', 'idmaps': 'Internet Distance Map Svc', 'vrtstrapserver': 'Veritas Trap Server', 'leoip': 'Leonardo over IP', 'filex-lport': 'FileX Listening Port', 'ncconfig': 'NC Config Port', 'unify-adapter': 'Unify Web Adapter Service', 'wilkenlistener': 'wilkenListener', 'childkey-notif': 'ChildKey Notification', 'childkey-ctrl': 'ChildKey Control', 'elad': 'ELAD Protocol', 'o2server-port': 'O2Server Port', 'b-novative-ls': 'b-novative license server', 'metaagent': 'MetaAgent', 'cymtec-port': 'Cymtec secure management', 'mc2studios': 'MC2Studios', 'ssdp': 'SSDP', 'fjicl-tep-a': 'Fujitsu ICL Terminal Emulator Program A', 'fjicl-tep-b': 'Fujitsu ICL Terminal Emulator Program B', 'linkname': 'Local Link Name Resolution', 'fjicl-tep-c': 'Fujitsu ICL Terminal Emulator Program C', 'sugp': 'Secure UP.Link Gateway Protocol', 'tpmd': 'TPortMapperReq', 'intrastar': 'IntraSTAR', 'dawn': 'Dawn', 'global-wlink': 'Global World Link', 'ultrabac': 'UltraBac Software communications port', 'mtp': 'Starlight Networks Multimedia Transport Protocol', 'rhp-iibp': 'rhp-iibp', 'armadp': 'armadp', 'elm-momentum': 'Elm-Momentum', 'facelink': 'FACELINK', 'persona': 'Persoft Persona', 'noagent': 'nOAgent', 'can-nds': 'IBM Tivole Directory Service - NDS', 'can-dch': 'IBM Tivoli Directory Service - DCH', 'can-ferret': 'IBM Tivoli Directory Service - FERRET', 'noadmin': 'NoAdmin', 'tapestry': 'Tapestry', 'spice': 'SPICE', 'xiip': 'XIIP', 'discovery-port': 'Surrogate Discovery Port', 'egs': 'Evolution Game Server', 'videte-cipc': 'Videte CIPC Port', 'emsd-port': 'Expnd Maui Srvr Dscovr', 'bandwiz-system': 'Bandwiz System - Server', 'driveappserver': 'Drive AppServer', 'amdsched': 'AMD SCHED', 'ctt-broker': 'CTT Broker', 'xmapi': 'IBM LM MT Agent', 'xaapi': 'IBM LM Appl Agent', 'macromedia-fcs': 'Macromedia Flash Communications server MX', 'jetcmeserver': 'JetCmeServer Server Port', 'jwserver': 'JetVWay Server Port', 'jwclient': 'JetVWay Client Port', 'jvserver': 'JetVision Server Port', 'jvclient': 'JetVision Client Port', 'dic-aida': 'DIC-Aida', 'res': 'Real Enterprise Service', 'beeyond-media': 'Beeyond Media', 'close-combat': 'close-combat', 'dialogic-elmd': 'dialogic-elmd', 'tekpls': 'tekpls', 'sentinelsrm': 'SentinelSRM', 'eye2eye': 'eye2eye', 'ismaeasdaqlive': 'ISMA Easdaq Live', 'ismaeasdaqtest': 'ISMA Easdaq Test', 'bcs-lmserver': 'bcs-lmserver', 'mpnjsc': 'mpnjsc', 'rapidbase': 'Rapid Base', 'abr-api': 'ABR-API (diskbridge)', 'abr-secure': 'ABR-Secure Data (diskbridge)', 'vrtl-vmf-ds': 'Vertel VMF DS', 'unix-status': 'unix-status', 'dxadmind': 'CA Administration Daemon', 'simp-all': 'SIMP Channel', 'nasmanager': 'Merit DAC NASmanager', 'bts-appserver': 'BTS APPSERVER', 'biap-mp': 'BIAP-MP', 'webmachine': 'WebMachine', 'solid-e-engine': 'SOLID E ENGINE', 'tivoli-npm': 'Tivoli NPM', 'slush': 'Slush', 'sns-quote': 'SNS Quote', 'lipsinc': 'LIPSinc', 'lipsinc1': 'LIPSinc 1', 'netop-rc': 'NetOp Remote Control', 'netop-school': 'NetOp School', 'intersys-cache': 'Cache', 'dlsrap': 'Data Link Switching Remote Access Protocol', 'drp': 'DRP', 'tcoflashagent': 'TCO Flash Agent', 'tcoregagent': 'TCO Reg Agent', 'tcoaddressbook': 'TCO Address Book', 'unisql': 'UniSQL', 'unisql-java': 'UniSQL Java', 'pearldoc-xact': 'PearlDoc XACT', 'p2pq': 'p2pQ', 'estamp': 'Evidentiary Timestamp', 'lhtp': 'Loophole Test Protocol', 'bb': 'BB', 'hsrp': 'Hot Standby Router Protocol', 'licensedaemon': 'cisco license management', 'tr-rsrb-p1': 'cisco RSRB Priority 1 port', 'tr-rsrb-p2': 'cisco RSRB Priority 2 port', 'tr-rsrb-p3': 'cisco RSRB Priority 3 port', 'mshnet': 'MHSnet system', 'stun-p1': 'cisco STUN Priority 1 port', 'stun-p2': 'cisco STUN Priority 2 port', 'stun-p3': 'cisco STUN Priority 3 port', 'ipsendmsg': 'IPsendmsg', 'snmp-tcp-port': 'cisco SNMP TCP port', 'stun-port': 'cisco serial tunnel port', 'perf-port': 'cisco perf port', 'tr-rsrb-port': 'cisco Remote SRB port', 'gdp-port': 'cisco Gateway Discovery Protocol', 'x25-svc-port': 'cisco X.25 service (XOT)', 'tcp-id-port': 'cisco identification port', 'cisco-sccp': 'Cisco SCCp', 'wizard': 'curry', 'globe': '', 'brutus': 'Brutus Server', 'emce': 'CCWS mm conf', 'oracle': '', 'raid-cd': 'raid', 'raid-am': '', 'terminaldb': '', 'whosockami': '', 'pipe-server': '\nIANA assigned this well-formed service name as a replacement for "pipe_server".', 'pipe_server': '', 'servserv': '', 'raid-ac': '', 'raid-cd': '', 'raid-sf': '', 'raid-cs': '', 'bootserver': '', 'bootclient': '', 'rellpack': '', 'about': '', 'xinupageserver': '', 'xinuexpansion1': '', 'xinuexpansion2': '', 'xinuexpansion3': '', 'xinuexpansion4': '', 'xribs': '', 'scrabble': '', 'shadowserver': '', 'submitserver': '', 'hsrpv6': 'Hot Standby Router Protocol IPv6', 'device2': '', 'mobrien-chat': 'mobrien-chat', 'blackboard': '', 'glogger': '', 'scoremgr': '', 'imsldoc': '', 'e-dpnet': 'Ethernet WS DP network', 'applus': 'APplus Application Server', 'objectmanager': '', 'prizma': 'Prizma Monitoring Service', 'lam': '', 'interbase': '', 'isis': 'isis', 'isis-bcast': 'isis-bcast', 'rimsl': '', 'cdfunc': '', 'sdfunc': '', 'dls': '', 'dls-monitor': '', 'shilp': '', 'nfs': 'Network File System - Sun Microsystems', 'av-emb-config': 'Avaya EMB Config Port', 'epnsdp': 'EPNSDP', 'clearvisn': 'clearVisn Services Port', 'lot105-ds-upd': 'Lot105 DSuper Updates', 'weblogin': 'Weblogin Port', 'iop': 'Iliad-Odyssey Protocol', 'omnisky': 'OmniSky Port', 'rich-cp': 'Rich Content Protocol', 'newwavesearch': 'NewWaveSearchables RMI', 'bmc-messaging': 'BMC Messaging Service', 'teleniumdaemon': 'Telenium Daemon IF', 'netmount': 'NetMount', 'icg-swp': 'ICG SWP Port', 'icg-bridge': 'ICG Bridge Port', 'icg-iprelay': 'ICG IP Relay Port', 'dlsrpn': 'Data Link Switch Read Port Number', 'aura': 'AVM USB Remote Architecture', 'dlswpn': 'Data Link Switch Write Port Number', 'avauthsrvprtcl': 'Avocent AuthSrv Protocol', 'event-port': 'HTTP Event Port', 'ah-esp-encap': 'AH and ESP Encapsulated in UDP packet', 'acp-port': 'Axon Control Protocol', 'msync': 'GlobeCast mSync', 'gxs-data-port': 'DataReel Database Socket', 'vrtl-vmf-sa': 'Vertel VMF SA', 'newlixengine': 'Newlix ServerWare Engine', 'newlixconfig': 'Newlix JSPConfig', 'tsrmagt': 'Old Tivoli Storage Manager', 'tpcsrvr': 'IBM Total Productivity Center Server', 'idware-router': 'IDWARE Router Port', 'autodesk-nlm': 'Autodesk NLM (FLEXlm)', 'kme-trap-port': 'KME PRINTER TRAP PORT', 'infowave': 'Infowave Mobility Server', 'radsec': 'Secure Radius Service', 'sunclustergeo': 'SunCluster Geographic', 'ada-cip': 'ADA Control', 'gnunet': 'GNUnet', 'eli': 'ELI - Event Logging Integration', 'ip-blf': 'IP Busy Lamp Field', 'sep': 'Security Encapsulation Protocol - SEP', 'lrp': 'Load Report Protocol', 'prp': 'PRP', 'descent3': 'Descent 3', 'nbx-cc': 'NBX CC', 'nbx-au': 'NBX AU', 'nbx-ser': 'NBX SER', 'nbx-dir': 'NBX DIR', 'jetformpreview': 'Jet Form Preview', 'dialog-port': 'Dialog Port', 'h2250-annex-g': 'H.225.0 Annex G', 'amiganetfs': 'Amiga Network Filesystem', 'rtcm-sc104': 'rtcm-sc104', 'zephyr-srv': 'Zephyr server', 'zephyr-clt': 'Zephyr serv-hm connection', 'zephyr-hm': 'Zephyr hostmanager', 'minipay': 'MiniPay', 'mzap': 'MZAP', 'bintec-admin': 'BinTec Admin', 'comcam': 'Comcam', 'ergolight': 'Ergolight', 'umsp': 'UMSP', 'dsatp': 'OPNET Dynamic Sampling Agent Transaction Protocol', 'idonix-metanet': 'Idonix MetaNet', 'hsl-storm': 'HSL StoRM', 'newheights': 'NEWHEIGHTS', 'kdm': 'Key Distribution Manager', 'ccowcmr': 'CCOWCMR', 'mentaclient': 'MENTACLIENT', 'mentaserver': 'MENTASERVER', 'gsigatekeeper': 'GSIGATEKEEPER', 'qencp': 'Quick Eagle Networks CP', 'scientia-ssdb': 'SCIENTIA-SSDB', 'caupc-remote': 'CauPC Remote Control', 'gtp-control': 'GTP-Control Plane (3GPP)', 'elatelink': 'ELATELINK', 'lockstep': 'LOCKSTEP', 'pktcable-cops': 'PktCable-COPS', 'index-pc-wb': 'INDEX-PC-WB', 'net-steward': 'Net Steward Control', 'cs-live': 'cs-live.com', 'xds': 'XDS', 'avantageb2b': 'Avantageb2b', 'solera-epmap': 'SoleraTec End Point Map', 'zymed-zpp': 'ZYMED-ZPP', 'avenue': 'AVENUE', 'gris': 'Grid Resource Information Server', 'appworxsrv': 'APPWORXSRV', 'connect': 'CONNECT', 'unbind-cluster': 'UNBIND-CLUSTER', 'ias-auth': 'IAS-AUTH', 'ias-reg': 'IAS-REG', 'ias-admind': 'IAS-ADMIND', 'tdmoip': 'TDM OVER IP', 'lv-jc': 'Live Vault Job Control', 'lv-ffx': 'Live Vault Fast Object Transfer', 'lv-pici': 'Live Vault Remote Diagnostic Console Support', 'lv-not': 'Live Vault Admin Event Notification', 'lv-auth': 'Live Vault Authentication', 'veritas-ucl': 'VERITAS UNIVERSAL COMMUNICATION LAYER', 'acptsys': 'ACPTSYS', 'dynamic3d': 'DYNAMIC3D', 'docent': 'DOCENT', 'gtp-user': 'GTP-User Plane (3GPP)', 'ctlptc': 'Control Protocol', 'stdptc': 'Standard Protocol', 'brdptc': 'Bridge Protocol', 'trp': 'Talari Reliable Protocol', 'xnds': 'Xerox Network Document Scan Protocol', 'touchnetplus': 'TouchNetPlus Service', 'gdbremote': 'GDB Remote Debug Port', 'apc-2160': 'APC 2160', 'apc-2161': 'APC 2161', 'navisphere': 'Navisphere', 'navisphere-sec': 'Navisphere Secure', 'ddns-v3': 'Dynamic DNS Version 3', 'x-bone-api': 'X-Bone API', 'iwserver': 'iwserver', 'raw-serial': 'Raw Async Serial Link', 'easy-soft-mux': 'easy-soft Multiplexer', 'brain': 'Backbone for Academic Information Notification (BRAIN)', 'eyetv': 'EyeTV Server Port', 'msfw-storage': 'MS Firewall Storage', 'msfw-s-storage': 'MS Firewall SecureStorage', 'msfw-replica': 'MS Firewall Replication', 'msfw-array': 'MS Firewall Intra Array', 'airsync': 'Microsoft Desktop AirSync Protocol', 'rapi': 'Microsoft ActiveSync Remote API', 'qwave': 'qWAVE Bandwidth Estimate', 'bitspeer': 'Peer Services for BITS', 'vmrdp': 'Microsoft RDP for virtual machines', 'mc-gt-srv': 'Millicent Vendor Gateway Server', 'eforward': 'eforward', 'cgn-stat': 'CGN status', 'cgn-config': 'Code Green configuration', 'nvd': 'NVD User', 'onbase-dds': 'OnBase Distributed Disk Services', 'gtaua': 'Guy-Tek Automated Update Applications', 'ssmd': 'Sepehr System Management Data', 'tivoconnect': 'TiVoConnect Beacon', 'tvbus': 'TvBus Messaging', 'asdis': 'ASDIS software management', 'drwcs': 'Dr.Web Enterprise Management Service', 'mnp-exchange': 'MNP data exchange', 'onehome-remote': 'OneHome Remote Access', 'onehome-help': 'OneHome Service Port', 'ici': 'ICI', 'ats': 'Advanced Training System Program', 'imtc-map': 'Int. Multimedia Teleconferencing Cosortium', 'b2-runtime': 'b2 Runtime Protocol', 'b2-license': 'b2 License Server', 'jps': 'Java Presentation Server', 'hpocbus': 'HP OpenCall bus', 'hpssd': 'HP Status and Services', 'hpiod': 'HP I/O Backend', 'rimf-ps': 'HP RIM for Files Portal Service', 'noaaport': 'NOAAPORT Broadcast Network', 'emwin': 'EMWIN', 'leecoposserver': 'LeeCO POS Server Service', 'kali': 'Kali', 'rpi': 'RDQ Protocol Interface', 'ipcore': 'IPCore.co.za GPRS', 'vtu-comms': 'VTU data service', 'gotodevice': 'GoToDevice Device Management', 'bounzza': 'Bounzza IRC Proxy', 'netiq-ncap': 'NetIQ NCAP Protocol', 'netiq': 'NetIQ End2End', 'rockwell-csp1': 'Rockwell CSP1', 'EtherNet-IP-1': 'EtherNet/IP I/O\nIANA assigned this well-formed service name as a replacement for "EtherNet/IP-1".', 'EtherNet/IP-1': 'EtherNet/IP I/O', 'rockwell-csp2': 'Rockwell CSP2', 'efi-mg': 'Easy Flexible Internet/Multiplayer Games', 'di-drm': 'Digital Instinct DRM', 'di-msg': 'DI Messaging Service', 'ehome-ms': 'eHome Message Server', 'datalens': 'DataLens Service', 'queueadm': 'MetaSoft Job Queue Administration Service', 'wimaxasncp': 'WiMAX ASN Control Plane Protocol', 'ivs-video': 'IVS Video default', 'infocrypt': 'INFOCRYPT', 'directplay': 'DirectPlay', 'sercomm-wlink': 'Sercomm-WLink', 'nani': 'Nani', 'optech-port1-lm': 'Optech Port1 License Manager', 'aviva-sna': 'AVIVA SNA SERVER', 'imagequery': 'Image Query', 'recipe': 'RECIPe', 'ivsd': 'IVS Daemon', 'foliocorp': 'Folio Remote Server', 'magicom': 'Magicom Protocol', 'nmsserver': 'NMS Server', 'hao': 'HaO', 'pc-mta-addrmap': 'PacketCable MTA Addr Map', 'antidotemgrsvr': 'Antidote Deployment Manager Service', 'ums': 'User Management Service', 'rfmp': 'RISO File Manager Protocol', 'remote-collab': 'remote-collab', 'dif-port': 'Distributed Framework Port', 'njenet-ssl': 'NJENET using SSL', 'dtv-chan-req': 'DTV Channel Request', 'seispoc': 'Seismic P.O.C. Port', 'vrtp': 'VRTP - ViRtue Transfer Protocol', 'pcc-mfp': 'PCC MFP', 'simple-tx-rx': 'simple text/file transfer', 'rcts': 'Rotorcraft Communications Test System', 'apc-2260': 'APC 2260', 'comotionmaster': 'CoMotion Master Server', 'comotionback': 'CoMotion Backup Server', 'ecwcfg': 'ECweb Configuration Service', 'apx500api-1': 'Audio Precision Apx500 API Port 1', 'apx500api-2': 'Audio Precision Apx500 API Port 2', 'mfserver': 'M-files Server', 'ontobroker': 'OntoBroker', 'amt': 'AMT', 'mikey': 'MIKEY', 'starschool': 'starSchool', 'mmcals': 'Secure Meeting Maker Scheduling', 'mmcal': 'Meeting Maker Scheduling', 'mysql-im': 'MySQL Instance Manager', 'pcttunnell': 'PCTTunneller', 'ibridge-data': 'iBridge Conferencing', 'ibridge-mgmt': 'iBridge Management', 'bluectrlproxy': 'Bt device control proxy', 's3db': 'Simple Stacked Sequences Database', 'xmquery': 'xmquery', 'lnvpoller': 'LNVPOLLER', 'lnvconsole': 'LNVCONSOLE', 'lnvalarm': 'LNVALARM', 'lnvstatus': 'LNVSTATUS', 'lnvmaps': 'LNVMAPS', 'lnvmailmon': 'LNVMAILMON', 'nas-metering': 'NAS-Metering', 'dna': 'DNA', 'netml': 'NETML', 'dict-lookup': 'Lookup dict server', 'sonus-logging': 'Sonus Logging Services', 'eapsp': 'EPSON Advanced Printer Share Protocol', 'mib-streaming': 'Sonus Element Management Services', 'npdbgmngr': 'Network Platform Debug Manager', 'konshus-lm': 'Konshus License Manager (FLEX)', 'advant-lm': 'Advant License Manager', 'theta-lm': 'Theta License Manager (Rainbow)', 'd2k-datamover1': 'D2K DataMover 1', 'd2k-datamover2': 'D2K DataMover 2', 'pc-telecommute': 'PC Telecommute', 'cvmmon': 'CVMMON', 'cpq-wbem': 'Compaq HTTP', 'binderysupport': 'Bindery Support', 'proxy-gateway': 'Proxy Gateway', 'attachmate-uts': 'Attachmate UTS', 'mt-scaleserver': 'MT ScaleServer', 'tappi-boxnet': 'TAPPI BoxNet', 'pehelp': 'pehelp', 'sdhelp': 'sdhelp', 'sdserver': 'SD Server', 'sdclient': 'SD Client', 'messageservice': 'Message Service', 'wanscaler': 'WANScaler Communication Service', 'iapp': 'IAPP (Inter Access Point Protocol)', 'cr-websystems': 'CR WebSystems', 'precise-sft': 'Precise Sft.', 'sent-lm': 'SENT License Manager', 'attachmate-g32': 'Attachmate G32', 'cadencecontrol': 'Cadence Control', 'infolibria': 'InfoLibria', 'siebel-ns': 'Siebel NS', 'rdlap': 'RDLAP', 'ofsd': 'ofsd', '3d-nfsd': '3d-nfsd', 'cosmocall': 'Cosmocall', 'ansysli': 'ANSYS Licensing Interconnect', 'idcp': 'IDCP', 'xingcsm': 'xingcsm', 'netrix-sftm': 'Netrix SFTM', 'nvd': 'NVD', 'tscchat': 'TSCCHAT', 'agentview': 'AGENTVIEW', 'rcc-host': 'RCC Host', 'snapp': 'SNAPP', 'ace-client': 'ACE Client Auth', 'ace-proxy': 'ACE Proxy', 'appleugcontrol': 'Apple UG Control', 'ideesrv': 'ideesrv', 'norton-lambert': 'Norton Lambert', '3com-webview': '3Com WebView', 'wrs-registry': 'WRS Registry\nIANA assigned this well-formed service name as a replacement for "wrs_registry".', 'wrs_registry': 'WRS Registry', 'xiostatus': 'XIO Status', 'manage-exec': 'Seagate Manage Exec', 'nati-logos': 'nati logos', 'fcmsys': 'fcmsys', 'dbm': 'dbm', 'redstorm-join': 'Game Connection Port\nIANA assigned this well-formed service name as a replacement for "redstorm_join".', 'redstorm_join': 'Game Connection Port', 'redstorm-find': 'Game Announcement and Location\nIANA assigned this well-formed service name as a replacement for "redstorm_find".', 'redstorm_find': 'Game Announcement and Location', 'redstorm-info': 'Information to query for game status\nIANA assigned this well-formed service name as a replacement for "redstorm_info".', 'redstorm_info': 'Information to query for game status', 'redstorm-diag': 'Diagnostics Port\nIANA assigned this well-formed service name as a replacement for "redstorm_diag".', 'redstorm_diag': 'Diagnostics Port', 'psbserver': 'Pharos Booking Server', 'psrserver': 'psrserver', 'pslserver': 'pslserver', 'pspserver': 'pspserver', 'psprserver': 'psprserver', 'psdbserver': 'psdbserver', 'gxtelmd': 'GXT License Managemant', 'unihub-server': 'UniHub Server', 'futrix': 'Futrix', 'flukeserver': 'FlukeServer', 'nexstorindltd': 'NexstorIndLtd', 'tl1': 'TL1', 'digiman': 'digiman', 'mediacntrlnfsd': 'Media Central NFSD', 'oi-2000': 'OI-2000', 'dbref': 'dbref', 'qip-login': 'qip-login', 'service-ctrl': 'Service Control', 'opentable': 'OpenTable', 'l3-hbmon': 'L3-HBMon', 'worldwire': 'Compaq WorldWire Port', 'lanmessenger': 'LanMessenger', 'compaq-https': 'Compaq HTTPS', 'ms-olap3': 'Microsoft OLAP', 'ms-olap4': 'Microsoft OLAP', 'sd-capacity': 'SD-CAPACITY', 'sd-data': 'SD-DATA', 'virtualtape': 'Virtual Tape', 'vsamredirector': 'VSAM Redirector', 'mynahautostart': 'MYNAH AutoStart', 'ovsessionmgr': 'OpenView Session Mgr', 'rsmtp': 'RSMTP', '3com-net-mgmt': '3COM Net Management', 'tacticalauth': 'Tactical Auth', 'ms-olap1': 'MS OLAP 1', 'ms-olap2': 'MS OLAP 2', 'lan900-remote': 'LAN900 Remote\nIANA assigned this well-formed service name as a replacement for "lan900_remote".', 'lan900_remote': 'LAN900 Remote', 'wusage': 'Wusage', 'ncl': 'NCL', 'orbiter': 'Orbiter', 'fmpro-fdal': 'FileMaker, Inc. - Data Access Layer', 'opequus-server': 'OpEquus Server', 'cvspserver': 'cvspserver', 'taskmaster2000': 'TaskMaster 2000 Server', 'taskmaster2000': 'TaskMaster 2000 Web', 'iec-104': 'IEC 60870-5-104 process control over IP', 'trc-netpoll': 'TRC Netpoll', 'jediserver': 'JediServer', 'orion': 'Orion', 'sns-protocol': 'SNS Protocol', 'vrts-registry': 'VRTS Registry', 'netwave-ap-mgmt': 'Netwave AP Management', 'cdn': 'CDN', 'orion-rmi-reg': 'orion-rmi-reg', 'beeyond': 'Beeyond', 'codima-rtp': 'Codima Remote Transaction Protocol', 'rmtserver': 'RMT Server', 'composit-server': 'Composit Server', 'cas': 'cas', 'attachmate-s2s': 'Attachmate S2S', 'dslremote-mgmt': 'DSL Remote Management', 'g-talk': 'G-Talk', 'crmsbits': 'CRMSBITS', 'rnrp': 'RNRP', 'kofax-svr': 'KOFAX-SVR', 'fjitsuappmgr': 'Fujitsu App Manager', 'mgcp-gateway': 'Media Gateway Control Protocol Gateway', 'ott': 'One Way Trip Time', 'ft-role': 'FT-ROLE', 'venus': 'venus', 'venus-se': 'venus-se', 'codasrv': 'codasrv', 'codasrv-se': 'codasrv-se', 'pxc-epmap': 'pxc-epmap', 'optilogic': 'OptiLogic', 'topx': 'TOP/X', 'unicontrol': 'UniControl', 'msp': 'MSP', 'sybasedbsynch': 'SybaseDBSynch', 'spearway': 'Spearway Lockers', 'pvsw-inet': 'Pervasive I*net Data Server', 'netangel': 'Netangel', 'powerclientcsf': 'PowerClient Central Storage Facility', 'btpp2sectrans': 'BT PP2 Sectrans', 'dtn1': 'DTN1', 'bues-service': 'bues_service\nIANA assigned this well-formed service name as a replacement for "bues_service".', 'bues_service': 'bues_service', 'ovwdb': 'OpenView NNM daemon', 'hpppssvr': 'hpppsvr', 'ratl': 'RATL', 'netadmin': 'netadmin', 'netchat': 'netchat', 'snifferclient': 'SnifferClient', 'madge-ltd': 'madge ltd', 'indx-dds': 'IndX-DDS', 'wago-io-system': 'WAGO-IO-SYSTEM', 'altav-remmgt': 'altav-remmgt', 'rapido-ip': 'Rapido_IP', 'griffin': 'griffin', 'community': 'Community', 'ms-theater': 'ms-theater', 'qadmifoper': 'qadmifoper', 'qadmifevent': 'qadmifevent', 'lsi-raid-mgmt': 'LSI RAID Management', 'direcpc-si': 'DirecPC SI', 'lbm': 'Load Balance Management', 'lbf': 'Load Balance Forwarding', 'high-criteria': 'High Criteria', 'qip-msgd': 'qip_msgd', 'mti-tcs-comm': 'MTI-TCS-COMM', 'taskman-port': 'taskman port', 'seaodbc': 'SeaODBC', 'c3': 'C3', 'aker-cdp': 'Aker-cdp', 'vitalanalysis': 'Vital Analysis', 'ace-server': 'ACE Server', 'ace-svr-prop': 'ACE Server Propagation', 'ssm-cvs': 'SecurSight Certificate Valifation Service', 'ssm-cssps': 'SecurSight Authentication Server (SSL)', 'ssm-els': 'SecurSight Event Logging Server (SSL)', 'powerexchange': 'Informatica PowerExchange Listener', 'giop': 'Oracle GIOP', 'giop-ssl': 'Oracle GIOP SSL', 'ttc': 'Oracle TTC', 'ttc-ssl': 'Oracle TTC SSL', 'netobjects1': 'Net Objects1', 'netobjects2': 'Net Objects2', 'pns': 'Policy Notice Service', 'moy-corp': 'Moy Corporation', 'tsilb': 'TSILB', 'qip-qdhcp': 'qip_qdhcp', 'conclave-cpp': 'Conclave CPP', 'groove': 'GROOVE', 'talarian-mqs': 'Talarian MQS', 'bmc-ar': 'BMC AR', 'fast-rem-serv': 'Fast Remote Services', 'dirgis': 'DIRGIS', 'quaddb': 'Quad DB', 'odn-castraq': 'ODN-CasTraq', 'unicontrol': 'UniControl', 'rtsserv': 'Resource Tracking system server', 'rtsclient': 'Resource Tracking system client', 'kentrox-prot': 'Kentrox Protocol', 'nms-dpnss': 'NMS-DPNSS', 'wlbs': 'WLBS', 'ppcontrol': 'PowerPlay Control', 'jbroker': 'jbroker', 'spock': 'spock', 'jdatastore': 'JDataStore', 'fjmpss': 'fjmpss', 'fjappmgrbulk': 'fjappmgrbulk', 'metastorm': 'Metastorm', 'citrixima': 'Citrix IMA', 'citrixadmin': 'Citrix ADMIN', 'facsys-ntp': 'Facsys NTP', 'facsys-router': 'Facsys Router', 'maincontrol': 'Main Control', 'call-sig-trans': 'H.323 Annex E call signaling transport', 'willy': 'Willy', 'globmsgsvc': 'globmsgsvc', 'pvsw': 'Pervasive Listener', 'adaptecmgr': 'Adaptec Manager', 'windb': 'WinDb', 'qke-llc-v3': 'Qke LLC V.3', 'optiwave-lm': 'Optiwave License Management', 'ms-v-worlds': 'MS V-Worlds', 'ema-sent-lm': 'EMA License Manager', 'iqserver': 'IQ Server', 'ncr-ccl': 'NCR CCL\nIANA assigned this well-formed service name as a replacement for "ncr_ccl".', 'ncr_ccl': 'NCR CCL', 'utsftp': 'UTS FTP', 'vrcommerce': 'VR Commerce', 'ito-e-gui': 'ITO-E GUI', 'ovtopmd': 'OVTOPMD', 'snifferserver': 'SnifferServer', 'combox-web-acc': 'Combox Web Access', 'madcap': 'MADCAP', 'btpp2audctr1': 'btpp2audctr1', 'upgrade': 'Upgrade Protocol', 'vnwk-prapi': 'vnwk-prapi', 'vsiadmin': 'VSI Admin', 'lonworks': 'LonWorks', 'lonworks2': 'LonWorks2', 'udrawgraph': 'uDraw(Graph)', 'reftek': 'REFTEK', 'novell-zen': 'Management Daemon Refresh', 'sis-emt': 'sis-emt', 'vytalvaultbrtp': 'vytalvaultbrtp', 'vytalvaultvsmp': 'vytalvaultvsmp', 'vytalvaultpipe': 'vytalvaultpipe', 'ipass': 'IPASS', 'ads': 'ADS', 'isg-uda-server': 'ISG UDA Server', 'call-logging': 'Call Logging', 'efidiningport': 'efidiningport', 'vcnet-link-v10': 'VCnet-Link v10', 'compaq-wcp': 'Compaq WCP', 'nicetec-nmsvc': 'nicetec-nmsvc', 'nicetec-mgmt': 'nicetec-mgmt', 'pclemultimedia': 'PCLE Multi Media', 'lstp': 'LSTP', 'labrat': 'labrat', 'mosaixcc': 'MosaixCC', 'delibo': 'Delibo', 'cti-redwood': 'CTI Redwood', 'hp-3000-telnet': 'HP 3000 NS/VT block mode telnet', 'coord-svr': 'Coordinator Server', 'pcs-pcw': 'pcs-pcw', 'clp': 'Cisco Line Protocol', 'spamtrap': 'SPAM TRAP', 'sonuscallsig': 'Sonus Call Signal', 'hs-port': 'HS Port', 'cecsvc': 'CECSVC', 'ibp': 'IBP', 'trustestablish': 'Trust Establish', 'blockade-bpsp': 'Blockade BPSP', 'hl7': 'HL7', 'tclprodebugger': 'TCL Pro Debugger', 'scipticslsrvr': 'Scriptics Lsrvr', 'rvs-isdn-dcp': 'RVS ISDN DCP', 'mpfoncl': 'mpfoncl', 'tributary': 'Tributary', 'argis-te': 'ARGIS TE', 'argis-ds': 'ARGIS DS', 'mon': 'MON', 'cyaserv': 'cyaserv', 'netx-server': 'NETX Server', 'netx-agent': 'NETX Agent', 'masc': 'MASC', 'privilege': 'Privilege', 'quartus-tcl': 'quartus tcl', 'idotdist': 'idotdist', 'maytagshuffle': 'Maytag Shuffle', 'netrek': 'netrek', 'mns-mail': 'MNS Mail Notice Service', 'dts': 'Data Base Server', 'worldfusion1': 'World Fusion 1', 'worldfusion2': 'World Fusion 2', 'homesteadglory': 'Homestead Glory', 'citriximaclient': 'Citrix MA Client', 'snapd': 'Snap Discovery', 'hpstgmgr': 'HPSTGMGR', 'discp-client': 'discp client', 'discp-server': 'discp server', 'servicemeter': 'Service Meter', 'nsc-ccs': 'NSC CCS', 'nsc-posa': 'NSC POSA', 'netmon': 'Dell Netmon', 'connection': 'Dell Connection', 'wag-service': 'Wag Service', 'system-monitor': 'System Monitor', 'versa-tek': 'VersaTek', 'lionhead': 'LIONHEAD', 'qpasa-agent': 'Qpasa Agent', 'smntubootstrap': 'SMNTUBootstrap', 'neveroffline': 'Never Offline', 'firepower': 'firepower', 'appswitch-emp': 'appswitch-emp', 'cmadmin': 'Clinical Context Managers', 'priority-e-com': 'Priority E-Com', 'bruce': 'bruce', 'lpsrecommender': 'LPSRecommender', 'miles-apart': 'Miles Apart Jukebox Server', 'metricadbc': 'MetricaDBC', 'lmdp': 'LMDP', 'aria': 'Aria', 'blwnkl-port': 'Blwnkl Port', 'gbjd816': 'gbjd816', 'moshebeeri': 'Moshe Beeri', 'dict': 'DICT', 'sitaraserver': 'Sitara Server', 'sitaramgmt': 'Sitara Management', 'sitaradir': 'Sitara Dir', 'irdg-post': 'IRdg Post', 'interintelli': 'InterIntelli', 'pk-electronics': 'PK Electronics', 'backburner': 'Back Burner', 'solve': 'Solve', 'imdocsvc': 'Import Document Service', 'sybaseanywhere': 'Sybase Anywhere', 'aminet': 'AMInet', 'sai-sentlm': 'Sabbagh Associates Licence Manager\nIANA assigned this well-formed service name as a replacement for "sai_sentlm".', 'sai_sentlm': 'Sabbagh Associates Licence Manager', 'hdl-srv': 'HDL Server', 'tragic': 'Tragic', 'gte-samp': 'GTE-SAMP', 'travsoft-ipx-t': 'Travsoft IPX Tunnel', 'novell-ipx-cmd': 'Novell IPX CMD', 'and-lm': 'AND License Manager', 'syncserver': 'SyncServer', 'upsnotifyprot': 'Upsnotifyprot', 'vpsipport': 'VPSIPPORT', 'eristwoguns': 'eristwoguns', 'ebinsite': 'EBInSite', 'interpathpanel': 'InterPathPanel', 'sonus': 'Sonus', 'corel-vncadmin': 'Corel VNC Admin\nIANA assigned this well-formed service name as a replacement for "corel_vncadmin".', 'corel_vncadmin': 'Corel VNC Admin', 'unglue': 'UNIX Nt Glue', 'kana': 'Kana', 'sns-dispatcher': 'SNS Dispatcher', 'sns-admin': 'SNS Admin', 'sns-query': 'SNS Query', 'gcmonitor': 'GC Monitor', 'olhost': 'OLHOST', 'bintec-capi': 'BinTec-CAPI', 'bintec-tapi': 'BinTec-TAPI', 'patrol-mq-gm': 'Patrol for MQ GM', 'patrol-mq-nm': 'Patrol for MQ NM', 'extensis': 'extensis', 'alarm-clock-s': 'Alarm Clock Server', 'alarm-clock-c': 'Alarm Clock Client', 'toad': 'TOAD', 'tve-announce': 'TVE Announce', 'newlixreg': 'newlixreg', 'nhserver': 'nhserver', 'firstcall42': 'First Call 42', 'ewnn': 'ewnn', 'ttc-etap': 'TTC ETAP', 'simslink': 'SIMSLink', 'gadgetgate1way': 'Gadget Gate 1 Way', 'gadgetgate2way': 'Gadget Gate 2 Way', 'syncserverssl': 'Sync Server SSL', 'pxc-sapxom': 'pxc-sapxom', 'mpnjsomb': 'mpnjsomb', 'ncdloadbalance': 'NCDLoadBalance', 'mpnjsosv': 'mpnjsosv', 'mpnjsocl': 'mpnjsocl', 'mpnjsomg': 'mpnjsomg', 'pq-lic-mgmt': 'pq-lic-mgmt', 'md-cg-http': 'md-cf-http', 'fastlynx': 'FastLynx', 'hp-nnm-data': 'HP NNM Embedded Database', 'itinternet': 'ITInternet ISM Server', 'admins-lms': 'Admins LMS', 'pwrsevent': 'pwrsevent', 'vspread': 'VSPREAD', 'unifyadmin': 'Unify Admin', 'oce-snmp-trap': 'Oce SNMP Trap Port', 'mck-ivpip': 'MCK-IVPIP', 'csoft-plusclnt': 'Csoft Plus Client', 'tqdata': 'tqdata', 'sms-rcinfo': 'SMS RCINFO', 'sms-xfer': 'SMS XFER', 'sms-chat': 'SMS CHAT', 'sms-remctrl': 'SMS REMCTRL', 'sds-admin': 'SDS Admin', 'ncdmirroring': 'NCD Mirroring', 'emcsymapiport': 'EMCSYMAPIPORT', 'banyan-net': 'Banyan-Net', 'supermon': 'Supermon', 'sso-service': 'SSO Service', 'sso-control': 'SSO Control', 'aocp': 'Axapta Object Communication Protocol', 'raventbs': 'Raven Trinity Broker Service', 'raventdm': 'Raven Trinity Data Mover', 'hpstgmgr2': 'HPSTGMGR2', 'inova-ip-disco': 'Inova IP Disco', 'pn-requester': 'PN REQUESTER', 'pn-requester2': 'PN REQUESTER 2', 'scan-change': 'Scan & Change', 'wkars': 'wkars', 'smart-diagnose': 'Smart Diagnose', 'proactivesrvr': 'Proactive Server', 'watchdog-nt': 'WatchDog NT Protocol', 'qotps': 'qotps', 'msolap-ptp2': 'MSOLAP PTP2', 'tams': 'TAMS', 'mgcp-callagent': 'Media Gateway Control Protocol Call Agent', 'sqdr': 'SQDR', 'tcim-control': 'TCIM Control', 'nec-raidplus': 'NEC RaidPlus', 'fyre-messanger': 'Fyre Messagner', 'g5m': 'G5M', 'signet-ctf': 'Signet CTF', 'ccs-software': 'CCS Software', 'netiq-mc': 'NetIQ Monitor Console', 'radwiz-nms-srv': 'RADWIZ NMS SRV', 'srp-feedback': 'SRP Feedback', 'ndl-tcp-ois-gw': 'NDL TCP-OSI Gateway', 'tn-timing': 'TN Timing', 'alarm': 'Alarm', 'tsb': 'TSB', 'tsb2': 'TSB2', 'murx': 'murx', 'honyaku': 'honyaku', 'urbisnet': 'URBISNET', 'cpudpencap': 'CPUDPENCAP', 'fjippol-swrly': '', 'fjippol-polsvr': '', 'fjippol-cnsl': '', 'fjippol-port1': '', 'fjippol-port2': '', 'rsisysaccess': 'RSISYS ACCESS', 'de-spot': 'de-spot', 'apollo-cc': 'APOLLO CC', 'expresspay': 'Express Pay', 'simplement-tie': 'simplement-tie', 'cnrp': 'CNRP', 'apollo-status': 'APOLLO Status', 'apollo-gms': 'APOLLO GMS', 'sabams': 'Saba MS', 'dicom-iscl': 'DICOM ISCL', 'dicom-tls': 'DICOM TLS', 'desktop-dna': 'Desktop DNA', 'data-insurance': 'Data Insurance', 'qip-audup': 'qip-audup', 'compaq-scp': 'Compaq SCP', 'uadtc': 'UADTC', 'uacs': 'UACS', 'exce': 'eXcE', 'veronica': 'Veronica', 'vergencecm': 'Vergence CM', 'auris': 'auris', 'rbakcup1': 'RBackup Remote Backup', 'rbakcup2': 'RBackup Remote Backup', 'smpp': 'SMPP', 'ridgeway1': 'Ridgeway Systems & Software', 'ridgeway2': 'Ridgeway Systems & Software', 'gwen-sonya': 'Gwen-Sonya', 'lbc-sync': 'LBC Sync', 'lbc-control': 'LBC Control', 'whosells': 'whosells', 'everydayrc': 'everydayrc', 'aises': 'AISES', 'www-dev': 'world wide web - development', 'aic-np': 'aic-np', 'aic-oncrpc': 'aic-oncrpc - Destiny MCD database', 'piccolo': 'piccolo - Cornerstone Software', 'fryeserv': 'NetWare Loadable Module - Seagate Software', 'media-agent': 'Media Agent', 'plgproxy': 'PLG Proxy', 'mtport-regist': 'MT Port Registrator', 'f5-globalsite': 'f5-globalsite', 'initlsmsad': 'initlsmsad', 'livestats': 'LiveStats', 'ac-tech': 'ac-tech', 'esp-encap': 'esp-encap', 'tmesis-upshot': 'TMESIS-UPShot', 'icon-discover': 'ICON Discover', 'acc-raid': 'ACC RAID', 'igcp': 'IGCP', 'veritas-udp1': 'Veritas UDP1', 'btprjctrl': 'btprjctrl', 'dvr-esm': 'March Networks Digital Video Recorders and Enterprise Service Manager products', 'wta-wsp-s': 'WTA WSP-S', 'cspuni': 'cspuni', 'cspmulti': 'cspmulti', 'j-lan-p': 'J-LAN-P', 'corbaloc': 'CORBA LOC', 'netsteward': 'Active Net Steward', 'gsiftp': 'GSI FTP', 'atmtcp': 'atmtcp', 'llm-pass': 'llm-pass', 'llm-csv': 'llm-csv', 'lbc-measure': 'LBC Measurement', 'lbc-watchdog': 'LBC Watchdog', 'nmsigport': 'NMSig Port', 'rmlnk': 'rmlnk', 'fc-faultnotify': 'FC Fault Notification', 'univision': 'UniVision', 'vrts-at-port': 'VERITAS Authentication Service', 'ka0wuc': 'ka0wuc', 'cqg-netlan': 'CQG Net/LAN', 'cqg-netlan-1': 'CQG Net/Lan 1', 'slc-systemlog': 'slc systemlog', 'slc-ctrlrloops': 'slc ctrlrloops', 'itm-lm': 'ITM License Manager', 'silkp1': 'silkp1', 'silkp2': 'silkp2', 'silkp3': 'silkp3', 'silkp4': 'silkp4', 'glishd': 'glishd', 'evtp': 'EVTP', 'evtp-data': 'EVTP-DATA', 'catalyst': 'catalyst', 'repliweb': 'Repliweb', 'starbot': 'Starbot', 'nmsigport': 'NMSigPort', 'l3-exprt': 'l3-exprt', 'l3-ranger': 'l3-ranger', 'l3-hawk': 'l3-hawk', 'pdnet': 'PDnet', 'bpcp-poll': 'BPCP POLL', 'bpcp-trap': 'BPCP TRAP', 'aimpp-hello': 'AIMPP Hello', 'aimpp-port-req': 'AIMPP Port Req', 'amt-blc-port': 'AMT-BLC-PORT', 'fxp': 'FXP', 'metaconsole': 'MetaConsole', 'webemshttp': 'webemshttp', 'bears-01': 'bears-01', 'ispipes': 'ISPipes', 'infomover': 'InfoMover', 'msrp': 'MSRP', 'cesdinv': 'cesdinv', 'simctlp': 'SimCtIP', 'ecnp': 'ECNP', 'activememory': 'Active Memory', 'dialpad-voice1': 'Dialpad Voice 1', 'dialpad-voice2': 'Dialpad Voice 2', 'ttg-protocol': 'TTG Protocol', 'sonardata': 'Sonar Data', 'astromed-main': 'main 5001 cmd', 'pit-vpn': 'pit-vpn', 'iwlistener': 'iwlistener', 'esps-portal': 'esps-portal', 'npep-messaging': 'NPEP Messaging', 'icslap': 'ICSLAP', 'daishi': 'daishi', 'msi-selectplay': 'MSI Select Play', 'radix': 'RADIX', 'dxmessagebase1': 'DX Message Base Transport Protocol', 'dxmessagebase2': 'DX Message Base Transport Protocol', 'sps-tunnel': 'SPS Tunnel', 'bluelance': 'BLUELANCE', 'aap': 'AAP', 'ucentric-ds': 'ucentric-ds', 'synapse': 'Synapse Transport', 'ndsp': 'NDSP', 'ndtp': 'NDTP', 'ndnp': 'NDNP', 'flashmsg': 'Flash Msg', 'topflow': 'TopFlow', 'responselogic': 'RESPONSELOGIC', 'aironetddp': 'aironet', 'spcsdlobby': 'SPCSDLOBBY', 'rsom': 'RSOM', 'cspclmulti': 'CSPCLMULTI', 'cinegrfx-elmd': 'CINEGRFX-ELMD License Manager', 'snifferdata': 'SNIFFERDATA', 'vseconnector': 'VSECONNECTOR', 'abacus-remote': 'ABACUS-REMOTE', 'natuslink': 'NATUS LINK', 'ecovisiong6-1': 'ECOVISIONG6-1', 'citrix-rtmp': 'Citrix RTMP', 'appliance-cfg': 'APPLIANCE-CFG', 'powergemplus': 'POWERGEMPLUS', 'quicksuite': 'QUICKSUITE', 'allstorcns': 'ALLSTORCNS', 'netaspi': 'NET ASPI', 'suitcase': 'SUITCASE', 'm2ua': 'M2UA', 'caller9': 'CALLER9', 'webmethods-b2b': 'WEBMETHODS B2B', 'mao': 'mao', 'funk-dialout': 'Funk Dialout', 'tdaccess': 'TDAccess', 'blockade': 'Blockade', 'epicon': 'Epicon', 'boosterware': 'Booster Ware', 'gamelobby': 'Game Lobby', 'tksocket': 'TK Socket', 'elvin-server': 'Elvin Server\nIANA assigned this well-formed service name as a replacement for "elvin_server".', 'elvin_server': 'Elvin Server', 'elvin-client': 'Elvin Client\nIANA assigned this well-formed service name as a replacement for "elvin_client".', 'elvin_client': 'Elvin Client', 'kastenchasepad': 'Kasten Chase Pad', 'roboer': 'roboER', 'roboeda': 'roboEDA', 'cesdcdman': 'CESD Contents Delivery Management', 'cesdcdtrn': 'CESD Contents Delivery Data Transfer', 'wta-wsp-wtp-s': 'WTA-WSP-WTP-S', 'precise-vip': 'PRECISE-VIP', 'mobile-file-dl': 'MOBILE-FILE-DL', 'unimobilectrl': 'UNIMOBILECTRL', 'redstone-cpss': 'REDSTONE-CPSS', 'amx-webadmin': 'AMX-WEBADMIN', 'amx-weblinx': 'AMX-WEBLINX', 'circle-x': 'Circle-X', 'incp': 'INCP', '4-tieropmgw': '4-TIER OPM GW', '4-tieropmcli': '4-TIER OPM CLI', 'qtp': 'QTP', 'otpatch': 'OTPatch', 'pnaconsult-lm': 'PNACONSULT-LM', 'sm-pas-1': 'SM-PAS-1', 'sm-pas-2': 'SM-PAS-2', 'sm-pas-3': 'SM-PAS-3', 'sm-pas-4': 'SM-PAS-4', 'sm-pas-5': 'SM-PAS-5', 'ttnrepository': 'TTNRepository', 'megaco-h248': 'Megaco H-248', 'h248-binary': 'H248 Binary', 'fjsvmpor': 'FJSVmpor', 'gpsd': 'GPS Daemon request/response protocol', 'wap-push': 'WAP PUSH', 'wap-pushsecure': 'WAP PUSH SECURE', 'esip': 'ESIP', 'ottp': 'OTTP', 'mpfwsas': 'MPFWSAS', 'ovalarmsrv': 'OVALARMSRV', 'ovalarmsrv-cmd': 'OVALARMSRV-CMD', 'csnotify': 'CSNOTIFY', 'ovrimosdbman': 'OVRIMOSDBMAN', 'jmact5': 'JAMCT5', 'jmact6': 'JAMCT6', 'rmopagt': 'RMOPAGT', 'dfoxserver': 'DFOXSERVER', 'boldsoft-lm': 'BOLDSOFT-LM', 'iph-policy-cli': 'IPH-POLICY-CLI', 'iph-policy-adm': 'IPH-POLICY-ADM', 'bullant-srap': 'BULLANT SRAP', 'bullant-rap': 'BULLANT RAP', 'idp-infotrieve': 'IDP-INFOTRIEVE', 'ssc-agent': 'SSC-AGENT', 'enpp': 'ENPP', 'essp': 'ESSP', 'index-net': 'INDEX-NET', 'netclip': 'NetClip clipboard daemon', 'pmsm-webrctl': 'PMSM Webrctl', 'svnetworks': 'SV Networks', 'signal': 'Signal', 'fjmpcm': 'Fujitsu Configuration Management Service', 'cns-srv-port': 'CNS Server Port', 'ttc-etap-ns': 'TTCs Enterprise Test Access Protocol - NS', 'ttc-etap-ds': 'TTCs Enterprise Test Access Protocol - DS', 'h263-video': 'H.263 Video Streaming', 'wimd': 'Instant Messaging Service', 'mylxamport': 'MYLXAMPORT', 'iwb-whiteboard': 'IWB-WHITEBOARD', 'netplan': 'NETPLAN', 'hpidsadmin': 'HPIDSADMIN', 'hpidsagent': 'HPIDSAGENT', 'stonefalls': 'STONEFALLS', 'identify': 'identify', 'hippad': 'HIPPA Reporting Protocol', 'zarkov': 'ZARKOV Intelligent Agent Communication', 'boscap': 'BOSCAP', 'wkstn-mon': 'WKSTN-MON', 'avenyo': 'Avenyo Server', 'veritas-vis1': 'VERITAS VIS1', 'veritas-vis2': 'VERITAS VIS2', 'idrs': 'IDRS', 'vsixml': 'vsixml', 'rebol': 'REBOL', 'realsecure': 'Real Secure', 'remoteware-un': 'RemoteWare Unassigned', 'hbci': 'HBCI', 'remoteware-cl': 'RemoteWare Client', 'exlm-agent': 'EXLM Agent', 'remoteware-srv': 'RemoteWare Server', 'cgms': 'CGMS', 'csoftragent': 'Csoft Agent', 'geniuslm': 'Genius License Manager', 'ii-admin': 'Instant Internet Admin', 'lotusmtap': 'Lotus Mail Tracking Agent Protocol', 'midnight-tech': 'Midnight Technologies', 'pxc-ntfy': 'PXC-NTFY', 'ping-pong': 'Telerate Workstation', 'trusted-web': 'Trusted Web', 'twsdss': 'Trusted Web Client', 'gilatskysurfer': 'Gilat Sky Surfer', 'broker-service': 'Broker Service\nIANA assigned this well-formed service name as a replacement for "broker_service".', 'broker_service': 'Broker Service', 'nati-dstp': 'NATI DSTP', 'notify-srvr': 'Notify Server\nIANA assigned this well-formed service name as a replacement for "notify_srvr".', 'notify_srvr': 'Notify Server', 'event-listener': 'Event Listener\nIANA assigned this well-formed service name as a replacement for "event_listener".', 'event_listener': 'Event Listener', 'srvc-registry': 'Service Registry\nIANA assigned this well-formed service name as a replacement for "srvc_registry".', 'srvc_registry': 'Service Registry', 'resource-mgr': 'Resource Manager\nIANA assigned this well-formed service name as a replacement for "resource_mgr".', 'resource_mgr': 'Resource Manager', 'cifs': 'CIFS', 'agriserver': 'AGRI Server', 'csregagent': 'CSREGAGENT', 'magicnotes': 'magicnotes', 'nds-sso': 'NDS_SSO\nIANA assigned this well-formed service name as a replacement for "nds_sso".', 'nds_sso': 'NDS_SSO', 'arepa-raft': 'Arepa Raft', 'agri-gateway': 'AGRI Gateway', 'LiebDevMgmt-C': 'LiebDevMgmt_C\nIANA assigned this well-formed service name as a replacement for "LiebDevMgmt_C".', 'LiebDevMgmt_C': 'LiebDevMgmt_C', 'LiebDevMgmt-DM': 'LiebDevMgmt_DM\nIANA assigned this well-formed service name as a replacement for "LiebDevMgmt_DM".', 'LiebDevMgmt_DM': 'LiebDevMgmt_DM', 'LiebDevMgmt-A': 'LiebDevMgmt_A\nIANA assigned this well-formed service name as a replacement for "LiebDevMgmt_A".', 'LiebDevMgmt_A': 'LiebDevMgmt_A', 'arepa-cas': 'Arepa Cas', 'eppc': 'Remote AppleEvents/PPC Toolbox', 'redwood-chat': 'Redwood Chat', 'pdb': 'PDB', 'osmosis-aeea': 'Osmosis / Helix (R) AEEA Port', 'fjsv-gssagt': 'FJSV gssagt', 'hagel-dump': 'Hagel DUMP', 'hp-san-mgmt': 'HP SAN Mgmt', 'santak-ups': 'Santak UPS', 'cogitate': 'Cogitate, Inc.', 'tomato-springs': 'Tomato Springs', 'di-traceware': 'di-traceware', 'journee': 'journee', 'brp': 'Broadcast Routing Protocol', 'epp': 'EndPoint Protocol', 'responsenet': 'ResponseNet', 'di-ase': 'di-ase', 'hlserver': 'Fast Security HL Server', 'pctrader': 'Sierra Net PC Trader', 'nsws': 'NSWS', 'gds-db': 'gds_db\nIANA assigned this well-formed service name as a replacement for "gds_db".', 'gds_db': 'gds_db', 'galaxy-server': 'Galaxy Server', 'apc-3052': 'APC 3052', 'dsom-server': 'dsom-server', 'amt-cnf-prot': 'AMT CNF PROT', 'policyserver': 'Policy Server', 'cdl-server': 'CDL Server', 'goahead-fldup': 'GoAhead FldUp', 'videobeans': 'videobeans', 'qsoft': 'qsoft', 'interserver': 'interserver', 'cautcpd': 'cautcpd', 'ncacn-ip-tcp': 'ncacn-ip-tcp', 'ncadg-ip-udp': 'ncadg-ip-udp', 'rprt': 'Remote Port Redirector', 'slinterbase': 'slinterbase', 'netattachsdmp': 'NETATTACHSDMP', 'fjhpjp': 'FJHPJP', 'ls3bcast': 'ls3 Broadcast', 'ls3': 'ls3', 'mgxswitch': 'MGXSWITCH', 'csd-mgmt-port': 'ContinuStor Manager Port', 'csd-monitor': 'ContinuStor Monitor Port', 'vcrp': 'Very simple chatroom prot', 'xbox': 'Xbox game port', 'orbix-locator': 'Orbix 2000 Locator', 'orbix-config': 'Orbix 2000 Config', 'orbix-loc-ssl': 'Orbix 2000 Locator SSL', 'orbix-cfg-ssl': 'Orbix 2000 Locator SSL', 'lv-frontpanel': 'LV Front Panel', 'stm-pproc': 'stm_pproc\nIANA assigned this well-formed service name as a replacement for "stm_pproc".', 'stm_pproc': 'stm_pproc', 'tl1-lv': 'TL1-LV', 'tl1-raw': 'TL1-RAW', 'tl1-telnet': 'TL1-TELNET', 'itm-mccs': 'ITM-MCCS', 'pcihreq': 'PCIHReq', 'jdl-dbkitchen': 'JDL-DBKitchen', 'asoki-sma': 'Asoki SMA', 'xdtp': 'eXtensible Data Transfer Protocol', 'ptk-alink': 'ParaTek Agent Linking', 'stss': 'Senforce Session Services', '1ci-smcs': '1Ci Server Management', 'rapidmq-center': 'Jiiva RapidMQ Center', 'rapidmq-reg': 'Jiiva RapidMQ Registry', 'panasas': 'Panasas rendevous port', 'ndl-aps': 'Active Print Server Port', 'umm-port': 'Universal Message Manager', 'chmd': 'CHIPSY Machine Daemon', 'opcon-xps': 'OpCon/xps', 'hp-pxpib': 'HP PolicyXpert PIB Server', 'slslavemon': 'SoftlinK Slave Mon Port', 'autocuesmi': 'Autocue SMI Protocol', 'autocuetime': 'Autocue Time Service', 'cardbox': 'Cardbox', 'cardbox-http': 'Cardbox HTTP', 'business': 'Business protocol', 'geolocate': 'Geolocate protocol', 'personnel': 'Personnel protocol', 'sim-control': 'simulator control port', 'wsynch': 'Web Synchronous Services', 'ksysguard': 'KDE System Guard', 'cs-auth-svr': 'CS-Authenticate Svr Port', 'ccmad': 'CCM AutoDiscover', 'mctet-master': 'MCTET Master', 'mctet-gateway': 'MCTET Gateway', 'mctet-jserv': 'MCTET Jserv', 'pkagent': 'PKAgent', 'd2000kernel': 'D2000 Kernel Port', 'd2000webserver': 'D2000 Webserver Port', 'vtr-emulator': 'MTI VTR Emulator port', 'edix': 'EDI Translation Protocol', 'beacon-port': 'Beacon Port', 'a13-an': 'A13-AN Interface', 'ctx-bridge': 'CTX Bridge Port', 'ndl-aas': 'Active API Server Port', 'netport-id': 'NetPort Discovery Port', 'icpv2': 'ICPv2', 'netbookmark': 'Net Book Mark', 'ms-rule-engine': 'Microsoft Business Rule Engine Update Service', 'prism-deploy': 'Prism Deploy User Port', 'ecp': 'Extensible Code Protocol', 'peerbook-port': 'PeerBook Port', 'grubd': 'Grub Server Port', 'rtnt-1': 'rtnt-1 data packets', 'rtnt-2': 'rtnt-2 data packets', 'incognitorv': 'Incognito Rendez-Vous', 'ariliamulti': 'Arilia Multiplexor', 'vmodem': 'VMODEM', 'rdc-wh-eos': 'RDC WH EOS', 'seaview': 'Sea View', 'tarantella': 'Tarantella', 'csi-lfap': 'CSI-LFAP', 'bears-02': 'bears-02', 'rfio': 'RFIO', 'nm-game-admin': 'NetMike Game Administrator', 'nm-game-server': 'NetMike Game Server', 'nm-asses-admin': 'NetMike Assessor Administrator', 'nm-assessor': 'NetMike Assessor', 'feitianrockey': 'FeiTian Port', 's8-client-port': 'S8Cargo Client Port', 'ccmrmi': 'ON RMI Registry', 'jpegmpeg': 'JpegMpeg Port', 'indura': 'Indura Collector', 'e3consultants': 'CCC Listener Port', 'stvp': 'SmashTV Protocol', 'navegaweb-port': 'NavegaWeb Tarification', 'tip-app-server': 'TIP Application Server', 'doc1lm': 'DOC1 License Manager', 'sflm': 'SFLM', 'res-sap': 'RES-SAP', 'imprs': 'IMPRS', 'newgenpay': 'Newgenpay Engine Service', 'sossecollector': 'Quest Spotlight Out-Of-Process Collector', 'nowcontact': 'Now Contact Public Server', 'poweronnud': 'Now Up-to-Date Public Server', 'serverview-as': 'SERVERVIEW-AS', 'serverview-asn': 'SERVERVIEW-ASN', 'serverview-gf': 'SERVERVIEW-GF', 'serverview-rm': 'SERVERVIEW-RM', 'serverview-icc': 'SERVERVIEW-ICC', 'armi-server': 'ARMI Server', 't1-e1-over-ip': 'T1_E1_Over_IP', 'ars-master': 'ARS Master', 'phonex-port': 'Phonex Protocol', 'radclientport': 'Radiance UltraEdge Port', 'h2gf-w-2m': 'H2GF W.2m Handover prot.', 'mc-brk-srv': 'Millicent Broker Server', 'bmcpatrolagent': 'BMC Patrol Agent', 'bmcpatrolrnvu': 'BMC Patrol Rendezvous', 'cops-tls': 'COPS/TLS', 'apogeex-port': 'ApogeeX Port', 'smpppd': 'SuSE Meta PPPD', 'iiw-port': 'IIW Monitor User Port', 'odi-port': 'Open Design Listen Port', 'brcm-comm-port': 'Broadcom Port', 'pcle-infex': 'Pinnacle Sys InfEx Port', 'csvr-proxy': 'ConServR Proxy', 'csvr-sslproxy': 'ConServR SSL Proxy', 'firemonrcc': 'FireMon Revision Control', 'spandataport': 'SpanDataPort', 'magbind': 'Rockstorm MAG protocol', 'ncu-1': 'Network Control Unit', 'ncu-2': 'Network Control Unit', 'embrace-dp-s': 'Embrace Device Protocol Server', 'embrace-dp-c': 'Embrace Device Protocol Client', 'dmod-workspace': 'DMOD WorkSpace', 'tick-port': 'Press-sense Tick Port', 'cpq-tasksmart': 'CPQ-TaskSmart', 'intraintra': 'IntraIntra', 'netwatcher-mon': 'Network Watcher Monitor', 'netwatcher-db': 'Network Watcher DB Access', 'isns': 'iSNS Server Port', 'ironmail': 'IronMail POP Proxy', 'vx-auth-port': 'Veritas Authentication Port', 'pfu-prcallback': 'PFU PR Callback', 'netwkpathengine': 'HP OpenView Network Path Engine Server', 'flamenco-proxy': 'Flamenco Networks Proxy', 'avsecuremgmt': 'Avocent Secure Management', 'surveyinst': 'Survey Instrument', 'neon24x7': 'NEON 24X7 Mission Control', 'jmq-daemon-1': 'JMQ Daemon Port 1', 'jmq-daemon-2': 'JMQ Daemon Port 2', 'ferrari-foam': 'Ferrari electronic FOAM', 'unite': 'Unified IP & Telecom Environment', 'smartpackets': 'EMC SmartPackets', 'wms-messenger': 'WMS Messenger', 'xnm-ssl': 'XML NM over SSL', 'xnm-clear-text': 'XML NM over TCP', 'glbp': 'Gateway Load Balancing Pr', 'digivote': 'DIGIVOTE (R) Vote-Server', 'aes-discovery': 'AES Discovery Port', 'fcip-port': 'FCIP', 'isi-irp': 'ISI Industry Software IRP', 'dwnmshttp': 'DiamondWave NMS Server', 'dwmsgserver': 'DiamondWave MSG Server', 'global-cd-port': 'Global CD Port', 'sftdst-port': 'Software Distributor Port', 'vidigo': 'VidiGo communication (previous was: Delta Solutions Direct)', 'mdtp': 'MDT port', 'whisker': 'WhiskerControl main port', 'alchemy': 'Alchemy Server', 'mdap-port': 'MDAP Port', 'apparenet-ts': 'appareNet Test Server', 'apparenet-tps': 'appareNet Test Packet Sequencer', 'apparenet-as': 'appareNet Analysis Server', 'apparenet-ui': 'appareNet User Interface', 'triomotion': 'Trio Motion Control Port', 'sysorb': 'SysOrb Monitoring Server', 'sdp-id-port': 'Session Description ID', 'timelot': 'Timelot Port', 'onesaf': 'OneSAF', 'vieo-fe': 'VIEO Fabric Executive', 'dvt-system': 'DVT SYSTEM PORT', 'dvt-data': 'DVT DATA LINK', 'procos-lm': 'PROCOS LM', 'ssp': 'State Sync Protocol', 'hicp': 'HMS hicp port', 'sysscanner': 'Sys Scanner', 'dhe': 'DHE port', 'pda-data': 'PDA Data', 'pda-sys': 'PDA System', 'semaphore': 'Semaphore Connection Port', 'cpqrpm-agent': 'Compaq RPM Agent Port', 'cpqrpm-server': 'Compaq RPM Server Port', 'ivecon-port': 'Ivecon Server Port', 'epncdp2': 'Epson Network Common Devi', 'iscsi-target': 'iSCSI port', 'winshadow': 'winShadow', 'necp': 'NECP', 'ecolor-imager': 'E-Color Enterprise Imager', 'ccmail': 'cc:mail/lotus', 'altav-tunnel': 'Altav Tunnel', 'ns-cfg-server': 'NS CFG Server', 'ibm-dial-out': 'IBM Dial Out', 'msft-gc': 'Microsoft Global Catalog', 'msft-gc-ssl': 'Microsoft Global Catalog with LDAP/SSL', 'verismart': 'Verismart', 'csoft-prev': 'CSoft Prev Port', 'user-manager': 'Fujitsu User Manager', 'sxmp': 'Simple Extensible Multiplexed Protocol', 'ordinox-server': 'Ordinox Server', 'samd': 'SAMD', 'maxim-asics': 'Maxim ASICs', 'awg-proxy': 'AWG Proxy', 'lkcmserver': 'LKCM Server', 'admind': 'admind', 'vs-server': 'VS Server', 'sysopt': 'SYSOPT', 'datusorb': 'Datusorb', 'Apple Remote Desktop (Net Assistant)': 'Net Assistant', '4talk': '4Talk', 'plato': 'Plato', 'e-net': 'E-Net', 'directvdata': 'DIRECTVDATA', 'cops': 'COPS', 'enpc': 'ENPC', 'caps-lm': 'CAPS LOGISTICS TOOLKIT - LM', 'sah-lm': 'S A Holditch & Associates - LM', 'cart-o-rama': 'Cart O Rama', 'fg-fps': 'fg-fps', 'fg-gip': 'fg-gip', 'dyniplookup': 'Dynamic IP Lookup', 'rib-slm': 'Rib License Manager', 'cytel-lm': 'Cytel License Manager', 'deskview': 'DeskView', 'pdrncs': 'pdrncs', 'mcs-fastmail': 'MCS Fastmail', 'opsession-clnt': 'OP Session Client', 'opsession-srvr': 'OP Session Server', 'odette-ftp': 'ODETTE-FTP', 'mysql': 'MySQL', 'opsession-prxy': 'OP Session Proxy', 'tns-server': 'TNS Server', 'tns-adv': 'TNS ADV', 'dyna-access': 'Dyna Access', 'mcns-tel-ret': 'MCNS Tel Ret', 'appman-server': 'Application Management Server', 'uorb': 'Unify Object Broker', 'uohost': 'Unify Object Host', 'cdid': 'CDID', 'aicc-cmi': 'AICC/CMI', 'vsaiport': 'VSAI PORT', 'ssrip': 'Swith to Swith Routing Information Protocol', 'sdt-lmd': 'SDT License Manager', 'officelink2000': 'Office Link 2000', 'vnsstr': 'VNSSTR', 'sftu': 'SFTU', 'bbars': 'BBARS', 'egptlm': 'Eaglepoint License Manager', 'hp-device-disc': 'HP Device Disc', 'mcs-calypsoicf': 'MCS Calypso ICF', 'mcs-messaging': 'MCS Messaging', 'mcs-mailsvr': 'MCS Mail Server', 'dec-notes': 'DEC Notes', 'directv-web': 'Direct TV Webcasting', 'directv-soft': 'Direct TV Software Updates', 'directv-tick': 'Direct TV Tickers', 'directv-catlg': 'Direct TV Data Catalog', 'anet-b': 'OMF data b', 'anet-l': 'OMF data l', 'anet-m': 'OMF data m', 'anet-h': 'OMF data h', 'webtie': 'WebTIE', 'ms-cluster-net': 'MS Cluster Net', 'bnt-manager': 'BNT Manager', 'influence': 'Influence', 'trnsprntproxy': 'Trnsprnt Proxy', 'phoenix-rpc': 'Phoenix RPC', 'pangolin-laser': 'Pangolin Laser', 'chevinservices': 'Chevin Services', 'findviatv': 'FINDVIATV', 'btrieve': 'Btrieve port', 'ssql': 'Scalable SQL', 'fatpipe': 'FATPIPE', 'suitjd': 'SUITJD', 'ordinox-dbase': 'Ordinox Dbase', 'upnotifyps': 'UPNOTIFYPS', 'adtech-test': 'Adtech Test IP', 'mpsysrmsvr': 'Mp Sys Rmsvr', 'wg-netforce': 'WG NetForce', 'kv-server': 'KV Server', 'kv-agent': 'KV Agent', 'dj-ilm': 'DJ ILM', 'nati-vi-server': 'NATI Vi Server', 'creativeserver': 'Creative Server', 'contentserver': 'Content Server', 'creativepartnr': 'Creative Partner', 'tip2': 'TIP 2', 'lavenir-lm': 'Lavenir License Manager', 'cluster-disc': 'Cluster Disc', 'vsnm-agent': 'VSNM Agent', 'cdbroker': 'CD Broker', 'cogsys-lm': 'Cogsys Network License Manager', 'wsicopy': 'WSICOPY', 'socorfs': 'SOCORFS', 'sns-channels': 'SNS Channels', 'geneous': 'Geneous', 'fujitsu-neat': 'Fujitsu Network Enhanced Antitheft function', 'esp-lm': 'Enterprise Software Products License Manager', 'hp-clic': 'Hardware Management', 'qnxnetman': 'qnxnetman', 'gprs-sig': 'GPRS SIG', 'backroomnet': 'Back Room Net', 'cbserver': 'CB Server', 'ms-wbt-server': 'MS WBT Server', 'dsc': 'Distributed Service Coordinator', 'savant': 'SAVANT', 'efi-lm': 'EFI License Management', 'd2k-tapestry1': 'D2K Tapestry Client to Server', 'd2k-tapestry2': 'D2K Tapestry Server to Server', 'dyna-lm': 'Dyna License Manager (Elam)', 'printer-agent': 'Printer Agent\nIANA assigned this well-formed service name as a replacement for "printer_agent".', 'printer_agent': 'Printer Agent', 'cloanto-lm': 'Cloanto License Manager', 'mercantile': 'Mercantile', 'csms': 'CSMS', 'csms2': 'CSMS2', 'filecast': 'filecast', 'fxaengine-net': 'FXa Engine Network Port', 'nokia-ann-ch1': 'Nokia Announcement ch 1', 'nokia-ann-ch2': 'Nokia Announcement ch 2', 'ldap-admin': 'LDAP admin server port', 'BESApi': 'BES Api Port', 'networklens': 'NetworkLens Event Port', 'networklenss': 'NetworkLens SSL Event', 'biolink-auth': 'BioLink Authenteon server', 'xmlblaster': 'xmlBlaster', 'svnet': 'SpecView Networking', 'wip-port': 'BroadCloud WIP Port', 'bcinameservice': 'BCI Name Service', 'commandport': 'AirMobile IS Command Port', 'csvr': 'ConServR file translation', 'rnmap': 'Remote nmap', 'softaudit': 'ISogon SoftAudit', 'ifcp-port': 'iFCP User Port', 'bmap': 'Bull Apprise portmapper', 'rusb-sys-port': 'Remote USB System Port', 'xtrm': 'xTrade Reliable Messaging', 'xtrms': 'xTrade over TLS/SSL', 'agps-port': 'AGPS Access Port', 'arkivio': 'Arkivio Storage Protocol', 'websphere-snmp': 'WebSphere SNMP', 'twcss': '2Wire CSS', 'gcsp': 'GCSP user port', 'ssdispatch': 'Scott Studios Dispatch', 'ndl-als': 'Active License Server Port', 'osdcp': 'Secure Device Protocol', 'opnet-smp': 'OPNET Service Management Platform', 'opencm': 'OpenCM Server', 'pacom': 'Pacom Security User Port', 'gc-config': 'GuardControl Exchange Protocol', 'autocueds': 'Autocue Directory Service', 'spiral-admin': 'Spiralcraft Admin', 'hri-port': 'HRI Interface Port', 'ans-console': 'Net Steward Mgmt Console', 'connect-client': 'OC Connect Client', 'connect-server': 'OC Connect Server', 'ov-nnm-websrv': 'OpenView Network Node Manager WEB Server', 'denali-server': 'Denali Server', 'monp': 'Media Object Network', '3comfaxrpc': '3Com FAX RPC port', 'directnet': 'DirectNet IM System', 'dnc-port': 'Discovery and Net Config', 'hotu-chat': 'HotU Chat', 'castorproxy': 'CAStorProxy', 'asam': 'ASAM Services', 'sabp-signal': 'SABP-Signalling Protocol', 'pscupd': 'PSC Update Port', 'mira': 'Apple Remote Access Protocol', 'prsvp': 'RSVP Port', 'vat': 'VAT default data', 'vat-control': 'VAT default control', 'd3winosfi': 'D3WinOSFI', 'integral': 'TIP Integral', 'edm-manager': 'EDM Manger', 'edm-stager': 'EDM Stager', 'edm-std-notify': 'EDM STD Notify', 'edm-adm-notify': 'EDM ADM Notify', 'edm-mgr-sync': 'EDM MGR Sync', 'edm-mgr-cntrl': 'EDM MGR Cntrl', 'workflow': 'WORKFLOW', 'rcst': 'RCST', 'ttcmremotectrl': 'TTCM Remote Controll', 'pluribus': 'Pluribus', 'jt400': 'jt400', 'jt400-ssl': 'jt400-ssl', 'jaugsremotec-1': 'JAUGS N-G Remotec 1', 'jaugsremotec-2': 'JAUGS N-G Remotec 2', 'ttntspauto': 'TSP Automation', 'genisar-port': 'Genisar Comm Port', 'nppmp': 'NVIDIA Mgmt Protocol', 'ecomm': 'eComm link port', 'stun': 'Session Traversal Utilities for NAT (STUN) port', 'turn': 'TURN over UDP', 'stun-behavior': 'STUN Behavior Discovery over UDP', 'twrpc': '2Wire RPC', 'plethora': 'Secure Virtual Workspace', 'cleanerliverc': 'CleanerLive remote ctrl', 'vulture': 'Vulture Monitoring System', 'slim-devices': 'Slim Devices Protocol', 'gbs-stp': 'GBS SnapTalk Protocol', 'celatalk': 'CelaTalk', 'ifsf-hb-port': 'IFSF Heartbeat Port', 'ltcudp': 'LISA UDP Transfer Channel', 'fs-rh-srv': 'FS Remote Host Server', 'dtp-dia': 'DTP/DIA', 'colubris': 'Colubris Management Port', 'swr-port': 'SWR Port', 'tvdumtray-port': 'TVDUM Tray Port', 'nut': 'Network UPS Tools', 'ibm3494': 'IBM 3494', 'seclayer-tcp': 'securitylayer over tcp', 'seclayer-tls': 'securitylayer over tls', 'ipether232port': 'ipEther232Port', 'dashpas-port': 'DASHPAS user port', 'sccip-media': 'SccIP Media', 'rtmp-port': 'RTMP Port', 'isoft-p2p': 'iSoft-P2P', 'avinstalldisc': 'Avocent Install Discovery', 'lsp-ping': 'MPLS LSP-echo Port', 'ironstorm': 'IronStorm game server', 'ccmcomm': 'CCM communications port', 'apc-3506': 'APC 3506', 'nesh-broker': 'Nesh Broker Port', 'interactionweb': 'Interaction Web', 'vt-ssl': 'Virtual Token SSL Port', 'xss-port': 'XSS Port', 'webmail-2': 'WebMail/2', 'aztec': 'Aztec Distribution Port', 'arcpd': 'Adaptec Remote Protocol', 'must-p2p': 'MUST Peer to Peer', 'must-backplane': 'MUST Backplane', 'smartcard-port': 'Smartcard Port', '802-11-iapp': 'IEEE 802.11 WLANs WG IAPP', 'artifact-msg': 'Artifact Message Server', 'galileo': 'Netvion Galileo Port', 'galileolog': 'Netvion Galileo Log Port', 'mc3ss': 'Telequip Labs MC3SS', 'nssocketport': 'DO over NSSocketPort', 'odeumservlink': 'Odeum Serverlink', 'ecmport': 'ECM Server port', 'eisport': 'EIS Server port', 'starquiz-port': 'starQuiz Port', 'beserver-msg-q': 'VERITAS Backup Exec Server', 'jboss-iiop': 'JBoss IIOP', 'jboss-iiop-ssl': 'JBoss IIOP/SSL', 'gf': 'Grid Friendly', 'joltid': 'Joltid', 'raven-rmp': 'Raven Remote Management Control', 'raven-rdp': 'Raven Remote Management Data', 'urld-port': 'URL Daemon Port', 'ms-la': 'MS-LA', 'snac': 'SNAC', 'ni-visa-remote': 'Remote NI-VISA port', 'ibm-diradm': 'IBM Directory Server', 'ibm-diradm-ssl': 'IBM Directory Server SSL', 'pnrp-port': 'PNRP User Port', 'voispeed-port': 'VoiSpeed Port', 'hacl-monitor': 'HA cluster monitor', 'qftest-lookup': 'qftest Lookup Port', 'teredo': 'Teredo Port', 'camac': 'CAMAC equipment', 'symantec-sim': 'Symantec SIM', 'interworld': 'Interworld', 'tellumat-nms': 'Tellumat MDR NMS', 'ssmpp': 'Secure SMPP', 'apcupsd': 'Apcupsd Information Port', 'taserver': 'TeamAgenda Server Port', 'rbr-discovery': 'Red Box Recorder ADP', 'questnotify': 'Quest Notification Server', 'razor': "Vipul's Razor", 'sky-transport': 'Sky Transport Protocol', 'personalos-001': 'PersonalOS Comm Port', 'mcp-port': 'MCP user port', 'cctv-port': 'CCTV control port', 'iniserve-port': 'INIServe port', 'bmc-onekey': 'BMC-OneKey', 'sdbproxy': 'SDBProxy', 'watcomdebug': 'Watcom Debug', 'esimport': 'Electromed SIM port', 'oap': 'Object Access Protocol', 'oap-s': 'Object Access Protocol over SSL', 'mbg-ctrl': 'Meinberg Control Service', 'mccwebsvr-port': 'MCC Web Server Port', 'megardsvr-port': 'MegaRAID Server Port', 'megaregsvrport': 'Registration Server Port', 'tag-ups-1': 'Advantage Group UPS Suite', 'dmaf-caster': 'DMAF Caster', 'ccm-port': 'Coalsere CCM Port', 'cmc-port': 'Coalsere CMC Port', 'config-port': 'Configuration Port', 'data-port': 'Data Port', 'ttat3lb': 'Tarantella Load Balancing', 'nati-svrloc': 'NATI-ServiceLocator', 'kfxaclicensing': 'Ascent Capture Licensing', 'press': 'PEG PRESS Server', 'canex-watch': 'CANEX Watch System', 'u-dbap': 'U-DBase Access Protocol', 'emprise-lls': 'Emprise License Server', 'emprise-lsc': 'License Server Console', 'p2pgroup': 'Peer to Peer Grouping', 'sentinel': 'Sentinel Server', 'isomair': 'isomair', 'wv-csp-sms': 'WV CSP SMS Binding', 'gtrack-server': 'LOCANIS G-TRACK Server', 'gtrack-ne': 'LOCANIS G-TRACK NE Port', 'bpmd': 'BP Model Debugger', 'mediaspace': 'MediaSpace', 'shareapp': 'ShareApp', 'iw-mmogame': 'Illusion Wireless MMOG', 'a14': 'A14 (AN-to-SC/MM)', 'a15': 'A15 (AN-to-AN)', 'quasar-server': 'Quasar Accounting Server', 'trap-daemon': 'text relay-answer', 'visinet-gui': 'Visinet Gui', 'infiniswitchcl': 'InfiniSwitch Mgr Client', 'int-rcv-cntrl': 'Integrated Rcvr Control', 'bmc-jmx-port': 'BMC JMX Port', 'comcam-io': 'ComCam IO Port', 'splitlock': 'Splitlock Server', 'precise-i3': 'Precise I3', 'trendchip-dcp': 'Trendchip control protocol', 'cpdi-pidas-cm': 'CPDI PIDAS Connection Mon', 'echonet': 'ECHONET', 'six-degrees': 'Six Degrees Port', 'hp-dataprotect': 'HP Data Protector', 'alaris-disc': 'Alaris Device Discovery', 'sigma-port': 'Satchwell Sigma', 'start-network': 'Start Messaging Network', 'cd3o-protocol': 'cd3o Control Protocol', 'sharp-server': 'ATI SHARP Logic Engine', 'aairnet-1': 'AAIR-Network 1', 'aairnet-2': 'AAIR-Network 2', 'ep-pcp': 'EPSON Projector Control Port', 'ep-nsp': 'EPSON Network Screen Port', 'ff-lr-port': 'FF LAN Redundancy Port', 'haipe-discover': 'HAIPIS Dynamic Discovery', 'dist-upgrade': 'Distributed Upgrade Port', 'volley': 'Volley', 'bvcdaemon-port': 'bvControl Daemon', 'jamserverport': 'Jam Server Port', 'ept-machine': 'EPT Machine Interface', 'escvpnet': 'ESC/VP.net', 'cs-remote-db': 'C&S Remote Database Port', 'cs-services': 'C&S Web Services Port', 'distcc': 'distributed compiler', 'wacp': 'Wyrnix AIS port', 'hlibmgr': 'hNTSP Library Manager', 'sdo': 'Simple Distributed Objects', 'servistaitsm': 'SerVistaITSM', 'scservp': 'Customer Service Port', 'ehp-backup': 'EHP Backup Protocol', 'xap-ha': 'Extensible Automation', 'netplay-port1': 'Netplay Port 1', 'netplay-port2': 'Netplay Port 2', 'juxml-port': 'Juxml Replication port', 'audiojuggler': 'AudioJuggler', 'ssowatch': 'ssowatch', 'cyc': 'Cyc', 'xss-srv-port': 'XSS Server Port', 'splitlock-gw': 'Splitlock Gateway', 'fjcp': 'Fujitsu Cooperation Port', 'nmmp': 'Nishioka Miyuki Msg Protocol', 'prismiq-plugin': 'PRISMIQ VOD plug-in', 'xrpc-registry': 'XRPC Registry', 'vxcrnbuport': 'VxCR NBU Default Port', 'tsp': 'Tunnel Setup Protocol', 'vaprtm': 'VAP RealTime Messenger', 'abatemgr': 'ActiveBatch Exec Agent', 'abatjss': 'ActiveBatch Job Scheduler', 'immedianet-bcn': 'ImmediaNet Beacon', 'ps-ams': 'PlayStation AMS (Secure)', 'apple-sasl': 'Apple SASL', 'can-nds-ssl': 'IBM Tivoli Directory Service using SSL', 'can-ferret-ssl': 'IBM Tivoli Directory Service using SSL', 'pserver': 'pserver', 'dtp': 'DIRECWAY Tunnel Protocol', 'ups-engine': 'UPS Engine Port', 'ent-engine': 'Enterprise Engine Port', 'eserver-pap': 'IBM EServer PAP', 'infoexch': 'IBM Information Exchange', 'dell-rm-port': 'Dell Remote Management', 'casanswmgmt': 'CA SAN Switch Management', 'smile': 'SMILE TCP/UDP Interface', 'efcp': 'e Field Control (EIBnet)', 'lispworks-orb': 'LispWorks ORB', 'mediavault-gui': 'Openview Media Vault GUI', 'wininstall-ipc': 'WinINSTALL IPC Port', 'calltrax': 'CallTrax Data Port', 'va-pacbase': 'VisualAge Pacbase server', 'roverlog': 'RoverLog IPC', 'ipr-dglt': 'DataGuardianLT', 'Escale (Newton Dock)': 'Newton Dock', 'npds-tracker': 'NPDS Tracker', 'bts-x73': 'BTS X73 Port', 'cas-mapi': 'EMC SmartPackets-MAPI', 'bmc-ea': 'BMC EDV/EA', 'faxstfx-port': 'FAXstfX', 'dsx-agent': 'DS Expert Agent', 'tnmpv2': 'Trivial Network Management', 'simple-push': 'simple-push', 'simple-push-s': 'simple-push Secure', 'daap': 'Digital Audio Access Protocol (iTunes)', 'svn': 'Subversion', 'magaya-network': 'Magaya Network Port', 'intelsync': 'Brimstone IntelSync', 'bmc-data-coll': 'BMC Data Collection', 'telnetcpcd': 'Telnet Com Port Control', 'nw-license': 'NavisWorks Licnese System', 'sagectlpanel': 'SAGECTLPANEL', 'kpn-icw': 'Internet Call Waiting', 'lrs-paging': 'LRS NetPage', 'netcelera': 'NetCelera', 'ws-discovery': 'Web Service Discovery', 'adobeserver-3': 'Adobe Server 3', 'adobeserver-4': 'Adobe Server 4', 'adobeserver-5': 'Adobe Server 5', 'rt-event': 'Real-Time Event Port', 'rt-event-s': 'Real-Time Event Secure Port', 'sun-as-iiops': 'Sun App Svr - Naming', 'ca-idms': 'CA-IDMS Server', 'portgate-auth': 'PortGate Authentication', 'edb-server2': 'EBD Server 2', 'sentinel-ent': 'Sentinel Enterprise', 'tftps': 'TFTP over TLS', 'delos-dms': 'DELOS Direct Messaging', 'anoto-rendezv': 'Anoto Rendezvous Port', 'wv-csp-sms-cir': 'WV CSP SMS CIR Channel', 'wv-csp-udp-cir': 'WV CSP UDP/IP CIR Channel', 'opus-services': 'OPUS Server Port', 'itelserverport': 'iTel Server Port', 'ufastro-instr': 'UF Astro. Instr. Services', 'xsync': 'Xsync', 'xserveraid': 'Xserve RAID', 'sychrond': 'Sychron Service Daemon', 'blizwow': 'World of Warcraft', 'na-er-tip': 'Netia NA-ER Port', 'array-manager': 'Xyartex Array Manager', 'e-mdu': 'Ericsson Mobile Data Unit', 'e-woa': 'Ericsson Web on Air', 'fksp-audit': 'Fireking Audit Port', 'client-ctrl': 'Client Control', 'smap': 'Service Manager', 'm-wnn': 'Mobile Wnn', 'multip-msg': 'Multipuesto Msg Port', 'synel-data': 'Synel Data Collection Port', 'pwdis': 'Password Distribution', 'rs-rmi': 'RealSpace RMI', 'versatalk': 'versaTalk Server Port', 'launchbird-lm': 'Launchbird LicenseManager', 'heartbeat': 'Heartbeat Protocol', 'wysdma': 'WysDM Agent', 'cst-port': 'CST - Configuration & Service Tracker', 'ipcs-command': 'IP Control Systems Ltd.', 'sasg': 'SASG', 'gw-call-port': 'GWRTC Call Port', 'linktest': 'LXPRO.COM LinkTest', 'linktest-s': 'LXPRO.COM LinkTest SSL', 'webdata': 'webData', 'cimtrak': 'CimTrak', 'cbos-ip-port': 'CBOS/IP ncapsalatoin port', 'gprs-cube': 'CommLinx GPRS Cube', 'vipremoteagent': 'Vigil-IP RemoteAgent', 'nattyserver': 'NattyServer Port', 'timestenbroker': 'TimesTen Broker Port', 'sas-remote-hlp': 'SAS Remote Help Server', 'canon-capt': 'Canon CAPT Port', 'grf-port': 'GRF Server Port', 'apw-registry': 'apw RMI registry', 'exapt-lmgr': 'Exapt License Manager', 'adtempusclient': 'adTEmpus Client', 'gsakmp': 'gsakmp port', 'gbs-smp': 'GBS SnapMail Protocol', 'xo-wave': 'XO Wave Control Port', 'mni-prot-rout': 'MNI Protected Routing', 'rtraceroute': 'Remote Traceroute', 'listmgr-port': 'ListMGR Port', 'rblcheckd': 'rblcheckd server daemon', 'haipe-otnk': 'HAIPE Network Keying', 'cindycollab': 'Cinderella Collaboration', 'paging-port': 'RTP Paging Port', 'ctp': 'Chantry Tunnel Protocol', 'ctdhercules': 'ctdhercules', 'zicom': 'ZICOM', 'ispmmgr': 'ISPM Manager Port', 'dvcprov-port': 'Device Provisioning Port', 'jibe-eb': 'Jibe EdgeBurst', 'c-h-it-port': 'Cutler-Hammer IT Port', 'cognima': 'Cognima Replication', 'nnp': 'Nuzzler Network Protocol', 'abcvoice-port': 'ABCvoice server port', 'iso-tp0s': 'Secure ISO TP0 port', 'bim-pem': 'Impact Mgr./PEM Gateway', 'bfd-control': 'BFD Control Protocol', 'bfd-echo': 'BFD Echo Protocol', 'upstriggervsw': 'VSW Upstrigger port', 'fintrx': 'Fintrx', 'isrp-port': 'SPACEWAY Routing port', 'remotedeploy': 'RemoteDeploy Administration Port [July 2003]', 'quickbooksrds': 'QuickBooks RDS', 'tvnetworkvideo': 'TV NetworkVideo Data port', 'sitewatch': 'e-Watch Corporation SiteWatch', 'dcsoftware': 'DataCore Software', 'jaus': 'JAUS Robots', 'myblast': 'myBLAST Mekentosj port', 'spw-dialer': 'Spaceway Dialer', 'idps': 'idps', 'minilock': 'Minilock', 'radius-dynauth': 'RADIUS Dynamic Authorization', 'pwgpsi': 'Print Services Interface', 'ibm-mgr': 'ibm manager service', 'vhd': 'VHD', 'soniqsync': 'SoniqSync', 'iqnet-port': 'Harman IQNet Port', 'tcpdataserver': 'ThorGuard Server Port', 'wsmlb': 'Remote System Manager', 'spugna': 'SpuGNA Communication Port', 'sun-as-iiops-ca': 'Sun App Svr-IIOPClntAuth', 'apocd': 'Java Desktop System Configuration Agent', 'wlanauth': 'WLAN AS server', 'amp': 'AMP', 'neto-wol-server': 'netO WOL Server', 'rap-ip': 'Rhapsody Interface Protocol', 'neto-dcs': 'netO DCS', 'lansurveyorxml': 'LANsurveyor XML', 'sunlps-http': 'Sun Local Patch Server', 'tapeware': 'Yosemite Tech Tapeware', 'crinis-hb': 'Crinis Heartbeat', 'epl-slp': 'EPL Sequ Layer Protocol', 'scp': 'Siemens AuD SCP', 'pmcp': 'ATSC PMCP Standard', 'acp-discovery': 'Compute Pool Discovery', 'acp-conduit': 'Compute Pool Conduit', 'acp-policy': 'Compute Pool Policy', 'ffserver': 'Antera FlowFusion Process Simulation', 'warmux': 'WarMUX game server', 'netmpi': 'Netadmin Systems MPI service', 'neteh': 'Netadmin Systems Event Handler', 'neteh-ext': 'Netadmin Systems Event Handler External', 'cernsysmgmtagt': 'Cerner System Management Agent', 'dvapps': 'Docsvault Application Service', 'xxnetserver': 'xxNETserver', 'aipn-auth': 'AIPN LS Authentication', 'spectardata': 'Spectar Data Stream Service', 'spectardb': 'Spectar Database Rights Service', 'markem-dcp': 'MARKEM NEXTGEN DCP', 'mkm-discovery': 'MARKEM Auto-Discovery', 'sos': 'Scito Object Server', 'amx-rms': 'AMX Resource Management Suite', 'flirtmitmir': 'www.FlirtMitMir.de', 'zfirm-shiprush3': 'Z-Firm ShipRush v3', 'nhci': 'NHCI status port', 'quest-agent': 'Quest Common Agent', 'rnm': 'RNM', 'v-one-spp': 'V-ONE Single Port Proxy', 'an-pcp': 'Astare Network PCP', 'msfw-control': 'MS Firewall Control', 'item': 'IT Environmental Monitor', 'spw-dnspreload': 'SPACEWAY DNS Prelaod', 'qtms-bootstrap': 'QTMS Bootstrap Protocol', 'spectraport': 'SpectraTalk Port', 'sse-app-config': 'SSE App Configuration', 'sscan': 'SONY scanning protocol', 'stryker-com': 'Stryker Comm Port', 'opentrac': 'OpenTRAC', 'informer': 'INFORMER', 'trap-port': 'Trap Port', 'trap-port-mom': 'Trap Port MOM', 'nav-port': 'Navini Port', 'sasp': 'Server/Application State Protocol (SASP)', 'winshadow-hd': 'winShadow Host Discovery', 'giga-pocket': 'GIGA-POCKET', 'asap-udp': 'asap udp port', 'xpl': 'xpl automation protocol', 'dzdaemon': 'Sun SDViz DZDAEMON Port', 'dzoglserver': 'Sun SDViz DZOGLSERVER Port', 'ovsam-mgmt': 'hp OVSAM MgmtServer Disco', 'ovsam-d-agent': 'hp OVSAM HostAgent Disco', 'avocent-adsap': 'Avocent DS Authorization', 'oem-agent': 'OEM Agent', 'fagordnc': 'fagordnc', 'sixxsconfig': 'SixXS Configuration', 'pnbscada': 'PNBSCADA', 'dl-agent': 'DirectoryLockdown Agent\nIANA assigned this well-formed service name as a replacement for "dl_agent".', 'dl_agent': 'DirectoryLockdown Agent', 'xmpcr-interface': 'XMPCR Interface Port', 'fotogcad': 'FotoG CAD interface', 'appss-lm': 'appss license manager', 'igrs': 'IGRS', 'idac': 'Data Acquisition and Control', 'msdts1': 'DTS Service Port', 'vrpn': 'VR Peripheral Network', 'softrack-meter': 'SofTrack Metering', 'topflow-ssl': 'TopFlow SSL', 'nei-management': 'NEI management port', 'ciphire-data': 'Ciphire Data Transport', 'ciphire-serv': 'Ciphire Services', 'dandv-tester': 'D and V Tester Control Port', 'ndsconnect': 'Niche Data Server Connect', 'rtc-pm-port': 'Oracle RTC-PM port', 'pcc-image-port': 'PCC-image-port', 'cgi-starapi': 'CGI StarAPI Server', 'syam-agent': 'SyAM Agent Port', 'syam-smc': 'SyAm SMC Service Port', 'sdo-tls': 'Simple Distributed Objects over TLS', 'sdo-ssh': 'Simple Distributed Objects over SSH', 'senip': 'IAS, Inc. SmartEye NET Internet Protocol', 'itv-control': 'ITV Port', 'udt-os': 'Unidata UDT OS\nIANA assigned this well-formed service name as a replacement for "udt_os".', 'udt_os': 'Unidata UDT OS', 'nimsh': 'NIM Service Handler', 'nimaux': 'NIMsh Auxiliary Port', 'charsetmgr': 'CharsetMGR', 'omnilink-port': 'Arnet Omnilink Port', 'mupdate': 'Mailbox Update (MUPDATE) protocol', 'topovista-data': 'TopoVista elevation data', 'imoguia-port': 'Imoguia Port', 'hppronetman': 'HP Procurve NetManagement', 'surfcontrolcpa': 'SurfControl CPA', 'prnrequest': 'Printer Request Port', 'prnstatus': 'Printer Status Port', 'gbmt-stars': 'Global Maintech Stars', 'listcrt-port': 'ListCREATOR Port', 'listcrt-port-2': 'ListCREATOR Port 2', 'agcat': 'Auto-Graphics Cataloging', 'wysdmc': 'WysDM Controller', 'aftmux': 'AFT multiples port', 'pktcablemmcops': 'PacketCableMultimediaCOPS', 'hyperip': 'HyperIP', 'exasoftport1': 'Exasoft IP Port', 'herodotus-net': 'Herodotus Net', 'sor-update': 'Soronti Update Port', 'symb-sb-port': 'Symbian Service Broker', 'mpl-gprs-port': 'MPL_GPRS_Port', 'zmp': 'Zoran Media Port', 'winport': 'WINPort', 'natdataservice': 'ScsTsr', 'netboot-pxe': 'PXE NetBoot Manager', 'smauth-port': 'AMS Port', 'syam-webserver': 'Syam Web Server Port', 'msr-plugin-port': 'MSR Plugin Port', 'dyn-site': 'Dynamic Site System', 'plbserve-port': 'PL/B App Server User Port', 'sunfm-port': 'PL/B File Manager Port', 'sdp-portmapper': 'SDP Port Mapper Protocol', 'mailprox': 'Mailprox', 'dvbservdsc': 'DVB Service Discovery', 'dbcontrol-agent': 'Oracel dbControl Agent po\nIANA assigned this well-formed service name as a replacement for "dbcontrol_agent".', 'dbcontrol_agent': 'Oracel dbControl Agent po', 'aamp': 'Anti-virus Application Management Port', 'xecp-node': 'XeCP Node Service', 'homeportal-web': 'Home Portal Web Server', 'srdp': 'satellite distribution', 'tig': 'TetraNode Ip Gateway', 'sops': 'S-Ops Management', 'emcads': 'EMCADS Server Port', 'backupedge': 'BackupEDGE Server', 'ccp': 'Connect and Control Protocol for Consumer, Commercial, and Industrial Electronic Devices', 'apdap': 'Anton Paar Device Administration Protocol', 'drip': 'Dynamic Routing Information Protocol', 'namemunge': 'Name Munging', 'pwgippfax': 'PWG IPP Facsimile', 'i3-sessionmgr': 'I3 Session Manager', 'xmlink-connect': 'Eydeas XMLink Connect', 'adrep': 'AD Replication RPC', 'p2pcommunity': 'p2pCommunity', 'gvcp': 'GigE Vision Control', 'mqe-broker': 'MQEnterprise Broker', 'mqe-agent': 'MQEnterprise Agent', 'treehopper': 'Tree Hopper Networking', 'bess': 'Bess Peer Assessment', 'proaxess': 'ProAxess Server', 'sbi-agent': 'SBI Agent Protocol', 'thrp': 'Teran Hybrid Routing Protocol', 'sasggprs': 'SASG GPRS', 'ati-ip-to-ncpe': 'Avanti IP to NCPE API', 'bflckmgr': 'BuildForge Lock Manager', 'ppsms': 'PPS Message Service', 'ianywhere-dbns': 'iAnywhere DBNS', 'landmarks': 'Landmark Messages', 'lanrevagent': 'LANrev Agent', 'lanrevserver': 'LANrev Server', 'iconp': 'ict-control Protocol', 'progistics': 'ConnectShip Progistics', 'citysearch': 'Remote Applicant Tracking Service', 'airshot': 'Air Shot', 'opswagent': 'Opsware Agent', 'opswmanager': 'Opsware Manager', 'secure-cfg-svr': 'Secured Configuration Server', 'smwan': 'Smith Micro Wide Area Network Service', 'acms': 'Aircraft Cabin Management System', 'starfish': 'Starfish System Admin', 'eis': 'ESRI Image Server', 'eisp': 'ESRI Image Service', 'mapper-nodemgr': 'MAPPER network node manager', 'mapper-mapethd': 'MAPPER TCP/IP server', 'mapper-ws-ethd': 'MAPPER workstation server\nIANA assigned this well-formed service name as a replacement for "mapper-ws_ethd".', 'mapper-ws_ethd': 'MAPPER workstation server', 'centerline': 'Centerline', 'dcs-config': 'DCS Configuration Port', 'bv-queryengine': 'BindView-Query Engine', 'bv-is': 'BindView-IS', 'bv-smcsrv': 'BindView-SMCServer', 'bv-ds': 'BindView-DirectoryServer', 'bv-agent': 'BindView-Agent', 'iss-mgmt-ssl': 'ISS Management Svcs SSL', 'abcsoftware': 'abcsoftware-01', 'agentsease-db': 'aes_db', 'dnx': 'Distributed Nagios Executor Service', 'nvcnet': 'Norman distributes scanning service', 'terabase': 'Terabase', 'newoak': 'NewOak', 'pxc-spvr-ft': 'pxc-spvr-ft', 'pxc-splr-ft': 'pxc-splr-ft', 'pxc-roid': 'pxc-roid', 'pxc-pin': 'pxc-pin', 'pxc-spvr': 'pxc-spvr', 'pxc-splr': 'pxc-splr', 'netcheque': 'NetCheque accounting', 'chimera-hwm': 'Chimera HWM', 'samsung-unidex': 'Samsung Unidex', 'altserviceboot': 'Alternate Service Boot', 'pda-gate': 'PDA Gate', 'acl-manager': 'ACL Manager', 'taiclock': 'TAICLOCK', 'talarian-mcast1': 'Talarian Mcast', 'talarian-mcast2': 'Talarian Mcast', 'talarian-mcast3': 'Talarian Mcast', 'talarian-mcast4': 'Talarian Mcast', 'talarian-mcast5': 'Talarian Mcast', 'trap': 'TRAP Port', 'nexus-portal': 'Nexus Portal', 'dnox': 'DNOX', 'esnm-zoning': 'ESNM Zoning Port', 'tnp1-port': 'TNP1 User Port', 'partimage': 'Partition Image Port', 'as-debug': 'Graphical Debug Server', 'bxp': 'bitxpress', 'dtserver-port': 'DTServer Port', 'ip-qsig': 'IP Q signaling protocol', 'jdmn-port': 'Accell/JSP Daemon Port', 'suucp': 'UUCP over SSL', 'vrts-auth-port': 'VERITAS Authorization Service', 'sanavigator': 'SANavigator Peer Port', 'ubxd': 'Ubiquinox Daemon', 'wap-push-http': 'WAP Push OTA-HTTP port', 'wap-push-https': 'WAP Push OTA-HTTP secure', 'ravehd': 'RaveHD network control', 'fazzt-ptp': 'Fazzt Point-To-Point', 'fazzt-admin': 'Fazzt Administration', 'yo-main': 'Yo.net main service', 'houston': 'Rocketeer-Houston', 'ldxp': 'LDXP', 'nirp': 'Neighbour Identity Resolution', 'ltp': 'Location Tracking Protocol', 'npp': 'Network Paging Protocol', 'acp-proto': 'Accounting Protocol', 'ctp-state': 'Context Transfer Protocol', 'wafs': 'Wide Area File Services', 'cisco-wafs': 'Wide Area File Services', 'cppdp': 'Cisco Peer to Peer Distribution Protocol', 'interact': 'VoiceConnect Interact', 'ccu-comm-1': 'CosmoCall Universe Communications Port 1', 'ccu-comm-2': 'CosmoCall Universe Communications Port 2', 'ccu-comm-3': 'CosmoCall Universe Communications Port 3', 'lms': 'Location Message Service', 'wfm': 'Servigistics WFM server', 'kingfisher': 'Kingfisher protocol', 'dlms-cosem': 'DLMS/COSEM', 'dsmeter-iatc': 'DSMETER Inter-Agent Transfer Channel\nIANA assigned this well-formed service name as a replacement for "dsmeter_iatc".', 'dsmeter_iatc': 'DSMETER Inter-Agent Transfer Channel', 'ice-location': 'Ice Location Service (TCP)', 'ice-slocation': 'Ice Location Service (SSL)', 'ice-router': 'Ice Firewall Traversal Service (TCP)', 'ice-srouter': 'Ice Firewall Traversal Service (SSL)', 'avanti-cdp': 'Avanti Common Data\nIANA assigned this well-formed service name as a replacement for "avanti_cdp".', 'avanti_cdp': 'Avanti Common Data', 'pmas': 'Performance Measurement and Analysis', 'idp': 'Information Distribution Protocol', 'ipfltbcst': 'IP Fleet Broadcast', 'minger': 'Minger Email Address Validation Service', 'tripe': 'Trivial IP Encryption (TrIPE)', 'aibkup': 'Automatically Incremental Backup', 'zieto-sock': 'Zieto Socket Communications', 'iRAPP': 'iRAPP Server Protocol', 'cequint-cityid': 'Cequint City ID UI trigger', 'perimlan': 'ISC Alarm Message Service', 'seraph': 'Seraph DCS', 'ascomalarm': 'Ascom IP Alarming', 'santools': 'SANtools Diagnostic Server', 'lorica-in': 'Lorica inside facing', 'lorica-in-sec': 'Lorica inside facing (SSL)', 'lorica-out': 'Lorica outside facing', 'lorica-out-sec': 'Lorica outside facing (SSL)', 'fortisphere-vm': 'Fortisphere VM Service', 'ftsync': 'Firewall/NAT state table synchronization', 'opencore': 'OpenCORE Remote Control Service', 'omasgport': 'OMA BCAST Service Guide', 'ewinstaller': 'EminentWare Installer', 'ewdgs': 'EminentWare DGS', 'pvxpluscs': 'Pvx Plus CS Host', 'sysrqd': 'sysrq daemon', 'xtgui': 'xtgui information service', 'bre': 'BRE (Bridge Relay Element)', 'patrolview': 'Patrol View', 'drmsfsd': 'drmsfsd', 'dpcp': 'DPCP', 'igo-incognito': 'IGo Incognito Data Port', 'brlp-0': 'Braille protocol', 'brlp-1': 'Braille protocol', 'brlp-2': 'Braille protocol', 'brlp-3': 'Braille protocol', 'shofar': 'Shofar', 'synchronite': 'Synchronite', 'j-ac': 'JDL Accounting LAN Service', 'accel': 'ACCEL', 'izm': 'Instantiated Zero-control Messaging', 'g2tag': 'G2 RFID Tag Telemetry Data', 'xgrid': 'Xgrid', 'apple-vpns-rp': 'Apple VPN Server Reporting Protocol', 'aipn-reg': 'AIPN LS Registration', 'jomamqmonitor': 'JomaMQMonitor', 'cds': 'CDS Transfer Agent', 'smartcard-tls': 'smartcard-TLS', 'hillrserv': 'Hillr Connection Manager', 'netscript': 'Netadmin Systems NETscript service', 'assuria-slm': 'Assuria Log Manager', 'e-builder': 'e-Builder Application Communication', 'fprams': 'Fiber Patrol Alarm Service', 'z-wave': 'Zensys Z-Wave Control Protocol', 'tigv2': 'Rohill TetraNode Ip Gateway v2', 'opsview-envoy': 'Opsview Envoy', 'ddrepl': 'Data Domain Replication Service', 'unikeypro': 'NetUniKeyServer', 'nufw': 'NuFW decision delegation protocol', 'nuauth': 'NuFW authentication protocol', 'fronet': 'FRONET message protocol', 'stars': 'Global Maintech Stars', 'nuts-dem': 'NUTS Daemon\nIANA assigned this well-formed service name as a replacement for "nuts_dem".', 'nuts_dem': 'NUTS Daemon', 'nuts-bootp': 'NUTS Bootp Server\nIANA assigned this well-formed service name as a replacement for "nuts_bootp".', 'nuts_bootp': 'NUTS Bootp Server', 'nifty-hmi': 'NIFTY-Serve HMI protocol', 'cl-db-attach': 'Classic Line Database Server Attach', 'cl-db-request': 'Classic Line Database Server Request', 'cl-db-remote': 'Classic Line Database Server Remote', 'nettest': 'nettest', 'thrtx': 'Imperfect Networks Server', 'cedros-fds': 'Cedros Fraud Detection System\nIANA assigned this well-formed service name as a replacement for "cedros_fds".', 'cedros_fds': 'Cedros Fraud Detection System', 'oirtgsvc': 'Workflow Server', 'oidocsvc': 'Document Server', 'oidsr': 'Document Replication', 'vvr-control': 'VVR Control', 'tgcconnect': 'TGCConnect Beacon', 'vrxpservman': 'Multum Service Manager', 'hhb-handheld': 'HHB Handheld Client', 'agslb': 'A10 GSLB Service', 'PowerAlert-nsa': 'PowerAlert Network Shutdown Agent', 'menandmice-noh': 'Men & Mice Remote Control\nIANA assigned this well-formed service name as a replacement for "menandmice_noh".', 'menandmice_noh': 'Men & Mice Remote Control', 'idig-mux': 'iDigTech Multiplex\nIANA assigned this well-formed service name as a replacement for "idig_mux".', 'idig_mux': 'iDigTech Multiplex', 'mbl-battd': 'MBL Remote Battery Monitoring', 'atlinks': 'atlinks device discovery', 'bzr': 'Bazaar version control system', 'stat-results': 'STAT Results', 'stat-scanner': 'STAT Scanner Control', 'stat-cc': 'STAT Command Center', 'nss': 'Network Security Service', 'jini-discovery': 'Jini Discovery', 'omscontact': 'OMS Contact', 'omstopology': 'OMS Topology', 'silverpeakpeer': 'Silver Peak Peer Protocol', 'silverpeakcomm': 'Silver Peak Communication Protocol', 'altcp': 'ArcLink over Ethernet', 'joost': 'Joost Peer to Peer Protocol', 'ddgn': 'DeskDirect Global Network', 'pslicser': 'PrintSoft License Server', 'iadt-disc': 'Internet ADT Discovery Protocol', 'pcoip': 'PC over IP', 'mma-discovery': 'MMA Device Discovery', 'sm-disc': 'StorMagic Discovery', 'wello': 'Wello P2P pubsub service', 'storman': 'StorMan', 'MaxumSP': 'Maxum Services', 'httpx': 'HTTPX', 'macbak': 'MacBak', 'pcptcpservice': 'Production Company Pro TCP Service', 'gmmp': 'General Metaverse Messaging Protocol', 'universe-suite': 'UNIVERSE SUITE MESSAGE SERVICE\nIANA assigned this well-formed service name as a replacement for "universe_suite".', 'universe_suite': 'UNIVERSE SUITE MESSAGE SERVICE', 'wcpp': 'Woven Control Plane Protocol', 'vatata': 'Vatata Peer to Peer Protocol', 'dsmipv6': 'Dual Stack MIPv6 NAT Traversal', 'azeti-bd': 'azeti blinddate', 'eims-admin': 'EIMS ADMIN', 'corelccam': 'Corel CCam', 'd-data': 'Diagnostic Data', 'd-data-control': 'Diagnostic Data Control', 'srcp': 'Simple Railroad Command Protocol', 'owserver': 'One-Wire Filesystem Server', 'batman': 'better approach to mobile ad-hoc networking', 'pinghgl': 'Hellgate London', 'visicron-vs': 'Visicron Videoconference Service', 'compx-lockview': 'CompX-LockView', 'dserver': 'Exsequi Appliance Discovery', 'mirrtex': 'Mir-RT exchange service', 'fdt-rcatp': 'FDT Remote Categorization Protocol', 'rwhois': 'Remote Who Is', 'trim-event': 'TRIM Event Service', 'trim-ice': 'TRIM ICE Service', 'balour': 'Balour Game Server', 'geognosisman': 'Cadcorp GeognoSIS Manager Service', 'geognosis': 'Cadcorp GeognoSIS Service', 'jaxer-web': 'Jaxer Web Protocol', 'jaxer-manager': 'Jaxer Manager Command Protocol', 'gaia': 'Gaia Connector Protocol', 'lisp-data': 'LISP Data Packets', 'lisp-control': 'LISP Data-Triggered Control', 'unicall': 'UNICALL', 'vinainstall': 'VinaInstall', 'm4-network-as': 'Macro 4 Network AS', 'elanlm': 'ELAN LM', 'lansurveyor': 'LAN Surveyor', 'itose': 'ITOSE', 'fsportmap': 'File System Port Map', 'net-device': 'Net Device', 'plcy-net-svcs': 'PLCY Net Services', 'pjlink': 'Projector Link', 'f5-iquery': 'F5 iQuery', 'qsnet-trans': 'QSNet Transmitter', 'qsnet-workst': 'QSNet Workstation', 'qsnet-assist': 'QSNet Assistant', 'qsnet-cond': 'QSNet Conductor', 'qsnet-nucl': 'QSNet Nucleus', 'omabcastltkm': 'OMA BCAST Long-Term Key Messages', 'nacnl': 'NavCom Discovery and Control Port', 'afore-vdp-disc': 'AFORE vNode Discovery protocol', 'wxbrief': 'WeatherBrief Direct', 'epmd': 'Erlang Port Mapper Daemon', 'elpro-tunnel': 'ELPRO V2 Protocol Tunnel\nIANA assigned this well-formed service name as a replacement for "elpro_tunnel".', 'elpro_tunnel': 'ELPRO V2 Protocol Tunnel', 'l2c-disc': 'LAN2CAN Discovery', 'l2c-data': 'LAN2CAN Data', 'remctl': 'Remote Authenticated Command Service', 'tolteces': 'Toltec EasyShare', 'bip': 'BioAPI Interworking', 'cp-spxsvr': 'Cambridge Pixel SPx Server', 'cp-spxdpy': 'Cambridge Pixel SPx Display', 'ctdb': 'CTDB', 'xandros-cms': 'Xandros Community Management Service', 'wiegand': 'Physical Access Control', 'apwi-disc': 'American Printware Discovery', 'omnivisionesx': 'OmniVision communication for Virtual environments', 'ds-srv': 'ASIGRA Services', 'ds-srvr': 'ASIGRA Televaulting DS-System Service', 'ds-clnt': 'ASIGRA Televaulting DS-Client Service', 'ds-user': 'ASIGRA Televaulting DS-Client Monitoring/Management', 'ds-admin': 'ASIGRA Televaulting DS-System Monitoring/Management', 'ds-mail': 'ASIGRA Televaulting Message Level Restore service', 'ds-slp': 'ASIGRA Televaulting DS-Sleeper Service', 'netrockey6': 'NetROCKEY6 SMART Plus Service', 'beacon-port-2': 'SMARTS Beacon Port', 'rsqlserver': 'REAL SQL Server', 'l-acoustics': 'L-ACOUSTICS management', 'netblox': 'Netblox Protocol', 'saris': 'Saris', 'pharos': 'Pharos', 'krb524': 'KRB524', 'nv-video': 'NV Video default', 'upnotifyp': 'UPNOTIFYP', 'n1-fwp': 'N1-FWP', 'n1-rmgmt': 'N1-RMGMT', 'asc-slmd': 'ASC Licence Manager', 'privatewire': 'PrivateWire', 'camp': 'Common ASCII Messaging Protocol', 'ctisystemmsg': 'CTI System Msg', 'ctiprogramload': 'CTI Program Load', 'nssalertmgr': 'NSS Alert Manager', 'nssagentmgr': 'NSS Agent Manager', 'prchat-user': 'PR Chat User', 'prchat-server': 'PR Chat Server', 'prRegister': 'PR Register', 'mcp': 'Matrix Configuration Protocol', 'hpssmgmt': 'hpssmgmt service', 'icms': 'Integrated Client Message Service', 'awacs-ice': 'Apple Wide Area Connectivity Service ICE Bootstrap', 'ipsec-nat-t': 'IPsec NAT-Traversal', 'ehs': 'Event Heap Server', 'ehs-ssl': 'Event Heap Server SSL', 'wssauthsvc': 'WSS Security Service', 'swx-gate': 'Software Data Exchange Gateway', 'worldscores': 'WorldScores', 'sf-lm': 'SF License Manager (Sentinel)', 'lanner-lm': 'Lanner License Manager', 'synchromesh': 'Synchromesh', 'aegate': 'Aegate PMR Service', 'gds-adppiw-db': 'Perman I Interbase Server', 'ieee-mih': 'MIH Services', 'menandmice-mon': 'Men and Mice Monitoring', 'msfrs': 'MS FRS Replication', 'rsip': 'RSIP Port', 'dtn-bundle-udp': 'DTN Bundle UDP CL Protocol', 'mtcevrunqss': 'Marathon everRun Quorum Service Server', 'mtcevrunqman': 'Marathon everRun Quorum Service Manager', 'hylafax': 'HylaFAX', 'kwtc': 'Kids Watch Time Control Service', 'tram': 'TRAM', 'bmc-reporting': 'BMC Reporting', 'iax': 'Inter-Asterisk eXchange', 'l3t-at-an': 'HRPD L3T (AT-AN)', 'hrpd-ith-at-an': 'HRPD-ITH (AT-AN)', 'ipt-anri-anri': 'IPT (ANRI-ANRI)', 'ias-session': 'IAS-Session (ANRI-ANRI)', 'ias-paging': 'IAS-Paging (ANRI-ANRI)', 'ias-neighbor': 'IAS-Neighbor (ANRI-ANRI)', 'a21-an-1xbs': 'A21 (AN-1xBS)', 'a16-an-an': 'A16 (AN-AN)', 'a17-an-an': 'A17 (AN-AN)', 'piranha1': 'Piranha1', 'piranha2': 'Piranha2', 'playsta2-app': 'PlayStation2 App Port', 'playsta2-lob': 'PlayStation2 Lobby Port', 'smaclmgr': 'smaclmgr', 'kar2ouche': 'Kar2ouche Peer location service', 'oms': 'OrbitNet Message Service', 'noteit': 'Note It! Message Service', 'ems': 'Rimage Messaging Server', 'contclientms': 'Container Client Message Service', 'eportcomm': 'E-Port Message Service', 'mmacomm': 'MMA Comm Services', 'mmaeds': 'MMA EDS Service', 'eportcommdata': 'E-Port Data Service', 'light': 'Light packets transfer protocol', 'acter': 'Bull RSF action server', 'rfa': 'remote file access server', 'cxws': 'CXWS Operations', 'appiq-mgmt': 'AppIQ Agent Management', 'dhct-status': 'BIAP Device Status', 'dhct-alerts': 'BIAP Generic Alert', 'bcs': 'Business Continuity Servi', 'traversal': 'boundary traversal', 'mgesupervision': 'MGE UPS Supervision', 'mgemanagement': 'MGE UPS Management', 'parliant': 'Parliant Telephony System', 'finisar': 'finisar', 'spike': 'Spike Clipboard Service', 'rfid-rp1': 'RFID Reader Protocol 1.0', 'autopac': 'Autopac Protocol', 'msp-os': 'Manina Service Protocol', 'nst': 'Network Scanner Tool FTP', 'mobile-p2p': 'Mobile P2P Service', 'altovacentral': 'Altova DatabaseCentral', 'prelude': 'Prelude IDS message proto', 'mtn': 'monotone Netsync Protocol', 'conspiracy': 'Conspiracy messaging', 'netxms-agent': 'NetXMS Agent', 'netxms-mgmt': 'NetXMS Management', 'netxms-sync': 'NetXMS Server Synchronization', 'truckstar': 'TruckStar Service', 'a26-fap-fgw': 'A26 (FAP-FGW)', 'fcis-disc': 'F-Link Client Information Service Discovery', 'capmux': 'CA Port Multiplexer', 'gsmtap': 'GSM Interface Tap', 'gearman': 'Gearman Job Queue System', 'ohmtrigger': 'OHM server trigger', 'ipdr-sp': 'IPDR/SP', 'solera-lpn': 'SoleraTec Locator', 'ipfix': 'IP Flow Info Export', 'ipfixs': 'ipfix protocol over DTLS', 'lumimgrd': 'Luminizer Manager', 'sicct-sdp': 'SICCT Service Discovery Protocol', 'openhpid': 'openhpi HPI service', 'ifsp': 'Internet File Synchronization Protocol', 'fmp': 'Funambol Mobile Push', 'profilemac': 'Profile for Mac', 'ssad': 'Simple Service Auto Discovery', 'spocp': 'Simple Policy Control Protocol', 'snap': 'Simple Network Audio Protocol', 'simon-disc': 'Simple Invocation of Methods Over Network (SIMON) Discovery', 'bfd-multi-ctl': 'BFD Multihop Control', 'cncp': 'Cisco Nexus Control Protocol', 'iims': 'Icona Instant Messenging System', 'iwec': 'Icona Web Embedded Chat', 'ilss': 'Icona License System Server', 'notateit-disc': 'Notateit Messaging Discovery', 'aja-ntv4-disc': 'AJA ntv4 Video System Discovery', 'htcp': 'HTCP', 'varadero-0': 'Varadero-0', 'varadero-1': 'Varadero-1', 'varadero-2': 'Varadero-2', 'opcua-udp': 'OPC UA TCP Protocol', 'quosa': 'QUOSA Virtual Library Service', 'gw-asv': 'nCode ICE-flow Library AppServer', 'opcua-tls': 'OPC UA TCP Protocol over TLS/SSL', 'gw-log': 'nCode ICE-flow Library LogServer', 'wcr-remlib': 'WordCruncher Remote Library Service', 'contamac-icm': 'Contamac ICM Service\nIANA assigned this well-formed service name as a replacement for "contamac_icm".', 'contamac_icm': 'Contamac ICM Service', 'wfc': 'Web Fresh Communication', 'appserv-http': 'App Server - Admin HTTP', 'appserv-https': 'App Server - Admin HTTPS', 'sun-as-nodeagt': 'Sun App Server - NA', 'derby-repli': 'Apache Derby Replication', 'unify-debug': 'Unify Debugger', 'phrelay': 'Photon Relay', 'phrelaydbg': 'Photon Relay Debug', 'cc-tracking': 'Citcom Tracking Service', 'wired': 'Wired', 'tritium-can': 'Tritium CAN Bus Bridge Service', 'lmcs': 'Lighting Management Control System', 'inst-discovery': 'Agilent Instrument Discovery', 'socp-t': 'SOCP Time Synchronization Protocol', 'socp-c': 'SOCP Control Protocol', 'hivestor': 'HiveStor Distributed File System', 'abbs': 'ABBS', 'lyskom': 'LysKOM Protocol A', 'radmin-port': 'RAdmin Port', 'hfcs': 'HyperFileSQL Client/Server Database Engine', 'bones': 'Bones Remote Control', 'atsc-mh-ssc': 'ATSC-M/H Service Signaling Channel', 'eq-office-4940': 'Equitrac Office', 'eq-office-4941': 'Equitrac Office', 'eq-office-4942': 'Equitrac Office', 'munin': 'Munin Graphing Framework', 'sybasesrvmon': 'Sybase Server Monitor', 'pwgwims': 'PWG WIMS', 'sagxtsds': 'SAG Directory Server', 'ccss-qmm': 'CCSS QMessageMonitor', 'ccss-qsm': 'CCSS QSystemMonitor', 'mrip': 'Model Railway Interface Program', 'smar-se-port1': 'SMAR Ethernet Port 1', 'smar-se-port2': 'SMAR Ethernet Port 2', 'parallel': 'Parallel for GAUSS (tm)', 'busycal': 'BusySync Calendar Synch. Protocol', 'vrt': 'VITA Radio Transport', 'hfcs-manager': 'HyperFileSQL Client/Server Database Engine Manager', 'commplex-main': '', 'commplex-link': '', 'rfe': 'radio free ethernet', 'fmpro-internal': 'FileMaker, Inc. - Proprietary name binding', 'avt-profile-1': 'RTP media data', 'avt-profile-2': 'RTP control protocol', 'wsm-server': 'wsm server', 'wsm-server-ssl': 'wsm server ssl', 'synapsis-edge': 'Synapsis EDGE', 'winfs': 'Microsoft Windows Filesystem', 'telelpathstart': 'TelepathStart', 'telelpathattack': 'TelepathAttack', 'nsp': 'NetOnTap Service', 'fmpro-v6': 'FileMaker, Inc. - Proprietary transport', 'onpsocket': 'Overlay Network Protocol', 'zenginkyo-1': 'zenginkyo-1', 'zenginkyo-2': 'zenginkyo-2', 'mice': 'mice server', 'htuilsrv': 'Htuil Server for PLD2', 'scpi-telnet': 'SCPI-TELNET', 'scpi-raw': 'SCPI-RAW', 'strexec-d': 'Storix I/O daemon (data)', 'strexec-s': 'Storix I/O daemon (stat)', 'infobright': 'Infobright Database Server', 'surfpass': 'SurfPass', 'dmp': 'Direct Message Protocol', 'asnaacceler8db': 'asnaacceler8db', 'swxadmin': 'ShopWorX Administration', 'lxi-evntsvc': 'LXI Event Service', 'vpm-udp': 'Vishay PM UDP Service', 'iscape': 'iSCAPE Data Broadcasting', 'ivocalize': 'iVocalize Web Conference', 'mmcc': 'multimedia conference control tool', 'ita-agent': 'ITA Agent', 'ita-manager': 'ITA Manager', 'unot': 'UNOT', 'intecom-ps1': 'Intecom Pointspan 1', 'intecom-ps2': 'Intecom Pointspan 2', 'locus-disc': 'Locus Discovery', 'sds': 'SIP Directory Services', 'sip': 'SIP', 'sip-tls': 'SIP-TLS', 'na-localise': 'Localisation access', 'ca-1': 'Channel Access 1', 'ca-2': 'Channel Access 2', 'stanag-5066': 'STANAG-5066-SUBNET-INTF', 'authentx': 'Authentx Service', 'i-net-2000-npr': 'I/Net 2000-NPR', 'vtsas': 'VersaTrans Server Agent Service', 'powerschool': 'PowerSchool', 'ayiya': 'Anything In Anything', 'tag-pm': 'Advantage Group Port Mgr', 'alesquery': 'ALES Query', 'cp-spxrpts': 'Cambridge Pixel SPx Reports', 'onscreen': 'OnScreen Data Collection Service', 'sdl-ets': 'SDL - Ent Trans Server', 'qcp': 'Qpur Communication Protocol', 'qfp': 'Qpur File Protocol', 'llrp': 'EPCglobal Low-Level Reader Protocol', 'encrypted-llrp': 'EPCglobal Encrypted LLRP', 'magpie': 'Magpie Binary', 'sentinel-lm': 'Sentinel LM', 'hart-ip': 'HART-IP', 'sentlm-srv2srv': 'SentLM Srv2Srv', 'socalia': 'Socalia service mux', 'talarian-udp': 'Talarian_UDP', 'oms-nonsecure': 'Oracle OMS non-secure', 'tinymessage': 'TinyMessage', 'hughes-ap': 'Hughes Association Protocol', 'taep-as-svc': 'TAEP AS service', 'pm-cmdsvr': 'PeerMe Msg Cmd Service', 'emb-proj-cmd': 'EPSON Projecter Image Transfer', 'nbt-pc': 'Policy Commander', 'minotaur-sa': 'Minotaur SA', 'ctsd': 'MyCTS server port', 'rmonitor-secure': 'RMONITOR SECURE\nIANA assigned this well-formed service name as a replacement for "rmonitor_secure".', 'rmonitor_secure': 'RMONITOR SECURE', 'atmp': 'Ascend Tunnel Management Protocol', 'esri-sde': 'ESRI SDE Remote Start\n IANA assigned this well-formed service name as a replacement for "esri_sde".', 'esri_sde': 'ESRI SDE Remote Start', 'sde-discovery': 'ESRI SDE Instance Discovery', 'bzflag': 'BZFlag game server', 'asctrl-agent': 'Oracle asControl Agent', 'vpa-disc': 'Virtual Protocol Adapter Discovery', 'ife-icorp': 'ife_1corp\nIANA assigned this well-formed service name as a replacement for "ife_icorp".', 'ife_icorp': 'ife_1corp', 'winpcs': 'WinPCS Service Connection', 'scte104': 'SCTE104 Connection', 'scte30': 'SCTE30 Connection', 'aol': 'America-Online', 'aol-1': 'AmericaOnline1', 'aol-2': 'AmericaOnline2', 'aol-3': 'AmericaOnline3', 'targus-getdata': 'TARGUS GetData', 'targus-getdata1': 'TARGUS GetData 1', 'targus-getdata2': 'TARGUS GetData 2', 'targus-getdata3': 'TARGUS GetData 3', 'hpvirtgrp': 'HP Virtual Machine Group Management', 'hpvirtctrl': 'HP Virtual Machine Console Operations', 'hp-server': 'HP Server', 'hp-status': 'HP Status', 'perfd': 'HP System Performance Metric Service', 'eenet': 'EEnet communications', 'galaxy-network': 'Galaxy Network Service', 'padl2sim': '', 'mnet-discovery': 'm-net discovery', 'downtools-disc': 'DownTools Discovery Protocol', 'capwap-control': 'CAPWAP Control Protocol', 'capwap-data': 'CAPWAP Data Protocol', 'caacws': 'CA Access Control Web Service', 'caaclang2': 'CA AC Lang Service', 'soagateway': 'soaGateway', 'caevms': 'CA eTrust VM Service', 'movaz-ssc': 'Movaz SSC', '3com-njack-1': '3Com Network Jack Port 1', '3com-njack-2': '3Com Network Jack Port 2', 'cartographerxmp': 'Cartographer XMP', 'cuelink-disc': 'StageSoft CueLink discovery', 'pk': 'PK', 'transmit-port': 'Marimba Transmitter Port', 'presence': 'XMPP Link-Local Messaging', 'nlg-data': 'NLG Data Service', 'hacl-hb': 'HA cluster heartbeat', 'hacl-gs': 'HA cluster general services', 'hacl-cfg': 'HA cluster configuration', 'hacl-probe': 'HA cluster probing', 'hacl-local': 'HA Cluster Commands', 'hacl-test': 'HA Cluster Test', 'sun-mc-grp': 'Sun MC Group', 'sco-aip': 'SCO AIP', 'cfengine': 'CFengine', 'jprinter': 'J Printer', 'outlaws': 'Outlaws', 'permabit-cs': 'Permabit Client-Server', 'rrdp': 'Real-time & Reliable Data', 'opalis-rbt-ipc': 'opalis-rbt-ipc', 'hacl-poll': 'HA Cluster UDP Polling', 'kfserver': 'Sculptor Database Server', 'xkotodrcp': 'xkoto DRCP', 'stuns': 'Reserved for a future enhancement of STUN', 'turns': 'Reserved for a future enhancement of TURN', 'stun-behaviors': 'Reserved for a future enhancement of STUN-BEHAVIOR', 'nat-pmp-status': 'NAT-PMP Status Announcements', 'nat-pmp': 'NAT Port Mapping Protocol', 'dns-llq': 'DNS Long-Lived Queries', 'mdns': 'Multicast DNS', 'mdnsresponder': 'Multicast DNS Responder IPC', 'llmnr': 'LLMNR', 'ms-smlbiz': 'Microsoft Small Business', 'wsdapi': 'Web Services for Devices', 'wsdapi-s': 'WS for Devices Secured', 'ms-alerter': 'Microsoft Alerter', 'ms-sideshow': 'Protocol for Windows SideShow', 'ms-s-sideshow': 'Secure Protocol for Windows SideShow', 'serverwsd2': 'Microsoft Windows Server WSD2 Service', 'net-projection': 'Windows Network Projection', 'stresstester': 'StressTester(tm) Injector', 'elektron-admin': 'Elektron Administration', 'securitychase': 'SecurityChase', 'excerpt': 'Excerpt Search', 'excerpts': 'Excerpt Search Secure', 'mftp': 'OmniCast MFTP', 'hpoms-ci-lstn': 'HPOMS-CI-LSTN', 'hpoms-dps-lstn': 'HPOMS-DPS-LSTN', 'netsupport': 'NetSupport', 'systemics-sox': 'Systemics Sox', 'foresyte-clear': 'Foresyte-Clear', 'foresyte-sec': 'Foresyte-Sec', 'salient-dtasrv': 'Salient Data Server', 'salient-usrmgr': 'Salient User Manager', 'actnet': 'ActNet', 'continuus': 'Continuus', 'wwiotalk': 'WWIOTALK', 'statusd': 'StatusD', 'ns-server': 'NS Server', 'sns-gateway': 'SNS Gateway', 'sns-agent': 'SNS Agent', 'mcntp': 'MCNTP', 'dj-ice': 'DJ-ICE', 'cylink-c': 'Cylink-C', 'netsupport2': 'Net Support 2', 'salient-mux': 'Salient MUX', 'virtualuser': 'VIRTUALUSER', 'beyond-remote': 'Beyond Remote', 'br-channel': 'Beyond Remote Command Channel', 'devbasic': 'DEVBASIC', 'sco-peer-tta': 'SCO-PEER-TTA', 'telaconsole': 'TELACONSOLE', 'base': 'Billing and Accounting System Exchange', 'radec-corp': 'RADEC CORP', 'park-agent': 'PARK AGENT', 'postgresql': 'PostgreSQL Database', 'pyrrho': 'Pyrrho DBMS', 'sgi-arrayd': 'SGI Array Services Daemon', 'sceanics': 'SCEANICS situation and action notification', 'pmip6-cntl': 'pmip6-cntl', 'pmip6-data': 'pmip6-data', 'spss': 'Pearson HTTPS', 'surebox': 'SureBox', 'apc-5454': 'APC 5454', 'apc-5455': 'APC 5455', 'apc-5456': 'APC 5456', 'silkmeter': 'SILKMETER', 'ttl-publisher': 'TTL Publisher', 'ttlpriceproxy': 'TTL Price Proxy', 'quailnet': 'Quail Networks Object Broker', 'netops-broker': 'NETOPS-BROKER', 'fcp-addr-srvr1': 'fcp-addr-srvr1', 'fcp-addr-srvr2': 'fcp-addr-srvr2', 'fcp-srvr-inst1': 'fcp-srvr-inst1', 'fcp-srvr-inst2': 'fcp-srvr-inst2', 'fcp-cics-gw1': 'fcp-cics-gw1', 'checkoutdb': 'Checkout Database', 'amc': 'Amcom Mobile Connect', 'sgi-eventmond': 'SGI Eventmond Port', 'sgi-esphttp': 'SGI ESP HTTP', 'personal-agent': 'Personal Agent', 'freeciv': 'Freeciv gameplay', 'm-oap': 'Multicast Object Access Protocol', 'sdt': 'Session Data Transport Multicast', 'rdmnet-device': 'PLASA E1.33, Remote Device Management (RDM) messages', 'sdmmp': 'SAS Domain Management Messaging Protocol', 'tmosms0': 'T-Mobile SMS Protocol Message 0', 'tmosms1': 'T-Mobile SMS Protocol Message 1', 'fac-restore': 'T-Mobile SMS Protocol Message 3', 'tmo-icon-sync': 'T-Mobile SMS Protocol Message 2', 'bis-web': 'BeInSync-Web', 'bis-sync': 'BeInSync-sync', 'ininmessaging': 'inin secure messaging', 'mctfeed': 'MCT Market Data Feed', 'esinstall': 'Enterprise Security Remote Install', 'esmmanager': 'Enterprise Security Manager', 'esmagent': 'Enterprise Security Agent', 'a1-msc': 'A1-MSC', 'a1-bs': 'A1-BS', 'a3-sdunode': 'A3-SDUNode', 'a4-sdunode': 'A4-SDUNode', 'ninaf': 'Node Initiated Network Association Forma', 'htrust': 'HTrust API', 'symantec-sfdb': 'Symantec Storage Foundation for Database', 'precise-comm': 'PreciseCommunication', 'pcanywheredata': 'pcANYWHEREdata', 'pcanywherestat': 'pcANYWHEREstat', 'beorl': 'BE Operations Request Listener', 'xprtld': 'SF Message Service', 'amqps': 'amqp protocol over TLS/SSL', 'amqp': 'AMQP', 'jms': 'JACL Message Server', 'hyperscsi-port': 'HyperSCSI Port', 'v5ua': 'V5UA application port', 'raadmin': 'RA Administration', 'questdb2-lnchr': 'Quest Central DB2 Launchr', 'rrac': 'Remote Replication Agent Connection', 'dccm': 'Direct Cable Connect Manager', 'auriga-router': 'Auriga Router Service', 'ncxcp': 'Net-coneX Control Protocol', 'brightcore': 'BrightCore control & data transfer exchange', 'coap': 'Constrained Application Protocol', 'ggz': 'GGZ Gaming Zone', 'qmvideo': 'QM video network management protocol', 'proshareaudio': 'proshare conf audio', 'prosharevideo': 'proshare conf video', 'prosharedata': 'proshare conf data', 'prosharerequest': 'proshare conf request', 'prosharenotify': 'proshare conf notify', 'dpm': 'DPM Communication Server', 'dpm-agent': 'DPM Agent Coordinator', 'ms-licensing': 'MS-Licensing', 'dtpt': 'Desktop Passthru Service', 'msdfsr': 'Microsoft DFS Replication Service', 'omhs': 'Operations Manager - Health Service', 'omsdk': 'Operations Manager - SDK Service', 'io-dist-group': 'Dist. I/O Comm. Service Group Membership', 'openmail': 'Openmail User Agent Layer', 'unieng': "Steltor's calendar access", 'ida-discover1': 'IDA Discover Port 1', 'ida-discover2': 'IDA Discover Port 2', 'watchdoc-pod': 'Watchdoc NetPOD Protocol', 'watchdoc': 'Watchdoc Server', 'fcopy-server': 'fcopy-server', 'fcopys-server': 'fcopys-server', 'tunatic': 'Wildbits Tunatic', 'tunalyzer': 'Wildbits Tunalyzer', 'rscd': 'Bladelogic Agent Service', 'openmailg': 'OpenMail Desk Gateway server', 'x500ms': 'OpenMail X.500 Directory Server', 'openmailns': 'OpenMail NewMail Server', 's-openmail': 'OpenMail Suer Agent Layer (Secure)', 'openmailpxy': 'OpenMail CMTS Server', 'spramsca': 'x509solutions Internal CA', 'spramsd': 'x509solutions Secure Data', 'netagent': 'NetAgent', 'dali-port': 'DALI Port', '3par-evts': '3PAR Event Reporting Service', '3par-mgmt': '3PAR Management Service', '3par-mgmt-ssl': '3PAR Management Service with SSL', 'ibar': 'Cisco Interbox Application Redundancy', '3par-rcopy': '3PAR Inform Remote Copy', 'cisco-redu': 'redundancy notification', 'waascluster': 'Cisco WAAS Cluster Protocol', 'xtreamx': 'XtreamX Supervised Peer message', 'spdp': 'Simple Peered Discovery Protocol', 'icmpd': 'ICMPD', 'spt-automation': 'Support Automation', 'wherehoo': 'WHEREHOO', 'ppsuitemsg': 'PlanetPress Suite Messeng', 'rfb': 'Remote Framebuffer', 'cm': 'Context Management', 'cpdlc': 'Controller Pilot Data Link Communication', 'fis': 'Flight Information Services', 'ads-c': 'Automatic Dependent Surveillance', 'indy': 'Indy Application Server', 'mppolicy-v5': 'mppolicy-v5', 'mppolicy-mgr': 'mppolicy-mgr', 'couchdb': 'CouchDB', 'wsman': 'WBEM WS-Management HTTP', 'wsmans': 'WBEM WS-Management HTTP over TLS/SSL', 'wbem-rmi': 'WBEM RMI', 'wbem-http': 'WBEM CIM-XML (HTTP)', 'wbem-https': 'WBEM CIM-XML (HTTPS)', 'wbem-exp-https': 'WBEM Export HTTPS', 'nuxsl': 'NUXSL', 'consul-insight': 'Consul InSight Security', 'cvsup': 'CVSup', 'x11': 'X Window System', 'ndl-ahp-svc': 'NDL-AHP-SVC', 'winpharaoh': 'WinPharaoh', 'ewctsp': 'EWCTSP', 'trip': 'TRIP', 'messageasap': 'Messageasap', 'ssdtp': 'SSDTP', 'diagnose-proc': 'DIAGNOSE-PROC', 'directplay8': 'DirectPlay8', 'max': 'Microsoft Max', 'p25cai': 'APCO Project 25 Common Air Interface - UDP encapsulation', 'miami-bcast': 'telecomsoftware miami broadcast', 'konspire2b': 'konspire2b p2p network', 'pdtp': 'PDTP P2P', 'ldss': 'Local Download Sharing Service', 'doglms-notify': 'SuperDog License Manager Notifier', 'synchronet-db': 'SynchroNet-db', 'synchronet-rtc': 'SynchroNet-rtc', 'synchronet-upd': 'SynchroNet-upd', 'rets': 'RETS', 'dbdb': 'DBDB', 'primaserver': 'Prima Server', 'mpsserver': 'MPS Server', 'etc-control': 'ETC Control', 'sercomm-scadmin': 'Sercomm-SCAdmin', 'globecast-id': 'GLOBECAST-ID', 'softcm': 'HP SoftBench CM', 'spc': 'HP SoftBench Sub-Process Control', 'dtspcd': 'Desk-Top Sub-Process Control Daemon', 'tipc': 'Transparent Inter Process Communication', 'bex-webadmin': 'Backup Express Web Server', 'backup-express': 'Backup Express', 'pnbs': 'Phlexible Network Backup Service', 'nbt-wol': 'New Boundary Tech WOL', 'pulsonixnls': 'Pulsonix Network License Service', 'meta-corp': 'Meta Corporation License Manager', 'aspentec-lm': 'Aspen Technology License Manager', 'watershed-lm': 'Watershed License Manager', 'statsci1-lm': 'StatSci License Manager - 1', 'statsci2-lm': 'StatSci License Manager - 2', 'lonewolf-lm': 'Lone Wolf Systems License Manager', 'montage-lm': 'Montage License Manager', 'ricardo-lm': 'Ricardo North America License Manager', 'tal-pod': 'tal-pod', 'ecmp-data': 'Emerson Extensible Control and Management Protocol Data', 'patrol-ism': 'PATROL Internet Srv Mgr', 'patrol-coll': 'PATROL Collector', 'pscribe': 'Precision Scribe Cnx Port', 'lm-x': 'LM-X License Manager by X-Formation', 'thermo-calc': 'Management of service nodes in a processing grid for thermodynamic calculations', 'radmind': 'Radmind Access Protocol', 'jeol-nsddp-1': 'JEOL Network Services Dynamic Discovery Protocol 1', 'jeol-nsddp-2': 'JEOL Network Services Dynamic Discovery Protocol 2', 'jeol-nsddp-3': 'JEOL Network Services Dynamic Discovery Protocol 3', 'jeol-nsddp-4': 'JEOL Network Services Dynamic Discovery Protocol 4', 'tl1-raw-ssl': 'TL1 Raw Over SSL/TLS', 'tl1-ssh': 'TL1 over SSH', 'crip': 'CRIP', 'grid': 'Grid Authentication', 'grid-alt': 'Grid Authentication Alt', 'bmc-grx': 'BMC GRX', 'bmc-ctd-ldap': 'BMC CONTROL-D LDAP SERVER\nIANA assigned this well-formed service name as a replacement for "bmc_ctd_ldap".', 'bmc_ctd_ldap': 'BMC CONTROL-D LDAP SERVER', 'ufmp': 'Unified Fabric Management Protocol', 'scup-disc': 'Sensor Control Unit Protocol Discovery Protocol', 'abb-escp': 'Ethernet Sensor Communications Protocol', 'repsvc': 'Double-Take Replication Service', 'emp-server1': 'Empress Software Connectivity Server 1', 'emp-server2': 'Empress Software Connectivity Server 2', 'hrd-ns-disc': 'HR Device Network service', 'sflow': 'sFlow traffic monitoring', 'gnutella-svc': 'gnutella-svc', 'gnutella-rtr': 'gnutella-rtr', 'adap': 'App Discovery and Access Protocol', 'pmcs': 'PMCS applications', 'metaedit-mu': 'MetaEdit+ Multi-User', 'metaedit-se': 'MetaEdit+ Server Administration', 'metatude-mds': 'Metatude Dialogue Server', 'clariion-evr01': 'clariion-evr01', 'metaedit-ws': 'MetaEdit+ WebService API', 'faxcomservice': 'Faxcom Message Service', 'nim-vdrshell': 'NIM_VDRShell', 'nim-wan': 'NIM_WAN', 'sun-sr-https': 'Service Registry Default HTTPS Domain', 'sge-qmaster': 'Grid Engine Qmaster Service\nIANA assigned this well-formed service name as a replacement for "sge_qmaster".', 'sge_qmaster': 'Grid Engine Qmaster Service', 'sge-execd': 'Grid Engine Execution Service\nIANA assigned this well-formed service name as a replacement for "sge_execd".', 'sge_execd': 'Grid Engine Execution Service', 'mysql-proxy': 'MySQL Proxy', 'skip-cert-recv': 'SKIP Certificate Receive', 'skip-cert-send': 'SKIP Certificate Send', 'lvision-lm': 'LVision License Manager', 'sun-sr-http': 'Service Registry Default HTTP Domain', 'servicetags': 'Service Tags', 'ldoms-mgmt': 'Logical Domains Management Interface', 'SunVTS-RMI': 'SunVTS RMI', 'sun-sr-jms': 'Service Registry Default JMS Domain', 'sun-sr-iiop': 'Service Registry Default IIOP Domain', 'sun-sr-iiops': 'Service Registry Default IIOPS Domain', 'sun-sr-iiop-aut': 'Service Registry Default IIOPAuth Domain', 'sun-sr-jmx': 'Service Registry Default JMX Domain', 'sun-sr-admin': 'Service Registry Default Admin Domain', 'boks': 'BoKS Master', 'boks-servc': 'BoKS Servc\nIANA assigned this well-formed service name as a replacement for "boks_servc".', 'boks_servc': 'BoKS Servc', 'boks-servm': 'BoKS Servm\nIANA assigned this well-formed service name as a replacement for "boks_servm".', 'boks_servm': 'BoKS Servm', 'boks-clntd': 'BoKS Clntd\nIANA assigned this well-formed service name as a replacement for "boks_clntd".', 'boks_clntd': 'BoKS Clntd', 'badm-priv': 'BoKS Admin Private Port\nIANA assigned this well-formed service name as a replacement for "badm_priv".', 'badm_priv': 'BoKS Admin Private Port', 'badm-pub': 'BoKS Admin Public Port\nIANA assigned this well-formed service name as a replacement for "badm_pub".', 'badm_pub': 'BoKS Admin Public Port', 'bdir-priv': 'BoKS Dir Server, Private Port\nIANA assigned this well-formed service name as a replacement for "bdir_priv".', 'bdir_priv': 'BoKS Dir Server, Private Port', 'bdir-pub': 'BoKS Dir Server, Public Port\nIANA assigned this well-formed service name as a replacement for "bdir_pub".', 'bdir_pub': 'BoKS Dir Server, Public Port', 'mgcs-mfp-port': 'MGCS-MFP Port', 'mcer-port': 'MCER Port', 'dccp-udp': 'Datagram Congestion Control Protocol Encapsulation for NAT Traversal', 'syslog-tls': 'syslog over DTLS', 'elipse-rec': 'Elipse RPC Protocol', 'lds-distrib': 'lds_distrib', 'lds-dump': 'LDS Dump Service', 'apc-6547': 'APC 6547', 'apc-6548': 'APC 6548', 'apc-6549': 'APC 6549', 'fg-sysupdate': 'fg-sysupdate', 'sum': 'Software Update Manager', 'xdsxdm': '', 'sane-port': 'SANE Control Port', 'rp-reputation': 'Roaring Penguin IP Address Reputation Collection', 'affiliate': 'Affiliate', 'parsec-master': 'Parsec Masterserver', 'parsec-peer': 'Parsec Peer-to-Peer', 'parsec-game': 'Parsec Gameserver', 'joaJewelSuite': 'JOA Jewel Suite', 'odette-ftps': 'ODETTE-FTP over TLS/SSL', 'kftp-data': 'Kerberos V5 FTP Data', 'kftp': 'Kerberos V5 FTP Control', 'mcftp': 'Multicast FTP', 'ktelnet': 'Kerberos V5 Telnet', 'wago-service': 'WAGO Service and Update', 'nexgen': 'Allied Electronics NeXGen', 'afesc-mc': 'AFE Stock Channel M/C', 'cisco-vpath-tun': 'Cisco vPath Services Overlay', 'palcom-disc': 'PalCom Discovery', 'vocaltec-gold': 'Vocaltec Global Online Directory', 'p4p-portal': 'P4P Portal Service', 'vision-server': 'vision_server\nIANA assigned this well-formed service name as a replacement for "vision_server".', 'vision_server': 'vision_server', 'vision-elmd': 'vision_elmd\nIANA assigned this well-formed service name as a replacement for "vision_elmd".', 'vision_elmd': 'vision_elmd', 'vfbp-disc': 'Viscount Freedom Bridge Discovery', 'osaut': 'Osorno Automation', 'tsa': 'Tofino Security Appliance', 'babel': 'Babel Routing Protocol', 'kti-icad-srvr': 'KTI/ICAD Nameserver', 'e-design-net': 'e-Design network', 'e-design-web': 'e-Design web', 'ibprotocol': 'Internet Backplane Protocol', 'fibotrader-com': 'Fibotrader Communications', 'bmc-perf-agent': 'BMC PERFORM AGENT', 'bmc-perf-mgrd': 'BMC PERFORM MGRD', 'adi-gxp-srvprt': 'ADInstruments GxP Server', 'plysrv-http': 'PolyServe http', 'plysrv-https': 'PolyServe https', 'dgpf-exchg': 'DGPF Individual Exchange', 'smc-jmx': 'Sun Java Web Console JMX', 'smc-admin': 'Sun Web Console Admin', 'smc-http': 'SMC-HTTP', 'smc-https': 'SMC-HTTPS', 'hnmp': 'HNMP', 'hnm': 'Halcyon Network Manager', 'acnet': 'ACNET Control System Protocol', 'ambit-lm': 'ambit-lm', 'netmo-default': 'Netmo Default', 'netmo-http': 'Netmo HTTP', 'iccrushmore': 'ICCRUSHMORE', 'acctopus-st': 'Acctopus Status', 'muse': 'MUSE', 'ethoscan': 'EthoScan Service', 'xsmsvc': 'XenSource Management Service', 'bioserver': 'Biometrics Server', 'otlp': 'OTLP', 'jmact3': 'JMACT3', 'jmevt2': 'jmevt2', 'swismgr1': 'swismgr1', 'swismgr2': 'swismgr2', 'swistrap': 'swistrap', 'swispol': 'swispol', 'acmsoda': 'acmsoda', 'MobilitySrv': 'Mobility XE Protocol', 'iatp-highpri': 'IATP-highPri', 'iatp-normalpri': 'IATP-normalPri', 'afs3-fileserver': 'file server itself', 'afs3-callback': 'callbacks to cache managers', 'afs3-prserver': 'users & groups database', 'afs3-vlserver': 'volume location database', 'afs3-kaserver': 'AFS/Kerberos authentication service', 'afs3-volser': 'volume managment server', 'afs3-errors': 'error interpretation service', 'afs3-bos': 'basic overseer process', 'afs3-update': 'server-to-server updater', 'afs3-rmtsys': 'remote cache manager service', 'ups-onlinet': 'onlinet uninterruptable power supplies', 'talon-disc': 'Talon Discovery Port', 'talon-engine': 'Talon Engine', 'microtalon-dis': 'Microtalon Discovery', 'microtalon-com': 'Microtalon Communications', 'talon-webserver': 'Talon Webserver', 'doceri-view': 'doceri drawing service screen view', 'dpserve': 'DP Serve', 'dpserveadmin': 'DP Serve Admin', 'ctdp': 'CT Discovery Protocol', 'ct2nmcs': 'Comtech T2 NMCS', 'vmsvc': 'Vormetric service', 'vmsvc-2': 'Vormetric Service II', 'op-probe': 'ObjectPlanet probe', 'quest-disc': 'Quest application level network service discovery', 'arcp': 'ARCP', 'iwg1': 'IWGADTS Aircraft Housekeeping Message', 'empowerid': 'EmpowerID Communication', 'lazy-ptop': 'lazy-ptop', 'font-service': 'X Font Service', 'elcn': 'Embedded Light Control Network', 'aes-x170': 'AES-X170', 'virprot-lm': 'Virtual Prototypes License Manager', 'scenidm': 'intelligent data manager', 'scenccs': 'Catalog Content Search', 'cabsm-comm': 'CA BSM Comm', 'caistoragemgr': 'CA Storage Manager', 'cacsambroker': 'CA Connection Broker', 'fsr': 'File System Repository Agent', 'doc-server': 'Document WCF Server', 'aruba-server': 'Aruba eDiscovery Server', 'ccag-pib': 'Consequor Consulting Process Integration Bridge', 'nsrp': 'Adaptive Name/Service Resolution', 'drm-production': 'Discovery and Retention Mgt Production', 'clutild': 'Clutild', 'fodms': 'FODMS FLIP', 'dlip': 'DLIP', 'ramp': 'Registry A $ M Protocol', 'cnap': 'Calypso Network Access Protocol', 'watchme-7272': 'WatchMe Monitoring 7272', 'oma-rlp': 'OMA Roaming Location', 'oma-rlp-s': 'OMA Roaming Location SEC', 'oma-ulp': 'OMA UserPlane Location', 'oma-ilp': 'OMA Internal Location Protocol', 'oma-ilp-s': 'OMA Internal Location Secure Protocol', 'oma-dcdocbs': 'OMA Dynamic Content Delivery over CBS', 'ctxlic': 'Citrix Licensing', 'itactionserver1': 'ITACTIONSERVER 1', 'itactionserver2': 'ITACTIONSERVER 2', 'mzca-alert': 'eventACTION/ussACTION (MZCA) alert', 'lcm-server': 'LifeKeeper Communications', 'mindfilesys': 'mind-file system server', 'mrssrendezvous': 'mrss-rendezvous server', 'nfoldman': 'nFoldMan Remote Publish', 'fse': 'File system export of backup images', 'winqedit': 'winqedit', 'hexarc': 'Hexarc Command Language', 'rtps-discovery': 'RTPS Discovery', 'rtps-dd-ut': 'RTPS Data-Distribution User-Traffic', 'rtps-dd-mt': 'RTPS Data-Distribution Meta-Traffic', 'ionixnetmon': 'Ionix Network Monitor', 'mtportmon': 'Matisse Port Monitor', 'pmdmgr': 'OpenView DM Postmaster Manager', 'oveadmgr': 'OpenView DM Event Agent Manager', 'ovladmgr': 'OpenView DM Log Agent Manager', 'opi-sock': 'OpenView DM rqt communication', 'xmpv7': 'OpenView DM xmpv7 api pipe', 'pmd': 'OpenView DM ovc/xmpv3 api pipe', 'faximum': 'Faximum', 'oracleas-https': 'Oracle Application Server HTTPS', 'rise': 'Rise: The Vieneo Province', 'telops-lmd': 'telops-lmd', 'silhouette': 'Silhouette User', 'ovbus': 'HP OpenView Bus Daemon', 'ovhpas': 'HP OpenView Application Server', 'pafec-lm': 'pafec-lm', 'saratoga': 'Saratoga Transfer Protocol', 'atul': 'atul server', 'nta-ds': 'FlowAnalyzer DisplayServer', 'nta-us': 'FlowAnalyzer UtilityServer', 'cfs': 'Cisco Fabric service', 'cwmp': 'DSL Forum CWMP', 'tidp': 'Threat Information Distribution Protocol', 'nls-tl': 'Network Layer Signaling Transport Layer', 'cloudsignaling': 'Cloud Signaling Service', 'sncp': 'Sniffer Command Protocol', 'vsi-omega': 'VSI Omega', 'aries-kfinder': 'Aries Kfinder', 'sun-lm': 'Sun License Manager', 'indi': 'Instrument Neutral Distributed Interface', 'soap-http': 'SOAP Service Port', 'zen-pawn': 'Primary Agent Work Notification', 'xdas': 'OpenXDAS Wire Protocol', 'pmdfmgt': 'PMDF Management', 'cuseeme': 'bonjour-cuseeme', 'imqtunnels': 'iMQ SSL tunnel', 'imqtunnel': 'iMQ Tunnel', 'imqbrokerd': 'iMQ Broker Rendezvous', 'sun-user-https': 'Sun App Server - HTTPS', 'pando-pub': 'Pando Media Public Distribution', 'collaber': 'Collaber Network Service', 'klio': 'KLIO communications', 'sync-em7': 'EM7 Dynamic Updates', 'scinet': 'scientia.net', 'medimageportal': 'MedImage Portal', 'nsdeepfreezectl': 'Novell Snap-in Deep Freeze Control', 'nitrogen': 'Nitrogen Service', 'freezexservice': 'FreezeX Console Service', 'trident-data': 'Trident Systems Data', 'smip': 'Smith Protocol over IP', 'aiagent': 'HP Enterprise Discovery Agent', 'scriptview': 'ScriptView Network', 'sstp-1': 'Sakura Script Transfer Protocol', 'raqmon-pdu': 'RAQMON PDU', 'prgp': 'Put/Run/Get Protocol', 'cbt': 'cbt', 'interwise': 'Interwise', 'vstat': 'VSTAT', 'accu-lmgr': 'accu-lmgr', 'minivend': 'MINIVEND', 'popup-reminders': 'Popup Reminders Receive', 'office-tools': 'Office Tools Pro Receive', 'q3ade': 'Q3ADE Cluster Service', 'pnet-conn': 'Propel Connector port', 'pnet-enc': 'Propel Encoder port', 'altbsdp': 'Alternate BSDP Service', 'asr': 'Apple Software Restore', 'ssp-client': 'Secure Server Protocol - client', 'rbt-wanopt': 'Riverbed WAN Optimization Protocol', 'apc-7845': 'APC 7845', 'apc-7846': 'APC 7846', 'mipv6tls': 'TLS-based Mobile IPv6 Security', 'pss': 'Pearson', 'ubroker': 'Universal Broker', 'mevent': 'Multicast Event', 'tnos-sp': 'TNOS Service Protocol', 'tnos-dp': 'TNOS shell Protocol', 'tnos-dps': 'TNOS Secure DiaguardProtocol', 'qo-secure': 'QuickObjects secure port', 't2-drm': 'Tier 2 Data Resource Manager', 't2-brm': 'Tier 2 Business Rules Manager', 'supercell': 'Supercell', 'micromuse-ncps': 'Micromuse-ncps', 'quest-vista': 'Quest Vista', 'sossd-disc': 'Spotlight on SQL Server Desktop Agent Discovery', 'usicontentpush': 'USI Content Push Service', 'irdmi2': 'iRDMI2', 'irdmi': 'iRDMI', 'vcom-tunnel': 'VCOM Tunnel', 'teradataordbms': 'Teradata ORDBMS', 'mcreport': 'Mulberry Connect Reporting Service', 'mxi': 'MXI Generation II for z/OS', 'http-alt': 'HTTP Alternate', 'qbdb': 'QB DB Dynamic Port', 'intu-ec-svcdisc': 'Intuit Entitlement Service and Discovery', 'intu-ec-client': 'Intuit Entitlement Client', 'oa-system': 'oa-system', 'ca-audit-da': 'CA Audit Distribution Agent', 'ca-audit-ds': 'CA Audit Distribution Server', 'pro-ed': 'ProEd', 'mindprint': 'MindPrint', 'vantronix-mgmt': '.vantronix Management', 'ampify': 'Ampify Messaging Protocol', 'senomix01': 'Senomix Timesheets Server', 'senomix02': 'Senomix Timesheets Client [1 year assignment]', 'senomix03': 'Senomix Timesheets Server [1 year assignment]', 'senomix04': 'Senomix Timesheets Server [1 year assignment]', 'senomix05': 'Senomix Timesheets Server [1 year assignment]', 'senomix06': 'Senomix Timesheets Client [1 year assignment]', 'senomix07': 'Senomix Timesheets Client [1 year assignment]', 'senomix08': 'Senomix Timesheets Client [1 year assignment]', 'aero': 'Asymmetric Extended Route Optimization (AERO)', 'gadugadu': 'Gadu-Gadu', 'http-alt': 'HTTP Alternate (see port 80)', 'sunproxyadmin': 'Sun Proxy Admin Service', 'us-cli': 'Utilistor (Client)', 'us-srv': 'Utilistor (Server)', 'd-s-n': 'Distributed SCADA Networking Rendezvous Port', 'simplifymedia': 'Simplify Media SPP Protocol', 'radan-http': 'Radan HTTP', 'sac': 'SAC Port Id', 'xprint-server': 'Xprint Server', 'mtl8000-matrix': 'MTL8000 Matrix', 'cp-cluster': 'Check Point Clustering', 'privoxy': 'Privoxy HTTP proxy', 'apollo-data': 'Apollo Data Port', 'apollo-admin': 'Apollo Admin Port', 'paycash-online': 'PayCash Online Protocol', 'paycash-wbp': 'PayCash Wallet-Browser', 'indigo-vrmi': 'INDIGO-VRMI', 'indigo-vbcp': 'INDIGO-VBCP', 'dbabble': 'dbabble', 'isdd': 'i-SDD file transfer', 'eor-game': 'Edge of Reality game data', 'patrol': 'Patrol', 'patrol-snmp': 'Patrol SNMP', 'vmware-fdm': 'VMware Fault Domain Manager', 'itach': 'Remote iTach Connection', 'spytechphone': 'SpyTech Phone Service', 'blp1': 'Bloomberg data API', 'blp2': 'Bloomberg feed', 'vvr-data': 'VVR DATA', 'trivnet1': 'TRIVNET', 'trivnet2': 'TRIVNET', 'aesop': 'Audio+Ethernet Standard Open Protocol', 'lm-perfworks': 'LM Perfworks', 'lm-instmgr': 'LM Instmgr', 'lm-dta': 'LM Dta', 'lm-sserver': 'LM SServer', 'lm-webwatcher': 'LM Webwatcher', 'rexecj': 'RexecJ Server', 'synapse-nhttps': 'Synapse Non Blocking HTTPS', 'pando-sec': 'Pando Media Controlled Distribution', 'synapse-nhttp': 'Synapse Non Blocking HTTP', 'blp3': 'Bloomberg professional', 'blp4': 'Bloomberg intelligent client', 'tmi': 'Transport Management Interface', 'amberon': 'Amberon PPC/PPS', 'tnp-discover': 'Thin(ium) Network Protocol', 'tnp': 'Thin(ium) Network Protocol', 'server-find': 'Server Find', 'cruise-enum': 'Cruise ENUM', 'cruise-swroute': 'Cruise SWROUTE', 'cruise-config': 'Cruise CONFIG', 'cruise-diags': 'Cruise DIAGS', 'cruise-update': 'Cruise UPDATE', 'm2mservices': 'M2m Services', 'cvd': 'cvd', 'sabarsd': 'sabarsd', 'abarsd': 'abarsd', 'admind': 'admind', 'espeech': 'eSpeech Session Protocol', 'espeech-rtp': 'eSpeech RTP Protocol', 'cybro-a-bus': 'CyBro A-bus Protocol', 'pcsync-https': 'PCsync HTTPS', 'pcsync-http': 'PCsync HTTP', 'npmp': 'npmp', 'otv': 'Overlay Transport Virtualization (OTV)', 'vp2p': 'Virtual Point to Point', 'noteshare': 'AquaMinds NoteShare', 'fmtp': 'Flight Message Transfer Protocol', 'cmtp-av': 'CYTEL Message Transfer Audio and Video', 'rtsp-alt': 'RTSP Alternate (see port 554)', 'd-fence': 'SYMAX D-FENCE', 'oap-admin': 'Object Access Protocol Administration', 'asterix': 'Surveillance Data', 'canon-cpp-disc': 'Canon Compact Printer Protocol Discovery', 'canon-mfnp': 'Canon MFNP Service', 'canon-bjnp1': 'Canon BJNP Port 1', 'canon-bjnp2': 'Canon BJNP Port 2', 'canon-bjnp3': 'Canon BJNP Port 3', 'canon-bjnp4': 'Canon BJNP Port 4', 'msi-cps-rm-disc': 'Motorola Solutions Customer Programming Software for Radio Management Discovery', 'sun-as-jmxrmi': 'Sun App Server - JMX/RMI', 'vnyx': 'VNYX Primary Port', 'dtp-net': 'DASGIP Net Services', 'ibus': 'iBus', 'mc-appserver': 'MC-APPSERVER', 'openqueue': 'OPENQUEUE', 'ultraseek-http': 'Ultraseek HTTP', 'dpap': 'Digital Photo Access Protocol (iPhoto)', 'msgclnt': 'Message Client', 'msgsrvr': 'Message Server', 'acd-pm': 'Accedian Performance Measurement', 'sunwebadmin': 'Sun Web Server Admin Service', 'truecm': 'truecm', 'dxspider': 'dxspider linking protocol', 'cddbp-alt': 'CDDBP', 'secure-mqtt': 'Secure MQTT', 'ddi-udp-1': 'NewsEDGE server UDP (UDP 1)', 'ddi-udp-2': 'NewsEDGE server broadcast', 'ddi-udp-3': 'NewsEDGE client broadcast', 'ddi-udp-4': 'Desktop Data UDP 3: NESS application', 'ddi-udp-5': 'Desktop Data UDP 4: FARM product', 'ddi-udp-6': 'Desktop Data UDP 5: NewsEDGE/Web application', 'ddi-udp-7': 'Desktop Data UDP 6: COAL application', 'ospf-lite': 'ospf-lite', 'jmb-cds1': 'JMB-CDS 1', 'jmb-cds2': 'JMB-CDS 2', 'manyone-http': 'manyone-http', 'manyone-xml': 'manyone-xml', 'wcbackup': 'Windows Client Backup', 'dragonfly': 'Dragonfly System Service', 'cumulus-admin': 'Cumulus Admin Port', 'sunwebadmins': 'Sun Web Server SSL Admin Service', 'http-wmap': 'webmail HTTP service', 'https-wmap': 'webmail HTTPS service', 'bctp': 'Brodos Crypto Trade Protocol', 'cslistener': 'CSlistener', 'etlservicemgr': 'ETL Service Manager', 'dynamid': 'DynamID authentication', 'ogs-client': 'Open Grid Services Client', 'pichat': 'Pichat Server', 'tambora': 'TAMBORA', 'panagolin-ident': 'Pangolin Identification', 'paragent': 'PrivateArk Remote Agent', 'swa-1': 'Secure Web Access - 1', 'swa-2': 'Secure Web Access - 2', 'swa-3': 'Secure Web Access - 3', 'swa-4': 'Secure Web Access - 4', 'glrpc': 'Groove GLRPC', 'aurora': 'IBM AURORA Performance Visualizer', 'ibm-rsyscon': 'IBM Remote System Console', 'net2display': 'Vesa Net2Display', 'classic': 'Classic Data Server', 'sqlexec': 'IBM Informix SQL Interface', 'sqlexec-ssl': 'IBM Informix SQL Interface - Encrypted', 'websm': 'WebSM', 'xmltec-xmlmail': 'xmltec-xmlmail', 'XmlIpcRegSvc': 'Xml-Ipc Server Reg', 'hp-pdl-datastr': 'PDL Data Streaming Port', 'pdl-datastream': 'Printer PDL Data Stream', 'bacula-dir': 'Bacula Director', 'bacula-fd': 'Bacula File Daemon', 'bacula-sd': 'Bacula Storage Daemon', 'peerwire': 'PeerWire', 'xadmin': 'Xadmin Control Service', 'astergate-disc': 'Astergate Discovery Service', 'mxit': 'MXit Instant Messaging', 'dddp': 'Dynamic Device Discovery', 'apani1': 'apani1', 'apani2': 'apani2', 'apani3': 'apani3', 'apani4': 'apani4', 'apani5': 'apani5', 'sun-as-jpda': 'Sun AppSvr JPDA', 'wap-wsp': 'WAP connectionless session service', 'wap-wsp-wtp': 'WAP session service', 'wap-wsp-s': 'WAP secure connectionless session service', 'wap-wsp-wtp-s': 'WAP secure session service', 'wap-vcard': 'WAP vCard', 'wap-vcal': 'WAP vCal', 'wap-vcard-s': 'WAP vCard Secure', 'wap-vcal-s': 'WAP vCal Secure', 'rjcdb-vcards': 'rjcdb vCard', 'almobile-system': 'ALMobile System Service', 'oma-mlp': 'OMA Mobile Location Protocol', 'oma-mlp-s': 'OMA Mobile Location Protocol Secure', 'serverviewdbms': 'Server View dbms access', 'serverstart': 'ServerStart RemoteControl', 'ipdcesgbs': 'IPDC ESG BootstrapService', 'insis': 'Integrated Setup and Install Service', 'acme': 'Aionex Communication Management Engine', 'fsc-port': 'FSC Communication Port', 'teamcoherence': 'QSC Team Coherence', 'mon': 'Manager On Network', 'pegasus': 'Pegasus GPS Platform', 'pegasus-ctl': 'Pegaus GPS System Control Interface', 'pgps': 'Predicted GPS', 'swtp-port1': 'SofaWare transport port 1', 'swtp-port2': 'SofaWare transport port 2', 'callwaveiam': 'CallWaveIAM', 'visd': 'VERITAS Information Serve', 'n2h2server': 'N2H2 Filter Service Port', 'n2receive': 'n2 monitoring receiver', 'cumulus': 'Cumulus', 'armtechdaemon': 'ArmTech Daemon', 'storview': 'StorView Client', 'armcenterhttp': 'ARMCenter http Service', 'armcenterhttps': 'ARMCenter https Service', 'vrace': 'Virtual Racing Service', 'secure-ts': 'PKIX TimeStamp over TLS', 'guibase': 'guibase', 'mpidcmgr': 'MpIdcMgr', 'mphlpdmc': 'Mphlpdmc', 'ctechlicensing': 'C Tech Licensing', 'fjdmimgr': 'fjdmimgr', 'boxp': 'Brivs! Open Extensible Protocol', 'fjinvmgr': 'fjinvmgr', 'mpidcagt': 'MpIdcAgt', 'sec-t4net-srv': 'Samsung Twain for Network Server', 'sec-t4net-clt': 'Samsung Twain for Network Client', 'sec-pc2fax-srv': 'Samsung PC2FAX for Network Server', 'git': 'git pack transfer service', 'tungsten-https': 'WSO2 Tungsten HTTPS', 'wso2esb-console': 'WSO2 ESB Administration Console HTTPS', 'sntlkeyssrvr': 'Sentinel Keys Server', 'ismserver': 'ismserver', 'sma-spw': 'SMA Speedwire', 'mngsuite': 'Management Suite Remote Control', 'laes-bf': 'Surveillance buffering function', 'trispen-sra': 'Trispen Secure Remote Access', 'ldgateway': 'LANDesk Gateway', 'cba8': 'LANDesk Management Agent (cba8)', 'msgsys': 'Message System', 'pds': 'Ping Discovery Service', 'mercury-disc': 'Mercury Discovery', 'pd-admin': 'PD Administration', 'vscp': 'Very Simple Ctrl Protocol', 'robix': 'Robix', 'micromuse-ncpw': 'MICROMUSE-NCPW', 'streamcomm-ds': 'StreamComm User Directory', 'condor': 'Condor Collector Service', 'odbcpathway': 'ODBC Pathway Service', 'uniport': 'UniPort SSO Controller', 'mc-comm': 'Mobile-C Communications', 'xmms2': 'Cross-platform Music Multiplexing System', 'tec5-sdctp': 'tec5 Spectral Device Control Protocol', 'client-wakeup': 'T-Mobile Client Wakeup Message', 'ccnx': 'Content Centric Networking', 'board-roar': 'Board M.I.T. Service', 'l5nas-parchan': 'L5NAS Parallel Channel', 'board-voip': 'Board M.I.T. Synchronous Collaboration', 'rasadv': 'rasadv', 'tungsten-http': 'WSO2 Tungsten HTTP', 'davsrc': 'WebDav Source Port', 'sstp-2': 'Sakura Script Transfer Protocol-2', 'davsrcs': 'WebDAV Source TLS/SSL', 'sapv1': 'Session Announcement v1', 'kca-service': 'The KX509 Kerberized Certificate Issuance Protocol in Use in 2012', 'cyborg-systems': 'CYBORG Systems', 'gt-proxy': 'Port for Cable network related data proxy or repeater', 'monkeycom': 'MonkeyCom', 'sctp-tunneling': 'SCTP TUNNELING', 'iua': 'IUA', 'enrp': 'enrp server channel', 'multicast-ping': 'Multicast Ping Protocol', 'domaintime': 'domaintime', 'sype-transport': 'SYPECom Transport Protocol', 'apc-9950': 'APC 9950', 'apc-9951': 'APC 9951', 'apc-9952': 'APC 9952', 'acis': '9953', 'alljoyn-mcm': 'Contact Port for AllJoyn multiplexed constrained messaging', 'alljoyn': 'Alljoyn Name Service', 'odnsp': 'OKI Data Network Setting Protocol', 'dsm-scm-target': 'DSM/SCM Target Interface', 'osm-appsrvr': 'OSM Applet Server', 'osm-oev': 'OSM Event Server', 'palace-1': 'OnLive-1', 'palace-2': 'OnLive-2', 'palace-3': 'OnLive-3', 'palace-4': 'Palace-4', 'palace-5': 'Palace-5', 'palace-6': 'Palace-6', 'distinct32': 'Distinct32', 'distinct': 'distinct', 'ndmp': 'Network Data Management Protocol', 'scp-config': 'SCP Configuration', 'documentum': 'EMC-Documentum Content Server Product', 'documentum-s': 'EMC-Documentum Content Server Product\nIANA assigned this well-formed service name as a replacement for "documentum_s".', 'documentum_s': 'EMC-Documentum Content Server Product', 'mvs-capacity': 'MVS Capacity', 'octopus': 'Octopus Multiplexer', 'swdtp-sv': 'Systemwalker Desktop Patrol', 'zabbix-agent': 'Zabbix Agent', 'zabbix-trapper': 'Zabbix Trapper', 'amanda': 'Amanda', 'famdc': 'FAM Archive Server', 'itap-ddtp': 'VERITAS ITAP DDTP', 'ezmeeting-2': 'eZmeeting', 'ezproxy-2': 'eZproxy', 'ezrelay': 'eZrelay', 'swdtp': 'Systemwalker Desktop Patrol', 'bctp-server': 'VERITAS BCTP, server', 'nmea-0183': 'NMEA-0183 Navigational Data', 'nmea-onenet': 'NMEA OneNet multicast messaging', 'netiq-endpoint': 'NetIQ Endpoint', 'netiq-qcheck': 'NetIQ Qcheck', 'netiq-endpt': 'NetIQ Endpoint', 'netiq-voipa': 'NetIQ VoIP Assessor', 'iqrm': 'NetIQ IQCResource Managament Svc', 'bmc-perf-sd': 'BMC-PERFORM-SERVICE DAEMON', 'qb-db-server': 'QB Database Server', 'snmpdtls': 'SNMP-DTLS', 'snmpdtls-trap': 'SNMP-Trap-DTLS', 'trisoap': 'Trigence AE Soap Service', 'rscs': 'Remote Server Control and Test Service', 'apollo-relay': 'Apollo Relay Port', 'axis-wimp-port': 'Axis WIMP Port', 'blocks': 'Blocks', 'hip-nat-t': 'HIP NAT-Traversal', 'MOS-lower': 'MOS Media Object Metadata Port', 'MOS-upper': 'MOS Running Order Port', 'MOS-aux': 'MOS Low Priority Port', 'MOS-soap': 'MOS SOAP Default Port', 'MOS-soap-opt': 'MOS SOAP Optional Port', 'gap': 'Gestor de Acaparamiento para Pocket PCs', 'lpdg': 'LUCIA Pareja Data Group', 'nmc-disc': 'Nuance Mobile Care Discovery', 'helix': 'Helix Client/Server', 'rmiaux': 'Auxiliary RMI Port', 'irisa': 'IRISA', 'metasys': 'Metasys', 'sgi-lk': 'SGI LK Licensing service', 'vce': 'Viral Computing Environment (VCE)', 'dicom': 'DICOM', 'suncacao-snmp': 'sun cacao snmp access point', 'suncacao-jmxmp': 'sun cacao JMX-remoting access point', 'suncacao-rmi': 'sun cacao rmi registry access point', 'suncacao-csa': 'sun cacao command-streaming access point', 'suncacao-websvc': 'sun cacao web service access point', 'snss': 'Surgical Notes Security Service Discovery (SNSS)', 'smsqp': 'smsqp', 'wifree': 'WiFree Service', 'memcache': 'Memory cache service', 'imip': 'IMIP', 'imip-channels': 'IMIP Channels Port', 'arena-server': 'Arena Server Listen', 'atm-uhas': 'ATM UHAS', 'hkp': 'OpenPGP HTTP Keyserver', 'tempest-port': 'Tempest Protocol Port', 'h323callsigalt': 'h323 Call Signal Alternate', 'intrepid-ssl': 'Intrepid SSL', 'lanschool-mpt': 'Lanschool Multipoint', 'xoraya': 'X2E Xoraya Multichannel protocol', 'x2e-disc': 'X2E service discovery protocol', 'sysinfo-sp': 'SysInfo Sercice Protocol', 'entextxid': 'IBM Enterprise Extender SNA XID Exchange', 'entextnetwk': 'IBM Enterprise Extender SNA COS Network Priority', 'entexthigh': 'IBM Enterprise Extender SNA COS High Priority', 'entextmed': 'IBM Enterprise Extender SNA COS Medium Priority', 'entextlow': 'IBM Enterprise Extender SNA COS Low Priority', 'dbisamserver1': 'DBISAM Database Server - Regular', 'dbisamserver2': 'DBISAM Database Server - Admin', 'accuracer': 'Accuracer Database System Server', 'accuracer-dbms': 'Accuracer Database System Admin', 'ghvpn': 'Green Hills VPN', 'vipera': 'Vipera Messaging Service', 'vipera-ssl': 'Vipera Messaging Service over SSL Communication', 'rets-ssl': 'RETS over SSL', 'nupaper-ss': 'NuPaper Session Service', 'cawas': 'CA Web Access Service', 'hivep': 'HiveP', 'linogridengine': 'LinoGrid Engine', 'warehouse-sss': 'Warehouse Monitoring Syst SSS', 'warehouse': 'Warehouse Monitoring Syst', 'italk': 'Italk Chat System', 'tsaf': 'tsaf port', 'i-zipqd': 'I-ZIPQD', 'bcslogc': 'Black Crow Software application logging', 'rs-pias': 'R&S Proxy Installation Assistant Service', 'emc-vcas-udp': 'EMV Virtual CAS Service Discovery', 'powwow-client': 'PowWow Client', 'powwow-server': 'PowWow Server', 'doip-disc': 'DoIP Discovery', 'bprd': 'BPRD Protocol (VERITAS NetBackup)', 'bpdbm': 'BPDBM Protocol (VERITAS NetBackup)', 'bpjava-msvc': 'BP Java MSVC Protocol', 'vnetd': 'Veritas Network Utility', 'bpcd': 'VERITAS NetBackup', 'vopied': 'VOPIED Protocol', 'nbdb': 'NetBackup Database', 'nomdb': 'Veritas-nomdb', 'dsmcc-config': 'DSMCC Config', 'dsmcc-session': 'DSMCC Session Messages', 'dsmcc-passthru': 'DSMCC Pass-Thru Messages', 'dsmcc-download': 'DSMCC Download Protocol', 'dsmcc-ccp': 'DSMCC Channel Change Protocol', 'ucontrol': 'Ultimate Control communication protocol', 'dta-systems': 'D-TA SYSTEMS', 'scotty-ft': 'SCOTTY High-Speed Filetransfer', 'sua': 'De-Registered', 'sage-best-com1': 'sage Best! Config Server 1', 'sage-best-com2': 'sage Best! Config Server 2', 'vcs-app': 'VCS Application', 'icpp': 'IceWall Cert Protocol', 'gcm-app': 'GCM Application', 'vrts-tdd': 'Veritas Traffic Director', 'vad': 'Veritas Application Director', 'cps': 'Fencing Server', 'ca-web-update': 'CA eTrust Web Update Service', 'hde-lcesrvr-1': 'hde-lcesrvr-1', 'hde-lcesrvr-2': 'hde-lcesrvr-2', 'hydap': 'Hypack Data Aquisition', 'v2g-secc': 'v2g Supply Equipment Communication Controller Discovery Protocol', 'xpilot': 'XPilot Contact Port', '3link': '3Link Negotiation', 'cisco-snat': 'Cisco Stateful NAT', 'bex-xr': 'Backup Express Restore Server', 'ptp': 'Picture Transfer Protocol', '2ping': '2ping Bi-Directional Ping Service', 'alfin': 'Automation and Control by REGULACE.ORG', 'sun-sea-port': 'Solaris SEA Port', 'etb4j': 'etb4j', 'pduncs': 'Policy Distribute, Update Notification', 'pdefmns': 'Policy definition and update management', 'netserialext1': 'Network Serial Extension Ports One', 'netserialext2': 'Network Serial Extension Ports Two', 'netserialext3': 'Network Serial Extension Ports Three', 'netserialext4': 'Network Serial Extension Ports Four', 'connected': 'Connected Corp', 'vtp': 'Vidder Tunnel Protocol', 'newbay-snc-mc': 'Newbay Mobile Client Update Service', 'sgcip': 'Simple Generic Client Interface Protocol', 'intel-rci-mp': 'INTEL-RCI-MP', 'amt-soap-http': 'Intel(R) AMT SOAP/HTTP', 'amt-soap-https': 'Intel(R) AMT SOAP/HTTPS', 'amt-redir-tcp': 'Intel(R) AMT Redirection/TCP', 'amt-redir-tls': 'Intel(R) AMT Redirection/TLS', 'isode-dua': '', 'soundsvirtual': 'Sounds Virtual', 'chipper': 'Chipper', 'avdecc': 'IEEE 1722.1 AVB Discovery, Enumeration, Connection management, and Control', 'cpsp': 'Control Plane Synchronization Protocol (SPSP)', 'integrius-stp': 'Integrius Secure Tunnel Protocol', 'ssh-mgmt': 'SSH Tectia Manager', 'db-lsp-disc': 'Dropbox LanSync Discovery', 'ea': 'Eclipse Aviation', 'zep': 'Encap. ZigBee Packets', 'zigbee-ip': 'ZigBee IP Transport Service', 'zigbee-ips': 'ZigBee IP Transport Secure Service', 'biimenu': 'Beckman Instruments, Inc.', 'opsec-cvp': 'OPSEC CVP', 'opsec-ufp': 'OPSEC UFP', 'opsec-sam': 'OPSEC SAM', 'opsec-lea': 'OPSEC LEA', 'opsec-omi': 'OPSEC OMI', 'ohsc': 'Occupational Health Sc', 'opsec-ela': 'OPSEC ELA', 'checkpoint-rtm': 'Check Point RTM', 'gv-pf': 'GV NetConfig Service', 'ac-cluster': 'AC Cluster', 'rds-ib': 'Reliable Datagram Service', 'rds-ip': 'Reliable Datagram Service over IP', 'ique': 'IQue Protocol', 'infotos': 'Infotos', 'apc-necmp': 'APCNECMP', 'igrid': 'iGrid Server', 'opsec-uaa': 'OPSEC UAA', 'ua-secureagent': 'UserAuthority SecureAgent', 'keysrvr': 'Key Server for SASSAFRAS', 'keyshadow': 'Key Shadow for SASSAFRAS', 'mtrgtrans': 'mtrgtrans', 'hp-sco': 'hp-sco', 'hp-sca': 'hp-sca', 'hp-sessmon': 'HP-SESSMON', 'fxuptp': 'FXUPTP', 'sxuptp': 'SXUPTP', 'jcp': 'JCP Client', 'dnp-sec': 'Distributed Network Protocol - Secure', 'dnp': 'DNP', 'microsan': 'MicroSAN', 'commtact-http': 'Commtact HTTP', 'commtact-https': 'Commtact HTTPS', 'openwebnet': 'OpenWebNet protocol for electric network', 'ss-idi-disc': 'Samsung Interdevice Interaction discovery', 'opendeploy': 'OpenDeploy Listener', 'nburn-id': 'NetBurner ID Port\nIANA assigned this well-formed service name as a replacement for "nburn_id".', 'nburn_id': 'NetBurner ID Port', 'tmophl7mts': 'TMOP HL7 Message Transfer Service', 'mountd': 'NFS mount protocol', 'nfsrdma': 'Network File System (NFS) over RDMA', 'tolfab': 'TOLfab Data Change', 'ipdtp-port': 'IPD Tunneling Port', 'ipulse-ics': 'iPulse-ICS', 'emwavemsg': 'emWave Message Service', 'track': 'Track', 'athand-mmp': 'AT Hand MMP', 'irtrans': 'IRTrans Control', 'dfserver': 'MineScape Design File Server', 'vofr-gateway': 'VoFR Gateway', 'tvpm': 'TVNC Pro Multiplexing', 'webphone': 'webphone', 'netspeak-is': 'NetSpeak Corp. Directory Services', 'netspeak-cs': 'NetSpeak Corp. Connection Services', 'netspeak-acd': 'NetSpeak Corp. Automatic Call Distribution', 'netspeak-cps': 'NetSpeak Corp. Credit Processing System', 'snapenetio': 'SNAPenetIO', 'optocontrol': 'OptoControl', 'optohost002': 'Opto Host Port 2', 'optohost003': 'Opto Host Port 3', 'optohost004': 'Opto Host Port 4', 'optohost004': 'Opto Host Port 5', 'wnn6': 'wnn6', 'cis': 'CompactIS Tunnel', 'cis-secure': 'CompactIS Secure Tunnel', 'WibuKey': 'WibuKey Standard WkLan', 'CodeMeter': 'CodeMeter Standard', 'vocaltec-phone': 'Vocaltec Internet Phone', 'talikaserver': 'Talika Main Server', 'aws-brf': 'Telerate Information Platform LAN', 'brf-gw': 'Telerate Information Platform WAN', 'inovaport1': 'Inova LightLink Server Type 1', 'inovaport2': 'Inova LightLink Server Type 2', 'inovaport3': 'Inova LightLink Server Type 3', 'inovaport4': 'Inova LightLink Server Type 4', 'inovaport5': 'Inova LightLink Server Type 5', 'inovaport6': 'Inova LightLink Server Type 6', 's102': 'S102 application', 'elxmgmt': 'Emulex HBAnyware Remote Management', 'novar-dbase': 'Novar Data', 'novar-alarm': 'Novar Alarm', 'novar-global': 'Novar Global', 'med-ltp': 'med-ltp', 'med-fsp-rx': 'med-fsp-rx', 'med-fsp-tx': 'med-fsp-tx', 'med-supp': 'med-supp', 'med-ovw': 'med-ovw', 'med-ci': 'med-ci', 'med-net-svc': 'med-net-svc', 'filesphere': 'fileSphere', 'vista-4gl': 'Vista 4GL', 'ild': 'Isolv Local Directory', 'intel-rci': 'Intel RCI\nIANA assigned this well-formed service name as a replacement for "intel_rci".', 'intel_rci': 'Intel RCI', 'tonidods': 'Tonido Domain Server', 'binkp': 'BINKP', 'canditv': 'Canditv Message Service', 'flashfiler': 'FlashFiler', 'proactivate': 'Turbopower Proactivate', 'tcc-http': 'TCC User HTTP Service', 'assoc-disc': 'Device Association Discovery', 'find': 'Find Identification of Network Devices', 'icl-twobase1': 'icl-twobase1', 'icl-twobase2': 'icl-twobase2', 'icl-twobase3': 'icl-twobase3', 'icl-twobase4': 'icl-twobase4', 'icl-twobase5': 'icl-twobase5', 'icl-twobase6': 'icl-twobase6', 'icl-twobase7': 'icl-twobase7', 'icl-twobase8': 'icl-twobase8', 'icl-twobase9': 'icl-twobase9', 'icl-twobase10': 'icl-twobase10', 'vocaltec-hos': 'Vocaltec Address Server', 'tasp-net': 'TASP Network Comm', 'niobserver': 'NIObserver', 'nilinkanalyst': 'NILinkAnalyst', 'niprobe': 'NIProbe', 'bf-game': 'Bitfighter game server', 'bf-master': 'Bitfighter master server', 'quake': 'quake', 'scscp': 'Symbolic Computation Software Composability Protocol', 'wnn6-ds': 'wnn6-ds', 'ezproxy': 'eZproxy', 'ezmeeting': 'eZmeeting', 'k3software-svr': 'K3 Software-Server', 'k3software-cli': 'K3 Software-Client', 'exoline-udp': 'EXOline-UDP', 'exoconfig': 'EXOconfig', 'exonet': 'EXOnet', 'imagepump': 'ImagePump', 'jesmsjc': 'Job controller service', 'kopek-httphead': 'Kopek HTTP Head Port', 'ars-vista': 'ARS VISTA Application', 'tw-auth-key': 'Attribute Certificate Services', 'nxlmd': 'NX License Manager', 'siemensgsm': 'Siemens GSM', 'a27-ran-ran': 'A27 cdma2000 RAN Management', 'otmp': 'ObTools Message Protocol', 'pago-services1': 'Pago Services 1', 'pago-services2': 'Pago Services 2', 'kingdomsonline': 'Kingdoms Online (CraigAvenue)', 'ovobs': 'OpenView Service Desk Client', 'yawn': 'YaWN - Yet Another Windows Notifier', 'xqosd': 'XQoS network monitor', 'tetrinet': 'TetriNET Protocol', 'lm-mon': 'lm mon', 'gamesmith-port': 'GameSmith Port', 'iceedcp-tx': 'Embedded Device Configuration Protocol TX\nIANA assigned this well-formed service name as a replacement for "iceedcp_tx".', 'iceedcp_tx': 'Embedded Device Configuration Protocol TX', 'iceedcp-rx': 'Embedded Device Configuration Protocol RX\nIANA assigned this well-formed service name as a replacement for "iceedcp_rx".', 'iceedcp_rx': 'Embedded Device Configuration Protocol RX', 'iracinghelper': 'iRacing helper service', 't1distproc60': 'T1 Distributed Processor', 'apm-link': 'Access Point Manager Link', 'sec-ntb-clnt': 'SecureNotebook-CLNT', 'DMExpress': 'DMExpress', 'filenet-powsrm': 'FileNet BPM WS-ReliableMessaging Client', 'filenet-tms': 'Filenet TMS', 'filenet-rpc': 'Filenet RPC', 'filenet-nch': 'Filenet NCH', 'filenet-rmi': 'FileNet RMI', 'filenet-pa': 'FileNET Process Analyzer', 'filenet-cm': 'FileNET Component Manager', 'filenet-re': 'FileNET Rules Engine', 'filenet-pch': 'Performance Clearinghouse', 'filenet-peior': 'FileNET BPM IOR', 'filenet-obrok': 'FileNet BPM CORBA', 'mlsn': 'Multiple Listing Service Network', 'idmgratm': 'Attachmate ID Manager', 'aurora-balaena': 'Aurora (Balaena Ltd)', 'diamondport': 'DiamondCentral Interface', 'speedtrace-disc': 'SpeedTrace TraceAgent Discovery', 'traceroute': 'traceroute use', 'snip-slave': 'SNIP Slave', 'turbonote-2': 'TurboNote Relay Server Default Port', 'p-net-local': 'P-Net on IP local', 'p-net-remote': 'P-Net on IP remote', 'profinet-rt': 'PROFInet RT Unicast', 'profinet-rtm': 'PROFInet RT Multicast', 'profinet-cm': 'PROFInet Context Manager', 'ethercat': 'EhterCAT Port', 'altova-lm-disc': 'Altova License Management Discovery', 'allpeers': 'AllPeers Network', 'kastenxpipe': 'KastenX Pipe', 'neckar': "science + computing's Venus Administration Port", 'unisys-eportal': 'Unisys ClearPath ePortal', 'galaxy7-data': 'Galaxy7 Data Tunnel', 'fairview': 'Fairview Message Service', 'agpolicy': 'AppGate Policy Server', 'turbonote-1': 'TurboNote Default Port', 'safetynetp': 'SafetyNET p', 'cscp': 'CSCP', 'csccredir': 'CSCCREDIR', 'csccfirewall': 'CSCCFIREWALL', 'ortec-disc': 'ORTEC Service Discovery', 'fs-qos': 'Foursticks QoS Protocol', 'crestron-cip': 'Crestron Control Port', 'crestron-ctp': 'Crestron Terminal Port', 'candp': 'Computer Associates network discovery protocol', 'candrp': 'CA discovery response', 'caerpc': 'CA eTrust RPC', 'reachout': 'REACHOUT', 'ndm-agent-port': 'NDM-AGENT-PORT', 'ip-provision': 'IP-PROVISION', 'shaperai-disc': 'Shaper Automation Server Management Discovery', 'eq3-config': 'EQ3 discovery and configuration', 'ew-disc-cmd': 'Cisco EnergyWise Discovery and Command Flooding', 'ciscocsdb': 'Cisco NetMgmt DB Ports', 'pmcd': 'PCP server (pmcd)', 'pmcdproxy': 'PCP server (pmcd) proxy', 'pcp': 'Port Control Protocol', 'domiq': 'DOMIQ Building Automation', 'rbr-debug': 'REALbasic Remote Debug', 'asihpi': 'AudioScience HPI', 'EtherNet-IP-2': 'EtherNet/IP messaging\nIANA assigned this well-formed service name as a replacement for "EtherNet/IP-2".', 'EtherNet/IP-2': 'EtherNet/IP messaging', 'asmp-mon': 'NSi AutoStore Status Monitoring Protocol device monitoring', 'invision-ag': 'InVision AG', 'eba': 'EBA PRISE', 'qdb2service': 'Qpuncture Data Access Service', 'ssr-servermgr': 'SSRServerMgr', 'mediabox': 'MediaBox Server', 'mbus': 'Message Bus', 'dbbrowse': 'Databeam Corporation', 'directplaysrvr': 'Direct Play Server', 'ap': 'ALC Protocol', 'bacnet': 'Building Automation and Control Networks', 'nimcontroller': 'Nimbus Controller', 'nimspooler': 'Nimbus Spooler', 'nimhub': 'Nimbus Hub', 'nimgtw': 'Nimbus Gateway', 'isnetserv': 'Image Systems Network Services', 'blp5': 'Bloomberg locator', 'com-bardac-dw': 'com-bardac-dw', 'iqobject': 'iqobject', 'acs-ctl-ds': 'Access Control Device', 'acs-ctl-gw': 'Access Control Gateway', 'amba-cam': 'Ambarella Cameras', 'apple-midi': 'Apple MIDI', 'arcnet': 'Arcturus Networks Inc. Hardware Services', 'astnotify': 'Asterisk Caller-ID Notification Service', 'bluevertise': 'BlueVertise Network Protocol (BNP)', 'boundaryscan': 'Proprietary', 'clique': 'Clique Link-Local Multicast Chat Room', 'dbaudio': 'd&b audiotechnik remote network', 'dltimesync': 'Local Area Dynamic Time Synchronisation Protocol', 'dns-update': 'DNS Dynamic Update Service', 'edcp': 'LaCie Ethernet Disk Configuration Protocol', 'fl-purr': 'FilmLight Cluster Power Control Service', 'fv-cert': 'Fairview Certificate', 'fv-key': 'Fairview Key', 'fv-time': 'Fairview Time/Date', 'honeywell-vid': 'Honeywell Video Systems', 'htvncconf': 'HomeTouch Vnc Configuration', 'labyrinth': 'Labyrinth local multiplayer protocol', 'logicnode': 'Logic Pro Distributed Audio', 'macfoh-audio': 'MacFOH audio stream', 'macfoh-events': 'MacFOH show control events', 'macfoh-data': 'MacFOH realtime data', 'neoriders': 'NeoRiders Client Discovery Protocol', 'nextcap': 'Proprietary communication protocol for NextCap capture solution', 'ntx': 'Tenasys', 'olpc-activity1': 'One Laptop per Child activity', 'opencu': 'Conferencing Protocol', 'oscit': 'Open Sound Control Interface Transfer', 'p2pchat': 'Peer-to-Peer Chat (Sample Java Bonjour application)', 'parity': 'PA-R-I-Ty (Public Address - Radio - Intercom - Telefony)', 'psap': 'Progal Service Advertising Protocol', 'radioport': 'RadioPort Message Service', 'recolive-cc': 'Remote Camera Control', 'sip': 'Session Initiation Protocol, signalling protocol for VoIP', 'sleep-proxy': 'Sleep Proxy Server', 'teleport': 'teleport', 'wicop': 'WiFi Control Platform', 'x-plane9': 'x-plane9', 'yakumo': 'Yakumo iPhone OS Device Control Protocol', 'z-wave': 'Z-Wave Service Discovery', 'zeromq': 'High performance brokerless messaging'} tcp_services = {'tcpmux': 'TCP Port Service Multiplexer', 'compressnet': 'Management Utility', 'compressnet': 'Compression Process', 'rje': 'Remote Job Entry', 'echo': 'Echo', 'discard': 'Discard', 'systat': 'Active Users', 'daytime': 'Daytime', 'qotd': 'Quote of the Day', 'msp': 'Message Send Protocol (historic)', 'chargen': 'Character Generator', 'ftp-data': 'File Transfer [Default Data]', 'ftp': 'File Transfer [Control]', 'ssh': 'The Secure Shell (SSH) Protocol', 'telnet': 'Telnet', 'smtp': 'Simple Mail Transfer', 'nsw-fe': 'NSW User System FE', 'msg-icp': 'MSG ICP', 'msg-auth': 'MSG Authentication', 'dsp': 'Display Support Protocol', 'time': 'Time', 'rap': 'Route Access Protocol', 'rlp': 'Resource Location Protocol', 'graphics': 'Graphics', 'name': 'Host Name Server', 'nameserver': 'Host Name Server', 'nicname': 'Who Is', 'mpm-flags': 'MPM FLAGS Protocol', 'mpm': 'Message Processing Module [recv]', 'mpm-snd': 'MPM [default send]', 'ni-ftp': 'NI FTP', 'auditd': 'Digital Audit Daemon', 'tacacs': 'Login Host Protocol (TACACS)', 're-mail-ck': 'Remote Mail Checking Protocol', 'la-maint': 'IMP Logical Address Maintenance', 'xns-time': 'XNS Time Protocol', 'domain': 'Domain Name Server', 'xns-ch': 'XNS Clearinghouse', 'isi-gl': 'ISI Graphics Language', 'xns-auth': 'XNS Authentication', 'xns-mail': 'XNS Mail', 'ni-mail': 'NI MAIL', 'acas': 'ACA Services', 'whoispp': 'whois++\nIANA assigned this well-formed service name as a replacement for "whois++".', 'whois++': 'whois++', 'covia': 'Communications Integrator (CI)', 'tacacs-ds': 'TACACS-Database Service', 'sql-net': 'Oracle SQL*NET\nIANA assigned this well-formed service name as a replacement for "sql*net".', 'sql*net': 'Oracle SQL*NET', 'bootps': 'Bootstrap Protocol Server', 'bootpc': 'Bootstrap Protocol Client', 'tftp': 'Trivial File Transfer', 'gopher': 'Gopher', 'netrjs-1': 'Remote Job Service', 'netrjs-2': 'Remote Job Service', 'netrjs-3': 'Remote Job Service', 'netrjs-4': 'Remote Job Service', 'deos': 'Distributed External Object Store', 'vettcp': 'vettcp', 'finger': 'Finger', 'http': 'World Wide Web HTTP', 'www': 'World Wide Web HTTP', 'www-http': 'World Wide Web HTTP', 'xfer': 'XFER Utility', 'mit-ml-dev': 'MIT ML Device', 'ctf': 'Common Trace Facility', 'mit-ml-dev': 'MIT ML Device', 'mfcobol': 'Micro Focus Cobol', 'kerberos': 'Kerberos', 'su-mit-tg': 'SU/MIT Telnet Gateway', 'dnsix': 'DNSIX Securit Attribute Token Map', 'mit-dov': 'MIT Dover Spooler', 'npp': 'Network Printing Protocol', 'dcp': 'Device Control Protocol', 'objcall': 'Tivoli Object Dispatcher', 'supdup': 'SUPDUP', 'dixie': 'DIXIE Protocol Specification', 'swift-rvf': 'Swift Remote Virtural File Protocol', 'tacnews': 'TAC News', 'metagram': 'Metagram Relay', 'hostname': 'NIC Host Name Server', 'iso-tsap': 'ISO-TSAP Class 0', 'gppitnp': 'Genesis Point-to-Point Trans Net', 'acr-nema': 'ACR-NEMA Digital Imag. & Comm. 300', 'cso': 'CCSO name server protocol', 'csnet-ns': 'Mailbox Name Nameserver', '3com-tsmux': '3COM-TSMUX', 'rtelnet': 'Remote Telnet Service', 'snagas': 'SNA Gateway Access Server', 'pop2': 'Post Office Protocol - Version 2', 'pop3': 'Post Office Protocol - Version 3', 'sunrpc': 'SUN Remote Procedure Call', 'mcidas': 'McIDAS Data Transmission Protocol', 'ident': '', 'auth': 'Authentication Service', 'sftp': 'Simple File Transfer Protocol', 'ansanotify': 'ANSA REX Notify', 'uucp-path': 'UUCP Path Service', 'sqlserv': 'SQL Services', 'nntp': 'Network News Transfer Protocol', 'cfdptkt': 'CFDPTKT', 'erpc': 'Encore Expedited Remote Pro.Call', 'smakynet': 'SMAKYNET', 'ntp': 'Network Time Protocol', 'ansatrader': 'ANSA REX Trader', 'locus-map': 'Locus PC-Interface Net Map Ser', 'nxedit': 'NXEdit', 'locus-con': 'Locus PC-Interface Conn Server', 'gss-xlicen': 'GSS X License Verification', 'pwdgen': 'Password Generator Protocol', 'cisco-fna': 'cisco FNATIVE', 'cisco-tna': 'cisco TNATIVE', 'cisco-sys': 'cisco SYSMAINT', 'statsrv': 'Statistics Service', 'ingres-net': 'INGRES-NET Service', 'epmap': 'DCE endpoint resolution', 'profile': 'PROFILE Naming System', 'netbios-ns': 'NETBIOS Name Service', 'netbios-dgm': 'NETBIOS Datagram Service', 'netbios-ssn': 'NETBIOS Session Service', 'emfis-data': 'EMFIS Data Service', 'emfis-cntl': 'EMFIS Control Service', 'bl-idm': 'Britton-Lee IDM', 'imap': 'Internet Message Access Protocol', 'uma': 'Universal Management Architecture', 'uaac': 'UAAC Protocol', 'iso-tp0': 'ISO-IP0', 'iso-ip': 'ISO-IP', 'jargon': 'Jargon', 'aed-512': 'AED 512 Emulation Service', 'sql-net': 'SQL-NET', 'hems': 'HEMS', 'bftp': 'Background File Transfer Program', 'sgmp': 'SGMP', 'netsc-prod': 'NETSC', 'netsc-dev': 'NETSC', 'sqlsrv': 'SQL Service', 'knet-cmp': 'KNET/VM Command/Message Protocol', 'pcmail-srv': 'PCMail Server', 'nss-routing': 'NSS-Routing', 'sgmp-traps': 'SGMP-TRAPS', 'snmp': 'SNMP', 'snmptrap': 'SNMPTRAP', 'cmip-man': 'CMIP/TCP Manager', 'cmip-agent': 'CMIP/TCP Agent', 'xns-courier': 'Xerox', 's-net': 'Sirius Systems', 'namp': 'NAMP', 'rsvd': 'RSVD', 'send': 'SEND', 'print-srv': 'Network PostScript', 'multiplex': 'Network Innovations Multiplex', 'cl-1': 'Network Innovations CL/1\nIANA assigned this well-formed service name as a replacement for "cl/1".', 'cl/1': 'Network Innovations CL/1', 'xyplex-mux': 'Xyplex', 'mailq': 'MAILQ', 'vmnet': 'VMNET', 'genrad-mux': 'GENRAD-MUX', 'xdmcp': 'X Display Manager Control Protocol', 'nextstep': 'NextStep Window Server', 'bgp': 'Border Gateway Protocol', 'ris': 'Intergraph', 'unify': 'Unify', 'audit': 'Unisys Audit SITP', 'ocbinder': 'OCBinder', 'ocserver': 'OCServer', 'remote-kis': 'Remote-KIS', 'kis': 'KIS Protocol', 'aci': 'Application Communication Interface', 'mumps': "Plus Five's MUMPS", 'qft': 'Queued File Transport', 'gacp': 'Gateway Access Control Protocol', 'prospero': 'Prospero Directory Service', 'osu-nms': 'OSU Network Monitoring System', 'srmp': 'Spider Remote Monitoring Protocol', 'irc': 'Internet Relay Chat Protocol', 'dn6-nlm-aud': 'DNSIX Network Level Module Audit', 'dn6-smm-red': 'DNSIX Session Mgt Module Audit Redir', 'dls': 'Directory Location Service', 'dls-mon': 'Directory Location Service Monitor', 'smux': 'SMUX', 'src': 'IBM System Resource Controller', 'at-rtmp': 'AppleTalk Routing Maintenance', 'at-nbp': 'AppleTalk Name Binding', 'at-3': 'AppleTalk Unused', 'at-echo': 'AppleTalk Echo', 'at-5': 'AppleTalk Unused', 'at-zis': 'AppleTalk Zone Information', 'at-7': 'AppleTalk Unused', 'at-8': 'AppleTalk Unused', 'qmtp': 'The Quick Mail Transfer Protocol', 'z39-50': 'ANSI Z39.50\nIANA assigned this well-formed service name as a replacement for "z39.50".', 'z39.50': 'ANSI Z39.50', '914c-g': 'Texas Instruments 914C/G Terminal\nIANA assigned this well-formed service name as a replacement for "914c/g".', '914c/g': 'Texas Instruments 914C/G Terminal', 'anet': 'ATEXSSTR', 'ipx': 'IPX', 'vmpwscs': 'VM PWSCS', 'softpc': 'Insignia Solutions', 'CAIlic': "Computer Associates Int'l License Server", 'dbase': 'dBASE Unix', 'mpp': 'Netix Message Posting Protocol', 'uarps': 'Unisys ARPs', 'imap3': 'Interactive Mail Access Protocol v3', 'fln-spx': 'Berkeley rlogind with SPX auth', 'rsh-spx': 'Berkeley rshd with SPX auth', 'cdc': 'Certificate Distribution Center', 'masqdialer': 'masqdialer', 'direct': 'Direct', 'sur-meas': 'Survey Measurement', 'inbusiness': 'inbusiness', 'link': 'LINK', 'dsp3270': 'Display Systems Protocol', 'subntbcst-tftp': 'SUBNTBCST_TFTP\nIANA assigned this well-formed service name as a replacement for "subntbcst_tftp".', 'subntbcst_tftp': 'SUBNTBCST_TFTP', 'bhfhs': 'bhfhs', 'rap': 'RAP', 'set': 'Secure Electronic Transaction', 'esro-gen': 'Efficient Short Remote Operations', 'openport': 'Openport', 'nsiiops': 'IIOP Name Service over TLS/SSL', 'arcisdms': 'Arcisdms', 'hdap': 'HDAP', 'bgmp': 'BGMP', 'x-bone-ctl': 'X-Bone CTL', 'sst': 'SCSI on ST', 'td-service': 'Tobit David Service Layer', 'td-replica': 'Tobit David Replica', 'manet': 'MANET Protocols', 'pt-tls': 'IETF Network Endpoint Assessment (NEA) Posture Transport Protocol over TLS (PT-TLS)', 'http-mgmt': 'http-mgmt', 'personal-link': 'Personal Link', 'cableport-ax': 'Cable Port A/X', 'rescap': 'rescap', 'corerjd': 'corerjd', 'fxp': 'FXP Communication', 'k-block': 'K-BLOCK', 'novastorbakcup': 'Novastor Backup', 'entrusttime': 'EntrustTime', 'bhmds': 'bhmds', 'asip-webadmin': 'AppleShare IP WebAdmin', 'vslmp': 'VSLMP', 'magenta-logic': 'Magenta Logic', 'opalis-robot': 'Opalis Robot', 'dpsi': 'DPSI', 'decauth': 'decAuth', 'zannet': 'Zannet', 'pkix-timestamp': 'PKIX TimeStamp', 'ptp-event': 'PTP Event', 'ptp-general': 'PTP General', 'pip': 'PIP', 'rtsps': 'RTSPS', 'rpki-rtr': 'Resource PKI to Router Protocol', 'rpki-rtr-tls': 'Resource PKI to Router Protocol over TLS', 'texar': 'Texar Security Port', 'pdap': 'Prospero Data Access Protocol', 'pawserv': 'Perf Analysis Workbench', 'zserv': 'Zebra server', 'fatserv': 'Fatmen Server', 'csi-sgwp': 'Cabletron Management Protocol', 'mftp': 'mftp', 'matip-type-a': 'MATIP Type A', 'matip-type-b': 'MATIP Type B', 'bhoetty': 'bhoetty', 'dtag-ste-sb': 'DTAG', 'bhoedap4': 'bhoedap4', 'ndsauth': 'NDSAUTH', 'bh611': 'bh611', 'datex-asn': 'DATEX-ASN', 'cloanto-net-1': 'Cloanto Net 1', 'bhevent': 'bhevent', 'shrinkwrap': 'Shrinkwrap', 'nsrmp': 'Network Security Risk Management Protocol', 'scoi2odialog': 'scoi2odialog', 'semantix': 'Semantix', 'srssend': 'SRS Send', 'rsvp-tunnel': 'RSVP Tunnel\nIANA assigned this well-formed service name as a replacement for "rsvp_tunnel".', 'rsvp_tunnel': 'RSVP Tunnel', 'aurora-cmgr': 'Aurora CMGR', 'dtk': 'DTK', 'odmr': 'ODMR', 'mortgageware': 'MortgageWare', 'qbikgdp': 'QbikGDP', 'rpc2portmap': 'rpc2portmap', 'codaauth2': 'codaauth2', 'clearcase': 'Clearcase', 'ulistproc': 'ListProcessor', 'legent-1': 'Legent Corporation', 'legent-2': 'Legent Corporation', 'hassle': 'Hassle', 'nip': 'Amiga Envoy Network Inquiry Proto', 'tnETOS': 'NEC Corporation', 'dsETOS': 'NEC Corporation', 'is99c': 'TIA/EIA/IS-99 modem client', 'is99s': 'TIA/EIA/IS-99 modem server', 'hp-collector': 'hp performance data collector', 'hp-managed-node': 'hp performance data managed node', 'hp-alarm-mgr': 'hp performance data alarm manager', 'arns': 'A Remote Network Server System', 'ibm-app': 'IBM Application', 'asa': 'ASA Message Router Object Def.', 'aurp': 'Appletalk Update-Based Routing Pro.', 'unidata-ldm': 'Unidata LDM', 'ldap': 'Lightweight Directory Access Protocol', 'uis': 'UIS', 'synotics-relay': 'SynOptics SNMP Relay Port', 'synotics-broker': 'SynOptics Port Broker Port', 'meta5': 'Meta5', 'embl-ndt': 'EMBL Nucleic Data Transfer', 'netcp': 'NetScout Control Protocol', 'netware-ip': 'Novell Netware over IP', 'mptn': 'Multi Protocol Trans. Net.', 'kryptolan': 'Kryptolan', 'iso-tsap-c2': 'ISO Transport Class 2 Non-Control over TCP', 'osb-sd': 'Oracle Secure Backup', 'ups': 'Uninterruptible Power Supply', 'genie': 'Genie Protocol', 'decap': 'decap', 'nced': 'nced', 'ncld': 'ncld', 'imsp': 'Interactive Mail Support Protocol', 'timbuktu': 'Timbuktu', 'prm-sm': 'Prospero Resource Manager Sys. Man.', 'prm-nm': 'Prospero Resource Manager Node Man.', 'decladebug': 'DECLadebug Remote Debug Protocol', 'rmt': 'Remote MT Protocol', 'synoptics-trap': 'Trap Convention Port', 'smsp': 'Storage Management Services Protocol', 'infoseek': 'InfoSeek', 'bnet': 'BNet', 'silverplatter': 'Silverplatter', 'onmux': 'Onmux', 'hyper-g': 'Hyper-G', 'ariel1': 'Ariel 1', 'smpte': 'SMPTE', 'ariel2': 'Ariel 2', 'ariel3': 'Ariel 3', 'opc-job-start': 'IBM Operations Planning and Control Start', 'opc-job-track': 'IBM Operations Planning and Control Track', 'icad-el': 'ICAD', 'smartsdp': 'smartsdp', 'svrloc': 'Server Location', 'ocs-cmu': 'OCS_CMU\nIANA assigned this well-formed service name as a replacement for "ocs_cmu".', 'ocs_cmu': 'OCS_CMU', 'ocs-amu': 'OCS_AMU\nIANA assigned this well-formed service name as a replacement for "ocs_amu".', 'ocs_amu': 'OCS_AMU', 'utmpsd': 'UTMPSD', 'utmpcd': 'UTMPCD', 'iasd': 'IASD', 'nnsp': 'NNSP', 'mobileip-agent': 'MobileIP-Agent', 'mobilip-mn': 'MobilIP-MN', 'dna-cml': 'DNA-CML', 'comscm': 'comscm', 'dsfgw': 'dsfgw', 'dasp': 'dasp', 'sgcp': 'sgcp', 'decvms-sysmgt': 'decvms-sysmgt', 'cvc-hostd': 'cvc_hostd\nIANA assigned this well-formed service name as a replacement for "cvc_hostd".', 'cvc_hostd': 'cvc_hostd', 'https': 'http protocol over TLS/SSL', 'snpp': 'Simple Network Paging Protocol', 'microsoft-ds': 'Microsoft-DS', 'ddm-rdb': 'DDM-Remote Relational Database Access', 'ddm-dfm': 'DDM-Distributed File Management', 'ddm-ssl': 'DDM-Remote DB Access Using Secure Sockets', 'as-servermap': 'AS Server Mapper', 'tserver': 'Computer Supported Telecomunication Applications', 'sfs-smp-net': 'Cray Network Semaphore server', 'sfs-config': 'Cray SFS config server', 'creativeserver': 'CreativeServer', 'contentserver': 'ContentServer', 'creativepartnr': 'CreativePartnr', 'macon-tcp': 'macon-tcp', 'scohelp': 'scohelp', 'appleqtc': 'apple quick time', 'ampr-rcmd': 'ampr-rcmd', 'skronk': 'skronk', 'datasurfsrv': 'DataRampSrv', 'datasurfsrvsec': 'DataRampSrvSec', 'alpes': 'alpes', 'kpasswd': 'kpasswd', 'urd': 'URL Rendesvous Directory for SSM', 'digital-vrc': 'digital-vrc', 'mylex-mapd': 'mylex-mapd', 'photuris': 'proturis', 'rcp': 'Radio Control Protocol', 'scx-proxy': 'scx-proxy', 'mondex': 'Mondex', 'ljk-login': 'ljk-login', 'hybrid-pop': 'hybrid-pop', 'tn-tl-w1': 'tn-tl-w1', 'tcpnethaspsrv': 'tcpnethaspsrv', 'tn-tl-fd1': 'tn-tl-fd1', 'ss7ns': 'ss7ns', 'spsc': 'spsc', 'iafserver': 'iafserver', 'iafdbase': 'iafdbase', 'ph': 'Ph service', 'bgs-nsi': 'bgs-nsi', 'ulpnet': 'ulpnet', 'integra-sme': 'Integra Software Management Environment', 'powerburst': 'Air Soft Power Burst', 'avian': 'avian', 'saft': 'saft Simple Asynchronous File Transfer', 'gss-http': 'gss-http', 'nest-protocol': 'nest-protocol', 'micom-pfs': 'micom-pfs', 'go-login': 'go-login', 'ticf-1': 'Transport Independent Convergence for FNA', 'ticf-2': 'Transport Independent Convergence for FNA', 'pov-ray': 'POV-Ray', 'intecourier': 'intecourier', 'pim-rp-disc': 'PIM-RP-DISC', 'retrospect': 'Retrospect backup and restore service', 'siam': 'siam', 'iso-ill': 'ISO ILL Protocol', 'isakmp': 'isakmp', 'stmf': 'STMF', 'asa-appl-proto': 'asa-appl-proto', 'intrinsa': 'Intrinsa', 'citadel': 'citadel', 'mailbox-lm': 'mailbox-lm', 'ohimsrv': 'ohimsrv', 'crs': 'crs', 'xvttp': 'xvttp', 'snare': 'snare', 'fcp': 'FirstClass Protocol', 'passgo': 'PassGo', 'exec': 'remote process execution; authentication performed using passwords and UNIX login names', 'login': 'remote login a la telnet; automatic authentication performed based on priviledged port numbers and distributed data bases which identify "authentication domains"', 'shell': 'cmd like exec, but automatic authentication is performed as for login server', 'printer': 'spooler', 'videotex': 'videotex', 'talk': "like tenex link, but across machine - unfortunately, doesn't use link protocol (this is actually just a rendezvous port from which a tcp connection is established)", 'ntalk': '', 'utime': 'unixtime', 'efs': 'extended file name server', 'ripng': 'ripng', 'ulp': 'ULP', 'ibm-db2': 'IBM-DB2', 'ncp': 'NCP', 'timed': 'timeserver', 'tempo': 'newdate', 'stx': 'Stock IXChange', 'custix': 'Customer IXChange', 'irc-serv': 'IRC-SERV', 'courier': 'rpc', 'conference': 'chat', 'netnews': 'readnews', 'netwall': 'for emergency broadcasts', 'windream': 'windream Admin', 'iiop': 'iiop', 'opalis-rdv': 'opalis-rdv', 'nmsp': 'Networked Media Streaming Protocol', 'gdomap': 'gdomap', 'apertus-ldp': 'Apertus Technologies Load Determination', 'uucp': 'uucpd', 'uucp-rlogin': 'uucp-rlogin', 'commerce': 'commerce', 'klogin': '', 'kshell': 'krcmd', 'appleqtcsrvr': 'appleqtcsrvr', 'dhcpv6-client': 'DHCPv6 Client', 'dhcpv6-server': 'DHCPv6 Server', 'afpovertcp': 'AFP over TCP', 'idfp': 'IDFP', 'new-rwho': 'new-who', 'cybercash': 'cybercash', 'devshr-nts': 'DeviceShare', 'pirp': 'pirp', 'rtsp': 'Real Time Streaming Protocol (RTSP)', 'dsf': '', 'remotefs': 'rfs server', 'openvms-sysipc': 'openvms-sysipc', 'sdnskmp': 'SDNSKMP', 'teedtap': 'TEEDTAP', 'rmonitor': 'rmonitord', 'monitor': '', 'chshell': 'chcmd', 'nntps': 'nntp protocol over TLS/SSL (was snntp)', '9pfs': 'plan 9 file service', 'whoami': 'whoami', 'streettalk': 'streettalk', 'banyan-rpc': 'banyan-rpc', 'ms-shuttle': 'microsoft shuttle', 'ms-rome': 'microsoft rome', 'meter': 'demon', 'meter': 'udemon', 'sonar': 'sonar', 'banyan-vip': 'banyan-vip', 'ftp-agent': 'FTP Software Agent System', 'vemmi': 'VEMMI', 'ipcd': 'ipcd', 'vnas': 'vnas', 'ipdd': 'ipdd', 'decbsrv': 'decbsrv', 'sntp-heartbeat': 'SNTP HEARTBEAT', 'bdp': 'Bundle Discovery Protocol', 'scc-security': 'SCC Security', 'philips-vc': 'Philips Video-Conferencing', 'keyserver': 'Key Server', 'password-chg': 'Password Change', 'submission': 'Message Submission', 'cal': 'CAL', 'eyelink': 'EyeLink', 'tns-cml': 'TNS CML', 'http-alt': 'FileMaker, Inc. - HTTP Alternate (see Port 80)', 'eudora-set': 'Eudora Set', 'http-rpc-epmap': 'HTTP RPC Ep Map', 'tpip': 'TPIP', 'cab-protocol': 'CAB Protocol', 'smsd': 'SMSD', 'ptcnameservice': 'PTC Name Service', 'sco-websrvrmg3': 'SCO Web Server Manager 3', 'acp': 'Aeolon Core Protocol', 'ipcserver': 'Sun IPC server', 'syslog-conn': 'Reliable Syslog Service', 'xmlrpc-beep': 'XML-RPC over BEEP', 'idxp': 'IDXP', 'tunnel': 'TUNNEL', 'soap-beep': 'SOAP over BEEP', 'urm': 'Cray Unified Resource Manager', 'nqs': 'nqs', 'sift-uft': 'Sender-Initiated/Unsolicited File Transfer', 'npmp-trap': 'npmp-trap', 'npmp-local': 'npmp-local', 'npmp-gui': 'npmp-gui', 'hmmp-ind': 'HMMP Indication', 'hmmp-op': 'HMMP Operation', 'sshell': 'SSLshell', 'sco-inetmgr': 'Internet Configuration Manager', 'sco-sysmgr': 'SCO System Administration Server', 'sco-dtmgr': 'SCO Desktop Administration Server', 'dei-icda': 'DEI-ICDA', 'compaq-evm': 'Compaq EVM', 'sco-websrvrmgr': 'SCO WebServer Manager', 'escp-ip': 'ESCP', 'collaborator': 'Collaborator', 'oob-ws-http': 'DMTF out-of-band web services management protocol', 'cryptoadmin': 'Crypto Admin', 'dec-dlm': 'DEC DLM\nIANA assigned this well-formed service name as a replacement for "dec_dlm".', 'dec_dlm': 'DEC DLM', 'asia': 'ASIA', 'passgo-tivoli': 'PassGo Tivoli', 'qmqp': 'QMQP', '3com-amp3': '3Com AMP3', 'rda': 'RDA', 'ipp': 'IPP (Internet Printing Protocol)', 'bmpp': 'bmpp', 'servstat': 'Service Status update (Sterling Software)', 'ginad': 'ginad', 'rlzdbase': 'RLZ DBase', 'ldaps': 'ldap protocol over TLS/SSL (was sldap)', 'lanserver': 'lanserver', 'mcns-sec': 'mcns-sec', 'msdp': 'MSDP', 'entrust-sps': 'entrust-sps', 'repcmd': 'repcmd', 'esro-emsdp': 'ESRO-EMSDP V1.3', 'sanity': 'SANity', 'dwr': 'dwr', 'pssc': 'PSSC', 'ldp': 'LDP', 'dhcp-failover': 'DHCP Failover', 'rrp': 'Registry Registrar Protocol (RRP)', 'cadview-3d': 'Cadview-3d - streaming 3d models over the internet', 'obex': 'OBEX', 'ieee-mms': 'IEEE MMS', 'hello-port': 'HELLO_PORT', 'repscmd': 'RepCmd', 'aodv': 'AODV', 'tinc': 'TINC', 'spmp': 'SPMP', 'rmc': 'RMC', 'tenfold': 'TenFold', 'mac-srvr-admin': 'MacOS Server Admin', 'hap': 'HAP', 'pftp': 'PFTP', 'purenoise': 'PureNoise', 'oob-ws-https': 'DMTF out-of-band secure web services management protocol', 'sun-dr': 'Sun DR', 'mdqs': '', 'doom': 'doom Id Software', 'disclose': 'campaign contribution disclosures - SDR Technologies', 'mecomm': 'MeComm', 'meregister': 'MeRegister', 'vacdsm-sws': 'VACDSM-SWS', 'vacdsm-app': 'VACDSM-APP', 'vpps-qua': 'VPPS-QUA', 'cimplex': 'CIMPLEX', 'acap': 'ACAP', 'dctp': 'DCTP', 'vpps-via': 'VPPS Via', 'vpp': 'Virtual Presence Protocol', 'ggf-ncp': 'GNU Generation Foundation NCP', 'mrm': 'MRM', 'entrust-aaas': 'entrust-aaas', 'entrust-aams': 'entrust-aams', 'xfr': 'XFR', 'corba-iiop': 'CORBA IIOP', 'corba-iiop-ssl': 'CORBA IIOP SSL', 'mdc-portmapper': 'MDC Port Mapper', 'hcp-wismar': 'Hardware Control Protocol Wismar', 'asipregistry': 'asipregistry', 'realm-rusd': 'ApplianceWare managment protocol', 'nmap': 'NMAP', 'vatp': 'Velazquez Application Transfer Protocol', 'msexch-routing': 'MS Exchange Routing', 'hyperwave-isp': 'Hyperwave-ISP', 'connendp': 'almanid Connection Endpoint', 'ha-cluster': 'ha-cluster', 'ieee-mms-ssl': 'IEEE-MMS-SSL', 'rushd': 'RUSHD', 'uuidgen': 'UUIDGEN', 'olsr': 'OLSR', 'accessnetwork': 'Access Network', 'epp': 'Extensible Provisioning Protocol', 'lmp': 'Link Management Protocol (LMP)', 'iris-beep': 'IRIS over BEEP', 'elcsd': 'errlog copy/server daemon', 'agentx': 'AgentX', 'silc': 'SILC', 'borland-dsj': 'Borland DSJ', 'entrust-kmsh': 'Entrust Key Management Service Handler', 'entrust-ash': 'Entrust Administration Service Handler', 'cisco-tdp': 'Cisco TDP', 'tbrpf': 'TBRPF', 'iris-xpc': 'IRIS over XPC', 'iris-xpcs': 'IRIS over XPCS', 'iris-lwz': 'IRIS-LWZ', 'netviewdm1': 'IBM NetView DM/6000 Server/Client', 'netviewdm2': 'IBM NetView DM/6000 send/tcp', 'netviewdm3': 'IBM NetView DM/6000 receive/tcp', 'netgw': 'netGW', 'netrcs': 'Network based Rev. Cont. Sys.', 'flexlm': 'Flexible License Manager', 'fujitsu-dev': 'Fujitsu Device Control', 'ris-cm': 'Russell Info Sci Calendar Manager', 'kerberos-adm': 'kerberos administration', 'rfile': '', 'pump': '', 'qrh': '', 'rrh': '', 'tell': 'send', 'nlogin': '', 'con': '', 'ns': '', 'rxe': '', 'quotad': '', 'cycleserv': '', 'omserv': '', 'webster': '', 'phonebook': 'phone', 'vid': '', 'cadlock': '', 'rtip': '', 'cycleserv2': '', 'submit': '', 'rpasswd': '', 'entomb': '', 'wpages': '', 'multiling-http': 'Multiling HTTP', 'wpgs': '', 'mdbs-daemon': '\nIANA assigned this well-formed service name as a replacement for "mdbs_daemon".', 'mdbs_daemon': '', 'device': '', 'fcp-udp': 'FCP', 'itm-mcell-s': 'itm-mcell-s', 'pkix-3-ca-ra': 'PKIX-3 CA/RA', 'netconf-ssh': 'NETCONF over SSH', 'netconf-beep': 'NETCONF over BEEP', 'netconfsoaphttp': 'NETCONF for SOAP over HTTPS', 'netconfsoapbeep': 'NETCONF for SOAP over BEEP', 'dhcp-failover2': 'dhcp-failover 2', 'gdoi': 'GDOI', 'iscsi': 'iSCSI', 'owamp-control': 'OWAMP-Control', 'twamp-control': 'Two-way Active Measurement Protocol (TWAMP) Control', 'rsync': 'rsync', 'iclcnet-locate': 'ICL coNETion locate server', 'iclcnet-svinfo': 'ICL coNETion server info\nIANA assigned this well-formed service name as a replacement for "iclcnet_svinfo".', 'iclcnet_svinfo': 'ICL coNETion server info', 'accessbuilder': 'AccessBuilder', 'cddbp': 'CD Database Protocol', 'omginitialrefs': 'OMG Initial Refs', 'smpnameres': 'SMPNAMERES', 'ideafarm-door': 'self documenting Telnet Door', 'ideafarm-panic': 'self documenting Telnet Panic Door', 'kink': 'Kerberized Internet Negotiation of Keys (KINK)', 'xact-backup': 'xact-backup', 'apex-mesh': 'APEX relay-relay service', 'apex-edge': 'APEX endpoint-relay service', 'ftps-data': 'ftp protocol, data, over TLS/SSL', 'ftps': 'ftp protocol, control, over TLS/SSL', 'nas': 'Netnews Administration System', 'telnets': 'telnet protocol over TLS/SSL', 'imaps': 'imap4 protocol over TLS/SSL', 'pop3s': 'pop3 protocol over TLS/SSL (was spop3)', 'vsinet': 'vsinet', 'maitrd': '', 'busboy': '', 'garcon': '', 'puprouter': '', 'cadlock2': '', 'surf': 'surf', 'exp1': 'RFC3692-style Experiment 1', 'exp2': 'RFC3692-style Experiment 2', 'blackjack': 'network blackjack', 'cap': 'Calendar Access Protocol', 'solid-mux': 'Solid Mux Server', 'iad1': 'BBN IAD', 'iad2': 'BBN IAD', 'iad3': 'BBN IAD', 'netinfo-local': 'local netinfo port', 'activesync': 'ActiveSync Notifications', 'mxxrlogin': 'MX-XR RPC', 'nsstp': 'Nebula Secure Segment Transfer Protocol', 'ams': 'AMS', 'mtqp': 'Message Tracking Query Protocol', 'sbl': 'Streamlined Blackhole', 'netarx': 'Netarx Netcare', 'danf-ak2': 'AK2 Product', 'afrog': 'Subnet Roaming', 'boinc-client': 'BOINC Client Control', 'dcutility': 'Dev Consortium Utility', 'fpitp': 'Fingerprint Image Transfer Protocol', 'wfremotertm': 'WebFilter Remote Monitor', 'neod1': "Sun's NEO Object Request Broker", 'neod2': "Sun's NEO Object Request Broker", 'td-postman': 'Tobit David Postman VPMN', 'cma': 'CORBA Management Agent', 'optima-vnet': 'Optima VNET', 'ddt': 'Dynamic DNS Tools', 'remote-as': 'Remote Assistant (RA)', 'brvread': 'BRVREAD', 'ansyslmd': 'ANSYS - License Manager', 'vfo': 'VFO', 'startron': 'STARTRON', 'nim': 'nim', 'nimreg': 'nimreg', 'polestar': 'POLESTAR', 'kiosk': 'KIOSK', 'veracity': 'Veracity', 'kyoceranetdev': 'KyoceraNetDev', 'jstel': 'JSTEL', 'syscomlan': 'SYSCOMLAN', 'fpo-fns': 'FPO-FNS', 'instl-boots': 'Installation Bootstrap Proto. Serv.\nIANA assigned this well-formed service name as a replacement for "instl_boots".', 'instl_boots': 'Installation Bootstrap Proto. Serv.', 'instl-bootc': 'Installation Bootstrap Proto. Cli.\nIANA assigned this well-formed service name as a replacement for "instl_bootc".', 'instl_bootc': 'Installation Bootstrap Proto. Cli.', 'cognex-insight': 'COGNEX-INSIGHT', 'gmrupdateserv': 'GMRUpdateSERV', 'bsquare-voip': 'BSQUARE-VOIP', 'cardax': 'CARDAX', 'bridgecontrol': 'Bridge Control', 'warmspotMgmt': 'Warmspot Management Protocol', 'rdrmshc': 'RDRMSHC', 'dab-sti-c': 'DAB STI-C', 'imgames': 'IMGames', 'avocent-proxy': 'Avocent Proxy Protocol', 'asprovatalk': 'ASPROVATalk', 'socks': 'Socks', 'pvuniwien': 'PVUNIWIEN', 'amt-esd-prot': 'AMT-ESD-PROT', 'ansoft-lm-1': 'Anasoft License Manager', 'ansoft-lm-2': 'Anasoft License Manager', 'webobjects': 'Web Objects', 'cplscrambler-lg': 'CPL Scrambler Logging', 'cplscrambler-in': 'CPL Scrambler Internal', 'cplscrambler-al': 'CPL Scrambler Alarm Log', 'ff-annunc': 'FF Annunciation', 'ff-fms': 'FF Fieldbus Message Specification', 'ff-sm': 'FF System Management', 'obrpd': 'Open Business Reporting Protocol', 'proofd': 'PROOFD', 'rootd': 'ROOTD', 'nicelink': 'NICELink', 'cnrprotocol': 'Common Name Resolution Protocol', 'sunclustermgr': 'Sun Cluster Manager', 'rmiactivation': 'RMI Activation', 'rmiregistry': 'RMI Registry', 'mctp': 'MCTP', 'pt2-discover': 'PT2-DISCOVER', 'adobeserver-1': 'ADOBE SERVER 1', 'adobeserver-2': 'ADOBE SERVER 2', 'xrl': 'XRL', 'ftranhc': 'FTRANHC', 'isoipsigport-1': 'ISOIPSIGPORT-1', 'isoipsigport-2': 'ISOIPSIGPORT-2', 'ratio-adp': 'ratio-adp', 'webadmstart': 'Start web admin server', 'lmsocialserver': 'LM Social Server', 'icp': 'Intelligent Communication Protocol', 'ltp-deepspace': 'Licklider Transmission Protocol', 'mini-sql': 'Mini SQL', 'ardus-trns': 'ARDUS Transfer', 'ardus-cntl': 'ARDUS Control', 'ardus-mtrns': 'ARDUS Multicast Transfer', 'sacred': 'SACRED', 'bnetgame': 'Battle.net Chat/Game Protocol', 'bnetfile': 'Battle.net File Transfer Protocol', 'rmpp': 'Datalode RMPP', 'availant-mgr': 'availant-mgr', 'murray': 'Murray', 'hpvmmcontrol': 'HP VMM Control', 'hpvmmagent': 'HP VMM Agent', 'hpvmmdata': 'HP VMM Agent', 'kwdb-commn': 'KWDB Remote Communication', 'saphostctrl': 'SAPHostControl over SOAP/HTTP', 'saphostctrls': 'SAPHostControl over SOAP/HTTPS', 'casp': 'CAC App Service Protocol', 'caspssl': 'CAC App Service Protocol Encripted', 'kvm-via-ip': 'KVM-via-IP Management Service', 'dfn': 'Data Flow Network', 'aplx': 'MicroAPL APLX', 'omnivision': 'OmniVision Communication Service', 'hhb-gateway': 'HHB Gateway Control', 'trim': 'TRIM Workgroup Service', 'encrypted-admin': 'encrypted admin requests\nIANA assigned this well-formed service name as a replacement for "encrypted_admin".', 'encrypted_admin': 'encrypted admin requests', 'evm': 'Enterprise Virtual Manager', 'autonoc': 'AutoNOC Network Operations Protocol', 'mxomss': 'User Message Service', 'edtools': 'User Discovery Service', 'imyx': 'Infomatryx Exchange', 'fuscript': 'Fusion Script', 'x9-icue': 'X9 iCue Show Control', 'audit-transfer': 'audit transfer', 'capioverlan': 'CAPIoverLAN', 'elfiq-repl': 'Elfiq Replication Service', 'bvtsonar': 'BVT Sonar Service', 'blaze': 'Blaze File Server', 'unizensus': 'Unizensus Login Server', 'winpoplanmess': 'Winpopup LAN Messenger', 'c1222-acse': 'ANSI C12.22 Port', 'resacommunity': 'Community Service', 'nfa': 'Network File Access', 'iascontrol-oms': 'iasControl OMS', 'iascontrol': 'Oracle iASControl', 'dbcontrol-oms': 'dbControl OMS', 'oracle-oms': 'Oracle OMS', 'olsv': 'DB Lite Mult-User Server', 'health-polling': 'Health Polling', 'health-trap': 'Health Trap', 'sddp': 'SmartDialer Data Protocol', 'qsm-proxy': 'QSM Proxy Service', 'qsm-gui': 'QSM GUI Service', 'qsm-remote': 'QSM RemoteExec', 'cisco-ipsla': 'Cisco IP SLAs Control Protocol', 'vchat': 'VChat Conference Service', 'tripwire': 'TRIPWIRE', 'atc-lm': 'AT+C License Manager', 'atc-appserver': 'AT+C FmiApplicationServer', 'dnap': 'DNA Protocol', 'd-cinema-rrp': 'D-Cinema Request-Response', 'fnet-remote-ui': 'FlashNet Remote Admin', 'dossier': 'Dossier Server', 'indigo-server': 'Indigo Home Server', 'dkmessenger': 'DKMessenger Protocol', 'sgi-storman': 'SGI Storage Manager', 'b2n': 'Backup To Neighbor', 'mc-client': 'Millicent Client Proxy', '3comnetman': '3Com Net Management', 'accelenet': 'AcceleNet Control', 'llsurfup-http': 'LL Surfup HTTP', 'llsurfup-https': 'LL Surfup HTTPS', 'catchpole': 'Catchpole port', 'mysql-cluster': 'MySQL Cluster Manager', 'alias': 'Alias Service', 'hp-webadmin': 'HP Web Admin', 'unet': 'Unet Connection', 'commlinx-avl': 'CommLinx GPS / AVL System', 'gpfs': 'General Parallel File System', 'caids-sensor': 'caids sensors channel', 'fiveacross': 'Five Across Server', 'openvpn': 'OpenVPN', 'rsf-1': 'RSF-1 clustering', 'netmagic': 'Network Magic', 'carrius-rshell': 'Carrius Remote Access', 'cajo-discovery': 'cajo reference discovery', 'dmidi': 'DMIDI', 'scol': 'SCOL', 'nucleus-sand': 'Nucleus Sand Database Server', 'caiccipc': 'caiccipc', 'ssslic-mgr': 'License Validation', 'ssslog-mgr': 'Log Request Listener', 'accord-mgc': 'Accord-MGC', 'anthony-data': 'Anthony Data', 'metasage': 'MetaSage', 'seagull-ais': 'SEAGULL AIS', 'ipcd3': 'IPCD3', 'eoss': 'EOSS', 'groove-dpp': 'Groove DPP', 'lupa': 'lupa', 'mpc-lifenet': 'MPC LIFENET', 'kazaa': 'KAZAA', 'scanstat-1': 'scanSTAT 1.0', 'etebac5': 'ETEBAC 5', 'hpss-ndapi': 'HPSS NonDCE Gateway', 'aeroflight-ads': 'AeroFlight-ADs', 'aeroflight-ret': 'AeroFlight-Ret', 'qt-serveradmin': 'QT SERVER ADMIN', 'sweetware-apps': 'SweetWARE Apps', 'nerv': 'SNI R&D network', 'tgp': 'TrulyGlobal Protocol', 'vpnz': 'VPNz', 'slinkysearch': 'SLINKYSEARCH', 'stgxfws': 'STGXFWS', 'dns2go': 'DNS2Go', 'florence': 'FLORENCE', 'zented': 'ZENworks Tiered Electronic Distribution', 'periscope': 'Periscope', 'menandmice-lpm': 'menandmice-lpm', 'univ-appserver': 'Universal App Server', 'search-agent': 'Infoseek Search Agent', 'mosaicsyssvc1': 'mosaicsyssvc1', 'bvcontrol': 'bvcontrol', 'tsdos390': 'tsdos390', 'hacl-qs': 'hacl-qs', 'nmsd': 'NMSD', 'instantia': 'Instantia', 'nessus': 'nessus', 'nmasoverip': 'NMAS over IP', 'serialgateway': 'SerialGateway', 'isbconference1': 'isbconference1', 'isbconference2': 'isbconference2', 'payrouter': 'payrouter', 'visionpyramid': 'VisionPyramid', 'hermes': 'hermes', 'mesavistaco': 'Mesa Vista Co', 'swldy-sias': 'swldy-sias', 'servergraph': 'servergraph', 'bspne-pcc': 'bspne-pcc', 'q55-pcc': 'q55-pcc', 'de-noc': 'de-noc', 'de-cache-query': 'de-cache-query', 'de-server': 'de-server', 'shockwave2': 'Shockwave 2', 'opennl': 'Open Network Library', 'opennl-voice': 'Open Network Library Voice', 'ibm-ssd': 'ibm-ssd', 'mpshrsv': 'mpshrsv', 'qnts-orb': 'QNTS-ORB', 'dka': 'dka', 'prat': 'PRAT', 'dssiapi': 'DSSIAPI', 'dellpwrappks': 'DELLPWRAPPKS', 'epc': 'eTrust Policy Compliance', 'propel-msgsys': 'PROPEL-MSGSYS', 'watilapp': 'WATiLaPP', 'opsmgr': 'Microsoft Operations Manager', 'excw': 'eXcW', 'cspmlockmgr': 'CSPMLockMgr', 'emc-gateway': 'EMC-Gateway', 't1distproc': 't1distproc', 'ivcollector': 'ivcollector', 'ivmanager': 'ivmanager', 'miva-mqs': 'mqs', 'dellwebadmin-1': 'Dell Web Admin 1', 'dellwebadmin-2': 'Dell Web Admin 2', 'pictrography': 'Pictrography', 'healthd': 'healthd', 'emperion': 'Emperion', 'productinfo': 'Product Information', 'iee-qfx': 'IEE-QFX', 'neoiface': 'neoiface', 'netuitive': 'netuitive', 'routematch': 'RouteMatch Com', 'navbuddy': 'NavBuddy', 'jwalkserver': 'JWalkServer', 'winjaserver': 'WinJaServer', 'seagulllms': 'SEAGULLLMS', 'dsdn': 'dsdn', 'pkt-krb-ipsec': 'PKT-KRB-IPSec', 'cmmdriver': 'CMMdriver', 'ehtp': 'End-by-Hop Transmission Protocol', 'dproxy': 'dproxy', 'sdproxy': 'sdproxy', 'lpcp': 'lpcp', 'hp-sci': 'hp-sci', 'h323hostcallsc': 'H323 Host Call Secure', 'ci3-software-1': 'CI3-Software-1', 'ci3-software-2': 'CI3-Software-2', 'sftsrv': 'sftsrv', 'boomerang': 'Boomerang', 'pe-mike': 'pe-mike', 're-conn-proto': 'RE-Conn-Proto', 'pacmand': 'Pacmand', 'odsi': 'Optical Domain Service Interconnect (ODSI)', 'jtag-server': 'JTAG server', 'husky': 'Husky', 'rxmon': 'RxMon', 'sti-envision': 'STI Envision', 'bmc-patroldb': 'BMC_PATROLDB\nIANA assigned this well-formed service name as a replacement for "bmc_patroldb".', 'bmc_patroldb': 'BMC_PATROLDB', 'pdps': 'Photoscript Distributed Printing System', 'els': 'E.L.S., Event Listener Service', 'exbit-escp': 'Exbit-ESCP', 'vrts-ipcserver': 'vrts-ipcserver', 'krb5gatekeeper': 'krb5gatekeeper', 'amx-icsp': 'AMX-ICSP', 'amx-axbnet': 'AMX-AXBNET', 'pip': 'PIP', 'novation': 'Novation', 'brcd': 'brcd', 'delta-mcp': 'delta-mcp', 'dx-instrument': 'DX-Instrument', 'wimsic': 'WIMSIC', 'ultrex': 'Ultrex', 'ewall': 'EWALL', 'netdb-export': 'netdb-export', 'streetperfect': 'StreetPerfect', 'intersan': 'intersan', 'pcia-rxp-b': 'PCIA RXP-B', 'passwrd-policy': 'Password Policy', 'writesrv': 'writesrv', 'digital-notary': 'Digital Notary Protocol', 'ischat': 'Instant Service Chat', 'menandmice-dns': 'menandmice DNS', 'wmc-log-svc': 'WMC-log-svr', 'kjtsiteserver': 'kjtsiteserver', 'naap': 'NAAP', 'qubes': 'QuBES', 'esbroker': 'ESBroker', 're101': 're101', 'icap': 'ICAP', 'vpjp': 'VPJP', 'alta-ana-lm': 'Alta Analytics License Manager', 'bbn-mmc': 'multi media conferencing', 'bbn-mmx': 'multi media conferencing', 'sbook': 'Registration Network Protocol', 'editbench': 'Registration Network Protocol', 'equationbuilder': 'Digital Tool Works (MIT)', 'lotusnote': 'Lotus Note', 'relief': 'Relief Consulting', 'XSIP-network': 'Five Across XSIP Network', 'intuitive-edge': 'Intuitive Edge', 'cuillamartin': 'CuillaMartin Company', 'pegboard': 'Electronic PegBoard', 'connlcli': 'CONNLCLI', 'ftsrv': 'FTSRV', 'mimer': 'MIMER', 'linx': 'LinX', 'timeflies': 'TimeFlies', 'ndm-requester': 'Network DataMover Requester', 'ndm-server': 'Network DataMover Server', 'adapt-sna': 'Network Software Associates', 'netware-csp': 'Novell NetWare Comm Service Platform', 'dcs': 'DCS', 'screencast': 'ScreenCast', 'gv-us': 'GlobalView to Unix Shell', 'us-gv': 'Unix Shell to GlobalView', 'fc-cli': 'Fujitsu Config Protocol', 'fc-ser': 'Fujitsu Config Protocol', 'chromagrafx': 'Chromagrafx', 'molly': 'EPI Software Systems', 'bytex': 'Bytex', 'ibm-pps': 'IBM Person to Person Software', 'cichlid': 'Cichlid License Manager', 'elan': 'Elan License Manager', 'dbreporter': 'Integrity Solutions', 'telesis-licman': 'Telesis Network License Manager', 'apple-licman': 'Apple Network License Manager', 'udt-os': 'udt_os\nIANA assigned this well-formed service name as a replacement for "udt_os".', 'udt_os': 'udt_os', 'gwha': 'GW Hannaway Network License Manager', 'os-licman': 'Objective Solutions License Manager', 'atex-elmd': 'Atex Publishing License Manager\nIANA assigned this well-formed service name as a replacement for "atex_elmd".', 'atex_elmd': 'Atex Publishing License Manager', 'checksum': 'CheckSum License Manager', 'cadsi-lm': 'Computer Aided Design Software Inc LM', 'objective-dbc': 'Objective Solutions DataBase Cache', 'iclpv-dm': 'Document Manager', 'iclpv-sc': 'Storage Controller', 'iclpv-sas': 'Storage Access Server', 'iclpv-pm': 'Print Manager', 'iclpv-nls': 'Network Log Server', 'iclpv-nlc': 'Network Log Client', 'iclpv-wsm': 'PC Workstation Manager software', 'dvl-activemail': 'DVL Active Mail', 'audio-activmail': 'Audio Active Mail', 'video-activmail': 'Video Active Mail', 'cadkey-licman': 'Cadkey License Manager', 'cadkey-tablet': 'Cadkey Tablet Daemon', 'goldleaf-licman': 'Goldleaf License Manager', 'prm-sm-np': 'Prospero Resource Manager', 'prm-nm-np': 'Prospero Resource Manager', 'igi-lm': 'Infinite Graphics License Manager', 'ibm-res': 'IBM Remote Execution Starter', 'netlabs-lm': 'NetLabs License Manager', 'dbsa-lm': 'DBSA License Manager', 'sophia-lm': 'Sophia License Manager', 'here-lm': 'Here License Manager', 'hiq': 'HiQ License Manager', 'af': 'AudioFile', 'innosys': 'InnoSys', 'innosys-acl': 'Innosys-ACL', 'ibm-mqseries': 'IBM MQSeries', 'dbstar': 'DBStar', 'novell-lu6-2': 'Novell LU6.2\nIANA assigned this well-formed service name as a replacement for "novell-lu6.2".', 'novell-lu6.2': 'Novell LU6.2', 'timbuktu-srv1': 'Timbuktu Service 1 Port', 'timbuktu-srv2': 'Timbuktu Service 2 Port', 'timbuktu-srv3': 'Timbuktu Service 3 Port', 'timbuktu-srv4': 'Timbuktu Service 4 Port', 'gandalf-lm': 'Gandalf License Manager', 'autodesk-lm': 'Autodesk License Manager', 'essbase': 'Essbase Arbor Software', 'hybrid': 'Hybrid Encryption Protocol', 'zion-lm': 'Zion Software License Manager', 'sais': 'Satellite-data Acquisition System 1', 'mloadd': 'mloadd monitoring tool', 'informatik-lm': 'Informatik License Manager', 'nms': 'Hypercom NMS', 'tpdu': 'Hypercom TPDU', 'rgtp': 'Reverse Gossip Transport', 'blueberry-lm': 'Blueberry Software License Manager', 'ms-sql-s': 'Microsoft-SQL-Server', 'ms-sql-m': 'Microsoft-SQL-Monitor', 'ibm-cics': 'IBM CICS', 'saism': 'Satellite-data Acquisition System 2', 'tabula': 'Tabula', 'eicon-server': 'Eicon Security Agent/Server', 'eicon-x25': 'Eicon X25/SNA Gateway', 'eicon-slp': 'Eicon Service Location Protocol', 'cadis-1': 'Cadis License Management', 'cadis-2': 'Cadis License Management', 'ies-lm': 'Integrated Engineering Software', 'marcam-lm': 'Marcam License Management', 'proxima-lm': 'Proxima License Manager', 'ora-lm': 'Optical Research Associates License Manager', 'apri-lm': 'Applied Parallel Research LM', 'oc-lm': 'OpenConnect License Manager', 'peport': 'PEport', 'dwf': 'Tandem Distributed Workbench Facility', 'infoman': 'IBM Information Management', 'gtegsc-lm': 'GTE Government Systems License Man', 'genie-lm': 'Genie License Manager', 'interhdl-elmd': 'interHDL License Manager\nIANA assigned this well-formed service name as a replacement for "interhdl_elmd".', 'interhdl_elmd': 'interHDL License Manager', 'esl-lm': 'ESL License Manager', 'dca': 'DCA', 'valisys-lm': 'Valisys License Manager', 'nrcabq-lm': 'Nichols Research Corp.', 'proshare1': 'Proshare Notebook Application', 'proshare2': 'Proshare Notebook Application', 'ibm-wrless-lan': 'IBM Wireless LAN\nIANA assigned this well-formed service name as a replacement for "ibm_wrless_lan".', 'ibm_wrless_lan': 'IBM Wireless LAN', 'world-lm': 'World License Manager', 'nucleus': 'Nucleus', 'msl-lmd': 'MSL License Manager\nIANA assigned this well-formed service name as a replacement for "msl_lmd".', 'msl_lmd': 'MSL License Manager', 'pipes': 'Pipes Platform', 'oceansoft-lm': 'Ocean Software License Manager', 'csdmbase': 'CSDMBASE', 'csdm': 'CSDM', 'aal-lm': 'Active Analysis Limited License Manager', 'uaiact': 'Universal Analytics', 'csdmbase': 'csdmbase', 'csdm': 'csdm', 'openmath': 'OpenMath', 'telefinder': 'Telefinder', 'taligent-lm': 'Taligent License Manager', 'clvm-cfg': 'clvm-cfg', 'ms-sna-server': 'ms-sna-server', 'ms-sna-base': 'ms-sna-base', 'dberegister': 'dberegister', 'pacerforum': 'PacerForum', 'airs': 'AIRS', 'miteksys-lm': 'Miteksys License Manager', 'afs': 'AFS License Manager', 'confluent': 'Confluent License Manager', 'lansource': 'LANSource', 'nms-topo-serv': 'nms_topo_serv\nIANA assigned this well-formed service name as a replacement for "nms_topo_serv".', 'nms_topo_serv': 'nms_topo_serv', 'localinfosrvr': 'LocalInfoSrvr', 'docstor': 'DocStor', 'dmdocbroker': 'dmdocbroker', 'insitu-conf': 'insitu-conf', 'stone-design-1': 'stone-design-1', 'netmap-lm': 'netmap_lm\nIANA assigned this well-formed service name as a replacement for "netmap_lm".', 'netmap_lm': 'netmap_lm', 'ica': 'ica', 'cvc': 'cvc', 'liberty-lm': 'liberty-lm', 'rfx-lm': 'rfx-lm', 'sybase-sqlany': 'Sybase SQL Any', 'fhc': 'Federico Heinz Consultora', 'vlsi-lm': 'VLSI License Manager', 'saiscm': 'Satellite-data Acquisition System 3', 'shivadiscovery': 'Shiva', 'imtc-mcs': 'Databeam', 'evb-elm': 'EVB Software Engineering License Manager', 'funkproxy': 'Funk Software, Inc.', 'utcd': 'Universal Time daemon (utcd)', 'symplex': 'symplex', 'diagmond': 'diagmond', 'robcad-lm': 'Robcad, Ltd. License Manager', 'mvx-lm': 'Midland Valley Exploration Ltd. Lic. Man.', '3l-l1': '3l-l1', 'wins': "Microsoft's Windows Internet Name Service", 'fujitsu-dtc': 'Fujitsu Systems Business of America, Inc', 'fujitsu-dtcns': 'Fujitsu Systems Business of America, Inc', 'ifor-protocol': 'ifor-protocol', 'vpad': 'Virtual Places Audio data', 'vpac': 'Virtual Places Audio control', 'vpvd': 'Virtual Places Video data', 'vpvc': 'Virtual Places Video control', 'atm-zip-office': 'atm zip office', 'ncube-lm': 'nCube License Manager', 'ricardo-lm': 'Ricardo North America License Manager', 'cichild-lm': 'cichild', 'ingreslock': 'ingres', 'orasrv': 'oracle', 'prospero-np': 'Prospero Directory Service non-priv', 'pdap-np': 'Prospero Data Access Prot non-priv', 'tlisrv': 'oracle', 'coauthor': 'oracle', 'rap-service': 'rap-service', 'rap-listen': 'rap-listen', 'miroconnect': 'miroconnect', 'virtual-places': 'Virtual Places Software', 'micromuse-lm': 'micromuse-lm', 'ampr-info': 'ampr-info', 'ampr-inter': 'ampr-inter', 'sdsc-lm': 'isi-lm', '3ds-lm': '3ds-lm', 'intellistor-lm': 'Intellistor License Manager', 'rds': 'rds', 'rds2': 'rds2', 'gridgen-elmd': 'gridgen-elmd', 'simba-cs': 'simba-cs', 'aspeclmd': 'aspeclmd', 'vistium-share': 'vistium-share', 'abbaccuray': 'abbaccuray', 'laplink': 'laplink', 'axon-lm': 'Axon License Manager', 'shivahose': 'Shiva Hose', '3m-image-lm': 'Image Storage license manager 3M Company', 'hecmtl-db': 'HECMTL-DB', 'pciarray': 'pciarray', 'sna-cs': 'sna-cs', 'caci-lm': 'CACI Products Company License Manager', 'livelan': 'livelan', 'veritas-pbx': 'VERITAS Private Branch Exchange\nIANA assigned this well-formed service name as a replacement for "veritas_pbx".', 'veritas_pbx': 'VERITAS Private Branch Exchange', 'arbortext-lm': 'ArborText License Manager', 'xingmpeg': 'xingmpeg', 'web2host': 'web2host', 'asci-val': 'ASCI-RemoteSHADOW', 'facilityview': 'facilityview', 'pconnectmgr': 'pconnectmgr', 'cadabra-lm': 'Cadabra License Manager', 'pay-per-view': 'Pay-Per-View', 'winddlb': 'WinDD', 'corelvideo': 'CORELVIDEO', 'jlicelmd': 'jlicelmd', 'tsspmap': 'tsspmap', 'ets': 'ets', 'orbixd': 'orbixd', 'rdb-dbs-disp': 'Oracle Remote Data Base', 'chip-lm': 'Chipcom License Manager', 'itscomm-ns': 'itscomm-ns', 'mvel-lm': 'mvel-lm', 'oraclenames': 'oraclenames', 'moldflow-lm': 'Moldflow License Manager', 'hypercube-lm': 'hypercube-lm', 'jacobus-lm': 'Jacobus License Manager', 'ioc-sea-lm': 'ioc-sea-lm', 'tn-tl-r1': 'tn-tl-r1', 'mil-2045-47001': 'MIL-2045-47001', 'msims': 'MSIMS', 'simbaexpress': 'simbaexpress', 'tn-tl-fd2': 'tn-tl-fd2', 'intv': 'intv', 'ibm-abtact': 'ibm-abtact', 'pra-elmd': 'pra_elmd\nIANA assigned this well-formed service name as a replacement for "pra_elmd".', 'pra_elmd': 'pra_elmd', 'triquest-lm': 'triquest-lm', 'vqp': 'VQP', 'gemini-lm': 'gemini-lm', 'ncpm-pm': 'ncpm-pm', 'commonspace': 'commonspace', 'mainsoft-lm': 'mainsoft-lm', 'sixtrak': 'sixtrak', 'radio': 'radio', 'radio-sm': 'radio-sm', 'orbplus-iiop': 'orbplus-iiop', 'picknfs': 'picknfs', 'simbaservices': 'simbaservices', 'issd': 'issd', 'aas': 'aas', 'inspect': 'inspect', 'picodbc': 'pickodbc', 'icabrowser': 'icabrowser', 'slp': 'Salutation Manager (Salutation Protocol)', 'slm-api': 'Salutation Manager (SLM-API)', 'stt': 'stt', 'smart-lm': 'Smart Corp. License Manager', 'isysg-lm': 'isysg-lm', 'taurus-wh': 'taurus-wh', 'ill': 'Inter Library Loan', 'netbill-trans': 'NetBill Transaction Server', 'netbill-keyrep': 'NetBill Key Repository', 'netbill-cred': 'NetBill Credential Server', 'netbill-auth': 'NetBill Authorization Server', 'netbill-prod': 'NetBill Product Server', 'nimrod-agent': 'Nimrod Inter-Agent Communication', 'skytelnet': 'skytelnet', 'xs-openstorage': 'xs-openstorage', 'faxportwinport': 'faxportwinport', 'softdataphone': 'softdataphone', 'ontime': 'ontime', 'jaleosnd': 'jaleosnd', 'udp-sr-port': 'udp-sr-port', 'svs-omagent': 'svs-omagent', 'shockwave': 'Shockwave', 't128-gateway': 'T.128 Gateway', 'lontalk-norm': 'LonTalk normal', 'lontalk-urgnt': 'LonTalk urgent', 'oraclenet8cman': 'Oracle Net8 Cman', 'visitview': 'Visit view', 'pammratc': 'PAMMRATC', 'pammrpc': 'PAMMRPC', 'loaprobe': 'Log On America Probe', 'edb-server1': 'EDB Server 1', 'isdc': 'ISP shared public data control', 'islc': 'ISP shared local data control', 'ismc': 'ISP shared management control', 'cert-initiator': 'cert-initiator', 'cert-responder': 'cert-responder', 'invision': 'InVision', 'isis-am': 'isis-am', 'isis-ambc': 'isis-ambc', 'saiseh': 'Satellite-data Acquisition System 4', 'sightline': 'SightLine', 'sa-msg-port': 'sa-msg-port', 'rsap': 'rsap', 'concurrent-lm': 'concurrent-lm', 'kermit': 'kermit', 'nkd': 'nkdn', 'shiva-confsrvr': 'shiva_confsrvr\nIANA assigned this well-formed service name as a replacement for "shiva_confsrvr".', 'shiva_confsrvr': 'shiva_confsrvr', 'xnmp': 'xnmp', 'alphatech-lm': 'alphatech-lm', 'stargatealerts': 'stargatealerts', 'dec-mbadmin': 'dec-mbadmin', 'dec-mbadmin-h': 'dec-mbadmin-h', 'fujitsu-mmpdc': 'fujitsu-mmpdc', 'sixnetudr': 'sixnetudr', 'sg-lm': 'Silicon Grail License Manager', 'skip-mc-gikreq': 'skip-mc-gikreq', 'netview-aix-1': 'netview-aix-1', 'netview-aix-2': 'netview-aix-2', 'netview-aix-3': 'netview-aix-3', 'netview-aix-4': 'netview-aix-4', 'netview-aix-5': 'netview-aix-5', 'netview-aix-6': 'netview-aix-6', 'netview-aix-7': 'netview-aix-7', 'netview-aix-8': 'netview-aix-8', 'netview-aix-9': 'netview-aix-9', 'netview-aix-10': 'netview-aix-10', 'netview-aix-11': 'netview-aix-11', 'netview-aix-12': 'netview-aix-12', 'proshare-mc-1': 'Intel Proshare Multicast', 'proshare-mc-2': 'Intel Proshare Multicast', 'pdp': 'Pacific Data Products', 'netcomm1': 'netcomm1', 'groupwise': 'groupwise', 'prolink': 'prolink', 'darcorp-lm': 'darcorp-lm', 'microcom-sbp': 'microcom-sbp', 'sd-elmd': 'sd-elmd', 'lanyon-lantern': 'lanyon-lantern', 'ncpm-hip': 'ncpm-hip', 'snaresecure': 'SnareSecure', 'n2nremote': 'n2nremote', 'cvmon': 'cvmon', 'nsjtp-ctrl': 'nsjtp-ctrl', 'nsjtp-data': 'nsjtp-data', 'firefox': 'firefox', 'ng-umds': 'ng-umds', 'empire-empuma': 'empire-empuma', 'sstsys-lm': 'sstsys-lm', 'rrirtr': 'rrirtr', 'rrimwm': 'rrimwm', 'rrilwm': 'rrilwm', 'rrifmm': 'rrifmm', 'rrisat': 'rrisat', 'rsvp-encap-1': 'RSVP-ENCAPSULATION-1', 'rsvp-encap-2': 'RSVP-ENCAPSULATION-2', 'mps-raft': 'mps-raft', 'l2f': 'l2f', 'l2tp': 'l2tp', 'deskshare': 'deskshare', 'hb-engine': 'hb-engine', 'bcs-broker': 'bcs-broker', 'slingshot': 'slingshot', 'jetform': 'jetform', 'vdmplay': 'vdmplay', 'gat-lmd': 'gat-lmd', 'centra': 'centra', 'impera': 'impera', 'pptconference': 'pptconference', 'registrar': 'resource monitoring service', 'conferencetalk': 'ConferenceTalk', 'sesi-lm': 'sesi-lm', 'houdini-lm': 'houdini-lm', 'xmsg': 'xmsg', 'fj-hdnet': 'fj-hdnet', 'h323gatedisc': 'h323gatedisc', 'h323gatestat': 'h323gatestat', 'h323hostcall': 'h323hostcall', 'caicci': 'caicci', 'hks-lm': 'HKS License Manager', 'pptp': 'pptp', 'csbphonemaster': 'csbphonemaster', 'iden-ralp': 'iden-ralp', 'iberiagames': 'IBERIAGAMES', 'winddx': 'winddx', 'telindus': 'TELINDUS', 'citynl': 'CityNL License Management', 'roketz': 'roketz', 'msiccp': 'MSICCP', 'proxim': 'proxim', 'siipat': 'SIMS - SIIPAT Protocol for Alarm Transmission', 'cambertx-lm': 'Camber Corporation License Management', 'privatechat': 'PrivateChat', 'street-stream': 'street-stream', 'ultimad': 'ultimad', 'gamegen1': 'GameGen1', 'webaccess': 'webaccess', 'encore': 'encore', 'cisco-net-mgmt': 'cisco-net-mgmt', '3Com-nsd': '3Com-nsd', 'cinegrfx-lm': 'Cinema Graphics License Manager', 'ncpm-ft': 'ncpm-ft', 'remote-winsock': 'remote-winsock', 'ftrapid-1': 'ftrapid-1', 'ftrapid-2': 'ftrapid-2', 'oracle-em1': 'oracle-em1', 'aspen-services': 'aspen-services', 'sslp': "Simple Socket Library's PortMaster", 'swiftnet': 'SwiftNet', 'lofr-lm': 'Leap of Faith Research License Manager', 'predatar-comms': 'Predatar Comms Service', 'oracle-em2': 'oracle-em2', 'ms-streaming': 'ms-streaming', 'capfast-lmd': 'capfast-lmd', 'cnhrp': 'cnhrp', 'tftp-mcast': 'tftp-mcast', 'spss-lm': 'SPSS License Manager', 'www-ldap-gw': 'www-ldap-gw', 'cft-0': 'cft-0', 'cft-1': 'cft-1', 'cft-2': 'cft-2', 'cft-3': 'cft-3', 'cft-4': 'cft-4', 'cft-5': 'cft-5', 'cft-6': 'cft-6', 'cft-7': 'cft-7', 'bmc-net-adm': 'bmc-net-adm', 'bmc-net-svc': 'bmc-net-svc', 'vaultbase': 'vaultbase', 'essweb-gw': 'EssWeb Gateway', 'kmscontrol': 'KMSControl', 'global-dtserv': 'global-dtserv', 'femis': 'Federal Emergency Management Information System', 'powerguardian': 'powerguardian', 'prodigy-intrnet': 'prodigy-internet', 'pharmasoft': 'pharmasoft', 'dpkeyserv': 'dpkeyserv', 'answersoft-lm': 'answersoft-lm', 'hp-hcip': 'hp-hcip', 'finle-lm': 'Finle License Manager', 'windlm': 'Wind River Systems License Manager', 'funk-logger': 'funk-logger', 'funk-license': 'funk-license', 'psmond': 'psmond', 'hello': 'hello', 'nmsp': 'Narrative Media Streaming Protocol', 'ea1': 'EA1', 'ibm-dt-2': 'ibm-dt-2', 'rsc-robot': 'rsc-robot', 'cera-bcm': 'cera-bcm', 'dpi-proxy': 'dpi-proxy', 'vocaltec-admin': 'Vocaltec Server Administration', 'uma': 'UMA', 'etp': 'Event Transfer Protocol', 'netrisk': 'NETRISK', 'ansys-lm': 'ANSYS-License manager', 'msmq': 'Microsoft Message Que', 'concomp1': 'ConComp1', 'hp-hcip-gwy': 'HP-HCIP-GWY', 'enl': 'ENL', 'enl-name': 'ENL-Name', 'musiconline': 'Musiconline', 'fhsp': 'Fujitsu Hot Standby Protocol', 'oracle-vp2': 'Oracle-VP2', 'oracle-vp1': 'Oracle-VP1', 'jerand-lm': 'Jerand License Manager', 'scientia-sdb': 'Scientia-SDB', 'radius': 'RADIUS', 'radius-acct': 'RADIUS Accounting', 'tdp-suite': 'TDP Suite', 'mmpft': 'MMPFT', 'harp': 'HARP', 'rkb-oscs': 'RKB-OSCS', 'etftp': 'Enhanced Trivial File Transfer Protocol', 'plato-lm': 'Plato License Manager', 'mcagent': 'mcagent', 'donnyworld': 'donnyworld', 'es-elmd': 'es-elmd', 'unisys-lm': 'Unisys Natural Language License Manager', 'metrics-pas': 'metrics-pas', 'direcpc-video': 'DirecPC Video', 'ardt': 'ARDT', 'asi': 'ASI', 'itm-mcell-u': 'itm-mcell-u', 'optika-emedia': 'Optika eMedia', 'net8-cman': 'Oracle Net8 CMan Admin', 'myrtle': 'Myrtle', 'tht-treasure': 'ThoughtTreasure', 'udpradio': 'udpradio', 'ardusuni': 'ARDUS Unicast', 'ardusmul': 'ARDUS Multicast', 'ste-smsc': 'ste-smsc', 'csoft1': 'csoft1', 'talnet': 'TALNET', 'netopia-vo1': 'netopia-vo1', 'netopia-vo2': 'netopia-vo2', 'netopia-vo3': 'netopia-vo3', 'netopia-vo4': 'netopia-vo4', 'netopia-vo5': 'netopia-vo5', 'direcpc-dll': 'DirecPC-DLL', 'altalink': 'altalink', 'tunstall-pnc': 'Tunstall PNC', 'slp-notify': 'SLP Notification', 'fjdocdist': 'fjdocdist', 'alpha-sms': 'ALPHA-SMS', 'gsi': 'GSI', 'ctcd': 'ctcd', 'virtual-time': 'Virtual Time', 'vids-avtp': 'VIDS-AVTP', 'buddy-draw': 'Buddy Draw', 'fiorano-rtrsvc': 'Fiorano RtrSvc', 'fiorano-msgsvc': 'Fiorano MsgSvc', 'datacaptor': 'DataCaptor', 'privateark': 'PrivateArk', 'gammafetchsvr': 'Gamma Fetcher Server', 'sunscalar-svc': 'SunSCALAR Services', 'lecroy-vicp': 'LeCroy VICP', 'mysql-cm-agent': 'MySQL Cluster Manager Agent', 'msnp': 'MSNP', 'paradym-31port': 'Paradym 31 Port', 'entp': 'ENTP', 'swrmi': 'swrmi', 'udrive': 'UDRIVE', 'viziblebrowser': 'VizibleBrowser', 'transact': 'TransAct', 'sunscalar-dns': 'SunSCALAR DNS Service', 'canocentral0': 'Cano Central 0', 'canocentral1': 'Cano Central 1', 'fjmpjps': 'Fjmpjps', 'fjswapsnp': 'Fjswapsnp', 'westell-stats': 'westell stats', 'ewcappsrv': 'ewcappsrv', 'hp-webqosdb': 'hp-webqosdb', 'drmsmc': 'drmsmc', 'nettgain-nms': 'NettGain NMS', 'vsat-control': 'Gilat VSAT Control', 'ibm-mqseries2': 'IBM WebSphere MQ Everyplace', 'ecsqdmn': 'CA eTrust Common Services', 'ibm-mqisdp': 'IBM MQSeries SCADA', 'idmaps': 'Internet Distance Map Svc', 'vrtstrapserver': 'Veritas Trap Server', 'leoip': 'Leonardo over IP', 'filex-lport': 'FileX Listening Port', 'ncconfig': 'NC Config Port', 'unify-adapter': 'Unify Web Adapter Service', 'wilkenlistener': 'wilkenListener', 'childkey-notif': 'ChildKey Notification', 'childkey-ctrl': 'ChildKey Control', 'elad': 'ELAD Protocol', 'o2server-port': 'O2Server Port', 'b-novative-ls': 'b-novative license server', 'metaagent': 'MetaAgent', 'cymtec-port': 'Cymtec secure management', 'mc2studios': 'MC2Studios', 'ssdp': 'SSDP', 'fjicl-tep-a': 'Fujitsu ICL Terminal Emulator Program A', 'fjicl-tep-b': 'Fujitsu ICL Terminal Emulator Program B', 'linkname': 'Local Link Name Resolution', 'fjicl-tep-c': 'Fujitsu ICL Terminal Emulator Program C', 'sugp': 'Secure UP.Link Gateway Protocol', 'tpmd': 'TPortMapperReq', 'intrastar': 'IntraSTAR', 'dawn': 'Dawn', 'global-wlink': 'Global World Link', 'ultrabac': 'UltraBac Software communications port', 'mtp': 'Starlight Networks Multimedia Transport Protocol', 'rhp-iibp': 'rhp-iibp', 'armadp': 'armadp', 'elm-momentum': 'Elm-Momentum', 'facelink': 'FACELINK', 'persona': 'Persoft Persona', 'noagent': 'nOAgent', 'can-nds': 'IBM Tivole Directory Service - NDS', 'can-dch': 'IBM Tivoli Directory Service - DCH', 'can-ferret': 'IBM Tivoli Directory Service - FERRET', 'noadmin': 'NoAdmin', 'tapestry': 'Tapestry', 'spice': 'SPICE', 'xiip': 'XIIP', 'discovery-port': 'Surrogate Discovery Port', 'egs': 'Evolution Game Server', 'videte-cipc': 'Videte CIPC Port', 'emsd-port': 'Expnd Maui Srvr Dscovr', 'bandwiz-system': 'Bandwiz System - Server', 'driveappserver': 'Drive AppServer', 'amdsched': 'AMD SCHED', 'ctt-broker': 'CTT Broker', 'xmapi': 'IBM LM MT Agent', 'xaapi': 'IBM LM Appl Agent', 'macromedia-fcs': 'Macromedia Flash Communications Server MX', 'jetcmeserver': 'JetCmeServer Server Port', 'jwserver': 'JetVWay Server Port', 'jwclient': 'JetVWay Client Port', 'jvserver': 'JetVision Server Port', 'jvclient': 'JetVision Client Port', 'dic-aida': 'DIC-Aida', 'res': 'Real Enterprise Service', 'beeyond-media': 'Beeyond Media', 'close-combat': 'close-combat', 'dialogic-elmd': 'dialogic-elmd', 'tekpls': 'tekpls', 'sentinelsrm': 'SentinelSRM', 'eye2eye': 'eye2eye', 'ismaeasdaqlive': 'ISMA Easdaq Live', 'ismaeasdaqtest': 'ISMA Easdaq Test', 'bcs-lmserver': 'bcs-lmserver', 'mpnjsc': 'mpnjsc', 'rapidbase': 'Rapid Base', 'abr-api': 'ABR-API (diskbridge)', 'abr-secure': 'ABR-Secure Data (diskbridge)', 'vrtl-vmf-ds': 'Vertel VMF DS', 'unix-status': 'unix-status', 'dxadmind': 'CA Administration Daemon', 'simp-all': 'SIMP Channel', 'nasmanager': 'Merit DAC NASmanager', 'bts-appserver': 'BTS APPSERVER', 'biap-mp': 'BIAP-MP', 'webmachine': 'WebMachine', 'solid-e-engine': 'SOLID E ENGINE', 'tivoli-npm': 'Tivoli NPM', 'slush': 'Slush', 'sns-quote': 'SNS Quote', 'lipsinc': 'LIPSinc', 'lipsinc1': 'LIPSinc 1', 'netop-rc': 'NetOp Remote Control', 'netop-school': 'NetOp School', 'intersys-cache': 'Cache', 'dlsrap': 'Data Link Switching Remote Access Protocol', 'drp': 'DRP', 'tcoflashagent': 'TCO Flash Agent', 'tcoregagent': 'TCO Reg Agent', 'tcoaddressbook': 'TCO Address Book', 'unisql': 'UniSQL', 'unisql-java': 'UniSQL Java', 'pearldoc-xact': 'PearlDoc XACT', 'p2pq': 'p2pQ', 'estamp': 'Evidentiary Timestamp', 'lhtp': 'Loophole Test Protocol', 'bb': 'BB', 'hsrp': 'Hot Standby Router Protocol', 'licensedaemon': 'cisco license management', 'tr-rsrb-p1': 'cisco RSRB Priority 1 port', 'tr-rsrb-p2': 'cisco RSRB Priority 2 port', 'tr-rsrb-p3': 'cisco RSRB Priority 3 port', 'mshnet': 'MHSnet system', 'stun-p1': 'cisco STUN Priority 1 port', 'stun-p2': 'cisco STUN Priority 2 port', 'stun-p3': 'cisco STUN Priority 3 port', 'ipsendmsg': 'IPsendmsg', 'snmp-tcp-port': 'cisco SNMP TCP port', 'stun-port': 'cisco serial tunnel port', 'perf-port': 'cisco perf port', 'tr-rsrb-port': 'cisco Remote SRB port', 'gdp-port': 'cisco Gateway Discovery Protocol', 'x25-svc-port': 'cisco X.25 service (XOT)', 'tcp-id-port': 'cisco identification port', 'cisco-sccp': 'Cisco SCCP', 'dc': '', 'globe': '', 'brutus': 'Brutus Server', 'mailbox': '', 'berknet': '', 'invokator': '', 'dectalk': '', 'conf': '', 'news': '', 'search': '', 'raid-cc': 'raid', 'ttyinfo': '', 'raid-am': '', 'troff': '', 'cypress': '', 'bootserver': '', 'cypress-stat': '', 'terminaldb': '', 'whosockami': '', 'xinupageserver': '', 'servexec': '', 'down': '', 'xinuexpansion3': '', 'xinuexpansion4': '', 'ellpack': '', 'scrabble': '', 'shadowserver': '', 'submitserver': '', 'hsrpv6': 'Hot Standby Router Protocol IPv6', 'device2': '', 'mobrien-chat': 'mobrien-chat', 'blackboard': '', 'glogger': '', 'scoremgr': '', 'imsldoc': '', 'e-dpnet': 'Ethernet WS DP network', 'applus': 'APplus Application Server', 'objectmanager': '', 'prizma': 'Prizma Monitoring Service', 'lam': '', 'interbase': '', 'isis': 'isis', 'isis-bcast': 'isis-bcast', 'rimsl': '', 'cdfunc': '', 'sdfunc': '', 'dls': '', 'dls-monitor': '', 'shilp': '', 'nfs': 'Network File System - Sun Microsystems', 'av-emb-config': 'Avaya EMB Config Port', 'epnsdp': 'EPNSDP', 'clearvisn': 'clearVisn Services Port', 'lot105-ds-upd': 'Lot105 DSuper Updates', 'weblogin': 'Weblogin Port', 'iop': 'Iliad-Odyssey Protocol', 'omnisky': 'OmniSky Port', 'rich-cp': 'Rich Content Protocol', 'newwavesearch': 'NewWaveSearchables RMI', 'bmc-messaging': 'BMC Messaging Service', 'teleniumdaemon': 'Telenium Daemon IF', 'netmount': 'NetMount', 'icg-swp': 'ICG SWP Port', 'icg-bridge': 'ICG Bridge Port', 'icg-iprelay': 'ICG IP Relay Port', 'dlsrpn': 'Data Link Switch Read Port Number', 'aura': 'AVM USB Remote Architecture', 'dlswpn': 'Data Link Switch Write Port Number', 'avauthsrvprtcl': 'Avocent AuthSrv Protocol', 'event-port': 'HTTP Event Port', 'ah-esp-encap': 'AH and ESP Encapsulated in UDP packet', 'acp-port': 'Axon Control Protocol', 'msync': 'GlobeCast mSync', 'gxs-data-port': 'DataReel Database Socket', 'vrtl-vmf-sa': 'Vertel VMF SA', 'newlixengine': 'Newlix ServerWare Engine', 'newlixconfig': 'Newlix JSPConfig', 'tsrmagt': 'Old Tivoli Storage Manager', 'tpcsrvr': 'IBM Total Productivity Center Server', 'idware-router': 'IDWARE Router Port', 'autodesk-nlm': 'Autodesk NLM (FLEXlm)', 'kme-trap-port': 'KME PRINTER TRAP PORT', 'infowave': 'Infowave Mobility Server', 'radsec': 'Secure Radius Service', 'sunclustergeo': 'SunCluster Geographic', 'ada-cip': 'ADA Control', 'gnunet': 'GNUnet', 'eli': 'ELI - Event Logging Integration', 'ip-blf': 'IP Busy Lamp Field', 'sep': 'Security Encapsulation Protocol - SEP', 'lrp': 'Load Report Protocol', 'prp': 'PRP', 'descent3': 'Descent 3', 'nbx-cc': 'NBX CC', 'nbx-au': 'NBX AU', 'nbx-ser': 'NBX SER', 'nbx-dir': 'NBX DIR', 'jetformpreview': 'Jet Form Preview', 'dialog-port': 'Dialog Port', 'h2250-annex-g': 'H.225.0 Annex G', 'amiganetfs': 'Amiga Network Filesystem', 'rtcm-sc104': 'rtcm-sc104', 'zephyr-srv': 'Zephyr server', 'zephyr-clt': 'Zephyr serv-hm connection', 'zephyr-hm': 'Zephyr hostmanager', 'minipay': 'MiniPay', 'mzap': 'MZAP', 'bintec-admin': 'BinTec Admin', 'comcam': 'Comcam', 'ergolight': 'Ergolight', 'umsp': 'UMSP', 'dsatp': 'OPNET Dynamic Sampling Agent Transaction Protocol', 'idonix-metanet': 'Idonix MetaNet', 'hsl-storm': 'HSL StoRM', 'newheights': 'NEWHEIGHTS', 'kdm': 'Key Distribution Manager', 'ccowcmr': 'CCOWCMR', 'mentaclient': 'MENTACLIENT', 'mentaserver': 'MENTASERVER', 'gsigatekeeper': 'GSIGATEKEEPER', 'qencp': 'Quick Eagle Networks CP', 'scientia-ssdb': 'SCIENTIA-SSDB', 'caupc-remote': 'CauPC Remote Control', 'gtp-control': 'GTP-Control Plane (3GPP)', 'elatelink': 'ELATELINK', 'lockstep': 'LOCKSTEP', 'pktcable-cops': 'PktCable-COPS', 'index-pc-wb': 'INDEX-PC-WB', 'net-steward': 'Net Steward Control', 'cs-live': 'cs-live.com', 'xds': 'XDS', 'avantageb2b': 'Avantageb2b', 'solera-epmap': 'SoleraTec End Point Map', 'zymed-zpp': 'ZYMED-ZPP', 'avenue': 'AVENUE', 'gris': 'Grid Resource Information Server', 'appworxsrv': 'APPWORXSRV', 'connect': 'CONNECT', 'unbind-cluster': 'UNBIND-CLUSTER', 'ias-auth': 'IAS-AUTH', 'ias-reg': 'IAS-REG', 'ias-admind': 'IAS-ADMIND', 'tdmoip': 'TDM OVER IP', 'lv-jc': 'Live Vault Job Control', 'lv-ffx': 'Live Vault Fast Object Transfer', 'lv-pici': 'Live Vault Remote Diagnostic Console Support', 'lv-not': 'Live Vault Admin Event Notification', 'lv-auth': 'Live Vault Authentication', 'veritas-ucl': 'VERITAS UNIVERSAL COMMUNICATION LAYER', 'acptsys': 'ACPTSYS', 'dynamic3d': 'DYNAMIC3D', 'docent': 'DOCENT', 'gtp-user': 'GTP-User Plane (3GPP)', 'ctlptc': 'Control Protocol', 'stdptc': 'Standard Protocol', 'brdptc': 'Bridge Protocol', 'trp': 'Talari Reliable Protocol', 'xnds': 'Xerox Network Document Scan Protocol', 'touchnetplus': 'TouchNetPlus Service', 'gdbremote': 'GDB Remote Debug Port', 'apc-2160': 'APC 2160', 'apc-2161': 'APC 2161', 'navisphere': 'Navisphere', 'navisphere-sec': 'Navisphere Secure', 'ddns-v3': 'Dynamic DNS Version 3', 'x-bone-api': 'X-Bone API', 'iwserver': 'iwserver', 'raw-serial': 'Raw Async Serial Link', 'easy-soft-mux': 'easy-soft Multiplexer', 'brain': 'Backbone for Academic Information Notification (BRAIN)', 'eyetv': 'EyeTV Server Port', 'msfw-storage': 'MS Firewall Storage', 'msfw-s-storage': 'MS Firewall SecureStorage', 'msfw-replica': 'MS Firewall Replication', 'msfw-array': 'MS Firewall Intra Array', 'airsync': 'Microsoft Desktop AirSync Protocol', 'rapi': 'Microsoft ActiveSync Remote API', 'qwave': 'qWAVE Bandwidth Estimate', 'bitspeer': 'Peer Services for BITS', 'vmrdp': 'Microsoft RDP for virtual machines', 'mc-gt-srv': 'Millicent Vendor Gateway Server', 'eforward': 'eforward', 'cgn-stat': 'CGN status', 'cgn-config': 'Code Green configuration', 'nvd': 'NVD User', 'onbase-dds': 'OnBase Distributed Disk Services', 'gtaua': 'Guy-Tek Automated Update Applications', 'ssmc': 'Sepehr System Management Control', 'radware-rpm': 'Radware Resource Pool Manager', 'radware-rpm-s': 'Secure Radware Resource Pool Manager', 'tivoconnect': 'TiVoConnect Beacon', 'tvbus': 'TvBus Messaging', 'asdis': 'ASDIS software management', 'drwcs': 'Dr.Web Enterprise Management Service', 'mnp-exchange': 'MNP data exchange', 'onehome-remote': 'OneHome Remote Access', 'onehome-help': 'OneHome Service Port', 'ici': 'ICI', 'ats': 'Advanced Training System Program', 'imtc-map': 'Int. Multimedia Teleconferencing Cosortium', 'b2-runtime': 'b2 Runtime Protocol', 'b2-license': 'b2 License Server', 'jps': 'Java Presentation Server', 'hpocbus': 'HP OpenCall bus', 'hpssd': 'HP Status and Services', 'hpiod': 'HP I/O Backend', 'rimf-ps': 'HP RIM for Files Portal Service', 'noaaport': 'NOAAPORT Broadcast Network', 'emwin': 'EMWIN', 'leecoposserver': 'LeeCO POS Server Service', 'kali': 'Kali', 'rpi': 'RDQ Protocol Interface', 'ipcore': 'IPCore.co.za GPRS', 'vtu-comms': 'VTU data service', 'gotodevice': 'GoToDevice Device Management', 'bounzza': 'Bounzza IRC Proxy', 'netiq-ncap': 'NetIQ NCAP Protocol', 'netiq': 'NetIQ End2End', 'rockwell-csp1': 'Rockwell CSP1', 'EtherNet-IP-1': 'EtherNet/IP I/O\nIANA assigned this well-formed service name as a replacement for "EtherNet/IP-1".', 'EtherNet/IP-1': 'EtherNet/IP I/O', 'rockwell-csp2': 'Rockwell CSP2', 'efi-mg': 'Easy Flexible Internet/Multiplayer Games', 'rcip-itu': 'Resource Connection Initiation Protocol', 'di-drm': 'Digital Instinct DRM', 'di-msg': 'DI Messaging Service', 'ehome-ms': 'eHome Message Server', 'datalens': 'DataLens Service', 'queueadm': 'MetaSoft Job Queue Administration Service', 'wimaxasncp': 'WiMAX ASN Control Plane Protocol', 'ivs-video': 'IVS Video default', 'infocrypt': 'INFOCRYPT', 'directplay': 'DirectPlay', 'sercomm-wlink': 'Sercomm-WLink', 'nani': 'Nani', 'optech-port1-lm': 'Optech Port1 License Manager', 'aviva-sna': 'AVIVA SNA SERVER', 'imagequery': 'Image Query', 'recipe': 'RECIPe', 'ivsd': 'IVS Daemon', 'foliocorp': 'Folio Remote Server', 'magicom': 'Magicom Protocol', 'nmsserver': 'NMS Server', 'hao': 'HaO', 'pc-mta-addrmap': 'PacketCable MTA Addr Map', 'antidotemgrsvr': 'Antidote Deployment Manager Service', 'ums': 'User Management Service', 'rfmp': 'RISO File Manager Protocol', 'remote-collab': 'remote-collab', 'dif-port': 'Distributed Framework Port', 'njenet-ssl': 'NJENET using SSL', 'dtv-chan-req': 'DTV Channel Request', 'seispoc': 'Seismic P.O.C. Port', 'vrtp': 'VRTP - ViRtue Transfer Protocol', 'pcc-mfp': 'PCC MFP', 'simple-tx-rx': 'simple text/file transfer', 'rcts': 'Rotorcraft Communications Test System', 'apc-2260': 'APC 2260', 'comotionmaster': 'CoMotion Master Server', 'comotionback': 'CoMotion Backup Server', 'ecwcfg': 'ECweb Configuration Service', 'apx500api-1': 'Audio Precision Apx500 API Port 1', 'apx500api-2': 'Audio Precision Apx500 API Port 2', 'mfserver': 'M-Files Server', 'ontobroker': 'OntoBroker', 'amt': 'AMT', 'mikey': 'MIKEY', 'starschool': 'starSchool', 'mmcals': 'Secure Meeting Maker Scheduling', 'mmcal': 'Meeting Maker Scheduling', 'mysql-im': 'MySQL Instance Manager', 'pcttunnell': 'PCTTunneller', 'ibridge-data': 'iBridge Conferencing', 'ibridge-mgmt': 'iBridge Management', 'bluectrlproxy': 'Bt device control proxy', 's3db': 'Simple Stacked Sequences Database', 'xmquery': 'xmquery', 'lnvpoller': 'LNVPOLLER', 'lnvconsole': 'LNVCONSOLE', 'lnvalarm': 'LNVALARM', 'lnvstatus': 'LNVSTATUS', 'lnvmaps': 'LNVMAPS', 'lnvmailmon': 'LNVMAILMON', 'nas-metering': 'NAS-Metering', 'dna': 'DNA', 'netml': 'NETML', 'dict-lookup': 'Lookup dict server', 'sonus-logging': 'Sonus Logging Services', 'eapsp': 'EPSON Advanced Printer Share Protocol', 'mib-streaming': 'Sonus Element Management Services', 'npdbgmngr': 'Network Platform Debug Manager', 'konshus-lm': 'Konshus License Manager (FLEX)', 'advant-lm': 'Advant License Manager', 'theta-lm': 'Theta License Manager (Rainbow)', 'd2k-datamover1': 'D2K DataMover 1', 'd2k-datamover2': 'D2K DataMover 2', 'pc-telecommute': 'PC Telecommute', 'cvmmon': 'CVMMON', 'cpq-wbem': 'Compaq HTTP', 'binderysupport': 'Bindery Support', 'proxy-gateway': 'Proxy Gateway', 'attachmate-uts': 'Attachmate UTS', 'mt-scaleserver': 'MT ScaleServer', 'tappi-boxnet': 'TAPPI BoxNet', 'pehelp': 'pehelp', 'sdhelp': 'sdhelp', 'sdserver': 'SD Server', 'sdclient': 'SD Client', 'messageservice': 'Message Service', 'wanscaler': 'WANScaler Communication Service', 'iapp': 'IAPP (Inter Access Point Protocol)', 'cr-websystems': 'CR WebSystems', 'precise-sft': 'Precise Sft.', 'sent-lm': 'SENT License Manager', 'attachmate-g32': 'Attachmate G32', 'cadencecontrol': 'Cadence Control', 'infolibria': 'InfoLibria', 'siebel-ns': 'Siebel NS', 'rdlap': 'RDLAP', 'ofsd': 'ofsd', '3d-nfsd': '3d-nfsd', 'cosmocall': 'Cosmocall', 'ansysli': 'ANSYS Licensing Interconnect', 'idcp': 'IDCP', 'xingcsm': 'xingcsm', 'netrix-sftm': 'Netrix SFTM', 'nvd': 'NVD', 'tscchat': 'TSCCHAT', 'agentview': 'AGENTVIEW', 'rcc-host': 'RCC Host', 'snapp': 'SNAPP', 'ace-client': 'ACE Client Auth', 'ace-proxy': 'ACE Proxy', 'appleugcontrol': 'Apple UG Control', 'ideesrv': 'ideesrv', 'norton-lambert': 'Norton Lambert', '3com-webview': '3Com WebView', 'wrs-registry': 'WRS Registry\nIANA assigned this well-formed service name as a replacement for "wrs_registry".', 'wrs_registry': 'WRS Registry', 'xiostatus': 'XIO Status', 'manage-exec': 'Seagate Manage Exec', 'nati-logos': 'nati logos', 'fcmsys': 'fcmsys', 'dbm': 'dbm', 'redstorm-join': 'Game Connection Port\nIANA assigned this well-formed service name as a replacement for "redstorm_join".', 'redstorm_join': 'Game Connection Port', 'redstorm-find': 'Game Announcement and Location\nIANA assigned this well-formed service name as a replacement for "redstorm_find".', 'redstorm_find': 'Game Announcement and Location', 'redstorm-info': 'Information to query for game status\nIANA assigned this well-formed service name as a replacement for "redstorm_info".', 'redstorm_info': 'Information to query for game status', 'redstorm-diag': 'Diagnostics Port\nIANA assigned this well-formed service name as a replacement for "redstorm_diag".', 'redstorm_diag': 'Diagnostics Port', 'psbserver': 'Pharos Booking Server', 'psrserver': 'psrserver', 'pslserver': 'pslserver', 'pspserver': 'pspserver', 'psprserver': 'psprserver', 'psdbserver': 'psdbserver', 'gxtelmd': 'GXT License Managemant', 'unihub-server': 'UniHub Server', 'futrix': 'Futrix', 'flukeserver': 'FlukeServer', 'nexstorindltd': 'NexstorIndLtd', 'tl1': 'TL1', 'digiman': 'digiman', 'mediacntrlnfsd': 'Media Central NFSD', 'oi-2000': 'OI-2000', 'dbref': 'dbref', 'qip-login': 'qip-login', 'service-ctrl': 'Service Control', 'opentable': 'OpenTable', 'l3-hbmon': 'L3-HBMon', 'worldwire': 'Compaq WorldWire Port', 'lanmessenger': 'LanMessenger', 'remographlm': 'Remograph License Manager', 'hydra': 'Hydra RPC', 'compaq-https': 'Compaq HTTPS', 'ms-olap3': 'Microsoft OLAP', 'ms-olap4': 'Microsoft OLAP', 'sd-request': 'SD-REQUEST', 'sd-data': 'SD-DATA', 'virtualtape': 'Virtual Tape', 'vsamredirector': 'VSAM Redirector', 'mynahautostart': 'MYNAH AutoStart', 'ovsessionmgr': 'OpenView Session Mgr', 'rsmtp': 'RSMTP', '3com-net-mgmt': '3COM Net Management', 'tacticalauth': 'Tactical Auth', 'ms-olap1': 'MS OLAP 1', 'ms-olap2': 'MS OLAP 2', 'lan900-remote': 'LAN900 Remote\nIANA assigned this well-formed service name as a replacement for "lan900_remote".', 'lan900_remote': 'LAN900 Remote', 'wusage': 'Wusage', 'ncl': 'NCL', 'orbiter': 'Orbiter', 'fmpro-fdal': 'FileMaker, Inc. - Data Access Layer', 'opequus-server': 'OpEquus Server', 'cvspserver': 'cvspserver', 'taskmaster2000': 'TaskMaster 2000 Server', 'taskmaster2000': 'TaskMaster 2000 Web', 'iec-104': 'IEC 60870-5-104 process control over IP', 'trc-netpoll': 'TRC Netpoll', 'jediserver': 'JediServer', 'orion': 'Orion', 'railgun-webaccl': 'CloudFlare Railgun Web Acceleration Protocol', 'sns-protocol': 'SNS Protocol', 'vrts-registry': 'VRTS Registry', 'netwave-ap-mgmt': 'Netwave AP Management', 'cdn': 'CDN', 'orion-rmi-reg': 'orion-rmi-reg', 'beeyond': 'Beeyond', 'codima-rtp': 'Codima Remote Transaction Protocol', 'rmtserver': 'RMT Server', 'composit-server': 'Composit Server', 'cas': 'cas', 'attachmate-s2s': 'Attachmate S2S', 'dslremote-mgmt': 'DSL Remote Management', 'g-talk': 'G-Talk', 'crmsbits': 'CRMSBITS', 'rnrp': 'RNRP', 'kofax-svr': 'KOFAX-SVR', 'fjitsuappmgr': 'Fujitsu App Manager', 'mgcp-gateway': 'Media Gateway Control Protocol Gateway', 'ott': 'One Way Trip Time', 'ft-role': 'FT-ROLE', 'venus': 'venus', 'venus-se': 'venus-se', 'codasrv': 'codasrv', 'codasrv-se': 'codasrv-se', 'pxc-epmap': 'pxc-epmap', 'optilogic': 'OptiLogic', 'topx': 'TOP/X', 'unicontrol': 'UniControl', 'msp': 'MSP', 'sybasedbsynch': 'SybaseDBSynch', 'spearway': 'Spearway Lockers', 'pvsw-inet': 'Pervasive I*net Data Server', 'netangel': 'Netangel', 'powerclientcsf': 'PowerClient Central Storage Facility', 'btpp2sectrans': 'BT PP2 Sectrans', 'dtn1': 'DTN1', 'bues-service': 'bues_service\nIANA assigned this well-formed service name as a replacement for "bues_service".', 'bues_service': 'bues_service', 'ovwdb': 'OpenView NNM daemon', 'hpppssvr': 'hpppsvr', 'ratl': 'RATL', 'netadmin': 'netadmin', 'netchat': 'netchat', 'snifferclient': 'SnifferClient', 'madge-ltd': 'madge ltd', 'indx-dds': 'IndX-DDS', 'wago-io-system': 'WAGO-IO-SYSTEM', 'altav-remmgt': 'altav-remmgt', 'rapido-ip': 'Rapido_IP', 'griffin': 'griffin', 'community': 'Community', 'ms-theater': 'ms-theater', 'qadmifoper': 'qadmifoper', 'qadmifevent': 'qadmifevent', 'lsi-raid-mgmt': 'LSI RAID Management', 'direcpc-si': 'DirecPC SI', 'lbm': 'Load Balance Management', 'lbf': 'Load Balance Forwarding', 'high-criteria': 'High Criteria', 'qip-msgd': 'qip_msgd', 'mti-tcs-comm': 'MTI-TCS-COMM', 'taskman-port': 'taskman port', 'seaodbc': 'SeaODBC', 'c3': 'C3', 'aker-cdp': 'Aker-cdp', 'vitalanalysis': 'Vital Analysis', 'ace-server': 'ACE Server', 'ace-svr-prop': 'ACE Server Propagation', 'ssm-cvs': 'SecurSight Certificate Valifation Service', 'ssm-cssps': 'SecurSight Authentication Server (SSL)', 'ssm-els': 'SecurSight Event Logging Server (SSL)', 'powerexchange': 'Informatica PowerExchange Listener', 'giop': 'Oracle GIOP', 'giop-ssl': 'Oracle GIOP SSL', 'ttc': 'Oracle TTC', 'ttc-ssl': 'Oracle TTC SSL', 'netobjects1': 'Net Objects1', 'netobjects2': 'Net Objects2', 'pns': 'Policy Notice Service', 'moy-corp': 'Moy Corporation', 'tsilb': 'TSILB', 'qip-qdhcp': 'qip_qdhcp', 'conclave-cpp': 'Conclave CPP', 'groove': 'GROOVE', 'talarian-mqs': 'Talarian MQS', 'bmc-ar': 'BMC AR', 'fast-rem-serv': 'Fast Remote Services', 'dirgis': 'DIRGIS', 'quaddb': 'Quad DB', 'odn-castraq': 'ODN-CasTraq', 'unicontrol': 'UniControl', 'rtsserv': 'Resource Tracking system server', 'rtsclient': 'Resource Tracking system client', 'kentrox-prot': 'Kentrox Protocol', 'nms-dpnss': 'NMS-DPNSS', 'wlbs': 'WLBS', 'ppcontrol': 'PowerPlay Control', 'jbroker': 'jbroker', 'spock': 'spock', 'jdatastore': 'JDataStore', 'fjmpss': 'fjmpss', 'fjappmgrbulk': 'fjappmgrbulk', 'metastorm': 'Metastorm', 'citrixima': 'Citrix IMA', 'citrixadmin': 'Citrix ADMIN', 'facsys-ntp': 'Facsys NTP', 'facsys-router': 'Facsys Router', 'maincontrol': 'Main Control', 'call-sig-trans': 'H.323 Annex E call signaling transport', 'willy': 'Willy', 'globmsgsvc': 'globmsgsvc', 'pvsw': 'Pervasive Listener', 'adaptecmgr': 'Adaptec Manager', 'windb': 'WinDb', 'qke-llc-v3': 'Qke LLC V.3', 'optiwave-lm': 'Optiwave License Management', 'ms-v-worlds': 'MS V-Worlds', 'ema-sent-lm': 'EMA License Manager', 'iqserver': 'IQ Server', 'ncr-ccl': 'NCR CCL\nIANA assigned this well-formed service name as a replacement for "ncr_ccl".', 'ncr_ccl': 'NCR CCL', 'utsftp': 'UTS FTP', 'vrcommerce': 'VR Commerce', 'ito-e-gui': 'ITO-E GUI', 'ovtopmd': 'OVTOPMD', 'snifferserver': 'SnifferServer', 'combox-web-acc': 'Combox Web Access', 'madcap': 'MADCAP', 'btpp2audctr1': 'btpp2audctr1', 'upgrade': 'Upgrade Protocol', 'vnwk-prapi': 'vnwk-prapi', 'vsiadmin': 'VSI Admin', 'lonworks': 'LonWorks', 'lonworks2': 'LonWorks2', 'udrawgraph': 'uDraw(Graph)', 'reftek': 'REFTEK', 'novell-zen': 'Management Daemon Refresh', 'sis-emt': 'sis-emt', 'vytalvaultbrtp': 'vytalvaultbrtp', 'vytalvaultvsmp': 'vytalvaultvsmp', 'vytalvaultpipe': 'vytalvaultpipe', 'ipass': 'IPASS', 'ads': 'ADS', 'isg-uda-server': 'ISG UDA Server', 'call-logging': 'Call Logging', 'efidiningport': 'efidiningport', 'vcnet-link-v10': 'VCnet-Link v10', 'compaq-wcp': 'Compaq WCP', 'nicetec-nmsvc': 'nicetec-nmsvc', 'nicetec-mgmt': 'nicetec-mgmt', 'pclemultimedia': 'PCLE Multi Media', 'lstp': 'LSTP', 'labrat': 'labrat', 'mosaixcc': 'MosaixCC', 'delibo': 'Delibo', 'cti-redwood': 'CTI Redwood', 'hp-3000-telnet': 'HP 3000 NS/VT block mode telnet', 'coord-svr': 'Coordinator Server', 'pcs-pcw': 'pcs-pcw', 'clp': 'Cisco Line Protocol', 'spamtrap': 'SPAM TRAP', 'sonuscallsig': 'Sonus Call Signal', 'hs-port': 'HS Port', 'cecsvc': 'CECSVC', 'ibp': 'IBP', 'trustestablish': 'Trust Establish', 'blockade-bpsp': 'Blockade BPSP', 'hl7': 'HL7', 'tclprodebugger': 'TCL Pro Debugger', 'scipticslsrvr': 'Scriptics Lsrvr', 'rvs-isdn-dcp': 'RVS ISDN DCP', 'mpfoncl': 'mpfoncl', 'tributary': 'Tributary', 'argis-te': 'ARGIS TE', 'argis-ds': 'ARGIS DS', 'mon': 'MON', 'cyaserv': 'cyaserv', 'netx-server': 'NETX Server', 'netx-agent': 'NETX Agent', 'masc': 'MASC', 'privilege': 'Privilege', 'quartus-tcl': 'quartus tcl', 'idotdist': 'idotdist', 'maytagshuffle': 'Maytag Shuffle', 'netrek': 'netrek', 'mns-mail': 'MNS Mail Notice Service', 'dts': 'Data Base Server', 'worldfusion1': 'World Fusion 1', 'worldfusion2': 'World Fusion 2', 'homesteadglory': 'Homestead Glory', 'citriximaclient': 'Citrix MA Client', 'snapd': 'Snap Discovery', 'hpstgmgr': 'HPSTGMGR', 'discp-client': 'discp client', 'discp-server': 'discp server', 'servicemeter': 'Service Meter', 'nsc-ccs': 'NSC CCS', 'nsc-posa': 'NSC POSA', 'netmon': 'Dell Netmon', 'connection': 'Dell Connection', 'wag-service': 'Wag Service', 'system-monitor': 'System Monitor', 'versa-tek': 'VersaTek', 'lionhead': 'LIONHEAD', 'qpasa-agent': 'Qpasa Agent', 'smntubootstrap': 'SMNTUBootstrap', 'neveroffline': 'Never Offline', 'firepower': 'firepower', 'appswitch-emp': 'appswitch-emp', 'cmadmin': 'Clinical Context Managers', 'priority-e-com': 'Priority E-Com', 'bruce': 'bruce', 'lpsrecommender': 'LPSRecommender', 'miles-apart': 'Miles Apart Jukebox Server', 'metricadbc': 'MetricaDBC', 'lmdp': 'LMDP', 'aria': 'Aria', 'blwnkl-port': 'Blwnkl Port', 'gbjd816': 'gbjd816', 'moshebeeri': 'Moshe Beeri', 'dict': 'DICT', 'sitaraserver': 'Sitara Server', 'sitaramgmt': 'Sitara Management', 'sitaradir': 'Sitara Dir', 'irdg-post': 'IRdg Post', 'interintelli': 'InterIntelli', 'pk-electronics': 'PK Electronics', 'backburner': 'Back Burner', 'solve': 'Solve', 'imdocsvc': 'Import Document Service', 'sybaseanywhere': 'Sybase Anywhere', 'aminet': 'AMInet', 'sai-sentlm': 'Sabbagh Associates Licence Manager\nIANA assigned this well-formed service name as a replacement for "sai_sentlm".', 'sai_sentlm': 'Sabbagh Associates Licence Manager', 'hdl-srv': 'HDL Server', 'tragic': 'Tragic', 'gte-samp': 'GTE-SAMP', 'travsoft-ipx-t': 'Travsoft IPX Tunnel', 'novell-ipx-cmd': 'Novell IPX CMD', 'and-lm': 'AND License Manager', 'syncserver': 'SyncServer', 'upsnotifyprot': 'Upsnotifyprot', 'vpsipport': 'VPSIPPORT', 'eristwoguns': 'eristwoguns', 'ebinsite': 'EBInSite', 'interpathpanel': 'InterPathPanel', 'sonus': 'Sonus', 'corel-vncadmin': 'Corel VNC Admin\nIANA assigned this well-formed service name as a replacement for "corel_vncadmin".', 'corel_vncadmin': 'Corel VNC Admin', 'unglue': 'UNIX Nt Glue', 'kana': 'Kana', 'sns-dispatcher': 'SNS Dispatcher', 'sns-admin': 'SNS Admin', 'sns-query': 'SNS Query', 'gcmonitor': 'GC Monitor', 'olhost': 'OLHOST', 'bintec-capi': 'BinTec-CAPI', 'bintec-tapi': 'BinTec-TAPI', 'patrol-mq-gm': 'Patrol for MQ GM', 'patrol-mq-nm': 'Patrol for MQ NM', 'extensis': 'extensis', 'alarm-clock-s': 'Alarm Clock Server', 'alarm-clock-c': 'Alarm Clock Client', 'toad': 'TOAD', 'tve-announce': 'TVE Announce', 'newlixreg': 'newlixreg', 'nhserver': 'nhserver', 'firstcall42': 'First Call 42', 'ewnn': 'ewnn', 'ttc-etap': 'TTC ETAP', 'simslink': 'SIMSLink', 'gadgetgate1way': 'Gadget Gate 1 Way', 'gadgetgate2way': 'Gadget Gate 2 Way', 'syncserverssl': 'Sync Server SSL', 'pxc-sapxom': 'pxc-sapxom', 'mpnjsomb': 'mpnjsomb', 'ncdloadbalance': 'NCDLoadBalance', 'mpnjsosv': 'mpnjsosv', 'mpnjsocl': 'mpnjsocl', 'mpnjsomg': 'mpnjsomg', 'pq-lic-mgmt': 'pq-lic-mgmt', 'md-cg-http': 'md-cf-http', 'fastlynx': 'FastLynx', 'hp-nnm-data': 'HP NNM Embedded Database', 'itinternet': 'ITInternet ISM Server', 'admins-lms': 'Admins LMS', 'pwrsevent': 'pwrsevent', 'vspread': 'VSPREAD', 'unifyadmin': 'Unify Admin', 'oce-snmp-trap': 'Oce SNMP Trap Port', 'mck-ivpip': 'MCK-IVPIP', 'csoft-plusclnt': 'Csoft Plus Client', 'tqdata': 'tqdata', 'sms-rcinfo': 'SMS RCINFO', 'sms-xfer': 'SMS XFER', 'sms-chat': 'SMS CHAT', 'sms-remctrl': 'SMS REMCTRL', 'sds-admin': 'SDS Admin', 'ncdmirroring': 'NCD Mirroring', 'emcsymapiport': 'EMCSYMAPIPORT', 'banyan-net': 'Banyan-Net', 'supermon': 'Supermon', 'sso-service': 'SSO Service', 'sso-control': 'SSO Control', 'aocp': 'Axapta Object Communication Protocol', 'raventbs': 'Raven Trinity Broker Service', 'raventdm': 'Raven Trinity Data Mover', 'hpstgmgr2': 'HPSTGMGR2', 'inova-ip-disco': 'Inova IP Disco', 'pn-requester': 'PN REQUESTER', 'pn-requester2': 'PN REQUESTER 2', 'scan-change': 'Scan & Change', 'wkars': 'wkars', 'smart-diagnose': 'Smart Diagnose', 'proactivesrvr': 'Proactive Server', 'watchdog-nt': 'WatchDog NT Protocol', 'qotps': 'qotps', 'msolap-ptp2': 'MSOLAP PTP2', 'tams': 'TAMS', 'mgcp-callagent': 'Media Gateway Control Protocol Call Agent', 'sqdr': 'SQDR', 'tcim-control': 'TCIM Control', 'nec-raidplus': 'NEC RaidPlus', 'fyre-messanger': 'Fyre Messanger', 'g5m': 'G5M', 'signet-ctf': 'Signet CTF', 'ccs-software': 'CCS Software', 'netiq-mc': 'NetIQ Monitor Console', 'radwiz-nms-srv': 'RADWIZ NMS SRV', 'srp-feedback': 'SRP Feedback', 'ndl-tcp-ois-gw': 'NDL TCP-OSI Gateway', 'tn-timing': 'TN Timing', 'alarm': 'Alarm', 'tsb': 'TSB', 'tsb2': 'TSB2', 'murx': 'murx', 'honyaku': 'honyaku', 'urbisnet': 'URBISNET', 'cpudpencap': 'CPUDPENCAP', 'fjippol-swrly': '', 'fjippol-polsvr': '', 'fjippol-cnsl': '', 'fjippol-port1': '', 'fjippol-port2': '', 'rsisysaccess': 'RSISYS ACCESS', 'de-spot': 'de-spot', 'apollo-cc': 'APOLLO CC', 'expresspay': 'Express Pay', 'simplement-tie': 'simplement-tie', 'cnrp': 'CNRP', 'apollo-status': 'APOLLO Status', 'apollo-gms': 'APOLLO GMS', 'sabams': 'Saba MS', 'dicom-iscl': 'DICOM ISCL', 'dicom-tls': 'DICOM TLS', 'desktop-dna': 'Desktop DNA', 'data-insurance': 'Data Insurance', 'qip-audup': 'qip-audup', 'compaq-scp': 'Compaq SCP', 'uadtc': 'UADTC', 'uacs': 'UACS', 'exce': 'eXcE', 'veronica': 'Veronica', 'vergencecm': 'Vergence CM', 'auris': 'auris', 'rbakcup1': 'RBackup Remote Backup', 'rbakcup2': 'RBackup Remote Backup', 'smpp': 'SMPP', 'ridgeway1': 'Ridgeway Systems & Software', 'ridgeway2': 'Ridgeway Systems & Software', 'gwen-sonya': 'Gwen-Sonya', 'lbc-sync': 'LBC Sync', 'lbc-control': 'LBC Control', 'whosells': 'whosells', 'everydayrc': 'everydayrc', 'aises': 'AISES', 'www-dev': 'world wide web - development', 'aic-np': 'aic-np', 'aic-oncrpc': 'aic-oncrpc - Destiny MCD database', 'piccolo': 'piccolo - Cornerstone Software', 'fryeserv': 'NetWare Loadable Module - Seagate Software', 'media-agent': 'Media Agent', 'plgproxy': 'PLG Proxy', 'mtport-regist': 'MT Port Registrator', 'f5-globalsite': 'f5-globalsite', 'initlsmsad': 'initlsmsad', 'livestats': 'LiveStats', 'ac-tech': 'ac-tech', 'esp-encap': 'esp-encap', 'tmesis-upshot': 'TMESIS-UPShot', 'icon-discover': 'ICON Discover', 'acc-raid': 'ACC RAID', 'igcp': 'IGCP', 'veritas-tcp1': 'Veritas TCP1', 'btprjctrl': 'btprjctrl', 'dvr-esm': 'March Networks Digital Video Recorders and Enterprise Service Manager products', 'wta-wsp-s': 'WTA WSP-S', 'cspuni': 'cspuni', 'cspmulti': 'cspmulti', 'j-lan-p': 'J-LAN-P', 'corbaloc': 'CORBA LOC', 'netsteward': 'Active Net Steward', 'gsiftp': 'GSI FTP', 'atmtcp': 'atmtcp', 'llm-pass': 'llm-pass', 'llm-csv': 'llm-csv', 'lbc-measure': 'LBC Measurement', 'lbc-watchdog': 'LBC Watchdog', 'nmsigport': 'NMSig Port', 'rmlnk': 'rmlnk', 'fc-faultnotify': 'FC Fault Notification', 'univision': 'UniVision', 'vrts-at-port': 'VERITAS Authentication Service', 'ka0wuc': 'ka0wuc', 'cqg-netlan': 'CQG Net/LAN', 'cqg-netlan-1': 'CQG Net/LAN 1', 'slc-systemlog': 'slc systemlog', 'slc-ctrlrloops': 'slc ctrlrloops', 'itm-lm': 'ITM License Manager', 'silkp1': 'silkp1', 'silkp2': 'silkp2', 'silkp3': 'silkp3', 'silkp4': 'silkp4', 'glishd': 'glishd', 'evtp': 'EVTP', 'evtp-data': 'EVTP-DATA', 'catalyst': 'catalyst', 'repliweb': 'Repliweb', 'starbot': 'Starbot', 'nmsigport': 'NMSigPort', 'l3-exprt': 'l3-exprt', 'l3-ranger': 'l3-ranger', 'l3-hawk': 'l3-hawk', 'pdnet': 'PDnet', 'bpcp-poll': 'BPCP POLL', 'bpcp-trap': 'BPCP TRAP', 'aimpp-hello': 'AIMPP Hello', 'aimpp-port-req': 'AIMPP Port Req', 'amt-blc-port': 'AMT-BLC-PORT', 'fxp': 'FXP', 'metaconsole': 'MetaConsole', 'webemshttp': 'webemshttp', 'bears-01': 'bears-01', 'ispipes': 'ISPipes', 'infomover': 'InfoMover', 'msrp': 'MSRP over TCP', 'cesdinv': 'cesdinv', 'simctlp': 'SimCtIP', 'ecnp': 'ECNP', 'activememory': 'Active Memory', 'dialpad-voice1': 'Dialpad Voice 1', 'dialpad-voice2': 'Dialpad Voice 2', 'ttg-protocol': 'TTG Protocol', 'sonardata': 'Sonar Data', 'astromed-main': 'main 5001 cmd', 'pit-vpn': 'pit-vpn', 'iwlistener': 'iwlistener', 'esps-portal': 'esps-portal', 'npep-messaging': 'NPEP Messaging', 'icslap': 'ICSLAP', 'daishi': 'daishi', 'msi-selectplay': 'MSI Select Play', 'radix': 'RADIX', 'dxmessagebase1': 'DX Message Base Transport Protocol', 'dxmessagebase2': 'DX Message Base Transport Protocol', 'sps-tunnel': 'SPS Tunnel', 'bluelance': 'BLUELANCE', 'aap': 'AAP', 'ucentric-ds': 'ucentric-ds', 'synapse': 'Synapse Transport', 'ndsp': 'NDSP', 'ndtp': 'NDTP', 'ndnp': 'NDNP', 'flashmsg': 'Flash Msg', 'topflow': 'TopFlow', 'responselogic': 'RESPONSELOGIC', 'aironetddp': 'aironet', 'spcsdlobby': 'SPCSDLOBBY', 'rsom': 'RSOM', 'cspclmulti': 'CSPCLMULTI', 'cinegrfx-elmd': 'CINEGRFX-ELMD License Manager', 'snifferdata': 'SNIFFERDATA', 'vseconnector': 'VSECONNECTOR', 'abacus-remote': 'ABACUS-REMOTE', 'natuslink': 'NATUS LINK', 'ecovisiong6-1': 'ECOVISIONG6-1', 'citrix-rtmp': 'Citrix RTMP', 'appliance-cfg': 'APPLIANCE-CFG', 'powergemplus': 'POWERGEMPLUS', 'quicksuite': 'QUICKSUITE', 'allstorcns': 'ALLSTORCNS', 'netaspi': 'NET ASPI', 'suitcase': 'SUITCASE', 'm2ua': 'M2UA', 'm3ua': 'M3UA', 'caller9': 'CALLER9', 'webmethods-b2b': 'WEBMETHODS B2B', 'mao': 'mao', 'funk-dialout': 'Funk Dialout', 'tdaccess': 'TDAccess', 'blockade': 'Blockade', 'epicon': 'Epicon', 'boosterware': 'Booster Ware', 'gamelobby': 'Game Lobby', 'tksocket': 'TK Socket', 'elvin-server': 'Elvin Server\nIANA assigned this well-formed service name as a replacement for "elvin_server".', 'elvin_server': 'Elvin Server', 'elvin-client': 'Elvin Client\nIANA assigned this well-formed service name as a replacement for "elvin_client".', 'elvin_client': 'Elvin Client', 'kastenchasepad': 'Kasten Chase Pad', 'roboer': 'roboER', 'roboeda': 'roboEDA', 'cesdcdman': 'CESD Contents Delivery Management', 'cesdcdtrn': 'CESD Contents Delivery Data Transfer', 'wta-wsp-wtp-s': 'WTA-WSP-WTP-S', 'precise-vip': 'PRECISE-VIP', 'mobile-file-dl': 'MOBILE-FILE-DL', 'unimobilectrl': 'UNIMOBILECTRL', 'redstone-cpss': 'REDSTONE-CPSS', 'amx-webadmin': 'AMX-WEBADMIN', 'amx-weblinx': 'AMX-WEBLINX', 'circle-x': 'Circle-X', 'incp': 'INCP', '4-tieropmgw': '4-TIER OPM GW', '4-tieropmcli': '4-TIER OPM CLI', 'qtp': 'QTP', 'otpatch': 'OTPatch', 'pnaconsult-lm': 'PNACONSULT-LM', 'sm-pas-1': 'SM-PAS-1', 'sm-pas-2': 'SM-PAS-2', 'sm-pas-3': 'SM-PAS-3', 'sm-pas-4': 'SM-PAS-4', 'sm-pas-5': 'SM-PAS-5', 'ttnrepository': 'TTNRepository', 'megaco-h248': 'Megaco H-248', 'h248-binary': 'H248 Binary', 'fjsvmpor': 'FJSVmpor', 'gpsd': 'GPS Daemon request/response protocol', 'wap-push': 'WAP PUSH', 'wap-pushsecure': 'WAP PUSH SECURE', 'esip': 'ESIP', 'ottp': 'OTTP', 'mpfwsas': 'MPFWSAS', 'ovalarmsrv': 'OVALARMSRV', 'ovalarmsrv-cmd': 'OVALARMSRV-CMD', 'csnotify': 'CSNOTIFY', 'ovrimosdbman': 'OVRIMOSDBMAN', 'jmact5': 'JAMCT5', 'jmact6': 'JAMCT6', 'rmopagt': 'RMOPAGT', 'dfoxserver': 'DFOXSERVER', 'boldsoft-lm': 'BOLDSOFT-LM', 'iph-policy-cli': 'IPH-POLICY-CLI', 'iph-policy-adm': 'IPH-POLICY-ADM', 'bullant-srap': 'BULLANT SRAP', 'bullant-rap': 'BULLANT RAP', 'idp-infotrieve': 'IDP-INFOTRIEVE', 'ssc-agent': 'SSC-AGENT', 'enpp': 'ENPP', 'essp': 'ESSP', 'index-net': 'INDEX-NET', 'netclip': 'NetClip clipboard daemon', 'pmsm-webrctl': 'PMSM Webrctl', 'svnetworks': 'SV Networks', 'signal': 'Signal', 'fjmpcm': 'Fujitsu Configuration Management Service', 'cns-srv-port': 'CNS Server Port', 'ttc-etap-ns': 'TTCs Enterprise Test Access Protocol - NS', 'ttc-etap-ds': 'TTCs Enterprise Test Access Protocol - DS', 'h263-video': 'H.263 Video Streaming', 'wimd': 'Instant Messaging Service', 'mylxamport': 'MYLXAMPORT', 'iwb-whiteboard': 'IWB-WHITEBOARD', 'netplan': 'NETPLAN', 'hpidsadmin': 'HPIDSADMIN', 'hpidsagent': 'HPIDSAGENT', 'stonefalls': 'STONEFALLS', 'identify': 'identify', 'hippad': 'HIPPA Reporting Protocol', 'zarkov': 'ZARKOV Intelligent Agent Communication', 'boscap': 'BOSCAP', 'wkstn-mon': 'WKSTN-MON', 'avenyo': 'Avenyo Server', 'veritas-vis1': 'VERITAS VIS1', 'veritas-vis2': 'VERITAS VIS2', 'idrs': 'IDRS', 'vsixml': 'vsixml', 'rebol': 'REBOL', 'realsecure': 'Real Secure', 'remoteware-un': 'RemoteWare Unassigned', 'hbci': 'HBCI', 'remoteware-cl': 'RemoteWare Client', 'exlm-agent': 'EXLM Agent', 'remoteware-srv': 'RemoteWare Server', 'cgms': 'CGMS', 'csoftragent': 'Csoft Agent', 'geniuslm': 'Genius License Manager', 'ii-admin': 'Instant Internet Admin', 'lotusmtap': 'Lotus Mail Tracking Agent Protocol', 'midnight-tech': 'Midnight Technologies', 'pxc-ntfy': 'PXC-NTFY', 'gw': 'Telerate Workstation', 'trusted-web': 'Trusted Web', 'twsdss': 'Trusted Web Client', 'gilatskysurfer': 'Gilat Sky Surfer', 'broker-service': 'Broker Service\nIANA assigned this well-formed service name as a replacement for "broker_service".', 'broker_service': 'Broker Service', 'nati-dstp': 'NATI DSTP', 'notify-srvr': 'Notify Server\nIANA assigned this well-formed service name as a replacement for "notify_srvr".', 'notify_srvr': 'Notify Server', 'event-listener': 'Event Listener\nIANA assigned this well-formed service name as a replacement for "event_listener".', 'event_listener': 'Event Listener', 'srvc-registry': 'Service Registry\nIANA assigned this well-formed service name as a replacement for "srvc_registry".', 'srvc_registry': 'Service Registry', 'resource-mgr': 'Resource Manager\nIANA assigned this well-formed service name as a replacement for "resource_mgr".', 'resource_mgr': 'Resource Manager', 'cifs': 'CIFS', 'agriserver': 'AGRI Server', 'csregagent': 'CSREGAGENT', 'magicnotes': 'magicnotes', 'nds-sso': 'NDS_SSO\nIANA assigned this well-formed service name as a replacement for "nds_sso".', 'nds_sso': 'NDS_SSO', 'arepa-raft': 'Arepa Raft', 'agri-gateway': 'AGRI Gateway', 'LiebDevMgmt-C': 'LiebDevMgmt_C\nIANA assigned this well-formed service name as a replacement for "LiebDevMgmt_C".', 'LiebDevMgmt_C': 'LiebDevMgmt_C', 'LiebDevMgmt-DM': 'LiebDevMgmt_DM\nIANA assigned this well-formed service name as a replacement for "LiebDevMgmt_DM".', 'LiebDevMgmt_DM': 'LiebDevMgmt_DM', 'LiebDevMgmt-A': 'LiebDevMgmt_A\nIANA assigned this well-formed service name as a replacement for "LiebDevMgmt_A".', 'LiebDevMgmt_A': 'LiebDevMgmt_A', 'arepa-cas': 'Arepa Cas', 'eppc': 'Remote AppleEvents/PPC Toolbox', 'redwood-chat': 'Redwood Chat', 'pdb': 'PDB', 'osmosis-aeea': 'Osmosis / Helix (R) AEEA Port', 'fjsv-gssagt': 'FJSV gssagt', 'hagel-dump': 'Hagel DUMP', 'hp-san-mgmt': 'HP SAN Mgmt', 'santak-ups': 'Santak UPS', 'cogitate': 'Cogitate, Inc.', 'tomato-springs': 'Tomato Springs', 'di-traceware': 'di-traceware', 'journee': 'journee', 'brp': 'Broadcast Routing Protocol', 'epp': 'EndPoint Protocol', 'responsenet': 'ResponseNet', 'di-ase': 'di-ase', 'hlserver': 'Fast Security HL Server', 'pctrader': 'Sierra Net PC Trader', 'nsws': 'NSWS', 'gds-db': 'gds_db\nIANA assigned this well-formed service name as a replacement for "gds_db".', 'gds_db': 'gds_db', 'galaxy-server': 'Galaxy Server', 'apc-3052': 'APC 3052', 'dsom-server': 'dsom-server', 'amt-cnf-prot': 'AMT CNF PROT', 'policyserver': 'Policy Server', 'cdl-server': 'CDL Server', 'goahead-fldup': 'GoAhead FldUp', 'videobeans': 'videobeans', 'qsoft': 'qsoft', 'interserver': 'interserver', 'cautcpd': 'cautcpd', 'ncacn-ip-tcp': 'ncacn-ip-tcp', 'ncadg-ip-udp': 'ncadg-ip-udp', 'rprt': 'Remote Port Redirector', 'slinterbase': 'slinterbase', 'netattachsdmp': 'NETATTACHSDMP', 'fjhpjp': 'FJHPJP', 'ls3bcast': 'ls3 Broadcast', 'ls3': 'ls3', 'mgxswitch': 'MGXSWITCH', 'csd-mgmt-port': 'ContinuStor Manager Port', 'csd-monitor': 'ContinuStor Monitor Port', 'vcrp': 'Very simple chatroom prot', 'xbox': 'Xbox game port', 'orbix-locator': 'Orbix 2000 Locator', 'orbix-config': 'Orbix 2000 Config', 'orbix-loc-ssl': 'Orbix 2000 Locator SSL', 'orbix-cfg-ssl': 'Orbix 2000 Locator SSL', 'lv-frontpanel': 'LV Front Panel', 'stm-pproc': 'stm_pproc\nIANA assigned this well-formed service name as a replacement for "stm_pproc".', 'stm_pproc': 'stm_pproc', 'tl1-lv': 'TL1-LV', 'tl1-raw': 'TL1-RAW', 'tl1-telnet': 'TL1-TELNET', 'itm-mccs': 'ITM-MCCS', 'pcihreq': 'PCIHReq', 'jdl-dbkitchen': 'JDL-DBKitchen', 'asoki-sma': 'Asoki SMA', 'xdtp': 'eXtensible Data Transfer Protocol', 'ptk-alink': 'ParaTek Agent Linking', 'stss': 'Senforce Session Services', '1ci-smcs': '1Ci Server Management', 'rapidmq-center': 'Jiiva RapidMQ Center', 'rapidmq-reg': 'Jiiva RapidMQ Registry', 'panasas': 'Panasas rendevous port', 'ndl-aps': 'Active Print Server Port', 'umm-port': 'Universal Message Manager', 'chmd': 'CHIPSY Machine Daemon', 'opcon-xps': 'OpCon/xps', 'hp-pxpib': 'HP PolicyXpert PIB Server', 'slslavemon': 'SoftlinK Slave Mon Port', 'autocuesmi': 'Autocue SMI Protocol', 'autocuelog': 'Autocue Logger Protocol', 'cardbox': 'Cardbox', 'cardbox-http': 'Cardbox HTTP', 'business': 'Business protocol', 'geolocate': 'Geolocate protocol', 'personnel': 'Personnel protocol', 'sim-control': 'simulator control port', 'wsynch': 'Web Synchronous Services', 'ksysguard': 'KDE System Guard', 'cs-auth-svr': 'CS-Authenticate Svr Port', 'ccmad': 'CCM AutoDiscover', 'mctet-master': 'MCTET Master', 'mctet-gateway': 'MCTET Gateway', 'mctet-jserv': 'MCTET Jserv', 'pkagent': 'PKAgent', 'd2000kernel': 'D2000 Kernel Port', 'd2000webserver': 'D2000 Webserver Port', 'vtr-emulator': 'MTI VTR Emulator port', 'edix': 'EDI Translation Protocol', 'beacon-port': 'Beacon Port', 'a13-an': 'A13-AN Interface', 'ctx-bridge': 'CTX Bridge Port', 'ndl-aas': 'Active API Server Port', 'netport-id': 'NetPort Discovery Port', 'icpv2': 'ICPv2', 'netbookmark': 'Net Book Mark', 'ms-rule-engine': 'Microsoft Business Rule Engine Update Service', 'prism-deploy': 'Prism Deploy User Port', 'ecp': 'Extensible Code Protocol', 'peerbook-port': 'PeerBook Port', 'grubd': 'Grub Server Port', 'rtnt-1': 'rtnt-1 data packets', 'rtnt-2': 'rtnt-2 data packets', 'incognitorv': 'Incognito Rendez-Vous', 'ariliamulti': 'Arilia Multiplexor', 'vmodem': 'VMODEM', 'rdc-wh-eos': 'RDC WH EOS', 'seaview': 'Sea View', 'tarantella': 'Tarantella', 'csi-lfap': 'CSI-LFAP', 'bears-02': 'bears-02', 'rfio': 'RFIO', 'nm-game-admin': 'NetMike Game Administrator', 'nm-game-server': 'NetMike Game Server', 'nm-asses-admin': 'NetMike Assessor Administrator', 'nm-assessor': 'NetMike Assessor', 'feitianrockey': 'FeiTian Port', 's8-client-port': 'S8Cargo Client Port', 'ccmrmi': 'ON RMI Registry', 'jpegmpeg': 'JpegMpeg Port', 'indura': 'Indura Collector', 'e3consultants': 'CCC Listener Port', 'stvp': 'SmashTV Protocol', 'navegaweb-port': 'NavegaWeb Tarification', 'tip-app-server': 'TIP Application Server', 'doc1lm': 'DOC1 License Manager', 'sflm': 'SFLM', 'res-sap': 'RES-SAP', 'imprs': 'IMPRS', 'newgenpay': 'Newgenpay Engine Service', 'sossecollector': 'Quest Spotlight Out-Of-Process Collector', 'nowcontact': 'Now Contact Public Server', 'poweronnud': 'Now Up-to-Date Public Server', 'serverview-as': 'SERVERVIEW-AS', 'serverview-asn': 'SERVERVIEW-ASN', 'serverview-gf': 'SERVERVIEW-GF', 'serverview-rm': 'SERVERVIEW-RM', 'serverview-icc': 'SERVERVIEW-ICC', 'armi-server': 'ARMI Server', 't1-e1-over-ip': 'T1_E1_Over_IP', 'ars-master': 'ARS Master', 'phonex-port': 'Phonex Protocol', 'radclientport': 'Radiance UltraEdge Port', 'h2gf-w-2m': 'H2GF W.2m Handover prot.', 'mc-brk-srv': 'Millicent Broker Server', 'bmcpatrolagent': 'BMC Patrol Agent', 'bmcpatrolrnvu': 'BMC Patrol Rendezvous', 'cops-tls': 'COPS/TLS', 'apogeex-port': 'ApogeeX Port', 'smpppd': 'SuSE Meta PPPD', 'iiw-port': 'IIW Monitor User Port', 'odi-port': 'Open Design Listen Port', 'brcm-comm-port': 'Broadcom Port', 'pcle-infex': 'Pinnacle Sys InfEx Port', 'csvr-proxy': 'ConServR Proxy', 'csvr-sslproxy': 'ConServR SSL Proxy', 'firemonrcc': 'FireMon Revision Control', 'spandataport': 'SpanDataPort', 'magbind': 'Rockstorm MAG protocol', 'ncu-1': 'Network Control Unit', 'ncu-2': 'Network Control Unit', 'embrace-dp-s': 'Embrace Device Protocol Server', 'embrace-dp-c': 'Embrace Device Protocol Client', 'dmod-workspace': 'DMOD WorkSpace', 'tick-port': 'Press-sense Tick Port', 'cpq-tasksmart': 'CPQ-TaskSmart', 'intraintra': 'IntraIntra', 'netwatcher-mon': 'Network Watcher Monitor', 'netwatcher-db': 'Network Watcher DB Access', 'isns': 'iSNS Server Port', 'ironmail': 'IronMail POP Proxy', 'vx-auth-port': 'Veritas Authentication Port', 'pfu-prcallback': 'PFU PR Callback', 'netwkpathengine': 'HP OpenView Network Path Engine Server', 'flamenco-proxy': 'Flamenco Networks Proxy', 'avsecuremgmt': 'Avocent Secure Management', 'surveyinst': 'Survey Instrument', 'neon24x7': 'NEON 24X7 Mission Control', 'jmq-daemon-1': 'JMQ Daemon Port 1', 'jmq-daemon-2': 'JMQ Daemon Port 2', 'ferrari-foam': 'Ferrari electronic FOAM', 'unite': 'Unified IP & Telecom Environment', 'smartpackets': 'EMC SmartPackets', 'wms-messenger': 'WMS Messenger', 'xnm-ssl': 'XML NM over SSL', 'xnm-clear-text': 'XML NM over TCP', 'glbp': 'Gateway Load Balancing Pr', 'digivote': 'DIGIVOTE (R) Vote-Server', 'aes-discovery': 'AES Discovery Port', 'fcip-port': 'FCIP', 'isi-irp': 'ISI Industry Software IRP', 'dwnmshttp': 'DiamondWave NMS Server', 'dwmsgserver': 'DiamondWave MSG Server', 'global-cd-port': 'Global CD Port', 'sftdst-port': 'Software Distributor Port', 'vidigo': 'VidiGo communication (previous was: Delta Solutions Direct)', 'mdtp': 'MDT port', 'whisker': 'WhiskerControl main port', 'alchemy': 'Alchemy Server', 'mdap-port': 'MDAP port', 'apparenet-ts': 'appareNet Test Server', 'apparenet-tps': 'appareNet Test Packet Sequencer', 'apparenet-as': 'appareNet Analysis Server', 'apparenet-ui': 'appareNet User Interface', 'triomotion': 'Trio Motion Control Port', 'sysorb': 'SysOrb Monitoring Server', 'sdp-id-port': 'Session Description ID', 'timelot': 'Timelot Port', 'onesaf': 'OneSAF', 'vieo-fe': 'VIEO Fabric Executive', 'dvt-system': 'DVT SYSTEM PORT', 'dvt-data': 'DVT DATA LINK', 'procos-lm': 'PROCOS LM', 'ssp': 'State Sync Protocol', 'hicp': 'HMS hicp port', 'sysscanner': 'Sys Scanner', 'dhe': 'DHE port', 'pda-data': 'PDA Data', 'pda-sys': 'PDA System', 'semaphore': 'Semaphore Connection Port', 'cpqrpm-agent': 'Compaq RPM Agent Port', 'cpqrpm-server': 'Compaq RPM Server Port', 'ivecon-port': 'Ivecon Server Port', 'epncdp2': 'Epson Network Common Devi', 'iscsi-target': 'iSCSI port', 'winshadow': 'winShadow', 'necp': 'NECP', 'ecolor-imager': 'E-Color Enterprise Imager', 'ccmail': 'cc:mail/lotus', 'altav-tunnel': 'Altav Tunnel', 'ns-cfg-server': 'NS CFG Server', 'ibm-dial-out': 'IBM Dial Out', 'msft-gc': 'Microsoft Global Catalog', 'msft-gc-ssl': 'Microsoft Global Catalog with LDAP/SSL', 'verismart': 'Verismart', 'csoft-prev': 'CSoft Prev Port', 'user-manager': 'Fujitsu User Manager', 'sxmp': 'Simple Extensible Multiplexed Protocol', 'ordinox-server': 'Ordinox Server', 'samd': 'SAMD', 'maxim-asics': 'Maxim ASICs', 'awg-proxy': 'AWG Proxy', 'lkcmserver': 'LKCM Server', 'admind': 'admind', 'vs-server': 'VS Server', 'sysopt': 'SYSOPT', 'datusorb': 'Datusorb', 'Apple Remote Desktop (Net Assistant)': 'Net Assistant', '4talk': '4Talk', 'plato': 'Plato', 'e-net': 'E-Net', 'directvdata': 'DIRECTVDATA', 'cops': 'COPS', 'enpc': 'ENPC', 'caps-lm': 'CAPS LOGISTICS TOOLKIT - LM', 'sah-lm': 'S A Holditch & Associates - LM', 'cart-o-rama': 'Cart O Rama', 'fg-fps': 'fg-fps', 'fg-gip': 'fg-gip', 'dyniplookup': 'Dynamic IP Lookup', 'rib-slm': 'Rib License Manager', 'cytel-lm': 'Cytel License Manager', 'deskview': 'DeskView', 'pdrncs': 'pdrncs', 'mcs-fastmail': 'MCS Fastmail', 'opsession-clnt': 'OP Session Client', 'opsession-srvr': 'OP Session Server', 'odette-ftp': 'ODETTE-FTP', 'mysql': 'MySQL', 'opsession-prxy': 'OP Session Proxy', 'tns-server': 'TNS Server', 'tns-adv': 'TNS ADV', 'dyna-access': 'Dyna Access', 'mcns-tel-ret': 'MCNS Tel Ret', 'appman-server': 'Application Management Server', 'uorb': 'Unify Object Broker', 'uohost': 'Unify Object Host', 'cdid': 'CDID', 'aicc-cmi': 'AICC/CMI', 'vsaiport': 'VSAI PORT', 'ssrip': 'Swith to Swith Routing Information Protocol', 'sdt-lmd': 'SDT License Manager', 'officelink2000': 'Office Link 2000', 'vnsstr': 'VNSSTR', 'sftu': 'SFTU', 'bbars': 'BBARS', 'egptlm': 'Eaglepoint License Manager', 'hp-device-disc': 'HP Device Disc', 'mcs-calypsoicf': 'MCS Calypso ICF', 'mcs-messaging': 'MCS Messaging', 'mcs-mailsvr': 'MCS Mail Server', 'dec-notes': 'DEC Notes', 'directv-web': 'Direct TV Webcasting', 'directv-soft': 'Direct TV Software Updates', 'directv-tick': 'Direct TV Tickers', 'directv-catlg': 'Direct TV Data Catalog', 'anet-b': 'OMF data b', 'anet-l': 'OMF data l', 'anet-m': 'OMF data m', 'anet-h': 'OMF data h', 'webtie': 'WebTIE', 'ms-cluster-net': 'MS Cluster Net', 'bnt-manager': 'BNT Manager', 'influence': 'Influence', 'trnsprntproxy': 'Trnsprnt Proxy', 'phoenix-rpc': 'Phoenix RPC', 'pangolin-laser': 'Pangolin Laser', 'chevinservices': 'Chevin Services', 'findviatv': 'FINDVIATV', 'btrieve': 'Btrieve port', 'ssql': 'Scalable SQL', 'fatpipe': 'FATPIPE', 'suitjd': 'SUITJD', 'ordinox-dbase': 'Ordinox Dbase', 'upnotifyps': 'UPNOTIFYPS', 'adtech-test': 'Adtech Test IP', 'mpsysrmsvr': 'Mp Sys Rmsvr', 'wg-netforce': 'WG NetForce', 'kv-server': 'KV Server', 'kv-agent': 'KV Agent', 'dj-ilm': 'DJ ILM', 'nati-vi-server': 'NATI Vi Server', 'creativeserver': 'Creative Server', 'contentserver': 'Content Server', 'creativepartnr': 'Creative Partner', 'tip2': 'TIP 2', 'lavenir-lm': 'Lavenir License Manager', 'cluster-disc': 'Cluster Disc', 'vsnm-agent': 'VSNM Agent', 'cdbroker': 'CD Broker', 'cogsys-lm': 'Cogsys Network License Manager', 'wsicopy': 'WSICOPY', 'socorfs': 'SOCORFS', 'sns-channels': 'SNS Channels', 'geneous': 'Geneous', 'fujitsu-neat': 'Fujitsu Network Enhanced Antitheft function', 'esp-lm': 'Enterprise Software Products License Manager', 'hp-clic': 'Cluster Management Services', 'qnxnetman': 'qnxnetman', 'gprs-data': 'GPRS Data', 'backroomnet': 'Back Room Net', 'cbserver': 'CB Server', 'ms-wbt-server': 'MS WBT Server', 'dsc': 'Distributed Service Coordinator', 'savant': 'SAVANT', 'efi-lm': 'EFI License Management', 'd2k-tapestry1': 'D2K Tapestry Client to Server', 'd2k-tapestry2': 'D2K Tapestry Server to Server', 'dyna-lm': 'Dyna License Manager (Elam)', 'printer-agent': 'Printer Agent\nIANA assigned this well-formed service name as a replacement for "printer_agent".', 'printer_agent': 'Printer Agent', 'cloanto-lm': 'Cloanto License Manager', 'mercantile': 'Mercantile', 'csms': 'CSMS', 'csms2': 'CSMS2', 'filecast': 'filecast', 'fxaengine-net': 'FXa Engine Network Port', 'nokia-ann-ch1': 'Nokia Announcement ch 1', 'nokia-ann-ch2': 'Nokia Announcement ch 2', 'ldap-admin': 'LDAP admin server port', 'BESApi': 'BES Api Port', 'networklens': 'NetworkLens Event Port', 'networklenss': 'NetworkLens SSL Event', 'biolink-auth': 'BioLink Authenteon server', 'xmlblaster': 'xmlBlaster', 'svnet': 'SpecView Networking', 'wip-port': 'BroadCloud WIP Port', 'bcinameservice': 'BCI Name Service', 'commandport': 'AirMobile IS Command Port', 'csvr': 'ConServR file translation', 'rnmap': 'Remote nmap', 'softaudit': 'Isogon SoftAudit', 'ifcp-port': 'iFCP User Port', 'bmap': 'Bull Apprise portmapper', 'rusb-sys-port': 'Remote USB System Port', 'xtrm': 'xTrade Reliable Messaging', 'xtrms': 'xTrade over TLS/SSL', 'agps-port': 'AGPS Access Port', 'arkivio': 'Arkivio Storage Protocol', 'websphere-snmp': 'WebSphere SNMP', 'twcss': '2Wire CSS', 'gcsp': 'GCSP user port', 'ssdispatch': 'Scott Studios Dispatch', 'ndl-als': 'Active License Server Port', 'osdcp': 'Secure Device Protocol', 'opnet-smp': 'OPNET Service Management Platform', 'opencm': 'OpenCM Server', 'pacom': 'Pacom Security User Port', 'gc-config': 'GuardControl Exchange Protocol', 'autocueds': 'Autocue Directory Service', 'spiral-admin': 'Spiralcraft Admin', 'hri-port': 'HRI Interface Port', 'ans-console': 'Net Steward Mgmt Console', 'connect-client': 'OC Connect Client', 'connect-server': 'OC Connect Server', 'ov-nnm-websrv': 'OpenView Network Node Manager WEB Server', 'denali-server': 'Denali Server', 'monp': 'Media Object Network', '3comfaxrpc': '3Com FAX RPC port', 'directnet': 'DirectNet IM System', 'dnc-port': 'Discovery and Net Config', 'hotu-chat': 'HotU Chat', 'castorproxy': 'CAStorProxy', 'asam': 'ASAM Services', 'sabp-signal': 'SABP-Signalling Protocol', 'pscupd': 'PSC Update Port', 'mira': 'Apple Remote Access Protocol', 'prsvp': 'RSVP Port', 'vat': 'VAT default data', 'vat-control': 'VAT default control', 'd3winosfi': 'D3WinOSFI', 'integral': 'TIP Integral', 'edm-manager': 'EDM Manger', 'edm-stager': 'EDM Stager', 'edm-std-notify': 'EDM STD Notify', 'edm-adm-notify': 'EDM ADM Notify', 'edm-mgr-sync': 'EDM MGR Sync', 'edm-mgr-cntrl': 'EDM MGR Cntrl', 'workflow': 'WORKFLOW', 'rcst': 'RCST', 'ttcmremotectrl': 'TTCM Remote Controll', 'pluribus': 'Pluribus', 'jt400': 'jt400', 'jt400-ssl': 'jt400-ssl', 'jaugsremotec-1': 'JAUGS N-G Remotec 1', 'jaugsremotec-2': 'JAUGS N-G Remotec 2', 'ttntspauto': 'TSP Automation', 'genisar-port': 'Genisar Comm Port', 'nppmp': 'NVIDIA Mgmt Protocol', 'ecomm': 'eComm link port', 'stun': 'Session Traversal Utilities for NAT (STUN) port', 'turn': 'TURN over TCP', 'stun-behavior': 'STUN Behavior Discovery over TCP', 'twrpc': '2Wire RPC', 'plethora': 'Secure Virtual Workspace', 'cleanerliverc': 'CleanerLive remote ctrl', 'vulture': 'Vulture Monitoring System', 'slim-devices': 'Slim Devices Protocol', 'gbs-stp': 'GBS SnapTalk Protocol', 'celatalk': 'CelaTalk', 'ifsf-hb-port': 'IFSF Heartbeat Port', 'ltctcp': 'LISA TCP Transfer Channel', 'fs-rh-srv': 'FS Remote Host Server', 'dtp-dia': 'DTP/DIA', 'colubris': 'Colubris Management Port', 'swr-port': 'SWR Port', 'tvdumtray-port': 'TVDUM Tray Port', 'nut': 'Network UPS Tools', 'ibm3494': 'IBM 3494', 'seclayer-tcp': 'securitylayer over tcp', 'seclayer-tls': 'securitylayer over tls', 'ipether232port': 'ipEther232Port', 'dashpas-port': 'DASHPAS user port', 'sccip-media': 'SccIP Media', 'rtmp-port': 'RTMP Port', 'isoft-p2p': 'iSoft-P2P', 'avinstalldisc': 'Avocent Install Discovery', 'lsp-ping': 'MPLS LSP-echo Port', 'ironstorm': 'IronStorm game server', 'ccmcomm': 'CCM communications port', 'apc-3506': 'APC 3506', 'nesh-broker': 'Nesh Broker Port', 'interactionweb': 'Interaction Web', 'vt-ssl': 'Virtual Token SSL Port', 'xss-port': 'XSS Port', 'webmail-2': 'WebMail/2', 'aztec': 'Aztec Distribution Port', 'arcpd': 'Adaptec Remote Protocol', 'must-p2p': 'MUST Peer to Peer', 'must-backplane': 'MUST Backplane', 'smartcard-port': 'Smartcard Port', '802-11-iapp': 'IEEE 802.11 WLANs WG IAPP', 'artifact-msg': 'Artifact Message Server', 'nvmsgd': 'Netvion Messenger Port', 'galileolog': 'Netvion Galileo Log Port', 'mc3ss': 'Telequip Labs MC3SS', 'nfs-domainroot': "NFS service for the domain root, the root of an organization's published file namespace.", 'nssocketport': 'DO over NSSocketPort', 'odeumservlink': 'Odeum Serverlink', 'ecmport': 'ECM Server port', 'eisport': 'EIS Server port', 'starquiz-port': 'starQuiz Port', 'beserver-msg-q': 'VERITAS Backup Exec Server', 'jboss-iiop': 'JBoss IIOP', 'jboss-iiop-ssl': 'JBoss IIOP/SSL', 'gf': 'Grid Friendly', 'joltid': 'Joltid', 'raven-rmp': 'Raven Remote Management Control', 'raven-rdp': 'Raven Remote Management Data', 'urld-port': 'URL Daemon Port', 'ms-la': 'MS-LA', 'snac': 'SNAC', 'ni-visa-remote': 'Remote NI-VISA port', 'ibm-diradm': 'IBM Directory Server', 'ibm-diradm-ssl': 'IBM Directory Server SSL', 'pnrp-port': 'PNRP User Port', 'voispeed-port': 'VoiSpeed Port', 'hacl-monitor': 'HA cluster monitor', 'qftest-lookup': 'qftest Lookup Port', 'teredo': 'Teredo Port', 'camac': 'CAMAC equipment', 'symantec-sim': 'Symantec SIM', 'interworld': 'Interworld', 'tellumat-nms': 'Tellumat MDR NMS', 'ssmpp': 'Secure SMPP', 'apcupsd': 'Apcupsd Information Port', 'taserver': 'TeamAgenda Server Port', 'rbr-discovery': 'Red Box Recorder ADP', 'questnotify': 'Quest Notification Server', 'razor': "Vipul's Razor", 'sky-transport': 'Sky Transport Protocol', 'personalos-001': 'PersonalOS Comm Port', 'mcp-port': 'MCP user port', 'cctv-port': 'CCTV control port', 'iniserve-port': 'INIServe port', 'bmc-onekey': 'BMC-OneKey', 'sdbproxy': 'SDBProxy', 'watcomdebug': 'Watcom Debug', 'esimport': 'Electromed SIM port', 'm2pa': 'M2PA', 'quest-data-hub': 'Quest Data Hub', 'oap': 'Object Access Protocol', 'oap-s': 'Object Access Protocol over SSL', 'mbg-ctrl': 'Meinberg Control Service', 'mccwebsvr-port': 'MCC Web Server Port', 'megardsvr-port': 'MegaRAID Server Port', 'megaregsvrport': 'Registration Server Port', 'tag-ups-1': 'Advantage Group UPS Suite', 'dmaf-server': 'DMAF Server', 'ccm-port': 'Coalsere CCM Port', 'cmc-port': 'Coalsere CMC Port', 'config-port': 'Configuration Port', 'data-port': 'Data Port', 'ttat3lb': 'Tarantella Load Balancing', 'nati-svrloc': 'NATI-ServiceLocator', 'kfxaclicensing': 'Ascent Capture Licensing', 'press': 'PEG PRESS Server', 'canex-watch': 'CANEX Watch System', 'u-dbap': 'U-DBase Access Protocol', 'emprise-lls': 'Emprise License Server', 'emprise-lsc': 'License Server Console', 'p2pgroup': 'Peer to Peer Grouping', 'sentinel': 'Sentinel Server', 'isomair': 'isomair', 'wv-csp-sms': 'WV CSP SMS Binding', 'gtrack-server': 'LOCANIS G-TRACK Server', 'gtrack-ne': 'LOCANIS G-TRACK NE Port', 'bpmd': 'BP Model Debugger', 'mediaspace': 'MediaSpace', 'shareapp': 'ShareApp', 'iw-mmogame': 'Illusion Wireless MMOG', 'a14': 'A14 (AN-to-SC/MM)', 'a15': 'A15 (AN-to-AN)', 'quasar-server': 'Quasar Accounting Server', 'trap-daemon': 'text relay-answer', 'visinet-gui': 'Visinet Gui', 'infiniswitchcl': 'InfiniSwitch Mgr Client', 'int-rcv-cntrl': 'Integrated Rcvr Control', 'bmc-jmx-port': 'BMC JMX Port', 'comcam-io': 'ComCam IO Port', 'splitlock': 'Splitlock Server', 'precise-i3': 'Precise I3', 'trendchip-dcp': 'Trendchip control protocol', 'cpdi-pidas-cm': 'CPDI PIDAS Connection Mon', 'echonet': 'ECHONET', 'six-degrees': 'Six Degrees Port', 'hp-dataprotect': 'HP Data Protector', 'alaris-disc': 'Alaris Device Discovery', 'sigma-port': 'Satchwell Sigma', 'start-network': 'Start Messaging Network', 'cd3o-protocol': 'cd3o Control Protocol', 'sharp-server': 'ATI SHARP Logic Engine', 'aairnet-1': 'AAIR-Network 1', 'aairnet-2': 'AAIR-Network 2', 'ep-pcp': 'EPSON Projector Control Port', 'ep-nsp': 'EPSON Network Screen Port', 'ff-lr-port': 'FF LAN Redundancy Port', 'haipe-discover': 'HAIPIS Dynamic Discovery', 'dist-upgrade': 'Distributed Upgrade Port', 'volley': 'Volley', 'bvcdaemon-port': 'bvControl Daemon', 'jamserverport': 'Jam Server Port', 'ept-machine': 'EPT Machine Interface', 'escvpnet': 'ESC/VP.net', 'cs-remote-db': 'C&S Remote Database Port', 'cs-services': 'C&S Web Services Port', 'distcc': 'distributed compiler', 'wacp': 'Wyrnix AIS port', 'hlibmgr': 'hNTSP Library Manager', 'sdo': 'Simple Distributed Objects', 'servistaitsm': 'SerVistaITSM', 'scservp': 'Customer Service Port', 'ehp-backup': 'EHP Backup Protocol', 'xap-ha': 'Extensible Automation', 'netplay-port1': 'Netplay Port 1', 'netplay-port2': 'Netplay Port 2', 'juxml-port': 'Juxml Replication port', 'audiojuggler': 'AudioJuggler', 'ssowatch': 'ssowatch', 'cyc': 'Cyc', 'xss-srv-port': 'XSS Server Port', 'splitlock-gw': 'Splitlock Gateway', 'fjcp': 'Fujitsu Cooperation Port', 'nmmp': 'Nishioka Miyuki Msg Protocol', 'prismiq-plugin': 'PRISMIQ VOD plug-in', 'xrpc-registry': 'XRPC Registry', 'vxcrnbuport': 'VxCR NBU Default Port', 'tsp': 'Tunnel Setup Protocol', 'vaprtm': 'VAP RealTime Messenger', 'abatemgr': 'ActiveBatch Exec Agent', 'abatjss': 'ActiveBatch Job Scheduler', 'immedianet-bcn': 'ImmediaNet Beacon', 'ps-ams': 'PlayStation AMS (Secure)', 'apple-sasl': 'Apple SASL', 'can-nds-ssl': 'IBM Tivoli Directory Service using SSL', 'can-ferret-ssl': 'IBM Tivoli Directory Service using SSL', 'pserver': 'pserver', 'dtp': 'DIRECWAY Tunnel Protocol', 'ups-engine': 'UPS Engine Port', 'ent-engine': 'Enterprise Engine Port', 'eserver-pap': 'IBM eServer PAP', 'infoexch': 'IBM Information Exchange', 'dell-rm-port': 'Dell Remote Management', 'casanswmgmt': 'CA SAN Switch Management', 'smile': 'SMILE TCP/UDP Interface', 'efcp': 'e Field Control (EIBnet)', 'lispworks-orb': 'LispWorks ORB', 'mediavault-gui': 'Openview Media Vault GUI', 'wininstall-ipc': 'WinINSTALL IPC Port', 'calltrax': 'CallTrax Data Port', 'va-pacbase': 'VisualAge Pacbase server', 'roverlog': 'RoverLog IPC', 'ipr-dglt': 'DataGuardianLT', 'Escale (Newton Dock)': 'Newton Dock', 'npds-tracker': 'NPDS Tracker', 'bts-x73': 'BTS X73 Port', 'cas-mapi': 'EMC SmartPackets-MAPI', 'bmc-ea': 'BMC EDV/EA', 'faxstfx-port': 'FAXstfX', 'dsx-agent': 'DS Expert Agent', 'tnmpv2': 'Trivial Network Management', 'simple-push': 'simple-push', 'simple-push-s': 'simple-push Secure', 'daap': 'Digital Audio Access Protocol (iTunes)', 'svn': 'Subversion', 'magaya-network': 'Magaya Network Port', 'intelsync': 'Brimstone IntelSync', 'bmc-data-coll': 'BMC Data Collection', 'telnetcpcd': 'Telnet Com Port Control', 'nw-license': 'NavisWorks License System', 'sagectlpanel': 'SAGECTLPANEL', 'kpn-icw': 'Internet Call Waiting', 'lrs-paging': 'LRS NetPage', 'netcelera': 'NetCelera', 'ws-discovery': 'Web Service Discovery', 'adobeserver-3': 'Adobe Server 3', 'adobeserver-4': 'Adobe Server 4', 'adobeserver-5': 'Adobe Server 5', 'rt-event': 'Real-Time Event Port', 'rt-event-s': 'Real-Time Event Secure Port', 'sun-as-iiops': 'Sun App Svr - Naming', 'ca-idms': 'CA-IDMS Server', 'portgate-auth': 'PortGate Authentication', 'edb-server2': 'EBD Server 2', 'sentinel-ent': 'Sentinel Enterprise', 'tftps': 'TFTP over TLS', 'delos-dms': 'DELOS Direct Messaging', 'anoto-rendezv': 'Anoto Rendezvous Port', 'wv-csp-sms-cir': 'WV CSP SMS CIR Channel', 'wv-csp-udp-cir': 'WV CSP UDP/IP CIR Channel', 'opus-services': 'OPUS Server Port', 'itelserverport': 'iTel Server Port', 'ufastro-instr': 'UF Astro. Instr. Services', 'xsync': 'Xsync', 'xserveraid': 'Xserve RAID', 'sychrond': 'Sychron Service Daemon', 'blizwow': 'World of Warcraft', 'na-er-tip': 'Netia NA-ER Port', 'array-manager': 'Xyratex Array Manager', 'e-mdu': 'Ericsson Mobile Data Unit', 'e-woa': 'Ericsson Web on Air', 'fksp-audit': 'Fireking Audit Port', 'client-ctrl': 'Client Control', 'smap': 'Service Manager', 'm-wnn': 'Mobile Wnn', 'multip-msg': 'Multipuesto Msg Port', 'synel-data': 'Synel Data Collection Port', 'pwdis': 'Password Distribution', 'rs-rmi': 'RealSpace RMI', 'xpanel': 'XPanel Daemon', 'versatalk': 'versaTalk Server Port', 'launchbird-lm': 'Launchbird LicenseManager', 'heartbeat': 'Heartbeat Protocol', 'wysdma': 'WysDM Agent', 'cst-port': 'CST - Configuration & Service Tracker', 'ipcs-command': 'IP Control Systems Ltd.', 'sasg': 'SASG', 'gw-call-port': 'GWRTC Call Port', 'linktest': 'LXPRO.COM LinkTest', 'linktest-s': 'LXPRO.COM LinkTest SSL', 'webdata': 'webData', 'cimtrak': 'CimTrak', 'cbos-ip-port': 'CBOS/IP ncapsalation port', 'gprs-cube': 'CommLinx GPRS Cube', 'vipremoteagent': 'Vigil-IP RemoteAgent', 'nattyserver': 'NattyServer Port', 'timestenbroker': 'TimesTen Broker Port', 'sas-remote-hlp': 'SAS Remote Help Server', 'canon-capt': 'Canon CAPT Port', 'grf-port': 'GRF Server Port', 'apw-registry': 'apw RMI registry', 'exapt-lmgr': 'Exapt License Manager', 'adtempusclient': 'adTempus Client', 'gsakmp': 'gsakmp port', 'gbs-smp': 'GBS SnapMail Protocol', 'xo-wave': 'XO Wave Control Port', 'mni-prot-rout': 'MNI Protected Routing', 'rtraceroute': 'Remote Traceroute', 'listmgr-port': 'ListMGR Port', 'rblcheckd': 'rblcheckd server daemon', 'haipe-otnk': 'HAIPE Network Keying', 'cindycollab': 'Cinderella Collaboration', 'paging-port': 'RTP Paging Port', 'ctp': 'Chantry Tunnel Protocol', 'ctdhercules': 'ctdhercules', 'zicom': 'ZICOM', 'ispmmgr': 'ISPM Manager Port', 'dvcprov-port': 'Device Provisioning Port', 'jibe-eb': 'Jibe EdgeBurst', 'c-h-it-port': 'Cutler-Hammer IT Port', 'cognima': 'Cognima Replication', 'nnp': 'Nuzzler Network Protocol', 'abcvoice-port': 'ABCvoice server port', 'iso-tp0s': 'Secure ISO TP0 port', 'bim-pem': 'Impact Mgr./PEM Gateway', 'bfd-control': 'BFD Control Protocol', 'bfd-echo': 'BFD Echo Protocol', 'upstriggervsw': 'VSW Upstrigger port', 'fintrx': 'Fintrx', 'isrp-port': 'SPACEWAY Routing port', 'remotedeploy': 'RemoteDeploy Administration Port [July 2003]', 'quickbooksrds': 'QuickBooks RDS', 'tvnetworkvideo': 'TV NetworkVideo Data port', 'sitewatch': 'e-Watch Corporation SiteWatch', 'dcsoftware': 'DataCore Software', 'jaus': 'JAUS Robots', 'myblast': 'myBLAST Mekentosj port', 'spw-dialer': 'Spaceway Dialer', 'idps': 'idps', 'minilock': 'Minilock', 'radius-dynauth': 'RADIUS Dynamic Authorization', 'pwgpsi': 'Print Services Interface', 'ibm-mgr': 'ibm manager service', 'vhd': 'VHD', 'soniqsync': 'SoniqSync', 'iqnet-port': 'Harman IQNet Port', 'tcpdataserver': 'ThorGuard Server Port', 'wsmlb': 'Remote System Manager', 'spugna': 'SpuGNA Communication Port', 'sun-as-iiops-ca': 'Sun App Svr-IIOPClntAuth', 'apocd': 'Java Desktop System Configuration Agent', 'wlanauth': 'WLAN AS server', 'amp': 'AMP', 'neto-wol-server': 'netO WOL Server', 'rap-ip': 'Rhapsody Interface Protocol', 'neto-dcs': 'netO DCS', 'lansurveyorxml': 'LANsurveyor XML', 'sunlps-http': 'Sun Local Patch Server', 'tapeware': 'Yosemite Tech Tapeware', 'crinis-hb': 'Crinis Heartbeat', 'epl-slp': 'EPL Sequ Layer Protocol', 'scp': 'Siemens AuD SCP', 'pmcp': 'ATSC PMCP Standard', 'acp-discovery': 'Compute Pool Discovery', 'acp-conduit': 'Compute Pool Conduit', 'acp-policy': 'Compute Pool Policy', 'ffserver': 'Antera FlowFusion Process Simulation', 'warmux': 'WarMUX game server', 'netmpi': 'Netadmin Systems MPI service', 'neteh': 'Netadmin Systems Event Handler', 'neteh-ext': 'Netadmin Systems Event Handler External', 'cernsysmgmtagt': 'Cerner System Management Agent', 'dvapps': 'Docsvault Application Service', 'xxnetserver': 'xxNETserver', 'aipn-auth': 'AIPN LS Authentication', 'spectardata': 'Spectar Data Stream Service', 'spectardb': 'Spectar Database Rights Service', 'markem-dcp': 'MARKEM NEXTGEN DCP', 'mkm-discovery': 'MARKEM Auto-Discovery', 'sos': 'Scito Object Server', 'amx-rms': 'AMX Resource Management Suite', 'flirtmitmir': 'www.FlirtMitMir.de', 'zfirm-shiprush3': 'Z-Firm ShipRush v3', 'nhci': 'NHCI status port', 'quest-agent': 'Quest Common Agent', 'rnm': 'RNM', 'v-one-spp': 'V-ONE Single Port Proxy', 'an-pcp': 'Astare Network PCP', 'msfw-control': 'MS Firewall Control', 'item': 'IT Environmental Monitor', 'spw-dnspreload': 'SPACEWAY DNS Preload', 'qtms-bootstrap': 'QTMS Bootstrap Protocol', 'spectraport': 'SpectraTalk Port', 'sse-app-config': 'SSE App Configuration', 'sscan': 'SONY scanning protocol', 'stryker-com': 'Stryker Comm Port', 'opentrac': 'OpenTRAC', 'informer': 'INFORMER', 'trap-port': 'Trap Port', 'trap-port-mom': 'Trap Port MOM', 'nav-port': 'Navini Port', 'sasp': 'Server/Application State Protocol (SASP)', 'winshadow-hd': 'winShadow Host Discovery', 'giga-pocket': 'GIGA-POCKET', 'asap-tcp': 'asap tcp port', 'asap-tcp-tls': 'asap/tls tcp port', 'xpl': 'xpl automation protocol', 'dzdaemon': 'Sun SDViz DZDAEMON Port', 'dzoglserver': 'Sun SDViz DZOGLSERVER Port', 'diameter': 'DIAMETER', 'ovsam-mgmt': 'hp OVSAM MgmtServer Disco', 'ovsam-d-agent': 'hp OVSAM HostAgent Disco', 'avocent-adsap': 'Avocent DS Authorization', 'oem-agent': 'OEM Agent', 'fagordnc': 'fagordnc', 'sixxsconfig': 'SixXS Configuration', 'pnbscada': 'PNBSCADA', 'dl-agent': 'DirectoryLockdown Agent\nIANA assigned this well-formed service name as a replacement for "dl_agent".', 'dl_agent': 'DirectoryLockdown Agent', 'xmpcr-interface': 'XMPCR Interface Port', 'fotogcad': 'FotoG CAD interface', 'appss-lm': 'appss license manager', 'igrs': 'IGRS', 'idac': 'Data Acquisition and Control', 'msdts1': 'DTS Service Port', 'vrpn': 'VR Peripheral Network', 'softrack-meter': 'SofTrack Metering', 'topflow-ssl': 'TopFlow SSL', 'nei-management': 'NEI management port', 'ciphire-data': 'Ciphire Data Transport', 'ciphire-serv': 'Ciphire Services', 'dandv-tester': 'D and V Tester Control Port', 'ndsconnect': 'Niche Data Server Connect', 'rtc-pm-port': 'Oracle RTC-PM port', 'pcc-image-port': 'PCC-image-port', 'cgi-starapi': 'CGI StarAPI Server', 'syam-agent': 'SyAM Agent Port', 'syam-smc': 'SyAm SMC Service Port', 'sdo-tls': 'Simple Distributed Objects over TLS', 'sdo-ssh': 'Simple Distributed Objects over SSH', 'senip': 'IAS, Inc. SmartEye NET Internet Protocol', 'itv-control': 'ITV Port', 'udt-os': 'Unidata UDT OS\nIANA assigned this well-formed service name as a replacement for "udt_os".', 'udt_os': 'Unidata UDT OS', 'nimsh': 'NIM Service Handler', 'nimaux': 'NIMsh Auxiliary Port', 'charsetmgr': 'CharsetMGR', 'omnilink-port': 'Arnet Omnilink Port', 'mupdate': 'Mailbox Update (MUPDATE) protocol', 'topovista-data': 'TopoVista elevation data', 'imoguia-port': 'Imoguia Port', 'hppronetman': 'HP Procurve NetManagement', 'surfcontrolcpa': 'SurfControl CPA', 'prnrequest': 'Printer Request Port', 'prnstatus': 'Printer Status Port', 'gbmt-stars': 'Global Maintech Stars', 'listcrt-port': 'ListCREATOR Port', 'listcrt-port-2': 'ListCREATOR Port 2', 'agcat': 'Auto-Graphics Cataloging', 'wysdmc': 'WysDM Controller', 'aftmux': 'AFT multiplex port', 'pktcablemmcops': 'PacketCableMultimediaCOPS', 'hyperip': 'HyperIP', 'exasoftport1': 'Exasoft IP Port', 'herodotus-net': 'Herodotus Net', 'sor-update': 'Soronti Update Port', 'symb-sb-port': 'Symbian Service Broker', 'mpl-gprs-port': 'MPL_GPRS_PORT', 'zmp': 'Zoran Media Port', 'winport': 'WINPort', 'natdataservice': 'ScsTsr', 'netboot-pxe': 'PXE NetBoot Manager', 'smauth-port': 'AMS Port', 'syam-webserver': 'Syam Web Server Port', 'msr-plugin-port': 'MSR Plugin Port', 'dyn-site': 'Dynamic Site System', 'plbserve-port': 'PL/B App Server User Port', 'sunfm-port': 'PL/B File Manager Port', 'sdp-portmapper': 'SDP Port Mapper Protocol', 'mailprox': 'Mailprox', 'dvbservdsc': 'DVB Service Discovery', 'dbcontrol-agent': 'Oracle dbControl Agent po\nIANA assigned this well-formed service name as a replacement for "dbcontrol_agent".', 'dbcontrol_agent': 'Oracle dbControl Agent po', 'aamp': 'Anti-virus Application Management Port', 'xecp-node': 'XeCP Node Service', 'homeportal-web': 'Home Portal Web Server', 'srdp': 'satellite distribution', 'tig': 'TetraNode Ip Gateway', 'sops': 'S-Ops Management', 'emcads': 'EMCADS Server Port', 'backupedge': 'BackupEDGE Server', 'ccp': 'Connect and Control Protocol for Consumer, Commercial, and Industrial Electronic Devices', 'apdap': 'Anton Paar Device Administration Protocol', 'drip': 'Dynamic Routing Information Protocol', 'namemunge': 'Name Munging', 'pwgippfax': 'PWG IPP Facsimile', 'i3-sessionmgr': 'I3 Session Manager', 'xmlink-connect': 'Eydeas XMLink Connect', 'adrep': 'AD Replication RPC', 'p2pcommunity': 'p2pCommunity', 'gvcp': 'GigE Vision Control', 'mqe-broker': 'MQEnterprise Broker', 'mqe-agent': 'MQEnterprise Agent', 'treehopper': 'Tree Hopper Networking', 'bess': 'Bess Peer Assessment', 'proaxess': 'ProAxess Server', 'sbi-agent': 'SBI Agent Protocol', 'thrp': 'Teran Hybrid Routing Protocol', 'sasggprs': 'SASG GPRS', 'ati-ip-to-ncpe': 'Avanti IP to NCPE API', 'bflckmgr': 'BuildForge Lock Manager', 'ppsms': 'PPS Message Service', 'ianywhere-dbns': 'iAnywhere DBNS', 'landmarks': 'Landmark Messages', 'lanrevagent': 'LANrev Agent', 'lanrevserver': 'LANrev Server', 'iconp': 'ict-control Protocol', 'progistics': 'ConnectShip Progistics', 'citysearch': 'Remote Applicant Tracking Service', 'airshot': 'Air Shot', 'opswagent': 'Opsware Agent', 'opswmanager': 'Opsware Manager', 'secure-cfg-svr': 'Secured Configuration Server', 'smwan': 'Smith Micro Wide Area Network Service', 'acms': 'Aircraft Cabin Management System', 'starfish': 'Starfish System Admin', 'eis': 'ESRI Image Server', 'eisp': 'ESRI Image Service', 'mapper-nodemgr': 'MAPPER network node manager', 'mapper-mapethd': 'MAPPER TCP/IP server', 'mapper-ws-ethd': 'MAPPER workstation server\nIANA assigned this well-formed service name as a replacement for "mapper-ws_ethd".', 'mapper-ws_ethd': 'MAPPER workstation server', 'centerline': 'Centerline', 'dcs-config': 'DCS Configuration Port', 'bv-queryengine': 'BindView-Query Engine', 'bv-is': 'BindView-IS', 'bv-smcsrv': 'BindView-SMCServer', 'bv-ds': 'BindView-DirectoryServer', 'bv-agent': 'BindView-Agent', 'iss-mgmt-ssl': 'ISS Management Svcs SSL', 'abcsoftware': 'abcsoftware-01', 'agentsease-db': 'aes_db', 'dnx': 'Distributed Nagios Executor Service', 'nvcnet': 'Norman distributes scanning service', 'terabase': 'Terabase', 'newoak': 'NewOak', 'pxc-spvr-ft': 'pxc-spvr-ft', 'pxc-splr-ft': 'pxc-splr-ft', 'pxc-roid': 'pxc-roid', 'pxc-pin': 'pxc-pin', 'pxc-spvr': 'pxc-spvr', 'pxc-splr': 'pxc-splr', 'netcheque': 'NetCheque accounting', 'chimera-hwm': 'Chimera HWM', 'samsung-unidex': 'Samsung Unidex', 'altserviceboot': 'Alternate Service Boot', 'pda-gate': 'PDA Gate', 'acl-manager': 'ACL Manager', 'taiclock': 'TAICLOCK', 'talarian-mcast1': 'Talarian Mcast', 'talarian-mcast2': 'Talarian Mcast', 'talarian-mcast3': 'Talarian Mcast', 'talarian-mcast4': 'Talarian Mcast', 'talarian-mcast5': 'Talarian Mcast', 'trap': 'TRAP Port', 'nexus-portal': 'Nexus Portal', 'dnox': 'DNOX', 'esnm-zoning': 'ESNM Zoning Port', 'tnp1-port': 'TNP1 User Port', 'partimage': 'Partition Image Port', 'as-debug': 'Graphical Debug Server', 'bxp': 'bitxpress', 'dtserver-port': 'DTServer Port', 'ip-qsig': 'IP Q signaling protocol', 'jdmn-port': 'Accell/JSP Daemon Port', 'suucp': 'UUCP over SSL', 'vrts-auth-port': 'VERITAS Authorization Service', 'sanavigator': 'SANavigator Peer Port', 'ubxd': 'Ubiquinox Daemon', 'wap-push-http': 'WAP Push OTA-HTTP port', 'wap-push-https': 'WAP Push OTA-HTTP secure', 'ravehd': 'RaveHD network control', 'fazzt-ptp': 'Fazzt Point-To-Point', 'fazzt-admin': 'Fazzt Administration', 'yo-main': 'Yo.net main service', 'houston': 'Rocketeer-Houston', 'ldxp': 'LDXP', 'nirp': 'Neighbour Identity Resolution', 'ltp': 'Location Tracking Protocol', 'npp': 'Network Paging Protocol', 'acp-proto': 'Accounting Protocol', 'ctp-state': 'Context Transfer Protocol', 'wafs': 'Wide Area File Services', 'cisco-wafs': 'Wide Area File Services', 'cppdp': 'Cisco Peer to Peer Distribution Protocol', 'interact': 'VoiceConnect Interact', 'ccu-comm-1': 'CosmoCall Universe Communications Port 1', 'ccu-comm-2': 'CosmoCall Universe Communications Port 2', 'ccu-comm-3': 'CosmoCall Universe Communications Port 3', 'lms': 'Location Message Service', 'wfm': 'Servigistics WFM server', 'kingfisher': 'Kingfisher protocol', 'dlms-cosem': 'DLMS/COSEM', 'dsmeter-iatc': 'DSMETER Inter-Agent Transfer Channel\nIANA assigned this well-formed service name as a replacement for "dsmeter_iatc".', 'dsmeter_iatc': 'DSMETER Inter-Agent Transfer Channel', 'ice-location': 'Ice Location Service (TCP)', 'ice-slocation': 'Ice Location Service (SSL)', 'ice-router': 'Ice Firewall Traversal Service (TCP)', 'ice-srouter': 'Ice Firewall Traversal Service (SSL)', 'avanti-cdp': 'Avanti Common Data\nIANA assigned this well-formed service name as a replacement for "avanti_cdp".', 'avanti_cdp': 'Avanti Common Data', 'pmas': 'Performance Measurement and Analysis', 'idp': 'Information Distribution Protocol', 'ipfltbcst': 'IP Fleet Broadcast', 'minger': 'Minger Email Address Validation Service', 'tripe': 'Trivial IP Encryption (TrIPE)', 'aibkup': 'Automatically Incremental Backup', 'zieto-sock': 'Zieto Socket Communications', 'iRAPP': 'iRAPP Server Protocol', 'cequint-cityid': 'Cequint City ID UI trigger', 'perimlan': 'ISC Alarm Message Service', 'seraph': 'Seraph DCS', 'cssp': 'Coordinated Security Service Protocol', 'santools': 'SANtools Diagnostic Server', 'lorica-in': 'Lorica inside facing', 'lorica-in-sec': 'Lorica inside facing (SSL)', 'lorica-out': 'Lorica outside facing', 'lorica-out-sec': 'Lorica outside facing (SSL)', 'ezmessagesrv': 'EZNews Newsroom Message Service', 'applusservice': 'APplus Service', 'npsp': 'Noah Printing Service Protocol', 'opencore': 'OpenCORE Remote Control Service', 'omasgport': 'OMA BCAST Service Guide', 'ewinstaller': 'EminentWare Installer', 'ewdgs': 'EminentWare DGS', 'pvxpluscs': 'Pvx Plus CS Host', 'sysrqd': 'sysrq daemon', 'xtgui': 'xtgui information service', 'bre': 'BRE (Bridge Relay Element)', 'patrolview': 'Patrol View', 'drmsfsd': 'drmsfsd', 'dpcp': 'DPCP', 'igo-incognito': 'IGo Incognito Data Port', 'brlp-0': 'Braille protocol', 'brlp-1': 'Braille protocol', 'brlp-2': 'Braille protocol', 'brlp-3': 'Braille protocol', 'shofar': 'Shofar', 'synchronite': 'Synchronite', 'j-ac': 'JDL Accounting LAN Service', 'accel': 'ACCEL', 'izm': 'Instantiated Zero-control Messaging', 'g2tag': 'G2 RFID Tag Telemetry Data', 'xgrid': 'Xgrid', 'apple-vpns-rp': 'Apple VPN Server Reporting Protocol', 'aipn-reg': 'AIPN LS Registration', 'jomamqmonitor': 'JomaMQMonitor', 'cds': 'CDS Transfer Agent', 'smartcard-tls': 'smartcard-TLS', 'hillrserv': 'Hillr Connection Manager', 'netscript': 'Netadmin Systems NETscript service', 'assuria-slm': 'Assuria Log Manager', 'e-builder': 'e-Builder Application Communication', 'fprams': 'Fiber Patrol Alarm Service', 'z-wave': 'Zensys Z-Wave Control Protocol', 'tigv2': 'Rohill TetraNode Ip Gateway v2', 'opsview-envoy': 'Opsview Envoy', 'ddrepl': 'Data Domain Replication Service', 'unikeypro': 'NetUniKeyServer', 'nufw': 'NuFW decision delegation protocol', 'nuauth': 'NuFW authentication protocol', 'fronet': 'FRONET message protocol', 'stars': 'Global Maintech Stars', 'nuts-dem': 'NUTS Daemon\nIANA assigned this well-formed service name as a replacement for "nuts_dem".', 'nuts_dem': 'NUTS Daemon', 'nuts-bootp': 'NUTS Bootp Server\nIANA assigned this well-formed service name as a replacement for "nuts_bootp".', 'nuts_bootp': 'NUTS Bootp Server', 'nifty-hmi': 'NIFTY-Serve HMI protocol', 'cl-db-attach': 'Classic Line Database Server Attach', 'cl-db-request': 'Classic Line Database Server Request', 'cl-db-remote': 'Classic Line Database Server Remote', 'nettest': 'nettest', 'thrtx': 'Imperfect Networks Server', 'cedros-fds': 'Cedros Fraud Detection System\nIANA assigned this well-formed service name as a replacement for "cedros_fds".', 'cedros_fds': 'Cedros Fraud Detection System', 'oirtgsvc': 'Workflow Server', 'oidocsvc': 'Document Server', 'oidsr': 'Document Replication', 'vvr-control': 'VVR Control', 'tgcconnect': 'TGCConnect Beacon', 'vrxpservman': 'Multum Service Manager', 'hhb-handheld': 'HHB Handheld Client', 'agslb': 'A10 GSLB Service', 'PowerAlert-nsa': 'PowerAlert Network Shutdown Agent', 'menandmice-noh': 'Men & Mice Remote Control\nIANA assigned this well-formed service name as a replacement for "menandmice_noh".', 'menandmice_noh': 'Men & Mice Remote Control', 'idig-mux': 'iDigTech Multiplex\nIANA assigned this well-formed service name as a replacement for "idig_mux".', 'idig_mux': 'iDigTech Multiplex', 'mbl-battd': 'MBL Remote Battery Monitoring', 'atlinks': 'atlinks device discovery', 'bzr': 'Bazaar version control system', 'stat-results': 'STAT Results', 'stat-scanner': 'STAT Scanner Control', 'stat-cc': 'STAT Command Center', 'nss': 'Network Security Service', 'jini-discovery': 'Jini Discovery', 'omscontact': 'OMS Contact', 'omstopology': 'OMS Topology', 'silverpeakpeer': 'Silver Peak Peer Protocol', 'silverpeakcomm': 'Silver Peak Communication Protocol', 'altcp': 'ArcLink over Ethernet', 'joost': 'Joost Peer to Peer Protocol', 'ddgn': 'DeskDirect Global Network', 'pslicser': 'PrintSoft License Server', 'iadt': 'Automation Drive Interface Transport', 'd-cinema-csp': 'SMPTE Content Synchonization Protocol', 'ml-svnet': 'Maxlogic Supervisor Communication', 'pcoip': 'PC over IP', 'smcluster': 'StorMagic Cluster Services', 'bccp': 'Brocade Cluster Communication Protocol', 'tl-ipcproxy': 'Translattice Cluster IPC Proxy', 'wello': 'Wello P2P pubsub service', 'storman': 'StorMan', 'MaxumSP': 'Maxum Services', 'httpx': 'HTTPX', 'macbak': 'MacBak', 'pcptcpservice': 'Production Company Pro TCP Service', 'gmmp': 'General Metaverse Messaging Protocol', 'universe-suite': 'UNIVERSE SUITE MESSAGE SERVICE\nIANA assigned this well-formed service name as a replacement for "universe_suite".', 'universe_suite': 'UNIVERSE SUITE MESSAGE SERVICE', 'wcpp': 'Woven Control Plane Protocol', 'boxbackupstore': 'Box Backup Store Service', 'csc-proxy': 'Cascade Proxy\nIANA assigned this well-formed service name as a replacement for "csc_proxy".', 'csc_proxy': 'Cascade Proxy', 'vatata': 'Vatata Peer to Peer Protocol', 'pcep': 'Path Computation Element Communication Protocol', 'sieve': 'ManageSieve Protocol', 'azeti': 'Azeti Agent Service', 'pvxplusio': 'PxPlus remote file srvr', 'eims-admin': 'EIMS ADMIN', 'corelccam': 'Corel CCam', 'd-data': 'Diagnostic Data', 'd-data-control': 'Diagnostic Data Control', 'srcp': 'Simple Railroad Command Protocol', 'owserver': 'One-Wire Filesystem Server', 'batman': 'better approach to mobile ad-hoc networking', 'pinghgl': 'Hellgate London', 'visicron-vs': 'Visicron Videoconference Service', 'compx-lockview': 'CompX-LockView', 'dserver': 'Exsequi Appliance Discovery', 'mirrtex': 'Mir-RT exchange service', 'p6ssmc': 'P6R Secure Server Management Console', 'pscl-mgt': 'Parascale Membership Manager', 'perrla': 'PERRLA User Services', 'fdt-rcatp': 'FDT Remote Categorization Protocol', 'rwhois': 'Remote Who Is', 'trim-event': 'TRIM Event Service', 'trim-ice': 'TRIM ICE Service', 'balour': 'Balour Game Server', 'geognosisman': 'Cadcorp GeognoSIS Manager Service', 'geognosis': 'Cadcorp GeognoSIS Service', 'jaxer-web': 'Jaxer Web Protocol', 'jaxer-manager': 'Jaxer Manager Command Protocol', 'publiqare-sync': 'PubliQare Distributed Environment Synchronisation Engine', 'gaia': 'Gaia Connector Protocol', 'lisp-data': 'LISP Data Packets', 'lisp-cons': 'LISP-CONS Control', 'unicall': 'UNICALL', 'vinainstall': 'VinaInstall', 'm4-network-as': 'Macro 4 Network AS', 'elanlm': 'ELAN LM', 'lansurveyor': 'LAN Surveyor', 'itose': 'ITOSE', 'fsportmap': 'File System Port Map', 'net-device': 'Net Device', 'plcy-net-svcs': 'PLCY Net Services', 'pjlink': 'Projector Link', 'f5-iquery': 'F5 iQuery', 'qsnet-trans': 'QSNet Transmitter', 'qsnet-workst': 'QSNet Workstation', 'qsnet-assist': 'QSNet Assistant', 'qsnet-cond': 'QSNet Conductor', 'qsnet-nucl': 'QSNet Nucleus', 'omabcastltkm': 'OMA BCAST Long-Term Key Messages', 'matrix-vnet': 'Matrix VNet Communication Protocol\nIANA assigned this well-formed service name as a replacement for "matrix_vnet".', 'matrix_vnet': 'Matrix VNet Communication Protocol', 'wxbrief': 'WeatherBrief Direct', 'epmd': 'Erlang Port Mapper Daemon', 'elpro-tunnel': 'ELPRO V2 Protocol Tunnel\nIANA assigned this well-formed service name as a replacement for "elpro_tunnel".', 'elpro_tunnel': 'ELPRO V2 Protocol Tunnel', 'l2c-control': 'LAN2CAN Control', 'l2c-data': 'LAN2CAN Data', 'remctl': 'Remote Authenticated Command Service', 'psi-ptt': 'PSI Push-to-Talk Protocol', 'tolteces': 'Toltec EasyShare', 'bip': 'BioAPI Interworking', 'cp-spxsvr': 'Cambridge Pixel SPx Server', 'cp-spxdpy': 'Cambridge Pixel SPx Display', 'ctdb': 'CTDB', 'xandros-cms': 'Xandros Community Management Service', 'wiegand': 'Physical Access Control', 'apwi-imserver': 'American Printware IMServer Protocol', 'apwi-rxserver': 'American Printware RXServer Protocol', 'apwi-rxspooler': 'American Printware RXSpooler Protocol', 'omnivisionesx': 'OmniVision communication for Virtual environments', 'fly': 'Fly Object Space', 'ds-srv': 'ASIGRA Services', 'ds-srvr': 'ASIGRA Televaulting DS-System Service', 'ds-clnt': 'ASIGRA Televaulting DS-Client Service', 'ds-user': 'ASIGRA Televaulting DS-Client Monitoring/Management', 'ds-admin': 'ASIGRA Televaulting DS-System Monitoring/Management', 'ds-mail': 'ASIGRA Televaulting Message Level Restore service', 'ds-slp': 'ASIGRA Televaulting DS-Sleeper Service', 'nacagent': 'Network Access Control Agent', 'slscc': 'SLS Technology Control Centre', 'netcabinet-com': 'Net-Cabinet comunication', 'itwo-server': 'RIB iTWO Application Server', 'found': 'Found Messaging Protocol', 'netrockey6': 'NetROCKEY6 SMART Plus Service', 'beacon-port-2': 'SMARTS Beacon Port', 'drizzle': 'Drizzle database server', 'omviserver': 'OMV-Investigation Server-Client', 'omviagent': 'OMV Investigation Agent-Server', 'rsqlserver': 'REAL SQL Server', 'wspipe': 'adWISE Pipe', 'l-acoustics': 'L-ACOUSTICS management', 'vop': 'Versile Object Protocol', 'saris': 'Saris', 'pharos': 'Pharos', 'krb524': 'KRB524', 'nv-video': 'NV Video default', 'upnotifyp': 'UPNOTIFYP', 'n1-fwp': 'N1-FWP', 'n1-rmgmt': 'N1-RMGMT', 'asc-slmd': 'ASC Licence Manager', 'privatewire': 'PrivateWire', 'camp': 'Common ASCII Messaging Protocol', 'ctisystemmsg': 'CTI System Msg', 'ctiprogramload': 'CTI Program Load', 'nssalertmgr': 'NSS Alert Manager', 'nssagentmgr': 'NSS Agent Manager', 'prchat-user': 'PR Chat User', 'prchat-server': 'PR Chat Server', 'prRegister': 'PR Register', 'mcp': 'Matrix Configuration Protocol', 'hpssmgmt': 'hpssmgmt service', 'assyst-dr': 'Assyst Data Repository Service', 'icms': 'Integrated Client Message Service', 'prex-tcp': 'Protocol for Remote Execution over TCP', 'awacs-ice': 'Apple Wide Area Connectivity Service ICE Bootstrap', 'ipsec-nat-t': 'IPsec NAT-Traversal', 'ehs': 'Event Heap Server', 'ehs-ssl': 'Event Heap Server SSL', 'wssauthsvc': 'WSS Security Service', 'swx-gate': 'Software Data Exchange Gateway', 'worldscores': 'WorldScores', 'sf-lm': 'SF License Manager (Sentinel)', 'lanner-lm': 'Lanner License Manager', 'synchromesh': 'Synchromesh', 'aegate': 'Aegate PMR Service', 'gds-adppiw-db': 'Perman I Interbase Server', 'ieee-mih': 'MIH Services', 'menandmice-mon': 'Men and Mice Monitoring', 'icshostsvc': 'ICS host services', 'msfrs': 'MS FRS Replication', 'rsip': 'RSIP Port', 'dtn-bundle-tcp': 'DTN Bundle TCP CL Protocol', 'hylafax': 'HylaFAX', 'kwtc': 'Kids Watch Time Control Service', 'tram': 'TRAM', 'bmc-reporting': 'BMC Reporting', 'iax': 'Inter-Asterisk eXchange', 'rid': 'RID over HTTP/TLS', 'l3t-at-an': 'HRPD L3T (AT-AN)', 'ipt-anri-anri': 'IPT (ANRI-ANRI)', 'ias-session': 'IAS-Session (ANRI-ANRI)', 'ias-paging': 'IAS-Paging (ANRI-ANRI)', 'ias-neighbor': 'IAS-Neighbor (ANRI-ANRI)', 'a21-an-1xbs': 'A21 (AN-1xBS)', 'a16-an-an': 'A16 (AN-AN)', 'a17-an-an': 'A17 (AN-AN)', 'piranha1': 'Piranha1', 'piranha2': 'Piranha2', 'mtsserver': 'EAX MTS Server', 'menandmice-upg': 'Men & Mice Upgrade Agent', 'playsta2-app': 'PlayStation2 App Port', 'playsta2-lob': 'PlayStation2 Lobby Port', 'smaclmgr': 'smaclmgr', 'kar2ouche': 'Kar2ouche Peer location service', 'oms': 'OrbitNet Message Service', 'noteit': 'Note It! Message Service', 'ems': 'Rimage Messaging Server', 'contclientms': 'Container Client Message Service', 'eportcomm': 'E-Port Message Service', 'mmacomm': 'MMA Comm Services', 'mmaeds': 'MMA EDS Service', 'eportcommdata': 'E-Port Data Service', 'light': 'Light packets transfer protocol', 'acter': 'Bull RSF action server', 'rfa': 'remote file access server', 'cxws': 'CXWS Operations', 'appiq-mgmt': 'AppIQ Agent Management', 'dhct-status': 'BIAP Device Status', 'dhct-alerts': 'BIAP Generic Alert', 'bcs': 'Business Continuity Servi', 'traversal': 'boundary traversal', 'mgesupervision': 'MGE UPS Supervision', 'mgemanagement': 'MGE UPS Management', 'parliant': 'Parliant Telephony System', 'finisar': 'finisar', 'spike': 'Spike Clipboard Service', 'rfid-rp1': 'RFID Reader Protocol 1.0', 'autopac': 'Autopac Protocol', 'msp-os': 'Manina Service Protocol', 'nst': 'Network Scanner Tool FTP', 'mobile-p2p': 'Mobile P2P Service', 'altovacentral': 'Altova DatabaseCentral', 'prelude': 'Prelude IDS message proto', 'mtn': 'monotone Netsync Protocol', 'conspiracy': 'Conspiracy messaging', 'netxms-agent': 'NetXMS Agent', 'netxms-mgmt': 'NetXMS Management', 'netxms-sync': 'NetXMS Server Synchronization', 'npqes-test': 'Network Performance Quality Evaluation System Test Service', 'assuria-ins': 'Assuria Insider', 'truckstar': 'TruckStar Service', 'fcis': 'F-Link Client Information Service', 'capmux': 'CA Port Multiplexer', 'gearman': 'Gearman Job Queue System', 'remcap': 'Remote Capture Protocol', 'resorcs': 'RES Orchestration Catalog Services', 'ipdr-sp': 'IPDR/SP', 'solera-lpn': 'SoleraTec Locator', 'ipfix': 'IP Flow Info Export', 'ipfixs': 'ipfix protocol over TLS', 'lumimgrd': 'Luminizer Manager', 'sicct': 'SICCT', 'openhpid': 'openhpi HPI service', 'ifsp': 'Internet File Synchronization Protocol', 'fmp': 'Funambol Mobile Push', 'profilemac': 'Profile for Mac', 'ssad': 'Simple Service Auto Discovery', 'spocp': 'Simple Policy Control Protocol', 'snap': 'Simple Network Audio Protocol', 'simon': 'Simple Invocation of Methods Over Network (SIMON)', 'bfd-multi-ctl': 'BFD Multihop Control', 'smart-install': 'Smart Install Service', 'sia-ctrl-plane': 'Service Insertion Architecture (SIA) Control-Plane', 'xmcp': 'eXtensible Messaging Client Protocol', 'iims': 'Icona Instant Messenging System', 'iwec': 'Icona Web Embedded Chat', 'ilss': 'Icona License System Server', 'notateit': 'Notateit Messaging', 'htcp': 'HTCP', 'varadero-0': 'Varadero-0', 'varadero-1': 'Varadero-1', 'varadero-2': 'Varadero-2', 'opcua-tcp': 'OPC UA TCP Protocol', 'quosa': 'QUOSA Virtual Library Service', 'gw-asv': 'nCode ICE-flow Library AppServer', 'opcua-tls': 'OPC UA TCP Protocol over TLS/SSL', 'gw-log': 'nCode ICE-flow Library LogServer', 'wcr-remlib': 'WordCruncher Remote Library Service', 'contamac-icm': 'Contamac ICM Service\nIANA assigned this well-formed service name as a replacement for "contamac_icm".', 'contamac_icm': 'Contamac ICM Service', 'wfc': 'Web Fresh Communication', 'appserv-http': 'App Server - Admin HTTP', 'appserv-https': 'App Server - Admin HTTPS', 'sun-as-nodeagt': 'Sun App Server - NA', 'derby-repli': 'Apache Derby Replication', 'unify-debug': 'Unify Debugger', 'phrelay': 'Photon Relay', 'phrelaydbg': 'Photon Relay Debug', 'cc-tracking': 'Citcom Tracking Service', 'wired': 'Wired', 'tritium-can': 'Tritium CAN Bus Bridge Service', 'lmcs': 'Lighting Management Control System', 'wsdl-event': 'WSDL Event Receiver', 'hislip': 'IVI High-Speed LAN Instrument Protocol', 'wmlserver': 'Meier-Phelps License Server', 'hivestor': 'HiveStor Distributed File System', 'abbs': 'ABBS', 'lyskom': 'LysKOM Protocol A', 'radmin-port': 'RAdmin Port', 'hfcs': 'HyperFileSQL Client/Server Database Engine', 'flr-agent': 'FileLocator Remote Search Agent\nIANA assigned this well-formed service name as a replacement for "flr_agent".', 'flr_agent': 'FileLocator Remote Search Agent', 'magiccontrol': 'magicCONROL RF and Data Interface', 'lutap': 'Technicolor LUT Access Protocol', 'lutcp': 'LUTher Control Protocol', 'bones': 'Bones Remote Control', 'frcs': 'Fibics Remote Control Service', 'eq-office-4940': 'Equitrac Office', 'eq-office-4941': 'Equitrac Office', 'eq-office-4942': 'Equitrac Office', 'munin': 'Munin Graphing Framework', 'sybasesrvmon': 'Sybase Server Monitor', 'pwgwims': 'PWG WIMS', 'sagxtsds': 'SAG Directory Server', 'dbsyncarbiter': 'Synchronization Arbiter', 'ccss-qmm': 'CCSS QMessageMonitor', 'ccss-qsm': 'CCSS QSystemMonitor', 'webyast': 'WebYast', 'gerhcs': 'GER HC Standard', 'mrip': 'Model Railway Interface Program', 'smar-se-port1': 'SMAR Ethernet Port 1', 'smar-se-port2': 'SMAR Ethernet Port 2', 'parallel': 'Parallel for GAUSS (tm)', 'busycal': 'BusySync Calendar Synch. Protocol', 'vrt': 'VITA Radio Transport', 'hfcs-manager': 'HyperFileSQL Client/Server Database Engine Manager', 'commplex-main': '', 'commplex-link': '', 'rfe': 'radio free ethernet', 'fmpro-internal': 'FileMaker, Inc. - Proprietary transport', 'avt-profile-1': 'RTP media data', 'avt-profile-2': 'RTP control protocol', 'wsm-server': 'wsm server', 'wsm-server-ssl': 'wsm server ssl', 'synapsis-edge': 'Synapsis EDGE', 'winfs': 'Microsoft Windows Filesystem', 'telelpathstart': 'TelepathStart', 'telelpathattack': 'TelepathAttack', 'nsp': 'NetOnTap Service', 'fmpro-v6': 'FileMaker, Inc. - Proprietary transport', 'fmwp': 'FileMaker, Inc. - Web publishing', 'zenginkyo-1': 'zenginkyo-1', 'zenginkyo-2': 'zenginkyo-2', 'mice': 'mice server', 'htuilsrv': 'Htuil Server for PLD2', 'scpi-telnet': 'SCPI-TELNET', 'scpi-raw': 'SCPI-RAW', 'strexec-d': 'Storix I/O daemon (data)', 'strexec-s': 'Storix I/O daemon (stat)', 'qvr': 'Quiqum Virtual Relais', 'infobright': 'Infobright Database Server', 'surfpass': 'SurfPass', 'signacert-agent': 'SignaCert Enterprise Trust Server Agent', 'asnaacceler8db': 'asnaacceler8db', 'swxadmin': 'ShopWorX Administration', 'lxi-evntsvc': 'LXI Event Service', 'osp': 'Open Settlement Protocol', 'texai': 'Texai Message Service', 'ivocalize': 'iVocalize Web Conference', 'mmcc': 'multimedia conference control tool', 'ita-agent': 'ITA Agent', 'ita-manager': 'ITA Manager', 'rlm': 'RLM License Server', 'rlm-admin': 'RLM administrative interface', 'unot': 'UNOT', 'intecom-ps1': 'Intecom Pointspan 1', 'intecom-ps2': 'Intecom Pointspan 2', 'sds': 'SIP Directory Services', 'sip': 'SIP', 'sip-tls': 'SIP-TLS', 'na-localise': 'Localisation access', 'csrpc': 'centrify secure RPC', 'ca-1': 'Channel Access 1', 'ca-2': 'Channel Access 2', 'stanag-5066': 'STANAG-5066-SUBNET-INTF', 'authentx': 'Authentx Service', 'bitforestsrv': 'Bitforest Data Service', 'i-net-2000-npr': 'I/Net 2000-NPR', 'vtsas': 'VersaTrans Server Agent Service', 'powerschool': 'PowerSchool', 'ayiya': 'Anything In Anything', 'tag-pm': 'Advantage Group Port Mgr', 'alesquery': 'ALES Query', 'pvaccess': 'Experimental Physics and Industrial Control System', 'onscreen': 'OnScreen Data Collection Service', 'sdl-ets': 'SDL - Ent Trans Server', 'qcp': 'Qpur Communication Protocol', 'qfp': 'Qpur File Protocol', 'llrp': 'EPCglobal Low-Level Reader Protocol', 'encrypted-llrp': 'EPCglobal Encrypted LLRP', 'aprigo-cs': 'Aprigo Collection Service', 'sentinel-lm': 'Sentinel LM', 'hart-ip': 'HART-IP', 'sentlm-srv2srv': 'SentLM Srv2Srv', 'socalia': 'Socalia service mux', 'talarian-tcp': 'Talarian_TCP', 'oms-nonsecure': 'Oracle OMS non-secure', 'actifio-c2c': 'Actifio C2C', 'taep-as-svc': 'TAEP AS service', 'pm-cmdsvr': 'PeerMe Msg Cmd Service', 'ev-services': 'Enterprise Vault Services', 'autobuild': 'Symantec Autobuild Service', 'gradecam': 'GradeCam Image Processing', 'nbt-pc': 'Policy Commander', 'ppactivation': 'PP ActivationServer', 'erp-scale': 'ERP-Scale', 'ctsd': 'MyCTS server port', 'rmonitor-secure': 'RMONITOR SECURE\nIANA assigned this well-formed service name as a replacement for "rmonitor_secure".', 'rmonitor_secure': 'RMONITOR SECURE', 'social-alarm': 'Social Alarm Service', 'atmp': 'Ascend Tunnel Management Protocol', 'esri-sde': 'ESRI SDE Instance\n IANA assigned this well-formed service name as a replacement for "esri_sde".', 'esri_sde': 'ESRI SDE Instance', 'sde-discovery': 'ESRI SDE Instance Discovery', 'toruxserver': 'ToruX Game Server', 'bzflag': 'BZFlag game server', 'asctrl-agent': 'Oracle asControl Agent', 'rugameonline': 'Russian Online Game', 'mediat': 'Mediat Remote Object Exchange', 'snmpssh': 'SNMP over SSH Transport Model', 'snmpssh-trap': 'SNMP Notification over SSH Transport Model', 'sbackup': 'Shadow Backup', 'vpa': 'Virtual Protocol Adapter', 'ife-icorp': 'ife_1corp\nIANA assigned this well-formed service name as a replacement for "ife_icorp".', 'ife_icorp': 'ife_1corp', 'winpcs': 'WinPCS Service Connection', 'scte104': 'SCTE104 Connection', 'scte30': 'SCTE30 Connection', 'aol': 'America-Online', 'aol-1': 'AmericaOnline1', 'aol-2': 'AmericaOnline2', 'aol-3': 'AmericaOnline3', 'cpscomm': 'CipherPoint Config Service', 'ampl-lic': 'The protocol is used by a license server and client programs to control use of program licenses that float to networked machines', 'ampl-tableproxy': 'The protocol is used by two programs that exchange "table" data used in the AMPL modeling language', 'targus-getdata': 'TARGUS GetData', 'targus-getdata1': 'TARGUS GetData 1', 'targus-getdata2': 'TARGUS GetData 2', 'targus-getdata3': 'TARGUS GetData 3', 'nomad': 'Nomad Device Video Transfer', '3exmp': '3eTI Extensible Management Protocol for OAMP', 'xmpp-client': 'XMPP Client Connection', 'hpvirtgrp': 'HP Virtual Machine Group Management', 'hpvirtctrl': 'HP Virtual Machine Console Operations', 'hp-server': 'HP Server', 'hp-status': 'HP Status', 'perfd': 'HP System Performance Metric Service', 'hpvroom': 'HP Virtual Room Service', 'csedaemon': 'Cruse Scanning System Service', 'enfs': 'Etinnae Network File Service', 'eenet': 'EEnet communications', 'galaxy-network': 'Galaxy Network Service', 'padl2sim': '', 'mnet-discovery': 'm-net discovery', 'downtools': 'DownTools Control Protocol', 'caacws': 'CA Access Control Web Service', 'caaclang2': 'CA AC Lang Service', 'soagateway': 'soaGateway', 'caevms': 'CA eTrust VM Service', 'movaz-ssc': 'Movaz SSC', 'kpdp': 'Kohler Power Device Protocol', '3com-njack-1': '3Com Network Jack Port 1', '3com-njack-2': '3Com Network Jack Port 2', 'xmpp-server': 'XMPP Server Connection', 'cartographerxmp': 'Cartographer XMP', 'cuelink': 'StageSoft CueLink messaging', 'pk': 'PK', 'xmpp-bosh': 'Bidirectional-streams Over Synchronous HTTP (BOSH)', 'undo-lm': 'Undo License Manager', 'transmit-port': 'Marimba Transmitter Port', 'presence': 'XMPP Link-Local Messaging', 'nlg-data': 'NLG Data Service', 'hacl-hb': 'HA cluster heartbeat', 'hacl-gs': 'HA cluster general services', 'hacl-cfg': 'HA cluster configuration', 'hacl-probe': 'HA cluster probing', 'hacl-local': 'HA Cluster Commands', 'hacl-test': 'HA Cluster Test', 'sun-mc-grp': 'Sun MC Group', 'sco-aip': 'SCO AIP', 'cfengine': 'CFengine', 'jprinter': 'J Printer', 'outlaws': 'Outlaws', 'permabit-cs': 'Permabit Client-Server', 'rrdp': 'Real-time & Reliable Data', 'opalis-rbt-ipc': 'opalis-rbt-ipc', 'hacl-poll': 'HA Cluster UDP Polling', 'hpbladems': 'HPBladeSystem Monitor Service', 'hpdevms': 'HP Device Monitor Service', 'pkix-cmc': 'PKIX Certificate Management using CMS (CMC)', 'bsfserver-zn': 'Webservices-based Zn interface of BSF', 'bsfsvr-zn-ssl': 'Webservices-based Zn interface of BSF over SSL', 'kfserver': 'Sculptor Database Server', 'xkotodrcp': 'xkoto DRCP', 'stuns': 'STUN over TLS', 'turns': 'TURN over TLS', 'stun-behaviors': 'STUN Behavior Discovery over TLS', 'nat-pmp-status': 'NAT-PMP Status Announcements', 'nat-pmp': 'NAT Port Mapping Protocol', 'dns-llq': 'DNS Long-Lived Queries', 'mdns': 'Multicast DNS', 'mdnsresponder': 'Multicast DNS Responder IPC', 'llmnr': 'LLMNR', 'ms-smlbiz': 'Microsoft Small Business', 'wsdapi': 'Web Services for Devices', 'wsdapi-s': 'WS for Devices Secured', 'ms-alerter': 'Microsoft Alerter', 'ms-sideshow': 'Protocol for Windows SideShow', 'ms-s-sideshow': 'Secure Protocol for Windows SideShow', 'serverwsd2': 'Microsoft Windows Server WSD2 Service', 'net-projection': 'Windows Network Projection', 'stresstester': 'StressTester(tm) Injector', 'elektron-admin': 'Elektron Administration', 'securitychase': 'SecurityChase', 'excerpt': 'Excerpt Search', 'excerpts': 'Excerpt Search Secure', 'mftp': 'OmniCast MFTP', 'hpoms-ci-lstn': 'HPOMS-CI-LSTN', 'hpoms-dps-lstn': 'HPOMS-DPS-LSTN', 'netsupport': 'NetSupport', 'systemics-sox': 'Systemics Sox', 'foresyte-clear': 'Foresyte-Clear', 'foresyte-sec': 'Foresyte-Sec', 'salient-dtasrv': 'Salient Data Server', 'salient-usrmgr': 'Salient User Manager', 'actnet': 'ActNet', 'continuus': 'Continuus', 'wwiotalk': 'WWIOTALK', 'statusd': 'StatusD', 'ns-server': 'NS Server', 'sns-gateway': 'SNS Gateway', 'sns-agent': 'SNS Agent', 'mcntp': 'MCNTP', 'dj-ice': 'DJ-ICE', 'cylink-c': 'Cylink-C', 'netsupport2': 'Net Support 2', 'salient-mux': 'Salient MUX', 'virtualuser': 'VIRTUALUSER', 'beyond-remote': 'Beyond Remote', 'br-channel': 'Beyond Remote Command Channel', 'devbasic': 'DEVBASIC', 'sco-peer-tta': 'SCO-PEER-TTA', 'telaconsole': 'TELACONSOLE', 'base': 'Billing and Accounting System Exchange', 'radec-corp': 'RADEC CORP', 'park-agent': 'PARK AGENT', 'postgresql': 'PostgreSQL Database', 'pyrrho': 'Pyrrho DBMS', 'sgi-arrayd': 'SGI Array Services Daemon', 'sceanics': 'SCEANICS situation and action notification', 'spss': 'Pearson HTTPS', 'smbdirect': 'Server Message Block over Remote Direct Memory Access', 'surebox': 'SureBox', 'apc-5454': 'APC 5454', 'apc-5455': 'APC 5455', 'apc-5456': 'APC 5456', 'silkmeter': 'SILKMETER', 'ttl-publisher': 'TTL Publisher', 'ttlpriceproxy': 'TTL Price Proxy', 'quailnet': 'Quail Networks Object Broker', 'netops-broker': 'NETOPS-BROKER', 'fcp-addr-srvr1': 'fcp-addr-srvr1', 'fcp-addr-srvr2': 'fcp-addr-srvr2', 'fcp-srvr-inst1': 'fcp-srvr-inst1', 'fcp-srvr-inst2': 'fcp-srvr-inst2', 'fcp-cics-gw1': 'fcp-cics-gw1', 'checkoutdb': 'Checkout Database', 'amc': 'Amcom Mobile Connect', 'sgi-eventmond': 'SGI Eventmond Port', 'sgi-esphttp': 'SGI ESP HTTP', 'personal-agent': 'Personal Agent', 'freeciv': 'Freeciv gameplay', 'farenet': 'Sandlab FARENET', 'westec-connect': 'Westec Connect', 'm-oap': 'Multicast Object Access Protocol', 'sdt': 'Session Data Transport Multicast', 'rdmnet-ctrl': 'PLASA E1.33, Remote Device Management (RDM) controller status notifications', 'sdmmp': 'SAS Domain Management Messaging Protocol', 'lsi-bobcat': 'SAS IO Forwarding', 'ora-oap': 'Oracle Access Protocol', 'fdtracks': 'FleetDisplay Tracking Service', 'tmosms0': 'T-Mobile SMS Protocol Message 0', 'tmosms1': 'T-Mobile SMS Protocol Message 1', 'fac-restore': 'T-Mobile SMS Protocol Message 3', 'tmo-icon-sync': 'T-Mobile SMS Protocol Message 2', 'bis-web': 'BeInSync-Web', 'bis-sync': 'BeInSync-sync', 'ininmessaging': 'inin secure messaging', 'mctfeed': 'MCT Market Data Feed', 'esinstall': 'Enterprise Security Remote Install', 'esmmanager': 'Enterprise Security Manager', 'esmagent': 'Enterprise Security Agent', 'a1-msc': 'A1-MSC', 'a1-bs': 'A1-BS', 'a3-sdunode': 'A3-SDUNode', 'a4-sdunode': 'A4-SDUNode', 'ninaf': 'Node Initiated Network Association Forma', 'htrust': 'HTrust API', 'symantec-sfdb': 'Symantec Storage Foundation for Database', 'precise-comm': 'PreciseCommunication', 'pcanywheredata': 'pcANYWHEREdata', 'pcanywherestat': 'pcANYWHEREstat', 'beorl': 'BE Operations Request Listener', 'xprtld': 'SF Message Service', 'sfmsso': 'SFM Authentication Subsystem', 'sfm-db-server': 'SFMdb - SFM DB server', 'cssc': 'Symantec CSSC', 'flcrs': 'Symantec Fingerprint Lookup and Container Reference Service', 'ics': 'Symantec Integrity Checking Service', 'vfmobile': 'Ventureforth Mobile', 'amqps': 'amqp protocol over TLS/SSL', 'amqp': 'AMQP', 'jms': 'JACL Message Server', 'hyperscsi-port': 'HyperSCSI Port', 'v5ua': 'V5UA application port', 'raadmin': 'RA Administration', 'questdb2-lnchr': 'Quest Central DB2 Launchr', 'rrac': 'Remote Replication Agent Connection', 'dccm': 'Direct Cable Connect Manager', 'auriga-router': 'Auriga Router Service', 'ncxcp': 'Net-coneX Control Protocol', 'ggz': 'GGZ Gaming Zone', 'qmvideo': 'QM video network management protocol', 'rbsystem': 'Robert Bosch Data Transfer', 'kmip': 'Key Management Interoperability Protocol', 'proshareaudio': 'proshare conf audio', 'prosharevideo': 'proshare conf video', 'prosharedata': 'proshare conf data', 'prosharerequest': 'proshare conf request', 'prosharenotify': 'proshare conf notify', 'dpm': 'DPM Communication Server', 'dpm-agent': 'DPM Agent Coordinator', 'ms-licensing': 'MS-Licensing', 'dtpt': 'Desktop Passthru Service', 'msdfsr': 'Microsoft DFS Replication Service', 'omhs': 'Operations Manager - Health Service', 'omsdk': 'Operations Manager - SDK Service', 'ms-ilm': 'Microsoft Identity Lifecycle Manager', 'ms-ilm-sts': 'Microsoft Lifecycle Manager Secure Token Service', 'asgenf': 'ASG Event Notification Framework', 'io-dist-data': 'Dist. I/O Comm. Service Data and Control', 'openmail': 'Openmail User Agent Layer', 'unieng': "Steltor's calendar access", 'ida-discover1': 'IDA Discover Port 1', 'ida-discover2': 'IDA Discover Port 2', 'watchdoc-pod': 'Watchdoc NetPOD Protocol', 'watchdoc': 'Watchdoc Server', 'fcopy-server': 'fcopy-server', 'fcopys-server': 'fcopys-server', 'tunatic': 'Wildbits Tunatic', 'tunalyzer': 'Wildbits Tunalyzer', 'rscd': 'Bladelogic Agent Service', 'openmailg': 'OpenMail Desk Gateway server', 'x500ms': 'OpenMail X.500 Directory Server', 'openmailns': 'OpenMail NewMail Server', 's-openmail': 'OpenMail Suer Agent Layer (Secure)', 'openmailpxy': 'OpenMail CMTS Server', 'spramsca': 'x509solutions Internal CA', 'spramsd': 'x509solutions Secure Data', 'netagent': 'NetAgent', 'dali-port': 'DALI Port', 'vts-rpc': 'Visual Tag System RPC', '3par-evts': '3PAR Event Reporting Service', '3par-mgmt': '3PAR Management Service', '3par-mgmt-ssl': '3PAR Management Service with SSL', '3par-rcopy': '3PAR Inform Remote Copy', 'xtreamx': 'XtreamX Supervised Peer message', 'icmpd': 'ICMPD', 'spt-automation': 'Support Automation', 'reversion': 'Reversion Backup/Restore', 'wherehoo': 'WHEREHOO', 'ppsuitemsg': 'PlanetPress Suite Messeng', 'diameters': 'Diameter over TLS/TCP', 'jute': 'Javascript Unit Test Environment', 'rfb': 'Remote Framebuffer', 'cm': 'Context Management', 'cpdlc': 'Controller Pilot Data Link Communication', 'fis': 'Flight Information Services', 'ads-c': 'Automatic Dependent Surveillance', 'indy': 'Indy Application Server', 'mppolicy-v5': 'mppolicy-v5', 'mppolicy-mgr': 'mppolicy-mgr', 'couchdb': 'CouchDB', 'wsman': 'WBEM WS-Management HTTP', 'wsmans': 'WBEM WS-Management HTTP over TLS/SSL', 'wbem-rmi': 'WBEM RMI', 'wbem-http': 'WBEM CIM-XML (HTTP)', 'wbem-https': 'WBEM CIM-XML (HTTPS)', 'wbem-exp-https': 'WBEM Export HTTPS', 'nuxsl': 'NUXSL', 'consul-insight': 'Consul InSight Security', 'cvsup': 'CVSup', 'x11': 'X Window System', 'ndl-ahp-svc': 'NDL-AHP-SVC', 'winpharaoh': 'WinPharaoh', 'ewctsp': 'EWCTSP', 'gsmp-ancp': 'GSMP/ANCP', 'trip': 'TRIP', 'messageasap': 'Messageasap', 'ssdtp': 'SSDTP', 'diagnose-proc': 'DIAGNOSE-PROC', 'directplay8': 'DirectPlay8', 'max': 'Microsoft Max', 'dpm-acm': 'Microsoft DPM Access Control Manager', 'msft-dpm-cert': 'Microsoft DPM WCF Certificates', 'p2p-sip': 'Peer to Peer Infrastructure Protocol', 'konspire2b': 'konspire2b p2p network', 'pdtp': 'PDTP P2P', 'ldss': 'Local Download Sharing Service', 'doglms': 'SuperDog License Manager', 'raxa-mgmt': 'RAXA Management', 'synchronet-db': 'SynchroNet-db', 'synchronet-rtc': 'SynchroNet-rtc', 'synchronet-upd': 'SynchroNet-upd', 'rets': 'RETS', 'dbdb': 'DBDB', 'primaserver': 'Prima Server', 'mpsserver': 'MPS Server', 'etc-control': 'ETC Control', 'sercomm-scadmin': 'Sercomm-SCAdmin', 'globecast-id': 'GLOBECAST-ID', 'softcm': 'HP SoftBench CM', 'spc': 'HP SoftBench Sub-Process Control', 'dtspcd': 'Desk-Top Sub-Process Control Daemon', 'dayliteserver': 'Daylite Server', 'wrspice': 'WRspice IPC Service', 'xic': 'Xic IPC Service', 'xtlserv': 'XicTools License Manager Service', 'daylitetouch': 'Daylite Touch Sync', 'spdy': 'SPDY for a faster web', 'bex-webadmin': 'Backup Express Web Server', 'backup-express': 'Backup Express', 'pnbs': 'Phlexible Network Backup Service', 'nbt-wol': 'New Boundary Tech WOL', 'pulsonixnls': 'Pulsonix Network License Service', 'meta-corp': 'Meta Corporation License Manager', 'aspentec-lm': 'Aspen Technology License Manager', 'watershed-lm': 'Watershed License Manager', 'statsci1-lm': 'StatSci License Manager - 1', 'statsci2-lm': 'StatSci License Manager - 2', 'lonewolf-lm': 'Lone Wolf Systems License Manager', 'montage-lm': 'Montage License Manager', 'ricardo-lm': 'Ricardo North America License Manager', 'tal-pod': 'tal-pod', 'efb-aci': 'EFB Application Control Interface', 'ecmp': 'Emerson Extensible Control and Management Protocol', 'patrol-ism': 'PATROL Internet Srv Mgr', 'patrol-coll': 'PATROL Collector', 'pscribe': 'Precision Scribe Cnx Port', 'lm-x': 'LM-X License Manager by X-Formation', 'radmind': 'Radmind Access Protocol', 'jeol-nsdtp-1': 'JEOL Network Services Data Transport Protocol 1', 'jeol-nsdtp-2': 'JEOL Network Services Data Transport Protocol 2', 'jeol-nsdtp-3': 'JEOL Network Services Data Transport Protocol 3', 'jeol-nsdtp-4': 'JEOL Network Services Data Transport Protocol 4', 'tl1-raw-ssl': 'TL1 Raw Over SSL/TLS', 'tl1-ssh': 'TL1 over SSH', 'crip': 'CRIP', 'gld': 'GridLAB-D User Interface', 'grid': 'Grid Authentication', 'grid-alt': 'Grid Authentication Alt', 'bmc-grx': 'BMC GRX', 'bmc-ctd-ldap': 'BMC CONTROL-D LDAP SERVER\nIANA assigned this well-formed service name as a replacement for "bmc_ctd_ldap".', 'bmc_ctd_ldap': 'BMC CONTROL-D LDAP SERVER', 'ufmp': 'Unified Fabric Management Protocol', 'scup': 'Sensor Control Unit Protocol', 'abb-escp': 'Ethernet Sensor Communications Protocol', 'repsvc': 'Double-Take Replication Service', 'emp-server1': 'Empress Software Connectivity Server 1', 'emp-server2': 'Empress Software Connectivity Server 2', 'hrd-ncs': 'HR Device Network Configuration Service', 'dt-mgmtsvc': 'Double-Take Management Service', 'sflow': 'sFlow traffic monitoring', 'gnutella-svc': 'gnutella-svc', 'gnutella-rtr': 'gnutella-rtr', 'adap': 'App Discovery and Access Protocol', 'pmcs': 'PMCS applications', 'metaedit-mu': 'MetaEdit+ Multi-User', 'metaedit-se': 'MetaEdit+ Server Administration', 'metatude-mds': 'Metatude Dialogue Server', 'clariion-evr01': 'clariion-evr01', 'metaedit-ws': 'MetaEdit+ WebService API', 'faxcomservice': 'Faxcom Message Service', 'syserverremote': 'SYserver remote commands', 'svdrp': 'Simple VDR Protocol', 'nim-vdrshell': 'NIM_VDRShell', 'nim-wan': 'NIM_WAN', 'pgbouncer': 'PgBouncer', 'sun-sr-https': 'Service Registry Default HTTPS Domain', 'sge-qmaster': 'Grid Engine Qmaster Service\nIANA assigned this well-formed service name as a replacement for "sge_qmaster".', 'sge_qmaster': 'Grid Engine Qmaster Service', 'sge-execd': 'Grid Engine Execution Service\nIANA assigned this well-formed service name as a replacement for "sge_execd".', 'sge_execd': 'Grid Engine Execution Service', 'mysql-proxy': 'MySQL Proxy', 'skip-cert-recv': 'SKIP Certificate Receive', 'skip-cert-send': 'SKIP Certificate Send', 'lvision-lm': 'LVision License Manager', 'sun-sr-http': 'Service Registry Default HTTP Domain', 'servicetags': 'Service Tags', 'ldoms-mgmt': 'Logical Domains Management Interface', 'SunVTS-RMI': 'SunVTS RMI', 'sun-sr-jms': 'Service Registry Default JMS Domain', 'sun-sr-iiop': 'Service Registry Default IIOP Domain', 'sun-sr-iiops': 'Service Registry Default IIOPS Domain', 'sun-sr-iiop-aut': 'Service Registry Default IIOPAuth Domain', 'sun-sr-jmx': 'Service Registry Default JMX Domain', 'sun-sr-admin': 'Service Registry Default Admin Domain', 'boks': 'BoKS Master', 'boks-servc': 'BoKS Servc\nIANA assigned this well-formed service name as a replacement for "boks_servc".', 'boks_servc': 'BoKS Servc', 'boks-servm': 'BoKS Servm\nIANA assigned this well-formed service name as a replacement for "boks_servm".', 'boks_servm': 'BoKS Servm', 'boks-clntd': 'BoKS Clntd\nIANA assigned this well-formed service name as a replacement for "boks_clntd".', 'boks_clntd': 'BoKS Clntd', 'badm-priv': 'BoKS Admin Private Port\nIANA assigned this well-formed service name as a replacement for "badm_priv".', 'badm_priv': 'BoKS Admin Private Port', 'badm-pub': 'BoKS Admin Public Port\nIANA assigned this well-formed service name as a replacement for "badm_pub".', 'badm_pub': 'BoKS Admin Public Port', 'bdir-priv': 'BoKS Dir Server, Private Port\nIANA assigned this well-formed service name as a replacement for "bdir_priv".', 'bdir_priv': 'BoKS Dir Server, Private Port', 'bdir-pub': 'BoKS Dir Server, Public Port\nIANA assigned this well-formed service name as a replacement for "bdir_pub".', 'bdir_pub': 'BoKS Dir Server, Public Port', 'mgcs-mfp-port': 'MGCS-MFP Port', 'mcer-port': 'MCER Port', 'netconf-tls': 'NETCONF over TLS', 'syslog-tls': 'Syslog over TLS', 'elipse-rec': 'Elipse RPC Protocol', 'lds-distrib': 'lds_distrib', 'lds-dump': 'LDS Dump Service', 'apc-6547': 'APC 6547', 'apc-6548': 'APC 6548', 'apc-6549': 'APC 6549', 'fg-sysupdate': 'fg-sysupdate', 'sum': 'Software Update Manager', 'xdsxdm': '', 'sane-port': 'SANE Control Port', 'canit-store': 'CanIt Storage Manager\nIANA assigned this well-formed service name as a replacement for "canit_store".', 'canit_store': 'CanIt Storage Manager', 'affiliate': 'Affiliate', 'parsec-master': 'Parsec Masterserver', 'parsec-peer': 'Parsec Peer-to-Peer', 'parsec-game': 'Parsec Gameserver', 'joaJewelSuite': 'JOA Jewel Suite', 'mshvlm': 'Microsoft Hyper-V Live Migration', 'mstmg-sstp': 'Microsoft Threat Management Gateway SSTP', 'wsscomfrmwk': 'Windows WSS Communication Framework', 'odette-ftps': 'ODETTE-FTP over TLS/SSL', 'kftp-data': 'Kerberos V5 FTP Data', 'kftp': 'Kerberos V5 FTP Control', 'mcftp': 'Multicast FTP', 'ktelnet': 'Kerberos V5 Telnet', 'datascaler-db': 'DataScaler database', 'datascaler-ctl': 'DataScaler control', 'wago-service': 'WAGO Service and Update', 'nexgen': 'Allied Electronics NeXGen', 'afesc-mc': 'AFE Stock Channel M/C', 'mxodbc-connect': 'eGenix mxODBC Connect', 'pcs-sf-ui-man': 'PC SOFT - Software factory UI/manager', 'emgmsg': 'Emergency Message Control Service', 'ircu': 'IRCU', 'vocaltec-gold': 'Vocaltec Global Online Directory', 'p4p-portal': 'P4P Portal Service', 'vision-server': 'vision_server\nIANA assigned this well-formed service name as a replacement for "vision_server".', 'vision_server': 'vision_server', 'vision-elmd': 'vision_elmd\nIANA assigned this well-formed service name as a replacement for "vision_elmd".', 'vision_elmd': 'vision_elmd', 'vfbp': 'Viscount Freedom Bridge Protocol', 'osaut': 'Osorno Automation', 'clever-ctrace': 'CleverView for cTrace Message Service', 'clever-tcpip': 'CleverView for TCP/IP Message Service', 'tsa': 'Tofino Security Appliance', 'kti-icad-srvr': 'KTI/ICAD Nameserver', 'e-design-net': 'e-Design network', 'e-design-web': 'e-Design web', 'ibprotocol': 'Internet Backplane Protocol', 'fibotrader-com': 'Fibotrader Communications', 'bmc-perf-agent': 'BMC PERFORM AGENT', 'bmc-perf-mgrd': 'BMC PERFORM MGRD', 'adi-gxp-srvprt': 'ADInstruments GxP Server', 'plysrv-http': 'PolyServe http', 'plysrv-https': 'PolyServe https', 'dgpf-exchg': 'DGPF Individual Exchange', 'smc-jmx': 'Sun Java Web Console JMX', 'smc-admin': 'Sun Web Console Admin', 'smc-http': 'SMC-HTTP', 'smc-https': 'SMC-HTTPS', 'hnmp': 'HNMP', 'hnm': 'Halcyon Network Manager', 'acnet': 'ACNET Control System Protocol', 'pentbox-sim': 'PenTBox Secure IM Protocol', 'ambit-lm': 'ambit-lm', 'netmo-default': 'Netmo Default', 'netmo-http': 'Netmo HTTP', 'iccrushmore': 'ICCRUSHMORE', 'acctopus-cc': 'Acctopus Command Channel', 'muse': 'MUSE', 'jetstream': 'Novell Jetstream messaging protocol', 'ethoscan': 'EthoScan Service', 'xsmsvc': 'XenSource Management Service', 'bioserver': 'Biometrics Server', 'otlp': 'OTLP', 'jmact3': 'JMACT3', 'jmevt2': 'jmevt2', 'swismgr1': 'swismgr1', 'swismgr2': 'swismgr2', 'swistrap': 'swistrap', 'swispol': 'swispol', 'acmsoda': 'acmsoda', 'MobilitySrv': 'Mobility XE Protocol', 'iatp-highpri': 'IATP-highPri', 'iatp-normalpri': 'IATP-normalPri', 'afs3-fileserver': 'file server itself', 'afs3-callback': 'callbacks to cache managers', 'afs3-prserver': 'users & groups database', 'afs3-vlserver': 'volume location database', 'afs3-kaserver': 'AFS/Kerberos authentication service', 'afs3-volser': 'volume managment server', 'afs3-errors': 'error interpretation service', 'afs3-bos': 'basic overseer process', 'afs3-update': 'server-to-server updater', 'afs3-rmtsys': 'remote cache manager service', 'ups-onlinet': 'onlinet uninterruptable power supplies', 'talon-disc': 'Talon Discovery Port', 'talon-engine': 'Talon Engine', 'microtalon-dis': 'Microtalon Discovery', 'microtalon-com': 'Microtalon Communications', 'talon-webserver': 'Talon Webserver', 'fisa-svc': 'FISA Service', 'doceri-ctl': 'doceri drawing service control', 'dpserve': 'DP Serve', 'dpserveadmin': 'DP Serve Admin', 'ctdp': 'CT Discovery Protocol', 'ct2nmcs': 'Comtech T2 NMCS', 'vmsvc': 'Vormetric service', 'vmsvc-2': 'Vormetric Service II', 'op-probe': 'ObjectPlanet probe', 'arcp': 'ARCP', 'iwg1': 'IWGADTS Aircraft Housekeeping Message', 'empowerid': 'EmpowerID Communication', 'lazy-ptop': 'lazy-ptop', 'font-service': 'X Font Service', 'elcn': 'Embedded Light Control Network', 'virprot-lm': 'Virtual Prototypes License Manager', 'scenidm': 'intelligent data manager', 'scenccs': 'Catalog Content Search', 'cabsm-comm': 'CA BSM Comm', 'caistoragemgr': 'CA Storage Manager', 'cacsambroker': 'CA Connection Broker', 'fsr': 'File System Repository Agent', 'doc-server': 'Document WCF Server', 'aruba-server': 'Aruba eDiscovery Server', 'casrmagent': 'CA SRM Agent', 'cnckadserver': 'cncKadServer DB & Inventory Services', 'ccag-pib': 'Consequor Consulting Process Integration Bridge', 'nsrp': 'Adaptive Name/Service Resolution', 'drm-production': 'Discovery and Retention Mgt Production', 'zsecure': 'zSecure Server', 'clutild': 'Clutild', 'fodms': 'FODMS FLIP', 'dlip': 'DLIP', 'ramp': 'Registry A & M Protocol', 'citrixupp': 'Citrix Universal Printing Port', 'citrixuppg': 'Citrix UPP Gateway', 'display': 'Wi-Fi Alliance Wi-Fi Display Protocol', 'pads': 'PADS (Public Area Display System) Server', 'cnap': 'Calypso Network Access Protocol', 'watchme-7272': 'WatchMe Monitoring 7272', 'oma-rlp': 'OMA Roaming Location', 'oma-rlp-s': 'OMA Roaming Location SEC', 'oma-ulp': 'OMA UserPlane Location', 'oma-ilp': 'OMA Internal Location Protocol', 'oma-ilp-s': 'OMA Internal Location Secure Protocol', 'oma-dcdocbs': 'OMA Dynamic Content Delivery over CBS', 'ctxlic': 'Citrix Licensing', 'itactionserver1': 'ITACTIONSERVER 1', 'itactionserver2': 'ITACTIONSERVER 2', 'mzca-action': 'eventACTION/ussACTION (MZCA) server', 'genstat': 'General Statistics Rendezvous Protocol', 'lcm-server': 'LifeKeeper Communications', 'mindfilesys': 'mind-file system server', 'mrssrendezvous': 'mrss-rendezvous server', 'nfoldman': 'nFoldMan Remote Publish', 'fse': 'File system export of backup images', 'winqedit': 'winqedit', 'hexarc': 'Hexarc Command Language', 'rtps-discovery': 'RTPS Discovery', 'rtps-dd-ut': 'RTPS Data-Distribution User-Traffic', 'rtps-dd-mt': 'RTPS Data-Distribution Meta-Traffic', 'ionixnetmon': 'Ionix Network Monitor', 'mtportmon': 'Matisse Port Monitor', 'pmdmgr': 'OpenView DM Postmaster Manager', 'oveadmgr': 'OpenView DM Event Agent Manager', 'ovladmgr': 'OpenView DM Log Agent Manager', 'opi-sock': 'OpenView DM rqt communication', 'xmpv7': 'OpenView DM xmpv7 api pipe', 'pmd': 'OpenView DM ovc/xmpv3 api pipe', 'faximum': 'Faximum', 'oracleas-https': 'Oracle Application Server HTTPS', 'rise': 'Rise: The Vieneo Province', 'telops-lmd': 'telops-lmd', 'silhouette': 'Silhouette User', 'ovbus': 'HP OpenView Bus Daemon', 'adcp': 'Automation Device Configuration Protocol', 'acplt': 'ACPLT - process automation service', 'ovhpas': 'HP OpenView Application Server', 'pafec-lm': 'pafec-lm', 'saratoga': 'Saratoga Transfer Protocol', 'atul': 'atul server', 'nta-ds': 'FlowAnalyzer DisplayServer', 'nta-us': 'FlowAnalyzer UtilityServer', 'cfs': 'Cisco Fabric service', 'cwmp': 'DSL Forum CWMP', 'tidp': 'Threat Information Distribution Protocol', 'nls-tl': 'Network Layer Signaling Transport Layer', 'sncp': 'Sniffer Command Protocol', 'cfw': 'Control Framework', 'vsi-omega': 'VSI Omega', 'dell-eql-asm': 'Dell EqualLogic Host Group Management', 'aries-kfinder': 'Aries Kfinder', 'sun-lm': 'Sun License Manager', 'indi': 'Instrument Neutral Distributed Interface', 'simco': 'SImple Middlebox COnfiguration (SIMCO) Server', 'soap-http': 'SOAP Service Port', 'zen-pawn': 'Primary Agent Work Notification', 'xdas': 'OpenXDAS Wire Protocol', 'hawk': 'HA Web Konsole', 'tesla-sys-msg': 'TESLA System Messaging', 'pmdfmgt': 'PMDF Management', 'cuseeme': 'bonjour-cuseeme', 'imqstomp': 'iMQ STOMP Server', 'imqstomps': 'iMQ STOMP Server over SSL', 'imqtunnels': 'iMQ SSL tunnel', 'imqtunnel': 'iMQ Tunnel', 'imqbrokerd': 'iMQ Broker Rendezvous', 'sun-user-https': 'Sun App Server - HTTPS', 'pando-pub': 'Pando Media Public Distribution', 'collaber': 'Collaber Network Service', 'klio': 'KLIO communications', 'em7-secom': 'EM7 Secure Communications', 'sync-em7': 'EM7 Dynamic Updates', 'scinet': 'scientia.net', 'medimageportal': 'MedImage Portal', 'nsdeepfreezectl': 'Novell Snap-in Deep Freeze Control', 'nitrogen': 'Nitrogen Service', 'freezexservice': 'FreezeX Console Service', 'trident-data': 'Trident Systems Data', 'smip': 'Smith Protocol over IP', 'aiagent': 'HP Enterprise Discovery Agent', 'scriptview': 'ScriptView Network', 'msss': 'Mugginsoft Script Server Service', 'sstp-1': 'Sakura Script Transfer Protocol', 'raqmon-pdu': 'RAQMON PDU', 'prgp': 'Put/Run/Get Protocol', 'cbt': 'cbt', 'interwise': 'Interwise', 'vstat': 'VSTAT', 'accu-lmgr': 'accu-lmgr', 'minivend': 'MINIVEND', 'popup-reminders': 'Popup Reminders Receive', 'office-tools': 'Office Tools Pro Receive', 'q3ade': 'Q3ADE Cluster Service', 'pnet-conn': 'Propel Connector port', 'pnet-enc': 'Propel Encoder port', 'altbsdp': 'Alternate BSDP Service', 'asr': 'Apple Software Restore', 'ssp-client': 'Secure Server Protocol - client', 'rbt-wanopt': 'Riverbed WAN Optimization Protocol', 'apc-7845': 'APC 7845', 'apc-7846': 'APC 7846', 'mobileanalyzer': 'MobileAnalyzer& MobileMonitor', 'rbt-smc': 'Riverbed Steelhead Mobile Service', 'mdm': 'Mobile Device Management', 'pss': 'Pearson', 'ubroker': 'Universal Broker', 'mevent': 'Multicast Event', 'tnos-sp': 'TNOS Service Protocol', 'tnos-dp': 'TNOS shell Protocol', 'tnos-dps': 'TNOS Secure DiaguardProtocol', 'qo-secure': 'QuickObjects secure port', 't2-drm': 'Tier 2 Data Resource Manager', 't2-brm': 'Tier 2 Business Rules Manager', 'supercell': 'Supercell', 'micromuse-ncps': 'Micromuse-ncps', 'quest-vista': 'Quest Vista', 'sossd-collect': 'Spotlight on SQL Server Desktop Collect', 'sossd-agent': 'Spotlight on SQL Server Desktop Agent', 'pushns': 'PUSH Notification Service', 'irdmi2': 'iRDMI2', 'irdmi': 'iRDMI', 'vcom-tunnel': 'VCOM Tunnel', 'teradataordbms': 'Teradata ORDBMS', 'mcreport': 'Mulberry Connect Reporting Service', 'mxi': 'MXI Generation II for z/OS', 'http-alt': 'HTTP Alternate', 'qbdb': 'QB DB Dynamic Port', 'intu-ec-svcdisc': 'Intuit Entitlement Service and Discovery', 'intu-ec-client': 'Intuit Entitlement Client', 'oa-system': 'oa-system', 'ca-audit-da': 'CA Audit Distribution Agent', 'ca-audit-ds': 'CA Audit Distribution Server', 'pro-ed': 'ProEd', 'mindprint': 'MindPrint', 'vantronix-mgmt': '.vantronix Management', 'ampify': 'Ampify Messaging Protocol', 'fs-agent': 'FireScope Agent', 'fs-server': 'FireScope Server', 'fs-mgmt': 'FireScope Management Interface', 'rocrail': 'Rocrail Client Service', 'senomix01': 'Senomix Timesheets Server', 'senomix02': 'Senomix Timesheets Client [1 year assignment]', 'senomix03': 'Senomix Timesheets Server [1 year assignment]', 'senomix04': 'Senomix Timesheets Server [1 year assignment]', 'senomix05': 'Senomix Timesheets Server [1 year assignment]', 'senomix06': 'Senomix Timesheets Client [1 year assignment]', 'senomix07': 'Senomix Timesheets Client [1 year assignment]', 'senomix08': 'Senomix Timesheets Client [1 year assignment]', 'gadugadu': 'Gadu-Gadu', 'http-alt': 'HTTP Alternate (see port 80)', 'sunproxyadmin': 'Sun Proxy Admin Service', 'us-cli': 'Utilistor (Client)', 'us-srv': 'Utilistor (Server)', 'd-s-n': 'Distributed SCADA Networking Rendezvous Port', 'simplifymedia': 'Simplify Media SPP Protocol', 'radan-http': 'Radan HTTP', 'jamlink': 'Jam Link Framework', 'sac': 'SAC Port Id', 'xprint-server': 'Xprint Server', 'ldoms-migr': 'Logical Domains Migration', 'mtl8000-matrix': 'MTL8000 Matrix', 'cp-cluster': 'Check Point Clustering', 'privoxy': 'Privoxy HTTP proxy', 'apollo-data': 'Apollo Data Port', 'apollo-admin': 'Apollo Admin Port', 'paycash-online': 'PayCash Online Protocol', 'paycash-wbp': 'PayCash Wallet-Browser', 'indigo-vrmi': 'INDIGO-VRMI', 'indigo-vbcp': 'INDIGO-VBCP', 'dbabble': 'dbabble', 'isdd': 'i-SDD file transfer', 'patrol': 'Patrol', 'patrol-snmp': 'Patrol SNMP', 'intermapper': 'Intermapper network management system', 'vmware-fdm': 'VMware Fault Domain Manager', 'proremote': 'ProRemote', 'itach': 'Remote iTach Connection', 'spytechphone': 'SpyTech Phone Service', 'blp1': 'Bloomberg data API', 'blp2': 'Bloomberg feed', 'vvr-data': 'VVR DATA', 'trivnet1': 'TRIVNET', 'trivnet2': 'TRIVNET', 'lm-perfworks': 'LM Perfworks', 'lm-instmgr': 'LM Instmgr', 'lm-dta': 'LM Dta', 'lm-sserver': 'LM SServer', 'lm-webwatcher': 'LM Webwatcher', 'rexecj': 'RexecJ Server', 'synapse-nhttps': 'Synapse Non Blocking HTTPS', 'pando-sec': 'Pando Media Controlled Distribution', 'synapse-nhttp': 'Synapse Non Blocking HTTP', 'blp3': 'Bloomberg professional', 'hiperscan-id': 'Hiperscan Identification Service', 'blp4': 'Bloomberg intelligent client', 'tmi': 'Transport Management Interface', 'amberon': 'Amberon PPC/PPS', 'hub-open-net': 'Hub Open Network', 'tnp-discover': 'Thin(ium) Network Protocol', 'tnp': 'Thin(ium) Network Protocol', 'server-find': 'Server Find', 'cruise-enum': 'Cruise ENUM', 'cruise-swroute': 'Cruise SWROUTE', 'cruise-config': 'Cruise CONFIG', 'cruise-diags': 'Cruise DIAGS', 'cruise-update': 'Cruise UPDATE', 'm2mservices': 'M2m Services', 'cvd': 'cvd', 'sabarsd': 'sabarsd', 'abarsd': 'abarsd', 'admind': 'admind', 'svcloud': 'SuperVault Cloud', 'svbackup': 'SuperVault Backup', 'espeech': 'eSpeech Session Protocol', 'espeech-rtp': 'eSpeech RTP Protocol', 'cybro-a-bus': 'CyBro A-bus Protocol', 'pcsync-https': 'PCsync HTTPS', 'pcsync-http': 'PCsync HTTP', 'npmp': 'npmp', 'cisco-avp': 'Cisco Address Validation Protocol', 'pim-port': 'PIM over Reliable Transport', 'otv': 'Overlay Transport Virtualization (OTV)', 'vp2p': 'Virtual Point to Point', 'noteshare': 'AquaMinds NoteShare', 'fmtp': 'Flight Message Transfer Protocol', 'cmtp-mgt': 'CYTEL Message Transfer Management', 'rtsp-alt': 'RTSP Alternate (see port 554)', 'd-fence': 'SYMAX D-FENCE', 'oap-admin': 'Object Access Protocol Administration', 'asterix': 'Surveillance Data', 'canon-mfnp': 'Canon MFNP Service', 'canon-bjnp1': 'Canon BJNP Port 1', 'canon-bjnp2': 'Canon BJNP Port 2', 'canon-bjnp3': 'Canon BJNP Port 3', 'canon-bjnp4': 'Canon BJNP Port 4', 'imink': 'Imink Service Control', 'msi-cps-rm': 'Motorola Solutions Customer Programming Software for Radio Management', 'sun-as-jmxrmi': 'Sun App Server - JMX/RMI', 'vnyx': 'VNYX Primary Port', 'ibus': 'iBus', 'mc-appserver': 'MC-APPSERVER', 'openqueue': 'OPENQUEUE', 'ultraseek-http': 'Ultraseek HTTP', 'dpap': 'Digital Photo Access Protocol (iPhoto)', 'msgclnt': 'Message Client', 'msgsrvr': 'Message Server', 'acd-pm': 'Accedian Performance Measurement', 'sunwebadmin': 'Sun Web Server Admin Service', 'truecm': 'truecm', 'dxspider': 'dxspider linking protocol', 'cddbp-alt': 'CDDBP', 'galaxy4d': 'Galaxy4D Online Game Engine', 'secure-mqtt': 'Secure MQTT', 'ddi-tcp-1': 'NewsEDGE server TCP (TCP 1)', 'ddi-tcp-2': 'Desktop Data TCP 1', 'ddi-tcp-3': 'Desktop Data TCP 2', 'ddi-tcp-4': 'Desktop Data TCP 3: NESS application', 'ddi-tcp-5': 'Desktop Data TCP 4: FARM product', 'ddi-tcp-6': 'Desktop Data TCP 5: NewsEDGE/Web application', 'ddi-tcp-7': 'Desktop Data TCP 6: COAL application', 'ospf-lite': 'ospf-lite', 'jmb-cds1': 'JMB-CDS 1', 'jmb-cds2': 'JMB-CDS 2', 'manyone-http': 'manyone-http', 'manyone-xml': 'manyone-xml', 'wcbackup': 'Windows Client Backup', 'dragonfly': 'Dragonfly System Service', 'twds': 'Transaction Warehouse Data Service', 'ub-dns-control': 'unbound dns nameserver control', 'cumulus-admin': 'Cumulus Admin Port', 'sunwebadmins': 'Sun Web Server SSL Admin Service', 'http-wmap': 'webmail HTTP service', 'https-wmap': 'webmail HTTPS service', 'bctp': 'Brodos Crypto Trade Protocol', 'cslistener': 'CSlistener', 'etlservicemgr': 'ETL Service Manager', 'dynamid': 'DynamID authentication', 'ogs-server': 'Open Grid Services Server', 'pichat': 'Pichat Server', 'sdr': 'Secure Data Replicator Protocol', 'tambora': 'TAMBORA', 'panagolin-ident': 'Pangolin Identification', 'paragent': 'PrivateArk Remote Agent', 'swa-1': 'Secure Web Access - 1', 'swa-2': 'Secure Web Access - 2', 'swa-3': 'Secure Web Access - 3', 'swa-4': 'Secure Web Access - 4', 'versiera': 'Versiera Agent Listener', 'fio-cmgmt': 'Fusion-io Central Manager Service', 'glrpc': 'Groove GLRPC', 'emc-pp-mgmtsvc': 'EMC PowerPath Mgmt Service', 'aurora': 'IBM AURORA Performance Visualizer', 'ibm-rsyscon': 'IBM Remote System Console', 'net2display': 'Vesa Net2Display', 'classic': 'Classic Data Server', 'sqlexec': 'IBM Informix SQL Interface', 'sqlexec-ssl': 'IBM Informix SQL Interface - Encrypted', 'websm': 'WebSM', 'xmltec-xmlmail': 'xmltec-xmlmail', 'XmlIpcRegSvc': 'Xml-Ipc Server Reg', 'copycat': 'Copycat database replication service', 'hp-pdl-datastr': 'PDL Data Streaming Port', 'pdl-datastream': 'Printer PDL Data Stream', 'bacula-dir': 'Bacula Director', 'bacula-fd': 'Bacula File Daemon', 'bacula-sd': 'Bacula Storage Daemon', 'peerwire': 'PeerWire', 'xadmin': 'Xadmin Control Service', 'astergate': 'Astergate Control Service', 'astergatefax': 'AstergateFax Control Service', 'mxit': 'MXit Instant Messaging', 'dddp': 'Dynamic Device Discovery', 'apani1': 'apani1', 'apani2': 'apani2', 'apani3': 'apani3', 'apani4': 'apani4', 'apani5': 'apani5', 'sun-as-jpda': 'Sun AppSvr JPDA', 'wap-wsp': 'WAP connectionless session service', 'wap-wsp-wtp': 'WAP session service', 'wap-wsp-s': 'WAP secure connectionless session service', 'wap-wsp-wtp-s': 'WAP secure session service', 'wap-vcard': 'WAP vCard', 'wap-vcal': 'WAP vCal', 'wap-vcard-s': 'WAP vCard Secure', 'wap-vcal-s': 'WAP vCal Secure', 'rjcdb-vcards': 'rjcdb vCard', 'almobile-system': 'ALMobile System Service', 'oma-mlp': 'OMA Mobile Location Protocol', 'oma-mlp-s': 'OMA Mobile Location Protocol Secure', 'serverviewdbms': 'Server View dbms access', 'serverstart': 'ServerStart RemoteControl', 'ipdcesgbs': 'IPDC ESG BootstrapService', 'insis': 'Integrated Setup and Install Service', 'acme': 'Aionex Communication Management Engine', 'fsc-port': 'FSC Communication Port', 'teamcoherence': 'QSC Team Coherence', 'mon': 'Manager On Network', 'pegasus': 'Pegasus GPS Platform', 'pegasus-ctl': 'Pegaus GPS System Control Interface', 'pgps': 'Predicted GPS', 'swtp-port1': 'SofaWare transport port 1', 'swtp-port2': 'SofaWare transport port 2', 'callwaveiam': 'CallWaveIAM', 'visd': 'VERITAS Information Serve', 'n2h2server': 'N2H2 Filter Service Port', 'cumulus': 'Cumulus', 'armtechdaemon': 'ArmTech Daemon', 'storview': 'StorView Client', 'armcenterhttp': 'ARMCenter http Service', 'armcenterhttps': 'ARMCenter https Service', 'vrace': 'Virtual Racing Service', 'sphinxql': 'Sphinx search server (MySQL listener)', 'sphinxapi': 'Sphinx search server', 'secure-ts': 'PKIX TimeStamp over TLS', 'guibase': 'guibase', 'mpidcmgr': 'MpIdcMgr', 'mphlpdmc': 'Mphlpdmc', 'ctechlicensing': 'C Tech Licensing', 'fjdmimgr': 'fjdmimgr', 'boxp': 'Brivs! Open Extensible Protocol', 'd2dconfig': 'D2D Configuration Service', 'd2ddatatrans': 'D2D Data Transfer Service', 'adws': 'Active Directory Web Services', 'otp': 'OpenVAS Transfer Protocol', 'fjinvmgr': 'fjinvmgr', 'mpidcagt': 'MpIdcAgt', 'sec-t4net-srv': 'Samsung Twain for Network Server', 'sec-t4net-clt': 'Samsung Twain for Network Client', 'sec-pc2fax-srv': 'Samsung PC2FAX for Network Server', 'git': 'git pack transfer service', 'tungsten-https': 'WSO2 Tungsten HTTPS', 'wso2esb-console': 'WSO2 ESB Administration Console HTTPS', 'mindarray-ca': 'MindArray Systems Console Agent', 'sntlkeyssrvr': 'Sentinel Keys Server', 'ismserver': 'ismserver', 'mngsuite': 'Management Suite Remote Control', 'laes-bf': 'Surveillance buffering function', 'trispen-sra': 'Trispen Secure Remote Access', 'ldgateway': 'LANDesk Gateway', 'cba8': 'LANDesk Management Agent (cba8)', 'msgsys': 'Message System', 'pds': 'Ping Discovery Service', 'mercury-disc': 'Mercury Discovery', 'pd-admin': 'PD Administration', 'vscp': 'Very Simple Ctrl Protocol', 'robix': 'Robix', 'micromuse-ncpw': 'MICROMUSE-NCPW', 'streamcomm-ds': 'StreamComm User Directory', 'iadt-tls': 'iADT Protocol over TLS', 'erunbook-agent': 'eRunbook Agent\nIANA assigned this well-formed service name as a replacement for "erunbook_agent".', 'erunbook_agent': 'eRunbook Agent', 'erunbook-server': 'eRunbook Server\nIANA assigned this well-formed service name as a replacement for "erunbook_server".', 'erunbook_server': 'eRunbook Server', 'condor': 'Condor Collector Service', 'odbcpathway': 'ODBC Pathway Service', 'uniport': 'UniPort SSO Controller', 'peoctlr': 'Peovica Controller', 'peocoll': 'Peovica Collector', 'pqsflows': 'ProQueSys Flows Service', 'xmms2': 'Cross-platform Music Multiplexing System', 'tec5-sdctp': 'tec5 Spectral Device Control Protocol', 'client-wakeup': 'T-Mobile Client Wakeup Message', 'ccnx': 'Content Centric Networking', 'board-roar': 'Board M.I.T. Service', 'l5nas-parchan': 'L5NAS Parallel Channel', 'board-voip': 'Board M.I.T. Synchronous Collaboration', 'rasadv': 'rasadv', 'tungsten-http': 'WSO2 Tungsten HTTP', 'davsrc': 'WebDav Source Port', 'sstp-2': 'Sakura Script Transfer Protocol-2', 'davsrcs': 'WebDAV Source TLS/SSL', 'sapv1': 'Session Announcement v1', 'sd': 'Session Director', 'cyborg-systems': 'CYBORG Systems', 'gt-proxy': 'Port for Cable network related data proxy or repeater', 'monkeycom': 'MonkeyCom', 'sctp-tunneling': 'SCTP TUNNELING', 'iua': 'IUA', 'domaintime': 'domaintime', 'sype-transport': 'SYPECom Transport Protocol', 'apc-9950': 'APC 9950', 'apc-9951': 'APC 9951', 'apc-9952': 'APC 9952', 'acis': '9953', 'hinp': 'HaloteC Instrument Network Protocol', 'alljoyn-stm': 'Contact Port for AllJoyn standard messaging', 'odnsp': 'OKI Data Network Setting Protocol', 'dsm-scm-target': 'DSM/SCM Target Interface', 'nsesrvr': 'Software Essentials Secure HTTP server', 'osm-appsrvr': 'OSM Applet Server', 'osm-oev': 'OSM Event Server', 'palace-1': 'OnLive-1', 'palace-2': 'OnLive-2', 'palace-3': 'OnLive-3', 'palace-4': 'Palace-4', 'palace-5': 'Palace-5', 'palace-6': 'Palace-6', 'distinct32': 'Distinct32', 'distinct': 'distinct', 'ndmp': 'Network Data Management Protocol', 'scp-config': 'SCP Configuration', 'documentum': 'EMC-Documentum Content Server Product', 'documentum-s': 'EMC-Documentum Content Server Product\nIANA assigned this well-formed service name as a replacement for "documentum_s".', 'documentum_s': 'EMC-Documentum Content Server Product', 'emcrmirccd': 'EMC Replication Manager Client', 'emcrmird': 'EMC Replication Manager Server', 'mvs-capacity': 'MVS Capacity', 'octopus': 'Octopus Multiplexer', 'swdtp-sv': 'Systemwalker Desktop Patrol', 'rxapi': 'ooRexx rxapi services', 'zabbix-agent': 'Zabbix Agent', 'zabbix-trapper': 'Zabbix Trapper', 'qptlmd': 'Quantapoint FLEXlm Licensing Service', 'amanda': 'Amanda', 'famdc': 'FAM Archive Server', 'itap-ddtp': 'VERITAS ITAP DDTP', 'ezmeeting-2': 'eZmeeting', 'ezproxy-2': 'eZproxy', 'ezrelay': 'eZrelay', 'swdtp': 'Systemwalker Desktop Patrol', 'bctp-server': 'VERITAS BCTP, server', 'nmea-0183': 'NMEA-0183 Navigational Data', 'netiq-endpoint': 'NetIQ Endpoint', 'netiq-qcheck': 'NetIQ Qcheck', 'netiq-endpt': 'NetIQ Endpoint', 'netiq-voipa': 'NetIQ VoIP Assessor', 'iqrm': 'NetIQ IQCResource Managament Svc', 'bmc-perf-sd': 'BMC-PERFORM-SERVICE DAEMON', 'bmc-gms': 'BMC General Manager Server', 'qb-db-server': 'QB Database Server', 'snmptls': 'SNMP-TLS', 'snmptls-trap': 'SNMP-Trap-TLS', 'trisoap': 'Trigence AE Soap Service', 'rsms': 'Remote Server Management Service', 'apollo-relay': 'Apollo Relay Port', 'axis-wimp-port': 'Axis WIMP Port', 'blocks': 'Blocks', 'cosir': 'Computer Op System Information Report', 'MOS-lower': 'MOS Media Object Metadata Port', 'MOS-upper': 'MOS Running Order Port', 'MOS-aux': 'MOS Low Priority Port', 'MOS-soap': 'MOS SOAP Default Port', 'MOS-soap-opt': 'MOS SOAP Optional Port', 'printopia': 'Port to allow for administration and control of "Printopia" application software,\n which provides printing services to mobile users', 'gap': 'Gestor de Acaparamiento para Pocket PCs', 'lpdg': 'LUCIA Pareja Data Group', 'nbd': 'Linux Network Block Device', 'helix': 'Helix Client/Server', 'rmiaux': 'Auxiliary RMI Port', 'irisa': 'IRISA', 'metasys': 'Metasys', 'netapp-icmgmt': 'NetApp Intercluster Management', 'netapp-icdata': 'NetApp Intercluster Data', 'sgi-lk': 'SGI LK Licensing service', 'vce': 'Viral Computing Environment (VCE)', 'dicom': 'DICOM', 'suncacao-snmp': 'sun cacao snmp access point', 'suncacao-jmxmp': 'sun cacao JMX-remoting access point', 'suncacao-rmi': 'sun cacao rmi registry access point', 'suncacao-csa': 'sun cacao command-streaming access point', 'suncacao-websvc': 'sun cacao web service access point', 'oemcacao-jmxmp': 'OEM cacao JMX-remoting access point', 't5-straton': 'Straton Runtime Programing', 'oemcacao-rmi': 'OEM cacao rmi registry access point', 'oemcacao-websvc': 'OEM cacao web service access point', 'smsqp': 'smsqp', 'dcsl-backup': 'DCSL Network Backup Services', 'wifree': 'WiFree Service', 'memcache': 'Memory cache service', 'imip': 'IMIP', 'imip-channels': 'IMIP Channels Port', 'arena-server': 'Arena Server Listen', 'atm-uhas': 'ATM UHAS', 'hkp': 'OpenPGP HTTP Keyserver', 'asgcypresstcps': 'ASG Cypress Secure Only', 'tempest-port': 'Tempest Protocol Port', 'h323callsigalt': 'h323 Call Signal Alternate', 'intrepid-ssl': 'Intrepid SSL', 'lanschool': 'LanSchool', 'xoraya': 'X2E Xoraya Multichannel protocol', 'sysinfo-sp': 'SysInfo Service Protocol', 'entextxid': 'IBM Enterprise Extender SNA XID Exchange', 'entextnetwk': 'IBM Enterprise Extender SNA COS Network Priority', 'entexthigh': 'IBM Enterprise Extender SNA COS High Priority', 'entextmed': 'IBM Enterprise Extender SNA COS Medium Priority', 'entextlow': 'IBM Enterprise Extender SNA COS Low Priority', 'dbisamserver1': 'DBISAM Database Server - Regular', 'dbisamserver2': 'DBISAM Database Server - Admin', 'accuracer': 'Accuracer Database System Server', 'accuracer-dbms': 'Accuracer Database System Admin', 'edbsrvr': 'ElevateDB Server', 'vipera': 'Vipera Messaging Service', 'vipera-ssl': 'Vipera Messaging Service over SSL Communication', 'rets-ssl': 'RETS over SSL', 'nupaper-ss': 'NuPaper Session Service', 'cawas': 'CA Web Access Service', 'hivep': 'HiveP', 'linogridengine': 'LinoGrid Engine', 'rads': 'Remote Administration Daemon (RAD) is a system service that offers secure, remote, programmatic access to Solaris system configuration and run-time state', 'warehouse-sss': 'Warehouse Monitoring Syst SSS', 'warehouse': 'Warehouse Monitoring Syst', 'italk': 'Italk Chat System', 'tsaf': 'tsaf port', 'i-zipqd': 'I-ZIPQD', 'bcslogc': 'Black Crow Software application logging', 'rs-pias': 'R&S Proxy Installation Assistant Service', 'emc-vcas-tcp': 'EMC Virtual CAS Service', 'powwow-client': 'PowWow Client', 'powwow-server': 'PowWow Server', 'doip-data': 'DoIP Data', 'bprd': 'BPRD Protocol (VERITAS NetBackup)', 'bpdbm': 'BPDBM Protocol (VERITAS NetBackup)', 'bpjava-msvc': 'BP Java MSVC Protocol', 'vnetd': 'Veritas Network Utility', 'bpcd': 'VERITAS NetBackup', 'vopied': 'VOPIED Protocol', 'nbdb': 'NetBackup Database', 'nomdb': 'Veritas-nomdb', 'dsmcc-config': 'DSMCC Config', 'dsmcc-session': 'DSMCC Session Messages', 'dsmcc-passthru': 'DSMCC Pass-Thru Messages', 'dsmcc-download': 'DSMCC Download Protocol', 'dsmcc-ccp': 'DSMCC Channel Change Protocol', 'bmdss': 'Blackmagic Design Streaming Server', 'ucontrol': 'Ultimate Control communication protocol', 'dta-systems': 'D-TA SYSTEMS', 'medevolve': 'MedEvolve Port Requester', 'scotty-ft': 'SCOTTY High-Speed Filetransfer', 'sua': 'SUA', 'sage-best-com1': 'sage Best! Config Server 1', 'sage-best-com2': 'sage Best! Config Server 2', 'vcs-app': 'VCS Application', 'icpp': 'IceWall Cert Protocol', 'gcm-app': 'GCM Application', 'vrts-tdd': 'Veritas Traffic Director', 'vcscmd': 'Veritas Cluster Server Command Server', 'vad': 'Veritas Application Director', 'cps': 'Fencing Server', 'ca-web-update': 'CA eTrust Web Update Service', 'hde-lcesrvr-1': 'hde-lcesrvr-1', 'hde-lcesrvr-2': 'hde-lcesrvr-2', 'hydap': 'Hypack Data Aquisition', 'xpilot': 'XPilot Contact Port', '3link': '3Link Negotiation', 'cisco-snat': 'Cisco Stateful NAT', 'bex-xr': 'Backup Express Restore Server', 'ptp': 'Picture Transfer Protocol', 'programmar': 'ProGrammar Enterprise', 'fmsas': 'Administration Server Access', 'fmsascon': 'Administration Server Connector', 'gsms': 'GoodSync Mediation Service', 'jwpc': 'Filemaker Java Web Publishing Core', 'jwpc-bin': 'Filemaker Java Web Publishing Core Binary', 'sun-sea-port': 'Solaris SEA Port', 'solaris-audit': 'Solaris Audit - secure remote audit log', 'etb4j': 'etb4j', 'pduncs': 'Policy Distribute, Update Notification', 'pdefmns': 'Policy definition and update management', 'netserialext1': 'Network Serial Extension Ports One', 'netserialext2': 'Network Serial Extension Ports Two', 'netserialext3': 'Network Serial Extension Ports Three', 'netserialext4': 'Network Serial Extension Ports Four', 'connected': 'Connected Corp', 'xoms': 'X509 Objects Management Service', 'newbay-snc-mc': 'Newbay Mobile Client Update Service', 'sgcip': 'Simple Generic Client Interface Protocol', 'intel-rci-mp': 'INTEL-RCI-MP', 'amt-soap-http': 'Intel(R) AMT SOAP/HTTP', 'amt-soap-https': 'Intel(R) AMT SOAP/HTTPS', 'amt-redir-tcp': 'Intel(R) AMT Redirection/TCP', 'amt-redir-tls': 'Intel(R) AMT Redirection/TLS', 'isode-dua': '', 'soundsvirtual': 'Sounds Virtual', 'chipper': 'Chipper', 'avdecc': 'IEEE 1722.1 AVB Discovery, Enumeration, Connection management, and Control', 'integrius-stp': 'Integrius Secure Tunnel Protocol', 'ssh-mgmt': 'SSH Tectia Manager', 'db-lsp': 'Dropbox LanSync Protocol', 'ea': 'Eclipse Aviation', 'zep': 'Encap. ZigBee Packets', 'zigbee-ip': 'ZigBee IP Transport Service', 'zigbee-ips': 'ZigBee IP Transport Secure Service', 'sw-orion': 'SolarWinds Orion', 'biimenu': 'Beckman Instruments, Inc.', 'radpdf': 'RAD PDF Service', 'racf': 'z/OS Resource Access Control Facility', 'opsec-cvp': 'OPSEC CVP', 'opsec-ufp': 'OPSEC UFP', 'opsec-sam': 'OPSEC SAM', 'opsec-lea': 'OPSEC LEA', 'opsec-omi': 'OPSEC OMI', 'ohsc': 'Occupational Health SC', 'opsec-ela': 'OPSEC ELA', 'checkpoint-rtm': 'Check Point RTM', 'iclid': 'Checkpoint router monitoring', 'clusterxl': 'Checkpoint router state backup', 'gv-pf': 'GV NetConfig Service', 'ac-cluster': 'AC Cluster', 'rds-ib': 'Reliable Datagram Service', 'rds-ip': 'Reliable Datagram Service over IP', 'ique': 'IQue Protocol', 'infotos': 'Infotos', 'apc-necmp': 'APCNECMP', 'igrid': 'iGrid Server', 'j-link': 'J-Link TCP/IP Protocol', 'opsec-uaa': 'OPSEC UAA', 'ua-secureagent': 'UserAuthority SecureAgent', 'keysrvr': 'Key Server for SASSAFRAS', 'keyshadow': 'Key Shadow for SASSAFRAS', 'mtrgtrans': 'mtrgtrans', 'hp-sco': 'hp-sco', 'hp-sca': 'hp-sca', 'hp-sessmon': 'HP-SESSMON', 'fxuptp': 'FXUPTP', 'sxuptp': 'SXUPTP', 'jcp': 'JCP Client', 'iec-104-sec': 'IEC 60870-5-104 process control - secure', 'dnp-sec': 'Distributed Network Protocol - Secure', 'dnp': 'DNP', 'microsan': 'MicroSAN', 'commtact-http': 'Commtact HTTP', 'commtact-https': 'Commtact HTTPS', 'openwebnet': 'OpenWebNet protocol for electric network', 'ss-idi': 'Samsung Interdevice Interaction', 'opendeploy': 'OpenDeploy Listener', 'nburn-id': 'NetBurner ID Port\nIANA assigned this well-formed service name as a replacement for "nburn_id".', 'nburn_id': 'NetBurner ID Port', 'tmophl7mts': 'TMOP HL7 Message Transfer Service', 'mountd': 'NFS mount protocol', 'nfsrdma': 'Network File System (NFS) over RDMA', 'tolfab': 'TOLfab Data Change', 'ipdtp-port': 'IPD Tunneling Port', 'ipulse-ics': 'iPulse-ICS', 'emwavemsg': 'emWave Message Service', 'track': 'Track', 'athand-mmp': 'At Hand MMP', 'irtrans': 'IRTrans Control', 'rdm-tfs': 'Raima RDM TFS', 'dfserver': 'MineScape Design File Server', 'vofr-gateway': 'VoFR Gateway', 'tvpm': 'TVNC Pro Multiplexing', 'webphone': 'webphone', 'netspeak-is': 'NetSpeak Corp. Directory Services', 'netspeak-cs': 'NetSpeak Corp. Connection Services', 'netspeak-acd': 'NetSpeak Corp. Automatic Call Distribution', 'netspeak-cps': 'NetSpeak Corp. Credit Processing System', 'snapenetio': 'SNAPenetIO', 'optocontrol': 'OptoControl', 'optohost002': 'Opto Host Port 2', 'optohost003': 'Opto Host Port 3', 'optohost004': 'Opto Host Port 4', 'optohost004': 'Opto Host Port 5', 'dcap': 'dCache Access Protocol', 'gsidcap': 'GSI dCache Access Protocol', 'wnn6': 'wnn6', 'cis': 'CompactIS Tunnel', 'cis-secure': 'CompactIS Secure Tunnel', 'WibuKey': 'WibuKey Standard WkLan', 'CodeMeter': 'CodeMeter Standard', 'caldsoft-backup': 'CaldSoft Backup server file transfer', 'vocaltec-wconf': 'Vocaltec Web Conference', 'talikaserver': 'Talika Main Server', 'aws-brf': 'Telerate Information Platform LAN', 'brf-gw': 'Telerate Information Platform WAN', 'inovaport1': 'Inova LightLink Server Type 1', 'inovaport2': 'Inova LightLink Server Type 2', 'inovaport3': 'Inova LightLink Server Type 3', 'inovaport4': 'Inova LightLink Server Type 4', 'inovaport5': 'Inova LightLink Server Type 5', 'inovaport6': 'Inova LightLink Server Type 6', 'gntp': 'Generic Notification Transport Protocol', 'elxmgmt': 'Emulex HBAnyware Remote Management', 'novar-dbase': 'Novar Data', 'novar-alarm': 'Novar Alarm', 'novar-global': 'Novar Global', 'aequus': 'Aequus Service', 'aequus-alt': 'Aequus Service Mgmt', 'areaguard-neo': 'AreaGuard Neo - WebServer', 'med-ltp': 'med-ltp', 'med-fsp-rx': 'med-fsp-rx', 'med-fsp-tx': 'med-fsp-tx', 'med-supp': 'med-supp', 'med-ovw': 'med-ovw', 'med-ci': 'med-ci', 'med-net-svc': 'med-net-svc', 'filesphere': 'fileSphere', 'vista-4gl': 'Vista 4GL', 'ild': 'Isolv Local Directory', 'intel-rci': 'Intel RCI\nIANA assigned this well-formed service name as a replacement for "intel_rci".', 'intel_rci': 'Intel RCI', 'tonidods': 'Tonido Domain Server', 'binkp': 'BINKP', 'canditv': 'Canditv Message Service', 'flashfiler': 'FlashFiler', 'proactivate': 'Turbopower Proactivate', 'tcc-http': 'TCC User HTTP Service', 'cslg': 'Citrix StorageLink Gateway', 'find': 'Find Identification of Network Devices', 'icl-twobase1': 'icl-twobase1', 'icl-twobase2': 'icl-twobase2', 'icl-twobase3': 'icl-twobase3', 'icl-twobase4': 'icl-twobase4', 'icl-twobase5': 'icl-twobase5', 'icl-twobase6': 'icl-twobase6', 'icl-twobase7': 'icl-twobase7', 'icl-twobase8': 'icl-twobase8', 'icl-twobase9': 'icl-twobase9', 'icl-twobase10': 'icl-twobase10', 'sauterdongle': 'Sauter Dongle', 'idtp': 'Identifier Tracing Protocol', 'vocaltec-hos': 'Vocaltec Address Server', 'tasp-net': 'TASP Network Comm', 'niobserver': 'NIObserver', 'nilinkanalyst': 'NILinkAnalyst', 'niprobe': 'NIProbe', 'quake': 'quake', 'scscp': 'Symbolic Computation Software Composability Protocol', 'wnn6-ds': 'wnn6-ds', 'ezproxy': 'eZproxy', 'ezmeeting': 'eZmeeting', 'k3software-svr': 'K3 Software-Server', 'k3software-cli': 'K3 Software-Client', 'exoline-tcp': 'EXOline-TCP', 'exoconfig': 'EXOconfig', 'exonet': 'EXOnet', 'imagepump': 'ImagePump', 'jesmsjc': 'Job controller service', 'kopek-httphead': 'Kopek HTTP Head Port', 'ars-vista': 'ARS VISTA Application', 'tw-auth-key': 'TW Authentication/Key Distribution and', 'nxlmd': 'NX License Manager', 'pqsp': 'PQ Service', 'siemensgsm': 'Siemens GSM', 'otmp': 'ObTools Message Protocol', 'pago-services1': 'Pago Services 1', 'pago-services2': 'Pago Services 2', 'kingdomsonline': 'Kingdoms Online (CraigAvenue)', 'ovobs': 'OpenView Service Desk Client', 'autotrac-acp': 'Autotrac ACP 245', 'xqosd': 'XQoS network monitor', 'tetrinet': 'TetriNET Protocol', 'lm-mon': 'lm mon', 'dsx-monitor': 'DS Expert Monitor\nIANA assigned this well-formed service name as a replacement for "dsx_monitor".', 'dsx_monitor': 'DS Expert Monitor', 'gamesmith-port': 'GameSmith Port', 'iceedcp-tx': 'Embedded Device Configuration Protocol TX\nIANA assigned this well-formed service name as a replacement for "iceedcp_tx".', 'iceedcp_tx': 'Embedded Device Configuration Protocol TX', 'iceedcp-rx': 'Embedded Device Configuration Protocol RX\nIANA assigned this well-formed service name as a replacement for "iceedcp_rx".', 'iceedcp_rx': 'Embedded Device Configuration Protocol RX', 'iracinghelper': 'iRacing helper service', 't1distproc60': 'T1 Distributed Processor', 'apm-link': 'Access Point Manager Link', 'sec-ntb-clnt': 'SecureNotebook-CLNT', 'DMExpress': 'DMExpress', 'filenet-powsrm': 'FileNet BPM WS-ReliableMessaging Client', 'filenet-tms': 'Filenet TMS', 'filenet-rpc': 'Filenet RPC', 'filenet-nch': 'Filenet NCH', 'filenet-rmi': 'FileNET RMI', 'filenet-pa': 'FileNET Process Analyzer', 'filenet-cm': 'FileNET Component Manager', 'filenet-re': 'FileNET Rules Engine', 'filenet-pch': 'Performance Clearinghouse', 'filenet-peior': 'FileNET BPM IOR', 'filenet-obrok': 'FileNet BPM CORBA', 'mlsn': 'Multiple Listing Service Network', 'retp': 'Real Estate Transport Protocol', 'idmgratm': 'Attachmate ID Manager', 'aurora-balaena': 'Aurora (Balaena Ltd)', 'diamondport': 'DiamondCentral Interface', 'dgi-serv': 'Digital Gaslight Service', 'speedtrace': 'SpeedTrace TraceAgent', 'traceroute': 'traceroute use', 'snip-slave': 'SNIP Slave', 'turbonote-2': 'TurboNote Relay Server Default Port', 'p-net-local': 'P-Net on IP local', 'p-net-remote': 'P-Net on IP remote', 'dhanalakshmi': 'dhanalakshmi.org EDI Service', 'profinet-rt': 'PROFInet RT Unicast', 'profinet-rtm': 'PROFInet RT Multicast', 'profinet-cm': 'PROFInet Context Manager', 'ethercat': 'EtherCAT Port', 'kitim': 'KIT Messenger', 'altova-lm': 'Altova License Management', 'guttersnex': 'Gutters Note Exchange', 'openstack-id': 'OpenStack ID Service', 'allpeers': 'AllPeers Network', 'febooti-aw': 'Febooti Automation Workshop', 'kastenxpipe': 'KastenX Pipe', 'neckar': "science + computing's Venus Administration Port", 'unisys-eportal': 'Unisys ClearPath ePortal', 'galaxy7-data': 'Galaxy7 Data Tunnel', 'fairview': 'Fairview Message Service', 'agpolicy': 'AppGate Policy Server', 'sruth': 'Sruth is a service for the distribution of routinely-\n generated but arbitrary files based on a publish/subscribe\n distribution model and implemented using a peer-to-peer transport\n mechanism', 'secrmmsafecopya': 'Security approval process for use of the secRMM SafeCopy program', 'turbonote-1': 'TurboNote Default Port', 'safetynetp': 'SafetyNET p', 'cscp': 'CSCP', 'csccredir': 'CSCCREDIR', 'csccfirewall': 'CSCCFIREWALL', 'fs-qos': 'Foursticks QoS Protocol', 'tentacle': 'Tentacle Server', 'crestron-cip': 'Crestron Control Port', 'crestron-ctp': 'Crestron Terminal Port', 'crestron-cips': 'Crestron Secure Control Port', 'crestron-ctps': 'Crestron Secure Terminal Port', 'candp': 'Computer Associates network discovery protocol', 'candrp': 'CA discovery response', 'caerpc': 'CA eTrust RPC', 'reachout': 'REACHOUT', 'ndm-agent-port': 'NDM-AGENT-PORT', 'ip-provision': 'IP-PROVISION', 'noit-transport': 'Reconnoiter Agent Data Transport', 'shaperai': 'Shaper Automation Server Management', 'eq3-update': 'EQ3 firmware update', 'ew-mgmt': 'Cisco EnergyWise Management', 'ciscocsdb': 'Cisco NetMgmt DB Ports', 'pmcd': 'PCP server (pmcd)', 'pmcdproxy': 'PCP server (pmcd) proxy', 'cognex-dataman': 'Cognex DataMan Management Protocol', 'rbr-debug': 'REALbasic Remote Debug', 'EtherNet-IP-2': 'EtherNet/IP messaging\nIANA assigned this well-formed service name as a replacement for "EtherNet/IP-2".', 'EtherNet/IP-2': 'EtherNet/IP messaging', 'asmp': 'NSi AutoStore Status Monitoring Protocol data transfer', 'asmps': 'NSi AutoStore Status Monitoring Protocol secure data transfer', 'invision-ag': 'InVision AG', 'eba': 'EBA PRISE', 'dai-shell': 'Server for the DAI family of client-server products', 'qdb2service': 'Qpuncture Data Access Service', 'ssr-servermgr': 'SSRServerMgr', 'sp-remotetablet': 'Connection between a desktop computer or server and a signature tablet to capture handwritten signatures', 'mediabox': 'MediaBox Server', 'mbus': 'Message Bus', 'winrm': 'Windows Remote Management Service', 'dbbrowse': 'Databeam Corporation', 'directplaysrvr': 'Direct Play Server', 'ap': 'ALC Protocol', 'bacnet': 'Building Automation and Control Networks', 'nimcontroller': 'Nimbus Controller', 'nimspooler': 'Nimbus Spooler', 'nimhub': 'Nimbus Hub', 'nimgtw': 'Nimbus Gateway', 'nimbusdb': 'NimbusDB Connector', 'nimbusdbctrl': 'NimbusDB Control', '3gpp-cbsp': '3GPP Cell Broadcast Service Protocol', 'isnetserv': 'Image Systems Network Services', 'blp5': 'Bloomberg locator', 'com-bardac-dw': 'com-bardac-dw', 'iqobject': 'iqobject', 'matahari': 'Matahari Broker', 'acs-ctl-ds': 'Access Control Device', 'acs-ctl-gw': 'Access Control Gateway', 'addressbooksrv': 'Address Book Server used for contacts and calendar synchronisation', 'adobe-shadow': 'Adobe Shadow Server', 'aerohive-proxy': 'Aerohive Proxy Configuration Service', 'airdrop': 'Airdrop', 'airpreview': 'Coda AirPreview', 'aloe-gwp': 'Aloe Gateway Protocol', 'aloe-pp': 'Aloe Pairing Protocol', 'apple-mobdev': 'Apple Mobile Device Protocol', 'avatars': 'Libravatar federated avatar hosting service.', 'avatars-sec': 'Libravatar federated avatar hosting service.', 'bitflit': 'Data transfer service', 'boxraysrvr': 'Boxray Devices Host Server', 'caldav': 'Calendaring Extensions to WebDAV (CalDAV) - non-TLS', 'caldavs': 'Calendaring Extensions to WebDAV (CalDAV) - over TLS', 'carddav': 'vCard Extensions to WebDAV (CardDAV) - non-TLS', 'carddavs': 'vCard Extensions to WebDAV (CardDAV) - over TLS', 'carousel': 'Carousel Player Protocol', 'ciao': 'Ciao Arduino Protocol', 'dbaudio': 'd&b audiotechnik remote network', 'devonsync': 'DEVONthink synchronization protocol', 'easyspndlg-sync': 'Sync service for the Easy Spend Log app', 'eeg': 'EEG System Discovery across local and wide area networks', 'efkon-elite': 'EFKON Lightweight Interface to Traffic Events', 'enphase-envoy': 'Enphase Energy Envoy', 'esp': 'Extensis Server Protocol', 'flir-ircam': 'FLIR Infrared Camera', 'goorstop': 'For iOS Application named GoOrStop', 'groovesquid': 'Groovesquid Democratic Music Control Protocol', 'https': 'HTTP over SSL/TLS', 'ims-ni': 'Noise Inspector', 'infboard': 'InfBoard interactive whiteboard protocol', 'iota': 'iotaMed medical records server', 'ir-hvac-000': 'HVAC SMIL Server', 'irradiatd-iclip': 'iClip clipboard transfer', 'isynchronize': 'iSynchronize data synchronization protocol', 'itap-publish': 'iTap Publishing Service', 'jnx-kcsync': 'jollys keychain cloud sync protocol', 'jukebox': 'Jukebox Request Service', 'keynoteaccess': 'KeynoteAccess is used for sending remote requests/responses when controlling a slideshow with Keynote Remote', 'keynotepairing': 'KeynotePairing is used to pair Keynote Remote with Keynote', 'lumiere': 'A protocol to remotely control DMX512 devices over the network', 'lumis-lca': 'Lumis Cache Appliance Protocol', 'mavlink': 'MAVLink Micro Air Vehicle Communication Protocol', 'mediatap': 'Mediatap streaming protocol', 'netvu-video': 'AD Group NetVu Connected Video', 'nextcap': 'Proprietary communication protocol for NextCap capture solution', 'ni': 'National Instruments Network Device', 'ni-rt': 'National Instruments Real-Time Target', 'ni-sysapi': 'National Instruments System API Service', 'omadm-bootstrap': 'Open Mobile Alliance (OMA) Device Management (DM) Bootstrap Server Discovery Service', 'pairandshare': 'Pair & Share data protocol', 'panoply': 'Panoply multimedia composite transfer protocol', 'parabay-p2p': 'Parabay P2P protocol', 'parity': 'PA-R-I-Ty (Public Address - Radio - Intercom - Telefony)', 'photosmithsync': "Photosmith's iPad to Lightroom sync protocol", 'podcastproxy': 'Protocol for communication between Podcast', 'printopia': 'Port to allow for administration and control of "Printopia" application software,\n which provides printing services to mobile users', 'pstmailsync': 'File synchronization protocol for Pst Mail Sync', 'pstmailsync-ssl': 'Secured file synchronization protocol for Pst Mail Sync', 'ptp-init': 'Picture Transfer Protocol(PTP) Initiator', 'pvaccess': 'Experimental Physics and Industrial Control System', 'quad': 'Distributed Game Data', 'radioport': 'RadioPort Message Service', 'recipe-box': 'The Recipe Box Exchange', 'recipe-sharing': 'Recipe Sharing Protocol', 'recolive-cc': 'Remote Camera Control', 'rgb': 'RGB Spectrum Device Discovery', 'rym-rrc': 'Raymarine remote control protocol', 'savagesoft': 'Proprietary Client Server Protocol', 'smartsocket': 'home control', 'spidap': 'Sierra Photonics Inc. data protocol', 'spx-hmp': 'SpinetiX HMP', 'ssh': 'SSH Remote Login Protocol', 'soda': 'Secure On Device API', 'sqp': 'Square Connect Control Protocol', 'stotp': 'One Time Pad Synchronisation', 'tenir-rc': 'Proprietary', 'test-ok': 'Test Controller Card', 'tivo-device': 'TiVo Device Protocol', 'tivo-mindrpc': 'TiVo RPC Protocol', 'tsbiis': 'The Social Broadband Interference Information Sharing', 'twinlevel': 'detect sanitary product', 'tzrpc': 'TZ-Software remote procedure call based synchronization protocol', 'wd-2go': 'NAS Service Protocol', 'z-wave': 'Z-Wave Service Discovery', 'zeromq': 'High performance brokerless messaging'}
default_config = { 'relay_fee_per_kb': 3000 } class FeePolicyChecker: def __init__(self, config = default_config): self.relay_fee_per_kb = int(config['relay_fee_per_kb']) def check_tx(self,tx): size = len(tx.serialize()) if tx.coinbase: size -= 2 #len of len of output size -= len(tx.coinbase.serialize()) if int((size/1000.)*self.relay_fee_per_kb)>tx.relay_fee: return False return True
default_config = {'relay_fee_per_kb': 3000} class Feepolicychecker: def __init__(self, config=default_config): self.relay_fee_per_kb = int(config['relay_fee_per_kb']) def check_tx(self, tx): size = len(tx.serialize()) if tx.coinbase: size -= 2 size -= len(tx.coinbase.serialize()) if int(size / 1000.0 * self.relay_fee_per_kb) > tx.relay_fee: return False return True
'''Program to check whether the given number is paliandrome or not Input Format a number from the user Constraints n>0 Output Format Yes or No Sample Input 0 123 Sample Output 0 No Sample Input 1 121 Sample Output 1 Yes''' #solution def pall(num): if num == num[::-1]: return "Yes" return "No" print(pall(input()))
"""Program to check whether the given number is paliandrome or not Input Format a number from the user Constraints n>0 Output Format Yes or No Sample Input 0 123 Sample Output 0 No Sample Input 1 121 Sample Output 1 Yes""" def pall(num): if num == num[::-1]: return 'Yes' return 'No' print(pall(input()))
class opt(object): def __init__(self, data_dir, save_dir, gen_dir, ratio, num_layers, hidden_size, embedding_size, cuda, batch_size, seq_len, num_epochs, save_every, print_every, valid_every, grad_clip, learning_rate): # The Parameter which has None will be filled while training self.resume = None self.resume_epoch = None # File Parameter self.data_dir = data_dir self.save_dir = save_dir self.gen_dir = gen_dir self.novel_path = None # Model hyperparameter # vocab size must be fixed to facebook fast text # mode is used for data_loader - train / validate self.mode = None self.ratio = ratio self.n_layers = num_layers self.hidden_size = hidden_size self.embedding_size = embedding_size # Training hyperparameter self.cuda = cuda self.batch_size = batch_size self.seq_len = seq_len self.num_epochs = num_epochs self.save_every = save_every self.print_every = print_every self.valid_every = valid_every self.grad_clip = grad_clip self.lr = learning_rate # Vocabulary setting - This will be filled automatically self.vocab_size = None self.vocab_itoc = None self.vocab_ctoi = None # Check if we can use train / valid data self.train = True self.valid = True
class Opt(object): def __init__(self, data_dir, save_dir, gen_dir, ratio, num_layers, hidden_size, embedding_size, cuda, batch_size, seq_len, num_epochs, save_every, print_every, valid_every, grad_clip, learning_rate): self.resume = None self.resume_epoch = None self.data_dir = data_dir self.save_dir = save_dir self.gen_dir = gen_dir self.novel_path = None self.mode = None self.ratio = ratio self.n_layers = num_layers self.hidden_size = hidden_size self.embedding_size = embedding_size self.cuda = cuda self.batch_size = batch_size self.seq_len = seq_len self.num_epochs = num_epochs self.save_every = save_every self.print_every = print_every self.valid_every = valid_every self.grad_clip = grad_clip self.lr = learning_rate self.vocab_size = None self.vocab_itoc = None self.vocab_ctoi = None self.train = True self.valid = True
# -*- coding: utf-8 -*- # Define self package variable __version__ = "0.2.1" description = 'Python package for upstream preprocessing and downstream analysis of nanopolish' long_description = """""" # Collect info in a dictionary for setup.py setup_dict = { "name": __name__, "version": __version__, "description": description, "long_description": long_description, "url": "https://github.com/a-slide/NanopolishComp", "author": 'Adrien Leger', "author_email": 'aleg {at} ebi.ac.uk', "license": "MIT", "python_requires":'>=3.3', "classifiers": [ 'Development Status :: 3 - Alpha', 'Intended Audience :: Science/Research', 'Topic :: Scientific/Engineering :: Bio-Informatics', 'License :: OSI Approved :: MIT', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', 'Programming Language :: Python :: 3.6',], "install_requires": ['numpy==1.14.0'], "packages": [__name__], "entry_points":{'console_scripts': [ 'NanopolishComp=NanopolishComp.NanopolishComp_Main:main']}}
__version__ = '0.2.1' description = 'Python package for upstream preprocessing and downstream analysis of nanopolish' long_description = '' setup_dict = {'name': __name__, 'version': __version__, 'description': description, 'long_description': long_description, 'url': 'https://github.com/a-slide/NanopolishComp', 'author': 'Adrien Leger', 'author_email': 'aleg {at} ebi.ac.uk', 'license': 'MIT', 'python_requires': '>=3.3', 'classifiers': ['Development Status :: 3 - Alpha', 'Intended Audience :: Science/Research', 'Topic :: Scientific/Engineering :: Bio-Informatics', 'License :: OSI Approved :: MIT', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', 'Programming Language :: Python :: 3.6'], 'install_requires': ['numpy==1.14.0'], 'packages': [__name__], 'entry_points': {'console_scripts': ['NanopolishComp=NanopolishComp.NanopolishComp_Main:main']}}
init_4_nginx = """ #!/bin/bash apt -y update apt -y install nginx #put a default welcome page mkdir /var/www/ksws_html echo "<html> <body> <h1>Welcome to KSWS today!<h1> </body> </html>" > /var/www/ksws_html/index.html #setup our demo site echo " server { listen 80 default_server; listen [::]:80 default_server; root /var/www/ksws_html; index index.html server_name _; location / { try_files \$uri \$uri/ =404; } }" > /etc/nginx/sites-available/ksws_default ln -s /etc/nginx/sites-available/ksws_default /etc/nginx/sites-enabled/ rm /etc/nginx/sites-enabled/default systemctl restart nginx """
init_4_nginx = '\n#!/bin/bash\napt -y update\napt -y install nginx\n\n#put a default welcome page\nmkdir /var/www/ksws_html\necho "<html>\n <body>\n <h1>Welcome to KSWS today!<h1>\n </body>\n</html>" > /var/www/ksws_html/index.html\n\n#setup our demo site\necho "\nserver {\n listen 80 default_server;\n listen [::]:80 default_server;\n root /var/www/ksws_html;\n index index.html\n server_name _;\n location / {\n try_files \\$uri \\$uri/ =404;\n }\n}" > /etc/nginx/sites-available/ksws_default\n\nln -s /etc/nginx/sites-available/ksws_default /etc/nginx/sites-enabled/\nrm /etc/nginx/sites-enabled/default\n\nsystemctl restart nginx\n'
""" LeetCode Problem: 398. Random Pick Index Link: https://leetcode.com/problems/random-pick-index/ Language: Python Written by: Mostofa Adib Shakib Time Complexity: O(N) Space Complexity: O(1) Explanation: Draw the 1st number. If there is a second number, then we will hold 1st number by probability = 1/2, and replace the 1st number with the 2nd number with probability = 1/2. After this step suppose number is now X. If there is 3rd number, then we will hold the X with probability = 2/3 and replace X with the 3rd number with probability = 1/3. Why do they hold the same probability to be picked? Because: Probability that the 3rd number is picked = 1/3 Probability that the 2nd number is picked = 1 * 1/2 * 2/3 = 1/3 Probability that the 1st number is picked = 1 * 1/2 * 2/3 = 1/3 If nums[i] == target, we can pick the other number with probability = 1/(n+1), or keep original number with probability = n/(n+1). Hence we can guarantee that each number is picked with probability = 1/(n+1) """ class Solution: def __init__(self, nums: List[int]): self.nums = nums def pick(self, target: int) -> int: count = 0 res = None for i in range(len(self.nums)): if self.nums[i] == target: count += 1 chance = random.randint(1, count) if chance == count: res = i return res
""" LeetCode Problem: 398. Random Pick Index Link: https://leetcode.com/problems/random-pick-index/ Language: Python Written by: Mostofa Adib Shakib Time Complexity: O(N) Space Complexity: O(1) Explanation: Draw the 1st number. If there is a second number, then we will hold 1st number by probability = 1/2, and replace the 1st number with the 2nd number with probability = 1/2. After this step suppose number is now X. If there is 3rd number, then we will hold the X with probability = 2/3 and replace X with the 3rd number with probability = 1/3. Why do they hold the same probability to be picked? Because: Probability that the 3rd number is picked = 1/3 Probability that the 2nd number is picked = 1 * 1/2 * 2/3 = 1/3 Probability that the 1st number is picked = 1 * 1/2 * 2/3 = 1/3 If nums[i] == target, we can pick the other number with probability = 1/(n+1), or keep original number with probability = n/(n+1). Hence we can guarantee that each number is picked with probability = 1/(n+1) """ class Solution: def __init__(self, nums: List[int]): self.nums = nums def pick(self, target: int) -> int: count = 0 res = None for i in range(len(self.nums)): if self.nums[i] == target: count += 1 chance = random.randint(1, count) if chance == count: res = i return res
def tribonacci(signature, n): newl = [] h1 = signature[0] h2 = signature[1] h3 = signature[2] for i in range(n): h1 = signature[i] h2 = signature[i + 1] h3 = signature[i + 2] h4 = h1 + h2 + h3 newl.append(h4) return newl l = {1,0,0} print(tribonacci(l,10))
def tribonacci(signature, n): newl = [] h1 = signature[0] h2 = signature[1] h3 = signature[2] for i in range(n): h1 = signature[i] h2 = signature[i + 1] h3 = signature[i + 2] h4 = h1 + h2 + h3 newl.append(h4) return newl l = {1, 0, 0} print(tribonacci(l, 10))
# https://www.globaletraining.com/ # Accessing Class and Object Variables/Attributes class Car: # Class Attributes/Variables no_of_tires = 4 # Class Constructor/Initializer (Method with a special name) def __init__(self, make, model, year, color, moon_roof=False): # Object Attributes/Variables self.make = make self.model = model self.year = year self.color = color self.moon_roof = moon_roof self.engine_running = False # Methods def start_the_engine(self): self.engine_running = True def stop_the_engine(self): self.engine_running = False def main(): print("Hello from the main() method!") car1 = Car("Ford", "Mustang", 2010, "Blue") car2 = Car("Tesla", "Model 3", 2020, "Red", True) # Accessing car1 attributes print("Printing car1 details:".center(50, "-")) print("Make : {}".format(car1.make)) print("Model : {}".format(car1.model)) print("Year : {}".format(car1.year)) print("Color : {}".format(car1.color)) print("Moon Roof : {}".format(car1.moon_roof)) # Accessing car2 attributes print("Printing car2 details:".center(50, "-")) print("Make : {}".format(car2.make)) print("Model : {}".format(car2.model)) print("Year : {}".format(car2.year)) print("Color : {}".format(car2.color)) print("Moon Roof : {}".format(car2.moon_roof)) # Class Attributes print("Class Attributes:".center(50, "-")) print("car1:", car1.no_of_tires) print("car2:", car2.no_of_tires) print("Car:", Car.no_of_tires) if __name__ == '__main__': main()
class Car: no_of_tires = 4 def __init__(self, make, model, year, color, moon_roof=False): self.make = make self.model = model self.year = year self.color = color self.moon_roof = moon_roof self.engine_running = False def start_the_engine(self): self.engine_running = True def stop_the_engine(self): self.engine_running = False def main(): print('Hello from the main() method!') car1 = car('Ford', 'Mustang', 2010, 'Blue') car2 = car('Tesla', 'Model 3', 2020, 'Red', True) print('Printing car1 details:'.center(50, '-')) print('Make : {}'.format(car1.make)) print('Model : {}'.format(car1.model)) print('Year : {}'.format(car1.year)) print('Color : {}'.format(car1.color)) print('Moon Roof : {}'.format(car1.moon_roof)) print('Printing car2 details:'.center(50, '-')) print('Make : {}'.format(car2.make)) print('Model : {}'.format(car2.model)) print('Year : {}'.format(car2.year)) print('Color : {}'.format(car2.color)) print('Moon Roof : {}'.format(car2.moon_roof)) print('Class Attributes:'.center(50, '-')) print('car1:', car1.no_of_tires) print('car2:', car2.no_of_tires) print('Car:', Car.no_of_tires) if __name__ == '__main__': main()
""" Preprocessor macros. """ class BaseMacro: """ Base macro """ def __init__(self, name, protected=False): self.name = name self.protected = protected class Macro(BaseMacro): """ Macro define """ def __init__( self, name, value, args=None, protected=False, variadic=False ): super().__init__(name, protected=protected) self.value = value self.args = args self.variadic = variadic class FunctionMacro(BaseMacro): """ Special macro, like __FILE__ """ def __init__(self, name, function): super().__init__(name, protected=True) self.function = function
""" Preprocessor macros. """ class Basemacro: """ Base macro """ def __init__(self, name, protected=False): self.name = name self.protected = protected class Macro(BaseMacro): """ Macro define """ def __init__(self, name, value, args=None, protected=False, variadic=False): super().__init__(name, protected=protected) self.value = value self.args = args self.variadic = variadic class Functionmacro(BaseMacro): """ Special macro, like __FILE__ """ def __init__(self, name, function): super().__init__(name, protected=True) self.function = function
def conv_module_cifar(nnet, nfilters): filter_size = (3, 3) pad = 'same' use_batch_norm = True nnet.addConvLayer(num_filters=nfilters, filter_size=filter_size, pad=pad, use_batch_norm=use_batch_norm) nnet.addReLU() nnet.addConvLayer(num_filters=nfilters, filter_size=filter_size, pad=pad, use_batch_norm=use_batch_norm) nnet.addReLU() nnet.addMaxPool(pool_size=(2, 2)) def conv_module_vgg(nnet, nfilters, nrepeat): for _ in range(nrepeat): nnet.addConvLayer(num_filters=nfilters, filter_size=(3, 3), pad=1, flip_filters=False) nnet.addReLU() nnet.addMaxPool(pool_size=(2, 2))
def conv_module_cifar(nnet, nfilters): filter_size = (3, 3) pad = 'same' use_batch_norm = True nnet.addConvLayer(num_filters=nfilters, filter_size=filter_size, pad=pad, use_batch_norm=use_batch_norm) nnet.addReLU() nnet.addConvLayer(num_filters=nfilters, filter_size=filter_size, pad=pad, use_batch_norm=use_batch_norm) nnet.addReLU() nnet.addMaxPool(pool_size=(2, 2)) def conv_module_vgg(nnet, nfilters, nrepeat): for _ in range(nrepeat): nnet.addConvLayer(num_filters=nfilters, filter_size=(3, 3), pad=1, flip_filters=False) nnet.addReLU() nnet.addMaxPool(pool_size=(2, 2))
def config(app): app.config.update( authenticate=False )
def config(app): app.config.update(authenticate=False)
with open(FILE, mode='w') as file: writer = csv.writer(file, lineterminator='\n') writer.writerows(DATA)
with open(FILE, mode='w') as file: writer = csv.writer(file, lineterminator='\n') writer.writerows(DATA)
print('user1') print('user 3') print('user 2')
print('user1') print('user 3') print('user 2')
class Node: def __init__(self, char, weight): self.char = char self.weight = weight self.children = dict() self.count = 0 def add_child (self, child): self.children[child.char] = child def reinforce(self, reinforcement_rate): self.count += 1 self.weight += reinforcement_rate def print_as_graph(self, level=0): ret = "\t"*level+self.char+"\n" for child in self.children.values(): ret += child.__str__(level+1) return ret def __str__(self): return self.char def __repr__(self): return '<tree node representation>'
class Node: def __init__(self, char, weight): self.char = char self.weight = weight self.children = dict() self.count = 0 def add_child(self, child): self.children[child.char] = child def reinforce(self, reinforcement_rate): self.count += 1 self.weight += reinforcement_rate def print_as_graph(self, level=0): ret = '\t' * level + self.char + '\n' for child in self.children.values(): ret += child.__str__(level + 1) return ret def __str__(self): return self.char def __repr__(self): return '<tree node representation>'
class Myclass: var="test" def funcao (self): print("This is the message inside my class") myobject=Myclass() print(myobject.var) myobject.funcao() myobject2=Myclass() myobject2.var="Hello World" print(myobject.var) print (myobject2.var)
class Myclass: var = 'test' def funcao(self): print('This is the message inside my class') myobject = myclass() print(myobject.var) myobject.funcao() myobject2 = myclass() myobject2.var = 'Hello World' print(myobject.var) print(myobject2.var)
#!/usr/bin/env python3 # Copyright 2022 The Pigweed Authors # # Licensed under the Apache License, Version 2.0 (the "License"); you may not # use this file except in compliance with the License. You may obtain a copy of # the License at # # https://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, WITHOUT # WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the # License for the specific language governing permissions and limitations under # the License. """Fixes identifiers that would cause compiler errors in generated C++ code.""" # Set of words that can't be used as identifiers in the generated code. Many of # these are valid identifiers in proto syntax, but they need special handling in # the generated C++ code. # # Note: This is primarily used for "if x in y" operations, hence the use of a # set rather than a list. PW_PROTO_CODEGEN_RESERVED_WORDS: set[str] = { # C++20 keywords (https://en.cppreference.com/w/cpp/keyword): "alignas", "alignof", "and", "and_eq", "asm", "atomic_cancel", "atomic_commit", "atomic_noexcept", "auto", "bitand", "bitor", "bool", "break", "case", "catch", "char", "char8_t", "char16_t", "char32_t", "class", "compl", "concept", "const", "consteval", "constexpr", "constinit", "const_cast", "continue", "co_await", "co_return", "co_yield", "decltype", "default", "delete", "do", "double", "dynamic_cast", "else", "enum", "explicit", "export", "extern", "false", "float", "for", "friend", "goto", "if", "inline", "int", "long", "mutable", "namespace", "new", "noexcept", "not", "not_eq", "nullptr", "operator", "or", "or_eq", "private", "protected", "public", "reflexpr", "register", "reinterpret_cast", "requires", "return", "short", "signed", "sizeof", "static", "static_assert", "static_cast", "struct", "switch", "synchronized", "template", "this", "thread_local", "throw", "true", "try", "typedef", "typeid", "typename", "union", "unsigned", "using", "virtual", "void", "volatile", "wchar_t", "while", "xor", "xor_eq", # C++20 macros (https://en.cppreference.com/w/cpp/symbol_index/macro), # excluding the following: # - Function-like macros, which have unambiguous syntax and thus won't # conflict with generated symbols. # - Macros that couldn't be made valid by appending underscores, namely # those containing "__" or starting with "_[A-Z]". C++ reserves all such # identifiers for the compiler, and appending underscores wouldn't change # that. "ATOMIC_BOOL_LOCK_FREE", "ATOMIC_CHAR_LOCK_FREE", "ATOMIC_CHAR16_T_LOCK_FREE", "ATOMIC_CHAR32_T_LOCK_FREE", "ATOMIC_CHAR8_T_LOCK_FREE", "ATOMIC_FLAG_INIT", "ATOMIC_INT_LOCK_FREE", "ATOMIC_LLONG_LOCK_FREE", "ATOMIC_LONG_LOCK_FREE", "ATOMIC_POINTER_LOCK_FREE", "ATOMIC_SHORT_LOCK_FREE", "ATOMIC_WCHAR_T_LOCK_FREE", "BUFSIZ", "CHAR_BIT", "CHAR_MAX", "CHAR_MIN", "CLOCKS_PER_SEC", "DBL_DECIMAL_DIG", "DBL_DIG", "DBL_EPSILON", "DBL_HAS_SUBNORM", "DBL_MANT_DIG", "DBL_MAX", "DBL_MAX_10_EXP", "DBL_MAX_EXP", "DBL_MIN", "DBL_MIN_10_EXP", "DBL_MIN_EXP", "DBL_TRUE_MIN", "DECIMAL_DIG", "E2BIG", "EACCES", "EADDRINUSE", "EADDRNOTAVAIL", "EAFNOSUPPORT", "EAGAIN", "EALREADY", "EBADF", "EBADMSG", "EBUSY", "ECANCELED", "ECHILD", "ECONNABORTED", "ECONNREFUSED", "ECONNRESET", "EDEADLK", "EDESTADDRREQ", "EDOM", "EEXIST", "EFAULT", "EFBIG", "EHOSTUNREACH", "EIDRM", "EILSEQ", "EINPROGRESS", "EINTR", "EINVAL", "EIO", "EISCONN", "EISDIR", "ELOOP", "EMFILE", "EMLINK", "EMSGSIZE", "ENAMETOOLONG", "ENETDOWN", "ENETRESET", "ENETUNREACH", "ENFILE", "ENOBUFS", "ENODATA", "ENODEV", "ENOENT", "ENOEXEC", "ENOLCK", "ENOLINK", "ENOMEM", "ENOMSG", "ENOPROTOOPT", "ENOSPC", "ENOSR", "ENOSTR", "ENOSYS", "ENOTCONN", "ENOTDIR", "ENOTEMPTY", "ENOTRECOVERABLE", "ENOTSOCK", "ENOTSUP", "ENOTTY", "ENXIO", "EOF", "EOPNOTSUPP", "EOVERFLOW", "EOWNERDEAD", "EPERM", "EPIPE", "EPROTO", "EPROTONOSUPPORT", "EPROTOTYPE", "ERANGE", "EROFS", "errno", "ESPIPE", "ESRCH", "ETIME", "ETIMEDOUT", "ETXTBSY", "EWOULDBLOCK", "EXDEV", "EXIT_FAILURE", "EXIT_SUCCESS", "FE_ALL_EXCEPT", "FE_DFL_ENV", "FE_DIVBYZERO", "FE_DOWNWARD", "FE_INEXACT", "FE_INVALID", "FE_OVERFLOW", "FE_TONEAREST", "FE_TOWARDZERO", "FE_UNDERFLOW", "FE_UPWARD", "FILENAME_MAX", "FLT_DECIMAL_DIG", "FLT_DIG", "FLT_EPSILON", "FLT_EVAL_METHOD", "FLT_HAS_SUBNORM", "FLT_MANT_DIG", "FLT_MAX", "FLT_MAX_10_EXP", "FLT_MAX_EXP", "FLT_MIN", "FLT_MIN_10_EXP", "FLT_MIN_EXP", "FLT_RADIX", "FLT_ROUNDS", "FLT_TRUE_MIN", "FOPEN_MAX", "FP_FAST_FMA", "FP_FAST_FMAF", "FP_FAST_FMAL", "FP_ILOGB0", "FP_ILOGBNAN", "FP_SUBNORMAL", "FP_ZERO", "FP_INFINITE", "FP_NAN", "FP_NORMAL", "HUGE_VAL", "HUGE_VALF", "HUGE_VALL", "INFINITY", "INT_FAST16_MAX", "INT_FAST16_MIN", "INT_FAST32_MAX", "INT_FAST32_MIN", "INT_FAST64_MAX", "INT_FAST64_MIN", "INT_FAST8_MAX", "INT_FAST8_MIN", "INT_LEAST16_MAX", "INT_LEAST16_MIN", "INT_LEAST32_MAX", "INT_LEAST32_MIN", "INT_LEAST64_MAX", "INT_LEAST64_MIN", "INT_LEAST8_MAX", "INT_LEAST8_MIN", "INT_MAX", "INT_MIN", "INT16_MAX", "INT16_MIN", "INT32_MAX", "INT32_MIN", "INT64_MAX", "INT64_MIN", "INT8_MAX", "INT8_MIN", "INTMAX_MAX", "INTMAX_MIN", "INTPTR_MAX", "INTPTR_MIN", "L_tmpnam", "LC_ALL", "LC_COLLATE", "LC_CTYPE", "LC_MONETARY", "LC_NUMERIC", "LC_TIME", "LDBL_DECIMAL_DIG", "LDBL_DIG", "LDBL_EPSILON", "LDBL_HAS_SUBNORM", "LDBL_MANT_DIG", "LDBL_MAX", "LDBL_MAX_10_EXP", "LDBL_MAX_EXP", "LDBL_MIN", "LDBL_MIN_10_EXP", "LDBL_MIN_EXP", "LDBL_TRUE_MIN", "LLONG_MAX", "LLONG_MIN", "LONG_MAX", "LONG_MIN", "MATH_ERREXCEPT", "math_errhandling", "MATH_ERRNO", "MB_CUR_MAX", "MB_LEN_MAX", "NAN", "NULL", "ONCE_FLAG_INIT", "PRId16", "PRId32", "PRId64", "PRId8", "PRIdFAST16", "PRIdFAST32", "PRIdFAST64", "PRIdFAST8", "PRIdLEAST16", "PRIdLEAST32", "PRIdLEAST64", "PRIdLEAST8", "PRIdMAX", "PRIdPTR", "PRIi16", "PRIi32", "PRIi64", "PRIi8", "PRIiFAST16", "PRIiFAST32", "PRIiFAST64", "PRIiFAST8", "PRIiLEAST16", "PRIiLEAST32", "PRIiLEAST64", "PRIiLEAST8", "PRIiMAX", "PRIiPTR", "PRIo16", "PRIo32", "PRIo64", "PRIo8", "PRIoFAST16", "PRIoFAST32", "PRIoFAST64", "PRIoFAST8", "PRIoLEAST16", "PRIoLEAST32", "PRIoLEAST64", "PRIoLEAST8", "PRIoMAX", "PRIoPTR", "PRIu16", "PRIu32", "PRIu64", "PRIu8", "PRIuFAST16", "PRIuFAST32", "PRIuFAST64", "PRIuFAST8", "PRIuLEAST16", "PRIuLEAST32", "PRIuLEAST64", "PRIuLEAST8", "PRIuMAX", "PRIuPTR", "PRIx16", "PRIX16", "PRIx32", "PRIX32", "PRIx64", "PRIX64", "PRIx8", "PRIX8", "PRIxFAST16", "PRIXFAST16", "PRIxFAST32", "PRIXFAST32", "PRIxFAST64", "PRIXFAST64", "PRIxFAST8", "PRIXFAST8", "PRIxLEAST16", "PRIXLEAST16", "PRIxLEAST32", "PRIXLEAST32", "PRIxLEAST64", "PRIXLEAST64", "PRIxLEAST8", "PRIXLEAST8", "PRIxMAX", "PRIXMAX", "PRIxPTR", "PRIXPTR", "PTRDIFF_MAX", "PTRDIFF_MIN", "RAND_MAX", "SCHAR_MAX", "SCHAR_MIN", "SCNd16", "SCNd32", "SCNd64", "SCNd8", "SCNdFAST16", "SCNdFAST32", "SCNdFAST64", "SCNdFAST8", "SCNdLEAST16", "SCNdLEAST32", "SCNdLEAST64", "SCNdLEAST8", "SCNdMAX", "SCNdPTR", "SCNi16", "SCNi32", "SCNi64", "SCNi8", "SCNiFAST16", "SCNiFAST32", "SCNiFAST64", "SCNiFAST8", "SCNiLEAST16", "SCNiLEAST32", "SCNiLEAST64", "SCNiLEAST8", "SCNiMAX", "SCNiPTR", "SCNo16", "SCNo32", "SCNo64", "SCNo8", "SCNoFAST16", "SCNoFAST32", "SCNoFAST64", "SCNoFAST8", "SCNoLEAST16", "SCNoLEAST32", "SCNoLEAST64", "SCNoLEAST8", "SCNoMAX", "SCNoPTR", "SCNu16", "SCNu32", "SCNu64", "SCNu8", "SCNuFAST16", "SCNuFAST32", "SCNuFAST64", "SCNuFAST8", "SCNuLEAST16", "SCNuLEAST32", "SCNuLEAST64", "SCNuLEAST8", "SCNuMAX", "SCNuPTR", "SCNx16", "SCNx32", "SCNx64", "SCNx8", "SCNxFAST16", "SCNxFAST32", "SCNxFAST64", "SCNxFAST8", "SCNxLEAST16", "SCNxLEAST32", "SCNxLEAST64", "SCNxLEAST8", "SCNxMAX", "SCNxPTR", "SEEK_CUR", "SEEK_END", "SEEK_SET", "SHRT_MAX", "SHRT_MIN", "SIG_ATOMIC_MAX", "SIG_ATOMIC_MIN", "SIG_DFL", "SIG_ERR", "SIG_IGN", "SIGABRT", "SIGFPE", "SIGILL", "SIGINT", "SIGSEGV", "SIGTERM", "SIZE_MAX", "stderr", "stdin", "stdout", "TIME_UTC", "TMP_MAX", "UCHAR_MAX", "UINT_FAST16_MAX", "UINT_FAST32_MAX", "UINT_FAST64_MAX", "UINT_FAST8_MAX", "UINT_LEAST16_MAX", "UINT_LEAST32_MAX", "UINT_LEAST64_MAX", "UINT_LEAST8_MAX", "UINT_MAX", "UINT16_MAX", "UINT32_MAX", "UINT64_MAX", "UINT8_MAX", "UINTMAX_MAX", "UINTPTR_MAX", "ULLONG_MAX", "ULONG_MAX", "USHRT_MAX", "WCHAR_MAX", "WCHAR_MIN", "WEOF", "WINT_MAX", "WINT_MIN", } def _transform_invalid_identifier(invalid_identifier: str) -> str: """Applies a transformation to an invalid C++ identifier to make it valid. Currently, this simply appends an underscore. This addresses the vast majority of realistic cases, but there are some caveats; see `fix_cc_identifier` function documentation for details. """ return f"{invalid_identifier}_" def fix_cc_identifier(proto_identifier: str) -> str: """Returns an adjusted form of the identifier for use in generated C++ code. If the given identifier is already valid for use in the generated C++ code, it will be returned as-is. If the identifier is a C++ keyword or a preprocessor macro from the standard library, the returned identifier will be modified slightly in order to avoid compiler errors. Currently, this simply appends an underscore if necessary. This handles the vast majority of realistic cases, though it doesn't attempt to fix identifiers that the C++ spec reserves for the compiler's use. For reference, C++ reserves two categories of identifiers for the compiler: - Any identifier that contains the substring "__" anywhere in it. - Any identifier with an underscore for the first character and a capital letter for the second character. """ return (_transform_invalid_identifier(proto_identifier) # if proto_identifier in PW_PROTO_CODEGEN_RESERVED_WORDS # else proto_identifier) def fix_cc_enum_value_name(proto_enum_entry: str) -> str: """Returns an adjusted form of the enum-value name for use in generated C++. Generates an UPPER_SNAKE_CASE variant of the given enum-value name and then checks it for collisions with C++ keywords and standard-library macros. Returns a potentially modified version of the input in order to fix collisions if any are found. Note that, although the code generation also creates enum-value aliases in kHungarianNotationPascalCase, symbols of that form never conflict with keywords or standard-library macros in C++20. Therefore, only the UPPER_SNAKE_CASE versions need to be checked for conflicts. See `fix_cc_identifier` for further details. """ upper_snake_case = proto_enum_entry.upper() return (_transform_invalid_identifier(proto_enum_entry) # if upper_snake_case in PW_PROTO_CODEGEN_RESERVED_WORDS # else proto_enum_entry)
"""Fixes identifiers that would cause compiler errors in generated C++ code.""" pw_proto_codegen_reserved_words: set[str] = {'alignas', 'alignof', 'and', 'and_eq', 'asm', 'atomic_cancel', 'atomic_commit', 'atomic_noexcept', 'auto', 'bitand', 'bitor', 'bool', 'break', 'case', 'catch', 'char', 'char8_t', 'char16_t', 'char32_t', 'class', 'compl', 'concept', 'const', 'consteval', 'constexpr', 'constinit', 'const_cast', 'continue', 'co_await', 'co_return', 'co_yield', 'decltype', 'default', 'delete', 'do', 'double', 'dynamic_cast', 'else', 'enum', 'explicit', 'export', 'extern', 'false', 'float', 'for', 'friend', 'goto', 'if', 'inline', 'int', 'long', 'mutable', 'namespace', 'new', 'noexcept', 'not', 'not_eq', 'nullptr', 'operator', 'or', 'or_eq', 'private', 'protected', 'public', 'reflexpr', 'register', 'reinterpret_cast', 'requires', 'return', 'short', 'signed', 'sizeof', 'static', 'static_assert', 'static_cast', 'struct', 'switch', 'synchronized', 'template', 'this', 'thread_local', 'throw', 'true', 'try', 'typedef', 'typeid', 'typename', 'union', 'unsigned', 'using', 'virtual', 'void', 'volatile', 'wchar_t', 'while', 'xor', 'xor_eq', 'ATOMIC_BOOL_LOCK_FREE', 'ATOMIC_CHAR_LOCK_FREE', 'ATOMIC_CHAR16_T_LOCK_FREE', 'ATOMIC_CHAR32_T_LOCK_FREE', 'ATOMIC_CHAR8_T_LOCK_FREE', 'ATOMIC_FLAG_INIT', 'ATOMIC_INT_LOCK_FREE', 'ATOMIC_LLONG_LOCK_FREE', 'ATOMIC_LONG_LOCK_FREE', 'ATOMIC_POINTER_LOCK_FREE', 'ATOMIC_SHORT_LOCK_FREE', 'ATOMIC_WCHAR_T_LOCK_FREE', 'BUFSIZ', 'CHAR_BIT', 'CHAR_MAX', 'CHAR_MIN', 'CLOCKS_PER_SEC', 'DBL_DECIMAL_DIG', 'DBL_DIG', 'DBL_EPSILON', 'DBL_HAS_SUBNORM', 'DBL_MANT_DIG', 'DBL_MAX', 'DBL_MAX_10_EXP', 'DBL_MAX_EXP', 'DBL_MIN', 'DBL_MIN_10_EXP', 'DBL_MIN_EXP', 'DBL_TRUE_MIN', 'DECIMAL_DIG', 'E2BIG', 'EACCES', 'EADDRINUSE', 'EADDRNOTAVAIL', 'EAFNOSUPPORT', 'EAGAIN', 'EALREADY', 'EBADF', 'EBADMSG', 'EBUSY', 'ECANCELED', 'ECHILD', 'ECONNABORTED', 'ECONNREFUSED', 'ECONNRESET', 'EDEADLK', 'EDESTADDRREQ', 'EDOM', 'EEXIST', 'EFAULT', 'EFBIG', 'EHOSTUNREACH', 'EIDRM', 'EILSEQ', 'EINPROGRESS', 'EINTR', 'EINVAL', 'EIO', 'EISCONN', 'EISDIR', 'ELOOP', 'EMFILE', 'EMLINK', 'EMSGSIZE', 'ENAMETOOLONG', 'ENETDOWN', 'ENETRESET', 'ENETUNREACH', 'ENFILE', 'ENOBUFS', 'ENODATA', 'ENODEV', 'ENOENT', 'ENOEXEC', 'ENOLCK', 'ENOLINK', 'ENOMEM', 'ENOMSG', 'ENOPROTOOPT', 'ENOSPC', 'ENOSR', 'ENOSTR', 'ENOSYS', 'ENOTCONN', 'ENOTDIR', 'ENOTEMPTY', 'ENOTRECOVERABLE', 'ENOTSOCK', 'ENOTSUP', 'ENOTTY', 'ENXIO', 'EOF', 'EOPNOTSUPP', 'EOVERFLOW', 'EOWNERDEAD', 'EPERM', 'EPIPE', 'EPROTO', 'EPROTONOSUPPORT', 'EPROTOTYPE', 'ERANGE', 'EROFS', 'errno', 'ESPIPE', 'ESRCH', 'ETIME', 'ETIMEDOUT', 'ETXTBSY', 'EWOULDBLOCK', 'EXDEV', 'EXIT_FAILURE', 'EXIT_SUCCESS', 'FE_ALL_EXCEPT', 'FE_DFL_ENV', 'FE_DIVBYZERO', 'FE_DOWNWARD', 'FE_INEXACT', 'FE_INVALID', 'FE_OVERFLOW', 'FE_TONEAREST', 'FE_TOWARDZERO', 'FE_UNDERFLOW', 'FE_UPWARD', 'FILENAME_MAX', 'FLT_DECIMAL_DIG', 'FLT_DIG', 'FLT_EPSILON', 'FLT_EVAL_METHOD', 'FLT_HAS_SUBNORM', 'FLT_MANT_DIG', 'FLT_MAX', 'FLT_MAX_10_EXP', 'FLT_MAX_EXP', 'FLT_MIN', 'FLT_MIN_10_EXP', 'FLT_MIN_EXP', 'FLT_RADIX', 'FLT_ROUNDS', 'FLT_TRUE_MIN', 'FOPEN_MAX', 'FP_FAST_FMA', 'FP_FAST_FMAF', 'FP_FAST_FMAL', 'FP_ILOGB0', 'FP_ILOGBNAN', 'FP_SUBNORMAL', 'FP_ZERO', 'FP_INFINITE', 'FP_NAN', 'FP_NORMAL', 'HUGE_VAL', 'HUGE_VALF', 'HUGE_VALL', 'INFINITY', 'INT_FAST16_MAX', 'INT_FAST16_MIN', 'INT_FAST32_MAX', 'INT_FAST32_MIN', 'INT_FAST64_MAX', 'INT_FAST64_MIN', 'INT_FAST8_MAX', 'INT_FAST8_MIN', 'INT_LEAST16_MAX', 'INT_LEAST16_MIN', 'INT_LEAST32_MAX', 'INT_LEAST32_MIN', 'INT_LEAST64_MAX', 'INT_LEAST64_MIN', 'INT_LEAST8_MAX', 'INT_LEAST8_MIN', 'INT_MAX', 'INT_MIN', 'INT16_MAX', 'INT16_MIN', 'INT32_MAX', 'INT32_MIN', 'INT64_MAX', 'INT64_MIN', 'INT8_MAX', 'INT8_MIN', 'INTMAX_MAX', 'INTMAX_MIN', 'INTPTR_MAX', 'INTPTR_MIN', 'L_tmpnam', 'LC_ALL', 'LC_COLLATE', 'LC_CTYPE', 'LC_MONETARY', 'LC_NUMERIC', 'LC_TIME', 'LDBL_DECIMAL_DIG', 'LDBL_DIG', 'LDBL_EPSILON', 'LDBL_HAS_SUBNORM', 'LDBL_MANT_DIG', 'LDBL_MAX', 'LDBL_MAX_10_EXP', 'LDBL_MAX_EXP', 'LDBL_MIN', 'LDBL_MIN_10_EXP', 'LDBL_MIN_EXP', 'LDBL_TRUE_MIN', 'LLONG_MAX', 'LLONG_MIN', 'LONG_MAX', 'LONG_MIN', 'MATH_ERREXCEPT', 'math_errhandling', 'MATH_ERRNO', 'MB_CUR_MAX', 'MB_LEN_MAX', 'NAN', 'NULL', 'ONCE_FLAG_INIT', 'PRId16', 'PRId32', 'PRId64', 'PRId8', 'PRIdFAST16', 'PRIdFAST32', 'PRIdFAST64', 'PRIdFAST8', 'PRIdLEAST16', 'PRIdLEAST32', 'PRIdLEAST64', 'PRIdLEAST8', 'PRIdMAX', 'PRIdPTR', 'PRIi16', 'PRIi32', 'PRIi64', 'PRIi8', 'PRIiFAST16', 'PRIiFAST32', 'PRIiFAST64', 'PRIiFAST8', 'PRIiLEAST16', 'PRIiLEAST32', 'PRIiLEAST64', 'PRIiLEAST8', 'PRIiMAX', 'PRIiPTR', 'PRIo16', 'PRIo32', 'PRIo64', 'PRIo8', 'PRIoFAST16', 'PRIoFAST32', 'PRIoFAST64', 'PRIoFAST8', 'PRIoLEAST16', 'PRIoLEAST32', 'PRIoLEAST64', 'PRIoLEAST8', 'PRIoMAX', 'PRIoPTR', 'PRIu16', 'PRIu32', 'PRIu64', 'PRIu8', 'PRIuFAST16', 'PRIuFAST32', 'PRIuFAST64', 'PRIuFAST8', 'PRIuLEAST16', 'PRIuLEAST32', 'PRIuLEAST64', 'PRIuLEAST8', 'PRIuMAX', 'PRIuPTR', 'PRIx16', 'PRIX16', 'PRIx32', 'PRIX32', 'PRIx64', 'PRIX64', 'PRIx8', 'PRIX8', 'PRIxFAST16', 'PRIXFAST16', 'PRIxFAST32', 'PRIXFAST32', 'PRIxFAST64', 'PRIXFAST64', 'PRIxFAST8', 'PRIXFAST8', 'PRIxLEAST16', 'PRIXLEAST16', 'PRIxLEAST32', 'PRIXLEAST32', 'PRIxLEAST64', 'PRIXLEAST64', 'PRIxLEAST8', 'PRIXLEAST8', 'PRIxMAX', 'PRIXMAX', 'PRIxPTR', 'PRIXPTR', 'PTRDIFF_MAX', 'PTRDIFF_MIN', 'RAND_MAX', 'SCHAR_MAX', 'SCHAR_MIN', 'SCNd16', 'SCNd32', 'SCNd64', 'SCNd8', 'SCNdFAST16', 'SCNdFAST32', 'SCNdFAST64', 'SCNdFAST8', 'SCNdLEAST16', 'SCNdLEAST32', 'SCNdLEAST64', 'SCNdLEAST8', 'SCNdMAX', 'SCNdPTR', 'SCNi16', 'SCNi32', 'SCNi64', 'SCNi8', 'SCNiFAST16', 'SCNiFAST32', 'SCNiFAST64', 'SCNiFAST8', 'SCNiLEAST16', 'SCNiLEAST32', 'SCNiLEAST64', 'SCNiLEAST8', 'SCNiMAX', 'SCNiPTR', 'SCNo16', 'SCNo32', 'SCNo64', 'SCNo8', 'SCNoFAST16', 'SCNoFAST32', 'SCNoFAST64', 'SCNoFAST8', 'SCNoLEAST16', 'SCNoLEAST32', 'SCNoLEAST64', 'SCNoLEAST8', 'SCNoMAX', 'SCNoPTR', 'SCNu16', 'SCNu32', 'SCNu64', 'SCNu8', 'SCNuFAST16', 'SCNuFAST32', 'SCNuFAST64', 'SCNuFAST8', 'SCNuLEAST16', 'SCNuLEAST32', 'SCNuLEAST64', 'SCNuLEAST8', 'SCNuMAX', 'SCNuPTR', 'SCNx16', 'SCNx32', 'SCNx64', 'SCNx8', 'SCNxFAST16', 'SCNxFAST32', 'SCNxFAST64', 'SCNxFAST8', 'SCNxLEAST16', 'SCNxLEAST32', 'SCNxLEAST64', 'SCNxLEAST8', 'SCNxMAX', 'SCNxPTR', 'SEEK_CUR', 'SEEK_END', 'SEEK_SET', 'SHRT_MAX', 'SHRT_MIN', 'SIG_ATOMIC_MAX', 'SIG_ATOMIC_MIN', 'SIG_DFL', 'SIG_ERR', 'SIG_IGN', 'SIGABRT', 'SIGFPE', 'SIGILL', 'SIGINT', 'SIGSEGV', 'SIGTERM', 'SIZE_MAX', 'stderr', 'stdin', 'stdout', 'TIME_UTC', 'TMP_MAX', 'UCHAR_MAX', 'UINT_FAST16_MAX', 'UINT_FAST32_MAX', 'UINT_FAST64_MAX', 'UINT_FAST8_MAX', 'UINT_LEAST16_MAX', 'UINT_LEAST32_MAX', 'UINT_LEAST64_MAX', 'UINT_LEAST8_MAX', 'UINT_MAX', 'UINT16_MAX', 'UINT32_MAX', 'UINT64_MAX', 'UINT8_MAX', 'UINTMAX_MAX', 'UINTPTR_MAX', 'ULLONG_MAX', 'ULONG_MAX', 'USHRT_MAX', 'WCHAR_MAX', 'WCHAR_MIN', 'WEOF', 'WINT_MAX', 'WINT_MIN'} def _transform_invalid_identifier(invalid_identifier: str) -> str: """Applies a transformation to an invalid C++ identifier to make it valid. Currently, this simply appends an underscore. This addresses the vast majority of realistic cases, but there are some caveats; see `fix_cc_identifier` function documentation for details. """ return f'{invalid_identifier}_' def fix_cc_identifier(proto_identifier: str) -> str: """Returns an adjusted form of the identifier for use in generated C++ code. If the given identifier is already valid for use in the generated C++ code, it will be returned as-is. If the identifier is a C++ keyword or a preprocessor macro from the standard library, the returned identifier will be modified slightly in order to avoid compiler errors. Currently, this simply appends an underscore if necessary. This handles the vast majority of realistic cases, though it doesn't attempt to fix identifiers that the C++ spec reserves for the compiler's use. For reference, C++ reserves two categories of identifiers for the compiler: - Any identifier that contains the substring "__" anywhere in it. - Any identifier with an underscore for the first character and a capital letter for the second character. """ return _transform_invalid_identifier(proto_identifier) if proto_identifier in PW_PROTO_CODEGEN_RESERVED_WORDS else proto_identifier def fix_cc_enum_value_name(proto_enum_entry: str) -> str: """Returns an adjusted form of the enum-value name for use in generated C++. Generates an UPPER_SNAKE_CASE variant of the given enum-value name and then checks it for collisions with C++ keywords and standard-library macros. Returns a potentially modified version of the input in order to fix collisions if any are found. Note that, although the code generation also creates enum-value aliases in kHungarianNotationPascalCase, symbols of that form never conflict with keywords or standard-library macros in C++20. Therefore, only the UPPER_SNAKE_CASE versions need to be checked for conflicts. See `fix_cc_identifier` for further details. """ upper_snake_case = proto_enum_entry.upper() return _transform_invalid_identifier(proto_enum_entry) if upper_snake_case in PW_PROTO_CODEGEN_RESERVED_WORDS else proto_enum_entry
class Solution: def findClosestElements(self, arr: List[int], k: int, x: int) -> List[int]: if x<=arr[0]: return arr[:k] if x>=arr[-1]: return arr[-k:] l=0 r=len(arr)-k while l<r: mid = l+(r-l)//2 if x-arr[mid]>arr[mid+k]-x: l=mid+1 else: r=mid return arr[l:l+k]
class Solution: def find_closest_elements(self, arr: List[int], k: int, x: int) -> List[int]: if x <= arr[0]: return arr[:k] if x >= arr[-1]: return arr[-k:] l = 0 r = len(arr) - k while l < r: mid = l + (r - l) // 2 if x - arr[mid] > arr[mid + k] - x: l = mid + 1 else: r = mid return arr[l:l + k]
def distance(s1, s2): if len(s1) != len(s2): raise ValueError("Sequences not of equal length.") return sum(a != b for a, b in zip(s1, s2))
def distance(s1, s2): if len(s1) != len(s2): raise value_error('Sequences not of equal length.') return sum((a != b for (a, b) in zip(s1, s2)))
class Device(object): def __init__(self): self.name = 'Unknown Device' self.ip = None self.identifier = None self.app_installed = False def is_remote(self): return self.ip is not None def is_usb(self): return self.ip is None and self.identifier is not None def get_human_name(self): name = self.name if self.identifier: name += ' id: [%s]' % self.identifier if self.ip: name += ' ip: [%s]' % self.ip return name
class Device(object): def __init__(self): self.name = 'Unknown Device' self.ip = None self.identifier = None self.app_installed = False def is_remote(self): return self.ip is not None def is_usb(self): return self.ip is None and self.identifier is not None def get_human_name(self): name = self.name if self.identifier: name += ' id: [%s]' % self.identifier if self.ip: name += ' ip: [%s]' % self.ip return name
#!/usr/bin/env python class OPT: "A python container for operator types enumerator" EQ = 1 NE = 2 GT = 3 GE = 4 LT = 5 LE = 6
class Opt: """A python container for operator types enumerator""" eq = 1 ne = 2 gt = 3 ge = 4 lt = 5 le = 6
cows_num = int(input()) cows_list = [] for cow_num in range(cows_num): postion, infected = map(int, input().split()) cows_list.append([postion, infected]) cows_list.sort() min_offset = None for cow_num, cow in enumerate(cows_list): if cow_num + 1 == len(cows_list): break if cows_list[cow_num+1][1] != cow[1]: offset = cows_list[cow_num+1][0] - cow[0] # print(offset) if min_offset is None or min_offset > offset: min_offset = offset # print(cows_list) # print(min_offset) init_cows_num = 0 for cow in cows_list: if cow[1] == 1: init_cows_num += 1 for cow_num, cow in enumerate(cows_list): if cow_num + 1 == len(cows_list): break if cows_list[cow_num+1][1] == cow[1] and cow[1] == 1: if cows_list[cow_num+1][0] - cow[0] < min_offset: init_cows_num -= 1 print(init_cows_num)
cows_num = int(input()) cows_list = [] for cow_num in range(cows_num): (postion, infected) = map(int, input().split()) cows_list.append([postion, infected]) cows_list.sort() min_offset = None for (cow_num, cow) in enumerate(cows_list): if cow_num + 1 == len(cows_list): break if cows_list[cow_num + 1][1] != cow[1]: offset = cows_list[cow_num + 1][0] - cow[0] if min_offset is None or min_offset > offset: min_offset = offset init_cows_num = 0 for cow in cows_list: if cow[1] == 1: init_cows_num += 1 for (cow_num, cow) in enumerate(cows_list): if cow_num + 1 == len(cows_list): break if cows_list[cow_num + 1][1] == cow[1] and cow[1] == 1: if cows_list[cow_num + 1][0] - cow[0] < min_offset: init_cows_num -= 1 print(init_cows_num)
__author__ = 'yinjun' # Definition for singly-linked list with a random pointer. # class RandomListNode: # def __init__(self, x): # self.label = x # self.next = None # self.random = None class Solution: # @param head: A RandomListNode # @return: A RandomListNode def copyRandomList(self, head): # write your code here dict= {} p = head c = RandomListNode('') m = c while p != None: q = RandomListNode(p.label) dict[p] = q m.next = q p = p.next m = m.next p = head q = c.next while q != None: if p.random in dict: q.random = dict[p.random] q = q.next p = p.next return c.next
__author__ = 'yinjun' class Solution: def copy_random_list(self, head): dict = {} p = head c = random_list_node('') m = c while p != None: q = random_list_node(p.label) dict[p] = q m.next = q p = p.next m = m.next p = head q = c.next while q != None: if p.random in dict: q.random = dict[p.random] q = q.next p = p.next return c.next
"""############################################################################# ## PROGRAM: Nice Netcat... ## FILENAME: picoCTF_GC_NiceNetcat.py ## AUTHOR: Om3g4b1u3 #############################################################################""" ## VARIABLE(S) ## file_path = "flag_NiceNetcat.text" flag = "" ## PROGRAM START ## encr_flag = open(file_path).readlines() for ltr in encr_flag: flag += chr(int(ltr.strip())) print(flag)
"""############################################################################# ## PROGRAM: Nice Netcat... ## FILENAME: picoCTF_GC_NiceNetcat.py ## AUTHOR: Om3g4b1u3 #############################################################################""" file_path = 'flag_NiceNetcat.text' flag = '' encr_flag = open(file_path).readlines() for ltr in encr_flag: flag += chr(int(ltr.strip())) print(flag)
class Handling: """ An object representing a request received by an endpoint and the response it returns. """ def __init__(self, endpoint, request, response): self.endpoint = endpoint self.request = request self.response = response def __repr__(self): return ('Handling(endpoint=%r, request=%r, response=%r)' % (self.endpoint, self.request, self.response))
class Handling: """ An object representing a request received by an endpoint and the response it returns. """ def __init__(self, endpoint, request, response): self.endpoint = endpoint self.request = request self.response = response def __repr__(self): return 'Handling(endpoint=%r, request=%r, response=%r)' % (self.endpoint, self.request, self.response)
# Space: O(n) # Time: O(n) # Explanation: # Monotonic stack approach # Using stack to save INDEX of temperatures, the stack is in "ascending" order. (lowest temperature in the bottom). # Loop through each item, when the current temperature is greater than stack top temperature, then start to pop item out # of stack, and the result(next warmer temperature) of popped item is equal to current temperature index - stack popped item. class Solution: def dailyTemperatures(self, T): stack = [] res = [0] * len(T) # initial result array for i in range(len(T)): while stack and T[stack[-1]] < T[i]: # the current temperature is greater than stack top temperature res[stack[-1]] = i - stack[-1] # result of popped item: current temperature index - stack popped item. stack.pop() else: stack.append(i) return res
class Solution: def daily_temperatures(self, T): stack = [] res = [0] * len(T) for i in range(len(T)): while stack and T[stack[-1]] < T[i]: res[stack[-1]] = i - stack[-1] stack.pop() else: stack.append(i) return res
""" Write a function rotate(ar[], d, n) that rotates arr[] of size n by d elements. """ def rotate(nums, k): n = nums[:] for j in range(k): n.append(n.pop(0)) return n def rotate_using_temp(nums, k): temp = [] for j in range(k, len(nums)): temp.append(nums[j]) for i in range(k): temp.append(nums[i]) return temp def rotate_using_slice(nums, k): return nums[k:] + nums[:k] def main(): nums = [x for x in range(1, 7)] print(rotate(nums, 2)) print(rotate_using_temp(nums, 2)) print(rotate_using_slice(nums, 2)) if __name__ == '__main__': main()
""" Write a function rotate(ar[], d, n) that rotates arr[] of size n by d elements. """ def rotate(nums, k): n = nums[:] for j in range(k): n.append(n.pop(0)) return n def rotate_using_temp(nums, k): temp = [] for j in range(k, len(nums)): temp.append(nums[j]) for i in range(k): temp.append(nums[i]) return temp def rotate_using_slice(nums, k): return nums[k:] + nums[:k] def main(): nums = [x for x in range(1, 7)] print(rotate(nums, 2)) print(rotate_using_temp(nums, 2)) print(rotate_using_slice(nums, 2)) if __name__ == '__main__': main()