content
stringlengths 7
1.05M
|
---|
class SeriesField(object):
def __init__(self):
self.series = []
def add_serie(self, serie):
self.series.append(serie)
def to_javascript(self):
jsc = "series: ["
for s in self.series:
jsc += s.to_javascript() + "," # the last comma is accepted by javascript, no need to ignore
jsc += "]"
return jsc
|
self.description = "conflict 'db vs db'"
sp1 = pmpkg("pkg1", "1.0-2")
sp1.conflicts = ["pkg2"]
self.addpkg2db("sync", sp1);
sp2 = pmpkg("pkg2", "1.0-2")
self.addpkg2db("sync", sp2)
lp1 = pmpkg("pkg1")
self.addpkg2db("local", lp1)
lp2 = pmpkg("pkg2")
self.addpkg2db("local", lp2)
self.args = "-S %s --ask=4" % " ".join([p.name for p in (sp1, sp2)])
self.addrule("PACMAN_RETCODE=1")
self.addrule("PKG_EXIST=pkg1")
self.addrule("PKG_EXIST=pkg2")
|
# To check a number is prime or not
num = int(input("Enter a number: "))
check = 0
if(num>=0):
for i in range(1,num+1):
if( (num % i) == 0 ):
check=check+1
if(check==2):
print(num,"is a prime number.")
else:
print(num,"is not a prime number.");
else:
print("========Please Enter a positive number=======")
|
def func1():
pass
def func2():
pass
a = b = func1
b()
a = b = func2
a()
|
n=int(input());f=True
if n!=3: f=False
a=set()
for _ in range(n):
b,c=map(int,input().split())
a.add(b);a.add(c)
if a!={1,3,4}:
f=False
print((f) and 'Wa-pa-pa-pa-pa-pa-pow!' or 'Woof-meow-tweet-squeek')
|
numeros = []
for i in range(1, 1000001):
numeros.append(i)
for numero in numeros:
print(numero) |
# Event: LCCS Python Fundamental Skills Workshop
# Date: Dec 2018
# Author: Joe English, PDST
# eMail: [email protected]
# Purpose: A program to demonstrate recursion
# A recursive function to add up the first n numbers.
# Example: The sum of the first 5 numbers is 5 + the sum of the first 4 numbers
# So, the sum of the first n numbers is n + the sum of the first n-1 numbers
def sumOfN(n):
if n == 0:
return 0
return n + sumOfN(n-1)
# Call the function to test it
answer = sumOfN(5)
print(answer)
|
# Problem: https://docs.google.com/document/d/1Sz1cWKsiQzQUOjC76TzFcOQGYEZIPvQuWg6NjQ0B6VA/edit?usp=sharing
def print_roman(number):
dict = {1:"I", 4:"IV", 5:"V", 9:"IX", 10:"X", 40:"XL", 50:"L",
90:"XC", 100:"C", 400:"CD", 500:"D", 900:"CM", 1000:"M"}
for i in sorted(dict, reverse = True):
result = number // i
number %= i
while result:
print(dict[i], end = "")
result -= 1
print_roman(int(input()))
|
# 000562_04_ex03_def_vowels.py
# в развитие темы - написать программу, которая выводит количество гласных букв, в порядке возрастания частотности
def searsh4vowels(word):
"""выводит гласные, находящиеся в веденном тексте"""
vowels = set('aeiou')
found = vowels.intersection(set(word))
# for vowel in found:
# print (vowel)
return bool(found)
word = input ('Provide a word to search for vowels: ')
print (searsh4vowels (word))
#searsh4vowels (word)
input() |
# Definition for a binary tree node.
class TreeNode:
def __init__(self, x):
self.val = x
self.left = None
self.right = None
class Solution:
def maxDepth(self, p, d=0):
if p is None:
return 0
d = d + 1
d_left = self.maxDepth(p.left, d)
d_right = self.maxDepth(p.right, d)
return max(d, d_left, d_right)
p = TreeNode(1)
p.left = TreeNode(2)
p.right = TreeNode(3)
p.right.right = TreeNode(4)
slu = Solution()
print(slu.maxDepth(p))
|
# why does this expression cause problems and what is the fix
# helen o'shea
# 20210203
try:
message = 'I have eaten ' + 99 +' burritos.'
except:
message = 'I have eaten ' + str(99) +' burritos.'
print(message)
|
seconds = 365 * 24 * 60 * 60
for year in [1, 2, 5, 10]:
print(seconds * year)
|
"""
my_rectangle = {
# Coordinates of bottom-left corner
'left_x' : 1,
'bottom_y' : 1,
# Width and height
'width' : 6,
'height' : 3,
}
"""
def find_overlap(point1, length1, point2, length2):
# get the highest_start_point as the max of point1 and point2
highest_start_point = max(point1, point2)
# get the lowest_end_point as the min of point1 plus length1
# and point2 plus length2
lowest_end_point = min(point1 + length1, point2 + length2)
# if highest_start_point greater than or equal to lowest_end_point
if highest_start_point >= lowest_end_point:
# return a tuple of two Nones
return (None, None)
# set overlap_length to the difference between
# lowest_end_point and highest_start_point
overlap_length = lowest_end_point - highest_start_point
# return a tuple of highest_start_point and overlap_length
return (highest_start_point, overlap_length)
def find_rectangular_overlap(rect1, rect2):
# initialize left_x and width by destructuring the return value of
# find_overlap passing in left_x and width of rect1 and rect2
left_x, width = find_overlap(
rect1['left_x'], rect1['width'], rect2['left_x'], rect2['width'])
# initialize bottom_y and height by destructuring the return value of
# find_overlap passing in bottom_y and height of rect1 and rect2
bottom_y, height = find_overlap(
rect1['bottom_y'], rect1['height'], rect2['bottom_y'], rect2['height'])
# if left_x and bottom_y are None
if left_x is None or bottom_y is None:
# return an object with None for all required properties
return {
'left_x': None,
'bottom_y': None,
'width': None,
'height': None,
}
# return an object with with the return values of find_overlap
return {
'left_x': left_x,
'bottom_y': bottom_y,
'width': width,
'height': height,
}
|
# ------------------------- DESAFIO 005 -------------------------
# Programa para mostrar na tela o sucessor e antecessor de um numero digitado
num = int(input('Digite um Numero: '))
suc = num + 1
ant = num - 1
print('Abaixo seguem os numeros conforme na ordem: \n Antecessor / Numedo Digitado / Sucessor \n {:^10} / {:^15} / {:^8}'.format(ant,num,suc)) |
# -*- coding: utf-8 -*-
"""
REFUSE
Simple cross-plattform ctypes bindings for libfuse / FUSE for macOS / WinFsp
https://github.com/pleiszenburg/refuse
src/refuse/__init__.py: Package root
Copyright (C) 2008-2020 refuse contributors
<LICENSE_BLOCK>
The contents of this file are subject to the Internet Systems Consortium (ISC)
license ("ISC license" or "License"). You may not use this file except in
compliance with the License. You may obtain a copy of the License at
https://opensource.org/licenses/ISC
https://github.com/pleiszenburg/refuse/blob/master/LICENSE
Software distributed under the License is distributed on an "AS IS" basis,
WITHOUT WARRANTY OF ANY KIND, either express or implied. See the License for the
specific language governing rights and limitations under the License.
</LICENSE_BLOCK>
"""
|
# COUNT BY
# This function takes two arguments:
# A list with items to be counted
# The function the list will be mapped to
# This function uses the properties inherent in objects
# to create a new property for each unique value, then
# increase the count of that property each time that
# element appears in the list.
def count_by(arr, fn=lambda x: x):
key = {}
for el in map(fn, arr):
key[el] = 0 if el not in key else key[el]
key[el] += 1
return key
print(count_by(['one','two','three'], len))
# returns {3: 2, 5: 1}
|
N, A, B = map(int, input().split())
if (B - A) % 2 == 0:
print('Alice')
else:
print('Borys')
|
"""
RabbitMQ concepts
"""
def Graphic_shape():
return "none"
def Graphic_colorfill():
return "#FFCC66"
def Graphic_colorbg():
return "#FFCC66"
def Graphic_border():
return 2
def Graphic_is_rounded():
return True
# managementUrl = rabbitmq.ManagementUrlPrefix(configNam)
# managementUrl = rabbitmq.ManagementUrlPrefix(configNam,"users",namUser)
# managementUrl = rabbitmq.ManagementUrlPrefix(configNam,"vhosts",namVHost)
# managementUrl = rabbitmq.ManagementUrlPrefix(configNam,"exchanges",namVHost,namExchange)
# managementUrl = rabbitmq.ManagementUrlPrefix(configNam,"queues",namVHost,namQ)
# managementUrl = "http://" + configNam + "/#/queues/" + "%2F" + "/" + namQueue
# managementUrl = "http://" + configNam + "/#/vhosts/" + "%2F"
# managementUrl = "http://" + configNam + "/#/users/" + namUser
# managementUrl = "http://" + configNam + "/#/users/" + namUser
def ManagementUrlPrefix(config_nam, key="vhosts", name_key1="", name_key2=""):
pre_prefix = "http://" + config_nam + "/#/"
if not key:
return pre_prefix
if key == "users":
return pre_prefix + "users/" + name_key1
# It is a virtual host name.
if name_key1 == "/":
effective_v_host = "%2F"
else:
effective_v_host = name_key1
effective_v_host = effective_v_host.lower() # RFC4343
vhost_prefix = pre_prefix + key + "/" + effective_v_host
if key in ["vhosts", "connections"]:
return vhost_prefix
return vhost_prefix + "/" + name_key2
|
#
# PySNMP MIB module HPN-ICF-ISSU-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/HPN-ICF-ISSU-MIB
# Produced by pysmi-0.3.4 at Wed May 1 13:39:30 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)
#
OctetString, ObjectIdentifier, Integer = mibBuilder.importSymbols("ASN1", "OctetString", "ObjectIdentifier", "Integer")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ValueRangeConstraint, ValueSizeConstraint, SingleValueConstraint, ConstraintsIntersection, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "ValueSizeConstraint", "SingleValueConstraint", "ConstraintsIntersection", "ConstraintsUnion")
hpnicfCommon, = mibBuilder.importSymbols("HPN-ICF-OID-MIB", "hpnicfCommon")
NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance")
Gauge32, Bits, Counter32, MibScalar, MibTable, MibTableRow, MibTableColumn, ObjectIdentity, IpAddress, TimeTicks, MibIdentifier, iso, Counter64, NotificationType, ModuleIdentity, Integer32, Unsigned32 = mibBuilder.importSymbols("SNMPv2-SMI", "Gauge32", "Bits", "Counter32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "ObjectIdentity", "IpAddress", "TimeTicks", "MibIdentifier", "iso", "Counter64", "NotificationType", "ModuleIdentity", "Integer32", "Unsigned32")
TextualConvention, RowStatus, TruthValue, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "RowStatus", "TruthValue", "DisplayString")
hpnicfIssuUpgrade = ModuleIdentity((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133))
hpnicfIssuUpgrade.setRevisions(('2013-01-15 15:36',))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts: hpnicfIssuUpgrade.setRevisionsDescriptions(('Initial version of this MIB module. Added hpnicfIssuUpgradeImageTable hpnicfIssuOp hpnicfIssuCompatibleResult hpnicfIssuTestResultTable hpnicfIssuUpgradeResultTable',))
if mibBuilder.loadTexts: hpnicfIssuUpgrade.setLastUpdated('201301151536Z')
if mibBuilder.loadTexts: hpnicfIssuUpgrade.setOrganization('')
if mibBuilder.loadTexts: hpnicfIssuUpgrade.setContactInfo('')
if mibBuilder.loadTexts: hpnicfIssuUpgrade.setDescription("This MIB provides objects for upgrading images on modules in the system, objects for showing the result of an upgrade operation, and objects for showing the result of a test operation. To perform an upgrade operation, a management application must first read the hpnicfIssuUpgradeImageTable table and use the information in other tables, as explained below. You can configure a new image name for each image type as listed in hpnicfIssuUpgradeImageTable. The system will use this image on the particular module at the next reboot. The management application used to perform an upgrade operation must first check if an upgrade operation is already in progress in the system. This is done by reading the hpnicfIssuOpType ('none' indicates that no other upgrade operation is in progress. Any other value indicates that an upgrade is already in progress and a new upgrade operation is not allowed. To start an 'install' operation, the user must first perform a 'test' operation to examine the version compatibility between the given set of images and the running images. Only if the result of the 'test' operation is 'success' can the user proceed to do an install operation. The table hpnicfIssuTestResultTable provides the result of the 'test' operation performed by using hpnicfIssuOpType. The table hpnicfIssuUpgradeResultTable provides the result of the 'install' operation performed by using hpnicfIssuOpType. ")
hpnicfIssuUpgradeMibObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1))
hpnicfIssuUpgradeGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 1))
hpnicfIssuUpgradeImageTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 1, 1), )
if mibBuilder.loadTexts: hpnicfIssuUpgradeImageTable.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuUpgradeImageTable.setDescription('A table listing the image variable types that exist in the device.')
hpnicfIssuUpgradeImageEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 1, 1, 1), ).setIndexNames((0, "HPN-ICF-ISSU-MIB", "hpnicfIssuUpgradeImageIndex"))
if mibBuilder.loadTexts: hpnicfIssuUpgradeImageEntry.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuUpgradeImageEntry.setDescription('An hpnicfIssuUpgradeImageEntry entry. Each entry provides an image variable type that exists in the device.')
hpnicfIssuUpgradeImageIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 1, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647)))
if mibBuilder.loadTexts: hpnicfIssuUpgradeImageIndex.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuUpgradeImageIndex.setDescription('Index of each image.')
hpnicfIssuUpgradeImageType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 1, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("boot", 1), ("system", 2), ("feature", 3), ("ipe", 4)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfIssuUpgradeImageType.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuUpgradeImageType.setDescription("Types of images that the system can run. The value of this object has four image variables names - 'boot', 'system', 'feature' and 'ipe'. This table will then list these four strings as follows: hpnicfIssuUpgradeImageType boot system feature IPE The user can assign images (using hpnicfIssuUpgradeImageURL) to these variables and the system will use the assigned images to boot.")
hpnicfIssuUpgradeImageURL = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 1, 1, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 127))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfIssuUpgradeImageURL.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuUpgradeImageURL.setDescription('This object contains the path of the image of this entity.')
hpnicfIssuUpgradeImageRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 1, 1, 1, 4), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfIssuUpgradeImageRowStatus.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuUpgradeImageRowStatus.setDescription('Row-status of image table.')
hpnicfIssuOp = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 1, 2))
hpnicfIssuOpType = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 1, 2, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("none", 1), ("done", 2), ("test", 3), ("install", 4), ("rollback", 5))).clone('none')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfIssuOpType.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuOpType.setDescription("Command to be executed. The 'test' command must be performed before the 'install' command can be executed. The 'install' command is allowed only if a read of this object returns 'test' and the value of object hpnicfIssuOpStatus is 'success'. Command Remarks none If the user sets this object to 'none', the agent will return a success without performing an upgrade operation. done If this object returns any value other than 'none', setting this to 'done' will do the required cleanup of the previous upgrade operation and get the system ready for a new upgrade operation. test Check the version compatibility and upgrade method for the given set of image files. install For all the image entities listed in the hpnicfIssuUpgradeImageTable, perform the required upgrade operation listed in that table. rollback Abort the current 'install' operation and roll back to the previous version. ")
hpnicfIssuImageFileOverwrite = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 1, 2, 2), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfIssuImageFileOverwrite.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuImageFileOverwrite.setDescription('If you want to overwrite the existing file, set the value of this object to enable. Otherwise, set the value of this object to disable.')
hpnicfIssuOpTrapEnable = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 1, 2, 3), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpnicfIssuOpTrapEnable.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuOpTrapEnable.setDescription('If you want to enable the trap, set the value of this object to enable. Otherwise, set the value of this object to disable.')
hpnicfIssuOpStatus = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 1, 2, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("none", 1), ("failure", 2), ("inProgress", 3), ("success", 4), ("rollbackInProgress", 5), ("rollbackSuccess", 6))).clone('none')).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfIssuOpStatus.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuOpStatus.setDescription('Status of the specified operation. none - No operation was performed. failure - Specified operation has failed. inProgress - Specified operation is in progress. success - Specified operation completed successfully. rollbackInProgress - Rollback operation is in progress. rollbackSuccess - Rollback operation completed successfully. ')
hpnicfIssuFailedReason = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 1, 2, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfIssuFailedReason.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuFailedReason.setDescription("Indicates the the cause of 'failure' state of the object 'hpnicfIssuOpStatus'. This object would be a null string if the value of 'hpnicfIssuOpStatus' is not 'failure'.")
hpnicfIssuOpTimeCompleted = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 1, 2, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfIssuOpTimeCompleted.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuOpTimeCompleted.setDescription("Indicates the time when the upgrade operation was completed. This object would be a null string if hpnicfIssuOpType is 'none'. ")
hpnicfIssuLastOpType = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 1, 2, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("none", 1), ("done", 2), ("test", 3), ("install", 4), ("rollback", 5))).clone('none')).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfIssuLastOpType.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuLastOpType.setDescription("This object indicates the previous hpnicfIssuOp value. It will be updated after a new hpnicfIssuOp is set and delivered to the upgrade process. Command Remarks none If the user sets this object to 'none', agent will return a success without performing an upgrade operation. done If this object returns any value other than 'none', setting this to 'done' will do the required cleanup of the previous upgrade operation and get the system ready for a new upgrade operation. test Check the version compatibility and upgrade method for the given set of image files. install For all the image entities listed in the hpnicfIssuUpgradeImageTable, perform the required upgrade operation listed in that table. rollback Abort the current install operation and roll back to the previous version. ")
hpnicfIssuLastOpStatus = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 1, 2, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("none", 1), ("failure", 2), ("inProgress", 3), ("success", 4), ("rollbackInProgress", 5), ("rollbackSuccess", 6))).clone('none')).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfIssuLastOpStatus.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuLastOpStatus.setDescription('This object indicates previous hpnicfIssuOpStatus value. It will be updated after new hpnicfIssuOp is set and delivered to upgrade process. none - No operation was performed. failure - Specified operation has failed. inProgress - Specified operation is active. success - Specified operation completed successfully. rollbackInProgress - Rollback operation is in progress. rollbackSuccess - Rollback operation completed successfully. ')
hpnicfIssuLastOpFailedReason = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 1, 2, 9), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfIssuLastOpFailedReason.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuLastOpFailedReason.setDescription("Indicates the cause of 'failure' state of the object 'hpnicfIssuOpStatus'. This object would be a null string if the value of 'hpnicfIssuOpStatus' is not 'failure'. The value will be updated when new hpnicfIssuOp is set and delivered to the upgrade process.")
hpnicfIssuLastOpTimeCompleted = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 1, 2, 10), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfIssuLastOpTimeCompleted.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuLastOpTimeCompleted.setDescription('Indicates the previous hpnicfIssuOpTimeCompleted value. The value will be updated when new hpnicfIssuOp is set and delivered to the upgrade process.')
hpnicfIssuUpgradeResultGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 2))
hpnicfIssuCompatibleResult = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 2, 1))
hpnicfIssuCompatibleResultStatus = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("none", 1), ("inCompatible", 2), ("compatible", 3), ("failure", 4))).clone('none')).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfIssuCompatibleResultStatus.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuCompatibleResultStatus.setDescription('Specifies whether the images provided in hpnicfIssuUpgradeImageTable are compatible with each other as far as this module is concerned. none - No operation was performed. inCompatible - The images provided are compatible and can be run on this module. compatible - The images provided are incompatible and can be run on this module. failure - Failed to get the compatibility. ')
hpnicfIssuCompatibleResultFailedReason = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 2, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfIssuCompatibleResultFailedReason.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuCompatibleResultFailedReason.setDescription("Indicates the cause of 'failure' state of the object 'hpnicfIssuCompatibleResultStatus'. This object would be a null string if the value of 'hpnicfIssuCompatibleResultStatus' is not 'failure'.")
hpnicfIssuTestResultTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 2, 2), )
if mibBuilder.loadTexts: hpnicfIssuTestResultTable.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuTestResultTable.setDescription('Shows the result of the test operation, from which you can see the upgrade method.')
hpnicfIssuTestResultEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 2, 2, 1), ).setIndexNames((0, "HPN-ICF-ISSU-MIB", "hpnicfIssuTestResultIndex"))
if mibBuilder.loadTexts: hpnicfIssuTestResultEntry.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuTestResultEntry.setDescription('An hpnicfIssuTestResultEntry entry. Each entry provides the test result of a card in the device.')
hpnicfIssuTestResultIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 2, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535)))
if mibBuilder.loadTexts: hpnicfIssuTestResultIndex.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuTestResultIndex.setDescription('Internal index, not accessible.')
hpnicfIssuTestDeviceChassisID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 2, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfIssuTestDeviceChassisID.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuTestDeviceChassisID.setDescription('Chassis ID of the card.')
hpnicfIssuTestDeviceSlotID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 2, 2, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfIssuTestDeviceSlotID.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuTestDeviceSlotID.setDescription('Slot ID of the card.')
hpnicfIssuTestDeviceCpuID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 2, 2, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfIssuTestDeviceCpuID.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuTestDeviceCpuID.setDescription('CPU ID of the card.')
hpnicfIssuTestDeviceUpgradeWay = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 2, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("none", 1), ("reboot", 2), ("sequenceReboot", 3), ("issuReboot", 4), ("serviceUpgrade", 5), ("fileUpgrade", 6), ("incompatibleUpgrade", 7))).clone('none')).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfIssuTestDeviceUpgradeWay.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuTestDeviceUpgradeWay.setDescription('Upgrade method of the device. none - No operation was performed. reboot - The upgrade method of this device is Reboot. sequenceReboot - The upgrade method of this device is SequenceReboot. issuReboot - The upgrade method of this device is IssuReboot. serviceUpgrade - The upgrade method of this device is ServiceReboot. fileUpgrade - The upgrade method of this device is FileReboot. incompatibleUpgrade - The upgrade method of this device is IncompatibleUpgrade. ')
hpnicfIssuUpgradeResultTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 2, 3), )
if mibBuilder.loadTexts: hpnicfIssuUpgradeResultTable.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuUpgradeResultTable.setDescription('Shows the result of the install operation.')
hpnicfIssuUpgradeResultEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 2, 3, 1), ).setIndexNames((0, "HPN-ICF-ISSU-MIB", "hpnicfIssuUpgradeResultIndex"))
if mibBuilder.loadTexts: hpnicfIssuUpgradeResultEntry.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuUpgradeResultEntry.setDescription('An hpnicfIssuUpgradeResultEntry entry. Each entry provides the upgrade result of a card in the device.')
hpnicfIssuUpgradeResultIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 2, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535)))
if mibBuilder.loadTexts: hpnicfIssuUpgradeResultIndex.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuUpgradeResultIndex.setDescription('Internal Index, not accessible.')
hpnicfIssuUpgradeDeviceChassisID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 2, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfIssuUpgradeDeviceChassisID.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuUpgradeDeviceChassisID.setDescription('Chassis ID of the card.')
hpnicfIssuUpgradeDeviceSlotID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 2, 3, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfIssuUpgradeDeviceSlotID.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuUpgradeDeviceSlotID.setDescription('Slot ID of the card.')
hpnicfIssuUpgradeDeviceCpuID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 2, 3, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfIssuUpgradeDeviceCpuID.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuUpgradeDeviceCpuID.setDescription('CPU ID of the card.')
hpnicfIssuUpgradeState = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 2, 3, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("init", 1), ("loading", 2), ("loaded", 3), ("switching", 4), ("switchover", 5), ("committing", 6), ("committed", 7), ("rollbacking", 8), ("rollbacked", 9)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfIssuUpgradeState.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuUpgradeState.setDescription('Upgrade status of the device. init -The current status of the device is Init. loading -The current status of the device is Loading. loaded -The current status of the device is Loaded. switching -The current status of the device is Switching. switchover -The current status of the device is Switchover. committing -The current status of the device is Committing. committed -The current status of the device is Committed. rollbacking -The current status of the device is Rollbacking. rollbacked -The current status of the device is Rollbacked. ')
hpnicfIssuDeviceUpgradeWay = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 2, 3, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("none", 1), ("reboot", 2), ("sequenceReboot", 3), ("issuReboot", 4), ("serviceUpgrade", 5), ("fileUpgrade", 6), ("incompatibleUpgrade", 7)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfIssuDeviceUpgradeWay.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuDeviceUpgradeWay.setDescription('Upgrade method of the card. none - No operation was performed. reboot - The upgrade method of this device is Reboot. sequenceReboot - The upgrade method of this device is SequenceReboot. issuReboot - The upgrade method of this device is IssuReboot. serviceUpgrade - The upgrade method of this device is ServiceReboot. fileUpgrade - The upgrade method of this device is FileReboot. incompatibleUpgrade - The upgrade method of this device is IncompatibleUpgrade. ')
hpnicfIssuUpgradeDeviceStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 2, 3, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("waitingUpgrade", 1), ("inProcess", 2), ("success", 3), ("failure", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfIssuUpgradeDeviceStatus.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuUpgradeDeviceStatus.setDescription('Upgrade status of the device.')
hpnicfIssuUpgradeFailedReason = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 1, 2, 3, 1, 8), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfIssuUpgradeFailedReason.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuUpgradeFailedReason.setDescription("Indicates the cause of 'failure' state of the object 'hpnicfIssuUpgradeDeviceStatus'. This object would be a null string if the value of 'hpnicfIssuCompatibleResultStatus' is not 'failure'.")
hpnicfIssuUpgradeNotify = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 2))
hpnicfIssuUpgradeTrapPrefix = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 2, 0))
hpnicfIssuUpgradeOpCompletionNotify = NotificationType((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 133, 2, 0, 1)).setObjects(("HPN-ICF-ISSU-MIB", "hpnicfIssuOpType"), ("HPN-ICF-ISSU-MIB", "hpnicfIssuOpStatus"), ("HPN-ICF-ISSU-MIB", "hpnicfIssuFailedReason"), ("HPN-ICF-ISSU-MIB", "hpnicfIssuOpTimeCompleted"))
if mibBuilder.loadTexts: hpnicfIssuUpgradeOpCompletionNotify.setStatus('current')
if mibBuilder.loadTexts: hpnicfIssuUpgradeOpCompletionNotify.setDescription('An hpnicfIssuUpgradeOpCompletionNotify is sent at the completion of upgrade operation denoted by hpnicfIssuOp object, if such a notification was requested when the operation was initiated. hpnicfIssuOpType indicates the type of the operation. hpnicfIssuOpStatus indicates the result of the operation. hpnicfIssuFailedReason indicates the operation failure reason. hpnicfIssuOpTimeCompleted indicates the time when the operation was completed.')
mibBuilder.exportSymbols("HPN-ICF-ISSU-MIB", hpnicfIssuUpgradeImageRowStatus=hpnicfIssuUpgradeImageRowStatus, hpnicfIssuImageFileOverwrite=hpnicfIssuImageFileOverwrite, hpnicfIssuOpTrapEnable=hpnicfIssuOpTrapEnable, hpnicfIssuUpgradeFailedReason=hpnicfIssuUpgradeFailedReason, hpnicfIssuUpgradeImageType=hpnicfIssuUpgradeImageType, hpnicfIssuUpgradeImageTable=hpnicfIssuUpgradeImageTable, hpnicfIssuOpStatus=hpnicfIssuOpStatus, hpnicfIssuTestResultTable=hpnicfIssuTestResultTable, hpnicfIssuUpgradeDeviceStatus=hpnicfIssuUpgradeDeviceStatus, hpnicfIssuCompatibleResultFailedReason=hpnicfIssuCompatibleResultFailedReason, hpnicfIssuUpgradeImageEntry=hpnicfIssuUpgradeImageEntry, hpnicfIssuCompatibleResult=hpnicfIssuCompatibleResult, hpnicfIssuUpgradeImageURL=hpnicfIssuUpgradeImageURL, hpnicfIssuOpType=hpnicfIssuOpType, hpnicfIssuUpgradeMibObjects=hpnicfIssuUpgradeMibObjects, hpnicfIssuOp=hpnicfIssuOp, hpnicfIssuUpgradeDeviceChassisID=hpnicfIssuUpgradeDeviceChassisID, hpnicfIssuUpgradeResultEntry=hpnicfIssuUpgradeResultEntry, hpnicfIssuUpgradeNotify=hpnicfIssuUpgradeNotify, hpnicfIssuLastOpType=hpnicfIssuLastOpType, hpnicfIssuTestDeviceUpgradeWay=hpnicfIssuTestDeviceUpgradeWay, hpnicfIssuUpgradeImageIndex=hpnicfIssuUpgradeImageIndex, hpnicfIssuUpgradeOpCompletionNotify=hpnicfIssuUpgradeOpCompletionNotify, hpnicfIssuUpgradeResultGroup=hpnicfIssuUpgradeResultGroup, hpnicfIssuUpgradeDeviceSlotID=hpnicfIssuUpgradeDeviceSlotID, hpnicfIssuOpTimeCompleted=hpnicfIssuOpTimeCompleted, hpnicfIssuLastOpTimeCompleted=hpnicfIssuLastOpTimeCompleted, hpnicfIssuUpgradeTrapPrefix=hpnicfIssuUpgradeTrapPrefix, hpnicfIssuTestDeviceChassisID=hpnicfIssuTestDeviceChassisID, hpnicfIssuDeviceUpgradeWay=hpnicfIssuDeviceUpgradeWay, hpnicfIssuUpgrade=hpnicfIssuUpgrade, PYSNMP_MODULE_ID=hpnicfIssuUpgrade, hpnicfIssuTestResultIndex=hpnicfIssuTestResultIndex, hpnicfIssuUpgradeDeviceCpuID=hpnicfIssuUpgradeDeviceCpuID, hpnicfIssuUpgradeState=hpnicfIssuUpgradeState, hpnicfIssuLastOpFailedReason=hpnicfIssuLastOpFailedReason, hpnicfIssuLastOpStatus=hpnicfIssuLastOpStatus, hpnicfIssuTestDeviceSlotID=hpnicfIssuTestDeviceSlotID, hpnicfIssuTestDeviceCpuID=hpnicfIssuTestDeviceCpuID, hpnicfIssuCompatibleResultStatus=hpnicfIssuCompatibleResultStatus, hpnicfIssuUpgradeGroup=hpnicfIssuUpgradeGroup, hpnicfIssuFailedReason=hpnicfIssuFailedReason, hpnicfIssuUpgradeResultTable=hpnicfIssuUpgradeResultTable, hpnicfIssuUpgradeResultIndex=hpnicfIssuUpgradeResultIndex, hpnicfIssuTestResultEntry=hpnicfIssuTestResultEntry)
|
def factorial(n):
total = 1
for i in range(1, n+1):
total *= i
return total
if __name__ == '__main__':
f = factorial(10)
print(f)
|
#!/usr/bin/env python3.8
#
########################################
#
# Python Tips, by Wolfgang Azevedo
# https://github.com/wolfgang-azevedo/python-tips
#
# Round Built-in Function
# 2020-03-12
#
########################################
#
#
num_1 = input("Digite um número tipo float: ") # ex.: 1.13
num_2 = input("Digite segundo número tipo float: ") #ex.: 2.15
soma = float(num_1) + float(num_2)
print(f'\nsem arredondar o valor: {soma}')
# Built-in round function, rounds numbers
# Função embarcada Round, faz o arredondamento de números
print(f'valor arredondado: {round(soma)}\n') |
# encoding=utf-8
class LazyDB(object):
def __init__(self):
self.exists = 5
def __getattr__(self, name):
value = 'Value for %s' %name
setattr(self,name,value)
return value
data = LazyDB()
print('Before',data.__dict__)
print('foo',data.foo)
print('After',data.__dict__)
class LogginglazyDB(LazyDB):
def __getattr__(self, name):
print('Called __getattr__(%s)' %name)
return super().__getattr__(name)
data = LogginglazyDB()
print('exists:',data.exists)
print('foo:',data.foo)
print('foo:',data.foo)
class ValidatingDB(object):
def __init__(self):
self.exists = 5
def __getattribute__(self, name):
print('Called__getattribute__(%s)'% name)
try:
return super().__getattribute__(name)
except AttributeError:
value = 'Value for %s' %name
setattr(self,name,value)
return value
data = ValidatingDB()
print('exists:',data.exists)
print('foo:',data.foo)
print('foo:',data.foo)
class MissingPropertyDB(object):
def __getattr__(self, item):
if item == "bad_name":
raise AttributeError('%s is missing' %item)
#
# data = MissingPropertyDB()
# data.bad_name
class SavingDB(object):
def __setattr__(self, key, value):
super().__setattr__(key,value)
class LoggingSavingDB(object):
def __setattr__(self, key, value):
print('called __setattr__(%s,%r)' %(key,value))
super().__setattr__(key,value)
data = LoggingSavingDB()
print('before',data.__dict__)
data.foo = 5
print('after',data.__dict__)
data.foo = 7
print('Finally',data.__dict__)
class BrokenDictionaryDB(object):
def __init__(self,data):
self._data = data
def __getattribute__(self, item):
print('called __getattibute__(%s)' %item)
return self._data[item] |
'''def algo1():
print('Antes da exceção')
raise Exception('exceção do algo1')
print('Depois da exceção')
algo1()'''
def algo1():
print('Anterior a exceção')
algo2()
print('Após a exceção')
def algo2():
raise Exception('exceção do algo2')
algo1() |
n, flag = input(), False
for i in range(2, len(n)):
if (int(n[i]) - int(n[i-1]) != int(n[i-1]) - int(n[i-2])):
flag = True
break
if len(n) == 1:
flag = False
if flag:
print("흥칫뿡!! <( ̄ ﹌  ̄)>")
else:
print("◝(⑅•ᴗ•⑅)◜..°♡ 뀌요미!!")
|
#!/usr/bin/env python
# -*- encoding: utf-8 -*-
"""
@File : exceptions.py
@Contact : [email protected]
@Description:
@Modify Time @Author @Version @Description
------------ ------- -------- -----------
2021/6/26 4:43 下午 leetao 1.0 None
"""
# import lib
class Error(Exception):
pass
class SignatureNotMatchError(Error):
pass
class ContentFormatError(Error):
pass
class ParamError(Error):
pass
class SyncError(Error):
pass
|
"""
A sentence S is given, composed of words separated by spaces. Each word
consists of lowercase and uppercase letters only.
We would like to convert the sentence to "Goat Latin"
(a made-up language similar to Pig Latin.)
The rules of Goat Latin are as follows:
- If a word begins with a vowel (a, e, i, o, or u), append "ma" to the
end of the word.
For example, the word 'apple' becomes 'applema'.
- If a word begins with a consonant (i.e. not a vowel), remove the
first letter and append it to the end, then add "ma".
For example, the word "goat" becomes "oatgma".
- Add one letter 'a' to the end of each word per its word index in the
sentence, starting with 1.
For example, the first word gets "a" added to the end, the second
word gets "aa" added to the end and so on.
Return the final sentence representing the conversion from S to Goat
Latin.
Example:
Input: "I speak Goat Latin"
Output: "Imaa peaksmaaa oatGmaaaa atinLmaaaaa"
Example:
Input: "The quick brown fox jumped over the lazy dog"
Output: "heTmaa uickqmaaa rownbmaaaa oxfmaaaaa umpedjmaaaaaa overmaaaaaaa
hetmaaaaaaaa azylmaaaaaaaaa ogdmaaaaaaaaaa"
Notes:
- S contains only uppercase, lowercase and spaces. Exactly one space
between each word.
- 1 <= S.length <= 150.
"""
#Difficulty: Easy
#99 / 99 test cases passed.
#Runtime: 24 ms
#Memory Usage: 13.9 MB
#Runtime: 24 ms, faster than 94.44% of Python3 online submissions for Goat Latin.
#Memory Usage: 13.9 MB, less than 42.39% of Python3 online submissions for Goat Latin.
class Solution:
def toGoatLatin(self, S: str) -> str:
words = S.split(' ')
length = len(words)
vowels = ('a', 'e', 'i', 'o', 'u')
for i in range(length):
if words[i][0].lower() in vowels:
words[i] += 'ma'+ 'a' * (i + 1)
else:
words[i] = words[i][1:] + words[i][0] + 'ma'+ 'a' * (i + 1)
return ' '.join(words)
|
#~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
# Copyright 2012 California Institute of Technology. ALL RIGHTS RESERVED.
#
# 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.
#
# United States Government Sponsorship acknowledged. This software is subject to
# U.S. export control laws and regulations and has been classified as 'EAR99 NLR'
# (No [Export] License Required except when exporting to an embargoed country,
# end user, or in support of a prohibited end use). By downloading this software,
# the user agrees to comply with all applicable U.S. export laws and regulations.
# The user has the responsibility to obtain export licenses, or other export
# authority as may be required before exporting this software to any 'EAR99'
# embargoed foreign country or citizen of those countries.
#
# Author: Eric Belz
#~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
"""Some specialized arithmetic exceptions for
Vector and Affine Spaces.
"""
## \namespace geo::exceptions
## <a href="http://docs.python.org/2/library/exceptions.html">Exceptions</a>
## for Vector and Affines spaces.
## Base class for geometric errors
class GeometricException(ArithmeticError):
"""A base class- not to be raised"""
pass
## A reminder to treat geometric objects properly.
class NonCovariantOperation(GeometricException):
"""Raise when you do something that is silly[1], like adding
a Scalar to a Vector\.
[1]Silly: (adj.) syn: non-covariant"""
pass
## A reminder that Affine space are affine, and vector spaces are not.
class AffineSpaceError(GeometricException):
"""Raised when you forget the points in an affine space are
not vector in a vector space, and visa versa"""
pass
## A catch-all for overlaoded operations getting non-sense.
class UndefinedGeometricOperation(GeometricException):
"""This will raised if you get do an opeation that has been defined for
a Tensor/Affine/Coordinate argument, but you just have a non-sense
combinabtion, like vector**vector.
"""
pass
## This function should make a generic error message
def error_message(op, left, right):
"""message = error_message(op, left, right)
op is a method or a function
left is a geo object
right is probably a geo object.
message is what did not work
"""
return "%s(%s, %s)"%(op.__name__,
left.__class__.__name__,
right.__class__.__name__)
|
class Solution:
def singleNonDuplicate(self, nums):
"""
:type nums: List[int]
:rtype: int
"""
c=0
for num in nums:
c=c^num
return c
|
# -*- coding: utf-8 -*-
"""
Created on Fri Dec 20 23:18:03 2019
@author: NOTEBOOK
"""
def main():
speed = int(input('What is the speed of the vehicle in mph? '))
hours = int(input('How many hours has it traveled? '))
print('Hour\t\tDistance traveled(Miles)')
print('-------------------------------------')
for num in range(hours):
distance = speed *(num + 1)
print (num + 1,'\t\t\t',distance)
main() |
class Params(object):
""" Params object """
def __init__(self):
self._params = set()
self._undefined_params = set()
@property
def params(self) -> set:
return self._params
@property
def defined_params(self) -> set:
return self._params ^ self._undefined_params
@property
def undefined_params(self) -> set:
return self._undefined_params
def add_param(self, name: str):
self._params.add(name)
def add_undefined_param(self, name: str):
self._undefined_params.add(name)
def to_dict(self):
""" Returns a dict of params """
resp = {}
for param in self._params:
resp[param] = getattr(self, param)
return resp
|
winClass = window.get_active_class()
if winClass not in ("code.Code", "emacs.Emacs"):
# Regular window
keyboard.send_keys('<home>')
keyboard.send_keys('<shift>+<end>')
else:
# VS Code
keyboard.send_keys('<ctrl>+l')
|
n1 = int(input('Digite um número: '))
n2 = int(input('Agora digite outro número: '))
while n1 >= n2:
print (n2)
n2 += 1
while n1 <= n2:
print (n1)
n1 += 1
|
#! /usr/bin/env python
###############################################################################
# esp8266_MicroPy_main_boilerplate.py
#
# base main.py boilerplate code for MicroPython running on the esp8266
# Copy relevant parts and/or file with desired settings into main.py on the esp8266
#
# The main.py file will run immediately after boot.py
# As you might expect, the main part of your code should be here
#
# Created: 06/04/16
# - Joshua Vaughan
# - [email protected]
# - http://www.ucs.louisiana.edu/~jev9637
#
# Modified:
# *
#
###############################################################################
# just blink the LED every 1s to indicate we made it into the main.py file
while True:
time.sleep(1)
pin.value(not pin.value()) # Toggle the LED while trying to connect
time.sleep(1) |
"""
Condições IF, Elif e Else
"""
# If, Else e Elif são verificadores que se baseiam em boolean (TRUE ou FALSE) para determinar
# o que deve ser feito. Se uma ação deve ser feita caso seja verdadeiro ou outra caso seja
# falso. No caso o If é a primeira linha de verificação. Não se começa por else ou elif
# Nunca esquecer de colocar o que você deseja verificar com if em uma identação (Tab ou 4
# barras de espaço).
# O if pode verificar qualquer coisa
# O if só sera executado caso seja true o resultado. Caso seja False o if sera completamente
#ignorado e o código rodara normalmente. Mas existe uma maneira de continuar caso seja falso
if False:
print('Verdadeiro')
# O else é uma ação que pode ocorrer caso o if de resultado false. Porem ele só pode ser
# utilizado uma vez por condição.
else:
print('Código rodando')
if False:
print('Verdadeiro')
# Para resolver o problema de não poder utilizar mais de um else, existe o elif, que pode ser
# utilizado varias vezes.
elif True:
print('Elif')
else:
print('Código rodando') |
class Angel:
color = "white"
feature = "wings"
home = "Heaven"
class Demon:
color = "red"
feature = "horns"
home = "Hell"
my_angel = Angel()
print(my_angel.color)
print(my_angel.feature)
print(my_angel.home)
my_demon = Demon()
print(my_demon.color)
print(my_demon.feature)
print(my_demon.home)
|
# uninhm
# https://codeforces.com/contest/1419/problem/A
# greedy
def hasmodulo(s, a):
for i in s:
if int(i) % 2 == a:
return True
return False
for _ in range(int(input())):
n = int(input())
s = input()
if n % 2 == 0:
if hasmodulo(s[1::2], 0):
print(2)
else:
print(1)
else:
if hasmodulo(s[0::2], 1):
print(1)
else:
print(2)
|
agent = dict(
type='TD3_BC',
batch_size=256,
gamma=0.95,
update_coeff=0.005,
policy_update_interval=2,
alpha=2.5,
)
log_level = 'INFO'
eval_cfg = dict(
type='Evaluation',
num=10,
num_procs=1,
use_hidden_state=False,
start_state=None,
save_traj=True,
save_video=True,
use_log=False,
)
train_mfrl_cfg = dict(
on_policy=False,
)
|
# https://codeforces.com/contest/1270/problem/B
# https://codeforces.com/contest/1270/submission/68220722
# https://github.com/miloszlakomy/competitive/tree/master/codeforces/1270B
def solve(A):
for cand in range(len(A)-1):
if abs(A[cand] - A[cand+1]) >= 2:
return cand, cand+2
return None
t = int(input())
for _ in range(t):
_ = input() # n
A = [int(x) for x in input().split()]
ans = solve(A)
if ans is None:
print("NO")
else:
print("YES")
start, end = ans
print(start+1, end)
|
class CustomConstant(object):
"""
Simple class for custom constants such as NULL, NOT_FOUND, etc.
Each object is obviously unique, so it is simple to do an equality
check. Each object can be configured with string, int, float,
and boolean values, as well as attributes.
"""
def __init__(self, **config):
self.__strValue = config.get("strValue", None)
self.__intValue = config.get("intValue", None)
self.__floatValue = config.get("floatValue", None)
self.__boolValue = config.get("boolValue", None)
for configKey in config:
setattr(self, configKey, config[configKey])
def __int__(self):
if self.__intValue == None:
if self.__floatValue == None:
raise TypeError
return int(self.__floatValue)
return self.__intValue
def __float__(self):
if self.__floatValue == None:
if self.__intValue == None:
raise TypeError
return float(self.__intValue)
return self.__floatValue
def __bool__(self):
if self.__boolValue == None:
if self.__intValue == None:
if self.__floatValue == None:
raise TypeError
return bool(self.__floatValue)
return bool(self.__intValue)
return self.__boolValue
def __str__(self):
if self.__strValue == None:
sParts = []
if self.__intValue: sParts.append(str(self.__intValue))
if self.__floatValue: sParts.append(str(self.__floatValue))
if self.__boolValue: sParts.append(str(self.__boolValue))
return "/".join(sParts)
return self.__strValue
def __repr__(self):
return "Constant(%s)" % str(self) |
def identity(x):
return x
def with_max_length(max_length):
return lambda x: x[:max_length] if x else x
def identity_or_none(x):
return None if not x else x
def tipo_de_pessoa(x):
return "J" if x == "PJ" else "F"
def cnpj(x, tipo_pessoa):
return x if tipo_pessoa == "PJ" else None
def cpf(x, tipo_pessoa):
return None if tipo_pessoa == "PJ" else x
def fn_tipo_de_produto(tipos_mapping, tipo_default):
return lambda x: tipos_mapping.get(x, tipo_default)
def constantly(x):
return lambda n: x
def _or(x, y):
return x or y
def strtimestamp_to_strdate(x):
return None if not x else x.split(" ")[0]
def seq_generator():
seq = [0]
def generator(x):
seq[0] += 1
return seq[0]
return generator
def find_and_get(items, attr, result_attr, convert_before_filter=lambda x: x):
def _find_and_get(value):
try:
x = convert_before_filter(value)
found = next(filter(lambda i: i.get(attr) == x, items))
return found.get(result_attr)
except StopIteration:
return None
return _find_and_get
|
a = 1
b = 2
c = 3
tmp=a
a=b
b=tmp
tmp=c
c=b
b=tmp
|
# https://programmers.co.kr/learn/courses/30/lessons/43105
# 정수 삼각형
def solution(triangle):
mem = [[0]*(i + 1) for i in range(len(triangle))]
mem[0][0] = triangle[0][0]
for r in range(1, len(triangle)):
mem[r][0] = mem[r - 1][0] + triangle[r][0]
for c in range(1, r):
mem[r][c] = max(mem[r - 1][c - 1], mem[r - 1][c]) + triangle[r][c]
mem[r][r] = mem[r - 1][r - 1] + triangle[r][r]
return max(mem[-1])
print(solution([[7], [3, 8], [8, 1, 0], [2, 7, 4, 4], [4, 5, 2, 6, 5]]))
|
expected_output = {
"cdp": {
"index": {
1: {
"capability": "R S C",
"device_id": "Device_With_A_Particularly_Long_Name",
"hold_time": 134,
"local_interface": "GigabitEthernet1",
"platform": "N9K-9000v",
"port_id": "Ethernet0/0",
},
2: {
"capability": "S I",
"device_id": "another_device_with_a_long_name",
"hold_time": 141,
"local_interface": "TwentyFiveGigE1/0/3",
"platform": "WS-C3850-",
"port_id": "TenGigabitEthernet1/1/4",
},
}
}
}
|
# Definition for singly-linked list.
# class ListNode:
# def __init__(self, val=0, next=None):
# self.val = val
# self.next = next
class Solution:
def oddEvenList(self, head: ListNode) -> ListNode:
if not head or not head.next: return head
odd = odd_head = head
even = even_head = head.next
while even and even.next:
odd.next = even.next
odd = odd.next
even.next = odd.next
even = even.next
odd.next = even_head
return odd_head |
class Solution:
def decodeString(self, s: str) -> str:
stack = []
stack.append([1, ""])
num = 0
for l in s:
if l.isdigit():
num = num * 10 + ord(l) - ord('0')
elif l == '[':
stack.append([num, ""])
num = 0
elif l == ']':
stack[-2][1] += stack[-1][0] * stack[-1][1]
stack.pop()
else:
stack[-1][1] += l
return stack[0][1]
|
# Time: O(n)
# Space: O(1)
class Solution(object):
def countGoodRectangles(self, rectangles):
"""
:type rectangles: List[List[int]]
:rtype: int
"""
result = mx = 0
for l, w in rectangles:
side = min(l, w)
if side > mx:
result, mx = 1, side
elif side == mx:
result += 1
return result
|
pizzas = ['Supreme', 'Stuffed Crust', 'Buffalo Chicken']
friendpizzas = pizzas[:]
pizzas.append("Eggs Benedict Pizza")
friendpizzas.append("Eggs Florentine Pizza")
print("My favorite pizzas are:")
print(pizzas)
print("My friend's favorite pizzas are:")
print(friendpizzas) |
# In a 2D grid from (0, 0) to (N-1, N-1), every cell contains a 1, except those cells in the given list mines which are 0. What is the largest axis-aligned plus sign of 1s contained in the grid? Return the order of the plus sign. If there is none, return 0.
#
# An "axis-aligned plus sign of 1s of order k" has some center grid[x][y] = 1 along with 4 arms of length k-1 going up, down, left, and right, and made of 1s. This is demonstrated in the diagrams below. Note that there could be 0s or 1s beyond the arms of the plus sign, only the relevant area of the plus sign is checked for 1s.
#
# Examples of Axis-Aligned Plus Signs of Order k:
#
# Order 1:
# 000
# 010
# 000
#
# Order 2:
# 00000
# 00100
# 01110
# 00100
# 00000
#
# Order 3:
# 0000000
# 0001000
# 0001000
# 0111110
# 0001000
# 0001000
# 0000000
# Example 1:
#
# Input: N = 5, mines = [[4, 2]]
# Output: 2
# Explanation:
# 11111
# 11111
# 11111
# 11111
# 11011
# In the above grid, the largest plus sign can only be order 2. One of them is marked in bold.
# Example 2:
#
# Input: N = 2, mines = []
# Output: 1
# Explanation:
# There is no plus sign of order 2, but there is of order 1.
# Example 3:
#
# Input: N = 1, mines = [[0, 0]]
# Output: 0
# Explanation:
# There is no plus sign, so return 0.
# Note:
#
# N will be an integer in the range [1, 500].
# mines will have length at most 5000.
# mines[i] will be length 2 and consist of integers in the range [0, N-1].
# (Additionally, programs submitted in C, C++, or C# will be judged with a slightly smaller time limit.)
class Solution(object):
def orderOfLargestPlusSign(self, N, mines):
"""
:type N: int
:type mines: List[List[int]]
:rtype: int
"""
dp = [[1] * N for _ in range(N)]
for [x, y] in mines:
dp[x][y] = 0
|
# EDA: Airplanes - Q3
def plot_airplane_type_over_europe(gdf, airplane="B17",
years=[1940, 1941 ,1942, 1943, 1944, 1945],
kdp=False, aoi=europe):
fig = plt.figure(figsize=(16,12))
for e, y in enumerate(years):
_gdf = gdf.loc[(gdf["year"]==y) & (gdf["Aircraft Series"]==airplane)].copy()
_gdf.Country.replace(np.nan, "unknown", inplace=True)
ax = fig.add_subplot(3,2,e+1)
ax.set_aspect('equal')
aoi.plot(ax=ax, facecolor='lightgray', edgecolor="white")
if _gdf.shape[0] > 2:
if kdp:
sns.kdeplot(_gdf['Target Longitude'], _gdf['Target Latitude'],
cmap="viridis", shade=True, shade_lowest=False, bw=0.25, ax=ax)
else:
_gdf.plot(ax=ax, marker='o', cmap='Set1', categorical=True,
column='Country', legend=True, markersize=5, alpha=1)
ax.set_title("Year: " + str(y), size=16)
plt.tight_layout()
plt.suptitle("Attacks of airplane {} for different years".format(airplane), size=22)
plt.subplots_adjust(top=0.92)
return fig, ax
# run
plot_airplane_type_over_europe(df_airpl, airplane="B17", kdp=False); |
class BaseRelationship:
def __init__(self, name, repository, model, paginated_menu=None):
self.name = name
self.repository = repository
self.model = model
self.paginated_menu = paginated_menu
class OneToManyRelationship(BaseRelationship):
def __init__(self, related_name, name, repository, model, paginated_menu=None):
super().__init__(name, repository, model, paginated_menu)
self.related_name = related_name
|
#Faça um programa que leia um número de
# 0 a 9999 e mostre na tela
# cada um dos dígitos separados.
n = int(input('Informe um número: '))
u = n // 1 % 10
d = n // 10 % 10
c = n // 100 % 10
m = n // 1000 % 10
print('Analisando o número {}'.format(n))
print('Unidade: {}'.format(u))
print('Dezena: {}'.format(d))
print('Centena: {}'.format(c))
print('Milhar: {}'.format(m))
|
#! /usr/bin/env python3
def next_permutation(seq):
k = len(seq) - 1
# Find the largest index k such that a[k] < a[k + 1].
while k >= 0:
if seq[k - 1] >= seq[k]:
k -= 1
else:
k -= 1
break
# No such index exists, the permutation is the last permutation.
if k == -1:
raise StopIteration("Reached final permutation.")
l = len(seq) - 1
# Find the largest index l greater than k such that a[k] < a[l].
while l >= k:
if seq[l] > seq[k]:
break
else:
l -= 1
# Swap the value of a[k] with that of a[l].
seq[l], seq[k] = seq[k], seq[l]
# Reverse the sequence from a[k + 1] up to and including the final element.
seq = seq[:k+1] + seq[k+1:][::-1]
return seq
if __name__ == "__main__":
sequence = [1, 2, 3]
while True:
print(sequence)
sequence = next_permutation(sequence)
|
#!/usr/bin/env python3
"""RZFeeser | Alta3 Research
nesting an if-statement inside of a for loop"""
farms = [{"name": "NE Farm", "agriculture": ["sheep", "cows", "pigs", "chickens", "llamas", "cats"]},
{"name": "W Farm", "agriculture": ["pigs", "chickens", "llamas"]},
{"name": "SE Farm", "agriculture": ["chickens", "carrots", "celery"]}]
for farm in farms:
print(f'{farm["name"]} has the following animals: ')
animals = farm["agriculture"]
for animal in animals:
print(animal)
print("\n")
print("\nOur loop had ended.")
|
"""
Meijer, Erik - The Curse of the Excluded Middle
DOI:10.1145/2605176
CACM vol.57 no.06
"""
def less_than_30(n):
check = n < 30
print('%d < 30 : %s' % (n, check))
return check
def more_than_20(n):
check = n > 20
print('%d > 20 : %s' % (n, check))
return check
l = [1, 25, 40, 5, 23]
q0 = (n for n in l if less_than_30(n))
q1 = (n for n in q0 if more_than_20(n))
for n in q1:
print('-> %d' % n)
|
def get_url_headers_params_data():
url = "https://www.lagou.com/jobs/positionAjax.json"
# 请求头
headers = {
"User-Agent": "Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/61.0.3163.79 Safari/537.36",
"Referer": "https://www.lagou.com/jobs/list_python",
"Cookie": "_ga=GA1.2.2032920817.1520234065; _gid=GA1.2.2007661123.1520234065; user_trace_token=20180305151430-d90e083a-2044-11e8-9cf0-525400f775ce; LGUID=20180305151430-d90e0bf2-2044-11e8-9cf0-525400f775ce; showExpriedIndex=1; showExpriedCompanyHome=1; showExpriedMyPublish=1; hasDeliver=0; index_location_city=%E5%8C%97%E4%BA%AC; JSESSIONID=ABAAABAACBHABBIECE1AB2B1B3ED00095A40CC2532D48F6; hideSliderBanner20180305WithTopBannerC=1; Hm_lvt_4233e74dff0ae5bd0a3d81c6ccf756e6=1520234067,1520237823,1520298106; LGSID=20180306090145-f0f266a0-20d9-11e8-b126-5254005c3644; _putrc=6F0BC7CDE26E29D5; login=true; unick=%E5%AD%99%E5%85%B0%E6%98%8C; gate_login_token=d3d779887321e8280503a885cdda9b6badc9944fb3549bb7; Hm_lpvt_4233e74dff0ae5bd0a3d81c6ccf756e6=1520299986; _gat=1; LGRID=20180306093308-530763f4-20de-11e8-9d87-525400f775ce; TG-TRACK-CODE=index_search; SEARCH_ID=f130bb4a5c0140d7928602bd7d6d5054"
}
# 查询字符串
params = {
"city": "",
"needAddtionalResult": False,
"isSchoolJob": 0
}
# 表单数据
data = {
"first": True,
"pn": '1',
"kd": ''
}
return url, headers, params, data
|
#!/usr/bin/python
# -*- coding: UTF-8 -*-
class Employee:
'所有员工的基类'
empCount = 0
def __init__(self, name, salary):
self.name = name
self.salary = salary
Employee.empCount += 1
def displayCount(self):
print("Total Employee %d" % Employee.empCount)
def displayEmployee(self):
print("Name : ", self.name, ", Salary: ", self.salary)
t = Employee("holinc", 1000)
t.displayCount()
t.displayEmployee()
t2 = Employee("chen",3000)
t2.displayEmployee()
t2.displayCount() |
a=25
b=5
print("division is ",(a/b))
print("division success")
|
#!/usr/bin/python
# -*- coding:utf-8 -*-
#Filename: decorator_return_result.py
def printdebug(func):
def __decorator(user):
print('enter the login')
result = func(user)
print('exit the login')
return result #在装饰器函数返回调用func的结果
return __decorator
@printdebug
def login(user):
print('in login:' + user)
msg = "success" if user == "jatsz" else "fail"
return msg # login函数返回结果
result1 = login('jatsz')
print(result1) #success
result2 = login('candy')
print (result2) #fail
|
name1 = "Atilla"
name2 = "atilla"
name3 = "ATILLA"
name4 = "AtiLLa"
## Common string functions
print("capitalize",name1.capitalize())
print("capitalize",name2.capitalize())
print("capitalize",name3.capitalize())
print("capitalize",name4.capitalize())
# ends with
if name1.endswith("x"):
print("name1 ends with x char")
else:
print("name1 does not end with x char")
if name1.endswith("a"):
print("name1 ends with a char")
else:
print("name1 does not end with a char")
|
# --==[ Settings ]==--
# General
mod = 'mod4'
terminal = 'st'
browser = 'firefox'
file_manager = 'thunar'
font = 'SauceCodePro Nerd Font Medium'
wallpaper = '~/wallpapers/wp1.png'
# Weather
location = {'Mexico': 'Mexico'}
city = 'Mexico City, MX'
# Hardware [/sys/class]
net = 'wlp2s0'
backlight = 'radeon_bl0'
# Color Schemes
colorscheme = 'material_ocean'
|
"""678. Valid Parenthesis String
https://leetcode.com/problems/valid-parenthesis-string/
"""
class Solution:
def check_valid_string(self, s: str) -> bool:
left_stack, star_stack = [], []
for i, c in enumerate(s):
if c == '(':
left_stack.append(i)
elif c == '*':
star_stack.append(i)
else:
if left_stack:
left_stack.pop()
elif star_stack:
star_stack.pop()
else:
return False
if len(left_stack) > len(star_stack):
return False
i, j = 0, len(star_stack) - len(left_stack)
while i < len(left_stack):
if left_stack[i] > star_stack[j]:
return False
i += 1
j += 1
return True
|
class Solution:
def isValid(self, s: str) -> bool:
stack = []
for i in s:
if i == ')' or i == ']' or i == '}':
if not stack or stack[-1] != i:
return False
stack.pop()
else:
if i == '(':
stack.append(')')
if i == '[':
stack.append(']')
if i == '{':
stack.append('}')
return not stack
|
SEARCH_PARAMS = {
"Sect1": "PTO2",
"Sect2": "HITOFF",
"p": "1",
"u": "/netahtml/PTO/search-adv.html",
"r": "0",
"f": "S",
"l": "50",
"d": "PG01",
"Query": "query",
}
SEARCH_FIELDS = {
"document_number": "DN",
"publication_date": "PD",
"title": "TTL",
"abstract": "ABST",
"claims": "ACLM",
"specification": "SPEC",
"current_us_classification": "CCL",
"current_cpc_classification": "CPC",
"current_cpc_classification_class": "CPCL",
"international_classification": "ICL",
"application_serial_number": "APN",
"application_date": "APD",
"application_type": "APT",
"government_interest": "GOVT",
"patent_family_id": "FMID",
"parent_case_information": "PARN",
"related_us_app._data": "RLAP",
"related_application_filing_date": "RLFD",
"foreign_priority": "PRIR",
"priority_filing_date": "PRAD",
"pct_information": "PCT",
"pct_filing_date": "PTAD",
"pct_national_stage_filing_date": "PT3D",
"prior_published_document_date": "PPPD",
"inventor_name": "IN",
"inventor_city": "IC",
"inventor_state": "IS",
"inventor_country": "ICN",
"applicant_name": "AANM",
"applicant_city": "AACI",
"applicant_state": "AAST",
"applicant_country": "AACO",
"applicant_type": "AAAT",
"assignee_name": "AN",
"assignee_city": "AC",
"assignee_state": "AS",
"assignee_country": "ACN",
}
SEARCH_URL = "https://appft.uspto.gov/netacgi/nph-Parser"
PUBLICATION_URL = (
"https://appft.uspto.gov/netacgi/nph-Parser?Sect1=PTO1&"
"Sect2=HITOFF&d=PG01&p=1&u=%2Fnetahtml%2FPTO%2Fsrchnum.html&r=1&f=G&l=50&"
"s1=%22{publication_number}%22.PGNR.&OS=DN/{publication_number}&RS=DN/{publication_number}"
)
|
# Variable Selection Linear Model
Baseline = ['price_lag_1', 'price3_lag_1',
'target_lag_1', 'target3_lag_1',
'tstd_lag_1']
Lags = ['item_id_price_lag_1', 'item_id_price3_lag_1',
'item_id_target_lag_1', 'item_id_target3_lag_1',
'item_id_tstd_lag_1', 'price_lag_1', 'price3_lag_1',
'shop_id_price_lag_1', 'shop_id_price3_lag_1',
'shop_id_target_lag_1', 'shop_id_target3_lag_1',
'shop_id_tstd_lag_1', 'target_lag_1', 'target3_lag_1',
'tstd_lag_1']
Shocks = ['item_id_price_lag_1', 'item_id_price3_lag_1',
'item_id_target_lag_1', 'item_id_target3_lag_1',
'item_id_tstd_lag_1', 'price_lag_1', 'price3_lag_1',
'shop_id_price_lag_1', 'shop_id_price3_lag_1',
'shop_id_target_lag_1', 'shop_id_target3_lag_1',
'shop_id_tstd_lag_1', 'target_lag_1', 'target3_lag_1',
'tstd_lag_1', 'targetchg', 'pricechg']
Date = ['item_id_price_lag_1', 'item_id_price3_lag_1',
'item_id_target_lag_1', 'item_id_target3_lag_1',
'item_id_tstd_lag_1', 'price_lag_1', 'price3_lag_1',
'shop_id_price_lag_1', 'shop_id_price3_lag_1',
'shop_id_target_lag_1', 'shop_id_target3_lag_1',
'shop_id_tstd_lag_1', 'target_lag_1', 'target3_lag_1',
'tstd_lag_1', 'date_encode', 'targetchg', 'pricechg']
All = ['item_id_price_lag_1', 'item_id_price3_lag_1',
'item_id_target_lag_1', 'item_id_target3_lag_1',
'item_id_tstd_lag_1', 'price_lag_1', 'price3_lag_1',
'shop_id_price_lag_1', 'shop_id_price3_lag_1',
'shop_id_target_lag_1', 'shop_id_target3_lag_1',
'shop_id_tstd_lag_1', 'target_lag_1', 'target3_lag_1',
'tstd_lag_1', 'item_encode', 'category_encode', 'shop_encode',
'city_encode', 'date_encode', 'itemstore_encode', 'targetchg',
'pricechg']
|
path = "."
# Set this to True to fully unlock all maps
# Set this to False to erase all map progress
useFullMaps = True
def reverse_endianness_block2(block):
even = block[::2]
odd = block[1::2]
res = []
for e, o in zip(even, odd):
res += [o, e]
return res
# Initiate base file
data = None
saveFile = [0]*257678
saveFile[:4] = [0x42, 0x4c, 0x48, 0x54]
saveFile[0x67] = 0x01
# Copy over character unlock flags
with open(path+"/PCF01.ngd", 'rb') as f:
data = f.read()
saveFile[0x5:0x3d] = data[0x1:0x39] # Extract only relevant part
# Copy over achievement status flags
with open(path+"/PAM01.ngd", 'rb') as f:
data = f.read()
saveFile[0x68:0x0d0] = data[0x00:0x68] # Extract regular disk part
saveFile[0xd6:0x10a] = data[0x6e:0xa2] # Extract plus disk part
# Copy over achievement notification status flags
with open(path+"/PAC01.ngd", 'rb') as f:
data = f.read()
saveFile[0x130:0x198] = data[0x00:0x68] # Extract regular disk part
saveFile[0x19e:0x1d2] = data[0x6e:0xa2] # Extract plus disk part
# Copy over bestiary information
with open(path+"/PKO01.ngd", 'rb') as f:
data = f.read()
saveFile[0x2c2:0x4c22] = data[0xca:0x4a2a]
saveFile[0x2c2:0x4c22] = reverse_endianness_block2(saveFile[0x2c2:0x4c22])
# Copy over party formation
with open(path+"/PPC01.ngd", 'rb') as f:
data = f.read()
saveFile[0x5018:0x5024] = data[:] # All bytes are relevant
# Copy over misc information from game
with open(path+"/PEX01.ngd", 'rb') as f:
data = f.read()
offset = 0x540c
saveFile[offset+0x00:offset+0x08] = data[0x00:0x08][::-1] # Cumulative EXP
saveFile[offset+0x08:offset+0x10] = data[0x08:0x10][::-1] # Cumulative Money
saveFile[offset+0x10:offset+0x18] = data[0x10:0x18][::-1] # Current money
saveFile[offset+0x18:offset+0x20] = data[0x18:0x20][::-1] # Number of battles
saveFile[offset+0x20:offset+0x24] = data[0x20:0x24][::-1] # Number of game overs
saveFile[offset+0x24:offset+0x28] = data[0x24:0x28][::-1] # Play time in seconds
saveFile[offset+0x28:offset+0x2c] = data[0x28:0x2c][::-1] # Number of treasures
saveFile[offset+0x2c:offset+0x30] = data[0x2c:0x30][::-1] # Number of crafts
saveFile[offset+0x30:offset+0x34] = data[0x30:0x34][::-1] # Unused data
saveFile[offset+0x34] = data[0x34] # Highest floor
saveFile[offset+0x35:offset+0x39] = data[0x35:0x39][::-1] # Number of locked treasures
saveFile[offset+0x39:offset+0x3d] = data[0x39:0x3d][::-1] # Number of escaped battles
saveFile[offset+0x3d:offset+0x41] = data[0x3d:0x41][::-1] # Number of dungeon enters
saveFile[offset+0x41:offset+0x45] = data[0x41:0x45][::-1] # Number of item drops
saveFile[offset+0x45:offset+0x49] = data[0x45:0x49][::-1] # Number of FOEs killed
saveFile[offset+0x49:offset+0x51] = data[0x49:0x51][::-1] # Number of steps taken
saveFile[offset+0x51:offset+0x59] = data[0x51:0x59][::-1] # Money spent on shop
saveFile[offset+0x59:offset+0x61] = data[0x59:0x61][::-1] # Money sold on shop
saveFile[offset+0x61:offset+0x69] = data[0x61:0x69][::-1] # Most EXP from 1 dive
saveFile[offset+0x69:offset+0x71] = data[0x69:0x71][::-1] # Most Money from 1 dive
saveFile[offset+0x71:offset+0x75] = data[0x71:0x75][::-1] # Most Drops from 1 dive
saveFile[offset+0x75] = data[0x75] # Unknown data
saveFile[offset+0x76:offset+0x7e] = data[0x76:0x7e][::-1] # Number of library enhances
saveFile[offset+0x7e:offset+0x82] = data[0x7e:0x82][::-1] # Highest battle streak
saveFile[offset+0x82:offset+0x86] = data[0x82:0x86][::-1] # Highest escape streak
saveFile[offset+0x86] = data[0x86] # Hard mode flag
saveFile[offset+0x87] = data[0x87] # IC enabled flag
# saveFile[offset+0x88:offset+0xae] = data[0x88:0xae] # Unknown data
saveFile[offset+0xae:offset+0xb2] = data[0xae:0xb2][::-1] # IC floor
saveFile[offset+0xb2:offset+0xb6] = data[0xb2:0xb6][::-1] # Number of akyuu trades
saveFile[offset+0xb6:offset+0xba] = data[0xb6:0xba][::-1] # Unknown data
# Copy over event flags
with open(path+"/EVF01.ngd", 'rb') as f:
data = f.read()
saveFile[0x54c6:0x68b2] = data[0x0:0x13ec] # Extract only relevant part
# Copy over item discovery flags
with open(path+"/EEF01.ngd", 'rb') as f:
data = f.read()
saveFile[0x7bd7:0x7c13] = data[0x001:0x03d] # Extract main equips
saveFile[0x7c9f:0x7d8f] = data[0x0c9:0x1b9] # Extract sub equips
saveFile[0x7dcb:0x7e2f] = data[0x1f5:0x259] # Extract materials
saveFile[0x7ef7:0x7fab] = data[0x321:0x3d5] # Extract special items
# Copy over item inventory count
with open(path+"/EEN01.ngd", 'rb') as f:
data = f.read()
saveFile[0x83a8:0x8420] = data[0x002:0x07a] # Extract main equips
saveFile[0x8538:0x8718] = data[0x192:0x372] # Extract sub equips
saveFile[0x8790:0x8858] = data[0x3ea:0x4b2] # Extract materials
saveFile[0x89e8:0x8b50] = data[0x642:0x7aa] # Extract special items
saveFile[0x83a8:0x8420] = reverse_endianness_block2(saveFile[0x83a8:0x8420])
saveFile[0x8538:0x8718] = reverse_endianness_block2(saveFile[0x8538:0x8718])
saveFile[0x8790:0x8858] = reverse_endianness_block2(saveFile[0x8790:0x8858])
saveFile[0x89e8:0x8b50] = reverse_endianness_block2(saveFile[0x89e8:0x8b50])
# Copy over character data
offset = 0x9346
for i in range(1, 57):
str_i = "0"+str(i) if i < 10 else str(i)
with open(path+"/C"+str_i+".ngd", 'rb') as f:
data = f.read()
saveFile[offset+0x000:offset+0x004] = data[0x000:0x004][::-1] # Level
saveFile[offset+0x004:offset+0x00c] = data[0x004:0x00c][::-1] # EXP
for s in range(14): # HP -> SPD, then FIR -> PHY
start = 0xc + (s*4)
end = start + 4
saveFile[offset+start:offset+end] = data[start:end][::-1] # Library level
for s in range(6): # HP -> SPD
start = 0x44 + (s*4)
end = start + 4
saveFile[offset+start:offset+end] = data[start:end][::-1] # Level up bonus
saveFile[offset+0x05c:offset+0x060] = data[0x05c:0x060][::-1] # Subclass
for s in range(40): # 12 boost, 6 empty, 2 exp, 10 personal, 10 spells
start = 0x60 + (s*2)
end = start + 2
saveFile[offset+start:offset+end] = data[start:end][::-1] # Skill level
for s in range(20): # 10 passives, 10 spells
start = 0xb0 + (s*2)
end = start + 2
saveFile[offset+start:offset+end] = data[start:end][::-1] # Subclass skill level
for s in range(12): # HP, MP, TP, ATK -> SPD, ACC, EVA, AFF, RES
start = 0xd8 + (s*1)
end = start + 1
saveFile[offset+start:offset+end] = data[start:end][::-1] # Tome flags
for s in range(8): # HP, MP, TP, ATK -> SPD
start = 0xe4 + (s*1)
end = start + 1
saveFile[offset+start:offset+end] = data[start:end][::-1] # Boost flags
saveFile[offset+0x0ec:offset+0x0ee] = data[0x0ed:0x0ef][::-1] # Unused skill points
saveFile[offset+0x0ee:offset+0x0f2] = data[0x0f0:0x0f4][::-1] # Unused level up bonus
for s in range(8): # HP, MP, TP, ATK -> SPD
start = 0xf2 + (s*2)
end = start + 2
saveFile[offset+start:offset+end] = data[start+2:end+2][::-1] # Gem count
saveFile[offset+0x102] = data[0x104] # Used training manuals
saveFile[offset+0x103:offset+0x107] = data[0x105:0x109][::-1] # BP count
for s in range(4): # main, 3 sub equips
start = 0x107 + (s*2)
end = start + 2
saveFile[offset+start:offset+end] = data[start+2:end+2][::-1] # Equip ID
offset += 0x10f
# Fully unlock maps
if (useFullMaps):
saveFile[0x0ce8e:0x2ae8e] = [0x55]*0x1e000 # 30 floors
saveFile[0x33e8e:0x3ee8e] = [0x55]*0xb000 # 11 underground floors
# A decrypted file for debugging
with open(path+"/result-decrypted.dat", 'wb') as f:
f.write(bytes(saveFile))
saveFile = [((i & 0xff) ^ c) for i, c in enumerate(saveFile)]
# The final file
with open(path+"/result.dat", 'wb') as f:
f.write(bytes(saveFile))
|
# -*- coding: utf-8 -*-
class Screen:
def __init__(self, dim):
self.arena = []
self.dimx = dim[0]+2
self.dimy = dim[1]+2
for x in range(self.dimx):
self.arena.append([])
for y in range(self.dimy):
if x == 0 or x == (self.dimx-1):
self.arena[x].append('-')
elif y == 0 or y == (self.dimy-1):
self.arena[x].append('|')
else:
self.arena[x].append(' ')
def draw(self, ch, pos):
if self.inValidRange(pos):
self.arena[pos[0]][pos[1]] = ch
return True
return False
def clear(self):
for x in range(self.dimx):
for y in range(self.dimy):
if x == 0 or x == (self.dimx-1):
self.arena[x][y] = '-'
elif y == 0 or y == (self.dimy-1):
self.arena[x][y] = '|'
else:
self.arena[x][y] = ' '
def inValidRange(self, pos):
return pos[0] > 0 and pos[0] < (self.dimx-1) and pos[1] > 0 and pos[1] < (self.dimy-1)
def __str__(self):
tmp = ""
for i in range(self.dimx):
for j in self.arena[i]:
tmp += j
tmp += '\n'
return tmp |
#!/usr/bin/env python
# -*- coding: UTF-8 -*-
# pylint:disable=bad-whitespace
# pylint:disable=line-too-long
# pylint:disable=too-many-lines
# pylint:disable=invalid-name
# #########################################################
#
# ************** !! WARNING !! ***************
# ******* THIS FILE WAS AUTO-GENERATED *******
# ********* DO NOT MODIFY THIS FILE **********
#
# #########################################################
the_entity_ngrams = {
'gram-1': [ '1337',
'1337X',
'1337x',
'1610',
'1708',
'1709',
'1711',
'1802',
'4Chan',
'4chan',
'ADO.NET',
'AIX',
'ANTLR',
'API',
'AS/400',
'ASIC',
'ASP',
'AWS',
'Abbvie',
'Access',
'Accessibility',
'Account',
'Accountability',
'Accountant',
'Accounting',
'Accumulo',
'Accurately',
'ActiveMQ',
'Activerecord',
'Activity',
'Adabas',
'Adaboost',
'Adaptability',
'Adobe',
'Aecom',
'Aesthetics',
'Age',
'Agent',
'Agile',
'Agricultural',
'Ai',
'AiCure',
'Aimbot',
'Aimbotting',
'Airavata',
'Ajax',
'Algebra',
'Algo',
'Algorithm',
'Algorithmic',
'Alibaba',
'Alignment',
'AllegroGraph',
'Alliance',
'Allianz',
'Alloy',
'Allura',
'Almirall',
'Altcoin',
'Amazon',
'Ambari',
'Ameriprise',
'Amex',
'Amgen',
'Amro',
'Analyst',
'Analytics',
'Android',
'AngularJS',
'Annotation',
'Ansible',
'Ant',
'Anthropology',
'Apache',
'Apmm',
'Apple',
'Appraisal',
'Appreciation',
'Approval',
'Archaeology',
'Architect',
'Architecture',
'Archive',
'Argument',
'Arla',
'ArrangoDB',
'Artifact',
'Artist',
'Assembly',
'Assertiveness',
'Assessment',
'Asset',
'Assistant',
'Assurance',
'Astellas',
'Astrazeneca',
'Astrobiology',
'Astronomy',
'Astrophysics',
'Atlassian',
'Attentiveness',
'Audit',
'Aurora',
'Authentication',
'Authorization',
'Autocad',
'Autoencoder',
'Automation',
'Automotive',
'Availability',
'Avis',
'Award',
'Awareness',
'Awk',
'Axelos',
'BES',
'BPEL',
'BPM',
'Backend',
'Backup',
'Badge',
'Bandwidth',
'Bank',
'Barclays',
'Basf',
'Bash',
'Battery',
'Bayer',
'Beam',
'Behavior',
'Benchmark',
'Benefit',
'Bes',
'Bezel',
'Bharti',
'Bias',
'Biochemistry',
'Bioinformatics',
'Biology',
'Biometrics',
'Biopharmaceutical',
'Biophysics',
'Biostatistics',
'Biotech',
'Biotechnology',
'Bitcoin',
'Bitmain',
'BizTalk',
'Blackberry',
'Blade',
'Blockchain',
'Bluemix',
'Bombardier',
'Bonus',
'Bootcamp',
'Booting',
'Botnet',
'Bourne',
'Bp2i',
'Brand',
'Brava!',
'Budget',
'Bullying',
'BusyBox',
'C#',
'C4.5',
'CAMS',
'CC-CEM',
'CC-SDWAN',
'CC-SHAREFILE',
'CCA-N',
'CCA-V',
'CCDA',
'CCDE',
'CCDP',
'CCE-V',
'CCENT',
'CCP-M',
'CCP-N',
'CCP-V',
'CICS',
'CLI',
'COBOL',
'CPLEX',
'CPU',
'CRM',
'CSA',
'CSS',
'Cafeteria',
'Calculus',
'Camel',
'Cameyo',
'Campus',
'Capability',
'Capacity',
'Carlsberg',
'Carrefour',
'Cart',
'Casandra',
'Caterpillar',
'Ceedo',
'CentOS',
'Centurylink',
'Certification',
'Chanel',
'Change',
'Channel',
'Checkpoint',
'Chef',
'Chemistry',
'Chitchat',
'Chrysler',
'Churn',
'Cibc',
'Cifs',
'Circuit',
'Cisco',
'Citi',
'Citibank',
'Citigroup',
'Citrix',
'Clarity',
'Classics',
'Cleco',
'Clique',
'Clojure',
'Cloud',
'CloudBurst',
'Cloudera',
'Cluster',
'Coach',
'Coachable',
'Coffeescript',
'Cognizant',
'Cognos',
'Collaborate',
'Collaboration',
'Collection',
'Command',
'Commerce',
'CommonStore',
'Communication',
'Company',
'Competitiveness',
'Compiler',
'Compliance',
'Computerworld',
'Concurrency',
'Conda',
'Confidence',
'Configurability',
'Configuration',
'Connectivity',
'Construction',
'Consultant',
'Consulting',
'Container',
'Containerization',
'Continuity',
'Contract',
'Contractor',
'Conversation',
'Conversion',
'Cooperation',
'Coordinator',
'Corporation',
'Correlation',
'Cosmology',
'Cost',
'CouchDB',
'Couchbase',
'Counterfeit',
'Coursera',
'Courtesy',
'Creative',
'Creativity',
'Cryptocurrency',
'Cryptography',
'Cryptomining',
'Csa',
'Culture',
'Customer',
'Cyberdefense',
'Cybersecurity',
'Cython',
'D3.js',
'DB2',
'DCFM',
'DHCP',
'DNS',
'DNSSec',
'Dashboard',
'Data',
'Database',
'Datacap',
'Dbscan',
'Ddos',
'Ddosed',
'Ddoser',
'Ddosing',
'Deadline',
'Debugging',
'Decommission',
'Dedication',
'Defect',
'Defra',
'Degree',
'Delegation',
'Deliverable',
'Dell',
'Delphi',
'Demisto',
'Demotivating',
'Dependability',
'Deployment',
'Dermatology',
'Designer',
'Deskside',
'Developer',
'Device',
'Devop',
'Diageo',
'Dimension',
'Disagree',
'Discoverability',
'DisplayWrite/370',
'Disruption',
'Diversity',
'Django',
'Docker',
'Dockercon',
'Document',
'Documentation',
'Downtime',
'Drupal',
'Dynamo',
'EBS',
'EC2',
'EJB',
'ESSL',
'ETL',
'Earning',
'Eclipse',
'Ecology',
'Econometrics',
'Economic',
'Economics',
'Education',
'Elasticsearch',
'EmberJS',
'Emotion',
'Empathy',
'Employee',
'Encourage',
'Encryption',
'Endeca',
'Energy',
'Engineer',
'Engineering',
'English',
'Enterprise',
'Enthusiasm',
'Entity',
'Entomology',
'Entrepreneur',
'Environment',
'Enzyme',
'Equality',
'Equations',
'Ergonomics',
'Erlang',
'Estimation',
'Ethereum',
'Ethernet',
'Etihad',
'Evangelize',
'Exchange',
'Executive',
'Expectation',
'Experience',
'Extensibility',
'FTP',
'Facebook',
'Facilitation',
'Failover',
'Fairfight',
'Feasibility',
'Fiber',
'FileNet',
'Finance',
'Financial',
'Fintech',
'Firefox',
'Firewall',
'Firmware',
'Flask',
'Flexibility',
'Flume',
'Focus',
'Forecast',
'Forms',
'Forsensics',
'FortiGate',
'Fortinet',
'Fpga',
'Fpgas',
'Framework',
'Freebsd',
'Freepbx',
'French',
'Friendliness',
'GDDM',
'GDPR',
'GIAC',
'GPFS',
'Gateway',
'Geochemistry',
'Geography',
'Geology',
'Geometry',
'Geomorphology',
'Geophysics',
'Geosciences',
'German',
'Gis',
'Git',
'GitHub',
'Glad',
'GoLang',
'Google',
'Governance',
'Government',
'Gpgpu',
'Grafana',
'GraphQL',
'Graphic',
'Greeting',
'Groupware',
'Growth',
'Guideline',
'H1B',
'HALDB',
'HAProxy',
'HBase',
'HDFS',
'HIPPA',
'HP',
'HP-UX',
'HTML',
'HTTP',
'HTTPS',
'Hackability',
'Hacker',
'Hadoop',
'Harassment',
'Hardware',
'Hartford',
'HashiCorp',
'Health',
'Hello',
'Heuristic',
'Heuristics',
'Hibernate',
'History',
'Hive',
'Hololens',
'Honda',
'Honesty',
'Honeypot',
'HornetQ',
'Hortonworks',
'Hosting',
'Hudson',
'Humanities',
'Humorous',
'Hydrogeology',
'Hydrology',
'Hyperledger',
'Hyperparameter',
'Hypervisor',
'Hypothesis',
'IBM',
'IDMS',
'IEEE',
'IHS',
'ILOG',
'IMS',
'IPC',
'IPSec',
'IPv4',
'IPv6',
'IPython',
'ISACA',
'ISAM',
'ISC',
'ISMS',
'ISPF',
'ITIL',
'ITaaS',
'Ica',
'Id3',
'Identification',
'Identity',
'Image',
'Impala',
'Implement',
'Improve',
'Inadequate',
'Incident',
'Inclusive',
'Independence',
'Independent',
'Index',
'Industry',
'Influence',
'InfluxDB',
'InfoSphere',
'Informatics',
'Informix',
'Infosec',
'Infrastructure',
'Innovation',
'Insight',
'Inspire',
'Install',
'Insurance',
'Integration',
'Interface',
'Internet',
'Interoperability',
'Interview',
'Interviewing',
'Intuition',
'Intuitiveness',
'Inventor',
'Inventory',
'Investment',
'Invoice',
'Iscsi',
'J2Ee',
'JACL',
'JCL',
'JIRA',
'JSON',
'JSP',
'Java',
'Javascript',
'Jboss',
'Jdbc',
'Jenkins',
'Jit',
'Jython',
'KDB',
'KPI',
'Kafka',
'Kaiser',
'Kbank',
'Keepalived',
'Keylogged',
'Keylogger',
'Keynesian',
'Kibana',
'Kubernetes',
'L33T',
'Language',
'Lasso',
'Layoff',
'Ldap',
'Leadership',
'Learning',
'Leet',
'Legacy',
'Legislation',
'Libquantum',
'License',
'Lifecycle',
'Linguistics',
'LinkedIn',
'Linux',
'Lisp',
'Listen',
'Literature',
'LoadLeveler',
'Loblaw',
'Location',
'LogStash',
'Logstash',
'Loss',
'Lotus',
'Loyal',
'Lucene',
'Lufthansa',
'Lulzsec',
'MBA',
'MCP',
'MDA',
'MOOC',
'MQSeries',
'MVP',
'MVS',
'Macroeconomics',
'Mainframe',
'Maintain',
'Maintainability',
'Maintenance',
'Management',
'Manager',
'Manufacturing',
'Manulife',
'MapReduce',
'Markel',
'Marketing',
'Mars',
'MatPlotLib',
'Matlab',
'Maven',
'Maximo',
'Mazda',
'Mba',
'Mcp',
'Measurement',
'Media',
'Mediate',
'Medium',
'Meeting',
'Memory',
'Mentor',
'Mentoring',
'Meraki',
'Messaging',
'Metadata',
'Meteorology',
'Methodology',
'Metric',
'Metrica',
'Michelin',
'Microbiology',
'Microcode',
'Microeconomics',
'Microframework',
'Microprocessor',
'Microservices',
'Microsoft',
'Middleware',
'Midrange',
'Migration',
'Milestone',
'Mimix',
'Mindful',
'Mindfulness',
'Minechat',
'Minecraft',
'Mineralogy',
'Minitab',
'Minority',
'Mission',
'Mitsui',
'Model',
'Modeler',
'Molecule',
'MongoDB',
'Monitor',
'Monitoring',
'Morale',
'Motiva',
'Motivate',
'Motivating',
'Motivation',
'Mozilla',
'MuleSoft',
'Multilevel',
'Multitasking',
'MySQL',
'NAT',
'Negotiation',
'Neo4J',
'NetBackup',
'NetNOVO',
'Netapp',
'Netcat',
'Netcool',
'Netezza',
'Network',
'Networking',
'Neurobiology',
'Neurology',
'Neuropsychology',
'Neuroscience',
'Nginx',
'Nltk',
'NoSQL',
'NodeJS',
'Nokia',
'Nordea',
'Nordic',
'Novartis',
'Novell',
'Numecent',
'Numpy',
'Nutch',
'OBI',
'OLAP',
'OLTP',
'OMEGAMON',
'OS/390',
'OSPF',
'Oceanography',
'Offering',
'Office',
'Offline',
'Offshore',
'Old',
'OmniFind',
'Oncology',
'Online',
'Onlive',
'Onsite',
'Ontology',
'Oozie',
'OpenPages',
'OpenShift',
'OpenShift.io',
'OpenStack',
'Opengl',
'Openssl',
'Operational',
'Operations',
'Opportunity',
'Optics',
'Optim',
'Optimization',
'Oracle',
'Organism',
'Organization',
'Orientation',
'Outage',
'Outlook',
'Overtime',
'Overwork',
'PBS',
'PCI',
'PHP',
'PL/I',
'PL/SQL',
'PLM',
'PMI',
'POI',
'PQEdit',
'Palaeontology',
'Paleontology',
'Pandas',
'Parse',
'Partition',
'Partnership',
'Pascal',
'Passion',
'Password',
'Patching',
'Patent',
'Patience',
'Pattern',
'Pedagogy',
'Peer-to-Peer',
'Peertopeer',
'Penalty',
'Peoplesoft',
'Perceptive',
'Performance',
'Perl',
'Perseverance',
'Persistence',
'Person',
'Personalization',
'Persuasion',
'Petroleum',
'Pfsense',
'PhD',
'Pharmaceutical',
'Pharmacology',
'Phd',
'Phenomenology',
'Philologist',
'Philology',
'Philosophy',
'Phish',
'Phished',
'Phisher',
'Phishing',
'Phone',
'Phonetics',
'Photoshop',
'Phpmyadmin',
'Physics',
'Physiology',
'Pick/Basic',
'Pig',
'Ping',
'Plan',
'Planning',
'Platform',
'Pleasure',
'PointBase',
'Policy',
'Portfolio',
'Positive',
'PostgreSQL',
'Postgres',
'PowerBI',
'PowerDNS',
'PowerHA',
'PowerSC',
'PowerVM',
'Powercli',
'Powerpc',
'Powershell',
'Presales',
'Presentation',
'President',
'Privacy',
'Probability',
'Problem',
'Process',
'Processor',
'Product',
'Productive',
'Productivity',
'Professionalism',
'Profit',
'Programmer',
'Project',
'Prolog',
'Promotion',
'Property',
'Proposal',
'Proposition',
'Protein',
'Protocol',
'Proud',
'Provenance',
'Proventia',
'Provisioning',
'Proxmox',
'Proxy',
'Psychiatry',
'Psycholinguistics',
'Psychology',
'Publish',
'Punctuality',
'Puppet',
'PureApplication',
'PureData',
'Pyspark',
'Python',
'Qiskit',
'Qlikview',
'Quality',
'Query',
'Quick-Witted',
'QuickEdd',
'R-Series',
'RACI',
'RDF',
'RDFS',
'RDS',
'REXX',
'RFP',
'RFS',
'ROI',
'RPM',
'RSA',
'RabbitMQ',
'Raci',
'Rackspace',
'Rational',
'Raytheon',
'ReactJS',
'Realistic',
'Recognition',
'Recovery',
'Recruiter',
'Recruiting',
'Redhat',
'Redis',
'Redmine',
'Redshift',
'Regularization',
'Regulation',
'Relational',
'Relativity',
'Relevant',
'Reliability',
'Rembo',
'Remediate',
'Remediation',
'Renewal',
'Report',
'Reporting',
'Request',
'Requirement',
'Research',
'Resilience',
'Resiliency',
'Resourcefulness',
'Respect',
'Respectability',
'Respectfulness',
'Responsibility',
'Responsiveness',
'Retail',
'Retirement',
'Reuters',
'Revenue',
'Rhce',
'Rhcsa',
'Roadmap',
'Robotics',
'Robustness',
'Role',
'Router',
'Rpc',
'Rsync',
'Ruby',
'Rule',
'SAN',
'SAP',
'SAS',
'SASS',
'SCLM',
'SMTP',
'SOA',
'SOW',
'SOX',
'SPARQL',
'SPSS',
'SQL',
'SQLAlchemy',
'SSH',
'SSL',
'SUSE',
'Safety',
'Salary',
'Sales',
'Salesforce.com',
'Sametime',
'Sandboxie',
'Sandvik',
'Scala',
'Scalability',
'Scheduling',
'School',
'Schweiz',
'SciPy',
'Scope',
'Scotia',
'Scrum',
'Seaborn',
'Security',
'Sed',
'Selenium',
'Self-Awareness',
'Self-Supervising',
'Seniority',
'Sensu',
'Server',
'Service',
'ServiceNow',
'Session',
'Sexism',
'Sexist',
'Sharepoint',
'Shell',
'ShowCase',
'Siebel',
'Silverlight',
'Simplicity',
'Simulation',
'Simulink',
'Situation',
'Sizing',
'Skiddie',
'Skill',
'Sklearn',
'Slack',
'Smalltalk',
'SmartCloud',
'Soa',
'Sociolinguistics',
'Sociology',
'Softlayer',
'Software',
'Solaris',
'Solr',
'Sony',
'Spambot',
'Spanish',
'Spark',
'Speak',
'Specialist',
'Speedhacking',
'Spi',
'Splunk',
'Spring',
'Sprint',
'Sqlite',
'Sqoop',
'Ssis',
'Ssms',
'Stakeholder',
'Standard',
'State',
'Statistic',
'Statistics',
'Sterling',
'Sting',
'Storage',
'Storytelling',
'Stress',
'Structure',
'Subversion',
'Success',
'Suggestion',
'Supercomputer',
'Supercomputers',
'Supercomputing',
'Supervising',
'Support',
'Supportive',
'SurePOS',
'Survey',
'Switch',
'Sybase',
'SybaseIQ',
'Symantec',
'Symfony',
'Syncsort',
'Sysco',
'System',
'T-SQL',
'TCP',
'TCPIP',
'TLS',
'TPF',
'TRIRIGA',
'TXSeries',
'Tableau',
'Tablet',
'Tabular',
'Talanx',
'Tape',
'Taxonomy',
'Team',
'Teamwork',
'Telecommunication',
'Telecommunications',
'Teleconference',
'Telegraf',
'Teleprocessing',
'Template',
'Tensorflow',
'Teradata',
'Terminology',
'Terraform',
'Test',
'Testing',
'Thermodynamics',
'Thing',
'Think40',
'Ticket',
'Tika',
'Time',
'Timestamp',
'Tivoli',
'Tkinter',
'Tolerant',
'Tomcat',
'Topology',
'TotalStorage',
'Tracert',
'Train',
'Trainability',
'Trainable',
'Training',
'Transfer',
'Transistor',
'Translation',
'Transportation',
'Travel',
'Travis',
'Treatment',
'Trello',
'Triggerbot',
'Trigonometry',
'Troubleshooting',
'Trust',
'Twitter',
'Typescript',
'UDP',
'UML',
'Udacity',
'Ultraseek',
'Unapproachable',
'Unavailability',
'Unica',
'Unicredit',
'Uninstall',
'University',
'Unix',
'Unsatisfied',
'Upgrade',
'Upskill',
'Upstander',
'Uptime',
'Usability',
'User',
'VIM',
'VIOS',
'VSAM',
'VTAM',
'Veeam',
'VeloCloud',
'Venafi',
'Veritas',
'Viptela',
'Virtualization',
'Virtuo',
'Vision',
'VisualAge',
'Visualization',
'Vodafone',
'Volcanology',
'Voltage',
'Vsphere',
'Wallhacking',
'Walmart',
'Warehouse',
'Watch',
'Watermark',
'Watson',
'Webapps',
'Weblogic',
'Webpage',
'Webserver',
'Websphere',
'Wellpoint',
'Westpac',
'WiFi',
'Wildfly',
'Windows',
'Wipro',
'Wireshark',
'Wmi',
'Word2Vec',
'Workflow',
'Workload',
'Workplace',
'Workshop',
'Writing',
'X.25',
'XHTML',
'XML',
'XMind',
'XPATH',
'XSLT',
'Xen',
'XenApp',
'Xenserver',
'Xgboost',
'YAML',
'YML',
'Yara',
'Yarn',
'Yml',
'Young',
'ZenHub',
'ZooKeeper',
'Zoology',
'abbvie',
'access',
'accessibility',
'account',
'accountability',
'accountant',
'accounting',
'accumulo',
'accurately',
'activemq',
'activerecord',
'activity',
'adabas',
'adaboost',
'adaptability',
'ado.net',
'adobe',
'aecom',
'aesthetics',
'age',
'agent',
'agile',
'agricultural',
'ai',
'aicure',
'aimbot',
'aimbotting',
'airavata',
'aix',
'ajax',
'algebra',
'algo',
'algorithm',
'algorithmic',
'alibaba',
'alignment',
'allegrograph',
'alliance',
'allianz',
'alloy',
'allura',
'almirall',
'altcoin',
'amazon',
'ambari',
'ameriprise',
'amex',
'amgen',
'amro',
'analyst',
'analytics',
'android',
'angularjs',
'annotation',
'ansible',
'ant',
'anthropology',
'antlr',
'apache',
'api',
'apmm',
'apple',
'appraisal',
'appreciation',
'approval',
'archaeology',
'architect',
'architecture',
'archive',
'argument',
'arla',
'arrangodb',
'artifact',
'artist',
'as400',
'asic',
'asp',
'assembly',
'assertiveness',
'assess',
'assessment',
'asset',
'assistant',
'assurance',
'astellas',
'astrazeneca',
'astrobiology',
'astronomy',
'astrophysics',
'atlassian',
'attentiveness',
'audit',
'aurora',
'authenticate',
'authentication',
'authorization',
'authorize',
'autocad',
'autoencoder',
'automatic',
'automation',
'automotive',
'availability',
'available',
'avis',
'award',
'awareness',
'awk',
'aws',
'axelos',
'backend',
'backup',
'badge',
'bandwidth',
'bank',
'barclays',
'basf',
'bash',
'battery',
'bayer',
'beam',
'behavior',
'benchmark',
'benefit',
'bes',
'bezel',
'bharti',
'bias',
'biochemistry',
'bioinformatics',
'biology',
'biometrics',
'biopharmaceutical',
'biophysics',
'biostatistics',
'biotech',
'biotechnology',
'bitcoin',
'bitmain',
'biztalk',
'blackberry',
'blade',
'blockchain',
'bluemix',
'bms',
'bombardier',
'bonus',
'boot',
'bootcamp',
'booting',
'botnet',
'bourne',
'bp2i',
'bpel',
'bpm',
'brand',
'brava!',
'budget',
'bullying',
'busybox',
'c#',
'c4.5',
'cafeteria',
'calculus',
'camel',
'cameyo',
'campus',
'cams',
'capability',
'capacity',
'carlsberg',
'carrefour',
'cart',
'casandra',
'caterpillar',
'cc-cem',
'cc-sdwan',
'cc-sharefile',
'cca-n',
'cca-v',
'ccda',
'ccde',
'ccdp',
'cce-v',
'ccent',
'ccp-m',
'ccp-n',
'ccp-v',
'ceedo',
'centos',
'centurylink',
'certification',
'chanel',
'change',
'channel',
'checkpoint',
'chef',
'chemistry',
'chitchat',
'chrysler',
'churn',
'cibc',
'cics',
'cifs',
'circuit',
'cisco',
'citi',
'citibank',
'citigroup',
'citrix',
'clarity',
'classics',
'cleco',
'cli',
'clique',
'clojure',
'cloud',
'cloudburst',
'cloudera',
'cluster',
'coach',
'coachable',
'cobol',
'coffeescript',
'cognizant',
'cognos',
'collaborate',
'collaboration',
'collection',
'command',
'commerce',
'commonstore',
'communication',
'company',
'competitiveness',
'compiler',
'compliance',
'computerworld',
'concurrency',
'conda',
'confidence',
'configurability',
'configuration',
'configure',
'connectivity',
'construction',
'consult',
'consultant',
'consulting',
'container',
'containerization',
'continuity',
'contract',
'contractor',
'conversation',
'conversion',
'convert',
'cooperation',
'coordinator',
'corporation',
'correlation',
'cosmology',
'cost',
'couchbase',
'couchdb',
'counterfeit',
'coursera',
'courtesy',
'cplex',
'cpu',
'creative',
'creativity',
'crm',
'cryptocurrency',
'cryptography',
'cryptomining',
'csa',
'css',
'culture',
'customer',
'cyberdefense',
'cybersecurity',
'cython',
'd3.js',
'dashboard',
'data',
'database',
'datacap',
'db2',
'dbscan',
'dcfm',
'ddos',
'ddosed',
'ddoser',
'ddosing',
'deadline',
'debug',
'debugging',
'decommission',
'dedication',
'defect',
'defra',
'degree',
'delegation',
'deliverable',
'dell',
'delphi',
'demisto',
'demotivating',
'dependability',
'deploy',
'deployment',
'dermatology',
'designer',
'deskside',
'developer',
'device',
'devop',
'dhcp',
'diageo',
'dimension',
'disagree',
'discoverability',
'displaywrite370',
'disrupt',
'disruption',
'diversity',
'django',
'dns',
'dnssec',
'docker',
'dockercon',
'document',
'downtime',
'drupal',
'dynamo',
'eCommerce',
'eDiscovery',
'earning',
'ebs',
'ec2',
'eclipse',
'ecology',
'ecommerce',
'econometrics',
'economic',
'economics',
'edX',
'ediscovery',
'education',
'edx',
'ejb',
'elasticsearch',
'emberjs',
'emotion',
'empathy',
'employee',
'encourage',
'encrypt',
'encryption',
'endeca',
'energy',
'engineer',
'engineering',
'english',
'enterprise',
'enthusiasm',
'entity',
'entomology',
'entrepreneur',
'environment',
'enzyme',
'equality',
'equations',
'ergonomics',
'erlang',
'essl',
'estimate',
'estimation',
'ethereum',
'ethernet',
'etihad',
'etl',
'evangelize',
'exchange',
'executive',
'expectation',
'experience',
'extensibility',
'facebook',
'facilitation',
'failover',
'fairfight',
'feasibility',
'fiber',
'filenet',
'finance',
'financial',
'fintech',
'firefox',
'firewall',
'firmware',
'flask',
'flexibility',
'flume',
'focus',
'forecast',
'forms',
'forsensics',
'fortigate',
'fortinet',
'fpga',
'fpgas',
'framework',
'freebsd',
'freepbx',
'french',
'friendliness',
'ftp',
'gRPC',
'gateway',
'gddm',
'gdpr',
'geochemistry',
'geography',
'geology',
'geometry',
'geomorphology',
'geophysics',
'geosciences',
'german',
'giac',
'gis',
'git',
'github',
'glad',
'google',
'governance',
'government',
'gpfs',
'gpgpu',
'grafana',
'graphic',
'graphql',
'greeting',
'groupware',
'growth',
'grpc',
'guideline',
'h1b',
'hackability',
'hacker',
'hadoop',
'haldb',
'haproxy',
'harassment',
'hardware',
'hartford',
'hashicorp',
'hbase',
'hdfs',
'health',
'hello',
'heuristic',
'heuristics',
'hibernate',
'hippa',
'history',
'hive',
'hololens',
'honda',
'honesty',
'honeypot',
'hornetq',
'hortonworks',
'host',
'hosting',
'hp',
'hp-ux',
'html',
'http',
'https',
'hudson',
'humanities',
'humorous',
'hydrogeology',
'hydrology',
'hyperledger',
'hyperparameter',
'hypervisor',
'hypothesis',
'i2',
'iOS',
'iPad',
'iPhone',
'ibm',
'ica',
'id3',
'identification',
'identity',
'idms',
'ieee',
'ihs',
'ilog',
'image',
'impala',
'implement',
'ims',
'inadequate',
'incident',
'inclusive',
'independence',
'independent',
'index',
'industry',
'influence',
'influxdb',
'informatics',
'informix',
'infosec',
'infosphere',
'infrastructure',
'innovation',
'insight',
'inspire',
'install',
'insurance',
'integrate',
'integration',
'interface',
'internet',
'interoperability',
'interview',
'interviewing',
'intuition',
'intuitiveness',
'inventor',
'inventory',
'investment',
'invoice',
'ios',
'ipad',
'ipc',
'iphone',
'ipsec',
'ipv4',
'ipv6',
'ipython',
'isaca',
'isam',
'isc',
'iscsi',
'isms',
'ispf',
'itaas',
'itil',
'j2ee',
'jQuery',
'jacl',
'java',
'javascript',
'jboss',
'jcl',
'jdbc',
'jenkins',
'jira',
'jit',
'jquery',
'json',
'jsp',
'jython',
'kafka',
'kaiser',
'kbank',
'kdb',
'keepalived',
'keylogged',
'keylogger',
'keynesian',
'kibana',
'kpi',
'kubernetes',
'l33t',
'language',
'lasso',
'layoff',
'ldap',
'leadership',
'learn',
'learning',
'leet',
'legacy',
'legislation',
'libquantum',
'libxml2',
'license',
'lifecycle',
'linguistics',
'linkedin',
'linux',
'lisp',
'listen',
'literature',
'loadleveler',
'loblaw',
'location',
'logstash',
'loss',
'lotus',
'loyal',
'lucene',
'lufthansa',
'lulzsec',
'macOS',
'macos',
'macroeconomics',
'mainframe',
'maintain',
'maintainability',
'maintenance',
'manage',
'management',
'manager',
'manufacturing',
'manulife',
'mapreduce',
'markel',
'marketing',
'mars',
'matlab',
'matplotlib',
'maven',
'maximo',
'mazda',
'mba',
'mcp',
'mda',
'measurement',
'media',
'mediate',
'medium',
'meeting',
'memory',
'mentor',
'mentoring',
'meraki',
'messaging',
'metadata',
'meteorology',
'methodology',
'metric',
'metrica',
'michelin',
'microbiology',
'microcode',
'microeconomics',
'microframework',
'microprocessor',
'microservices',
'microsoft',
'middleware',
'midrange',
'migrate',
'migration',
'milestone',
'mimix',
'mindful',
'mindfulness',
'minechat',
'minecraft',
'mineralogy',
'minitab',
'minority',
'mission',
'mitsui',
'model',
'modeler',
'molecule',
'mongodb',
'monitor',
'monitoring',
'mooc',
'morale',
'motiva',
'motivate',
'motivating',
'motivation',
'mozilla',
'mqseries',
'mulesoft',
'multilevel',
'multitasking',
'mvp',
'mvs',
'mysql',
'nat',
'negotiate',
'negotiation',
'neo4j',
'netapp',
'netbackup',
'netcat',
'netcool',
'netezza',
'netnovo',
'network',
'networking',
'neurobiology',
'neurology',
'neuropsychology',
'neuroscience',
'nginx',
'nltk',
'nodejs',
'nokia',
'nordea',
'nordic',
'nosql',
'novartis',
'novell',
'numecent',
'numpy',
'nutch',
'obi',
'oceanography',
'offering',
'office',
'offline',
'offshore',
'olap',
'old',
'oltp',
'omegamon',
'omnifind',
'oncology',
'online',
'onlive',
'onsite',
'ontology',
'oozie',
'opengl',
'openpages',
'openshift',
'openshift.io',
'openssl',
'openstack',
'operational',
'operations',
'opportunity',
'optics',
'optim',
'optimization',
'optimize',
'oracle',
'organism',
'organization',
'orientation',
'os390',
'ospf',
'outage',
'outlook',
'overtime',
'overwork',
'palaeontology',
'paleontology',
'pandas',
'parse',
'partition',
'partnership',
'pascal',
'passion',
'password',
'patch',
'patching',
'patent',
'patience',
'pattern',
'pbs',
'pci',
'pedagogy',
'peer-to-peer',
'peertopeer',
'penalty',
'peoplesoft',
'perceptive',
'performance',
'perl',
'perseverance',
'persistence',
'person',
'personalization',
'persuasion',
'petroleum',
'pfsense',
'pharmaceutical',
'pharmacology',
'phd',
'phenomenology',
'philologist',
'philology',
'philosophy',
'phish',
'phished',
'phisher',
'phishing',
'phone',
'phonetics',
'photoshop',
'php',
'phpmyadmin',
'physics',
'physiology',
'pickbasic',
'pig',
'ping',
'plan',
'planning',
'platform',
'pleasure',
'pli',
'plm',
'plsql',
'pmi',
'poi',
'pointbase',
'policy',
'portfolio',
'positive',
'postgres',
'postgresql',
'powerbi',
'powercli',
'powerdns',
'powerha',
'powerpc',
'powersc',
'powershell',
'powervm',
'pqedit',
'presales',
'presentation',
'president',
'privacy',
'probability',
'problem',
'process',
'processor',
'product',
'productive',
'productivity',
'professionalism',
'profit',
'program',
'programmer',
'project',
'prolog',
'promotion',
'property',
'proposal',
'proposition',
'protein',
'protocol',
'proud',
'provenance',
'proventia',
'provision',
'provisioning',
'proxmox',
'proxy',
'psychiatry',
'psycholinguistics',
'psychology',
'publish',
'punctuality',
'puppet',
'pureapplication',
'puredata',
'pyspark',
'python',
'qiskit',
'qlikview',
'quality',
'query',
'quick-witted',
'quickedd',
'r-series',
'rabbitmq',
'raci',
'rackspace',
'rational',
'raytheon',
'rdf',
'rdfs',
'rds',
'reactjs',
'realistic',
'recognition',
'recover',
'recovery',
'recruit',
'recruiter',
'recruiting',
'redhat',
'redis',
'redmine',
'redshift',
'regularization',
'regulation',
'relational',
'relativity',
'relevant',
'reliability',
'rembo',
'remediate',
'remediation',
'renew',
'renewal',
'report',
'reporting',
'request',
'requirement',
'research',
'resilience',
'resiliency',
'resourcefulness',
'respect',
'respectability',
'respectfulness',
'responsibility',
'responsiveness',
'retail',
'retire',
'retirement',
'reuters',
'revenue',
'rexx',
'rfp',
'rfs',
'rhce',
'rhcsa',
'roadmap',
'robotics',
'robustness',
'roi',
'role',
'router',
'rpc',
'rpm',
'rsa',
'rsync',
'ruby',
'rule',
'safety',
'salary',
'sales',
'salesforce.com',
'sametime',
'san',
'sandboxie',
'sandvik',
'sap',
'sas',
'sass',
'scala',
'scalability',
'scheduling',
'school',
'schweiz',
'scipy',
'sclm',
'scope',
'scotia',
'scrum',
'seaborn',
'security',
'sed',
'selenium',
'self-awareness',
'self-supervising',
'seniority',
'sensu',
'server',
'service',
'servicenow',
'session',
'sexism',
'sexist',
'sharepoint',
'shell',
'showcase',
'silverlight',
'simplicity',
'simulation',
'simulink',
'situation',
'size',
'sizing',
'skiddie',
'skill',
'sklearn',
'slack',
'smalltalk',
'smartcloud',
'smtp',
'soa',
'sociolinguistics',
'sociology',
'softlayer',
'software',
'solaris',
'solr',
'sony',
'sow',
'sox',
'spaCy',
'spacy',
'spambot',
'spanish',
'spark',
'sparql',
'speak',
'specialist',
'speedhacking',
'spi',
'splunk',
'spring',
'sprint',
'spss',
'sql',
'sqlalchemy',
'sqlite',
'sqoop',
'ssh',
'ssis',
'ssl',
'ssms',
'stakeholder',
'standard',
'state',
'statistic',
'statistics',
'sterling',
'sting',
'storage',
'storytelling',
'stress',
'subversion',
'success',
'suggest',
'suggestion',
'supercomputer',
'supercomputers',
'supercomputing',
'supervising',
'support',
'supportive',
'surepos',
'survey',
'suse',
'switch',
'sybase',
'sybaseiq',
'symantec',
'symfony',
'syncsort',
'sysco',
'system',
't-sql',
'tableau',
'tablet',
'tabular',
'talanx',
'tape',
'taxonomy',
'tcp',
'tcpip',
'team',
'teamwork',
'telecommunication',
'telecommunications',
'teleconference',
'telegraf',
'teleprocessing',
'template',
'tensorflow',
'teradata',
'terminology',
'terraform',
'test',
'testing',
'thermodynamics',
'thing',
'think40',
'ticket',
'tika',
'time',
'timestamp',
'tivoli',
'tkinter',
'tls',
'tolerant',
'tomcat',
'topology',
'totalstorage',
'tpf',
'tracert',
'train',
'trainability',
'trainable',
'training',
'transfer',
'transistor',
'translate',
'translation',
'transportation',
'travel',
'travis',
'treatment',
'trello',
'triggerbot',
'trigonometry',
'tririga',
'troubleshoot',
'troubleshooting',
'trust',
'twitter',
'txseries',
'typescript',
'udacity',
'udp',
'ultraseek',
'uml',
'unapproachable',
'unavailability',
'unavailable',
'unica',
'unicredit',
'uninstall',
'university',
'unix',
'unsatisfied',
'upgrade',
'upskill',
'upstander',
'uptime',
'usability',
'user',
'veeam',
'velocloud',
'venafi',
'veritas',
'vim',
'vios',
'viptela',
'virtualization',
'virtualize',
'virtuo',
'vision',
'visualage',
'visualization',
'vodafone',
'volcanology',
'voltage',
'vsam',
'vsphere',
'vtam',
'wallhacking',
'walmart',
'warehouse',
'watch',
'watermark',
'watson',
'webapps',
'weblogic',
'webpage',
'webserver',
'websphere',
'wellpoint',
'westpac',
'wifi',
'wildfly',
'windows',
'wipro',
'wireshark',
'wmi',
'word2vec',
'workflow',
'workload',
'workplace',
'workshop',
'write',
'writing',
'x.25',
'xen',
'xenapp',
'xenserver',
'xgboost',
'xhtml',
'xmind',
'xml',
'xpath',
'xslt',
'yaml',
'yara',
'yarn',
'yml',
'young',
'z/Linux',
'z/OS',
'z/VM',
'z/VSE',
'zenhub',
'zlinux',
'zookeeper',
'zoology',
'zos',
'zvm',
'zvse'],
'gram-2': [ '4G Network',
'4g network',
'51% Attack',
'51% attack',
'5G Network',
'5g network',
'7.2 SPS5',
'7.2 sps5',
'AIX 5.2',
'AIX 5.3',
'AIX Certification',
'API Management',
'ASP.NET MVC',
'ASV Certification',
'AWS CLI',
'AWS Certification',
'AWS CloudTrail',
'AWS Cognito',
'AWS DynamoDB',
'AWS EC2',
'AWS Elemental',
'AWS GovCloud',
'AWS Lambda',
'AWS S3',
'AWS Stats',
'Abbvie Inc.',
'Abstract Algebra',
'Acceptance Test',
'Acceptance Testing',
'Accepting Feedback',
'Access Attempt',
'Access Control',
'Access Failure',
'Access Manager',
'Account Architect',
'Account Team',
'Accounts Payable',
'Ace Insurance',
'Activation Training',
'Active Directory',
'Activity Diagram',
'Activity Provenance',
'Activity Report',
'Administrative Role',
'Administrative Services',
'Adobe Air',
'Adobe Analytics',
'Adobe Animate',
'Adobe Apollo',
'Adobe Atmosphere',
'Adobe Audition',
'Adobe Authorware',
'Adobe BlazeDS',
'Adobe Brackets',
'Adobe Bridge',
'Adobe BrowserLab',
'Adobe Buzzword',
'Adobe Campaign',
'Adobe Captivate',
'Adobe ColdFusion',
'Adobe Color',
'Adobe Connect',
'Adobe Contribute',
'Adobe CreativeSync',
'Adobe Dimension',
'Adobe Director',
'Adobe Displaytalk',
'Adobe Distiller',
'Adobe Dreamweaver',
'Adobe Edge',
'Adobe Encore',
'Adobe FDK',
'Adobe Fireworks',
'Adobe Flash',
'Adobe Flex',
'Adobe Fonts',
'Adobe FrameMaker',
'Adobe Freehand',
'Adobe Fresco',
'Adobe GoLive',
'Adobe HomeSite',
'Adobe Illustrator',
'Adobe ImageReady',
'Adobe ImageStyler',
'Adobe InCopy',
'Adobe Indesign',
'Adobe JRun',
'Adobe Jenson',
'Adobe LaserTalk',
'Adobe LeanPrint',
'Adobe Lightroom',
'Adobe LiveCycle',
'Adobe LiveMotion',
'Adobe MAX',
'Adobe Media',
'Adobe Muse',
'Adobe OnLocation',
'Adobe Originals',
'Adobe Ovation',
'Adobe PDF',
'Adobe PageMill',
'Adobe Pagemaker',
'Adobe Persuasion',
'Adobe PhotoDeluxe',
'Adobe Photoshop',
'Adobe Portfolio',
'Adobe Postscript',
'Adobe Prelude',
'Adobe Premiere',
'Adobe Presenter',
'Adobe PressReady',
'Adobe PressWise',
'Adobe Primetime',
'Adobe Ps',
'Adobe RGB',
'Adobe Reader',
'Adobe RoboHelp',
'Adobe Scout',
'Adobe Shockwave',
'Adobe Sign',
'Adobe Social',
'Adobe Soundbooth',
'Adobe Spark',
'Adobe SpeedGrade',
'Adobe Stock',
'Adobe Story',
'Adobe Streamline',
'Adobe Target',
'Adobe Type',
'Adobe Ultra',
'Adobe Voco',
'Adobe XD',
'Adobe acrobat',
'Advanced Analytics',
'Agglomerative Clustering',
'Agile Artifact',
'Agricultural Industry',
'Aim Bot',
'Air Canada',
'Airtel Africa',
'Algo OpVar',
'Algo Strategic',
'Algorithm Analysis',
'Algorithm Design',
'Aliababa Certification',
'Alpine Linux',
'Amazon Neptune',
'American Express',
'Analysis Document',
'Analysis Skill',
'Analytical Activity',
'Analytical Chemistry',
'Analytical Skill',
'Analytics Asset',
'And Leadership',
'Antergos Linux',
'Anthropology Course',
'Antivirus Software',
'Anzo Graph',
'Apache Cassandra',
'Apache License',
'Apache Software',
'Apache Spark',
'Application Administrator',
'Application Architect',
'Application Architecture',
'Application Developer',
'Application Framework',
'Application Manager',
'Application Performance',
'Application Recovery',
'Application Server',
'Application Time',
'Application Virtualization',
'Apps Modernization',
'Arch Linux',
'Architectural Pattern',
'Ariba Integration',
'Arizona State',
'Art Director',
'Art History',
'Artificial Intelligence',
'Artistic Aptitude',
'Assessment Workshop',
'Asset Management',
'Asset Optimization',
'Associates Degree',
'Astellas Pharma',
'Astra Linux',
'Atlas eDiscovery',
'Audio Configuration',
'Audit Readiness',
'Audit Skill',
'Australia Bank',
'Austrian School',
'Authorization Code',
'Authorization Security',
'Automated Provisioning',
'Automated Transformation',
'Automotive Industry',
'Awareness Training',
'Axa Tech',
'Azure Certification',
'Azure Developer',
'BI Reporting',
'BSD License',
'Bachelors Degree',
'Back End',
'Backward Elimination',
'Bad Process',
'Bad Quality',
'Batch Job',
'Batch Optimization',
'Bayesian Network',
'Behavioral Economics',
'Bell Canada',
'Benefit Pay',
'Best Practice',
'Bi Reporting',
'Bid Strategy',
'Big Data',
'Binary Classifier',
'Biological Anthropology',
'Biological Science',
'Bitcoin Mining',
'Blackboard Inc',
'Blade Server',
'Blame Culture',
'Blockchain Block',
'Blockchain Company',
'Blockchain Framework',
'Blockchain Infrastructure',
'Blockchain Project',
'Bluemix NLC',
'Boehringer Ingelheim',
'Bonus Pay',
'Bot Account',
'Bot Net',
'Branch Transformation',
'Brand Management',
'Brand Role',
'Brand Specialist',
'Brava! Enterprise',
'Bristol-myers Squibb',
'Broadband Network',
'Build Automation',
'Business Advisor',
'Business Analyst',
'Business Case',
'Business Continuity',
'Business Dashboard',
'Business Development',
'Business Entity',
'Business Ethics',
'Business Framework',
'Business Intelligence',
'Business Lead',
'Business Leader',
'Business Logic',
'Business Methodology',
'Business Model',
'Business Network',
'Business Opportunity',
'Business Pitch',
'Business Process',
'Business Reporting',
'Business Requirement',
'Business Role',
'Business Skill',
'Business Software',
'Business Specialist',
'Business Stakeholder',
'Business Storytelling',
'Business Terminology',
'C Language',
'C Sharp',
'CA State',
'CAP Certification',
'CCIE Security',
'CCIE Wireless',
'CCNA Industrial',
'CCNA Security',
'CCNA Wireless',
'CCNP Security',
'CCNP Wireless',
'CCSK Certification',
'CCSP Certification',
'CGEIT Certification',
'CICS Batch',
'CICS Business',
'CICS Configuration',
'CICS Deployment',
'CICS Interdependency',
'CICS Online',
'CICS Performance',
'CICS Transaction',
'CICS VSAM',
'CISA Certification',
'CISM Certification',
'CISSP Certification',
'CJ Healthcare',
'CMOS Device',
'CRISC Certification',
'CRISP DM',
'CSA Certification',
'CSSA Certification',
'CSSLP Certification',
'Caching Proxy',
'Call Monitoring',
'Canada Bank',
'Candidate Pool',
'Capacity Plan',
'Capacity Skill',
'Capital Asset',
'Career Conversation',
'Career Growth',
'Carphone Warehouse',
'Case Manager',
'Case Study',
'Category Theory',
'Ceph Storage',
'Chair Role',
'Change Management',
'Change Request',
'Chat Bot',
'Cheat Engine',
'Checkpoint Certification',
'Chemistry Major',
'Circuit Board',
'Circuit Design',
'Cisco ACI',
'Cisco Certification',
'Citizens Financial',
'Citrix Certification',
'Citrix Cloud',
'Citrix Online',
'Citrix Receiver',
'Citrix Software',
'Citrix WinFrame',
'Citrix Workspace',
'Citrix XenApp',
'Citrix XenDesktop',
'Civil Engineering',
'Claim Of',
'Claim Training',
'Clarity 7',
'Class Training',
'Classical Mechanics',
'Classical Study',
'Classification Model',
'Classification Tree',
'Client Account',
'Client Environment',
'Client Focus',
'Client Growth',
'Client Industry',
'Client Interview',
'Client Meeting',
'Client Mission',
'Client Relationship',
'Client Request',
'Client Requirement',
'Client Role',
'Client Satisfaction',
'Client Server',
'Client Skill',
'Client Success',
'Client Training',
'Client Transformation',
'Client Travel',
'Cloud 9',
'Cloud Analytics',
'Cloud Application',
'Cloud Architect',
'Cloud Backup',
'Cloud CMS',
'Cloud Collaboration',
'Cloud Communications',
'Cloud Computing',
'Cloud Container',
'Cloud Database',
'Cloud Deployment',
'Cloud Desktop',
'Cloud Developer',
'Cloud Elements',
'Cloud Engineering',
'Cloud Feedback',
'Cloud Files',
'Cloud Front',
'Cloud Gate',
'Cloud Gateway',
'Cloud IDE',
'Cloud Infrastructure',
'Cloud Management',
'Cloud Manufacturing',
'Cloud Microphysics',
'Cloud Migration',
'Cloud Printing',
'Cloud Provider',
'Cloud Research',
'Cloud Robotics',
'Cloud Security',
'Cloud Server',
'Cloud Service',
'Cloud Skill',
'Cloud Software',
'Cloud Storage',
'Cloud Tool',
'Cloud Trail',
'Cloud Watch',
'Cloud computing',
'Cloud hosting',
'Cloudera Certification',
'Cluster Analysis',
'Cluster Computing',
'Cluster Systems',
'Clustering Model',
'Coaching Skill',
'Coca Cola',
'Code Quality',
'Cognitive Framework',
'Cognitive Neuroscience',
'Cognitive Psychology',
'Cognitive Science',
'Cognitive Skill',
'Cognitive Test',
'Cognitive Testing',
'Cognitive Training',
'Cognos 8',
'Cognos Analysis',
'Cognos Application',
'Cognos Business',
'Cognos Consolidator',
'Cognos Controller',
'Cognos Customer',
'Cognos DecisionStream',
'Cognos Express',
'Cognos Finance',
'Cognos Financial',
'Cognos Impromptu',
'Cognos Insight',
'Cognos Mobile',
'Cognos NoticeCast',
'Cognos Now!',
'Cognos Planning',
'Cognos PowerPlay',
'Cognos Query',
'Cognos Statistics',
'Cognos Supply',
'Cognos TM1',
'Cognos Visualizer',
'Collaborative Culture',
'Collaborative Filtering',
'Collaborative Software',
'Combat Logger',
'Commerical License',
'Commerical Software',
'Common Lisp',
'Communication Bus',
'Communication Controller',
'Communication Designer',
'Communication Device',
'Communication Player',
'Communication Protocol',
'Communication Security',
'Communication Skill',
'Communications Server',
'Community Cloud',
'Company Asset',
'Comparative Literature',
'Comparative Religion',
'Comparative Studies',
'Competitive Analysis',
'Competitive Research',
'Competitive Workplace',
'Complex Circuit',
'Complexity Theory',
'Compliance Engineer',
'Compliance Lead',
'Compliance Policy',
'Compliance Test',
'Compliance Testing',
'Computational Biology',
'Computational Chemistry',
'Computational Complexity',
'Computational Linguistics',
'Computational Neuroscience',
'Computational Physics',
'Computational Science',
'Computer Architecture',
'Computer Configuration',
'Computer Hardware',
'Computer Model',
'Computer Operator',
'Computer Science',
'Computer Security',
'Computer Vision',
'Computing Platform',
'Concept Artist',
'Configuration Management',
'Conflict Resolution',
'Connections Enterprise',
'Constantly Strive',
'Consulting Skill',
'Consumer Good',
'Consumer Research',
'Container Software',
'Content Analytics',
'Content Analyzer',
'Content Classification',
'Content Collector',
'Content Designer',
'Content Integrator',
'Content Management',
'Content Manager',
'Content Navigator',
'Continental Casualty',
'Continental Philosophy',
'Continuous Deployment',
'Continuous Improvement',
'Continuous Integration',
'Contract Renewal',
'Contract Template',
'Contrail Cloud',
'Contrail Product',
'Contrail SDWAN',
'Control Framework',
'Control Protocol',
'Control Theory',
'Corporate Audit',
'Corporate Customer',
'Corporate Division',
'Corporate Finance',
'Corrective Action',
'Correlation Explanation',
'Correspondence Analysis',
'Cosmos DB',
'Cost Cutting',
'Cost Reduction',
'Couch DB',
'Creative Cloud',
'Creative Director',
'Credit Card',
'Critical Observation',
'Critical Theory',
'Critical Thinking',
'Cross Platform',
'Cryptographic Protocol',
'Crystal Report',
'Cubist Model',
'Cultural Anthropology',
'Cultural Studies',
'Cultural Study',
'Customer Behavior',
'Customer Benefit',
'Customer Engagement',
'Customer Experience',
'Customer Management',
'Customer Oriented',
'Customer Service',
'Customer Support',
'Customer Team',
'Cybersecurity Company',
'DB2 Administration',
'DB2 Alphablox',
'DB2 Analytics',
'DB2 Archive',
'DB2 Audit',
'DB2 Automation',
'DB2 Bind',
'DB2 Buffer',
'DB2 Change',
'DB2 Cloning',
'DB2 Data',
'DB2 Everyplace',
'DB2 High',
'DB2 Log',
'DB2 Merge',
'DB2 Object',
'DB2 Optimization',
'DB2 Path',
'DB2 Performance',
'DB2 Query',
'DB2 Recovery',
'DB2 SQL',
'DB2 Server',
'DB2 Storage',
'DB2 Test',
'DB2 Tools',
'DB2 Universal',
'DB2 Utilities',
'Danske Bank',
'Data Analysis',
'Data Analyst',
'Data Architect',
'Data Architecture',
'Data Artifact',
'Data Audit',
'Data Center',
'Data Dictionary',
'Data Dimension',
'Data Encryption',
'Data Error',
'Data Governance',
'Data Lake',
'Data Management',
'Data Mart',
'Data Methodology',
'Data Migration',
'Data Mining',
'Data Model',
'Data Privacy',
'Data Processing',
'Data Quality',
'Data Science',
'Data Scientist',
'Data Security',
'Data Server',
'Data Skill',
'Data Storage',
'Data Structure',
'Data Studio',
'Data Warehouse',
'Data Wrangling',
'Database Administrator',
'Database Certification',
'Database Design',
'Database Dimension',
'Database Function',
'Database Index',
'Database Query',
'Database Schema',
'Database Skill',
'Database Table',
'Databases Modernization',
'Ddos Attack',
'Deal Making',
'Debian Linux',
'Debug Tool',
'Decentralized Application',
'Decision Center',
'Decision Document',
'Decision Making',
'Decision Stump',
'Decision Tree',
'Declarative Language',
'Deep Learning',
'Defense Industry',
'Delivery Manager',
'Delivery Model',
'Delivery Role',
'Delivery Skill',
'Delivery Specialist',
'Delivery Time',
'Dell Certification',
'Denial-Of-Service Attack',
'Density Estimation',
'Deployment Environment',
'Deployment Skill',
'Design Aesthetics',
'Design Aptitude',
'Design Artifact',
'Design Document',
'Design Pattern',
'Design Skill',
'Design Thinking',
'Desktop Hardware',
'Desktop Support',
'Deterministic Optimization',
'Deutsche Bank',
'Development Methodology',
'Development Team',
'Device Driver',
'Device Programming',
'Device Support',
'DiVincenzo Criteria',
'Differential Equations',
'Digital Artifact',
'Digital Asset',
'Digital Image',
'Digital Marketing',
'Digital Network',
'Digital Pen',
'Digital Structure',
'Digital Transformation',
'Dimensionality Reduction',
'Disability Awareness',
'Disaster Recovery',
'Discriminant Function',
'Disk Drive',
'Disk Encryption',
'Display Device',
'Display Resolution',
'Dispute Resolution',
'Distance Education',
'Distribute System',
'Distributed Cloud',
'Distributed Computing',
'Distributed Environment',
'Distributed Ledger',
'Distributed Memory',
'Distributed Skill',
'Distributed Software',
'Diversity Awareness',
'Divisive Clustering',
'Doctoral Degree',
'Document Classification',
'Document Clustering',
'Document Database',
'Document Manager',
'Domain Language',
'Domain Security',
'Domain Skill',
'Domain Training',
'Drug Entrepreneur',
'Dummy Account',
'Dummy Coding',
'Dynamics 365',
'E Commerce',
'ELK Stack',
'Earth Science',
'Economic History',
'Economic Theory',
'Edge Cloud',
'Edition 2016',
'Edition 2018',
'Education Policy',
'Educational Field',
'Effective Communicator',
'Elastic Net',
'Elections Canada',
'Electric Circuit',
'Electrical Device',
'Electrical Engineering',
'Electrical Regulator',
'Electrical State',
'Elliptic Envelope',
'Embedded Linux',
'Embedded System',
'Emerging Technologies',
'Emerging Technology',
'Emotion Management',
'Emotional Intelligence',
'Emotional Skill',
'Employee Appreciation',
'Employee Benefit',
'Employee Pay',
'Employee Recognition',
'Employee Training',
'Employee Treatment',
'Encryption Software',
'End User',
'Energy Industry',
'Engagement Plan',
'Engagement Process',
'Engagement Training',
'English Literature',
'Enterprise Architect',
'Enterprise Cloud',
'Enterprise Infrastructure',
'Enterprise Java',
'Enterprise Network',
'Enterprise Plan',
'Enterprise Records',
'Entity Provenance',
'Environmental Science',
'Equal Opportunity',
'Equipment Failure',
'Ergonomic Sensitivity',
'Ethical Guideline',
'Event Log',
'Event Processing',
'Exchange Server',
'Execution Model',
'Executive Role',
'Experimental Physics',
'Expert Role',
'Expert System',
'External Device',
'External Transfer',
'Extreme Programming',
'F1 Score',
'Facility Management',
'Fact Table',
'Factor Analysis',
'Fair Profit',
'False Negative',
'False Positive',
'Fannie Mae',
'Fault Tolerant',
'Feasibility Study',
'Feature Creep',
'Feature Engineering',
'Feature Extraction',
'Feature Selection',
'Federated Identity',
'Fedora Linux',
'Field Inventory',
'File System',
'FileNet Application',
'FileNet Business',
'FileNet Capture',
'FileNet Connectors',
'FileNet Content',
'FileNet Fax',
'FileNet IDM',
'FileNet Image',
'FileNet Team',
'FileNet eForms',
'FileNet eProcess',
'Financial Benefit',
'Financial Company',
'Financial Instrument',
'Financial Measurement',
'Financial Plan',
'Financial Service',
'Financial Skill',
'Financial Technology',
'Find Similar',
'Fine Art',
'Firewall Configuration',
'First Responsibility',
'Fixed Asset',
'Flexible Environment',
'Flexible Work',
'Fluid Dynamics',
'Fluid Mechanics',
'Follow Instructions',
'Follow Regulations',
'Follow Rules',
'Following Direction',
'Formal Language',
'Forms Designer',
'Forms Server',
'Forms Turbo',
'Forms Viewer',
'FortiGate Carrier',
'FortiGate Enterprise',
'FortiGate UTM',
'Forward Proxy',
'Forward Selection',
'Frame Relay',
'Free Software',
'Front End',
'Full Stack',
'Functional Programming',
'Functional Requirement',
'Fundamental Physics',
'Funding Round',
'GASF Certification',
'GAWN Certification',
'GCCC Certification',
'GCDA Certification',
'GCED Certification',
'GCFA Certification',
'GCFE Certification',
'GCIA Certification',
'GCIH Certification',
'GCIP Certification',
'GCPM Certification',
'GCTI Certification',
'GCUX Certification',
'GCWN Certification',
'GDAT Certification',
'GDSA Certification',
'GEVA Certification',
'GIAC Certification',
'GISCP Certification',
'GISF Certification',
'GISP Certification',
'GLEG Certification',
'GMOB Certification',
'GMON Certification',
'GNFA Certification',
'GPEN Certification',
'GPL License',
'GPL3 License',
'GPPA Certification',
'GPYC Certification',
'GREM Certification',
'GRID Certification',
'GSE Certification',
'GSEC Certification',
'GSLC Certification',
'GSNA Certification',
'GSSP Certification',
'GSTRT Certification',
'GWAPT Certification',
'GWEB Certification',
'GXPN Certification',
'Game Designer',
'Game Engine',
'Game Programming',
'Genetic Algorithms',
'Georgia Tech',
'Ginni Rometty',
'Global Data',
'Global Retention',
'Global Training',
'Go Live',
'Good Attitude',
'Good Quality',
'Google Cardboard',
'Google Certification',
'Google Cloud',
'Gradient Descent',
'Graduate Degree',
'Graph Algorithm',
'Graph Database',
'Graph Theory',
'Graphic Artist',
'Graphic Designer',
'Graphical Model',
'Green Hat',
'Ground Truth',
'HCISPP Certification',
'HP Cloud',
'HTTP Server',
'Handheld Computer',
'Hard Disk',
'Hardware Deployment',
'Hardware Design',
'Hardware Platform',
'Hardware Skill',
'Hardware Test',
'Hardware Testing',
'Hardware Troubleshooting',
'Hardware Virtualization',
'Hash Tree',
'Health Care',
'Health Informatics',
'Health Insurance',
'Health Net',
'Healthcare Provider',
'Help Desk',
'Hierarchical Clustering',
'Hierarchical Database',
'High Availability',
'High Quality',
'High Scalability',
'High Skill',
'High Workload',
'Highly Recommended',
'Hikma Pharmaceuticals',
'Hiring Manager',
'Historical Linguistics',
'Home Network',
'Home Office',
'Hortonworks Certification',
'Host Access',
'Human Resources',
'Hybrid cloud',
'Hyperledger Fabric',
'I O',
'IBM AIX',
'IBM Agile',
'IBM Badge',
'IBM Certification',
'IBM Cloud',
'IBM DB2',
'IBM Employee',
'IBM GBS',
'IBM GTS',
'IBM Internal',
'IBM Mainframe',
'IBM Notes',
'IBM Offering',
'IBM Power',
'IBM Product',
'IBM Q',
'IBM SameTime',
'IBM Software',
'IBM Storage',
'IBM Team',
'IEEE 802.11',
'IEEE 802.3',
'IEEE Standard',
'ILOG AMPL',
'ILOG CPLEX',
'ILOG Inventory',
'ILOG JViews',
'ILOG LogicNet',
'ILOG OPL-CPLEX',
'ILOG Server',
'ILOG Telecom',
'ILOG Views',
'IMAC Coordinator',
'IMS Audit',
'IMS Batch',
'IMS Buffer',
'IMS Cloning',
'IMS Command',
'IMS Configuration',
'IMS Connect',
'IMS DEDB',
'IMS Database',
'IMS Extended',
'IMS Fast',
'IMS High',
'IMS Index',
'IMS Library',
'IMS Network',
'IMS Online',
'IMS Parallel',
'IMS Parameter',
'IMS Performance',
'IMS Problem',
'IMS Program',
'IMS Queue',
'IMS Recovery',
'IMS Sequential',
'IMS Sysplex',
'IMS Tools',
'ISA Certification',
'ISACA Certification',
'ISC Certification',
'ISMS Certification',
'ISO 27001',
'ISO Certification',
'ISO Standard',
'ISPF Productivity',
'IT Architect',
'IT Manager',
'IT Service',
'IT Specialist',
'ITIL Certification',
'Ibm Aix',
'Ibm Cloud',
'Ibm Db2',
'Ibm Internal',
'Ibm Notes',
'Ibm Offering',
'Ibm Power',
'Ibm Sametime',
'Ibm Storage',
'Ibm Team',
'Identity Governance',
'Identity Management',
'Ieee 802.11',
'Ieee 802.3',
'Image Recognition',
'Implementation Role',
'Incident Manager',
'Incident Reduction',
'Incident Ticket',
'Incidental Benefit',
'Individual Role',
'Industry Context',
'Industry Insight',
'Industry Standard',
'Industry Trend',
'InfoSphere BigInsights',
'InfoSphere Change',
'InfoSphere Classic',
'InfoSphere Content',
'InfoSphere Data',
'InfoSphere DataStage',
'InfoSphere Discovery',
'InfoSphere FastTrack',
'InfoSphere Global',
'InfoSphere Guardium',
'InfoSphere Information',
'InfoSphere MashupHub',
'InfoSphere Master',
'InfoSphere Optim',
'InfoSphere QualityStage',
'InfoSphere Replication',
'InfoSphere Streams',
'Information Architect',
'Information Architecture',
'Information Developer',
'Information Governance',
'Information Management',
'Information Retrieval',
'Information Security',
'Information Server',
'Information System',
'Information Technology',
'Informix 4GL',
'Informix Data',
'Informix ESQL/COBOL',
'Informix Enterprise',
'Informix Extended',
'Informix Growth',
'Informix OnLine',
'Informix Servers',
'Informix Tools',
'Infosec Certification',
'Infrastructure Architect',
'Infrastructure Manager',
'Infrastructure Platform',
'Infrastructure Security',
'Infrastructure Service',
'Infrastructure Specialist',
'Initiate Address',
'Initiate Master',
'Innovative Programs',
'Innovative Role',
'Inorganic Chemistry',
'Inspiring People',
'Inspur K-UX',
'Insurance Company',
'Insurance Industry',
'Insurance Process',
'Integrated Circuit',
'Integration Architect',
'Integration Framework',
'Integration Platform',
'Integration Skill',
'Interaction Designer',
'Intercultural Competence',
'Internal Device',
'Internal Process',
'Internal Transfer',
'International Economics',
'Internet Explorer',
'Internet Protocol',
'Interpersonal Skills',
'Interview Skill',
'Inventory Management',
'Inventory Process',
'Inventory Tracking',
'Ip Ban',
'Ireland Bank',
'Isolation Forest',
'It Service',
'JMP Certification',
'Janus Graph',
'Java Certification',
'Java Foundations',
'Java Servlet',
'Job Posting',
'Job Security',
'Joint Venture',
'Juniper Certification',
'Juniper Networks',
'Jupyter Notebook',
'Just-In-Time Manufacturing',
'Kafka Messaging',
'Kernel Pca',
'Kernel Virtualization',
'Keystroke Logging',
'Killer App',
'Killer Application',
'Killer Feature',
'Knowledge Engineer',
'Knowledge Graph',
'Knowledge Management',
'Knowledge Share',
'Kohonen Map',
'Korn Shell',
'Kshape Clustering',
'Labor Claim',
'Lambda Calculus',
'Lead Developer',
'Leadership Role',
'Leadership Situation',
'Lean Manufacturing',
'Learning Motivation',
'Learning Presentation',
'Learning Provider',
'Legacy Modernization',
'Legacy System',
'Legal Document',
'Level 1',
'Level 2',
'Level 3',
'License Renewal',
'Life Insurance',
'Lifecycle Management',
'Line Management',
'Line Manager',
'Linear Algebra',
'Linear Model',
'Linear Programming',
'Linear Regression',
'Linus Torvalds',
'Linux Certification',
'Listening Skill',
'Literary Theory',
'Live Training',
'Living Organism',
'Lloyds Bank',
'Load Balancer',
'Load Test',
'Load Testing',
'Log File',
'Logical Partition',
'Logical Thinking',
'Logistic Regression',
'Logo Design',
'Lotus ActiveInsight',
'Lotus Connector',
'Lotus Domino',
'Lotus End',
'Lotus Enterprise',
'Lotus Expeditor',
'Lotus Foundations',
'Lotus Notes',
'Lotus Protector',
'Lotus Quickr',
'Lotus SmartSuite',
'Lotus Symphony',
'Lotus Workflow',
'Lotus iNotes',
'Low Skill',
'Loyalty Marketing',
'MCDBA Certification',
'MCSA Certification',
'MCSD Certification',
'MCSE Certification',
'MCTS Certification',
'MIT License',
'MOS Certification',
'MQSeries Integrator',
'MTA Certification',
'Machine Learning',
'Macro Language',
'Mailbox Client',
'Mainframe Computer',
'Majorana Fermion',
'Managed Cloud',
'Management Conversation',
'Management Methodology',
'Management Skill',
'Managment Enablement',
'Managment Training',
'Mandrake Linux',
'Manufacturing Company',
'Manufacturing Method',
'Marine Biology',
'Market Standard',
'Marketing Research',
'Marketing Role',
'Markov Model',
'Markup Language',
'Master Data',
'Master Inventor',
'Masters Degree',
'Materials Engineering',
'Materials Science',
'Math Skill',
'Math Software',
'Mathematical Finance',
'Mathematical Logic',
'Maximo Adapter',
'Maximo Archiving',
'Maximo Asset',
'Maximo Calibration',
'Maximo Change',
'Maximo Compliance',
'Maximo Contract',
'Maximo Data',
'Maximo Discovery',
'Maximo Everyplace',
'Maximo MainControl',
'Maximo Mobile',
'Maximo Online',
'Maximo Space',
'Maximo Spatial',
'Mechanical Engineering',
'Media Configuration',
'Media Content',
'Media Service',
'Medical Benefit',
'Medical Pay',
'Medical Skill',
'Meeting Deadlines',
'Meeting Minutes',
'Meets Deadlines',
'Memory-Mapped I/O',
'Mental Health',
'Merge Tool',
'Merkle Tree',
'Message Queue',
'Messaging Extension',
'Metro Life',
'Micro Service',
'Microsoft Azure',
'Microsoft Basic',
'Microsoft Certification',
'Microsoft Excel',
'Microsoft Hololens',
'Microsoft IIS',
'Microsoft Office',
'Microsoft Powerpoint',
'Microsoft Silverlight',
'Microsoft Visio',
'Microsoft Word',
'Middleware Modernization',
'Migration Skill',
'Migration Support',
'Miller Coors',
'Mind Map',
'Mining Protocol',
'Minority Employee',
'Mistakes Paid',
'Mixture Model',
'Mobile Computing',
'Mobile Device',
'Mobile Network',
'Mobile Office',
'Mobile Skill',
'Mobile Team',
'Mobile Virtualization',
'Model Explainability',
'Model Test',
'Model Testing',
'Modeling Language',
'Modern Economics',
'Modern Physics',
'Modular Design',
'Molecular Biology',
'Moller Maersk',
'Monitoring Software',
'Monte Carlo',
'Montreal Bank',
'Motion Designer',
'Multi Dimension',
'Multi Threaded',
'Multiclass Classifier',
'Multicloud Enabler',
'Multidimensional Scaling',
'Multilevel Grid',
'Multiprotocol Network',
'NS Lookup',
'NY State',
'Name Server',
'National Railroad',
'Natural Language',
'Natural Resources',
'Natural Science',
'Navigational Database',
'Negative Emotion',
'Negative Leadership',
'Negative Morale',
'Negative Situation',
'Negative Workplace',
'Negotiation Skill',
'Net Framework',
'NetNOVO Application',
'Netcool GUI',
'Netcool Omnibus',
'Netcool Realtime',
'Netcool Service',
'Netcool System',
'Netezza High',
'Network Administrator',
'Network Architect',
'Network Configuration',
'Network Database',
'Network Design',
'Network Device',
'Network Downtime',
'Network Drive',
'Network Gateway',
'Network Management',
'Network Methodology',
'Network Model',
'Network Outage',
'Network Packet',
'Network Product',
'Network Protocol',
'Network Provisioning',
'Network Security',
'Network Service',
'Network Skill',
'Network Specialist',
'Network Standard',
'Network Support',
'Network Tool',
'Neural Nets',
'Neural Network',
'New Cheat',
'New Employee',
'New Hire',
'New Manager',
'News Media',
'Newtonian Physics',
'No Change',
'No Conversation',
'No Problem',
'No Promotion',
'Node Red',
'Norwegian Wood',
'Notebook Interface',
'Nuage Networks',
'Nuclear Physics',
'Nueral Networks',
'Number Theory',
'Numerical Analysis',
'Numerical Method',
'Numerical Methods',
'OMEGAMON z/OS',
'Object Oriented',
'Object Pascal',
'Oculus Vr',
'Offering Manager',
'Offshore Team',
'Ohio State',
'Omni Channel',
'Online Training',
'Onsite Training',
'Open Source',
'Open Stack',
'OpenShift Dedicated',
'OpenShift Online',
'OpenShift Origin',
'OpenShift Platform',
'OpenShift Virtualization',
'Operating Model',
'Operating System',
'Operation Analyst',
'Operation Research',
'Operational Analytics',
'Operational Model',
'Operational Role',
'Operational Skill',
'Operations Analyst',
'Operations Architect',
'Operations Management',
'Operations Manager',
'Operations Research',
'Operations Role',
'Opportunity Owner',
'Optical Network',
'Optim Database',
'Optim High',
'Optim Performance',
'Optim pureQuery',
'Optim z/OS',
'Optimization Algorithm',
'Optimization Method',
'Optimization Skill',
'Oracle CCB',
'Oracle CRM',
'Oracle Ccb',
'Oracle Certification',
'Oracle Clinical',
'Oracle Cloud',
'Oracle Clusterware',
'Oracle Coherence',
'Oracle Commerce',
'Oracle Designer',
'Oracle Discoverer',
'Oracle EBS',
'Oracle Exadata',
'Oracle Exalogic',
'Oracle Financials',
'Oracle Flashback',
'Oracle Forms',
'Oracle Help',
'Oracle Hyperion',
'Oracle Integration',
'Oracle JDeveloper',
'Oracle Java',
'Oracle Linux',
'Oracle Multimedia',
'Oracle OLAP',
'Oracle Office',
'Oracle Payables',
'Oracle Portal',
'Oracle PowerBrowser',
'Oracle RAC',
'Oracle Racing',
'Oracle Receivables',
'Oracle Reports',
'Oracle Retail',
'Oracle SCM',
'Oracle Solaris',
'Oracle Spatial',
'Oracle Text',
'Oracle Tutor',
'Oracle VDI',
'Oracle VM',
'Oracle WebCenter',
'Oracle Weblogic',
'Oracle database',
'Oracle interMedia',
'Oracle metadata',
'Oracle script',
'Orchestration Framework',
'Order Management',
'Ordinal Regression',
'Organic Chemistry',
'Organizational Benefit',
'Organizational Focus',
'Organizational Issue',
'Organizational Pay',
'Organizational Role',
'Organizational Structure',
'Outlier Detection',
'Outsourcing Contract',
'Over-Specified Query',
'P2P Encryption',
'PAQSA Certification',
'PC Support',
'PCI Certification',
'PRINCE2 Certification',
'Package Manager',
'Packet Switching',
'Packet Trace',
'Paid Account',
'Parallel Computing',
'Parallel Engineering',
'Parallel Environment',
'Parse Tree',
'Particle Physics',
'Parzen Windows',
'Password Compliance',
'Pay Gap',
'Pay Level',
'Pay Penalty',
'Pay Process',
'Pay Raise',
'Payroll Software',
'Pc Power',
'Pc Support',
'Penetration Test',
'People Manager',
'Peoplesoft Certification',
'Performance Appraisal',
'Performance Expectation',
'Performance Indicator',
'Performance Management',
'Performance Metric',
'Performance Optimization',
'Performance Professional',
'Performance Report',
'Personal Cloud',
'Personal Computer',
'Personal Life',
'Personal Pc',
'Petroleum Industry',
'Pharmaceutical Company',
'Philips Medical',
'Philosophy Student',
'Phishing Link',
'Physical Anthropology',
'Physical Artifact',
'Physical Chemistry',
'Physical Health',
'Physical Location',
'Physical Property',
'Physical Science',
'Physical Structure',
'Plan Development',
'Plant Biology',
'Platform Analytics',
'Platform HDFS',
'Platform HPC',
'Platform Hdfs',
'Platform ISF',
'Platform LSF',
'Platform MPI',
'Platform Manager',
'Platform RTM',
'Platform Specific',
'Platform Symphony',
'Point-To-Point Encryption',
'Point-to-Point Encryption',
'PointBase Embedded',
'Poisson Regression',
'Poli Science',
'Political Economy',
'Political Philosophy',
'Political Science',
'Political Theory',
'Polynomial Regression',
'Poor Pay',
'Portfolio Alignment',
'Positive Attitude',
'Positive Emotion',
'Positive Leadership',
'Positive Morale',
'Positive Situation',
'Positive Workplace',
'Post Graduate',
'Potential Employee',
'Power Management',
'Power Server',
'PowerHA SystemMirror',
'PowerVM Lx86',
'PowerVM VIOS',
'PowerVM Virtual',
'Presales Role',
'Presales Skill',
'Presales Workshop',
'Presentation Layer',
'Presentation Skill',
'Price Optimization',
'Pricing Info',
'Pricing Process',
'Printing Failure',
'Privacy Regulation',
'Private Blockchain',
'Private cloud',
'Problem Solving',
'Procedural Language',
'Process Automation',
'Process Change',
'Process Consultant',
'Process Continuity',
'Process Improvement',
'Process Mining',
'Process Role',
'Procurement Manager',
'Product Designer',
'Product Management',
'Product Manager',
'Product Offering',
'Production Environment',
'Professional Growth',
'Professional Hire',
'Professional Pay',
'Professional Role',
'Professional Services',
'Professions Certification',
'Program Manager',
'Programming Language',
'Programming Skill',
'Project Administrator',
'Project Assistant',
'Project Estimation',
'Project Executive',
'Project Manager',
'Project Plan',
'Project Scope',
'Project Status',
'Project Team',
'Project Transfer',
'Property Graph',
'Proventia Desktop',
'Proventia Endpoint',
'Proventia Management',
'Proventia Network',
'Proventia Virtualized',
'Provide Value',
'Provisioning Skill',
'Proxy Server',
'Public Administration',
'Public Blockchain',
'Public cloud',
'PureApplication System',
'PureData System',
'Python Library',
'QIR Certification',
'QSA Certification',
'Quadratic Programming',
'Quality Assurance',
'Quality Control',
'Quality Improvement',
'Quality Management',
'Quality Planning',
'Quantitative Finance',
'Quantum Advantage',
'Quantum Algorithms',
'Quantum Bit',
'Quantum Cloud',
'Quantum Computing',
'Quantum Entanglement',
'Quantum Interference',
'Quantum Mechanics',
'Quantum Operation',
'Quantum Parallelism',
'Quantum Physics',
'Quantum Programming',
'Quantum Research',
'Quantum Vertex',
'Query Disambigutation',
'Query Language',
'R Language',
'R-Series Platform',
'RACF Database',
'Rackspace Cloud',
'Random Forest',
'Random Tree',
'Rational Ada',
'Rational Apex',
'Rational Application',
'Rational Asset',
'Rational Automation',
'Rational Build',
'Rational COBOL',
'Rational Change',
'Rational ClearCase',
'Rational ClearDDTS',
'Rational ClearQuest',
'Rational Computer',
'Rational DOORS',
'Rational Dashboard',
'Rational Data',
'Rational Developer',
'Rational Development',
'Rational Elite',
'Rational Engineering',
'Rational Functional',
'Rational Host',
'Rational Insight',
'Rational Lifecycle',
'Rational Logiscope',
'Rational Modeling',
'Rational Open',
'Rational Performance',
'Rational Policy',
'Rational ProjectConsole',
'Rational Purify',
'Rational PurifyPlus',
'Rational Quality',
'Rational RequisitePro',
'Rational Robot',
'Rational Rose',
'Rational Service',
'Rational SoDA',
'Rational Software',
'Rational Statemate',
'Rational Suite',
'Rational Synergy',
'Rational System',
'Rational Systems',
'Rational Tau',
'Rational Team',
'Rational Test',
'Rational TestManager',
'Rational Web',
'Readable Medium',
'Reasonable Prices',
'Reciprocal Averaging',
'Recommendation Systems',
'Recruiting Document',
'Recruiting Role',
'Recruitment Strategy',
'Recruitment System',
'Red Hat',
'RedHat CloudForms',
'RedHat Linux',
'Redhat 3scale',
'Redhat Certification',
'Redhat Fuse',
'Redhat Portfolio',
'Redhat Virtualization',
'Reduce Costs',
'Regression Model',
'Regression Test',
'Regression Testing',
'Regression Tree',
'Regularized Regression',
'Reinforcement Learning',
'Relational Database',
'Release Process',
'Release Schedule',
'Release Strategy',
'Reliability Engineer',
'Reliability-centered maintenance',
'Rembo Auto-Backup',
'Remote Team',
'Reporting Analyst',
'Reporting Software',
'Request Find',
'Requirements Document',
'Requirements Gathering',
'Research Skill',
'Resistive Circuit',
'Resolving Issues',
'Resource Management',
'Resource Staffing',
'Rest API',
'Result Artifact',
'Results Oriented',
'Retail Security',
'Retirement Plan',
'Revenue Forecast',
'Revenue Growth',
'Revenue Loss',
'Reverse Proxy',
'Ridge Regression',
'Risk Management',
'Risk Manager',
'Risk Mitigation',
'Robotic Device',
'Robust Optimization',
'Routing Protocol',
'Rules Engine',
'Runtime Environment',
'Runtime Process',
'Russian Linux',
'SAN Data',
'SAP ADS',
'SAP AG',
'SAP APO',
'SAP ASE',
'SAP Afaria',
'SAP Analytics',
'SAP Anywhere',
'SAP Architect',
'SAP Arena',
'SAP Ariba',
'SAP Banking',
'SAP Business',
'SAP BusinessObjects',
'SAP Certification',
'SAP Cloud',
'SAP Concur',
'SAP DB',
'SAP EHSM',
'SAP ERP',
'SAP ESOA',
'SAP EWM',
'SAP Enterprise',
'SAP Fiori',
'SAP GUI',
'SAP HANA',
'SAP Hosting',
'SAP IQ',
'SAP Implementation',
'SAP Jam',
'SAP MM',
'SAP Migration',
'SAP Mobile',
'SAP NetWeaver',
'SAP Open',
'SAP PI',
'SAP PLM',
'SAP PP',
'SAP PRD2',
'SAP Project',
'SAP R3',
'SAP SCM',
'SAP SD',
'SAP SE',
'SAP SRM',
'SAP Sybase',
'SAP TECHED',
'SAP XI',
'SAS Certification',
'SCLM Advanced',
'SCLM Suite',
'SMP 3.0',
'SNIA Certification',
'SOA Architect',
'SOA Policy',
'SPSS Amos',
'SPSS AnswerTree',
'SPSS Collaboration',
'SPSS Data',
'SPSS Modeler',
'SPSS Risk',
'SPSS SamplePower',
'SPSS Statistics',
'SPSS Text',
'SQL Server',
'SSCP Certification',
'Safety Conscious',
'Sales Conversion',
'Sales Manager',
'Sales Role',
'Sales Skill',
'Sales Workshop',
'Salesforce Cloud',
"Sammon'S Mapping",
'Sap Implementation',
'Satoshi Nakamoto',
'Scientific Computing',
'Scientific Programming',
'Scientific Skill',
'Scope Description',
'Screen Definition',
'Screen Quality',
'Script Kiddie',
'Script Kiddy',
'Scripting Language',
'Scrum Master',
'Search Engine',
'Securities Offering',
'Security AppScan',
'Security Architect',
'Security Breach',
'Security Flaw',
'Security Key',
'Security Model',
'Security Network',
'Security Policy',
'Security Privileged',
'Security Product',
'Security Skill',
'Security Software',
'Security Specialist',
'Security Team',
'Security Virtual',
'Security zSecure',
'Self Directed',
'Self Monitoring',
'Self Supervising',
'Selling Skills',
'Semantic Web',
'Semiconductor Device',
'Senior Management',
'Sequence Diagram',
'Sequential Model',
'Serial Port',
'Server Configuration',
'Server Consolidation',
'Server Operation',
'Server Security',
'Server Skill',
'Server Support',
'Service Coordinator',
'Service Designer',
'Service Desk',
'Service Level',
'Service Management',
'Service Manager',
'Service Monitor',
'Service Offering',
'Service Provider',
'Service Provisioning',
'Serviced Promptly',
'Set Theory',
'Severance Pay',
'Sexist Workplace',
'Sexual Harassment',
'Shell Script',
'ShowCase Essbase',
'ShowCase Reporting',
'Signal Process',
'Signal Processing',
'Simplex Methods',
'Six Sigma',
'Sizing Skill',
'Skill Assessment',
'Skill Gap',
'Skill Level',
'Skills Growth',
'Skills Transfer',
'Smart Contract',
'Smart Phone',
'Smart Watch',
'SmartCloud Application',
'SmartCloud Connections',
'SmartCloud Engage',
'SmartCloud Meetings',
'SmartCloud Monitoring',
'SmartCloud Provisioning',
'SmartCloud iNotes',
'Smarter Commerce',
'Social Assistance',
'Social Media',
'Social Psychology',
'Social Science',
'Social Sciences',
'Social Scientist',
'Social Skills',
'Social Software',
'Social Studies',
'Social Study',
'Social Theory',
'Soft Clustering',
'Soft Skill',
'Software AG',
'Software Compliance',
'Software Component',
'Software Defect',
'Software Deployment',
'Software Design',
'Software Engineer',
'Software Environment',
'Software Installion',
'Software Library',
'Software License',
'Software Methodology',
'Software Metric',
'Software Migration',
'Software Model',
'Software Platform',
'Software Portfolio',
'Software Project',
'Software Quality',
'Software Service',
'Software Skill',
'Software Test',
'Software Testing',
'Software Troubleshooting',
'Solution Architect',
'Solution Design',
'Solution Manager',
'Solution Representative',
'Solution Skill',
'Solution Strategy',
'Solution Value',
'Source Control',
'Source Safe',
'Space Physics',
'Spectral Clustering',
'Speech Recognition',
'Spend Approval',
'Squid Cache',
'Staffing Plan',
'Stakeholder Role',
'Star Schema',
'State Diagram',
'State Street',
'Static Analysis',
'Static Test',
'Static Testing',
'Statistical Algorithm',
'Statistical Application',
'Statistical Model',
'Statistical Outcome',
'Statistical Software',
'Status Document',
'Sterling Configure',
'Sterling Connect:Direct',
'Sterling Connect:Enterprise',
'Sterling Connect:Express',
'Sterling Gentran:Director',
'Sterling Gentran:Server',
'Sterling Selling',
'Sterling Warehouse',
'Stochastic Calculus',
'Stochastic Optimization',
'Storage Administration',
'Storage Architect',
'Storage Device',
'Storage Enterprise',
'Storage Manager',
'Storage Platform',
'Storage Product',
'Storage Skill',
'Storage Software',
'Storage Specialist',
'Stored Procedure',
'Strategic Planning',
'Strategic Skill',
'Strategy Document',
'Streaming Service',
'Stress Management',
'Structured Data',
'Structured Document',
'Structured Language',
'Structured Prediction',
'Successful Coaching',
'Sun Pharmaceutical',
'Supervised Learning',
'Supplier Management',
'Supplier Network',
'Supply Chain',
'Support Services',
'Support Specialist',
'SurePOS ACE/EPS',
'Suse Linux',
'Swimlane Diagram',
'Switch Failover',
'Switch Failure',
'Sybase ASA',
'Sybase ASE',
'Sybase IQ',
'Sybase MobiLink',
'Sybase iAnywhere',
'Symantec NetBackup',
'Symbolic Logic',
'Symmetric Cryptography',
'System Administrator',
'System Artifact',
'System Clock',
'System Configuration',
'System Design',
'System Engineer',
'System Language',
'System Manager',
'System Operator',
'System Programmer',
'System Programming',
'System R',
'System Reliability',
'System Role',
'System Transformation',
'Systems Design',
'Systems Expert',
'Systems Management',
'TPF Toolkit',
'TRIRIGA Portfolio',
'Tabular Database',
'Talent Acquisition',
'Tape Library',
'Td Bank',
'Teaching Skill',
'Team Building',
'Team Culture',
'Team Formation',
'Team Lead',
'Team Meeting',
'Team Member',
'Team Player',
'Team Skill',
'Team Work',
'Technical Architect',
'Technical Communication',
'Technical Consultant',
'Technical Enablement',
'Technical Framework',
'Technical Lead',
'Technical Role',
'Technical Services',
'Technical Skill',
'Technical Specialist',
'Technical Team',
'Technical Training',
'Technical Workshop',
'Technical Writer',
'Technical Writing',
'Technology Savvy',
'Teradata Aster',
'Test Architect',
'Test Estimation',
'Test Lead',
'Test Manager',
'Test Plan',
'Test Script',
'Test Specialist',
'Test Strategy',
'Test User',
'Testing Outcome',
'Testing Skill',
'Text Editor',
'Text Mining',
'Theoretical Physics',
'Tibco ESB',
'Ticketing Tool',
'Time Management',
'Time Series',
'Tivoli AF/Integrated',
'Tivoli AF/OPERATOR',
'Tivoli Access',
'Tivoli Advanced',
'Tivoli Alert',
'Tivoli Allocation',
'Tivoli Analyzer',
'Tivoli Application',
'Tivoli Asset',
'Tivoli Automated',
'Tivoli Availability',
'Tivoli Business',
'Tivoli Capacity',
'Tivoli Central',
'Tivoli Change',
'Tivoli Command',
'Tivoli Compliance',
'Tivoli Composite',
'Tivoli Comprehensive',
'Tivoli Configuration',
'Tivoli Continuous',
'Tivoli Contract',
'Tivoli Decision',
'Tivoli Directory',
'Tivoli Dynamic',
'Tivoli ETEWatch',
'Tivoli Endpoint',
'Tivoli Event',
'Tivoli Federated',
'Tivoli Foundations',
'Tivoli Identity',
'Tivoli Information',
'Tivoli IntelliWatch',
'Tivoli Key',
'Tivoli License',
'Tivoli Management',
'Tivoli Monitoring',
'Tivoli NetView',
'Tivoli Netcool',
'Tivoli Netcool/Impact',
'Tivoli Netcool/Reporter',
'Tivoli Netcool/Webtop',
'Tivoli Network',
'Tivoli OMEGACENTER',
'Tivoli OMEGAMON',
'Tivoli OMNIbus',
'Tivoli Output',
'Tivoli Performance',
'Tivoli Policy',
'Tivoli Privacy',
'Tivoli Provisioning',
'Tivoli Release',
'Tivoli SANergy',
'Tivoli Security',
'Tivoli Service',
'Tivoli Storage',
'Tivoli System',
'Tivoli Tape',
'Tivoli Unified',
'Tivoli Usage',
'Tivoli Web',
'Tivoli Workload',
'Tivoli zSecure',
'Tool Training',
'Topic Model',
'TotalStorage Productivity',
'Trade Off',
'Trade Offs',
'Trained Classifier',
'Transaction Data',
'Transaction Processing',
'Transformation Model',
'Transformation Role',
'Transformation Skill',
'Transition Manager',
'Translation Cloud',
'Travel Visa',
'Tree Ensemble',
'Triple Store',
'True Negative',
'True Positive',
'Twitter Bot',
'Type System',
'Type Theory',
'Typing Skill',
'UX Designer',
'Ubuntu Linux',
'Ui Design',
'Under-Specified Query',
'Undergraduate Degree',
'Unica Campaign',
'Unica CustomerInsight',
'Unica Detect',
'Unica Interact',
'Unica Interactive',
'Unica Leads',
'Unica Marketing',
'Unica Optimize',
'Unica PredictiveInsight',
'Unica eMessage',
'Unified Messaging',
'Unit Testing',
'Unix Administrator',
'Unix Filesystem',
'Unstructured Data',
'Unsupervised Learning',
'Usability Engineer',
'Usability Skill',
'Use Case',
'User Authentication',
'User Guide',
'User Interface',
'User Management',
'User Research',
'User Support',
'VERSA Analytics',
'VERSA CSG',
'VERSA Cloud',
'VERSA Director',
'VERSA FlexVNF',
'VERSA Titan',
'VMWare Certification',
'VMWare Company',
'VMWare ESXi',
'VMWare Fusion',
'VMWare Infrastructure',
'VMWare NSX',
'VMWare Software',
'VMWare Workstation',
'VMware SDWAN',
'VOIP Protocol',
'VS FORTRAN',
'Value Chain',
'Value Education',
'Value Proposition',
'Vector Autoregression',
'Vector Quantization',
'Vendor Management',
'Venture Round',
'Veritas Software',
'Versa Networks',
'Versa Product',
'Version Control',
'Vice President',
'Video Conference',
'Video Configuration',
'Vif Regression',
'Virtual Appliance',
'Virtual Cloud',
'Virtual Desktop',
'Virtual Machine',
'Virtual Meeting',
'Virtual Network',
'Virtual Server',
'Virtual Storage',
'Virtual Team',
'Virtual Training',
'Virtualization Infrastructure',
'Virtualization Platform',
'Virtualization Software',
'Virtualization Tool',
'Virtuo Mediation',
'Visual Basic',
'Visual Dashboard',
'Visual Designer',
'VisualAge Generator',
'VisualAge Pacbase',
'VisualAge Smalltalk',
'Visualization Skill',
'Visualization Software',
'Vmware Vsphere',
'Voltage Regulator',
'Vr App',
'Vr Technology',
'Vulnerability Management',
'W3C Standard',
'Wall Hacks',
'Watson Annotator',
'Watson Discovery',
'Watson Explorer',
'Watson Group',
'Watson Studio',
'Wearable Device',
'Web App',
'Web Application',
'Web Applications',
'Web Browser',
'Web Designer',
'Web Developer',
'Web Developers',
'Web Language',
'Web Mail',
'Web Server',
'Web Service',
'WebSphere Adapter',
'WebSphere Appliance',
'WebSphere Application',
'WebSphere Business',
'WebSphere Cast',
'WebSphere Commerce',
'WebSphere Data',
'WebSphere DataPower',
'WebSphere Decision',
'WebSphere Developer',
'WebSphere Development',
'WebSphere Digital',
'WebSphere Dynamic',
'WebSphere End',
'WebSphere Enterprise',
'WebSphere Event',
'WebSphere Everyplace',
'WebSphere Front',
'WebSphere Host',
'WebSphere ILOG',
'WebSphere IP',
'WebSphere Industry',
'WebSphere MQ',
'WebSphere Message',
'WebSphere Multichannel',
'WebSphere Operational',
'WebSphere Partner',
'WebSphere Portal',
'WebSphere Process',
'WebSphere Service',
'WebSphere Studio',
'WebSphere Telecom',
'WebSphere Transaction',
'WebSphere Translation',
'WebSphere Voice',
'WebSphere XML',
'WebSphere eXtended',
'WebSphere sMash',
'Webcenter Certification',
'Weblogic Certification',
'Westpac Bank',
'Williams Glyn',
'Windows Desktop',
'Windows NT',
'Windows Nt',
'Windows Powershell',
'Windows Server',
'Word Embeddings',
'Work Culture',
'Work Environment',
'Work Ethic',
'Work Experience',
'Work Optimization',
'Work Product',
'Work-Life Balance',
'Workflow Language',
'Workflow Software',
'Workforce Management',
'Workload Deployer',
'Workload Distribution',
'Workload Simulator',
'Workplace Harassment',
'Workplace Situation',
'Workplace Training',
'Writing Skill',
'XML Standard',
'Xcel Energy',
'Zero Defects',
'abbvie inc.',
'abstract algebra',
'acceptance test',
'acceptance testing',
'accepting feedback',
'access attempt',
'access control',
'access failure',
'access manager',
'account architect',
'account team',
'accounts payable',
'ace insurance',
'activation training',
'active directory',
'activity diagram',
'activity provenance',
'activity report',
'administrative role',
'administrative services',
'adobe acrobat',
'adobe air',
'adobe analytics',
'adobe animate',
'adobe apollo',
'adobe atmosphere',
'adobe audition',
'adobe authorware',
'adobe blazeds',
'adobe brackets',
'adobe bridge',
'adobe browserlab',
'adobe buzzword',
'adobe campaign',
'adobe captivate',
'adobe coldfusion',
'adobe color',
'adobe connect',
'adobe contribute',
'adobe creativesync',
'adobe dimension',
'adobe director',
'adobe displaytalk',
'adobe distiller',
'adobe dreamweaver',
'adobe edge',
'adobe encore',
'adobe fdk',
'adobe fireworks',
'adobe flash',
'adobe flex',
'adobe fonts',
'adobe framemaker',
'adobe freehand',
'adobe fresco',
'adobe golive',
'adobe homesite',
'adobe illustrator',
'adobe imageready',
'adobe imagestyler',
'adobe incopy',
'adobe indesign',
'adobe jenson',
'adobe jrun',
'adobe lasertalk',
'adobe leanprint',
'adobe lightroom',
'adobe livecycle',
'adobe livemotion',
'adobe max',
'adobe media',
'adobe muse',
'adobe onlocation',
'adobe originals',
'adobe ovation',
'adobe pagemaker',
'adobe pagemill',
'adobe pdf',
'adobe persuasion',
'adobe photodeluxe',
'adobe photoshop',
'adobe portfolio',
'adobe postscript',
'adobe prelude',
'adobe premiere',
'adobe presenter',
'adobe pressready',
'adobe presswise',
'adobe primetime',
'adobe ps',
'adobe reader',
'adobe rgb',
'adobe robohelp',
'adobe scout',
'adobe shockwave',
'adobe sign',
'adobe social',
'adobe soundbooth',
'adobe spark',
'adobe speedgrade',
'adobe stock',
'adobe story',
'adobe streamline',
'adobe target',
'adobe type',
'adobe ultra',
'adobe voco',
'adobe xd',
'advanced analytics',
'agglomerative clustering',
'agile artifact',
'agricultural industry',
'aim bot',
'air canada',
'airtel africa',
'aix 5.2',
'aix 5.3',
'aix certification',
'algo opvar',
'algo strategic',
'algorithm analysis',
'algorithm design',
'aliababa certification',
'alpine linux',
'amazon neptune',
'american express',
'analysis document',
'analysis skill',
'analytical activity',
'analytical chemistry',
'analytical skill',
'analytics asset',
'and Leadership',
'and leadership',
'antergos linux',
'anthropology course',
'antivirus software',
'anzo graph',
'apache cassandra',
'apache license',
'apache software',
'apache spark',
'api management',
'application administrator',
'application architect',
'application architecture',
'application developer',
'application framework',
'application manager',
'application performance',
'application recovery',
'application server',
'application time',
'application virtualization',
'apps modernization',
'arch linux',
'architectural pattern',
'ariba integration',
'arizona state',
'art director',
'art history',
'artificial intelligence',
'artistic aptitude',
'asp.net mvc',
'assessment workshop',
'asset management',
'asset optimization',
'associates degree',
'astellas pharma',
'astra linux',
'asv certification',
'atlas ediscovery',
'audio configuration',
'audit readiness',
'audit skill',
'australia bank',
'austrian school',
'authorization code',
'authorization security',
'automated provisioning',
'automated transformation',
'automotive industry',
'awareness training',
'aws certification',
'aws cli',
'aws cloudtrail',
'aws cognito',
'aws dynamodb',
'aws ec2',
'aws elemental',
'aws govcloud',
'aws lambda',
'aws s3',
'aws stats',
'axa tech',
'azure certification',
'azure developer',
'bachelors degree',
'back end',
'backward elimination',
'bad process',
'bad quality',
'batch job',
'batch optimization',
'bayesian network',
'behavioral economics',
'bell canada',
'benefit pay',
'best practice',
'bi reporting',
'bid strategy',
'big data',
'binary classifier',
'biological anthropology',
'biological science',
'bitcoin mining',
'blackboard inc',
'blade server',
'blame culture',
'blockchain block',
'blockchain company',
'blockchain framework',
'blockchain infrastructure',
'blockchain project',
'bluemix nlc',
'boehringer ingelheim',
'bonus pay',
'bot account',
'bot net',
'branch transformation',
'brand management',
'brand role',
'brand specialist',
'brava! enterprise',
'bristol-myers squibb',
'broadband network',
'bsd license',
'build automation',
'business advisor',
'business analyst',
'business case',
'business continuity',
'business dashboard',
'business development',
'business entity',
'business ethics',
'business framework',
'business intelligence',
'business lead',
'business leader',
'business logic',
'business methodology',
'business model',
'business network',
'business opportunity',
'business pitch',
'business process',
'business reporting',
'business requirement',
'business role',
'business skill',
'business software',
'business specialist',
'business stakeholder',
'business storytelling',
'business terminology',
'c language',
'c sharp',
'ca state',
'caching proxy',
'call monitoring',
'canada bank',
'candidate pool',
'cap certification',
'capacity plan',
'capacity skill',
'capital asset',
'career conversation',
'career growth',
'carphone warehouse',
'case manager',
'case study',
'category theory',
'ccie security',
'ccie wireless',
'ccna industrial',
'ccna security',
'ccna wireless',
'ccnp security',
'ccnp wireless',
'ccsk certification',
'ccsp certification',
'ceph storage',
'cgeit certification',
'chair role',
'change management',
'change request',
'chat bot',
'cheat engine',
'checkpoint certification',
'chemistry major',
'cics batch',
'cics business',
'cics configuration',
'cics deployment',
'cics interdependency',
'cics online',
'cics performance',
'cics transaction',
'cics vsam',
'circuit board',
'circuit design',
'cisa certification',
'cisco aci',
'cisco certification',
'cism certification',
'cissp certification',
'citizens financial',
'citrix certification',
'citrix cloud',
'citrix online',
'citrix receiver',
'citrix software',
'citrix winframe',
'citrix workspace',
'citrix xenapp',
'citrix xendesktop',
'civil engineering',
'cj healthcare',
'claim of',
'claim training',
'clarity 7',
'class training',
'classical mechanics',
'classical study',
'classification model',
'classification tree',
'client account',
'client environment',
'client focus',
'client growth',
'client industry',
'client interview',
'client meeting',
'client mission',
'client relationship',
'client request',
'client requirement',
'client role',
'client satisfaction',
'client server',
'client skill',
'client success',
'client training',
'client transformation',
'client travel',
'cloud 9',
'cloud analytics',
'cloud application',
'cloud architect',
'cloud backup',
'cloud cms',
'cloud collaboration',
'cloud communications',
'cloud computing',
'cloud container',
'cloud database',
'cloud deployment',
'cloud desktop',
'cloud developer',
'cloud elements',
'cloud engineering',
'cloud feedback',
'cloud files',
'cloud front',
'cloud gate',
'cloud gateway',
'cloud hosting',
'cloud ide',
'cloud infrastructure',
'cloud management',
'cloud manufacturing',
'cloud microphysics',
'cloud migration',
'cloud printing',
'cloud provider',
'cloud research',
'cloud robotics',
'cloud security',
'cloud server',
'cloud service',
'cloud skill',
'cloud software',
'cloud storage',
'cloud tool',
'cloud trail',
'cloud watch',
'cloudera certification',
'cluster analysis',
'cluster computing',
'cluster systems',
'clustering model',
'cmos device',
'coaching skill',
'coca cola',
'code quality',
'cognitive framework',
'cognitive neuroscience',
'cognitive psychology',
'cognitive science',
'cognitive skill',
'cognitive test',
'cognitive testing',
'cognitive training',
'cognos 8',
'cognos analysis',
'cognos application',
'cognos business',
'cognos consolidator',
'cognos controller',
'cognos customer',
'cognos decisionstream',
'cognos express',
'cognos finance',
'cognos financial',
'cognos impromptu',
'cognos insight',
'cognos mobile',
'cognos noticecast',
'cognos now!',
'cognos planning',
'cognos powerplay',
'cognos query',
'cognos statistics',
'cognos supply',
'cognos tm1',
'cognos visualizer',
'collaborative culture',
'collaborative filtering',
'collaborative software',
'combat logger',
'commerical license',
'commerical software',
'common lisp',
'communication bus',
'communication controller',
'communication designer',
'communication device',
'communication player',
'communication protocol',
'communication security',
'communication skill',
'communications server',
'community cloud',
'company asset',
'comparative literature',
'comparative religion',
'comparative studies',
'competitive analysis',
'competitive research',
'competitive workplace',
'complex circuit',
'complexity theory',
'compliance engineer',
'compliance lead',
'compliance policy',
'compliance test',
'compliance testing',
'computational biology',
'computational chemistry',
'computational complexity',
'computational linguistics',
'computational neuroscience',
'computational physics',
'computational science',
'computer architecture',
'computer configuration',
'computer hardware',
'computer model',
'computer operator',
'computer science',
'computer security',
'computer vision',
'computing platform',
'concept artist',
'configuration management',
'conflict resolution',
'connections enterprise',
'constantly strive',
'consulting skill',
'consumer good',
'consumer research',
'container software',
'content analytics',
'content analyzer',
'content classification',
'content collector',
'content designer',
'content integrator',
'content management',
'content manager',
'content navigator',
'continental casualty',
'continental philosophy',
'continuous deployment',
'continuous improvement',
'continuous integration',
'contract renewal',
'contract template',
'contrail cloud',
'contrail product',
'contrail sdwan',
'control framework',
'control protocol',
'control theory',
'corporate audit',
'corporate customer',
'corporate division',
'corporate finance',
'corrective action',
'correlation explanation',
'correspondence analysis',
'cosmos db',
'cost cutting',
'cost reduction',
'couch db',
'creative cloud',
'creative director',
'credit card',
'crisc certification',
'crisp dm',
'critical observation',
'critical theory',
'critical thinking',
'cross platform',
'cryptographic protocol',
'crystal report',
'csa certification',
'cssa certification',
'csslp certification',
'cubist model',
'cultural anthropology',
'cultural studies',
'cultural study',
'customer behavior',
'customer benefit',
'customer engagement',
'customer experience',
'customer management',
'customer oriented',
'customer service',
'customer support',
'customer team',
'cybersecurity company',
'danske bank',
'data analysis',
'data analyst',
'data architect',
'data architecture',
'data artifact',
'data audit',
'data center',
'data dictionary',
'data dimension',
'data encryption',
'data error',
'data governance',
'data lake',
'data management',
'data mart',
'data methodology',
'data migration',
'data mining',
'data model',
'data privacy',
'data processing',
'data quality',
'data science',
'data scientist',
'data security',
'data server',
'data skill',
'data storage',
'data structure',
'data studio',
'data warehouse',
'data wrangling',
'database administrator',
'database certification',
'database design',
'database dimension',
'database function',
'database index',
'database query',
'database schema',
'database skill',
'database table',
'databases modernization',
'db2 administration',
'db2 alphablox',
'db2 analytics',
'db2 archive',
'db2 audit',
'db2 automation',
'db2 bind',
'db2 buffer',
'db2 change',
'db2 cloning',
'db2 data',
'db2 everyplace',
'db2 high',
'db2 log',
'db2 merge',
'db2 object',
'db2 optimization',
'db2 path',
'db2 performance',
'db2 query',
'db2 recovery',
'db2 server',
'db2 sql',
'db2 storage',
'db2 test',
'db2 tools',
'db2 universal',
'db2 utilities',
'ddos attack',
'deal making',
'debian linux',
'debug tool',
'decentralized application',
'decision center',
'decision document',
'decision making',
'decision stump',
'decision tree',
'declarative language',
'deep learning',
'defense industry',
'delivery manager',
'delivery model',
'delivery role',
'delivery skill',
'delivery specialist',
'delivery time',
'dell certification',
'denial-of-service attack',
'density estimation',
'deployment environment',
'deployment skill',
'design aesthetics',
'design aptitude',
'design artifact',
'design document',
'design pattern',
'design skill',
'design thinking',
'desktop hardware',
'desktop support',
'deterministic optimization',
'deutsche bank',
'development methodology',
'development team',
'device driver',
'device programming',
'device support',
'differential equations',
'digital artifact',
'digital asset',
'digital image',
'digital marketing',
'digital network',
'digital pen',
'digital structure',
'digital transformation',
'dimensionality reduction',
'disability awareness',
'disaster recovery',
'discriminant function',
'disk drive',
'disk encryption',
'display device',
'display resolution',
'dispute resolution',
'distance education',
'distribute system',
'distributed cloud',
'distributed computing',
'distributed environment',
'distributed ledger',
'distributed memory',
'distributed skill',
'distributed software',
'diversity awareness',
'divincenzo criteria',
'divisive clustering',
'doctoral degree',
'document classification',
'document clustering',
'document database',
'document manager',
'domain language',
'domain security',
'domain skill',
'domain training',
'drug entrepreneur',
'dummy account',
'dummy coding',
'dynamics 365',
'e Commerce',
'e commerce',
'eDiscovery Analyzer',
'eDiscovery Manager',
'earth science',
'economic history',
'economic theory',
'edge cloud',
'ediscovery analyzer',
'ediscovery manager',
'edition 2016',
'edition 2018',
'education policy',
'educational field',
'effective communicator',
'elastic net',
'elections canada',
'electric circuit',
'electrical device',
'electrical engineering',
'electrical regulator',
'electrical state',
'elk stack',
'elliptic envelope',
'embedded linux',
'embedded system',
'emerging technologies',
'emerging technology',
'emotion management',
'emotional intelligence',
'emotional skill',
'employee appreciation',
'employee benefit',
'employee pay',
'employee recognition',
'employee training',
'employee treatment',
'encryption software',
'end user',
'energy industry',
'engagement plan',
'engagement process',
'engagement training',
'english literature',
'enterprise architect',
'enterprise cloud',
'enterprise infrastructure',
'enterprise java',
'enterprise network',
'enterprise plan',
'enterprise records',
'entity provenance',
'environmental science',
'equal opportunity',
'equipment failure',
'ergonomic sensitivity',
'ethical guideline',
'event log',
'event processing',
'exchange server',
'execution model',
'executive role',
'experimental physics',
'expert role',
'expert system',
'external device',
'external transfer',
'extreme programming',
'f1 score',
'facility management',
'fact table',
'factor analysis',
'fair profit',
'false negative',
'false positive',
'fannie mae',
'fault tolerant',
'feasibility study',
'feature creep',
'feature engineering',
'feature extraction',
'feature selection',
'federated identity',
'fedora linux',
'field inventory',
'file system',
'filenet application',
'filenet business',
'filenet capture',
'filenet connectors',
'filenet content',
'filenet eforms',
'filenet eprocess',
'filenet fax',
'filenet idm',
'filenet image',
'filenet team',
'financial benefit',
'financial company',
'financial instrument',
'financial measurement',
'financial plan',
'financial service',
'financial skill',
'financial technology',
'find similar',
'fine art',
'firewall configuration',
'first responsibility',
'fixed asset',
'flexible environment',
'flexible work',
'fluid dynamics',
'fluid mechanics',
'follow instructions',
'follow regulations',
'follow rules',
'following direction',
'formal language',
'forms designer',
'forms server',
'forms turbo',
'forms viewer',
'fortigate carrier',
'fortigate enterprise',
'fortigate utm',
'forward proxy',
'forward selection',
'frame relay',
'free software',
'front end',
'full stack',
'functional programming',
'functional requirement',
'fundamental physics',
'funding round',
'game designer',
'game engine',
'game programming',
'gasf certification',
'gawn certification',
'gccc certification',
'gcda certification',
'gced certification',
'gcfa certification',
'gcfe certification',
'gcia certification',
'gcih certification',
'gcip certification',
'gcpm certification',
'gcti certification',
'gcux certification',
'gcwn certification',
'gdat certification',
'gdsa certification',
'genetic algorithms',
'georgia tech',
'geva certification',
'giac certification',
'ginni rometty',
'giscp certification',
'gisf certification',
'gisp certification',
'gleg certification',
'global data',
'global retention',
'global training',
'gmob certification',
'gmon certification',
'gnfa certification',
'go live',
'good attitude',
'good quality',
'google cardboard',
'google certification',
'google cloud',
'gpen certification',
'gpl license',
'gpl3 license',
'gppa certification',
'gpyc certification',
'gradient descent',
'graduate degree',
'graph algorithm',
'graph database',
'graph theory',
'graphic artist',
'graphic designer',
'graphical model',
'green hat',
'grem certification',
'grid certification',
'ground truth',
'gse certification',
'gsec certification',
'gslc certification',
'gsna certification',
'gssp certification',
'gstrt certification',
'gwapt certification',
'gweb certification',
'gxpn certification',
'handheld computer',
'hard disk',
'hardware deployment',
'hardware design',
'hardware platform',
'hardware skill',
'hardware test',
'hardware testing',
'hardware troubleshooting',
'hardware virtualization',
'hash tree',
'hcispp certification',
'health care',
'health informatics',
'health insurance',
'health net',
'healthcare provider',
'help desk',
'hierarchical clustering',
'hierarchical database',
'high availability',
'high quality',
'high scalability',
'high skill',
'high workload',
'highly recommended',
'hikma pharmaceuticals',
'hiring manager',
'historical linguistics',
'home network',
'home office',
'hortonworks certification',
'host access',
'hp cloud',
'http server',
'human resources',
'hybrid cloud',
'hyperledger fabric',
'i o',
'i2 Analysts',
'i2 COPLINK',
'i2 Fraud',
'i2 Information',
'i2 Intelligence',
'i2 analysts',
'i2 coplink',
'i2 fraud',
'i2 iBase',
'i2 ibase',
'i2 information',
'i2 intelligence',
'ibm agile',
'ibm aix',
'ibm badge',
'ibm certification',
'ibm cloud',
'ibm db2',
'ibm employee',
'ibm gbs',
'ibm gts',
'ibm internal',
'ibm mainframe',
'ibm notes',
'ibm offering',
'ibm power',
'ibm product',
'ibm q',
'ibm sametime',
'ibm storage',
'ibm team',
'identity governance',
'identity management',
'ieee 802.11',
'ieee 802.3',
'ieee standard',
'ilog ampl',
'ilog cplex',
'ilog inventory',
'ilog jviews',
'ilog logicnet',
'ilog opl-cplex',
'ilog server',
'ilog telecom',
'ilog views',
'imac coordinator',
'image recognition',
'implementation role',
'ims audit',
'ims batch',
'ims buffer',
'ims cloning',
'ims command',
'ims configuration',
'ims connect',
'ims database',
'ims dedb',
'ims extended',
'ims fast',
'ims high',
'ims index',
'ims library',
'ims network',
'ims online',
'ims parallel',
'ims parameter',
'ims performance',
'ims problem',
'ims program',
'ims queue',
'ims recovery',
'ims sequential',
'ims sysplex',
'ims tools',
'incident manager',
'incident reduction',
'incident ticket',
'incidental benefit',
'individual role',
'industry context',
'industry insight',
'industry standard',
'industry trend',
'information architect',
'information architecture',
'information developer',
'information governance',
'information management',
'information retrieval',
'information security',
'information server',
'information system',
'information technology',
'informix 4gl',
'informix data',
'informix enterprise',
'informix esqlcobol',
'informix extended',
'informix growth',
'informix online',
'informix servers',
'informix tools',
'infosec certification',
'infosphere biginsights',
'infosphere change',
'infosphere classic',
'infosphere content',
'infosphere data',
'infosphere datastage',
'infosphere discovery',
'infosphere fasttrack',
'infosphere global',
'infosphere guardium',
'infosphere information',
'infosphere mashuphub',
'infosphere master',
'infosphere optim',
'infosphere qualitystage',
'infosphere replication',
'infosphere streams',
'infrastructure architect',
'infrastructure manager',
'infrastructure platform',
'infrastructure security',
'infrastructure service',
'infrastructure specialist',
'initiate address',
'initiate master',
'innovative programs',
'innovative role',
'inorganic chemistry',
'inspiring people',
'inspur k-ux',
'insurance company',
'insurance industry',
'insurance process',
'integrated circuit',
'integration architect',
'integration framework',
'integration platform',
'integration skill',
'interaction designer',
'intercultural competence',
'internal device',
'internal process',
'internal transfer',
'international economics',
'internet explorer',
'internet protocol',
'interpersonal skills',
'interview skill',
'inventory management',
'inventory process',
'inventory tracking',
'ip ban',
'ireland bank',
'isa certification',
'isaca certification',
'isc certification',
'isms certification',
'iso 27001',
'iso certification',
'iso standard',
'isolation forest',
'ispf productivity',
'it architect',
'it manager',
'it service',
'it specialist',
'itil certification',
'janus graph',
'java certification',
'java foundations',
'java servlet',
'jmp certification',
'job posting',
'job security',
'joint venture',
'juniper certification',
'juniper networks',
'jupyter notebook',
'just-in-time manufacturing',
'kafka messaging',
'kernel pca',
'kernel virtualization',
'keystroke logging',
'killer app',
'killer application',
'killer feature',
'knowledge engineer',
'knowledge graph',
'knowledge management',
'knowledge share',
'kohonen map',
'korn shell',
'kshape clustering',
'labor claim',
'lambda calculus',
'lead developer',
'leadership role',
'leadership situation',
'lean manufacturing',
'learning motivation',
'learning presentation',
'learning provider',
'legacy modernization',
'legacy system',
'legal document',
'level 1',
'level 2',
'level 3',
'license renewal',
'life insurance',
'lifecycle management',
'line management',
'line manager',
'linear algebra',
'linear model',
'linear programming',
'linear regression',
'linus torvalds',
'linux certification',
'listening skill',
'literary theory',
'live training',
'living organism',
'lloyds bank',
'load balancer',
'load test',
'load testing',
'log file',
'logical partition',
'logical thinking',
'logistic regression',
'logo design',
'lotus activeinsight',
'lotus connector',
'lotus domino',
'lotus end',
'lotus enterprise',
'lotus expeditor',
'lotus foundations',
'lotus inotes',
'lotus notes',
'lotus protector',
'lotus quickr',
'lotus smartsuite',
'lotus symphony',
'lotus workflow',
'low skill',
'loyalty marketing',
'machine learning',
'macro language',
'mailbox client',
'mainframe computer',
'majorana fermion',
'managed cloud',
'management conversation',
'management methodology',
'management skill',
'managment enablement',
'managment training',
'mandrake linux',
'manufacturing company',
'manufacturing method',
'marine biology',
'market standard',
'marketing research',
'marketing role',
'markov model',
'markup language',
'master data',
'master inventor',
'masters degree',
'materials engineering',
'materials science',
'math skill',
'math software',
'mathematical finance',
'mathematical logic',
'maximo adapter',
'maximo archiving',
'maximo asset',
'maximo calibration',
'maximo change',
'maximo compliance',
'maximo contract',
'maximo data',
'maximo discovery',
'maximo everyplace',
'maximo maincontrol',
'maximo mobile',
'maximo online',
'maximo space',
'maximo spatial',
'mcdba certification',
'mcsa certification',
'mcsd certification',
'mcse certification',
'mcts certification',
'mechanical engineering',
'media configuration',
'media content',
'media service',
'medical benefit',
'medical pay',
'medical skill',
'meeting deadlines',
'meeting minutes',
'meets deadlines',
'memory-mapped io',
'mental health',
'merge tool',
'merkle tree',
'message queue',
'messaging extension',
'metro life',
'micro service',
'microsoft azure',
'microsoft basic',
'microsoft certification',
'microsoft excel',
'microsoft hololens',
'microsoft iis',
'microsoft office',
'microsoft powerpoint',
'microsoft silverlight',
'microsoft visio',
'microsoft word',
'middleware modernization',
'migration skill',
'migration support',
'miller coors',
'mind map',
'mining protocol',
'minority employee',
'mistakes paid',
'mit license',
'mixture model',
'mobile computing',
'mobile device',
'mobile network',
'mobile office',
'mobile skill',
'mobile team',
'mobile virtualization',
'model explainability',
'model test',
'model testing',
'modeling language',
'modern economics',
'modern physics',
'modular design',
'molecular biology',
'moller maersk',
'monitoring software',
'monte carlo',
'montreal bank',
'mos certification',
'motion designer',
'mqseries integrator',
'mta certification',
'multi dimension',
'multi threaded',
'multiclass classifier',
'multicloud enabler',
'multidimensional scaling',
'multilevel grid',
'multiprotocol network',
'name server',
'national railroad',
'natural language',
'natural resources',
'natural science',
'navigational database',
'negative emotion',
'negative leadership',
'negative morale',
'negative situation',
'negative workplace',
'negotiation skill',
'net framework',
'netcool gui',
'netcool omnibus',
'netcool realtime',
'netcool service',
'netcool system',
'netezza high',
'netnovo application',
'network administrator',
'network architect',
'network configuration',
'network database',
'network design',
'network device',
'network downtime',
'network drive',
'network gateway',
'network management',
'network methodology',
'network model',
'network outage',
'network packet',
'network product',
'network protocol',
'network provisioning',
'network security',
'network service',
'network skill',
'network specialist',
'network standard',
'network support',
'network tool',
'neural nets',
'neural network',
'new cheat',
'new employee',
'new hire',
'new manager',
'news media',
'newtonian physics',
'no change',
'no conversation',
'no problem',
'no promotion',
'node red',
'norwegian wood',
'notebook interface',
'ns lookup',
'nuage networks',
'nuclear physics',
'nueral networks',
'number theory',
'numerical analysis',
'numerical method',
'numerical methods',
'ny state',
'object oriented',
'object pascal',
'oculus vr',
'offering manager',
'offshore team',
'ohio state',
'omegamon zos',
'omni channel',
'online training',
'onsite training',
'open source',
'open stack',
'openshift dedicated',
'openshift online',
'openshift origin',
'openshift platform',
'openshift virtualization',
'operating model',
'operating system',
'operation analyst',
'operation research',
'operational analytics',
'operational model',
'operational role',
'operational skill',
'operations analyst',
'operations architect',
'operations management',
'operations manager',
'operations research',
'operations role',
'opportunity owner',
'optical network',
'optim database',
'optim high',
'optim performance',
'optim purequery',
'optim zos',
'optimization algorithm',
'optimization method',
'optimization skill',
'oracle ccb',
'oracle certification',
'oracle clinical',
'oracle cloud',
'oracle clusterware',
'oracle coherence',
'oracle commerce',
'oracle crm',
'oracle database',
'oracle designer',
'oracle discoverer',
'oracle ebs',
'oracle exadata',
'oracle exalogic',
'oracle financials',
'oracle flashback',
'oracle forms',
'oracle help',
'oracle hyperion',
'oracle integration',
'oracle intermedia',
'oracle java',
'oracle jdeveloper',
'oracle linux',
'oracle metadata',
'oracle multimedia',
'oracle office',
'oracle olap',
'oracle payables',
'oracle portal',
'oracle powerbrowser',
'oracle rac',
'oracle racing',
'oracle receivables',
'oracle reports',
'oracle retail',
'oracle scm',
'oracle script',
'oracle solaris',
'oracle spatial',
'oracle text',
'oracle tutor',
'oracle vdi',
'oracle vm',
'oracle webcenter',
'oracle weblogic',
'orchestration framework',
'order management',
'ordinal regression',
'organic chemistry',
'organizational benefit',
'organizational focus',
'organizational issue',
'organizational pay',
'organizational role',
'organizational structure',
'outlier detection',
'outsourcing contract',
'over-specified query',
'p2p encryption',
'package manager',
'packet switching',
'packet trace',
'paid account',
'paqsa certification',
'parallel computing',
'parallel engineering',
'parallel environment',
'parse tree',
'particle physics',
'parzen windows',
'password compliance',
'pay gap',
'pay level',
'pay penalty',
'pay process',
'pay raise',
'payroll software',
'pc power',
'pc support',
'pci certification',
'penetration test',
'people manager',
'peoplesoft certification',
'performance appraisal',
'performance expectation',
'performance indicator',
'performance management',
'performance metric',
'performance optimization',
'performance professional',
'performance report',
'personal cloud',
'personal computer',
'personal life',
'personal pc',
'petroleum industry',
'pharmaceutical company',
'philips medical',
'philosophy student',
'phishing link',
'physical anthropology',
'physical artifact',
'physical chemistry',
'physical health',
'physical location',
'physical property',
'physical science',
'physical structure',
'plan development',
'plant biology',
'platform analytics',
'platform hdfs',
'platform hpc',
'platform isf',
'platform lsf',
'platform manager',
'platform mpi',
'platform rtm',
'platform specific',
'platform symphony',
'point-to-point encryption',
'pointbase embedded',
'poisson regression',
'poli science',
'political economy',
'political philosophy',
'political science',
'political theory',
'polynomial regression',
'poor pay',
'portfolio alignment',
'positive attitude',
'positive emotion',
'positive leadership',
'positive morale',
'positive situation',
'positive workplace',
'post graduate',
'potential employee',
'power management',
'power server',
'powerha systemmirror',
'powervm lx86',
'powervm vios',
'powervm virtual',
'presales role',
'presales skill',
'presales workshop',
'presentation layer',
'presentation skill',
'price optimization',
'pricing info',
'pricing process',
'prince2 certification',
'printing failure',
'privacy regulation',
'private blockchain',
'private cloud',
'problem solving',
'procedural language',
'process automation',
'process change',
'process consultant',
'process continuity',
'process improvement',
'process mining',
'process role',
'procurement manager',
'product designer',
'product management',
'product manager',
'product offering',
'production environment',
'professional growth',
'professional hire',
'professional pay',
'professional role',
'professional services',
'professions certification',
'program manager',
'programming language',
'programming skill',
'project administrator',
'project assistant',
'project estimation',
'project executive',
'project manager',
'project plan',
'project scope',
'project status',
'project team',
'project transfer',
'property graph',
'proventia desktop',
'proventia endpoint',
'proventia management',
'proventia network',
'proventia virtualized',
'provide value',
'provisioning skill',
'proxy server',
'public administration',
'public blockchain',
'public cloud',
'pureapplication system',
'puredata system',
'python library',
'qir certification',
'qsa certification',
'quadratic programming',
'quality assurance',
'quality control',
'quality improvement',
'quality management',
'quality planning',
'quantitative finance',
'quantum advantage',
'quantum algorithms',
'quantum bit',
'quantum cloud',
'quantum computing',
'quantum entanglement',
'quantum interference',
'quantum mechanics',
'quantum operation',
'quantum parallelism',
'quantum physics',
'quantum programming',
'quantum research',
'quantum vertex',
'query disambigutation',
'query language',
'r language',
'r-series platform',
'racf database',
'rackspace cloud',
'random forest',
'random tree',
'rational ada',
'rational apex',
'rational application',
'rational asset',
'rational automation',
'rational build',
'rational change',
'rational clearcase',
'rational clearddts',
'rational clearquest',
'rational cobol',
'rational computer',
'rational dashboard',
'rational data',
'rational developer',
'rational development',
'rational doors',
'rational elite',
'rational engineering',
'rational functional',
'rational host',
'rational insight',
'rational lifecycle',
'rational logiscope',
'rational modeling',
'rational open',
'rational performance',
'rational policy',
'rational projectconsole',
'rational purify',
'rational purifyplus',
'rational quality',
'rational requisitepro',
'rational robot',
'rational rose',
'rational service',
'rational soda',
'rational software',
'rational statemate',
'rational suite',
'rational synergy',
'rational system',
'rational systems',
'rational tau',
'rational team',
'rational test',
'rational testmanager',
'rational web',
'readable medium',
'reasonable prices',
'reciprocal averaging',
'recommendation systems',
'recruiting document',
'recruiting role',
'recruitment strategy',
'recruitment system',
'red hat',
'redhat 3scale',
'redhat certification',
'redhat cloudforms',
'redhat fuse',
'redhat linux',
'redhat portfolio',
'redhat virtualization',
'reduce costs',
'regression model',
'regression test',
'regression testing',
'regression tree',
'regularized regression',
'reinforcement learning',
'relational database',
'release process',
'release schedule',
'release strategy',
'reliability engineer',
'reliability-centered maintenance',
'rembo auto-backup',
'remote team',
'reporting analyst',
'reporting software',
'request find',
'requirements document',
'requirements gathering',
'research skill',
'resistive circuit',
'resolving issues',
'resource management',
'resource staffing',
'rest api',
'result artifact',
'results oriented',
'retail security',
'retirement plan',
'revenue forecast',
'revenue growth',
'revenue loss',
'reverse proxy',
'ridge regression',
'risk management',
'risk manager',
'risk mitigation',
'robotic device',
'robust optimization',
'routing protocol',
'rules engine',
'runtime environment',
'runtime process',
'russian linux',
'safety conscious',
'sales conversion',
'sales manager',
'sales role',
'sales skill',
'sales workshop',
'salesforce cloud',
'sammons mapping',
'san data',
'sap ads',
'sap afaria',
'sap ag',
'sap analytics',
'sap anywhere',
'sap apo',
'sap architect',
'sap arena',
'sap ariba',
'sap ase',
'sap banking',
'sap business',
'sap businessobjects',
'sap certification',
'sap cloud',
'sap concur',
'sap db',
'sap ehsm',
'sap enterprise',
'sap erp',
'sap esoa',
'sap ewm',
'sap fiori',
'sap gui',
'sap hana',
'sap hosting',
'sap implementation',
'sap iq',
'sap jam',
'sap migration',
'sap mm',
'sap mobile',
'sap netweaver',
'sap open',
'sap pi',
'sap plm',
'sap pp',
'sap prd2',
'sap project',
'sap r3',
'sap scm',
'sap sd',
'sap se',
'sap srm',
'sap sybase',
'sap teched',
'sap xi',
'sas certification',
'satoshi nakamoto',
'scientific computing',
'scientific programming',
'scientific skill',
'sclm advanced',
'sclm suite',
'scope description',
'screen definition',
'screen quality',
'script kiddie',
'script kiddy',
'scripting language',
'scrum master',
'search engine',
'securities offering',
'security appscan',
'security architect',
'security breach',
'security flaw',
'security key',
'security model',
'security network',
'security policy',
'security privileged',
'security product',
'security skill',
'security software',
'security specialist',
'security team',
'security virtual',
'security zsecure',
'self directed',
'self monitoring',
'self supervising',
'selling skills',
'semantic web',
'semiconductor device',
'senior management',
'sequence diagram',
'sequential model',
'serial port',
'server configuration',
'server consolidation',
'server operation',
'server security',
'server skill',
'server support',
'service coordinator',
'service designer',
'service desk',
'service level',
'service management',
'service manager',
'service monitor',
'service offering',
'service provider',
'service provisioning',
'serviced promptly',
'set theory',
'severance pay',
'sexist workplace',
'sexual harassment',
'shell script',
'showcase essbase',
'showcase reporting',
'signal process',
'signal processing',
'simplex methods',
'six sigma',
'sizing skill',
'skill assessment',
'skill gap',
'skill level',
'skills growth',
'skills transfer',
'smart contract',
'smart phone',
'smart watch',
'smartcloud application',
'smartcloud connections',
'smartcloud engage',
'smartcloud inotes',
'smartcloud meetings',
'smartcloud monitoring',
'smartcloud provisioning',
'smarter commerce',
'smp 3.0',
'snia certification',
'soa architect',
'soa policy',
'social assistance',
'social media',
'social psychology',
'social science',
'social sciences',
'social scientist',
'social skills',
'social software',
'social studies',
'social study',
'social theory',
'soft clustering',
'soft skill',
'software ag',
'software compliance',
'software component',
'software defect',
'software deployment',
'software design',
'software engineer',
'software environment',
'software install',
'software installion',
'software library',
'software license',
'software methodology',
'software metric',
'software migration',
'software model',
'software platform',
'software portfolio',
'software project',
'software quality',
'software service',
'software skill',
'software test',
'software testing',
'software troubleshooting',
'solution architect',
'solution design',
'solution manager',
'solution representative',
'solution skill',
'solution strategy',
'solution value',
'source control',
'source safe',
'space physics',
'spectral clustering',
'speech recognition',
'spend approval',
'spss amos',
'spss answertree',
'spss collaboration',
'spss data',
'spss modeler',
'spss risk',
'spss samplepower',
'spss statistics',
'spss text',
'sql server',
'squid cache',
'sscp certification',
'staffing plan',
'stakeholder role',
'star schema',
'state diagram',
'state street',
'static analysis',
'static test',
'static testing',
'statistical algorithm',
'statistical application',
'statistical model',
'statistical outcome',
'statistical software',
'status document',
'sterling configure',
'sterling connect:direct',
'sterling connect:enterprise',
'sterling connect:express',
'sterling gentran:director',
'sterling gentran:server',
'sterling selling',
'sterling warehouse',
'stochastic calculus',
'stochastic optimization',
'storage administration',
'storage architect',
'storage device',
'storage enterprise',
'storage manager',
'storage platform',
'storage product',
'storage skill',
'storage software',
'storage specialist',
'stored procedure',
'strategic planning',
'strategic skill',
'strategy document',
'streaming service',
'stress management',
'structured data',
'structured document',
'structured language',
'structured prediction',
'successful coaching',
'sun pharmaceutical',
'supervised learning',
'supplier management',
'supplier network',
'supply chain',
'support services',
'support specialist',
'surepos aceeps',
'suse linux',
'swimlane diagram',
'switch failover',
'switch failure',
'sybase asa',
'sybase ase',
'sybase ianywhere',
'sybase iq',
'sybase mobilink',
'symantec netbackup',
'symbolic logic',
'symmetric cryptography',
'system administrator',
'system artifact',
'system clock',
'system configuration',
'system design',
'system engineer',
'system language',
'system manager',
'system operator',
'system programmer',
'system programming',
'system r',
'system reliability',
'system role',
'system transformation',
'systems design',
'systems expert',
'systems management',
'tabular database',
'talent acquisition',
'tape library',
'td bank',
'teaching skill',
'team building',
'team culture',
'team formation',
'team lead',
'team meeting',
'team member',
'team player',
'team skill',
'team work',
'technical architect',
'technical communication',
'technical consultant',
'technical enablement',
'technical framework',
'technical lead',
'technical role',
'technical services',
'technical skill',
'technical specialist',
'technical team',
'technical training',
'technical workshop',
'technical writer',
'technical writing',
'technology savvy',
'teradata aster',
'test architect',
'test estimation',
'test lead',
'test manager',
'test plan',
'test script',
'test specialist',
'test strategy',
'test user',
'testing outcome',
'testing skill',
'text editor',
'text mining',
'theoretical physics',
'tibco esb',
'ticketing tool',
'time management',
'time series',
'tivoli access',
'tivoli advanced',
'tivoli afintegrated',
'tivoli afoperator',
'tivoli alert',
'tivoli allocation',
'tivoli analyzer',
'tivoli application',
'tivoli asset',
'tivoli automated',
'tivoli availability',
'tivoli business',
'tivoli capacity',
'tivoli central',
'tivoli change',
'tivoli command',
'tivoli compliance',
'tivoli composite',
'tivoli comprehensive',
'tivoli configuration',
'tivoli continuous',
'tivoli contract',
'tivoli decision',
'tivoli directory',
'tivoli dynamic',
'tivoli endpoint',
'tivoli etewatch',
'tivoli event',
'tivoli federated',
'tivoli foundations',
'tivoli identity',
'tivoli information',
'tivoli intelliwatch',
'tivoli key',
'tivoli license',
'tivoli management',
'tivoli monitoring',
'tivoli netcool',
'tivoli netcoolimpact',
'tivoli netcoolreporter',
'tivoli netcoolwebtop',
'tivoli netview',
'tivoli network',
'tivoli omegacenter',
'tivoli omegamon',
'tivoli omnibus',
'tivoli output',
'tivoli performance',
'tivoli policy',
'tivoli privacy',
'tivoli provisioning',
'tivoli release',
'tivoli sanergy',
'tivoli security',
'tivoli service',
'tivoli storage',
'tivoli system',
'tivoli tape',
'tivoli unified',
'tivoli usage',
'tivoli web',
'tivoli workload',
'tivoli zsecure',
'tool training',
'topic model',
'totalstorage productivity',
'tpf toolkit',
'trade off',
'trade offs',
'trained classifier',
'transaction data',
'transaction processing',
'transformation model',
'transformation role',
'transformation skill',
'transition manager',
'translation cloud',
'travel visa',
'tree ensemble',
'triple store',
'tririga portfolio',
'true negative',
'true positive',
'twitter bot',
'type system',
'type theory',
'typing skill',
'ubuntu linux',
'ui design',
'under-specified query',
'undergraduate degree',
'unica campaign',
'unica customerinsight',
'unica detect',
'unica emessage',
'unica interact',
'unica interactive',
'unica leads',
'unica marketing',
'unica optimize',
'unica predictiveinsight',
'unified messaging',
'unit testing',
'unix administrator',
'unix filesystem',
'unstructured data',
'unsupervised learning',
'usability engineer',
'usability skill',
'use case',
'user authentication',
'user guide',
'user interface',
'user management',
'user research',
'user support',
'ux designer',
'value chain',
'value education',
'value proposition',
'vector autoregression',
'vector quantization',
'vendor management',
'venture round',
'veritas software',
'versa analytics',
'versa cloud',
'versa csg',
'versa director',
'versa flexvnf',
'versa networks',
'versa product',
'versa titan',
'version control',
'vice president',
'video conference',
'video configuration',
'vif regression',
'virtual appliance',
'virtual cloud',
'virtual desktop',
'virtual machine',
'virtual meeting',
'virtual network',
'virtual server',
'virtual storage',
'virtual team',
'virtual training',
'virtualization infrastructure',
'virtualization platform',
'virtualization software',
'virtualization tool',
'virtuo mediation',
'visual basic',
'visual dashboard',
'visual designer',
'visualage generator',
'visualage pacbase',
'visualage smalltalk',
'visualization skill',
'visualization software',
'vmware certification',
'vmware company',
'vmware esxi',
'vmware fusion',
'vmware infrastructure',
'vmware nsx',
'vmware sdwan',
'vmware software',
'vmware vsphere',
'vmware workstation',
'voip protocol',
'voltage regulator',
'vr app',
'vr technology',
'vs fortran',
'vulnerability management',
'w3c standard',
'wall hacks',
'watson annotator',
'watson discovery',
'watson explorer',
'watson group',
'watson studio',
'wearable device',
'web app',
'web application',
'web applications',
'web browser',
'web designer',
'web developer',
'web developers',
'web language',
'web mail',
'web server',
'web service',
'webcenter certification',
'weblogic certification',
'websphere adapter',
'websphere appliance',
'websphere application',
'websphere business',
'websphere cast',
'websphere commerce',
'websphere data',
'websphere datapower',
'websphere decision',
'websphere developer',
'websphere development',
'websphere digital',
'websphere dynamic',
'websphere end',
'websphere enterprise',
'websphere event',
'websphere everyplace',
'websphere extended',
'websphere front',
'websphere host',
'websphere ilog',
'websphere industry',
'websphere ip',
'websphere message',
'websphere mq',
'websphere multichannel',
'websphere operational',
'websphere partner',
'websphere portal',
'websphere process',
'websphere service',
'websphere smash',
'websphere studio',
'websphere telecom',
'websphere transaction',
'websphere translation',
'websphere voice',
'websphere xml',
'westpac bank',
'williams glyn',
'windows desktop',
'windows nt',
'windows powershell',
'windows server',
'word embeddings',
'work culture',
'work environment',
'work ethic',
'work experience',
'work optimization',
'work product',
'work-life balance',
'workflow language',
'workflow software',
'workforce management',
'workload deployer',
'workload distribution',
'workload simulator',
'workplace harassment',
'workplace situation',
'workplace training',
'writing skill',
'xcel energy',
'xml standard',
'zero defects'],
'gram-3': [ 'AIX 5.2 Workload',
'AIX 5.3 Workload',
'AIX Certified Associate',
'ASIC Mining Protocol',
'ASP.NET Web forms',
'AWS Certified Developer',
'AWS Certified Security',
'AWS Cloud Monitoring',
'AWS Elastic Beanstalk',
'Active Record Pattern',
'Adobe 3D Reviewer',
'Adobe Acrobat 3D',
'Adobe Acrobat Connect',
'Adobe Acrobat InProduction',
'Adobe Acrobat X',
'Adobe After Effects',
'Adobe Audience Manager',
'Adobe CS Live',
'Adobe Camera Raw',
'Adobe Capture CC',
'Adobe Character Animator',
'Adobe ColdFusion Builder',
'Adobe Comp CC',
'Adobe Content Server',
'Adobe Content Viewer',
'Adobe Creative Cloud',
'Adobe Creative Suite',
'Adobe DNG Converter',
'Adobe Device Central',
'Adobe Digital Editions',
'Adobe Document Cloud',
'Adobe Dynamic Link',
'Adobe Edge Animate',
'Adobe Edge Code',
'Adobe Edge Reflow',
'Adobe Experience Design',
'Adobe Experience Manager',
'Adobe Extension Manager',
'Adobe Extension Toolkit',
'Adobe Flash Builder',
'Adobe Flash Catalyst',
'Adobe Flash Lite',
'Adobe Flash Player',
'Adobe Flash Professional',
'Adobe Flash Video',
'Adobe Flex Builder',
'Adobe Font Folio',
'Adobe Fuse CC',
'Adobe Illustrator Artwork',
'Adobe Illustrator CS2',
'Adobe Illustrator Draw',
'Adobe Integrated Runtime',
'Adobe JavaScript language',
'Adobe LiveCycle Forms',
'Adobe Marketing Cloud',
'Adobe Media Encoder',
'Adobe Media Optimizer',
'Adobe Media Player',
'Adobe Output Designer',
'Adobe PDF JobReady',
'Adobe PDF Library',
'Adobe Photoshop Album',
'Adobe Photoshop Elements',
'Adobe Photoshop Express',
'Adobe Photoshop Fix',
'Adobe Photoshop Lightroom',
'Adobe Photoshop Mix',
'Adobe Photoshop Sketch',
'Adobe Pixel Bender',
'Adobe Portable Document',
'Adobe Premiere Clip',
'Adobe Premiere Elements',
'Adobe Premiere Express',
'Adobe Premiere Pro',
'Adobe Premiere Rush',
'Adobe Preview CC',
'Adobe Professional Pro',
'Adobe RGB 1998',
'Adobe SWC file',
'Adobe Shockwave Player',
'Adobe Solutions Network',
'Adobe Source Libraries',
'Adobe Spark Page',
'Adobe Spark Post',
'Adobe Spark Video',
'Adobe Standard Encoding',
'Adobe Stock Photos',
'Adobe Type Manager',
'Adobe Visual Communicator',
'Adobe eLearning Suite',
'Advanced Identity Manager',
'Agile Software Development',
'Alibaba Security Certification',
'Alloy by IBM',
'Amazon Machine Image',
'Amazon Web Services',
'Analysis And Design',
'Analysis and Design',
'Android Mobile Device',
'Apache Software Foundation',
'Apple Mobile Device',
'Application Centric Infrastructure',
'Application Layer Protocol',
'Application Lifecycle Management',
'Application Performance Analyzer',
'Application Recovery Tool',
'Application Support Facility',
'Application Time Facility',
'Application Workload Modeler',
'Approved Scanning Vendors',
'Architectural Work Product',
'Artificial Neural Network',
'Asset Management Analyst',
'Asynchronous Transfer Mode',
'Atlas eDiscovery Process',
'Audit and Control',
'Autoregressive Moving Average',
'Azure Administrator Associate',
'Azure Developer Associate',
'Azure Media Service',
'BAU Staffing Plan',
'BPM Advanced Pattern',
'Bachelor of Arts',
'Bachelor of Business',
'Bachelor of Engineering',
'Bachelor of Science',
'Bachelor of Technology',
'Backup and Restore',
'Backward Stepwise Selection',
'Bank Of America',
'Banking and Financial',
'Base Programming Credentials',
'Bayesian Linear Regression',
'Bernoulli Naïve Bayes',
'Bipolar Function Transistor',
'BlackBerry Enterprise Server',
'Blackberry Mobile Device',
'Branch Transformation Toolkit',
'Brand Client Representative',
'Brava! Enterprise Viewer',
'Breeze for SCLM',
'Bristol-Myers Squibb (Bms)',
'British-Swedish Multinational Pharmaceutical',
'British-swedish Multinational Pharmaceutical',
'Business Analysis Skill',
'Business Conduct Guideline',
'Business Development Executive',
'Business Operations Specialist',
'Business Process Manager',
'Business Program Manager',
'Business Trend Awareness',
'Business Value Statement',
'C Plus Plus',
'C for VM/ESA',
'CCE - N',
'CCIE Collaboration Certification',
'CCIE Data Center',
'CCIE Service Provider',
'CCNA Cloud Certification',
'CCNA Collaboration Certification',
'CCNA Cyber Ops',
'CCNA Service Provider',
'CCNP Cloud Certification',
'CCNP Collaboration Certification',
'CCNP Data Center',
'CCNP Service Provider',
'CCT Data Center',
'CICS Batch Application',
'CICS Business Event',
'CICS Configuration Manager',
'CICS Deployment Assistant',
'CICS Interdependency Analyzer',
'CICS Online Transmission',
'CICS Performance Analyzer',
'CICS Performance Monitor',
'CICS Transaction Gateway',
'CICS Transaction Server',
'CICS Universal Client',
'CICS VSAM Copy',
'CICS VSAM Recovery',
'CICS VSAM Transparency',
'COBOL Report Writer',
'COBOL and CICS',
'COBOL and CICS/VS',
'COBOL for AIX',
'COBOL for OS/390',
'COBOL for Systems',
'COBOL for VSE/ESA',
'COBOL for Windows',
'Call Management System',
'Capability Maturity Model',
'Capacity Management Professional',
'Career Site&Advanced Analytics',
'Categorical Mixture Model',
'Certified Database Administrator',
'Certified Database Associate',
'Certified Desktop Administrator',
'Certified Enterprise Administrator',
'Certified Kubernetes Administrator',
'Certified Messaging Administrator',
'Certified Microsoft Access',
'Certified Microsoft Excel',
'Certified Microsoft Office',
'Certified Microsoft Outlook',
'Certified Microsoft PowerPoint',
'Certified Microsoft Word',
'Certified Security Administrator',
'Certified Teamwork Administrator',
'Change Management Database',
'Change Management Software',
'Chief Diversity Officer',
'Chief Executive Officer',
'Chief Information Officer',
'Cisco Business Certification',
'Cisco Certified Design',
'Cisco Cloud Certification',
'Cisco Collaboration Certification',
'Cisco Design Track',
'Cisco Industrial Certification',
'Cisco Routing Certification',
'Cisco Secure ACS',
'Cisco Security Certification',
'Cisco Wireless Certification',
'Citrix Certified Administrator',
'Citrix Cloud Certification',
'Citrix Netscaler Certification',
'Citrix Networking Certification',
'Citrix Presentation Server',
'Citrix Sharefile Certified',
'Citrix Virtualization Certification',
'Citrix XenServer Certified',
'Client Digital Transformation',
'Client Engagement Architect',
'Client Solution Executive',
'Client Technical Architect',
'Client Technical Solutioner',
'Client Technical Specialist',
'Client Unit Executive',
'Cloud Computing Architecture',
'Cloud Computing Company',
'Cloud Computing Comparison',
'Cloud Computing Issues',
'Cloud Computing Security',
'Cloud Computing System',
'Cloud Container Mordernization',
'Cloud Load Balancing',
'Cloud Security Alliance',
'Cloud computing platform',
'Cloud storage gateway',
'Cloud storage service',
'CloudBurst for Power',
'Cloudera Administrator Certification',
'Cloudera Certified Associate',
'Cloudera Certified Professional',
'Cluster Systems Management',
'Clustered File System',
'Cognos 8 Business',
'Cognos 8 Controller',
'Cognos 8 Go!',
'Cognos 8 Planning',
'Cognos Analytic Applications',
'Cognos Application Development',
'Cognos Axiant 4GL',
'Cognos Business Intelligence',
'Cognos Business Viewpoint',
'Cognos Consumer Insight',
'Cognos Customer Performance',
'Cognos Executive Viewer',
'Cognos Financial Statement',
'Cognos Impromptu Web',
'Cognos Metrics Manager',
'Cognos PowerHouse 4GL',
'Cognos Real-time Monitoring',
'Cognos Series 7',
'Cognos Supply Chain',
'Cognos Workforce Performance',
'Cognos for Microsoft',
'Collaboration Solutions Specialist',
'Column Oriented Database',
'CommonStore for Exchange',
'CommonStore for Lotus',
'CommonStore for SAP',
'Compiler and Library',
'Computer Readable Medium',
'Concurrent Versioning System',
'Configuration Management Software',
'Connections Enterprise Content',
'Content Based Filtering',
'Content Management Framework',
'Content Manager Enterprise',
'Content Manager OnDemand',
'Content Manager VideoCharger',
'Contrail Edge Cloud',
'Contrail Enterprise Multicloud',
'Contrail Service Orchestration',
'Convolutional Neural Networks',
'Cooperative Storage Cloud',
'Correlated Topic Model',
'Cost of Living',
'Creative Cloud controversy',
'Credit Card Company',
'Cross Platform Software',
'Crossing The Line',
'Crossing the Line',
'Customer Service Lead',
'DB2 Administration Tool',
'DB2 Analytics Accelerator',
'DB2 Archive Log',
'DB2 Audit Management',
'DB2 Automation Tool',
'DB2 Bind Manager',
'DB2 Buffer Pool',
'DB2 Change Accumulation',
'DB2 Change Management',
'DB2 Cloning Tool',
'DB2 Connect family',
'DB2 Cube Views',
'DB2 Data Archive',
'DB2 Data Links',
'DB2 High Performance',
'DB2 Log Analysis',
'DB2 Merge Backup',
'DB2 Object Comparison',
'DB2 Object Restore',
'DB2 Optimization Expert',
'DB2 Path Checker',
'DB2 Performance Expert',
'DB2 Performance Monitor',
'DB2 Query Management',
'DB2 Query Monitor',
'DB2 Recovery Expert',
'DB2 SQL Performance',
'DB2 Storage Management',
'DB2 Test Database',
'DB2 Universal Database',
'DB2 Utilities Enhancement',
'DB2 Utilities Solution',
'DB2 Utilities Suite',
'DB2 Warehouse Manager',
'DB2 XML Extender',
'Data Access Layer',
'Data Analysis Skill',
'Data Center Specialist',
'Data Communication Hardware',
'Data Integration Skill',
'Data Modeling Skill',
'Data Privacy Regulation',
'Data Scientist Workbench',
'Data Server Client',
'Data Storage Library',
'Data Studio pureQuery',
'Data at Rest',
'Datacap FastDoc Capture',
'Datacap Taskmaster Capture',
'Deep Belief Networks',
'Deep Learning Design',
'Delivery Project Executive',
'Delivery Project Manager',
'Dell Cloud Certification',
'Dell Networking Certification',
'Dell Security Certification',
'Dell Server Certification',
'Dell Storage Certification',
'Dense Wavelength Network',
'Density Based Clustering',
'Desire To Learn',
'Development And Advancement',
'Device Programming Skill',
'Dimension Reduction Model',
'DisplayWrite/370 for MVS/CICS',
'Disposal and Governance',
'Distributed File System',
'Document Management System',
'Domain Name Server',
'Dow Chemical Company',
'Dynamics 365 Fundamentals',
'Elastic Compute Cloud',
'End User License',
'Engineering and Scientific',
'Enhanced Access Control',
'Enterprise Content Management',
'Enterprise Content Manager',
'Enterprise Resource Planning',
'Essential Team Member',
'Establishing Interpersonal Relationships',
'Extract Transform Load',
'Fabasoft Folio Cloud',
'Fiber over Ethernet',
'Field Effect Transistor',
'Field-Programmable Gate Array',
'FileNet Application Connector',
'FileNet Business Activity',
'FileNet Business Process',
'FileNet Content Manager',
'FileNet Content Services',
'FileNet Email Manager',
'FileNet Forms Manager',
'FileNet IDM Desktop/WEB',
'FileNet Image Manager',
'FileNet Image Services',
'FileNet Records Crawler',
'FileNet Rendition Engine',
'FileNet Report Manager',
'FileNet System Monitor',
'FileNet Team Collaboration',
'Finite Element Analysis',
'Finite Element Method',
'Firebase Cloud Messaging',
'First Line Manager',
'Flat File Database',
'Forward Stagewise Selection',
'Forward Stepwise Selection',
'Fractional Processor Unit',
'Free Market Economics',
'Full Stack Developer',
'Fuzzy C Means',
'GIAC Penetration Tester',
'GIAC Python Coder',
'GIAC Security Essentials',
'GIAC Security Expert',
'GIAC Security Leadership',
'GIAC Strategic Planning',
'GTS Claim Training',
'Gaussian Mixture Model',
'Gaussian Naïve Bayes',
'General Ledger Accounting',
'Generalized Linear Model',
'Geographic Information System',
'German Chemical Company',
'German Multinational Pharmaceutical',
'Giac Penetration Tester',
'Giac Python Coder',
'Giac Security Essentials',
'Giac Security Expert',
'Giac Security Leadership',
'Giac Strategic Planning',
'Giving Clear Feedback',
'Global Data Synchronization',
'Global Retention Policy',
'Google Ads Certification',
'Google Cloud Certification',
'Google Cloud Connect',
'Google Cloud Dataflow',
'Google Cloud Dataproc',
'Google Cloud Datastore',
'Google Cloud Messaging',
'Google Cloud Platform',
'Google Cloud Print',
'Google Cloud Storage',
'Google Cloud functions',
'Google Developers Certification',
'Graphical Data Display',
'Graphical User Interface',
'Green Hat Performance',
'Green Hat Tester',
'Green Hat Virtual',
'Grid Based Clustering',
'HP Cloud Services',
'HP Converged Cloud',
'Hardware Inventory Process',
'Health And Safety',
'Health Care Company',
'Health Care Security',
'Hidden Markov Model',
'Hierarchical Storage Management',
'High Avaiability Cluster',
'High Level Language',
'High Performance Computing',
'High Performance Microprocessor',
'Highly Capable Leaders',
'Hortonworks Certified Administrator',
'Hortonworks Certified Developer',
'Hortonworks Certified Professional',
'Hortonworks Spark Certification',
'Host Access Client',
'Human Computer Interaction',
'Human Readable Medium',
'Human Resources Policy',
'Hybrid Cloud Gateway',
'IBM Business Process',
'IBM Cloud Video',
'IBM Corporate Division',
'IBM Master Inventor',
'IBM Platform Software',
'IBM Private Cloud',
'IBM Q Certification',
'IBM Quantum Computing',
'IBM System I',
'IBM System P',
'IBM System Z',
'IBM WebSphere MQ',
'IBM cloud computing',
'IEEE Cloud Computing',
'ILOG CP Optimizer',
'ILOG CPLEX Optimization',
'ILOG DB Link',
'ILOG Elixir Enterprise',
'ILOG Fab PowerOps',
'ILOG JViews Charts',
'ILOG JViews Diagrammer',
'ILOG JViews Enterprise',
'ILOG JViews Gantt',
'ILOG JViews Graph',
'ILOG JViews Maps',
'ILOG ODM Enterprise',
'ILOG OPL-CPLEX -ODM',
'ILOG OPL-CPLEX Development',
'ILOG Plant PowerOps',
'ILOG Transport PowerOps',
'ILOG Transportation Analyst',
'IMS Audit Management',
'IMS Batch Backout',
'IMS Batch Terminal',
'IMS Buffer Pool',
'IMS Cloning Tool',
'IMS Command Control',
'IMS Configuration Manager',
'IMS Connect Extensions',
'IMS DEDB Fast',
'IMS Database Control',
'IMS Database Recovery',
'IMS Database Repair',
'IMS Database Solution',
'IMS Enterprise Suite',
'IMS Extended Terminal',
'IMS Fast Path',
'IMS High Availability',
'IMS High Performance',
'IMS Index Builder',
'IMS Library Integrity',
'IMS Online Reorganization',
'IMS Parallel Reorganization',
'IMS Parameter Manager',
'IMS Performance Analyzer',
'IMS Performance Monitor',
'IMS Performance Solution',
'IMS Problem Investigator',
'IMS Program Restart',
'IMS Queue Control',
'IMS Recovery Expert',
'IMS Recovery Solution',
'IMS Sequential Randomizer',
'IMS Sysplex Manager',
'IMS Tools Knowledge',
'IOS XR Specialist',
'ISO 9001 Certification',
'ISPF Productivity Tool',
'ISPF for z/OS',
'IT Management Consultant',
'IT Operations Analytics',
'IT Service Management',
'ITIL Foundation Certification',
'Ibm Master Inventor',
'Ibm System I',
'Ibm System P',
'Inclusive Work Environment',
'Incremental Selection Model',
'InfoSphere Balanced Warehouse',
'InfoSphere Blueprint Director',
'InfoSphere Business Glossary',
'InfoSphere Change Data',
'InfoSphere Classic Connector',
'InfoSphere Classic Data',
'InfoSphere Classic Federation',
'InfoSphere Classic Replication',
'InfoSphere Classification Module',
'InfoSphere Content Collector',
'InfoSphere Data Architect',
'InfoSphere Data Event',
'InfoSphere Data Replication',
'InfoSphere Enterprise Records',
'InfoSphere Federation Server',
'InfoSphere Global Name',
'InfoSphere Guardium Data',
'InfoSphere Guardium Vulnerability',
'InfoSphere Identity Insight',
'InfoSphere Information Analyzer',
'InfoSphere Information Server',
'InfoSphere Information Services',
'InfoSphere Master Data',
'InfoSphere Metadata Workbench',
'InfoSphere Optim Configuration',
'InfoSphere Optim High',
'InfoSphere Optim Performance',
'InfoSphere Optim Query',
'InfoSphere Optim pureQuery',
'InfoSphere Replication Server',
'InfoSphere Traceability Server',
'InfoSphere Warehouse Packs',
'Information Lifecycle Management',
'Information Management Software',
'Information Server Data',
'Informix C-ISAM DataBlade',
'Informix Data Director',
'Informix DataBlade Modules',
'Informix Enterprise Gateway',
'Informix Extended Parallel',
'Informix Growth Warehouse',
'Informix Standard Engine',
'Infrastructure as Code',
'Initial Coin Offering',
'Initial Public Offering',
'Initiate Address Verification',
'Initiate Master Data',
'Integrated Data Store',
'Integrated Development Environment',
'Interactive Voice Response',
'Internal Security Assessor',
'International Standards Organization',
'Internet of Things',
'Ip Address Blocking',
'It Operations Analytics',
'It Service Management',
'JD Edwards Certification',
'Japanese Pharmaceutical Company',
'Java Database Connectivity',
'Journey to Cloud',
'K Means Clustering',
'K Medians Clustering',
'K Medoids Clustering',
'K Modes Clustering',
'K Nearest Neighbors',
'K Prototypes Clustering',
'Kernel Density Estimation',
'Key Value Database',
'Lack of Time',
'Lack of Training',
'Language Integrated Query',
'Latent Dirichlet Allocation',
'Latent Semantic Analysis',
'Level 1 Certification',
'Level 2 Certification',
'Level 3 Certification',
'License Metric Tool',
'License Use Management',
'Linear Discriminant Analysis',
'Liquid Crystal Display',
'Local Area Network',
'Local Linear Embedding',
'Local Outlier Factor',
'Long Term Focus',
'Lotus Domino Access',
'Lotus Domino Designer',
'Lotus Domino Document',
'Lotus EasySync Pro',
'Lotus Enterprise Integrator',
'Lotus Foundations Branch',
'Lotus Foundations Reach',
'Lotus Foundations Start',
'Lotus Mobile Connect',
'Lotus Notes Traveler',
'Lotus Quickr Connectors',
'Lotus Quickr Content',
'Lotus Workforce Management',
'Low Level Language',
'Low Pay Level',
'M5 Model Tree',
'MQSeries Integrator Agent',
'MTA: Cloud Fundamentals',
'MTA: Database Fundamentals',
'MTA: Networking Fundamentals',
'MTA: Security Fundamentals',
'Mainframe Operating System',
'Managed Private Cloud',
'Managing Difficult Conversations',
'Managing Remote Teams',
'Managing Virtual Teams',
'Markov Decision Process',
'Markov Random Fields',
'Master Data Management',
'Master of Arts',
'Master of Business',
'Master of Engineering',
'Master of Science',
'Master of Technology',
'Maximo Asset Configuration',
'Maximo Asset Management',
'Maximo Asset Navigator',
'Maximo Business Object',
'Maximo Change Manager',
'Maximo Data Center',
'Maximo Enterprise Adapter',
'Maximo Field Control',
'Maximo Migration Manager',
'Maximo Mobile Audit',
'Maximo Mobile Inventory',
'Maximo Mobile Suite',
'Maximo Mobile Work',
'Maximo Online Commerce',
'Maximo SLA Manager',
'Maximo Space Management',
'Maximo Spatial Asset',
'Maximo Usage Monitor',
'Maximo for Government',
'Maximo for Life',
'Maximo for Nuclear',
'Maximo for Service',
'Maximo for Transportation',
'Maximo for Utilities',
'Mean Shift Clustering',
'Media and Entertainment',
'Merger and Acquisition',
'Message Broker Software',
'Message Oriented Middleware',
'Metrica Performance Manager',
'Metrica Service Manager',
'Microsoft 365 Certification',
'Microsoft App Builder',
'Microsoft Application Virtualization',
'Microsoft Business Applications',
'Microsoft Certified HTML5',
'Microsoft Certified Productivity',
'Microsoft Certified Professional',
'Microsoft Core Infrastructure',
'Microsoft Exchange Server',
'Microsoft Foundation Class',
'Microsoft Visual Studio',
'Mixed Integer Programming',
'Mobile App Development',
'Mobile Cloud Computing',
'Mobile Cloud Storage',
'Mobile Operating System',
'Mobility Computing Platform',
'Mode Seeking Algorithm',
'Moving Average Model',
'Mta: Cloud Fundamentals',
'Mta: Database Fundamentals',
'Mta: Networking Fundamentals',
'Mta: Security Fundamentals',
'Multi Modal Database',
'Multi Tenant Cloud',
'Multinomial Logistic Regression',
'Multinomial Naïve Bayes',
'My New Certification',
'Naive Bayes Classifier',
'Natural Language Classification',
'Natural Language Generation',
'Natural Language Processing',
'Natural Language Toolkit',
'Negative Pay Situation',
'Negative Team Culture',
'Netcool Network Management',
'Netcool Service Monitor',
'Netcool/Service Monitor Reporter',
'Netezza High Capacity',
'Network Equipment Provider',
'Network Performance Reporting',
'Network Security Policy',
'Network Services Product',
'Network Support Specialist',
'Neural Language Model',
'No Career Growth',
'No Skills Growth',
'Nokia Nuage SDN',
'Non Functional Requirement',
'Non Linear Programming',
'Non Profit Company',
'Novia Scotia Bank',
'Nubifer Cloud Portal',
'OMEGAMON z/OS Management',
'OmniFind Discovery Edition',
'OmniFind Enterprise Edition',
'OmniFind Yahoo! Edition',
'Open Source Framework',
'Open Source License',
'Open Source Software',
'Open Telekom Cloud',
'OpenPages GRC Platform',
'OpenShift Site Reliablity',
'Operating System Environment',
'Operating System Virtualization',
'Operational Decision Management',
'Operations Production Analyst',
'Optim Database Administrator',
'Optim Development Studio',
'Optim High Performance',
'Optim Performance Manager',
'Optim pureQuery Runtime',
'Oracle Application Certification',
'Oracle Architect Certification',
'Oracle Business Intelligence',
'Oracle Business Rules',
'Oracle Call Interface',
'Oracle Cash Management',
'Oracle Cloud Certification',
'Oracle Cloud Fn',
'Oracle Cloud Platform',
'Oracle Cluster Registry',
'Oracle Commerce Certification',
'Oracle Content Management',
'Oracle Data Guard',
'Oracle Data Integrator',
'Oracle Data Mining',
'Oracle Database Appliance',
'Oracle Developer Studio',
'Oracle Developer Suite',
'Oracle EBS Certification',
'Oracle Ebusiness Certification',
'Oracle Enterprise Linux',
'Oracle Enterprise Manager',
'Oracle Entitlements Server',
'Oracle Express Edition',
'Oracle Fusion Applications',
'Oracle Fusion Architecture',
'Oracle Fusion Middleware',
'Oracle Grid Engine',
'Oracle HTTP Server',
'Oracle Health Sciences',
'Oracle Hyperion Certification',
'Oracle Identity Management',
'Oracle Identity Manager',
'Oracle Internet Directory',
'Oracle Java VisualVM',
'Oracle Management Server',
'Oracle Mobile Certification',
'Oracle Net Services',
'Oracle NoSQL Database',
'Oracle Policy Automation',
'Oracle R Enterprise',
'Oracle SOA Suite',
'Oracle SQL Developer',
'Oracle Service Bus',
'Oracle Service Registry',
'Oracle Siebel CRM',
'Oracle Solaris Studio',
'Oracle Technology Network',
'Oracle Ultra Search',
'Oracle Unified Directory',
'Oracle Unified Method',
'Oracle User Group',
'Oracle VM VirtualBox',
'Oracle Virtual Directory',
'Oracle Warehouse Builder',
'Oracle Web Cache',
'Oracle WebLogic Platform',
'Oracle Weblogic Server',
'Oracle bone script',
'Oracle data cartridge',
'P2PE Assessor Certification',
'PMI Scheduling Professional',
'PRINCE2 Agile Certification',
'PRINCE2 Foundation Certification',
'PRINCE2 Practitioner Certification',
'PaizaCloud Cloud IDE',
'Palo Alto Networks',
'Parallel Environment Developer',
'Parallel Environment Runtime',
'Partition Load Manager',
'Pay Level Decrease',
'Pay Level Increase',
'Platform Application Center',
'Platform Cluster Manager',
'Platform HDFS Support',
'Platform Process Manager',
'Platform RTM Data',
'Point of Sale',
'Portfolio Management Professional',
'Positive Team Culture',
'Positive Work Ethic',
'PowerHA SystemMirror Enterprise',
'PowerHA SystemMirror Standard',
'PowerSC Express Edition',
'PowerSC Standard Edition',
'PowerVM VIOS Enterprise',
'PowerVM VIOS Standard',
'PowerVM Virtual I/O',
'Principal Component Regression',
'Principal Components Analysis',
'Process Orchestration 7.50',
'Program Management Professional',
'Project Management Professional',
'Project Management Software',
'Project Manager Certification',
'Project Procurement Manager',
'Proof of Concept',
'Proper Business Etiquette',
'Protecting The Environment',
'Proventia Desktop Endpoint',
'Proventia Endpoint Secure',
'Proventia Management SiteProtector',
'Proventia Network Multi-Function',
'Proventia Web Filter',
'Proxmox Virtual Environment',
'Public Key Cryptography',
'Python Visualization Library',
'Qualified Security Assessor',
'Quality of Service',
'Quantum Assembly Language',
'Quantum Complexity Theory',
'Quantum Computation Language',
'Quantum Computing Platform',
'Quantum Fault Tolerance',
'Quantum Ready Workshop',
'Quantum Tape Library',
'Quick Response Manufacturing',
'REXX for CICS',
'Rational Ada Developer',
'Rational Ada Embedded',
'Rational Application Developer',
'Rational Asset Analyzer',
'Rational Asset Manager',
'Rational Automation Framework',
'Rational Build Forge',
'Rational Business Developer',
'Rational COBOL Generation',
'Rational COBOL Runtime',
'Rational ClearCase Change',
'Rational ClearCase LT',
'Rational ClearCase MultiSite',
'Rational ClearQuest MultiSite',
'Rational Computer Based',
'Rational DOORS Analyst',
'Rational DOORS Web',
'Rational Development Studio',
'Rational Elite Support',
'Rational Engineering Lifecycle',
'Rational Focal Point',
'Rational Functional Tester',
'Rational Host Access',
'Rational Host Integration',
'Rational Host On-Demand',
'Rational Lifecycle Integration',
'Rational Lifecycle Package',
'Rational Manual Tester',
'Rational Method Composer',
'Rational Modeling Extension',
'Rational Open Access',
'Rational Performance Test',
'Rational Performance Tester',
'Rational Policy Tester',
'Rational Portfolio Manager',
'Rational Professional Bundle',
'Rational Programming Patterns',
'Rational Project Conductor',
'Rational Publishing Engine',
'Rational Purify family',
'Rational PurifyPlus Enterprise',
'Rational PurifyPlus family',
'Rational Quality Manager',
'Rational Requirements Composer',
'Rational Rhapsody family',
'Rational Rose Data',
'Rational Rose Developer',
'Rational Rose Enterprise',
'Rational Rose Modeler',
'Rational Rose Technical',
'Rational Rose family',
'Rational SDL Suite',
'Rational Service Tester',
'Rational Software Analyzer',
'Rational Software Architect',
'Rational Software Modeler',
'Rational Suite DevelopmentStudio',
'Rational System Architect',
'Rational Systems Developer',
'Rational Systems Tester',
'Rational TTCN Suite',
'Rational Team Concert',
'Rational Team Unifying',
'Rational Team Webtop',
'Rational Test RealTime',
'Rational Test Virtualization',
'Rational Test Workbench',
'Rational Transformation Workbench',
'Rational Visual Test',
'Rational Web Developer',
'Recurrent Neural Networks',
'Red Hat Architect',
'Red Hat DevOps',
'Red Hat Developer',
'Red Hat JBoss',
'Red Hat OpenShift',
'Red Hat Platform',
'Redhat Certified Engineer',
'Redhat Certified Specialist',
'Redhat OpenShift Certification',
'Redhat OpenStack Certification',
'Redhat Security Certification',
'Redhat Virtualization Certification',
'Regularized Discriminant Analysis',
'Rembo Toolkit Professional',
'Remote Procedure Call',
'Request For Proposal',
'Request For Service',
'Request for Proposal',
'Request for Service',
'Responsibility To Stockholders',
'Retail Data Warehouse',
'Risk Management Skill',
'Robotic Process Automation',
'SAN Data Center',
'SAP Ariba Catalogs',
'SAP Ariba Certification',
'SAP Ariba Contracts',
'SAP Ariba Procurement',
'SAP Ariba Sourcing',
'SAP BI Accelerator',
'SAP Business ByDesign',
'SAP Business Connector',
'SAP Business Intelligence',
'SAP Business Objects',
'SAP Business One',
'SAP Business Suite',
'SAP Certified Application',
'SAP Certified Associate',
'SAP Certified Development',
'SAP Certified Professional',
'SAP Certified Technology',
'SAP Cloud Platform',
'SAP Community Network',
'SAP Converged Cloud',
'SAP Convergent Charging',
'SAP Enable Now',
'SAP Enterprise Learning',
'SAP Enterprise Portal',
'SAP Exchange Infrastructure',
'SAP Global Certification',
'SAP HANA 2.0',
'SAP HANA Certification',
'SAP Hybris Billing',
'SAP Knowledge Warehouse',
'SAP Logon Ticket',
'SAP NetWeaver Mobile',
'SAP NetWeaver Portal',
'SAP Predictive Analytics',
'SAP Process Integration',
'SAP S/4HANA 1610',
'SAP S/4HANA 1709',
'SAP S/4HANA 1809',
'SAP S/4HANA Cloud',
'SAP Sales Cloud',
'SAP Solution Composer',
'SAP Solution Manager',
'SAP for Insurance',
'SAP for Retail',
'SAS Administration Certification',
'SAS Analytics Certification',
'SAS Enterprise Guide',
'SAS Enterprise Miner',
'SAS Foundation Certification',
'SAS Other Certification',
'SCLM Administrator Toolkit',
'SCLM Advanced Edition',
'SCLM Developer Toolkit',
'SCLM Suite Administrator',
'SOA Policy Gateway',
'SOA Policy Pattern',
'SPSS Data Collection',
'SPSS Decision Management',
'SPSS Event Builder',
'SPSS Interaction Builder',
'SPSS Model Builder',
'SPSS Risk Control',
'SPSS Text Analytics',
'SPSS Visualization Designer',
'SQL Server 2012/2014',
'SUSE OpenStack Cloud',
'Safe Swiss Cloud',
'Sage Business Cloud',
'Sales Delivery Executive',
'Salesforce Commerce Cloud',
'Salesforce Marketing Cloud',
'Sametime Unified Telephony',
'Scientific Programming Language',
'Scotia SmartModel Device',
'Screen Definition Facility',
'Second Line Manager',
'Security Account Manager',
'Security AppScan Enterprise',
'Security AppScan Source',
'Security AppScan family',
'Security Delivery Specialist',
'Security Identity Manager',
'Security Key Lifecycle',
'Security Network Active',
'Security Network Controller',
'Security Network Protection',
'Security Privileged Identity',
'Security Server Protection',
'Security SiteProtector System',
'Security zSecure Admin',
'Security zSecure Administration',
'Security zSecure Alert',
'Security zSecure Audit',
'Security zSecure CICS',
'Security zSecure Command',
'Security zSecure Manager',
'Security zSecure Visual',
'Self Organizing Map',
'Sense Of Security',
'Serial Peripheral Interface',
'Server Message Block',
'Server Resource Management',
'Server Support Specialist',
'Service Availability Manager',
'Service Integration Leader',
'Service Level Agreement',
'Service Management Skill',
'Service Oriented Architecture',
'Shopping Ads Certification',
'Short Term Focus',
'ShowCase Web Analysis',
'Simple Cloud API',
'Smart Analytic Optimizer',
'Smart Analytics System',
'SmartCloud Application Performance',
'SmartCloud Control Desk',
'SmartCloud Cost Management',
'SmartCloud Engage Advanced',
'SmartCloud Engage Standard',
'SmartCloud Patch Management',
'So Many Hackers',
'Social Media Company',
'Social Media Skill',
'Soft K Means',
'Software Defined Network',
'Software Design Pattern',
'Software Development Lifecycle',
'Software Development Process',
'Software Portfolio Alignment',
'Software Service Planner',
'Solution Sales Manager',
'Spanish Pharmaceutical Company',
'Speech Recognition System',
'Sql Server 2012/2014',
'Static Program Analysis',
'Statistical Model Testing',
'Staying On Task',
'Steady State Support',
'Sterling B2B Integrator',
'Sterling Connect:Enterprise Gateway',
'Sterling Control Center',
'Sterling File Gateway',
'Sterling Order Management',
'Sterling Secure Proxy',
'Sterling Warehouse Management',
'Stochastic Gradient Descent',
'Storage Access Method',
'Storage Administration Workbench',
'Storage Area Network',
'Storage Enterprise Resource',
'Subject Matter Expert',
'Suggestions And Complaints',
'Support Vector Classification',
'Support Vector Machine',
'Suse Linux Distributions',
'Sybase SQL Server',
'Symantec Workspace Virtualization',
'System Programming Skill',
'System Security Architect',
'Systems Directory Management',
'Systems Management Specialist',
'Systems Network Architecture',
'TRIRIGA Application Platform',
'TRIRIGA CAD Integrator/Publisher',
'TRIRIGA Energy Optimization',
'TRIRIGA Portfolio Data',
'TXSeries for Multiplatforms',
'Takeda Pharmaceutical Company',
'Technical Solution Architect',
'Technical Solution Manager',
'Technical Team Lead',
'Technology Trend Awareness',
'Telecommunications Data Warehouse',
'Teleprocessing Network Simulator',
'Theory of Constraints',
'Time Series Clustering',
'Time Series Database',
'Tivoli AF/Integrated Resource',
'Tivoli Access Manager',
'Tivoli Advanced Audit',
'Tivoli Advanced Backup',
'Tivoli Advanced Catalog',
'Tivoli Advanced Reporting',
'Tivoli Alert Adapter',
'Tivoli Allocation Optimizer',
'Tivoli Application Dependency',
'Tivoli Asset Discovery',
'Tivoli Asset Management',
'Tivoli Automated Tape',
'Tivoli Availability Process',
'Tivoli Business Continuity',
'Tivoli Business Service',
'Tivoli Business Systems',
'Tivoli Capacity Process',
'Tivoli Central Control',
'Tivoli Command Center',
'Tivoli Common Reporting',
'Tivoli Composite Application',
'Tivoli Configuration Manager',
'Tivoli Continuous Data',
'Tivoli Data Warehouse',
'Tivoli Decision Support',
'Tivoli Directory Integrator',
'Tivoli Directory Server',
'Tivoli Dynamic Workload',
'Tivoli ETEWatch Customizer',
'Tivoli ETEWatch Enterprise',
'Tivoli ETEWatch Starter',
'Tivoli Endpoint Manager',
'Tivoli Enterprise Console',
'Tivoli Event Pump',
'Tivoli Federated Identity',
'Tivoli Foundations Application',
'Tivoli Foundations Service',
'Tivoli Identity Manager',
'Tivoli Information Management',
'Tivoli Integration Composer',
'Tivoli IntelliWatch Pinnacle',
'Tivoli Intelligent Orchestrator',
'Tivoli Intrusion Manager',
'Tivoli Kernel Services',
'Tivoli Key Lifecycle',
'Tivoli Management Framework',
'Tivoli Management Solution',
'Tivoli Monitoring Active',
'Tivoli Monitoring Express',
'Tivoli Monitoring V6',
'Tivoli NetView Access',
'Tivoli NetView Distribution',
'Tivoli NetView File',
'Tivoli NetView Performance',
'Tivoli Netcool Carrier',
'Tivoli Netcool Configuration',
'Tivoli Netcool Performance',
'Tivoli Netcool Service',
'Tivoli Netcool/OMNIbus Gateways',
'Tivoli OMEGACENTER Gateway',
'Tivoli OMEGAMON Alert',
'Tivoli OMEGAMON DE',
'Tivoli OMEGAMON II',
'Tivoli OMEGAMON Monitoring',
'Tivoli OMEGAMON XE',
'Tivoli Output Manager',
'Tivoli Performance Analyzer',
'Tivoli Performance Modeler',
'Tivoli Policy Driven',
'Tivoli Privacy Manager',
'Tivoli Provisioning Manager',
'Tivoli Release Process',
'Tivoli Remote Control',
'Tivoli Risk Manager',
'Tivoli Security Compliance',
'Tivoli Security Information',
'Tivoli Security Management',
'Tivoli Security Operations',
'Tivoli Security Policy',
'Tivoli Service Automation',
'Tivoli Service Level',
'Tivoli Service Manager',
'Tivoli Service Request',
'Tivoli Storage FlashCopy',
'Tivoli Storage Manager',
'Tivoli Storage Optimizer',
'Tivoli Storage Process',
'Tivoli Storage Productivity',
'Tivoli Storage Resource',
'Tivoli Switch Analyzer',
'Tivoli System Automation',
'Tivoli Tape Optimizer',
'Tivoli Unified Process',
'Tivoli Unified Single',
'Tivoli Universal Agent',
'Tivoli User Administration',
'Tivoli Web Access',
'Tivoli Web Availability',
'Tivoli Web Response',
'Tivoli Web Segment',
'Tivoli Web Site',
'Tivoli Workload Scheduler',
'Tivoli zSecure Admin',
'Tivoli zSecure Alert',
'Tivoli zSecure Audit',
'Tivoli zSecure CICS',
'Tivoli zSecure Command',
'Tivoli zSecure Manager',
'Tivoli zSecure Visual',
'Total Productive Maintenance',
'Total Quality Management',
'TotalStorage Productivity Center',
'Train the Trainers',
'Transaction Processing Facility',
'Transmission Control Protocol',
'Tree Based Model',
'Unica Distributed Marketing',
'Unica Interactive Marketing',
'Unica Marketing Operations',
'Unica Marketing Platform',
'Unica NetInsight OnDemand',
'Unified Method Framework',
'Universal Windows Platform',
'User Acceptance Test',
'User Centered Design',
'User Interface Design',
'VMWare Horizon View',
'VMWare Thin App',
'VMware Certified Associate',
'VMware Certified Professional',
'VMware Cloud Foundation',
'VTAM for VSE',
'VTAM for VSE/ESA',
'Value Driven Maintenance',
'Video Game Exploit',
'Virtual Computing Platform',
'Virtual Private Cloud',
'Virtual Runtime Environment',
'VisualAge Generator EGL',
'Watson Conversation Service',
'Watson Data Platform',
'Watson Support Agent',
'Watson Wealth Advisor',
'Web Application Framework',
'WebSphere Adapters Family',
'WebSphere Appliance Management',
'WebSphere Application Accelerator',
'WebSphere Application Server',
'WebSphere Business Compass',
'WebSphere Business Events',
'WebSphere Business Integration',
'WebSphere Business Modeler',
'WebSphere Business Monitor',
'WebSphere Business Services',
'WebSphere Cast Iron',
'WebSphere CloudBurst Appliance',
'WebSphere Commerce Enterprise',
'WebSphere Commerce Professional',
'WebSphere Customer Center',
'WebSphere Dashboard Framework',
'WebSphere Data Interchange',
'WebSphere DataPower B2B',
'WebSphere DataPower Edge',
'WebSphere DataPower Integration',
'WebSphere DataPower Low',
'WebSphere DataPower SOA',
'WebSphere DataPower Service',
'WebSphere DataPower XC10',
'WebSphere DataPower XML',
'WebSphere Decision Center',
'WebSphere Decision Server',
'WebSphere Developer Debugger',
'WebSphere Development Studio',
'WebSphere Digital Media',
'WebSphere Dynamic Process',
'WebSphere Enterprise Service',
'WebSphere Event Broker',
'WebSphere Everyplace Client',
'WebSphere Everyplace Custom',
'WebSphere Everyplace Micro',
'WebSphere Everyplace Server',
'WebSphere Extended Deployment',
'WebSphere Front Office',
'WebSphere Host Access',
'WebSphere Host Publisher',
'WebSphere ILOG Decision',
'WebSphere ILOG JRules',
'WebSphere ILOG Rule',
'WebSphere ILOG Rules',
'WebSphere IP Multimedia',
'WebSphere Industry Content',
'WebSphere Integration Developer',
'WebSphere InterChange Server',
'WebSphere Lombardi Edition',
'WebSphere MQ Everyplace',
'WebSphere MQ Hypervisor',
'WebSphere MQ Integrator',
'WebSphere MQ Low',
'WebSphere MQ Workflow',
'WebSphere Message Broker',
'WebSphere Operational Decision',
'WebSphere Partner Gateway',
'WebSphere Portal End',
'WebSphere Portlet Factory',
'WebSphere Premises Server',
'WebSphere Presence Server',
'WebSphere Process Server',
'WebSphere Product Center',
'WebSphere Real Time',
'WebSphere Remote Server',
'WebSphere Sensor Events',
'WebSphere Service Registry',
'WebSphere Studio Application',
'WebSphere Studio Asset',
'WebSphere Studio Enterprise',
'WebSphere Studio Site',
'WebSphere Studio Workload',
'WebSphere Studio family',
'WebSphere Transaction Cluster',
'WebSphere Transcoding Publisher',
'WebSphere Transformation Extender',
'WebSphere Translation Server',
'WebSphere Virtual Enterprise',
'WebSphere Voice Response',
'WebSphere Voice Server',
'WebSphere Voice Toolkit',
'WebSphere XML Document',
'WebSphere eXtended Transaction',
'WebSphere eXtreme Scale',
'Wide Area Network',
'Willingness To Learn',
'Windows Management Instrumentation',
'Windows Server 2012',
'Windows Server 2016',
'Work From Home',
'Work Life Balance',
'Work from Home',
'Workload Deployer Pattern',
'World Wide Web',
'active record pattern',
'adobe 3d reviewer',
'adobe acrobat 3d',
'adobe acrobat connect',
'adobe acrobat inproduction',
'adobe acrobat x',
'adobe after effects',
'adobe audience manager',
'adobe camera raw',
'adobe capture cc',
'adobe character animator',
'adobe coldfusion builder',
'adobe comp cc',
'adobe content server',
'adobe content viewer',
'adobe creative cloud',
'adobe creative suite',
'adobe cs live',
'adobe device central',
'adobe digital editions',
'adobe dng converter',
'adobe document cloud',
'adobe dynamic link',
'adobe edge animate',
'adobe edge code',
'adobe edge reflow',
'adobe elearning suite',
'adobe experience design',
'adobe experience manager',
'adobe extension manager',
'adobe extension toolkit',
'adobe flash builder',
'adobe flash catalyst',
'adobe flash lite',
'adobe flash player',
'adobe flash professional',
'adobe flash video',
'adobe flex builder',
'adobe font folio',
'adobe fuse cc',
'adobe illustrator artwork',
'adobe illustrator cs2',
'adobe illustrator draw',
'adobe integrated runtime',
'adobe javascript language',
'adobe livecycle forms',
'adobe marketing cloud',
'adobe media encoder',
'adobe media optimizer',
'adobe media player',
'adobe output designer',
'adobe pdf jobready',
'adobe pdf library',
'adobe photoshop album',
'adobe photoshop elements',
'adobe photoshop express',
'adobe photoshop fix',
'adobe photoshop lightroom',
'adobe photoshop mix',
'adobe photoshop sketch',
'adobe pixel bender',
'adobe portable document',
'adobe premiere clip',
'adobe premiere elements',
'adobe premiere express',
'adobe premiere pro',
'adobe premiere rush',
'adobe preview cc',
'adobe professional pro',
'adobe rgb 1998',
'adobe shockwave player',
'adobe solutions network',
'adobe source libraries',
'adobe spark page',
'adobe spark post',
'adobe spark video',
'adobe standard encoding',
'adobe stock photos',
'adobe swc file',
'adobe type manager',
'adobe visual communicator',
'advanced identity manager',
'agile software development',
'aix 5.2 workload',
'aix 5.3 workload',
'aix certified associate',
'alibaba security certification',
'alloy by ibm',
'amazon machine image',
'amazon web services',
'analysis and design',
'android mobile device',
'apache software foundation',
'apple mobile device',
'application centric infrastructure',
'application layer protocol',
'application lifecycle management',
'application performance analyzer',
'application recovery tool',
'application support facility',
'application time facility',
'application workload modeler',
'approved scanning vendors',
'architectural work product',
'artificial neural network',
'asic mining protocol',
'asp.net web forms',
'asset management analyst',
'asynchronous transfer mode',
'atlas ediscovery process',
'audit and control',
'autoregressive moving average',
'aws certified developer',
'aws certified security',
'aws cloud monitoring',
'aws elastic beanstalk',
'azure administrator associate',
'azure developer associate',
'azure media service',
'bachelor of arts',
'bachelor of business',
'bachelor of engineering',
'bachelor of science',
'bachelor of technology',
'backup and restore',
'backward stepwise selection',
'bank of america',
'banking and financial',
'base programming credentials',
'bau staffing plan',
'bayesian linear regression',
'bernoulli naïve bayes',
'bipolar function transistor',
'blackberry enterprise server',
'blackberry mobile device',
'bpm advanced pattern',
'branch transformation toolkit',
'brand client representative',
'brava! enterprise viewer',
'breeze for sclm',
'british-swedish multinational pharmaceutical',
'business analysis skill',
'business conduct guideline',
'business development executive',
'business operations specialist',
'business process manager',
'business program manager',
'business trend awareness',
'business value statement',
'c for vmesa',
'c plus plus',
'call management system',
'capability maturity model',
'capacity management professional',
'career site&advanced analytics',
'categorical mixture model',
'cce - n',
'ccie collaboration certification',
'ccie data center',
'ccie service provider',
'ccna cloud certification',
'ccna collaboration certification',
'ccna cyber ops',
'ccna service provider',
'ccnp cloud certification',
'ccnp collaboration certification',
'ccnp data center',
'ccnp service provider',
'cct data center',
'certified database administrator',
'certified database associate',
'certified desktop administrator',
'certified enterprise administrator',
'certified kubernetes administrator',
'certified messaging administrator',
'certified microsoft access',
'certified microsoft excel',
'certified microsoft office',
'certified microsoft outlook',
'certified microsoft powerpoint',
'certified microsoft word',
'certified security administrator',
'certified teamwork administrator',
'change management database',
'change management software',
'chief diversity officer',
'chief executive officer',
'chief information officer',
'cics batch application',
'cics business event',
'cics configuration manager',
'cics deployment assistant',
'cics interdependency analyzer',
'cics online transmission',
'cics performance analyzer',
'cics performance monitor',
'cics transaction gateway',
'cics transaction server',
'cics universal client',
'cics vsam copy',
'cics vsam recovery',
'cics vsam transparency',
'cisco business certification',
'cisco certified design',
'cisco cloud certification',
'cisco collaboration certification',
'cisco design track',
'cisco industrial certification',
'cisco routing certification',
'cisco secure acs',
'cisco security certification',
'cisco wireless certification',
'citrix certified administrator',
'citrix cloud certification',
'citrix netscaler certification',
'citrix networking certification',
'citrix presentation server',
'citrix sharefile certified',
'citrix virtualization certification',
'citrix xenserver certified',
'client digital transformation',
'client engagement architect',
'client solution executive',
'client technical architect',
'client technical solutioner',
'client technical specialist',
'client unit executive',
'cloud computing architecture',
'cloud computing company',
'cloud computing comparison',
'cloud computing issues',
'cloud computing platform',
'cloud computing security',
'cloud computing system',
'cloud container mordernization',
'cloud load balancing',
'cloud security alliance',
'cloud storage gateway',
'cloud storage service',
'cloudburst for power',
'cloudera administrator certification',
'cloudera certified associate',
'cloudera certified professional',
'cluster systems management',
'clustered file system',
'cobol and cics',
'cobol and cicsvs',
'cobol for aix',
'cobol for os390',
'cobol for systems',
'cobol for vseesa',
'cobol for windows',
'cobol report writer',
'cognos 8 business',
'cognos 8 controller',
'cognos 8 go!',
'cognos 8 planning',
'cognos analytic applications',
'cognos application development',
'cognos axiant 4gl',
'cognos business intelligence',
'cognos business viewpoint',
'cognos consumer insight',
'cognos customer performance',
'cognos executive viewer',
'cognos financial statement',
'cognos for microsoft',
'cognos impromptu web',
'cognos metrics manager',
'cognos powerhouse 4gl',
'cognos real-time monitoring',
'cognos series 7',
'cognos supply chain',
'cognos workforce performance',
'collaboration solutions specialist',
'column oriented database',
'commonstore for exchange',
'commonstore for lotus',
'commonstore for sap',
'compiler and library',
'computer readable medium',
'concurrent versioning system',
'configuration management software',
'connections enterprise content',
'content based filtering',
'content management framework',
'content manager enterprise',
'content manager ondemand',
'content manager videocharger',
'contrail edge cloud',
'contrail enterprise multicloud',
'contrail service orchestration',
'convolutional neural networks',
'cooperative storage cloud',
'correlated topic model',
'cost of living',
'creative cloud controversy',
'credit card company',
'cross platform software',
'crossing the line',
'customer service lead',
'data access layer',
'data analysis skill',
'data at rest',
'data center specialist',
'data communication hardware',
'data integration skill',
'data modeling skill',
'data privacy regulation',
'data scientist workbench',
'data server client',
'data storage library',
'data studio purequery',
'datacap fastdoc capture',
'datacap taskmaster capture',
'db2 administration tool',
'db2 analytics accelerator',
'db2 archive log',
'db2 audit management',
'db2 automation tool',
'db2 bind manager',
'db2 buffer pool',
'db2 change accumulation',
'db2 change management',
'db2 cloning tool',
'db2 connect family',
'db2 cube views',
'db2 data archive',
'db2 data links',
'db2 high performance',
'db2 log analysis',
'db2 merge backup',
'db2 object comparison',
'db2 object restore',
'db2 optimization expert',
'db2 path checker',
'db2 performance expert',
'db2 performance monitor',
'db2 query management',
'db2 query monitor',
'db2 recovery expert',
'db2 sql performance',
'db2 storage management',
'db2 test database',
'db2 universal database',
'db2 utilities enhancement',
'db2 utilities solution',
'db2 utilities suite',
'db2 warehouse manager',
'db2 xml extender',
'deep belief networks',
'deep learning design',
'delivery project executive',
'delivery project manager',
'dell cloud certification',
'dell networking certification',
'dell security certification',
'dell server certification',
'dell storage certification',
'dense wavelength network',
'density based clustering',
'desire to learn',
'development and advancement',
'device programming skill',
'dimension reduction model',
'displaywrite370 for mvscics',
'disposal and governance',
'distributed file system',
'document management system',
'domain name server',
'dow chemical company',
'dynamics 365 fundamentals',
'elastic compute cloud',
'end user license',
'engineering and scientific',
'enhanced access control',
'enterprise content management',
'enterprise content manager',
'enterprise resource planning',
'essential team member',
'establishing interpersonal relationships',
'extract transform load',
'fabasoft folio cloud',
'fiber over ethernet',
'field effect transistor',
'field-programmable gate array',
'filenet application connector',
'filenet business activity',
'filenet business process',
'filenet content manager',
'filenet content services',
'filenet email manager',
'filenet forms manager',
'filenet idm desktopweb',
'filenet image manager',
'filenet image services',
'filenet records crawler',
'filenet rendition engine',
'filenet report manager',
'filenet system monitor',
'filenet team collaboration',
'finite element analysis',
'finite element method',
'firebase cloud messaging',
'first line manager',
'flat file database',
'forward stagewise selection',
'forward stepwise selection',
'fractional processor unit',
'free market economics',
'full stack developer',
'fuzzy c means',
'gaussian mixture model',
'gaussian naïve bayes',
'general ledger accounting',
'generalized linear model',
'geographic information system',
'german chemical company',
'german multinational pharmaceutical',
'giac penetration tester',
'giac python coder',
'giac security essentials',
'giac security expert',
'giac security leadership',
'giac strategic planning',
'giving clear feedback',
'global data synchronization',
'global retention policy',
'google ads certification',
'google cloud certification',
'google cloud connect',
'google cloud dataflow',
'google cloud dataproc',
'google cloud datastore',
'google cloud functions',
'google cloud messaging',
'google cloud platform',
'google cloud print',
'google cloud storage',
'google developers certification',
'graphical data display',
'graphical user interface',
'green hat performance',
'green hat tester',
'green hat virtual',
'grid based clustering',
'gts claim training',
'hardware inventory process',
'health and safety',
'health care company',
'health care security',
'hidden markov model',
'hierarchical storage management',
'high avaiability cluster',
'high level language',
'high performance computing',
'high performance microprocessor',
'highly capable leaders',
'hortonworks certified administrator',
'hortonworks certified developer',
'hortonworks certified professional',
'hortonworks spark certification',
'host access client',
'hp cloud services',
'hp converged cloud',
'human computer interaction',
'human readable medium',
'human resources policy',
'hybrid cloud gateway',
'i2 Analysts Notebook',
'i2 Fraud Intelligence',
'i2 Information Exchange',
'i2 Intelligence Analysis',
'i2 analysts notebook',
'i2 fraud intelligence',
'i2 information exchange',
'i2 intelligence analysis',
'ibm business process',
'ibm cloud computing',
'ibm cloud video',
'ibm corporate division',
'ibm master inventor',
'ibm platform software',
'ibm private cloud',
'ibm q certification',
'ibm quantum computing',
'ibm system i',
'ibm system p',
'ibm system z',
'ibm websphere mq',
'ieee cloud computing',
'ilog cp optimizer',
'ilog cplex optimization',
'ilog db link',
'ilog elixir enterprise',
'ilog fab powerops',
'ilog jviews charts',
'ilog jviews diagrammer',
'ilog jviews enterprise',
'ilog jviews gantt',
'ilog jviews graph',
'ilog jviews maps',
'ilog odm enterprise',
'ilog opl-cplex -odm',
'ilog opl-cplex development',
'ilog plant powerops',
'ilog transport powerops',
'ilog transportation analyst',
'ims audit management',
'ims batch backout',
'ims batch terminal',
'ims buffer pool',
'ims cloning tool',
'ims command control',
'ims configuration manager',
'ims connect extensions',
'ims database control',
'ims database recovery',
'ims database repair',
'ims database solution',
'ims dedb fast',
'ims enterprise suite',
'ims extended terminal',
'ims fast path',
'ims high availability',
'ims high performance',
'ims index builder',
'ims library integrity',
'ims online reorganization',
'ims parallel reorganization',
'ims parameter manager',
'ims performance analyzer',
'ims performance monitor',
'ims performance solution',
'ims problem investigator',
'ims program restart',
'ims queue control',
'ims recovery expert',
'ims recovery solution',
'ims sequential randomizer',
'ims sysplex manager',
'ims tools knowledge',
'inclusive work environment',
'incremental selection model',
'information lifecycle management',
'information management software',
'information server data',
'informix c-isam datablade',
'informix data director',
'informix datablade modules',
'informix enterprise gateway',
'informix extended parallel',
'informix growth warehouse',
'informix standard engine',
'infosphere balanced warehouse',
'infosphere blueprint director',
'infosphere business glossary',
'infosphere change data',
'infosphere classic connector',
'infosphere classic data',
'infosphere classic federation',
'infosphere classic replication',
'infosphere classification module',
'infosphere content collector',
'infosphere data architect',
'infosphere data event',
'infosphere data replication',
'infosphere enterprise records',
'infosphere federation server',
'infosphere global name',
'infosphere guardium data',
'infosphere guardium vulnerability',
'infosphere identity insight',
'infosphere information analyzer',
'infosphere information server',
'infosphere information services',
'infosphere master data',
'infosphere metadata workbench',
'infosphere optim configuration',
'infosphere optim high',
'infosphere optim performance',
'infosphere optim purequery',
'infosphere optim query',
'infosphere replication server',
'infosphere traceability server',
'infosphere warehouse packs',
'infrastructure as code',
'initial coin offering',
'initial public offering',
'initiate address verification',
'initiate master data',
'integrated data store',
'integrated development environment',
'interactive voice response',
'internal security assessor',
'international standards organization',
'internet of things',
'ios xr specialist',
'ip address blocking',
'iso 9001 certification',
'ispf for zos',
'ispf productivity tool',
'it management consultant',
'it operations analytics',
'it service management',
'itil foundation certification',
'japanese pharmaceutical company',
'java database connectivity',
'jd edwards certification',
'journey to cloud',
'k means clustering',
'k medians clustering',
'k medoids clustering',
'k modes clustering',
'k nearest neighbors',
'k prototypes clustering',
'kernel density estimation',
'key value database',
'lack of time',
'lack of training',
'language integrated query',
'latent dirichlet allocation',
'latent semantic analysis',
'level 1 certification',
'level 2 certification',
'level 3 certification',
'license metric tool',
'license use management',
'linear discriminant analysis',
'liquid crystal display',
'local area network',
'local linear embedding',
'local outlier factor',
'long term focus',
'lotus domino access',
'lotus domino designer',
'lotus domino document',
'lotus easysync pro',
'lotus enterprise integrator',
'lotus foundations branch',
'lotus foundations reach',
'lotus foundations start',
'lotus mobile connect',
'lotus notes traveler',
'lotus quickr connectors',
'lotus quickr content',
'lotus workforce management',
'low level language',
'low pay level',
'm5 model tree',
'mainframe operating system',
'managed private cloud',
'managing difficult conversations',
'managing remote teams',
'managing virtual teams',
'markov decision process',
'markov random fields',
'master data management',
'master of arts',
'master of business',
'master of engineering',
'master of science',
'master of technology',
'maximo asset configuration',
'maximo asset management',
'maximo asset navigator',
'maximo business object',
'maximo change manager',
'maximo data center',
'maximo enterprise adapter',
'maximo field control',
'maximo for government',
'maximo for life',
'maximo for nuclear',
'maximo for service',
'maximo for transportation',
'maximo for utilities',
'maximo migration manager',
'maximo mobile audit',
'maximo mobile inventory',
'maximo mobile suite',
'maximo mobile work',
'maximo online commerce',
'maximo sla manager',
'maximo space management',
'maximo spatial asset',
'maximo usage monitor',
'mean shift clustering',
'media and entertainment',
'merger and acquisition',
'message broker software',
'message oriented middleware',
'metrica performance manager',
'metrica service manager',
'microsoft 365 certification',
'microsoft app builder',
'microsoft application virtualization',
'microsoft business applications',
'microsoft certified html5',
'microsoft certified productivity',
'microsoft certified professional',
'microsoft core infrastructure',
'microsoft exchange server',
'microsoft foundation class',
'microsoft visual studio',
'mitigate risk for',
'mixed integer programming',
'mobile app development',
'mobile cloud computing',
'mobile cloud storage',
'mobile operating system',
'mobility computing platform',
'mode seeking algorithm',
'moving average model',
'mqseries integrator agent',
'mta: cloud fundamentals',
'mta: database fundamentals',
'mta: networking fundamentals',
'mta: security fundamentals',
'multi modal database',
'multi tenant cloud',
'multinomial logistic regression',
'multinomial naïve bayes',
'my new certification',
'naive bayes classifier',
'natural language classification',
'natural language generation',
'natural language processing',
'natural language toolkit',
'negative pay situation',
'negative team culture',
'netcool network management',
'netcool service monitor',
'netcoolservice monitor reporter',
'netezza high capacity',
'network equipment provider',
'network performance reporting',
'network security policy',
'network services product',
'network support specialist',
'neural language model',
'no career growth',
'no skills growth',
'nokia nuage sdn',
'non functional requirement',
'non linear programming',
'non profit company',
'novia scotia bank',
'nubifer cloud portal',
'omegamon zos management',
'omnifind discovery edition',
'omnifind enterprise edition',
'omnifind yahoo! edition',
'open source framework',
'open source license',
'open source software',
'open telekom cloud',
'openpages grc platform',
'openshift site reliablity',
'operating system environment',
'operating system virtualization',
'operational decision management',
'operations production analyst',
'optim database administrator',
'optim development studio',
'optim high performance',
'optim performance manager',
'optim purequery runtime',
'oracle application certification',
'oracle architect certification',
'oracle bone script',
'oracle business intelligence',
'oracle business rules',
'oracle call interface',
'oracle cash management',
'oracle cloud certification',
'oracle cloud fn',
'oracle cloud platform',
'oracle cluster registry',
'oracle commerce certification',
'oracle content management',
'oracle data cartridge',
'oracle data guard',
'oracle data integrator',
'oracle data mining',
'oracle database appliance',
'oracle developer studio',
'oracle developer suite',
'oracle ebs certification',
'oracle ebusiness certification',
'oracle enterprise linux',
'oracle enterprise manager',
'oracle entitlements server',
'oracle express edition',
'oracle fusion applications',
'oracle fusion architecture',
'oracle fusion middleware',
'oracle grid engine',
'oracle health sciences',
'oracle http server',
'oracle hyperion certification',
'oracle identity management',
'oracle identity manager',
'oracle internet directory',
'oracle java visualvm',
'oracle management server',
'oracle mobile certification',
'oracle net services',
'oracle nosql database',
'oracle policy automation',
'oracle r enterprise',
'oracle service bus',
'oracle service registry',
'oracle siebel crm',
'oracle soa suite',
'oracle solaris studio',
'oracle sql developer',
'oracle technology network',
'oracle ultra search',
'oracle unified directory',
'oracle unified method',
'oracle user group',
'oracle virtual directory',
'oracle vm virtualbox',
'oracle warehouse builder',
'oracle web cache',
'oracle weblogic platform',
'oracle weblogic server',
'p2pe assessor certification',
'paizacloud cloud ide',
'palo alto networks',
'parallel environment developer',
'parallel environment runtime',
'partition load manager',
'pay level decrease',
'pay level increase',
'platform application center',
'platform cluster manager',
'platform hdfs support',
'platform process manager',
'platform rtm data',
'pmi scheduling professional',
'point of sale',
'portfolio management professional',
'positive team culture',
'positive work ethic',
'powerha systemmirror enterprise',
'powerha systemmirror standard',
'powersc express edition',
'powersc standard edition',
'powervm vios enterprise',
'powervm vios standard',
'powervm virtual io',
'prince2 agile certification',
'prince2 foundation certification',
'prince2 practitioner certification',
'principal component regression',
'principal components analysis',
'process orchestration 7.50',
'program management professional',
'project management professional',
'project management software',
'project manager certification',
'project procurement manager',
'proof of concept',
'proper business etiquette',
'protecting the environment',
'proventia desktop endpoint',
'proventia endpoint secure',
'proventia management siteprotector',
'proventia network multi-function',
'proventia web filter',
'proxmox virtual environment',
'public key cryptography',
'python visualization library',
'qualified security assessor',
'quality of service',
'quantum assembly language',
'quantum complexity theory',
'quantum computation language',
'quantum computing platform',
'quantum fault tolerance',
'quantum ready workshop',
'quantum tape library',
'quick response manufacturing',
'rational ada developer',
'rational ada embedded',
'rational application developer',
'rational asset analyzer',
'rational asset manager',
'rational automation framework',
'rational build forge',
'rational business developer',
'rational clearcase change',
'rational clearcase lt',
'rational clearcase multisite',
'rational clearquest multisite',
'rational cobol generation',
'rational cobol runtime',
'rational computer based',
'rational development studio',
'rational doors analyst',
'rational doors web',
'rational elite support',
'rational engineering lifecycle',
'rational focal point',
'rational functional tester',
'rational host access',
'rational host integration',
'rational host on-demand',
'rational lifecycle integration',
'rational lifecycle package',
'rational manual tester',
'rational method composer',
'rational modeling extension',
'rational open access',
'rational performance test',
'rational performance tester',
'rational policy tester',
'rational portfolio manager',
'rational professional bundle',
'rational programming patterns',
'rational project conductor',
'rational publishing engine',
'rational purify family',
'rational purifyplus enterprise',
'rational purifyplus family',
'rational quality manager',
'rational requirements composer',
'rational rhapsody family',
'rational rose data',
'rational rose developer',
'rational rose enterprise',
'rational rose family',
'rational rose modeler',
'rational rose technical',
'rational sdl suite',
'rational service tester',
'rational software analyzer',
'rational software architect',
'rational software modeler',
'rational suite developmentstudio',
'rational system architect',
'rational systems developer',
'rational systems tester',
'rational team concert',
'rational team unifying',
'rational team webtop',
'rational test realtime',
'rational test virtualization',
'rational test workbench',
'rational transformation workbench',
'rational ttcn suite',
'rational visual test',
'rational web developer',
'recurrent neural networks',
'red hat architect',
'red hat developer',
'red hat devops',
'red hat jboss',
'red hat openshift',
'red hat platform',
'redhat certified engineer',
'redhat certified specialist',
'redhat openshift certification',
'redhat openstack certification',
'redhat security certification',
'redhat virtualization certification',
'regularized discriminant analysis',
'rembo toolkit professional',
'remote procedure call',
'request for proposal',
'request for service',
'responsibility to stockholders',
'retail data warehouse',
'rexx for cics',
'risk management skill',
'robotic process automation',
'safe swiss cloud',
'sage business cloud',
'sales delivery executive',
'salesforce commerce cloud',
'salesforce marketing cloud',
'sametime unified telephony',
'san data center',
'sap ariba catalogs',
'sap ariba certification',
'sap ariba contracts',
'sap ariba procurement',
'sap ariba sourcing',
'sap bi accelerator',
'sap business bydesign',
'sap business connector',
'sap business intelligence',
'sap business objects',
'sap business one',
'sap business suite',
'sap certified application',
'sap certified associate',
'sap certified development',
'sap certified professional',
'sap certified technology',
'sap cloud platform',
'sap community network',
'sap converged cloud',
'sap convergent charging',
'sap enable now',
'sap enterprise learning',
'sap enterprise portal',
'sap exchange infrastructure',
'sap for insurance',
'sap for retail',
'sap global certification',
'sap hana 2.0',
'sap hana certification',
'sap hybris billing',
'sap knowledge warehouse',
'sap logon ticket',
'sap netweaver mobile',
'sap netweaver portal',
'sap predictive analytics',
'sap process integration',
'sap s4hana 1610',
'sap s4hana 1709',
'sap s4hana 1809',
'sap s4hana cloud',
'sap sales cloud',
'sap solution composer',
'sap solution manager',
'sas administration certification',
'sas analytics certification',
'sas enterprise guide',
'sas enterprise miner',
'sas foundation certification',
'sas other certification',
'scientific programming language',
'sclm administrator toolkit',
'sclm advanced edition',
'sclm developer toolkit',
'sclm suite administrator',
'scotia smartmodel device',
'screen definition facility',
'second line manager',
'security account manager',
'security appscan enterprise',
'security appscan family',
'security appscan source',
'security delivery specialist',
'security identity manager',
'security key lifecycle',
'security network active',
'security network controller',
'security network protection',
'security privileged identity',
'security server protection',
'security siteprotector system',
'security zsecure admin',
'security zsecure administration',
'security zsecure alert',
'security zsecure audit',
'security zsecure cics',
'security zsecure command',
'security zsecure manager',
'security zsecure visual',
'self organizing map',
'sense of security',
'serial peripheral interface',
'server message block',
'server resource management',
'server support specialist',
'service availability manager',
'service integration leader',
'service level agreement',
'service management skill',
'service oriented architecture',
'shopping ads certification',
'short term focus',
'showcase web analysis',
'simple cloud api',
'smart analytic optimizer',
'smart analytics system',
'smartcloud application performance',
'smartcloud control desk',
'smartcloud cost management',
'smartcloud engage advanced',
'smartcloud engage standard',
'smartcloud patch management',
'so many hackers',
'soa policy gateway',
'soa policy pattern',
'social media company',
'social media skill',
'soft k means',
'software defined network',
'software design pattern',
'software development lifecycle',
'software development process',
'software portfolio alignment',
'software service planner',
'solution sales manager',
'spanish pharmaceutical company',
'speech recognition system',
'spss data collection',
'spss decision management',
'spss event builder',
'spss interaction builder',
'spss model builder',
'spss risk control',
'spss text analytics',
'spss visualization designer',
'sql server 20122014',
'static program analysis',
'statistical model testing',
'staying on task',
'steady state support',
'sterling b2b integrator',
'sterling connect:enterprise gateway',
'sterling control center',
'sterling file gateway',
'sterling order management',
'sterling secure proxy',
'sterling warehouse management',
'stochastic gradient descent',
'storage access method',
'storage administration workbench',
'storage area network',
'storage enterprise resource',
'subject matter expert',
'suggestions and complaints',
'support vector classification',
'support vector machine',
'suse linux distributions',
'suse openstack cloud',
'sybase sql server',
'symantec workspace virtualization',
'system programming skill',
'system security architect',
'systems directory management',
'systems management specialist',
'systems network architecture',
'takeda pharmaceutical company',
'technical solution architect',
'technical solution manager',
'technical team lead',
'technology trend awareness',
'telecommunications data warehouse',
'teleprocessing network simulator',
'theory of constraints',
'time series clustering',
'time series database',
'tivoli access manager',
'tivoli advanced audit',
'tivoli advanced backup',
'tivoli advanced catalog',
'tivoli advanced reporting',
'tivoli afintegrated resource',
'tivoli alert adapter',
'tivoli allocation optimizer',
'tivoli application dependency',
'tivoli asset discovery',
'tivoli asset management',
'tivoli automated tape',
'tivoli availability process',
'tivoli business continuity',
'tivoli business service',
'tivoli business systems',
'tivoli capacity process',
'tivoli central control',
'tivoli command center',
'tivoli common reporting',
'tivoli composite application',
'tivoli configuration manager',
'tivoli continuous data',
'tivoli data warehouse',
'tivoli decision support',
'tivoli directory integrator',
'tivoli directory server',
'tivoli dynamic workload',
'tivoli endpoint manager',
'tivoli enterprise console',
'tivoli etewatch customizer',
'tivoli etewatch enterprise',
'tivoli etewatch starter',
'tivoli event pump',
'tivoli federated identity',
'tivoli foundations application',
'tivoli foundations service',
'tivoli identity manager',
'tivoli information management',
'tivoli integration composer',
'tivoli intelligent orchestrator',
'tivoli intelliwatch pinnacle',
'tivoli intrusion manager',
'tivoli kernel services',
'tivoli key lifecycle',
'tivoli management framework',
'tivoli management solution',
'tivoli monitoring active',
'tivoli monitoring express',
'tivoli monitoring v6',
'tivoli netcool carrier',
'tivoli netcool configuration',
'tivoli netcool performance',
'tivoli netcool service',
'tivoli netcoolomnibus gateways',
'tivoli netview access',
'tivoli netview distribution',
'tivoli netview file',
'tivoli netview performance',
'tivoli omegacenter gateway',
'tivoli omegamon alert',
'tivoli omegamon de',
'tivoli omegamon ii',
'tivoli omegamon monitoring',
'tivoli omegamon xe',
'tivoli output manager',
'tivoli performance analyzer',
'tivoli performance modeler',
'tivoli policy driven',
'tivoli privacy manager',
'tivoli provisioning manager',
'tivoli release process',
'tivoli remote control',
'tivoli risk manager',
'tivoli security compliance',
'tivoli security information',
'tivoli security management',
'tivoli security operations',
'tivoli security policy',
'tivoli service automation',
'tivoli service level',
'tivoli service manager',
'tivoli service request',
'tivoli storage flashcopy',
'tivoli storage manager',
'tivoli storage optimizer',
'tivoli storage process',
'tivoli storage productivity',
'tivoli storage resource',
'tivoli switch analyzer',
'tivoli system automation',
'tivoli tape optimizer',
'tivoli unified process',
'tivoli unified single',
'tivoli universal agent',
'tivoli user administration',
'tivoli web access',
'tivoli web availability',
'tivoli web response',
'tivoli web segment',
'tivoli web site',
'tivoli workload scheduler',
'tivoli zsecure admin',
'tivoli zsecure alert',
'tivoli zsecure audit',
'tivoli zsecure cics',
'tivoli zsecure command',
'tivoli zsecure manager',
'tivoli zsecure visual',
'total productive maintenance',
'total quality management',
'totalstorage productivity center',
'train the trainers',
'transaction processing facility',
'transmission control protocol',
'tree based model',
'tririga application platform',
'tririga cad integratorpublisher',
'tririga energy optimization',
'tririga portfolio data',
'txseries for multiplatforms',
'unica distributed marketing',
'unica interactive marketing',
'unica marketing operations',
'unica marketing platform',
'unica netinsight ondemand',
'unified method framework',
'universal windows platform',
'user acceptance test',
'user centered design',
'user interface design',
'value driven maintenance',
'video game exploit',
'virtual computing platform',
'virtual private cloud',
'virtual runtime environment',
'visualage generator egl',
'vmware certified associate',
'vmware certified professional',
'vmware cloud foundation',
'vmware horizon view',
'vmware thin app',
'vtam for vse',
'vtam for vseesa',
'watson conversation service',
'watson data platform',
'watson support agent',
'watson wealth advisor',
'web application framework',
'websphere adapters family',
'websphere appliance management',
'websphere application accelerator',
'websphere application server',
'websphere business compass',
'websphere business events',
'websphere business integration',
'websphere business modeler',
'websphere business monitor',
'websphere business services',
'websphere cast iron',
'websphere cloudburst appliance',
'websphere commerce enterprise',
'websphere commerce professional',
'websphere customer center',
'websphere dashboard framework',
'websphere data interchange',
'websphere datapower b2b',
'websphere datapower edge',
'websphere datapower integration',
'websphere datapower low',
'websphere datapower service',
'websphere datapower soa',
'websphere datapower xc10',
'websphere datapower xml',
'websphere decision center',
'websphere decision server',
'websphere developer debugger',
'websphere development studio',
'websphere digital media',
'websphere dynamic process',
'websphere enterprise service',
'websphere event broker',
'websphere everyplace client',
'websphere everyplace custom',
'websphere everyplace micro',
'websphere everyplace server',
'websphere extended deployment',
'websphere extended transaction',
'websphere extreme scale',
'websphere front office',
'websphere host access',
'websphere host publisher',
'websphere ilog decision',
'websphere ilog jrules',
'websphere ilog rule',
'websphere ilog rules',
'websphere industry content',
'websphere integration developer',
'websphere interchange server',
'websphere ip multimedia',
'websphere lombardi edition',
'websphere message broker',
'websphere mq everyplace',
'websphere mq hypervisor',
'websphere mq integrator',
'websphere mq low',
'websphere mq workflow',
'websphere operational decision',
'websphere partner gateway',
'websphere portal end',
'websphere portlet factory',
'websphere premises server',
'websphere presence server',
'websphere process server',
'websphere product center',
'websphere real time',
'websphere remote server',
'websphere sensor events',
'websphere service registry',
'websphere studio application',
'websphere studio asset',
'websphere studio enterprise',
'websphere studio family',
'websphere studio site',
'websphere studio workload',
'websphere transaction cluster',
'websphere transcoding publisher',
'websphere transformation extender',
'websphere translation server',
'websphere virtual enterprise',
'websphere voice response',
'websphere voice server',
'websphere voice toolkit',
'websphere xml document',
'wide area network',
'willingness to learn',
'windows management instrumentation',
'windows server 2012',
'windows server 2016',
'work from home',
'work life balance',
'workload deployer pattern',
'world wide web',
'z/OS Communications Server',
'zos communications server'],
'gram-4': [ 'AIX 5.2 Workload Partitions',
'AIX 5.3 Workload Partitions',
'AIX Certified System Administrator',
'AWS Certified Advanced Networking',
'AWS Certified Big Data',
'AWS Certified Cloud Practitioner',
'AWS Certified DevOps Engineer',
'AWS Certified Machine Learning',
'AWS Certified Solutions Architect',
'AWS Certified SysOps Administrator',
'Adobe Acrobat Reader DC',
'Adobe Acrobat version history',
'Adobe ColdFusion 2016 Updates',
'Adobe ColdFusion 2018 Updates',
'Adobe Creative Suite 4',
'Adobe Flash Media Server',
'Adobe LiveCycle Reader Extensions',
'Adobe Photoshop version history',
'Adobe Presenter Video Express',
'Adobe RGB color space',
'Adobe Story CC Plus',
'Adobe Technical Communication Suite',
'Adobe XML Forms Architecture',
'Algo Strategic Business Planning',
'Alibaba Big Data Associate',
'Alibaba Big Data Certification',
'Alibaba Big Data Expert',
'Alibaba Big Data Professional',
'Alibaba Cloud Certification Associate',
'Alibaba Cloud Certification Expert',
'Alibaba Cloud Certification Professional',
'Alibaba Cloud Computing Associate',
'Alibaba Cloud Computing Certification',
'Alibaba Cloud Computing Expert',
'Alibaba Cloud Computing Professional',
'Alibaba Cloud Security Associate',
'Alibaba Cloud Security Expert',
'Alibaba Cloud Security Professional',
'American Multinational Biopharmaceutical Company',
'American Multinational Chemical Corporation',
'Application Migration; Migrate Applications',
'Archive Manager for z/VM',
'Associate Android Developer Certification',
'Associate Cloud Engineer Certification',
'Atlas eDiscovery Process Management',
'Autoregressive Integrated Moving Average',
'Azure AI Engineer Associate',
'Azure Data Engineer Associate',
'Azure Data Scientist Associate',
'Azure DevOps Engineer Expert',
'Azure Security Engineer Associate',
'Azure Solutions Architect Expert',
'Bachelor of Computer Science',
'Backup and Restore Manager',
'Backup as a Service',
'Banking Process and Service',
'Business Information Management Specialist',
'Business Monitor for z/OS',
'Business Process Manager Advanced',
'Business Process Manager Express',
'Business Process Manager Industry',
'Business Process Manager Standard',
'Business Process Manager Tools',
'Business Rules for z/OS',
'CCIE Routing and Switching',
'CCNA Data Center Certification',
'CCNA Routing and Switching',
'CCNP Routing and Switching',
'CCT Routing & Switching',
'CICS Batch Application Control',
'CICS Business Event Publisher',
'CICS Online Transmission Time',
'CICS Transaction Gateway Desktop',
'COBOL and CICS/VS Command',
'CPLEX Optimizer for z/OS',
'Certified Hyperledger Fabric Administrator',
'Certified Hyperledger Sawtooth Administrator',
'Certified Kubernetes Application Developer',
'Certified Windows Server 2012',
'Certified Windows Server 2016',
'Cheating In Online Games',
'Checkpoint Security Expert Certification',
'Chief Human Resources Office',
'Cisco Business Architecture Analyst',
'Cisco Business Architecture Practitioner',
'Cisco Business Architecture Specialist',
'Cisco Certified Design Associate',
'Cisco Certified Design Expert',
'Cisco Certified Design Professional',
'Cisco Certified Network Professional',
'Cisco Cyber Security Specialist',
'Cisco Data Center Certification',
'Cisco Industrial Networking Specialist',
'Cisco Service Provider Certification',
'Cisco TelePresence Solutions Specialist',
'Cisco Video Network Specialist',
'Citrix Certified Mobility Professional',
'Citrix Certified Networking Associate',
'Citrix Certified Networking Expert',
'Citrix Certified Networking Professional',
'Citrix Certified Virtualization Associate',
'Citrix Certified Virtualization Expert',
'Citrix Certified Virtualization Professional',
'Citrix Endpoint Management Certified',
'Citrix Microsoft Azure Certified',
'Citrix Sharefile Certified (Cc-Sharefile)',
'Cloud 9 for SCLM',
'Cloud Access Security Broker',
'Cloud Computing ROI Model',
'Cloud Computing TCO Model',
'Cloud Container Platform Architecture',
'Cloud Container Re Platform',
'Cloud Data Management Interface',
'Cloud Foundry Certified Developer',
'Cloud Infrastructure Management Interface',
'Cloud Native Computing Foundation',
'CloudBurst for Power Systems',
'Cloudera Certified Data Engineer',
'Cloudera Data Analyst Certification',
'Cognos 8 Business Intelligence',
'Cognos 8 Go! Mobile',
'Cognos Analysis for Microsoft',
'Cognos Application Development Tools',
'Cognos Customer Performance Sales',
'Cognos Financial Statement Reporting',
'Cognos Impromptu Web Reports',
'Cognos Supply Chain Performance',
'Cognos for Microsoft Office',
'CommonStore for Exchange Server',
'CommonStore for Lotus Domino',
'Communication Controller for Linux',
'Communications Server for AIX',
'Communications Server for Linux',
'Communications Server for Windows',
'Connections Enterprise Content Edition',
'Content Analytics with Enterprise',
'Content Collector for SAP',
'Content Manager Enterprise Edition',
'Content Manager for iSeries',
'Content Manager for z/OS',
'Core Configuration & ATS',
'DB2 Archive Log Accelerator',
'DB2 Audit Management Expert',
'DB2 Buffer Pool Analyzer',
'DB2 Certified Database Administrator',
'DB2 Certified Database Associate',
'DB2 Change Accumulation Tool',
'DB2 Change Management Expert',
'DB2 Data Archive Expert',
'DB2 Data Links Manager',
'DB2 DataPropagator for iSeries',
'DB2 High Performance Unload',
'DB2 ImagePlus for z/OS',
'DB2 Log Analysis Tool',
'DB2 Object Comparison Tool',
'DB2 Query Management Facility',
'DB2 Server for VSE',
'DB2 Test Database Generator',
'DB2 Toolkit for Multiplatforms',
'DB2 Tools for Linux',
'DB2 Tools for z/OS',
'DB2 Universal Database Enterprise',
'DB2 Universal Database Personal',
'DB2 Utilities Enhancement Tool',
'DB2 Utilities Solution Pack',
'Data At Rest Encryption',
'Data Encryption for IMS',
'Data Engineering with Azure',
'Data Server Client Packages',
'Data Studio pureQuery Runtime',
'Dealing With Difficult Personalities',
'Dealing With Difficult Situations',
'Dealing With Office Politics',
'Debug Tool for VSE/ESA',
'Debug Tool for z/OS',
'Decision Center for z/OS',
'Decision Server for z/OS',
'Dell Converged Infrastructure Certification',
'Dell Data Protection Certification',
'Dell Data Science Certifictation',
'Dell Enterprise Architect Certification',
'Disposal and Governance Management',
'Doctorate of Computer Science',
'Domain Driven Data Mining',
'Dynamics 365 for Marketing',
'Dynamics 365 for Operations',
'Dynamics 365 for Sales',
'EMC Elastic Cloud Storage',
'Enterprise COBOL for z/OS',
'Enterprise PL/I for z/OS',
'Experiment With New Ideas',
'Exponential Family Linear Model',
'Fair Share Of Taxes',
'Fault Analyzer for z/OS',
'File Manager for z/OS',
'FileNet Business Activity Monitor',
'FileNet Business Process Framework',
'FileNet Business Process Manager',
'FileNet Connectors for Microsoft',
'FileNet IDM Desktop/WEB Services/Open',
'FileNet Image Manager Active',
'FileNet Team Collaboration Manager',
'Financials Functional Consultant Associate',
'Fujitsu Global Cloud Platform',
'Functions Well Under Pressure',
'GIAC Advanced Smartphone Forensics',
'GIAC Certified Detection Analyst',
'GIAC Certified Enterprise Defender',
'GIAC Certified Firewall Analyst',
'GIAC Certified Forensic Analyst',
'GIAC Certified Forensic Examiner',
'GIAC Certified Incident Handler',
'GIAC Certified Intrusion Analyst',
'GIAC Certified Project Manager',
'GIAC Continuous Monitoring Certification',
'GIAC Critical Controls Certification',
'GIAC Critical Infrastructure Protection',
'GIAC Cyber Threat Intelligence',
'GIAC Defending Advanced Threats',
'GIAC Defensible Security Architecture',
'GIAC Enterprise Vulnerability Assessor',
'GIAC Information Security Professional',
'GIAC Network Forensic Analyst',
'GIAC Reverse Engineering Malware',
'GIAC Secure Software Programmer',
'General Data Protection Regulation',
'General Parallel File System',
'Giac Advanced Smartphone Forensics',
'Giac Certified Detection Analyst',
'Giac Certified Enterprise Defender',
'Giac Certified Firewall Analyst',
'Giac Certified Forensic Analyst',
'Giac Certified Forensic Examiner',
'Giac Certified Incident Handler',
'Giac Certified Intrusion Analyst',
'Giac Certified Project Manager',
'Giac Continuous Monitoring Certification',
'Giac Critical Controls Certification',
'Giac Critical Infrastructure Protection',
'Giac Cyber Threat Intelligence',
'Giac Defending Advanced Threats',
'Giac Defensible Security Architecture',
'Giac Enterprise Vulnerability Assessor',
'Giac Information Security Professional',
'Giac Network Forensic Analyst',
'Giac Reverse Engineering Malware',
'Giac Secure Software Programmer',
'Google Ads Display Certification',
'Google Ads Search Certification',
'Google Ads Video Certification',
'Google Certified Android Developer',
'Graphical Data Display Manager',
'Green Hat Virtual Integration',
'Guided Latent Dirchlet Allocation',
'Healthcare Provider Data Warehouse',
'High Availability Cluster Multi-Processing',
'Host Access Client Package',
'Human Factors And Ergonomics',
'IBM Q Associate Ambassador',
'IBM Q Intermediate Ambassador',
'IBM Q Senior Ambassador',
'ILOG CPLEX Optimization Studio',
'ILOG Diagram for net',
'ILOG Gantt for net',
'ILOG Inventory and Product',
'ILOG JViews Graph Layout',
'ILOG OPL-CPLEX Development Bundles',
'ILOG Telecom Graphic Objects',
'IMS Audit Management Expert',
'IMS Batch Backout Manager',
'IMS Batch Terminal Simulator',
'IMS Buffer Pool Analyzer',
'IMS Command Control Facility',
'IMS DEDB Fast Recovery',
'IMS DataPropagator for z/OS',
'IMS Database Control Suite',
'IMS Database Recovery Facility',
'IMS Database Repair Facility',
'IMS Database Solution Pack',
'IMS Extended Terminal Option',
'IMS Fast Path Solution',
'IMS High Availability Large',
'IMS High Performance Change',
'IMS High Performance Fast',
'IMS High Performance Image',
'IMS High Performance Load',
'IMS High Performance Pointer',
'IMS High Performance Prefix',
'IMS High Performance Unload',
'IMS Library Integrity Utilities',
'IMS Online Reorganization Facility',
'IMS Performance Solution Pack',
'IMS Program Restart Facility',
'IMS Queue Control Facility',
'IMS Recovery Solution Pack',
'IMS Sequential Randomizer Generator',
'IMS Tools Knowledge Base',
'ISMS Internal Auditor Certification',
'ISMS Lead Auditor Certification',
'ISMS Lead Implementer Certification',
'ITIL Service Design Certification',
'ITIL Service Management Certification',
'Indian Multinational Pharmaceutical Company',
'InfoSphere Change Data Capture',
'InfoSphere Classic Data Event',
'InfoSphere Data Event Publisher',
'InfoSphere Global Name Recognition',
'InfoSphere Guardium Data Encryption',
'InfoSphere Guardium Vulnerability Assessment',
'InfoSphere Information Services Director',
'InfoSphere Master Data Management',
'InfoSphere Optim Configuration Manager',
'InfoSphere Optim High Performance',
'InfoSphere Optim Performance Manager',
'InfoSphere Optim Query Capture',
'InfoSphere Optim Query Tuner',
'InfoSphere Optim Query Workload',
'InfoSphere Optim pureQuery Runtime',
'Information Server Data Quality',
'Informix Enterprise Gateway Manager',
'Informix Extended Parallel Server',
'Informix Growth Warehouse Edition',
'Infrastructure as a Service',
'Initiate Address Verification Interface',
'Initiate Master Data Service',
'Insurance Process and Service',
'Integrated Services Digital Network',
'Java Platform, Enterprise Edition',
'Job Specific Soft Skills',
'Juniper Networks Certified Professional',
'Juniper Networks Technical Certification',
'Kernel K Means Clustering',
'Level 1 Customer Service',
'Level 2 Customer Service',
'Level 3 Customer Service',
'Lightweight Directory Access Protocol',
'Linear Dimension Reduction Model',
'Linear Support Vector Classification',
'Linear Support Vector Machine',
'Linear Support Vector Regression',
'Linux Foundation Certified Engineer',
'Linux Foundation Certified SysAdmin',
'Load Leveler for Linux',
'Lotus Connector for SAP',
'Lotus Domino Document Manager',
'Lotus End of Support',
'Lotus Foundations Branch Office',
'Lotus Protector for Mail',
'Lotus Quickr Content Integrator',
'Lotus Quickr for Domino',
'Lotus Quickr for WebSphere',
'MOS: Microsoft Access 2016',
'MOS: Microsoft Excel 2016',
'MOS: Microsoft Outlook 2016',
'MOS: Microsoft PowerPoint 2016',
'MTA: Software Development Fundamentals',
'Markov Chain Monte Carlo',
'Master of Computer Science',
'Maximo Adapter for Microsoft',
'Maximo Adapter for Primavera',
'Maximo Archiving with Optim',
'Maximo Asset Configuration Manager',
'Maximo Asset Management Essentials',
'Maximo Asset Management Scheduler',
'Maximo Change and Corrective',
'Maximo Compliance Assistance Documentation',
'Maximo Contract and Procurement',
'Maximo Data Center Infrastructure',
'Maximo Mobile Audit Manager',
'Maximo Mobile Inventory Manager',
'Maximo Mobile Work Manager',
'Maximo Online Commerce System',
'Maximo Spatial Asset Management',
'Maximo for Life Sciences',
'Maximo for Nuclear Power',
'Maximo for Service Providers',
'Merge Tool for z/OS',
'Messaging Extension for Web',
'Microsoft Certified BI Development',
'Microsoft Certified BI Reporting',
'Microsoft Certified BlockBased Languages',
'Microsoft Certified Cloud Fundamentals',
'Microsoft Certified Database Administration',
'Microsoft Certified Database Administrator',
'Microsoft Certified Database Development',
'Microsoft Certified Database Fundamentals',
'Microsoft Certified Development Fundamentals',
'Microsoft Certified Java Programmer',
'Microsoft Certified Javascript Programmer',
'Microsoft Certified Mobility Fundamentals',
'Microsoft Certified Networking Fundamentals',
'Microsoft Certified Python Programmer',
'Microsoft Certified SQL Server',
'Microsoft Certified Security Fundamentals',
'Microsoft Certified Web Applications',
'Microsoft Certified Windows Fundamentals',
'Migration Utility for z/OS',
'Mixed Effects Logistic Regression',
'Mixed Integer Linear Programming',
'Mobile Web Specialist Certification',
'Mos: Microsoft Access 2016',
'Mos: Microsoft Excel 2016',
'Mos: Microsoft Outlook 2016',
'Mos: Microsoft Powerpoint 2016',
'Mta: Software Development Fundamentals',
'Multi Criteria Recommender Systems',
'Multinational Pharmaceutical Company With',
'Multivariate Gaussian Mixture Model',
'My New Cloud Certification',
'NFX Series Network Services',
'Netcool OMNIbus Virtual Operator',
'Netcool Realtime Active Dashboards',
'Netcool System Service Monitor',
'Netcool for Security Management',
'Netezza High Capacity Appliance',
'Noisy Intermediate Scale Quantum',
'OMEGAMON z/OS Management Console',
'Open Cloud Computing Interface',
'Open Source NLP Software',
'OpenJS NodeJS Application Developer',
'OpenJS NodeJS Services Developer',
'Operations Manager for z/VM',
'Optim High Performance Unload',
'Optim Move for DB2',
'Oracle Big Data Appliance',
'Oracle Business Activity Monitoring',
'Oracle Business Intelligence Beans',
'Oracle Cluster File System',
'Oracle Communications Calendar Server',
'Oracle Communications Messaging Server',
'Oracle Enterprise Messaging Service',
'Oracle Enterprise Service Bus',
'Oracle Essbase 11 Essentials',
'Oracle Help for Java',
'Oracle Real Application Testing',
'Oracle Secure Global Desktop',
'Oracle Software Configuration Manager',
'Oracle Spatial and Graph',
'Oracle Web Services Manager',
'Oracle iPlanet Web Server',
'Ordinary Least Squares Regression',
'Orion Molecular Cloud Complex',
'PCI Security Standards Council',
'PMI Agile Certified Practitioner',
'PMI Risk Management Professional',
'PQEdit for Distributed Systems',
'PRINCE2 Agile Foundation Certification',
'PRINCE2 Agile Practitioner Certification',
'PRojects IN Controlled Environments',
'Palo Alto Network Certification',
'Parallel Engineering and Scientific',
'Parallel Environment Developer Edition',
'Parallel Environment Runtime Edition',
'Parallel Environment for AIX',
'Parallel Environment for Linux',
'Partial Least Squares Regression',
'Pci Security Standards Council',
'Platform HDFS Support Server',
'Platform HPC for System',
'Platform RTM Data Collectors',
'PowerHA SystemMirror Enterprise Edition',
'PowerHA SystemMirror Standard Edition',
'PowerVM Lx86 for x86',
'PowerVM VIOS Enterprise Edition',
'PowerVM VIOS Standard Edition',
'PowerVM Virtual I/O Server',
'Probabilistic Latent Semantic Analysis',
'Professional Cloud Architect Certification',
'Professional Data Engineer Certification',
'Projects In Controlled Environments',
'Proventia Desktop Endpoint Security',
'Proventia Endpoint Secure Control',
'Proventia Management SiteProtector System',
'Proventia Network Active Bypass',
'Proventia Network Enterprise Scanner',
'Proventia Network Mail Filter',
'Proventia Network Mail Security',
'Proventia Network Multi-Function Security',
'Proventia Network Security Controller',
'PureData System for Operational',
'PureData System for Transactions',
'Qualified Integrators And Resellers',
'Qualified Integrators and Resellers',
'Quantum Guarded Command Language',
'Quantum Random Access Machine',
'Rational Ada Developer Enterprise',
'Rational Ada Developer Interface',
'Rational Ada Embedded Developer',
'Rational Build Forge family',
'Rational COBOL Generation Extension',
'Rational ClearQuest and Functional',
'Rational Computer Based Training',
'Rational DOORS Analyst Add',
'Rational DOORS Web Access',
'Rational Data and Application',
'Rational Developer for System',
'Rational Development and Test',
'Rational Engineering Lifecycle Manager',
'Rational Functional Tester Plus',
'Rational Host Access Transformation',
'Rational Host Integration Solution',
'Rational Lifecycle Integration Adapters',
'Rational Open Access RPG',
'Rational Performance Test Server',
'Rational Policy Tester family',
'Rational Purify for Linux',
'Rational Purify for Windows',
'Rational PurifyPlus Enterprise Edition',
'Rational PurifyPlus for Linux',
'Rational PurifyPlus for Windows',
'Rational Quality Manager Standard',
'Rational Quality Manager family',
'Rational Rose Data Modeler',
'Rational Rose Technical Developer',
'Rational Software Analyzer Developer',
'Rational Software Analyzer Enterprise',
'Rational Software Analyzer family',
'Rational Software Architect Design',
'Rational Software Architect RealTime',
'Rational Software Architect Standard',
'Rational Suite for Technical',
'Rational System Architect XT',
'Rational Team Concert Express',
'Rational Team Concert Express-C',
'Rational Team Concert Standard',
'Rational Team Unifying Platform',
'Rational Test Virtualization Server',
'Rational Tester for SOA',
'Real Time Operating System',
'Red Hat Commercial Middleware',
'Red Hat Databases Modernization',
'Red Hat Microsoft Apps',
'Red Hat Middleware Architect',
'Red Hat Middleware Modernization',
'Red Hat Open Source',
'Red Hat OpenShift Virtualization',
'Red Hat Site Reliability',
'Redhat Ansible Automation Certification',
'Redhat Business Rules Certification',
'Redhat Camel Development Certification',
'Redhat Certified System Administrator',
'Redhat Configuration Management Certification',
'Redhat Data Virtualization Certification',
'Redhat Identity Management Certification',
'Redhat Messaging Administration Certification',
'Redhat OpenShift Administration Certification',
'Redhat Security Linux Certification',
'Responsibility to the Nature',
'Responsible To The Communities',
'Risk Aware Recommender Systems',
'SAN Data Center Fabric',
'SAP Activate Project Manager',
'SAP Ariba SNAP Deployment',
'SAP Ariba Spend Analysis',
'SAP Ariba Supplier Management',
'SAP Business Information Warehouse',
'SAP Catalog Content Management',
'SAP Central Process Scheduling',
'SAP Certified Application Associate',
'SAP Certified Application Professional',
'SAP Certified Application Specialist',
'SAP Certified Development Associate',
'SAP Certified Development Professional',
'SAP Certified Development Specialist',
'SAP Certified Integration Associate',
'SAP Certified Technology Associate',
'SAP Certified Technology Professional',
'SAP Certified Technology Specialist',
'SAP Cloud Platform Integration',
'SAP Cloud for Customer',
'SAP Composite Application Framework',
'SAP Customer Data Cloud',
'SAP Enterprise Buyer Professional',
'SAP Financial Services Network',
'SAP Fiori Application Developer',
'SAP Fiori System Administration',
'SAP HANA 2.0 SPS02',
'SAP HANA 2.0 SPS03',
'SAP HANA Cloud Platform',
'SAP Hybris Commerce 6.0',
'SAP Internet Transaction Server',
'SAP Lumira Designer 2.1',
'SAP Master Data Governance',
'SAP Master Data Management',
'SAP NetWeaver Application Server',
'SAP NetWeaver Business Intelligence',
'SAP NetWeaver Business Warehouse',
'SAP NetWeaver Composition Environment',
'SAP NetWeaver Developer Studio',
'SAP NetWeaver Development Infrastructure',
'SAP NetWeaver Identity Management',
'SAP NetWeaver Process Integration',
'SAP NetWeaver Single Sign-On',
'SAP Rapid Deployment Solutions',
'SAP S/4HANA Sales Upskilling',
'SAP Sales Cloud 1811',
'SAP Service Cloud 1811',
'SAP Shipping Services Network',
'SAP Strategic Enterprise Management',
'SAP Success Factors Certification',
'SAP SuccessFactors Compensation Q1/2019',
'SAP SuccessFactors Reporting Q1/2019',
'SAP Supply Chain Management',
'SAP Transportation Management 9.5',
'SAP Web Application Server',
'SAS Advanced Analytics Certification',
'SAS Data Management Certification',
'SCADA Security Architect Certification',
'SCLM Suite Administrator Workbench',
'SNIA Certified Information Architect',
'SNIA Certified Storage Architect',
'SNIA Certified Storage Engineer',
'SNIA Certified Storage Professional',
'SOA Policy Gateway Pattern',
'SPSS Collaboration and Deployment',
'SPSS Data Collection Heritage',
'SPSS Risk Control Builder',
'SQL 2016 BI Development',
'SQL 2016 Database Administration',
'SQL 2016 Database Development',
'SUSE Cloud Application Platform',
'Scada Security Architect Certification',
'Screen Definition Facility II',
'Security Key Lifecycle Manager',
'Security Network Active Bypass',
'Security Privileged Identity Manager',
'Security zSecure CICS Toolkit',
'Security zSecure Command Verifier',
'Seeded Latent Dirchlet Allocation',
'Series C Financing Round',
'Session Manager for z/OS',
'Show What You Know',
'Siebel 8 Consultant Exam',
'SmartCloud Application Performance Management',
'SmartCloud Entry for Power',
'Software as a Service',
'Sql 2016 Bi Development',
'Sql 2016 Database Administration',
'Sql 2016 Database Development',
'Sql Server Integration Services',
'Sql Server Management Studio',
'Sterling Configure and Price',
'Sterling Connect:Direct for HP',
'Sterling Connect:Direct for Microsoft',
'Sterling Connect:Direct for OpenVMS',
'Sterling Connect:Direct for UNIX',
'Sterling Connect:Direct for VM/VSE',
'Sterling Connect:Direct for i5/OS',
'Sterling Connect:Direct for z/OS',
'Sterling Connect:Enterprise for UNIX',
'Sterling Connect:Enterprise for z/OS',
'Sterling Connect:Express for Microsoft',
'Sterling Connect:Express for UNIX',
'Sterling Connect:Express for z/OS',
'Sterling Gentran for z/OS',
'Sterling Gentran:Basic for zSeries',
'Sterling Gentran:Server for Microsoft',
'Sterling Gentran:Server for UNIX',
'Sterling Gentran:Server for iSeries',
'Sterling Selling and Fulfillment',
'Sterling Warehouse Management System',
'Storage Enterprise Resource Planner',
'Storage Networking Certification Program',
'Storage Networking Industry Association',
'Supplier Relationship Management 7.2',
'Systems Director Management Console',
'TRIRIGA Portfolio Data Manager',
'Tape Manager for z/VM',
'Telco Cloud Computing Platform',
'Thinking Outside The Box',
'Tivoli AF/Integrated Resource Manager',
'Tivoli AF/OPERATOR on z/OS',
'Tivoli Advanced Catalog Management',
'Tivoli Analyzer for Lotus',
'Tivoli Automated Tape Allocation',
'Tivoli Availability Process Manager',
'Tivoli Business Service Manager',
'Tivoli Capacity Process Manager',
'Tivoli Compliance Insight Manager',
'Tivoli Continuous Data Protection',
'Tivoli Contract Compliance Manager',
'Tivoli Dynamic Workload Broker',
'Tivoli ETEWatch Enterprise Edition',
'Tivoli ETEWatch Starter Kit',
'Tivoli ETEWatch for Citrix',
'Tivoli ETEWatch for Custom',
'Tivoli ETEWatch for TN3270',
'Tivoli Federated Identity Manager',
'Tivoli Foundations Application Manager',
'Tivoli Foundations Service Manager',
'Tivoli Identity Manager Express',
'Tivoli Identity and Access',
'Tivoli Key Lifecycle Manager',
'Tivoli License Compliance Manager',
'Tivoli Monitoring Active Directory',
'Tivoli Monitoring for Applications',
'Tivoli Monitoring for Business',
'Tivoli Monitoring for Cluster',
'Tivoli Monitoring for Energy',
'Tivoli Monitoring for Messaging',
'Tivoli Monitoring for Microsoft',
'Tivoli Monitoring for Virtual',
'Tivoli NetView Access Services',
'Tivoli NetView Distribution Manager',
'Tivoli NetView File Transfer',
'Tivoli NetView Performance Monitor',
'Tivoli NetView for z/OS',
'Tivoli Netcool Carrier VoIP',
'Tivoli Netcool Configuration Manager',
'Tivoli Netcool Network Mediation',
'Tivoli Netcool Performance Flow',
'Tivoli Netcool Performance Manager',
'Tivoli Netcool Service Quality',
'Tivoli OMEGAMON Alert Manager',
'Tivoli OMEGAMON Monitoring Agent',
'Tivoli OMEGAMON XE Management',
'Tivoli Policy Driven Software',
'Tivoli Provisioning Manager Express',
'Tivoli Release Process Manager',
'Tivoli Security Compliance Manager',
'Tivoli Security Operations Manager',
'Tivoli Security Policy Manager',
'Tivoli Service Automation Manager',
'Tivoli Service Level Advisor',
'Tivoli Service Manager Quick',
'Tivoli Service Request Manager',
'Tivoli Storage FlashCopy Manager',
'Tivoli Storage Manager Express',
'Tivoli Storage Manager Extended',
'Tivoli Storage Manager FastBack',
'Tivoli Storage Manager HSM',
'Tivoli Storage Manager Suite',
'Tivoli Storage Process Manager',
'Tivoli Storage Productivity Center',
'Tivoli Storage Resource Manager',
'Tivoli System Automation Application',
'Tivoli Unified Process Composer',
'Tivoli Unified Single Sign-On',
'Tivoli Usage and Accounting',
'Tivoli Web Availability Monitor',
'Tivoli Web Response Monitor',
'Tivoli Web Segment Analyzer',
'Tivoli Web Site Analyzer',
'Tivoli Workload Scheduler LoadLeveler',
'Tivoli zSecure CICS Toolkit',
'Tivoli zSecure Command Verifier',
'Treasury with SAP S/4HANA',
'Truncated Singular Value Decomposition',
'Unica Interactive Marketing OnDemand',
'Unified Messaging for WebSphere',
'VM Based Virtualized Applications',
'VMware Certified Advanced Professional',
'VMware Certified Design Expert',
'Virtual Desktop for Smart',
'Virtual Local Area Network',
'Virtual Private Cloud OnDemand',
'Virtual Storage Access Method',
'Visual Basic For Applications',
'Visual Basic for Applications',
'VisualAge Generator EGL Plug-in',
'WebSphere Adapter for File',
'WebSphere Adapter for JD',
'WebSphere Adapter for Oracle',
'WebSphere Appliance Management Center',
'WebSphere Application Server Community',
'WebSphere Application Server Hypervisor',
'WebSphere Business Integration Connect',
'WebSphere Business Integration Express',
'WebSphere Business Integration Server',
'WebSphere Business Integration Toolset',
'WebSphere Business Integration Workbench',
'WebSphere Business Modeler Advanced',
'WebSphere Business Modeler Basic',
'WebSphere Business Modeler Publishing',
'WebSphere Business Services Fabric',
'WebSphere Cast Iron Cloud',
'WebSphere Commerce - Express',
'WebSphere DataPower B2B Appliance',
'WebSphere DataPower Edge Appliance',
'WebSphere DataPower Integration Appliance',
'WebSphere DataPower Low Latency',
'WebSphere DataPower SOA Appliances',
'WebSphere DataPower Service Gateway',
'WebSphere DataPower XC10 Appliance',
'WebSphere DataPower XML Accelerator',
'WebSphere DataPower XML Security',
'WebSphere Developer for System',
'WebSphere Developer for z/Series',
'WebSphere Digital Media Enabler',
'WebSphere Dynamic Process Edition',
'WebSphere End of Support',
'WebSphere Enterprise Service Bus',
'WebSphere Everyplace Client Toolkit',
'WebSphere Everyplace Custom Environment',
'WebSphere Everyplace Micro Environment',
'WebSphere Host Access Transformation',
'WebSphere ILOG Decision Validation',
'WebSphere ILOG Rule Solutions',
'WebSphere ILOG Rule Team',
'WebSphere IP Multimedia Subsystem',
'WebSphere Industry Content Packs',
'WebSphere MQ Hypervisor Edition',
'WebSphere MQ Integrator Broker',
'WebSphere MQ Low Latency',
'WebSphere MQ for z/OS',
'WebSphere Message Broker File',
'WebSphere Operational Decision Management',
'WebSphere Partner Gateway Advanced',
'WebSphere Partner Gateway Enterprise',
'WebSphere Process Server Hypervisor',
'WebSphere Studio Application Developer',
'WebSphere Studio Application Monitor',
'WebSphere Studio Asset Analyzer',
'WebSphere Studio Enterprise Developer',
'WebSphere Studio Site Developer',
'WebSphere Studio Workload Simulator',
'WebSphere Transaction Cluster Facility',
'WebSphere XML Document Management',
'WebSphere eXtended Transaction Runtime',
'Willing To Accept Feedback',
'Wireless Local Area Network',
'Work Optimization for Water',
'Working Well Under Pressure',
'Workload Simulator for z/OS',
'Works Well Under Pressure',
'adobe acrobat reader dc',
'adobe acrobat version history',
'adobe coldfusion 2016 updates',
'adobe coldfusion 2018 updates',
'adobe creative suite 4',
'adobe flash media server',
'adobe livecycle reader extensions',
'adobe photoshop version history',
'adobe presenter video express',
'adobe rgb color space',
'adobe story cc plus',
'adobe technical communication suite',
'adobe xml forms architecture',
'aix 5.2 workload partitions',
'aix 5.3 workload partitions',
'aix certified system administrator',
'algo strategic business planning',
'alibaba big data associate',
'alibaba big data certification',
'alibaba big data expert',
'alibaba big data professional',
'alibaba cloud certification associate',
'alibaba cloud certification expert',
'alibaba cloud certification professional',
'alibaba cloud computing associate',
'alibaba cloud computing certification',
'alibaba cloud computing expert',
'alibaba cloud computing professional',
'alibaba cloud security associate',
'alibaba cloud security expert',
'alibaba cloud security professional',
'american multinational biopharmaceutical company',
'american multinational chemical corporation',
'application migration; migrate applications',
'archive manager for zvm',
'associate android developer certification',
'associate cloud engineer certification',
'atlas ediscovery process management',
'autoregressive integrated moving average',
'aws certified advanced networking',
'aws certified big data',
'aws certified cloud practitioner',
'aws certified devops engineer',
'aws certified machine learning',
'aws certified solutions architect',
'aws certified sysops administrator',
'azure ai engineer associate',
'azure data engineer associate',
'azure data scientist associate',
'azure devops engineer expert',
'azure security engineer associate',
'azure solutions architect expert',
'bachelor of computer science',
'backup and restore manager',
'backup as a service',
'banking process and service',
'business information management specialist',
'business monitor for zos',
'business process manager advanced',
'business process manager express',
'business process manager industry',
'business process manager standard',
'business process manager tools',
'business rules for zos',
'ccie routing and switching',
'ccna data center certification',
'ccna routing and switching',
'ccnp routing and switching',
'cct routing & switching',
'certified hyperledger fabric administrator',
'certified hyperledger sawtooth administrator',
'certified kubernetes application developer',
'certified windows server 2012',
'certified windows server 2016',
'cheating in online games',
'checkpoint security expert certification',
'chief human resources office',
'cics batch application control',
'cics business event publisher',
'cics online transmission time',
'cics transaction gateway desktop',
'cisco business architecture analyst',
'cisco business architecture practitioner',
'cisco business architecture specialist',
'cisco certified design associate',
'cisco certified design expert',
'cisco certified design professional',
'cisco certified network professional',
'cisco cyber security specialist',
'cisco data center certification',
'cisco industrial networking specialist',
'cisco service provider certification',
'cisco telepresence solutions specialist',
'cisco video network specialist',
'citrix certified mobility professional',
'citrix certified networking associate',
'citrix certified networking expert',
'citrix certified networking professional',
'citrix certified virtualization associate',
'citrix certified virtualization expert',
'citrix certified virtualization professional',
'citrix endpoint management certified',
'citrix microsoft azure certified',
'cloud 9 for sclm',
'cloud access security broker',
'cloud computing roi model',
'cloud computing tco model',
'cloud container platform architecture',
'cloud container re platform',
'cloud data management interface',
'cloud foundry certified developer',
'cloud infrastructure management interface',
'cloud native computing foundation',
'cloudburst for power systems',
'cloudera certified data engineer',
'cloudera data analyst certification',
'cobol and cicsvs command',
'cognos 8 business intelligence',
'cognos 8 go! mobile',
'cognos analysis for microsoft',
'cognos application development tools',
'cognos customer performance sales',
'cognos financial statement reporting',
'cognos for microsoft office',
'cognos impromptu web reports',
'cognos supply chain performance',
'commonstore for exchange server',
'commonstore for lotus domino',
'communication controller for linux',
'communications server for aix',
'communications server for linux',
'communications server for windows',
'connections enterprise content edition',
'content analytics with enterprise',
'content collector for sap',
'content manager enterprise edition',
'content manager for iseries',
'content manager for zos',
'core configuration & ats',
'cplex optimizer for zos',
'data at rest encryption',
'data encryption for ims',
'data engineering with azure',
'data server client packages',
'data studio purequery runtime',
'db2 archive log accelerator',
'db2 audit management expert',
'db2 buffer pool analyzer',
'db2 certified database administrator',
'db2 certified database associate',
'db2 change accumulation tool',
'db2 change management expert',
'db2 data archive expert',
'db2 data links manager',
'db2 datapropagator for iseries',
'db2 high performance unload',
'db2 imageplus for zos',
'db2 log analysis tool',
'db2 object comparison tool',
'db2 query management facility',
'db2 server for vse',
'db2 test database generator',
'db2 toolkit for multiplatforms',
'db2 tools for linux',
'db2 tools for zos',
'db2 universal database enterprise',
'db2 universal database personal',
'db2 utilities enhancement tool',
'db2 utilities solution pack',
'dealing with difficult personalities',
'dealing with difficult situations',
'dealing with office politics',
'debug tool for vseesa',
'debug tool for zos',
'decision center for zos',
'decision server for zos',
'dell converged infrastructure certification',
'dell data protection certification',
'dell data science certifictation',
'dell enterprise architect certification',
'disposal and governance management',
'doctorate of computer science',
'domain driven data mining',
'dynamics 365 for marketing',
'dynamics 365 for operations',
'dynamics 365 for sales',
'emc elastic cloud storage',
'enterprise cobol for zos',
'enterprise pli for zos',
'experiment with new ideas',
'exponential family linear model',
'fair share of taxes',
'fault analyzer for zos',
'file manager for zos',
'filenet business activity monitor',
'filenet business process framework',
'filenet business process manager',
'filenet connectors for microsoft',
'filenet idm desktopweb servicesopen',
'filenet image manager active',
'filenet team collaboration manager',
'financials functional consultant associate',
'fujitsu global cloud platform',
'functions well under pressure',
'general data protection regulation',
'general parallel file system',
'giac advanced smartphone forensics',
'giac certified detection analyst',
'giac certified enterprise defender',
'giac certified firewall analyst',
'giac certified forensic analyst',
'giac certified forensic examiner',
'giac certified incident handler',
'giac certified intrusion analyst',
'giac certified project manager',
'giac continuous monitoring certification',
'giac critical controls certification',
'giac critical infrastructure protection',
'giac cyber threat intelligence',
'giac defending advanced threats',
'giac defensible security architecture',
'giac enterprise vulnerability assessor',
'giac information security professional',
'giac network forensic analyst',
'giac reverse engineering malware',
'giac secure software programmer',
'google ads display certification',
'google ads search certification',
'google ads video certification',
'google certified android developer',
'graphical data display manager',
'green hat virtual integration',
'guided latent dirchlet allocation',
'healthcare provider data warehouse',
'high availability cluster multi-processing',
'host access client package',
'human factors and ergonomics',
'i2 Analysts Notebook Connector',
'i2 Analysts Notebook Premium',
'i2 Fraud Intelligence Analysis',
'i2 Intelligence Analysis Platform',
'i2 analysts notebook connector',
'i2 analysts notebook premium',
'i2 fraud intelligence analysis',
'i2 intelligence analysis platform',
'ibm q associate ambassador',
'ibm q intermediate ambassador',
'ibm q senior ambassador',
'ilog cplex optimization studio',
'ilog diagram for net',
'ilog gantt for net',
'ilog inventory and product',
'ilog jviews graph layout',
'ilog opl-cplex development bundles',
'ilog telecom graphic objects',
'ims audit management expert',
'ims batch backout manager',
'ims batch terminal simulator',
'ims buffer pool analyzer',
'ims command control facility',
'ims database control suite',
'ims database recovery facility',
'ims database repair facility',
'ims database solution pack',
'ims datapropagator for zos',
'ims dedb fast recovery',
'ims extended terminal option',
'ims fast path solution',
'ims high availability large',
'ims high performance change',
'ims high performance fast',
'ims high performance image',
'ims high performance load',
'ims high performance pointer',
'ims high performance prefix',
'ims high performance unload',
'ims library integrity utilities',
'ims online reorganization facility',
'ims performance solution pack',
'ims program restart facility',
'ims queue control facility',
'ims recovery solution pack',
'ims sequential randomizer generator',
'ims tools knowledge base',
'indian multinational pharmaceutical company',
'information server data quality',
'informix enterprise gateway manager',
'informix extended parallel server',
'informix growth warehouse edition',
'infosphere change data capture',
'infosphere classic data event',
'infosphere data event publisher',
'infosphere global name recognition',
'infosphere guardium data encryption',
'infosphere guardium vulnerability assessment',
'infosphere information services director',
'infosphere master data management',
'infosphere optim configuration manager',
'infosphere optim high performance',
'infosphere optim performance manager',
'infosphere optim purequery runtime',
'infosphere optim query capture',
'infosphere optim query tuner',
'infosphere optim query workload',
'infrastructure as a service',
'initiate address verification interface',
'initiate master data service',
'insurance process and service',
'integrated services digital network',
'isms internal auditor certification',
'isms lead auditor certification',
'isms lead implementer certification',
'itil service design certification',
'itil service management certification',
'java platform, enterprise edition',
'job specific soft skills',
'juniper networks certified professional',
'juniper networks technical certification',
'kernel k means clustering',
'level 1 customer service',
'level 2 customer service',
'level 3 customer service',
'lightweight directory access protocol',
'linear dimension reduction model',
'linear support vector classification',
'linear support vector machine',
'linear support vector regression',
'linux foundation certified engineer',
'linux foundation certified sysadmin',
'load leveler for linux',
'lotus connector for sap',
'lotus domino document manager',
'lotus end of support',
'lotus foundations branch office',
'lotus protector for mail',
'lotus quickr content integrator',
'lotus quickr for domino',
'lotus quickr for websphere',
'markov chain monte carlo',
'master of computer science',
'maximo adapter for microsoft',
'maximo adapter for primavera',
'maximo archiving with optim',
'maximo asset configuration manager',
'maximo asset management essentials',
'maximo asset management scheduler',
'maximo change and corrective',
'maximo compliance assistance documentation',
'maximo contract and procurement',
'maximo data center infrastructure',
'maximo for life sciences',
'maximo for nuclear power',
'maximo for service providers',
'maximo mobile audit manager',
'maximo mobile inventory manager',
'maximo mobile work manager',
'maximo online commerce system',
'maximo spatial asset management',
'merge tool for zos',
'messaging extension for web',
'microsoft certified bi development',
'microsoft certified bi reporting',
'microsoft certified blockbased languages',
'microsoft certified cloud fundamentals',
'microsoft certified database administration',
'microsoft certified database administrator',
'microsoft certified database development',
'microsoft certified database fundamentals',
'microsoft certified development fundamentals',
'microsoft certified java programmer',
'microsoft certified javascript programmer',
'microsoft certified mobility fundamentals',
'microsoft certified networking fundamentals',
'microsoft certified python programmer',
'microsoft certified security fundamentals',
'microsoft certified sql server',
'microsoft certified web applications',
'microsoft certified windows fundamentals',
'migration utility for zos',
'mixed effects logistic regression',
'mixed integer linear programming',
'mobile web specialist certification',
'mos: microsoft access 2016',
'mos: microsoft excel 2016',
'mos: microsoft outlook 2016',
'mos: microsoft powerpoint 2016',
'mta: software development fundamentals',
'multi criteria recommender systems',
'multinational pharmaceutical company with',
'multivariate gaussian mixture model',
'my new cloud certification',
'netcool for security management',
'netcool omnibus virtual operator',
'netcool realtime active dashboards',
'netcool system service monitor',
'netezza high capacity appliance',
'nfx series network services',
'noisy intermediate scale quantum',
'omegamon zos management console',
'open cloud computing interface',
'open source nlp software',
'openjs nodejs application developer',
'openjs nodejs services developer',
'operations manager for zvm',
'optim high performance unload',
'optim move for db2',
'oracle big data appliance',
'oracle business activity monitoring',
'oracle business intelligence beans',
'oracle cluster file system',
'oracle communications calendar server',
'oracle communications messaging server',
'oracle enterprise messaging service',
'oracle enterprise service bus',
'oracle essbase 11 essentials',
'oracle help for java',
'oracle iplanet web server',
'oracle real application testing',
'oracle secure global desktop',
'oracle software configuration manager',
'oracle spatial and graph',
'oracle web services manager',
'ordinary least squares regression',
'orion molecular cloud complex',
'palo alto network certification',
'parallel engineering and scientific',
'parallel environment developer edition',
'parallel environment for aix',
'parallel environment for linux',
'parallel environment runtime edition',
'partial least squares regression',
'pci security standards council',
'platform hdfs support server',
'platform hpc for system',
'platform rtm data collectors',
'pmi agile certified practitioner',
'pmi risk management professional',
'powerha systemmirror enterprise edition',
'powerha systemmirror standard edition',
'powervm lx86 for x86',
'powervm vios enterprise edition',
'powervm vios standard edition',
'powervm virtual io server',
'pqedit for distributed systems',
'prince2 agile foundation certification',
'prince2 agile practitioner certification',
'probabilistic latent semantic analysis',
'professional cloud architect certification',
'professional data engineer certification',
'projects in controlled environments',
'proventia desktop endpoint security',
'proventia endpoint secure control',
'proventia management siteprotector system',
'proventia network active bypass',
'proventia network enterprise scanner',
'proventia network mail filter',
'proventia network mail security',
'proventia network multi-function security',
'proventia network security controller',
'puredata system for operational',
'puredata system for transactions',
'qualified integrators and resellers',
'quantum guarded command language',
'quantum random access machine',
'rational ada developer enterprise',
'rational ada developer interface',
'rational ada embedded developer',
'rational build forge family',
'rational clearquest and functional',
'rational cobol generation extension',
'rational computer based training',
'rational data and application',
'rational developer for system',
'rational development and test',
'rational doors analyst add',
'rational doors web access',
'rational engineering lifecycle manager',
'rational functional tester plus',
'rational host access transformation',
'rational host integration solution',
'rational lifecycle integration adapters',
'rational open access rpg',
'rational performance test server',
'rational policy tester family',
'rational purify for linux',
'rational purify for windows',
'rational purifyplus enterprise edition',
'rational purifyplus for linux',
'rational purifyplus for windows',
'rational quality manager family',
'rational quality manager standard',
'rational rose data modeler',
'rational rose technical developer',
'rational software analyzer developer',
'rational software analyzer enterprise',
'rational software analyzer family',
'rational software architect design',
'rational software architect realtime',
'rational software architect standard',
'rational suite for technical',
'rational system architect xt',
'rational team concert express',
'rational team concert express-c',
'rational team concert standard',
'rational team unifying platform',
'rational test virtualization server',
'rational tester for soa',
'real time operating system',
'red hat commercial middleware',
'red hat databases modernization',
'red hat microsoft apps',
'red hat middleware architect',
'red hat middleware modernization',
'red hat open source',
'red hat openshift virtualization',
'red hat site reliability',
'redhat ansible automation certification',
'redhat business rules certification',
'redhat camel development certification',
'redhat certified system administrator',
'redhat configuration management certification',
'redhat data virtualization certification',
'redhat identity management certification',
'redhat messaging administration certification',
'redhat openshift administration certification',
'redhat security linux certification',
'responsibility to the nature',
'responsible to the communities',
'risk aware recommender systems',
'san data center fabric',
'sap activate project manager',
'sap ariba snap deployment',
'sap ariba spend analysis',
'sap ariba supplier management',
'sap business information warehouse',
'sap catalog content management',
'sap central process scheduling',
'sap certified application associate',
'sap certified application professional',
'sap certified application specialist',
'sap certified development associate',
'sap certified development professional',
'sap certified development specialist',
'sap certified integration associate',
'sap certified technology associate',
'sap certified technology professional',
'sap certified technology specialist',
'sap cloud for customer',
'sap cloud platform integration',
'sap composite application framework',
'sap customer data cloud',
'sap enterprise buyer professional',
'sap financial services network',
'sap fiori application developer',
'sap fiori system administration',
'sap hana 2.0 sps02',
'sap hana 2.0 sps03',
'sap hana cloud platform',
'sap hybris commerce 6.0',
'sap internet transaction server',
'sap lumira designer 2.1',
'sap master data governance',
'sap master data management',
'sap netweaver application server',
'sap netweaver business intelligence',
'sap netweaver business warehouse',
'sap netweaver composition environment',
'sap netweaver developer studio',
'sap netweaver development infrastructure',
'sap netweaver identity management',
'sap netweaver process integration',
'sap netweaver single sign-on',
'sap rapid deployment solutions',
'sap s4hana sales upskilling',
'sap sales cloud 1811',
'sap service cloud 1811',
'sap shipping services network',
'sap strategic enterprise management',
'sap success factors certification',
'sap successfactors compensation q12019',
'sap successfactors reporting q12019',
'sap supply chain management',
'sap transportation management 9.5',
'sap web application server',
'sas advanced analytics certification',
'sas data management certification',
'scada security architect certification',
'sclm suite administrator workbench',
'screen definition facility ii',
'security key lifecycle manager',
'security network active bypass',
'security privileged identity manager',
'security zsecure cics toolkit',
'security zsecure command verifier',
'seeded latent dirchlet allocation',
'series c financing round',
'session manager for zos',
'show what you know',
'siebel 8 consultant exam',
'smartcloud application performance management',
'smartcloud entry for power',
'snia certified information architect',
'snia certified storage architect',
'snia certified storage engineer',
'snia certified storage professional',
'soa policy gateway pattern',
'software as a service',
'spss collaboration and deployment',
'spss data collection heritage',
'spss risk control builder',
'sql 2016 bi development',
'sql 2016 database administration',
'sql 2016 database development',
'sql server integration services',
'sql server management studio',
'sterling configure and price',
'sterling connect:direct for hp',
'sterling connect:direct for i5os',
'sterling connect:direct for microsoft',
'sterling connect:direct for openvms',
'sterling connect:direct for unix',
'sterling connect:direct for vmvse',
'sterling connect:direct for zos',
'sterling connect:enterprise for unix',
'sterling connect:enterprise for zos',
'sterling connect:express for microsoft',
'sterling connect:express for unix',
'sterling connect:express for zos',
'sterling gentran for zos',
'sterling gentran:basic for zseries',
'sterling gentran:server for iseries',
'sterling gentran:server for microsoft',
'sterling gentran:server for unix',
'sterling selling and fulfillment',
'sterling warehouse management system',
'storage enterprise resource planner',
'storage networking certification program',
'storage networking industry association',
'supplier relationship management 7.2',
'suse cloud application platform',
'systems director management console',
'tape manager for zvm',
'telco cloud computing platform',
'thinking outside the box',
'tivoli advanced catalog management',
'tivoli afintegrated resource manager',
'tivoli afoperator on zos',
'tivoli analyzer for lotus',
'tivoli automated tape allocation',
'tivoli availability process manager',
'tivoli business service manager',
'tivoli capacity process manager',
'tivoli compliance insight manager',
'tivoli continuous data protection',
'tivoli contract compliance manager',
'tivoli dynamic workload broker',
'tivoli etewatch enterprise edition',
'tivoli etewatch for citrix',
'tivoli etewatch for custom',
'tivoli etewatch for tn3270',
'tivoli etewatch starter kit',
'tivoli federated identity manager',
'tivoli foundations application manager',
'tivoli foundations service manager',
'tivoli identity and access',
'tivoli identity manager express',
'tivoli key lifecycle manager',
'tivoli license compliance manager',
'tivoli monitoring active directory',
'tivoli monitoring for applications',
'tivoli monitoring for business',
'tivoli monitoring for cluster',
'tivoli monitoring for energy',
'tivoli monitoring for messaging',
'tivoli monitoring for microsoft',
'tivoli monitoring for virtual',
'tivoli netcool carrier voip',
'tivoli netcool configuration manager',
'tivoli netcool network mediation',
'tivoli netcool performance flow',
'tivoli netcool performance manager',
'tivoli netcool service quality',
'tivoli netview access services',
'tivoli netview distribution manager',
'tivoli netview file transfer',
'tivoli netview for zos',
'tivoli netview performance monitor',
'tivoli omegamon alert manager',
'tivoli omegamon monitoring agent',
'tivoli omegamon xe management',
'tivoli policy driven software',
'tivoli provisioning manager express',
'tivoli release process manager',
'tivoli security compliance manager',
'tivoli security operations manager',
'tivoli security policy manager',
'tivoli service automation manager',
'tivoli service level advisor',
'tivoli service manager quick',
'tivoli service request manager',
'tivoli storage flashcopy manager',
'tivoli storage manager express',
'tivoli storage manager extended',
'tivoli storage manager fastback',
'tivoli storage manager hsm',
'tivoli storage manager suite',
'tivoli storage process manager',
'tivoli storage productivity center',
'tivoli storage resource manager',
'tivoli system automation application',
'tivoli unified process composer',
'tivoli unified single sign-on',
'tivoli usage and accounting',
'tivoli web availability monitor',
'tivoli web response monitor',
'tivoli web segment analyzer',
'tivoli web site analyzer',
'tivoli workload scheduler loadleveler',
'tivoli zsecure cics toolkit',
'tivoli zsecure command verifier',
'treasury with sap s4hana',
'tririga portfolio data manager',
'truncated singular value decomposition',
'unica interactive marketing ondemand',
'unified messaging for websphere',
'virtual desktop for smart',
'virtual local area network',
'virtual private cloud ondemand',
'virtual storage access method',
'visual basic for applications',
'visualage generator egl plug-in',
'vm based virtualized applications',
'vmware certified advanced professional',
'vmware certified design expert',
'websphere adapter for file',
'websphere adapter for jd',
'websphere adapter for oracle',
'websphere appliance management center',
'websphere application server community',
'websphere application server hypervisor',
'websphere business integration connect',
'websphere business integration express',
'websphere business integration server',
'websphere business integration toolset',
'websphere business integration workbench',
'websphere business modeler advanced',
'websphere business modeler basic',
'websphere business modeler publishing',
'websphere business services fabric',
'websphere cast iron cloud',
'websphere commerce - express',
'websphere datapower b2b appliance',
'websphere datapower edge appliance',
'websphere datapower integration appliance',
'websphere datapower low latency',
'websphere datapower service gateway',
'websphere datapower soa appliances',
'websphere datapower xc10 appliance',
'websphere datapower xml accelerator',
'websphere datapower xml security',
'websphere developer for system',
'websphere developer for zseries',
'websphere digital media enabler',
'websphere dynamic process edition',
'websphere end of support',
'websphere enterprise service bus',
'websphere everyplace client toolkit',
'websphere everyplace custom environment',
'websphere everyplace micro environment',
'websphere extended transaction runtime',
'websphere host access transformation',
'websphere ilog decision validation',
'websphere ilog rule solutions',
'websphere ilog rule team',
'websphere industry content packs',
'websphere ip multimedia subsystem',
'websphere message broker file',
'websphere mq for zos',
'websphere mq hypervisor edition',
'websphere mq integrator broker',
'websphere mq low latency',
'websphere operational decision management',
'websphere partner gateway advanced',
'websphere partner gateway enterprise',
'websphere process server hypervisor',
'websphere studio application developer',
'websphere studio application monitor',
'websphere studio asset analyzer',
'websphere studio enterprise developer',
'websphere studio site developer',
'websphere studio workload simulator',
'websphere transaction cluster facility',
'websphere xml document management',
'willing to accept feedback',
'wireless local area network',
'work optimization for water',
'working well under pressure',
'workload simulator for zos',
'works well under pressure'],
'gram-5': [ 'ABAP for SAP HANA 2.0',
'ABAP with SAP NetWeaver 7.40',
'ABAP with SAP NetWeaver 7.50',
'AWS Certified Alexa Skill Builder',
'Adobe Flash Media Live Encoder',
'Alloy by IBM and SAP',
'American Publicly Traded Biopharmaceutical Company',
'Application Manager for Smart Business',
'Application Performance Analyzer for z/OS',
'Application Recovery Tool for IMS',
'Application Time Facility for z/OS',
'Banking Process and Service Models',
'Branch Transformation Toolkit for WebSphere',
'Brava! Enterprise Viewer for IBM',
'Breeze for SCLM for z/OS',
'Business Process Manager Industry Packs',
'CICS Configuration Manager for z/OS',
'CICS Deployment Assistant for z/OS',
'CICS Interdependency Analyzer for z/OS',
'CICS Online Transmission Time Optimizer',
'CICS Performance Analyzer for z/OS',
'CICS Performance Monitor for z/OS',
'CICS Transaction Gateway Desktop Edition',
'CICS Transaction Gateway for Multiplatforms',
'CICS Transaction Gateway for z/OS',
'CICS Transaction Server for z/OS',
'CICS VSAM Copy for z/OS',
'CICS VSAM Recovery for z/OS',
'CICS VSAM Transparency for z/OS',
'COBOL and CICS/VS Command Level',
'COBOL for OS/390 and VM',
'Central Finance in SAP S/4HANA',
'Certificate Of Cloud Security Knowledge',
'Certificate of Cloud Security Knowledge',
'Certified Associate in Project Management',
'Chi Square Automatic Interaction Detection',
'Cisco Network Programmability Developer Specialist',
'Cisco Routing and Switching Certification',
'Citrix Endpoint Management Certified (Cc-Cem)',
'Citrix Netscaler Sd-Wan Certified (Cc-Sdwan)',
'Cloudera Spark and Hadoop Certification',
'Cluster Systems Management for Linux',
'Cognos Analysis for Microsoft Excel',
'Cognos Business Intelligence and Financial',
'Cognos Customer Performance Sales Analytics',
'Cognos Supply Chain Performance Procurement',
'Compiler and Library for REXX',
'Content Analytics with Enterprise Search',
'Content Collector for SAP Applications',
'Content Manager OnDemand for Multiplatforms',
'Content Manager OnDemand for i',
'Content Manager OnDemand for i5/OS',
'Content Manager OnDemand for z/OS',
'DB2 Administration Tool for z/OS',
'DB2 Analytics Accelerator for z/OS',
'DB2 Automation Tool for z/OS',
'DB2 Bind Manager for z/OS',
'DB2 Cloning Tool for z/OS',
'DB2 Merge Backup for Linux',
'DB2 Object Restore for z/OS',
'DB2 Optimization Expert for z/OS',
'DB2 Path Checker for z/OS',
'DB2 Performance Expert for Multiplatforms',
'DB2 Performance Monitor for z/OS',
'DB2 Query Monitor for z/OS',
'DB2 Recovery Expert for z/OS',
'DB2 Universal Database Personal Edition',
'DB2 Utilities Suite for z/OS',
'Day in the Life Training',
'Dynamics 365 for Customer Service',
'Dynamics 365 for Field Service',
'Enhanced Access Control for SCLM',
'FileNet Application Connector for SAP',
'FileNet Connectors for Microsoft SharePoint',
'FileNet IDM Desktop/WEB Services/Open Client',
'FileNet Image Manager Active Edition',
'GIAC Certified UNIX Security Administrator',
'GIAC Certified Web Application Defender',
'GIAC Certified Windows Security Administrator',
'GIAC Mobile Device Security Analyst',
'GIAC Response and Industrial Defense',
'GIAC Systems and Network Auditor',
'GIAC Web Application Penetration Tester',
'Giac Certified Unix Security Administrator',
'Giac Certified Web Application Defender',
'Giac Certified Windows Security Administrator',
'Giac Mobile Device Security Analyst',
'Giac Response And Industrial Defense',
'Giac Systems And Network Auditor',
'Giac Web Application Penetration Tester',
'Global Data Synchronization for WebSphere',
'Global Industrial Cyber Security Professional',
'Global Retention Policy and Schedule',
'Glossary Of Video Game Terms',
'Google Certified Associate Cloud Engineer',
'Google Certified Mobile Web Specialist',
'Google Certified Professional Cloud Architect',
'Google Certified Professional Data Engineer',
'Green Hat Virtual Integration Environment',
'IBM Cloud and Smarter Infrastructure',
'ILOG Inventory and Product Flow',
'ILOG JViews Maps for Defense',
'ILOG JViews Telecom Graphic Objects',
'IMS Cloning Tool for z/OS',
'IMS Configuration Manager for z/OS',
'IMS Connect Extensions for z/OS',
'IMS Extended Terminal Option Support',
'IMS Fast Path Solution Pack',
'IMS High Availability Large Database',
'IMS High Performance Change Accumulation',
'IMS High Performance Fast Path',
'IMS Index Builder for z/OS',
'IMS Parallel Reorganization for z/OS',
'IMS Parameter Manager for z/OS',
'IMS Performance Analyzer for z/OS',
'IMS Performance Monitor for z/OS',
'IMS Problem Investigator for z/OS',
'IMS Recovery Expert for z/OS',
'IMS Sysplex Manager for z/OS',
'ISPF Productivity Tool for z/OS',
'InfoSphere Classic Connector for z/OS',
'InfoSphere Content Collector for File',
'InfoSphere Master Data Management Custom',
'InfoSphere Master Data Management Server',
'InfoSphere Optim High Performance Unload',
'InfoSphere Optim Query Workload Tuner',
'InfoSphere Replication Server for z/OS',
'Information Server Data Quality Module',
'Informix Data Director for Web',
'Insurance Process and Service Models',
'JMP Scripting Using JMP 14',
'Java EE 7 Application Developer',
'Java SE 11 Programmer I',
'Java SE 11 Programmer II',
'Java SE 8 Programmer I',
'Java SE 8 Programmer II',
'Juniper Networks Certified Design Specialist',
'Juniper Networks Certified Internet Associate',
'LoadLeveler for Linux on POWER',
'Lotus Connector for SAP Solutions',
'Lotus Domino Access for Microsoft',
'Lotus End of Support Products',
'Lotus Enterprise Integrator for Domino',
'Lotus Protector for Mail Encryption',
'Lotus Protector for Mail Security',
'Lotus Quickr for WebSphere Portal',
'MQSeries Integrator Agent for CICS',
'MTA: HTML5 Application Development Fundamentals',
'MTA: Mobility and Device Fundamentals',
'MTA: Windows Operating System Fundamentals',
'MTA: Windows Server Administration Fundamentals',
'Maximo Adapter for Microsoft Project',
'Maximo Archiving with Optim Data',
'Maximo Asset Management for Energy',
'Maximo Asset Management for IT',
'Maximo Change and Corrective Action',
'Maximo Contract and Procurement Manager',
'Maximo Data Center Infrastructure Management',
'Maximo Mobile Audit Manager SE',
'Maximo Mobile Inventory Manager SE',
'Maximo Mobile Work Manager SE',
'Maximo Space Management for Facilities',
'Maximo for Oil and Gas',
'Messaging Extension for Web Application',
'Microsoft Certified HTML and CSS',
'Microsoft Certified Windows Server Fundamentals',
'Microsoft Data Management and Analytics',
'Mini Batch K Means Clustering',
'Mta: Html5 Application Development Fundamentals',
'Mta: Mobility And Device Fundamentals',
'Mta: Windows Operating System Fundamentals',
'Mta: Windows Server Administration Fundamentals',
'Multilevel Grid Access Manager Software',
'My New Cloud Professional Cert',
'Netcool/Service Monitor for Network Usage',
'Netezza High Capacity Appliance C1000',
'Network Configuration and Change Management',
'Non Linear Dimension Reduction Model',
'One Class Support Vector Machine',
'Operational Decision Manager Pattern V8.0',
'Operational Decision Manager for z/OS',
'Optim Database Administrator for DB2',
'Optim pureQuery Runtime for z/OS',
'Oracle Application Grid 11g Essentials',
'Oracle CRM On Demand Essentials',
'Oracle Cloud Application Foundation Essentials',
'Oracle Customer Care and Billing',
'Oracle Data Integrator 12c Essentials',
'Oracle Directory Server Enterprise Edition',
'Oracle Enterprise Pack for Eclipse',
'Oracle Enterprise Resource Planning Cloud',
'Oracle GoldenGate 12c Implementation Essentials',
'Oracle Hyperion Planning 11 Essentials',
'Oracle Imaging and Process Management',
'Oracle Mobile Development 2015 Essentials',
'Oracle SOA Suite 12c Essentials',
'Oracle SQL Developer Data Modeler',
'Oracle VM Server for SPARC',
'Oracle VM Server for x86',
'Oracle WebCenter Content 11g Essentials',
'Oracle WebCenter Portal 11.1.1.8 Essentials',
'Oracle WebCenter Sites 11g Essentials',
'Oracle WebLogic Server 12c Essentials',
'Oracle iPlanet Web Proxy Server',
'PMI Professional in Business Analysis',
'Payment Application Qualified Security Assessors',
'PeopleSoft 9.2 Financials Implementation Essentials',
'PeopleSoft 9.2 Human Resources Essentials',
'PeopleSoft PeopleTools 8.5x Implementation Essentials',
'Platform HPC for System x',
'Point-To-Point Encryption Qualified Security Assessors',
'Point-to-Point Encryption Qualified Security Assessors',
'PowerVM Lx86 for x86 Linux',
'Proventia Network Anomaly Detection System',
'Proventia Network Intrusion Detection System',
'Proventia Network Mail Security System',
'Proventia Virtualized Network Security Platform',
'PureData System for Operational Analytics',
'Rational Ada Developer Enterprise Edition',
'Rational Ada Embedded Developer Enterprise',
'Rational Application Developer for WebSphere',
'Rational Asset Analyzer for System',
'Rational Automation Framework for WebSphere',
'Rational COBOL Runtime for zSeries',
'Rational ClearQuest and Functional Testing',
'Rational Data and Application Modeling',
'Rational Developer for System z',
'Rational Development Studio for i',
'Rational Elite Support for Eclipse',
'Rational Elite Support for Mainsoft',
'Rational Host Access Transformation Services',
'Rational Lifecycle Package with ClearCase',
'Rational Modeling Extension for Microsoft',
'Rational Open Access RPG Edition',
'Rational Quality Manager Standard Edition',
'Rational Rose Developer for Java',
'Rational Rose Developer for UNIX',
'Rational Service Tester for SOA',
'Rational Software Analyzer Developer Edition',
'Rational Software Analyzer Enterprise Edition',
'Rational Software Architect Design Manager',
'Rational Software Architect RealTime Edition',
'Rational Software Architect Standard Edition',
'Rational Software Architect for WebSphere',
'Rational Suite DevelopmentStudio for UNIX',
'Rational Suite for Technical Developers',
'Rational Team Concert for Power',
'Rational Team Concert for System',
'Rational Team Concert for i',
'Rational Tester for SOA Quality',
'Rational Web Developer for WebSphere',
'Red Hat Commercial Databases Modernization',
'Red Hat Commercial Middleware Modernization',
'Red Hat Microsoft Apps Modernization',
'Red Hat Open Source Middleware',
'Redhat Business Process Design Certification',
'Redhat Ceph Storage Administration Certification',
'Redhat Gluster Storage Administration Certification',
'Redhat High Availability Clustering Certification',
'Redhat Hybrid Cloud Management Certification',
'Redhat Linux Performance Tuning Certification',
'Redhat OpenShift Application Development Certification',
'SAN Data Center Fabric Manager',
'SAP Apparel and Footwear Solution',
'SAP Ariba Supply Chain Collaboration',
'SAP Business One Release 9.3',
'SAP BusinessObjects Access Control 10.0',
'SAP BusinessObjects Web Intelligence 4.2',
'SAP Certified Product Support Specialist',
'SAP Commerce Cloud 6.7 Developer',
'SAP Commerce Cloud Business User',
'SAP Extended Warehouse Management 9.4',
'SAP Extended Warehouse Management 9.5',
'SAP Field Service Management 19Q1',
'SAP Human Resource Management Systems',
'SAP Incentive and Commission Management',
'SAP Profitability and Cost Management',
'SAP Service and Asset Management',
'SAP SuccessFactors Employee Central Q1/2019',
'SAP SuccessFactors Learning Management Q1/2019',
'SAP SuccessFactors Onboarding 1.0 Q4/2018',
'SAP SuccessFactors Succession Management Q1/2019',
'SAP SuccessFactors Variable Pay Q1/2019',
'SAP Test Data Migration Server',
'SAP Training and Event Management',
'SCLM Advanced Edition for z/OS',
'SNIA Certified Storage Networking Expert',
'SPSS Collaboration and Deployment Services',
'SPSS Text Analytics for Surveys',
'Sage Business Cloud Enterprise Management',
'Security Network Intrusion Prevention System',
'Security zSecure Alert for ACF2',
'Security zSecure Audit for ACF2',
'Security zSecure Audit for RACF',
'Security zSecure Audit for Top',
'Security zSecure Compliance and Administration',
'Security zSecure Compliance and Auditing',
'Security zSecure Manager for RACF',
'Smart Analytics Optimizer for DB2',
'Software Defined Wide Area Network',
'Sterling Connect:Direct for HP NonStop',
'Sterling Connect:Direct for Microsoft Windows',
'Sterling Connect:Express for Microsoft Windows',
'Sterling Gentran:Server for Microsoft Windows',
'Sterling Selling and Fulfillment Suite',
'Storage Administration Workbench for z/OS',
'Sybase Open Watcom Public License',
'Systems Director Management Console SDMC',
'T Distributed Stochastic Neighbor Embedding',
'Tivoli Access Manager for Business',
'Tivoli Access Manager for Enterprise',
'Tivoli Access Manager for Operating',
'Tivoli Access Manager for e-business',
'Tivoli Advanced Audit for DFSMShsm',
'Tivoli Advanced Backup and Recovery',
'Tivoli Advanced Reporting for DFSMShsm',
'Tivoli Alert Adapter for AF/REMOTE',
'Tivoli Allocation Optimizer for z/OS',
'Tivoli Analyzer for Lotus Domino',
'Tivoli Application Dependency Discovery Manager',
'Tivoli Asset Discovery for Distributed',
'Tivoli Asset Discovery for z/OS',
'Tivoli Asset Management for IT',
'Tivoli Business Continuity Process Manager',
'Tivoli Central Control for ETEWatch',
'Tivoli Change and Configuration Management',
'Tivoli Command Center for DB2plex',
'Tivoli Command Center for R/3',
'Tivoli Comprehensive Network Address Translator',
'Tivoli Decision Support for z/OS',
'Tivoli ETEWatch Customizer for the',
'Tivoli ETEWatch for Citrix Metaframe',
'Tivoli ETEWatch for Citrix Sessions',
'Tivoli ETEWatch for Custom Applications',
'Tivoli Endpoint Manager for Core',
'Tivoli Endpoint Manager for Software',
'Tivoli Event Pump for z/OS',
'Tivoli Federated Identity Manager Business',
'Tivoli Identity and Access Assurance',
'Tivoli Identity and Access Manager',
'Tivoli Information Management for z/OS',
'Tivoli IntelliWatch Pinnacle for Distributed',
'Tivoli Management Solution for Exchange',
'Tivoli Management Solution for Microsoft',
'Tivoli Monitoring Active Directory Option',
'Tivoli Monitoring for Business Integration',
'Tivoli Monitoring for Cluster Managers',
'Tivoli Monitoring for Energy Management',
'Tivoli Monitoring for Microsoft .NET',
'Tivoli Monitoring for Network Performance',
'Tivoli Monitoring for Virtual Environments',
'Tivoli Monitoring for Virtual Servers',
'Tivoli NetView File Transfer Program',
'Tivoli Netcool Carrier VoIP Manager',
'Tivoli Netcool Performance Flow Analyzer',
'Tivoli Netcool Service Quality Manager',
'Tivoli Network Manager Entry Edition',
'Tivoli Network Manager IP Edition',
'Tivoli Network Manager Transmission Edition',
'Tivoli OMEGACENTER Gateway on z/OS',
'Tivoli OMEGAMON DE for Distributed',
'Tivoli OMEGAMON DE for WebSphere',
'Tivoli OMEGAMON DE on z/OS',
'Tivoli OMEGAMON II for DB2',
'Tivoli OMEGAMON XE Management Pac',
'Tivoli OMEGAMON XE for CICS',
'Tivoli OMEGAMON XE for DB2',
'Tivoli OMEGAMON XE for DB2plex',
'Tivoli OMEGAMON XE for Distributed',
'Tivoli OMEGAMON XE for IBM',
'Tivoli OMEGAMON XE for IMS',
'Tivoli OMEGAMON XE for IMSplex',
'Tivoli OMEGAMON XE for Linux',
'Tivoli OMEGAMON XE for Mainframe',
'Tivoli OMEGAMON XE for Messaging',
'Tivoli OMEGAMON XE for Microsoft',
'Tivoli OMEGAMON XE for OS/390',
'Tivoli OMEGAMON XE for Storage',
'Tivoli OMEGAMON XE for Sysplex',
'Tivoli OMEGAMON XE for WebSphere',
'Tivoli OMEGAMON XE on z/OS',
'Tivoli OMEGAMON XE on z/VM',
'Tivoli OMNIbus and Network Manager',
'Tivoli Output Manager for z/OS',
'Tivoli Performance Modeler for z/OS',
'Tivoli Policy Driven Software Distribution',
'Tivoli Privacy Manager for e-business',
'Tivoli Provisioning Manager for Images',
'Tivoli Provisioning Manager for OS',
'Tivoli Provisioning Manager for Software',
'Tivoli Security Information and Event',
'Tivoli Security Management for z/OS',
'Tivoli Service Manager Quick Install',
'Tivoli Storage Manager Extended Edition',
'Tivoli Storage Manager FastBack Center',
'Tivoli Storage Manager for Advanced',
'Tivoli Storage Manager for Copy',
'Tivoli Storage Manager for Databases',
'Tivoli Storage Manager for Enterprise',
'Tivoli Storage Manager for Hardware',
'Tivoli Storage Manager for Mail',
'Tivoli Storage Manager for Microsoft',
'Tivoli Storage Manager for Space',
'Tivoli Storage Manager for Storage',
'Tivoli Storage Manager for System',
'Tivoli Storage Manager for Virtual',
'Tivoli Storage Optimizer for z/OS',
'Tivoli Storage Productivity Center Advanced',
'Tivoli Storage Productivity Center Basic',
'Tivoli Storage Productivity Center Select',
'Tivoli Storage Productivity Center Standard',
'Tivoli System Automation Application Manager',
'Tivoli System Automation for Integrated',
'Tivoli System Automation for Multiplatforms',
'Tivoli System Automation for z/OS',
'Tivoli Tape Optimizer on z/OS',
'Tivoli Usage and Accounting Manager',
'Tivoli Web Access for Information',
'Tivoli Workload Scheduler for Applications',
'Tivoli Workload Scheduler for Virtualized',
'Tivoli Workload Scheduler for z/OS',
'Tivoli zSecure Alert for ACF2',
'Tivoli zSecure Alert for RACF',
'Tivoli zSecure Audit for ACF2',
'Tivoli zSecure Audit for RACF',
'Tivoli zSecure Audit for Top',
'Tivoli zSecure Manager for RACF',
'Tolerance Of Change And Uncertainty',
'TotalStorage Productivity Center for Fabric',
'Unified Messaging for WebSphere Voice',
'Utilities with SAP ERP 6.0',
'VTAM for VSE/ESA and VM/ESA',
'Virtual Desktop for Smart Business',
'Virtual Extensible Local Area Network',
'WebSphere Adapter for File Transfer',
'WebSphere Adapter for JD Edwards',
'WebSphere Adapter for Oracle E-Business',
'WebSphere Application Accelerator for Hybrid',
'WebSphere Application Server - Express',
'WebSphere Application Server Community Edition',
'WebSphere Application Server Hypervisor Edition',
'WebSphere Application Server Network Deployment',
'WebSphere Application Server for z/OS',
'WebSphere Business Integration Connect Enterprise',
'WebSphere Business Integration Server Express',
'WebSphere Business Integration Server Foundation',
'WebSphere Business Integration Workbench Server',
'WebSphere Business Integration for Financial',
'WebSphere Business Modeler Publishing Server',
'WebSphere Cast Iron Cloud integration',
'WebSphere Data Interchange for z/OS',
'WebSphere DataPower B2B Appliance XB60',
'WebSphere DataPower Edge Appliance XE82',
'WebSphere DataPower Integration Appliance XI50',
'WebSphere DataPower Low Latency Appliance',
'WebSphere DataPower Service Gateway XG45',
'WebSphere DataPower XML Accelerator XA35',
'WebSphere DataPower XML Security Gateway',
'WebSphere Decision Center for z/OS',
'WebSphere Decision Server for z/OS',
'WebSphere Developer Debugger for System',
'WebSphere Developer for System z',
'WebSphere End of Support Products',
'WebSphere Enterprise Service Bus Registry',
'WebSphere Event Broker for Multiplatforms',
'WebSphere Event Broker for z/OS',
'WebSphere Everyplace Server for Telecom',
'WebSphere Extended Deployment for z/OS',
'WebSphere Front Office for Financial',
'WebSphere Host Access Transformation Services',
'WebSphere ILOG Decision Validation Services',
'WebSphere ILOG Rule Team Server',
'WebSphere ILOG Rules for .NET',
'WebSphere ILOG Rules for COBOL',
'WebSphere IP Multimedia Subsystem Connector',
'WebSphere MQ Low Latency Messaging',
'WebSphere MQ Workflow for Multiplatforms',
'WebSphere MQ Workflow for z/OS',
'WebSphere Message Broker File Extender',
'WebSphere Message Broker for z/OS',
'WebSphere Message Broker with Rules',
'WebSphere Multichannel Bank Transformation Toolkit',
'WebSphere Partner Gateway - Express',
'WebSphere Partner Gateway Advanced Edition',
'WebSphere Partner Gateway Enterprise Edition',
'WebSphere Portal End of Support',
'WebSphere Process Server Hypervisor Edition',
'WebSphere Process Server for z/OS',
'WebSphere Service Registry and Repository',
'WebSphere Studio Application Developer Integration',
'WebSphere Telecom Web Services Server',
'WebSphere Translation Server for Multiplatforms',
'WebSphere Voice Response for AIX',
'WebSphere XML Document Management Server',
'Wired and Wireless Cloud Networking',
'Work Optimization for Water Utilities',
'abap for sap hana 2.0',
'abap with sap netweaver 7.40',
'abap with sap netweaver 7.50',
'adobe flash media live encoder',
'alloy by ibm and sap',
'american publicly traded biopharmaceutical company',
'application manager for smart business',
'application performance analyzer for zos',
'application recovery tool for ims',
'application time facility for zos',
'aws certified alexa skill builder',
'banking process and service models',
'branch transformation toolkit for websphere',
'brava! enterprise viewer for ibm',
'breeze for sclm for zos',
'business process manager industry packs',
'central finance in sap s4hana',
'certificate of cloud security knowledge',
'certified associate in project management',
'chi square automatic interaction detection',
'cics configuration manager for zos',
'cics deployment assistant for zos',
'cics interdependency analyzer for zos',
'cics online transmission time optimizer',
'cics performance analyzer for zos',
'cics performance monitor for zos',
'cics transaction gateway desktop edition',
'cics transaction gateway for multiplatforms',
'cics transaction gateway for zos',
'cics transaction server for zos',
'cics vsam copy for zos',
'cics vsam recovery for zos',
'cics vsam transparency for zos',
'cisco network programmability developer specialist',
'cisco routing and switching certification',
'cloudera spark and hadoop certification',
'cluster systems management for linux',
'cobol and cicsvs command level',
'cobol for os390 and vm',
'cognos analysis for microsoft excel',
'cognos business intelligence and financial',
'cognos customer performance sales analytics',
'cognos supply chain performance procurement',
'compiler and library for rexx',
'content analytics with enterprise search',
'content collector for sap applications',
'content manager ondemand for i',
'content manager ondemand for i5os',
'content manager ondemand for multiplatforms',
'content manager ondemand for zos',
'day in the life training',
'db2 administration tool for zos',
'db2 analytics accelerator for zos',
'db2 automation tool for zos',
'db2 bind manager for zos',
'db2 cloning tool for zos',
'db2 merge backup for linux',
'db2 object restore for zos',
'db2 optimization expert for zos',
'db2 path checker for zos',
'db2 performance expert for multiplatforms',
'db2 performance monitor for zos',
'db2 query monitor for zos',
'db2 recovery expert for zos',
'db2 universal database personal edition',
'db2 utilities suite for zos',
'dynamics 365 for customer service',
'dynamics 365 for field service',
'enhanced access control for sclm',
'filenet application connector for sap',
'filenet connectors for microsoft sharepoint',
'filenet idm desktopweb servicesopen client',
'filenet image manager active edition',
'giac certified unix security administrator',
'giac certified web application defender',
'giac certified windows security administrator',
'giac mobile device security analyst',
'giac response and industrial defense',
'giac systems and network auditor',
'giac web application penetration tester',
'global data synchronization for websphere',
'global industrial cyber security professional',
'global retention policy and schedule',
'glossary of video game terms',
'google certified associate cloud engineer',
'google certified mobile web specialist',
'google certified professional cloud architect',
'google certified professional data engineer',
'green hat virtual integration environment',
'i2 Information Exchange for Analysis',
'i2 information exchange for analysis',
'ibm cloud and smarter infrastructure',
'ilog inventory and product flow',
'ilog jviews maps for defense',
'ilog jviews telecom graphic objects',
'ims cloning tool for zos',
'ims configuration manager for zos',
'ims connect extensions for zos',
'ims extended terminal option support',
'ims fast path solution pack',
'ims high availability large database',
'ims high performance change accumulation',
'ims high performance fast path',
'ims index builder for zos',
'ims parallel reorganization for zos',
'ims parameter manager for zos',
'ims performance analyzer for zos',
'ims performance monitor for zos',
'ims problem investigator for zos',
'ims recovery expert for zos',
'ims sysplex manager for zos',
'information server data quality module',
'informix data director for web',
'infosphere classic connector for zos',
'infosphere content collector for file',
'infosphere master data management custom',
'infosphere master data management server',
'infosphere optim high performance unload',
'infosphere optim query workload tuner',
'infosphere replication server for zos',
'insurance process and service models',
'ispf productivity tool for zos',
'java ee 7 application developer',
'java se 11 programmer i',
'java se 11 programmer ii',
'java se 8 programmer i',
'java se 8 programmer ii',
'jmp scripting using jmp 14',
'juniper networks certified design specialist',
'juniper networks certified internet associate',
'loadleveler for linux on power',
'lotus connector for sap solutions',
'lotus domino access for microsoft',
'lotus end of support products',
'lotus enterprise integrator for domino',
'lotus protector for mail encryption',
'lotus protector for mail security',
'lotus quickr for websphere portal',
'maximo adapter for microsoft project',
'maximo archiving with optim data',
'maximo asset management for energy',
'maximo asset management for it',
'maximo change and corrective action',
'maximo contract and procurement manager',
'maximo data center infrastructure management',
'maximo for oil and gas',
'maximo mobile audit manager se',
'maximo mobile inventory manager se',
'maximo mobile work manager se',
'maximo space management for facilities',
'messaging extension for web application',
'microsoft certified html and css',
'microsoft certified windows server fundamentals',
'microsoft data management and analytics',
'mini batch k means clustering',
'mqseries integrator agent for cics',
'mta: html5 application development fundamentals',
'mta: mobility and device fundamentals',
'mta: windows operating system fundamentals',
'mta: windows server administration fundamentals',
'multilevel grid access manager software',
'my new cloud professional cert',
'netcoolservice monitor for network usage',
'netezza high capacity appliance c1000',
'network configuration and change management',
'non linear dimension reduction model',
'one class support vector machine',
'operational decision manager for zos',
'operational decision manager pattern v8.0',
'optim database administrator for db2',
'optim purequery runtime for zos',
'oracle application grid 11g essentials',
'oracle cloud application foundation essentials',
'oracle crm on demand essentials',
'oracle customer care and billing',
'oracle data integrator 12c essentials',
'oracle directory server enterprise edition',
'oracle enterprise pack for eclipse',
'oracle enterprise resource planning cloud',
'oracle goldengate 12c implementation essentials',
'oracle hyperion planning 11 essentials',
'oracle imaging and process management',
'oracle iplanet web proxy server',
'oracle mobile development 2015 essentials',
'oracle soa suite 12c essentials',
'oracle sql developer data modeler',
'oracle vm server for sparc',
'oracle vm server for x86',
'oracle webcenter content 11g essentials',
'oracle webcenter portal 11.1.1.8 essentials',
'oracle webcenter sites 11g essentials',
'oracle weblogic server 12c essentials',
'payment application qualified security assessors',
'peoplesoft 9.2 financials implementation essentials',
'peoplesoft 9.2 human resources essentials',
'peoplesoft peopletools 8.5x implementation essentials',
'platform hpc for system x',
'pmi professional in business analysis',
'point-to-point encryption qualified security assessors',
'powervm lx86 for x86 linux',
'proventia network anomaly detection system',
'proventia network intrusion detection system',
'proventia network mail security system',
'proventia virtualized network security platform',
'puredata system for operational analytics',
'rational ada developer enterprise edition',
'rational ada embedded developer enterprise',
'rational application developer for websphere',
'rational asset analyzer for system',
'rational automation framework for websphere',
'rational clearquest and functional testing',
'rational cobol runtime for zseries',
'rational data and application modeling',
'rational developer for system z',
'rational development studio for i',
'rational elite support for eclipse',
'rational elite support for mainsoft',
'rational host access transformation services',
'rational lifecycle package with clearcase',
'rational modeling extension for microsoft',
'rational open access rpg edition',
'rational quality manager standard edition',
'rational rose developer for java',
'rational rose developer for unix',
'rational service tester for soa',
'rational software analyzer developer edition',
'rational software analyzer enterprise edition',
'rational software architect design manager',
'rational software architect for websphere',
'rational software architect realtime edition',
'rational software architect standard edition',
'rational suite developmentstudio for unix',
'rational suite for technical developers',
'rational team concert for i',
'rational team concert for power',
'rational team concert for system',
'rational tester for soa quality',
'rational web developer for websphere',
'red hat commercial databases modernization',
'red hat commercial middleware modernization',
'red hat microsoft apps modernization',
'red hat open source middleware',
'redhat business process design certification',
'redhat ceph storage administration certification',
'redhat gluster storage administration certification',
'redhat high availability clustering certification',
'redhat hybrid cloud management certification',
'redhat linux performance tuning certification',
'redhat openshift application development certification',
'sage business cloud enterprise management',
'san data center fabric manager',
'sap apparel and footwear solution',
'sap ariba supply chain collaboration',
'sap business one release 9.3',
'sap businessobjects access control 10.0',
'sap businessobjects web intelligence 4.2',
'sap certified product support specialist',
'sap commerce cloud 6.7 developer',
'sap commerce cloud business user',
'sap extended warehouse management 9.4',
'sap extended warehouse management 9.5',
'sap field service management 19q1',
'sap human resource management systems',
'sap incentive and commission management',
'sap profitability and cost management',
'sap service and asset management',
'sap successfactors employee central q12019',
'sap successfactors learning management q12019',
'sap successfactors onboarding 1.0 q42018',
'sap successfactors succession management q12019',
'sap successfactors variable pay q12019',
'sap test data migration server',
'sap training and event management',
'sclm advanced edition for zos',
'security network intrusion prevention system',
'security zsecure alert for acf2',
'security zsecure audit for acf2',
'security zsecure audit for racf',
'security zsecure audit for top',
'security zsecure compliance and administration',
'security zsecure compliance and auditing',
'security zsecure manager for racf',
'smart analytics optimizer for db2',
'snia certified storage networking expert',
'software defined wide area network',
'spss collaboration and deployment services',
'spss text analytics for surveys',
'sterling connect:direct for hp nonstop',
'sterling connect:direct for microsoft windows',
'sterling connect:express for microsoft windows',
'sterling gentran:server for microsoft windows',
'sterling selling and fulfillment suite',
'storage administration workbench for zos',
'sybase open watcom public license',
'systems director management console sdmc',
't distributed stochastic neighbor embedding',
'tivoli access manager for business',
'tivoli access manager for e-business',
'tivoli access manager for enterprise',
'tivoli access manager for operating',
'tivoli advanced audit for dfsmshsm',
'tivoli advanced backup and recovery',
'tivoli advanced reporting for dfsmshsm',
'tivoli alert adapter for afremote',
'tivoli allocation optimizer for zos',
'tivoli analyzer for lotus domino',
'tivoli application dependency discovery manager',
'tivoli asset discovery for distributed',
'tivoli asset discovery for zos',
'tivoli asset management for it',
'tivoli business continuity process manager',
'tivoli central control for etewatch',
'tivoli change and configuration management',
'tivoli command center for db2plex',
'tivoli command center for r3',
'tivoli comprehensive network address translator',
'tivoli decision support for zos',
'tivoli endpoint manager for core',
'tivoli endpoint manager for software',
'tivoli etewatch customizer for the',
'tivoli etewatch for citrix metaframe',
'tivoli etewatch for citrix sessions',
'tivoli etewatch for custom applications',
'tivoli event pump for zos',
'tivoli federated identity manager business',
'tivoli identity and access assurance',
'tivoli identity and access manager',
'tivoli information management for zos',
'tivoli intelliwatch pinnacle for distributed',
'tivoli management solution for exchange',
'tivoli management solution for microsoft',
'tivoli monitoring active directory option',
'tivoli monitoring for business integration',
'tivoli monitoring for cluster managers',
'tivoli monitoring for energy management',
'tivoli monitoring for microsoft .net',
'tivoli monitoring for network performance',
'tivoli monitoring for virtual environments',
'tivoli monitoring for virtual servers',
'tivoli netcool carrier voip manager',
'tivoli netcool performance flow analyzer',
'tivoli netcool service quality manager',
'tivoli netview file transfer program',
'tivoli network manager entry edition',
'tivoli network manager ip edition',
'tivoli network manager transmission edition',
'tivoli omegacenter gateway on zos',
'tivoli omegamon de for distributed',
'tivoli omegamon de for websphere',
'tivoli omegamon de on zos',
'tivoli omegamon ii for db2',
'tivoli omegamon xe for cics',
'tivoli omegamon xe for db2',
'tivoli omegamon xe for db2plex',
'tivoli omegamon xe for distributed',
'tivoli omegamon xe for ibm',
'tivoli omegamon xe for ims',
'tivoli omegamon xe for imsplex',
'tivoli omegamon xe for linux',
'tivoli omegamon xe for mainframe',
'tivoli omegamon xe for messaging',
'tivoli omegamon xe for microsoft',
'tivoli omegamon xe for os390',
'tivoli omegamon xe for storage',
'tivoli omegamon xe for sysplex',
'tivoli omegamon xe for websphere',
'tivoli omegamon xe management pac',
'tivoli omegamon xe on zos',
'tivoli omegamon xe on zvm',
'tivoli omnibus and network manager',
'tivoli output manager for zos',
'tivoli performance modeler for zos',
'tivoli policy driven software distribution',
'tivoli privacy manager for e-business',
'tivoli provisioning manager for images',
'tivoli provisioning manager for os',
'tivoli provisioning manager for software',
'tivoli security information and event',
'tivoli security management for zos',
'tivoli service manager quick install',
'tivoli storage manager extended edition',
'tivoli storage manager fastback center',
'tivoli storage manager for advanced',
'tivoli storage manager for copy',
'tivoli storage manager for databases',
'tivoli storage manager for enterprise',
'tivoli storage manager for hardware',
'tivoli storage manager for mail',
'tivoli storage manager for microsoft',
'tivoli storage manager for space',
'tivoli storage manager for storage',
'tivoli storage manager for system',
'tivoli storage manager for virtual',
'tivoli storage optimizer for zos',
'tivoli storage productivity center advanced',
'tivoli storage productivity center basic',
'tivoli storage productivity center select',
'tivoli storage productivity center standard',
'tivoli system automation application manager',
'tivoli system automation for integrated',
'tivoli system automation for multiplatforms',
'tivoli system automation for zos',
'tivoli tape optimizer on zos',
'tivoli usage and accounting manager',
'tivoli web access for information',
'tivoli workload scheduler for applications',
'tivoli workload scheduler for virtualized',
'tivoli workload scheduler for zos',
'tivoli zsecure alert for acf2',
'tivoli zsecure alert for racf',
'tivoli zsecure audit for acf2',
'tivoli zsecure audit for racf',
'tivoli zsecure audit for top',
'tivoli zsecure manager for racf',
'tolerance of change and uncertainty',
'totalstorage productivity center for fabric',
'unified messaging for websphere voice',
'utilities with sap erp 6.0',
'virtual desktop for smart business',
'virtual extensible local area network',
'vtam for vseesa and vmesa',
'websphere adapter for file transfer',
'websphere adapter for jd edwards',
'websphere adapter for oracle e-business',
'websphere application accelerator for hybrid',
'websphere application server - express',
'websphere application server community edition',
'websphere application server for zos',
'websphere application server hypervisor edition',
'websphere application server network deployment',
'websphere business integration connect enterprise',
'websphere business integration for financial',
'websphere business integration server express',
'websphere business integration server foundation',
'websphere business integration workbench server',
'websphere business modeler publishing server',
'websphere cast iron cloud integration',
'websphere data interchange for zos',
'websphere datapower b2b appliance xb60',
'websphere datapower edge appliance xe82',
'websphere datapower integration appliance xi50',
'websphere datapower low latency appliance',
'websphere datapower service gateway xg45',
'websphere datapower xml accelerator xa35',
'websphere datapower xml security gateway',
'websphere decision center for zos',
'websphere decision server for zos',
'websphere developer debugger for system',
'websphere developer for system z',
'websphere end of support products',
'websphere enterprise service bus registry',
'websphere event broker for multiplatforms',
'websphere event broker for zos',
'websphere everyplace server for telecom',
'websphere extended deployment for zos',
'websphere front office for financial',
'websphere host access transformation services',
'websphere ilog decision validation services',
'websphere ilog rule team server',
'websphere ilog rules for .net',
'websphere ilog rules for cobol',
'websphere ip multimedia subsystem connector',
'websphere message broker file extender',
'websphere message broker for zos',
'websphere message broker with rules',
'websphere mq low latency messaging',
'websphere mq workflow for multiplatforms',
'websphere mq workflow for zos',
'websphere multichannel bank transformation toolkit',
'websphere partner gateway - express',
'websphere partner gateway advanced edition',
'websphere partner gateway enterprise edition',
'websphere portal end of support',
'websphere process server for zos',
'websphere process server hypervisor edition',
'websphere service registry and repository',
'websphere studio application developer integration',
'websphere telecom web services server',
'websphere translation server for multiplatforms',
'websphere voice response for aix',
'websphere xml document management server',
'wired and wireless cloud networking',
'work optimization for water utilities']}
|
"""Manipulate vote counts so that final results conform to Benford's Law."""
# example below is for Trump vs Clinton, Illinois, 2016 Presidental Election
def load_data(filename):
"""Open a text file of numbers & turn contents into a list of integers."""
with open(filename) as f:
lines = f.read().strip().split('\n')
return [int(i) for i in lines] # turn strings to integers
def steal_votes(opponent_votes, candidate_votes, scalar):
"""Use scalar to reduce one vote count & increase another, return as lists.
Arguments:
opponent_votes – votes to steal from
candidate_votes - votes to increase by stolen amount
scalar - fractional percentage, < 1, used to reduce votes
Returns:
list of changed opponent votes
list of changed candidate votes
"""
new_opponent_votes = []
new_candidate_votes = []
for opp_vote, can_vote in zip(opponent_votes, candidate_votes):
new_opp_vote = round(opp_vote * scalar)
new_opponent_votes.append(new_opp_vote)
stolen_votes = opp_vote - new_opp_vote
new_can_vote = can_vote + stolen_votes
new_candidate_votes.append(new_can_vote)
return new_opponent_votes, new_candidate_votes
def main():
"""Run the program.
Load data, set target winning vote count, call functions, display
results as table, write new combined vote total as text file to
use as input for Benford's Law analysis.
"""
# load vote data
c_votes = load_data('Clinton_votes_Illinois.txt')
j_votes = load_data('Johnson_votes_Illinois.txt')
s_votes = load_data('Stein_votes_Illinois.txt')
t_votes = load_data('Trump_votes_Illinois.txt')
total_votes = sum(c_votes + j_votes + s_votes + t_votes)
# assume Trump amasses a plurality of the vote with 49%
t_target = round(total_votes * 0.49)
print("\nTrump winning target = {:,} votes".format(t_target))
# calculate extra votes needed for Trump victory
extra_votes_needed = abs(t_target - sum(t_votes))
print("extra votes needed = {:,}".format(extra_votes_needed))
# calculate scalar needed to generate extra votes
scalar = 1 - (extra_votes_needed / sum(c_votes + j_votes + s_votes))
print("scalar = {:.3}".format(scalar))
print()
# flip vote counts based on scalar & build new combined list of votes
fake_counts = []
new_c_votes, new_t_votes = steal_votes(c_votes, t_votes, scalar)
fake_counts.extend(new_c_votes)
new_j_votes, new_t_votes = steal_votes(j_votes, new_t_votes, scalar)
fake_counts.extend(new_j_votes)
new_s_votes, new_t_votes = steal_votes(s_votes, new_t_votes, scalar)
fake_counts.extend(new_s_votes)
fake_counts.extend(new_t_votes) # add last as has been changing up til now
# compare old and new vote counts & totals in tabular form
# switch-out "Trump" and "Clinton" as necessary
for i in range(0, len(t_votes)):
print("old Trump: {} \t new Trump: {} \t old Clinton: {} \t " \
"new Clinton: {}".
format(t_votes[i], new_t_votes[i], c_votes[i], new_c_votes[i]))
print("-" * 95)
print("TOTALS:")
print("old Trump: {:,} \t new Trump: {:,} \t old Clinton: {:,} " \
"new Clinton: {:,}".format(sum(t_votes), sum(new_t_votes),
sum(c_votes), sum(new_c_votes)))
# write-out a text file to use as input to benford.py program
# this program will check conformance of faked votes to Benford's Law
with open('fake_Illinois_counts.txt', 'w') as f:
for count in fake_counts:
f.write("{}\n".format(count))
if __name__ == '__main__':
main()
|
'''
69-Crie um programa que leia a idade e o sexo de várias pessoas.A cada pessoa casdatrada,o programa deverá perguntar se o usuário quer continuar ou não.No final,mostre:
A)Quantas pessoas tem mais de 18 anos.
B)Quantos homens foram cadastrados.
C)Quantas mulheres tem menos de 20 anos.
'''
contidade = 0
conthomens = 0
contmulher = 0
while True:
print('{:=^30}'.format('CADASTRAR PESSOA'))
idade = int(input('IDADE: '))
sexo = ' '
while sexo not in 'MF':
sexo=str(input('Sexo: [M/F]: ')).strip().upper()[0]
if idade >= 18:
contidade+=1
if sexo == 'M':
conthomens+=1
if sexo == 'F' and idade < 20:
contmulher+=1
print('PESSOA INCLUÍDA COM SUCESSO!!!')
print('='*30)
resposta=' '
while resposta not in 'SN':
resposta=str(input('Quer Continuar [S/N]:')).strip().upper()[0]
if resposta == 'N':
break
print('*'*30)
print(f'Total de pessoas com mais de 18 anos:{contidade}')
print(f'temos {conthomens} homens cadastrados.')
print(f'Temos {contmulher} mulheres cadastradas com menos de 20 anos.') |
def strategy(history, memory):
"""
Tit-for-tat, except we punish them N times in a row if this is the Nth time they've
initiated a defection.
memory: (initiatedDefections, remainingPunitiveDefections)
"""
if memory is not None and memory[1] > 0:
choice = 0
memory = (memory[0], memory[1] - 1)
return choice, memory
num_rounds = history.shape[1]
opponents_last_move = history[1, -1] if num_rounds >= 1 else 1
our_last_move = history[0, -1] if num_rounds >= 1 else 1
our_second_last_move = history[0, -2] if num_rounds >= 2 else 1
opponent_initiated_defection = (
opponents_last_move == 0 and our_last_move == 1 and our_second_last_move == 1
)
choice = 0 if opponent_initiated_defection else 1
if choice == 0:
memory = (1, 0) if memory is None else (memory[0] + 1, memory[0])
return choice, memory
|
"""
Simple config file
"""
class Config(object):
DEBUG = False
TESTING = False
SECRET_KEY = b'' # TODO
SQLALCHEMY_DATABASE_URI = 'sqlite:///database.db'
SQLALCHEMY_TRACK_MODIFICATIONS = False
class Dev(Config):
DEBUG = True
TESTING = True
SQLALCHEMY_TRACK_MODIFICATIONS = True
|
#!/usr/bin/env python
"""
Github: https://github.com/Jiezhi/myleetcode
Created on 2019-03-25
Leetcode:
"""
def func(x):
return x + 1
def test_answer():
assert func(3) == 4
|
'''
Construa um algoritmo que leia as variáveis C e N, respectivamente código e número de horas trabalhadas de um operário. E calcule o salário sabendo-se que ele ganha R$ 10,00 por hora. Quando o número de horas exceder a 50 calcule o excesso de pagamento armazenando-o na variável E, caso contrário zerar tal variável. A hora excedente de trabalho vale R$ 20,00. No final do processamento imprimir o salário total e o salário excedente.
'''
C = int(input("Entre com o código.\n"))
N = int(input("Ente com o tanto de horas trabalhadas:\n"))
count = 0
E = 0
salario = 0
if N > 50:
N = N - 50
salario = 10*50
while count < N:
E = E + 20
count = count + 1
else:
while count < N:
salario = salario + 10
count = count + 1
print("Código:",C,"Salário Total:",(salario+E), "excedente", E) |
class Solution:
"""
@param A: An array of Integer
@return: an integer
"""
def longestIncreasingContinuousSubsequence(self, A):
n = len(A)
if n < 2:
return n
longest = 0
conti = 1
for i in range(1, n):
if A[i] > A[i - 1]:
conti += 1
else:
conti = 1
longest = max(longest, conti)
conti = 1
for i in range(1, n):
if A[i] < A[i - 1]:
conti += 1
else:
conti = 1
longest = max(longest, conti)
return longest |
LMS8001_REGDESC="""
REGBANK ChipConfig 0x000X
REGBANK BiasLDOConfig 0x001X
REGBANK Channel_A 0b00010000000XXXXX
REGBANK Channel_B 0b00010000001XXXXX
REGBANK Channel_C 0b00010000010XXXXX
REGBANK Channel_D 0b00010000011XXXXX
REGBANK HLMIXA 0x200X
REGBANK HLMIXB 0x201X
REGBANK HLMIXC 0x202X
REGBANK HLMIXD 0x203X
REGBANK PLL_CONFIGURATION 0b01000000000XXXXX
REGBANK PLL_PROFILE_0 0x410X
REGBANK PLL_PROFILE_1 0x411X
REGBANK PLL_PROFILE_2 0x412X
REGBANK PLL_PROFILE_3 0x413X
REGBANK PLL_PROFILE_4 0x414X
REGBANK PLL_PROFILE_5 0x415X
REGBANK PLL_PROFILE_6 0x416X
REGBANK PLL_PROFILE_7 0x417X
REGISTER SPIConfig 0x0000
BITFIELD SPI_SDIO_DS
POSITION=6
DEFAULT=0
MODE=RW
#! Driver strength of SPI_SDIO pad.
#! 0 - Driver strength is 4mA (default)
#! 1 - Driver strength is 8mA
ENDBITFIELD
BITFIELD SPI_SDO_DS
POSITION=5
DEFAULT=0
MODE=RW
#! Driver strength of SPI_SDO pad.
#! 0 - Driver strength is 4mA (default)
#! 1 - Driver strength is 8mA
ENDBITFIELD
BITFIELD SPI_SDIO_PE
POSITION=4
DEFAULT=1
MODE=RW
#! Pull up control of SPI_SDIO pad.
#! 0 - Pull up disengaged
#! 1 - Pull up engaged (default)
ENDBITFIELD
BITFIELD SPI_SDO_PE
POSITION=3
DEFAULT=1
MODE=RW
#! Pull up control of SPI_SDO pad.
#! 0 - Pull up disengaged
#! 1 - Pull up engaged (default)
ENDBITFIELD
BITFIELD SPI_SCLK_PE
POSITION=2
DEFAULT=1
MODE=RW
#! Pull up control of SPI_SCLK pad.
#! 0 - Pull up disengaged
#! 1 - Pull up engaged (default)
ENDBITFIELD
BITFIELD SPI_SEN_PE
POSITION=1
DEFAULT=1
MODE=RW
#! Pull up control of SPI_SEN pad.
#! 0 - Pull up disengaged
#! 1 - Pull up engaged (default)
ENDBITFIELD
BITFIELD SPIMODE
POSITION=0
DEFAULT=1
MODE=RWI
#! SPI communication mode.
#! 0 - 3 wire mode
#! 1 - 4 wire mode (default)
ENDBITFIELD
ENDREGISTER
REGISTER GPIOOutData 0x0004
BITFIELD GPIO_OUT_SPI<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
#! Output data for GPIO pads from SPI
ENDBITFIELD
ENDREGISTER
REGISTER GPIOOUT_SEL0 0x0005
BITFIELD GPIO4_SEL<2:0>
POSITION=<14:12>
DEFAULT=000
MODE=RWI
#! GPIO4 source select
#! 000 - from SPI
#! 001 - PLL_LOCK
#! 010 - VTUNE_LOW
#! 011 - VTUNE_HIGH
#! 100 - Fast lock active
#! others - reserved
ENDBITFIELD
BITFIELD GPIO3_SEL<2:0>
POSITION=<11:9>
DEFAULT=000
MODE=RWI
#! GPIO3 source select
#! 000 - from SPI
#! 001 - PLL_LOCK
#! 010 - VTUNE_LOW
#! 011 - VTUNE_HIGH
#! 100 - Fast lock active
#! others - reserved
ENDBITFIELD
BITFIELD GPIO2_SEL<2:0>
POSITION=<8:6>
DEFAULT=000
MODE=RWI
#! GPIO2 source select
#! 000 - from SPI
#! 001 - PLL_LOCK
#! 010 - VTUNE_LOW
#! 011 - VTUNE_HIGH
#! 100 - Fast lock active
#! others - reserved
ENDBITFIELD
BITFIELD GPIO1_SEL<2:0>
POSITION=<5:3>
DEFAULT=000
MODE=RWI
#! GPIO1 source select
#! 000 - from SPI
#! 001 - PLL_LOCK
#! 010 - VTUNE_LOW
#! 011 - VTUNE_HIGH
#! 100 - Fast lock active
#! others - reserved
ENDBITFIELD
BITFIELD GPIO0_SEL<2:0>
POSITION=<2:0>
DEFAULT=000
MODE=RWI
#! GPIO0 source select
#! 000 - from SPI
#! 001 - PLL_LOCK
#! 010 - VTUNE_LOW
#! 011 - VTUNE_HIGH
#! 100 - Fast lock active
#! others - reserved
ENDBITFIELD
ENDREGISTER
REGISTER GPIOOUT_SEL1 0x0006
BITFIELD GPIO9_SEL<2:0>
POSITION=<14:12>
DEFAULT=000
MODE=RWI
#! GPIO9 source select
#! 000 - from SPI
#! 001 - PLL_LOCK
#! 010 - VTUNE_LOW
#! 011 - VTUNE_HIGH
#! 100 - Fast lock active
#! others - reserved
ENDBITFIELD
BITFIELD GPIO8_SEL<2:0>
POSITION=<11:9>
DEFAULT=000
MODE=RWI
#! GPIO8 source select
#! 000 - from SPI
#! 001 - PLL_LOCK
#! 010 - VTUNE_LOW
#! 011 - VTUNE_HIGH
#! 100 - Fast lock active
#! others - reserved
ENDBITFIELD
BITFIELD GPIO7_SEL<2:0>
POSITION=<8:6>
DEFAULT=000
MODE=RWI
#! GPIO7 source select
#! 000 - from SPI
#! 001 - PLL_LOCK
#! 010 - VTUNE_LOW
#! 011 - VTUNE_HIGH
#! 100 - Fast lock active
#! others - reserved
ENDBITFIELD
BITFIELD GPIO6_SEL<2:0>
POSITION=<5:3>
DEFAULT=000
MODE=RWI
#! GPIO6 source select
#! 000 - from SPI
#! 001 - PLL_LOCK
#! 010 - VTUNE_LOW
#! 011 - VTUNE_HIGH
#! 100 - Fast lock active
#! others - reserved
ENDBITFIELD
BITFIELD GPIO5_SEL<2:0>
POSITION=<2:0>
DEFAULT=000
MODE=RWI
#! GPIO5 source select
#! 000 - from SPI
#! 001 - PLL_LOCK
#! 010 - VTUNE_LOW
#! 011 - VTUNE_HIGH
#! 100 - Fast lock active
#! others - reserved
ENDBITFIELD
ENDREGISTER
REGISTER GPIOInData 0x0008
BITFIELD GPIO_IN<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=R
#! Data read from GPIO pads.
ENDBITFIELD
ENDREGISTER
REGISTER GPIOConfig_PE 0x0009
BITFIELD GPIO_PE<8:0>
POSITION=<8:0>
DEFAULT=111111111
MODE=RW
#! GPIO pull up control
#! 0 - Pull up disengaged
#! 1 - Pull up engaged (default)
ENDBITFIELD
ENDREGISTER
REGISTER GPIOConfig_DS 0x000A
BITFIELD GPIO_DS<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RW
#! GPIO drive strength
#! 0 - Driver strength is 4mA (default)
#! 1 - Driver strength is 8mA
ENDBITFIELD
ENDREGISTER
REGISTER GPIOConfig_IO 0x000B
BITFIELD GPIO_InO<8:0>
POSITION=<8:0>
DEFAULT=111111111
MODE=RW
#! GPIO input/output control
#! 0 - Pin is output
#! 1 - Pin is input (default)
ENDBITFIELD
ENDREGISTER
REGISTER TEMP_SENS 0x000C
BITFIELD TEMP_SENS_EN
POSITION=10
DEFAULT=0
MODE=RW
#! Enable the temperature sensor biasing.
ENDBITFIELD
BITFIELD TEMP_SENS_CLKEN
POSITION=9
DEFAULT=0
MODE=RW
#! Temperature sensor clock enable.
ENDBITFIELD
BITFIELD TEMP_START_CONV
POSITION=8
DEFAULT=0
MODE=STICKYBIT
#! Start the temperature conversion.
#! Bit is cleared when the conversion is complete.
ENDBITFIELD
BITFIELD TEMP_READ<7:0>
POSITION=<7:0>
DEFAULT=00000000
MODE=R
#! Readout of temperature sensor
ENDBITFIELD
ENDREGISTER
REGISTER ChipInfo 0x000F
BITFIELD VER<4:0>
POSITION=<15:11>
DEFAULT=01000
MODE=RI
#! Chip version.
#! 01000 - Chip version is 8.
ENDBITFIELD
BITFIELD REV<4:0>
POSITION=<10:6>
DEFAULT=00001
MODE=RI
#! Chip revision.
#! 00001 - Chip revision is 1.
ENDBITFIELD
BITFIELD MASK<5:0>
POSITION=<5:0>
DEFAULT=000000
MODE=RI
#! Chip mask.
#! 000000 - Chip mask is 0.
ENDBITFIELD
ENDREGISTER
REGISTER BiasConfig 0x0010
BITFIELD PD_CALIB_COMP
POSITION=12
DEFAULT=1
MODE=RW
#! Calibration comparator power down.
#! 0 - Enabled
#! 1 - Powered down (default)
ENDBITFIELD
BITFIELD RP_CALIB_COMP
POSITION=11
DEFAULT=0
MODE=R
#! Comparator output. Used in rppolywo calibration algorithm.
ENDBITFIELD
BITFIELD RP_CALIB_BIAS<4:0>
POSITION=<10:6>
DEFAULT=10000
MODE=RW
#! Calibration code for rppolywo. This code is set by calibration algorithm.
#! Default value : 10000 (16)
ENDBITFIELD
BITFIELD PD_FRP_BIAS
POSITION=4
DEFAULT=0
MODE=RW
#! Power down signal for Fix/RP
#! 0 - Enabled (default)
#! 1 - Powered down
ENDBITFIELD
BITFIELD PD_F_BIAS
POSITION=3
DEFAULT=0
MODE=RW
#! Power down signal for Fix
#! 0 - Enabled (default)
#! 1 - Powered down
ENDBITFIELD
BITFIELD PD_PTRP_BIAS
POSITION=2
DEFAULT=0
MODE=RW
#! Power down signal for PTAT/RP block
#! 0 - Enabled (default)
#! 1 - Powered down
ENDBITFIELD
BITFIELD PD_PT_BIAS
POSITION=1
DEFAULT=0
MODE=RW
#! Power down signal for PTAT block
#! 0 - Enabled (default)
#! 1 - Powered down
ENDBITFIELD
BITFIELD PD_BIAS
POSITION=0
DEFAULT=0
MODE=RW
#! Enable signal for central bias block
#! 0 - Sub blocks may be selectively powered down (default)
#! 1 - Poweres down all BIAS blocks
ENDBITFIELD
ENDREGISTER
REGISTER LOBUFA_LDO_Config 0x0011
BITFIELD EN_LOADIMP_LDO_LOBUFA
POSITION=10
DEFAULT=0
MODE=RW
#! Enables the load dependent bias to optimize the load regulation
#! 0 - Constant bias (default)
#! 1 - Load dependant bias
ENDBITFIELD
BITFIELD SPDUP_LDO_LOBUFA
POSITION=9
DEFAULT=0
MODE=RW
#! Short the noise filter resistor to speed up the settling time
#! 0 - Noise filter resistor in place (default)
#! 1 - Noise filter resistor bypassed
ENDBITFIELD
BITFIELD EN_LDO_LOBUFA
POSITION=8
DEFAULT=0
MODE=RW
#! Enables the LO buffer LDO
#! 0 - LDO powered down (default)
#! 1 - LDO enabled
ENDBITFIELD
BITFIELD RDIV_LOBUFA<7:0>
POSITION=<7:0>
DEFAULT=01100101
MODE=RW
#! Controls the output voltage of the LO buffer LDO by setting the resistive voltage divider ratio.
#! Vout = 860 mV + 3.92 mV * RDIV
#! Default : 01100101 (101) Vout = 1.25 V
ENDBITFIELD
ENDREGISTER
REGISTER LOBUFB_LDO_Config 0x0012
BITFIELD EN_LOADIMP_LDO_LOBUFB
POSITION=10
DEFAULT=0
MODE=RW
#! Enables the load dependent bias to optimize the load regulation
#! 0 - Constant bias (default)
#! 1 - Load dependant bias
ENDBITFIELD
BITFIELD SPDUP_LDO_LOBUFB
POSITION=9
DEFAULT=0
MODE=RW
#! Short the noise filter resistor to speed up the settling time
#! 0 - Noise filter resistor in place (default)
#! 1 - Noise filter resistor bypassed
ENDBITFIELD
BITFIELD EN_LDO_LOBUFB
POSITION=8
DEFAULT=0
MODE=RW
#! Enables the LO buffer LDO
#! 0 - LDO powered down (default)
#! 1 - LDO enabled
ENDBITFIELD
BITFIELD RDIV_LOBUFB<7:0>
POSITION=<7:0>
DEFAULT=01100101
MODE=RW
#! Controls the output voltage of the LO buffer LDO by setting the resistive voltage divider ratio.
#! Vout = 860 mV + 3.92 mV * RDIV
#! Default : 01100101 (101) Vout = 1.25 V
ENDBITFIELD
ENDREGISTER
REGISTER LOBUFC_LDO_Config 0x0013
BITFIELD EN_LOADIMP_LDO_LOBUFC
POSITION=10
DEFAULT=0
MODE=RW
#! Enables the load dependent bias to optimize the load regulation
#! 0 - Constant bias (default)
#! 1 - Load dependant bias
ENDBITFIELD
BITFIELD SPDUP_LDO_LOBUFC
POSITION=9
DEFAULT=0
MODE=RW
#! Short the noise filter resistor to speed up the settling time
#! 0 - Noise filter resistor in place (default)
#! 1 - Noise filter resistor bypassed
ENDBITFIELD
BITFIELD EN_LDO_LOBUFC
POSITION=8
DEFAULT=0
MODE=RW
#! Enables the LO buffer LDO
#! 0 - LDO powered down (default)
#! 1 - LDO enabled
ENDBITFIELD
BITFIELD RDIV_LOBUFC<7:0>
POSITION=<7:0>
DEFAULT=01100101
MODE=RW
#! Controls the output voltage of the LO buffer LDO by setting the resistive voltage divider ratio.
#! Vout = 860 mV + 3.92 mV * RDIV
#! Default : 01100101 (101) Vout = 1.25 V
ENDBITFIELD
ENDREGISTER
REGISTER LOBUFD_LDO_Config 0x0014
BITFIELD EN_LOADIMP_LDO_LOBUFD
POSITION=10
DEFAULT=0
MODE=RW
#! Enables the load dependent bias to optimize the load regulation
#! 0 - Constant bias (default)
#! 1 - Load dependant bias
ENDBITFIELD
BITFIELD SPDUP_LDO_LOBUFD
POSITION=9
DEFAULT=0
MODE=RW
#! Short the noise filter resistor to speed up the settling time
#! 0 - Noise filter resistor in place (default)
#! 1 - Noise filter resistor bypassed
ENDBITFIELD
BITFIELD EN_LDO_LOBUFD
POSITION=8
DEFAULT=0
MODE=RW
#! Enables the LO buffer LDO
#! 0 - LDO powered down (default)
#! 1 - LDO enabled
ENDBITFIELD
BITFIELD RDIV_LOBUFD<7:0>
POSITION=<7:0>
DEFAULT=01100101
MODE=RW
#! Controls the output voltage of the LO buffer LDO by setting the resistive voltage divider ratio.
#! Vout = 860 mV + 3.92 mV * RDIV
#! Default : 01100101 (101) Vout = 1.25 V
ENDBITFIELD
ENDREGISTER
REGISTER HFLNAA_LDO_Config 0x0015
BITFIELD EN_LOADIMP_LDO_HFLNAA
POSITION=10
DEFAULT=0
MODE=RW
#! Enables the load dependent bias to optimize the load regulation
#! 0 - Constant bias (default)
#! 1 - Load dependant bias
ENDBITFIELD
BITFIELD SPDUP_LDO_HFLNAA
POSITION=9
DEFAULT=0
MODE=RW
#! Short the noise filter resistor to speed up the settling time
#! 0 - Noise filter resistor in place (default)
#! 1 - Noise filter resistor bypassed
ENDBITFIELD
BITFIELD EN_LDO_HFLNAA
POSITION=8
DEFAULT=0
MODE=RW
#! Enables the LO buffer LDO
#! 0 - LDO powered down (default)
#! 1 - LDO enabled
ENDBITFIELD
BITFIELD RDIV_HFLNAA<7:0>
POSITION=<7:0>
DEFAULT=01100101
MODE=RW
#! Controls the output voltage of the LO buffer LDO by setting the resistive voltage divider ratio.
#! Vout = 860 mV + 3.92 mV * RDIV
#! Default : 01100101 (101) Vout = 1.25 V
ENDBITFIELD
ENDREGISTER
REGISTER HFLNAB_LDO_Config 0x0016
BITFIELD EN_LOADIMP_LDO_HFLNAB
POSITION=10
DEFAULT=0
MODE=RW
#! Enables the load dependent bias to optimize the load regulation
#! 0 - Constant bias (default)
#! 1 - Load dependant bias
ENDBITFIELD
BITFIELD SPDUP_LDO_HFLNAB
POSITION=9
DEFAULT=0
MODE=RW
#! Short the noise filter resistor to speed up the settling time
#! 0 - Noise filter resistor in place (default)
#! 1 - Noise filter resistor bypassed
ENDBITFIELD
BITFIELD EN_LDO_HFLNAB
POSITION=8
DEFAULT=0
MODE=RW
#! Enables the LO buffer LDO
#! 0 - LDO powered down (default)
#! 1 - LDO enabled
ENDBITFIELD
BITFIELD RDIV_HFLNAB<7:0>
POSITION=<7:0>
DEFAULT=01100101
MODE=RW
#! Controls the output voltage of the LO buffer LDO by setting the resistive voltage divider ratio.
#! Vout = 860 mV + 3.92 mV * RDIV
#! Default : 01100101 (101) Vout = 1.25 V
ENDBITFIELD
ENDREGISTER
REGISTER HFLNAC_LDO_Config 0x0017
BITFIELD EN_LOADIMP_LDO_HFLNAC
POSITION=10
DEFAULT=0
MODE=RW
#! Enables the load dependent bias to optimize the load regulation
#! 0 - Constant bias (default)
#! 1 - Load dependant bias
ENDBITFIELD
BITFIELD SPDUP_LDO_HFLNAC
POSITION=9
DEFAULT=0
MODE=RW
#! Short the noise filter resistor to speed up the settling time
#! 0 - Noise filter resistor in place (default)
#! 1 - Noise filter resistor bypassed
ENDBITFIELD
BITFIELD EN_LDO_HFLNAC
POSITION=8
DEFAULT=0
MODE=RW
#! Enables the LO buffer LDO
#! 0 - LDO powered down (default)
#! 1 - LDO enabled
ENDBITFIELD
BITFIELD RDIV_HFLNAC<7:0>
POSITION=<7:0>
DEFAULT=01100101
MODE=RW
#! Controls the output voltage of the LO buffer LDO by setting the resistive voltage divider ratio.
#! Vout = 860 mV + 3.92 mV * RDIV
#! Default : 01100101 (101) Vout = 1.25 V
ENDBITFIELD
ENDREGISTER
REGISTER HFLNAD_LDO_Config 0x0018
BITFIELD EN_LOADIMP_LDO_HFLNAD
POSITION=10
DEFAULT=0
MODE=RW
#! Enables the load dependent bias to optimize the load regulation
#! 0 - Constant bias (default)
#! 1 - Load dependant bias
ENDBITFIELD
BITFIELD SPDUP_LDO_HFLNAD
POSITION=9
DEFAULT=0
MODE=RW
#! Short the noise filter resistor to speed up the settling time
#! 0 - Noise filter resistor in place (default)
#! 1 - Noise filter resistor bypassed
ENDBITFIELD
BITFIELD EN_LDO_HFLNAD
POSITION=8
DEFAULT=0
MODE=RW
#! Enables the LO buffer LDO
#! 0 - LDO powered down (default)
#! 1 - LDO enabled
ENDBITFIELD
BITFIELD RDIV_HFLNAD<7:0>
POSITION=<7:0>
DEFAULT=01100101
MODE=RW
#! Controls the output voltage of the LO buffer LDO by setting the resistive voltage divider ratio.
#! Vout = 860 mV + 3.92 mV * RDIV
#! Default : 01100101 (101) Vout = 1.25 V
ENDBITFIELD
ENDREGISTER
REGISTER CLK_BUF_LDO_Config 0x001A
BITFIELD EN_LOADIMP_LDO_CLK_BUF
POSITION=10
DEFAULT=0
MODE=RW
#! Enables the load dependent bias to optimize the load regulation
#! 0 - Constant bias (default)
#! 1 - Load dependant bias
ENDBITFIELD
BITFIELD SPDUP_LDO_CLK_BUF
POSITION=9
DEFAULT=0
MODE=RW
#! Short the noise filter resistor to speed up the settling time
#! 0 - Noise filter resistor in place (default)
#! 1 - Noise filter resistor bypassed
ENDBITFIELD
BITFIELD EN_LDO_CLK_BUF
POSITION=8
DEFAULT=0
MODE=RW
#! Enables the LO buffer LDO
#! 0 - LDO powered down (default)
#! 1 - LDO enabled
ENDBITFIELD
BITFIELD RDIV_CLK_BUF<7:0>
POSITION=<7:0>
DEFAULT=01100101
MODE=RW
#! Controls the output voltage of the LO buffer LDO by setting the resistive voltage divider ratio.
#! Vout = 860 mV + 3.92 mV * RDIV
#! Default : 01100101 (101) Vout = 1.25 V
ENDBITFIELD
ENDREGISTER
REGISTER PLL_DIV_LDO_Config 0x001B
BITFIELD EN_LOADIMP_LDO_PLL_DIV
POSITION=10
DEFAULT=0
MODE=RW
#! Enables the load dependent bias to optimize the load regulation
#! 0 - Constant bias (default)
#! 1 - Load dependant bias
ENDBITFIELD
BITFIELD SPDUP_LDO_PLL_DIV
POSITION=9
DEFAULT=0
MODE=RW
#! Short the noise filter resistor to speed up the settling time
#! 0 - Noise filter resistor in place (default)
#! 1 - Noise filter resistor bypassed
ENDBITFIELD
BITFIELD EN_LDO_PLL_DIV
POSITION=8
DEFAULT=0
MODE=RW
#! Enables the PLL divider LDO
#! 0 - LDO powered down (default)
#! 1 - LDO enabled
ENDBITFIELD
BITFIELD RDIV_PLL_DIV<7:0>
POSITION=<7:0>
DEFAULT=01100101
MODE=RW
#! Controls the output voltage of the PLL divider LDO by setting the resistive voltage divider ratio.
#! Vout = 860 mV + 3.92 mV * RDIV
#! Default : 01100101 (101) Vout = 1.25 V
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CP_LDO_Config 0x001C
BITFIELD EN_LOADIMP_LDO_PLL_CP
POSITION=10
DEFAULT=0
MODE=RW
#! Enables the load dependent bias to optimize the load regulation
#! 0 - Constant bias (default)
#! 1 - Load dependant bias
ENDBITFIELD
BITFIELD SPDUP_LDO_PLL_CP
POSITION=9
DEFAULT=0
MODE=RW
#! Short the noise filter resistor to speed up the settling time
#! 0 - Noise filter resistor in place (default)
#! 1 - Noise filter resistor bypassed
ENDBITFIELD
BITFIELD EN_LDO_PLL_CP
POSITION=8
DEFAULT=0
MODE=RW
#! Enables the PLL CP LDO
#! 0 - LDO powered down (default)
#! 1 - LDO enabled
ENDBITFIELD
BITFIELD RDIV_PLL_CP<7:0>
POSITION=<7:0>
DEFAULT=01100101
MODE=RW
#! Controls the output voltage of the PLL CP LDO by setting the resistive voltage divider ratio.
#! Vout = 860 mV + 3.92 mV * RDIV
#! Default : 01100101 (101) Vout = 1.25 V
ENDBITFIELD
ENDREGISTER
REGISTER DIG_CORE_LDO_Config 0x001F
BITFIELD EN_LOADIMP_LDO_DIG_CORE
POSITION=10
DEFAULT=0
MODE=RW
#! Enables the load dependent bias to optimize the load regulation
#! 0 - Constant bias (default)
#! 1 - Load dependant bias
ENDBITFIELD
BITFIELD SPDUP_LDO_DIG_CORE
POSITION=9
DEFAULT=0
MODE=RW
#! Short the noise filter resistor to speed up the settling time
#! 0 - Noise filter resistor in place (default)
#! 1 - Noise filter resistor bypassed
ENDBITFIELD
BITFIELD PD_LDO_DIG_CORE
POSITION=8
DEFAULT=0
MODE=RW
#! Power down the digital core and IO ring pre-drivers LDO
#! 0 - LDO on (default)
#! 1 - LDO powered down
ENDBITFIELD
BITFIELD RDIV_DIG_CORE<7:0>
POSITION=<7:0>
DEFAULT=01100101
MODE=RW
#! Controls the output voltage of the digital core and IO ring pre-drivers LDO by setting the resistive voltage divider ratio.
#! Vout = 860 mV + 3.92 mV * RDIV
#! Default : 01100101 (101) Vout = 1.25 V
ENDBITFIELD
ENDREGISTER
REGISTER CHA_MIX_ICT 0x1000
BITFIELD CHA_MIXB_ICT<4:0>
POSITION=<9:5>
DEFAULT=10000
MODE=RW
#! Controls the bias current of polarization circuit
#! I = Inom * CHA_MIXB_ICT/16
#! Default : 16
ENDBITFIELD
BITFIELD CHA_MIXA_ICT<4:0>
POSITION=<4:0>
DEFAULT=10000
MODE=RW
#! Controls the bias current of polarization circuit
#! I = Inom * CHA_MIXA_ICT/16
#! Default : 16
ENDBITFIELD
ENDREGISTER
REGISTER CHA_HFPAD_ICT 0x1001
BITFIELD CHA_PA_ILIN2X
POSITION=10
DEFAULT=0
MODE=RW
#! Double the linearization bias current
#! 0 - Ilin * 1
#! 1 - Ilin * 2
#! Default : 0
ENDBITFIELD
BITFIELD CHA_PA_ICT_LIN<4:0>
POSITION=<9:5>
DEFAULT=10000
MODE=RW
#! Controls the bias current of linearization section of HFPAD
#! I = Inom * CHA_PA_ICT_LIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHA_PA_ICT_MAIN<4:0>
POSITION=<4:0>
DEFAULT=10000
MODE=RW
#! Controls the bias current of main gm section of HFPAD
#! I = Inom * CHA_MIXA_ICT/16
#! Default : 16
ENDBITFIELD
ENDREGISTER
REGISTER CHA_PD0 0x1004
BITFIELD CHA_PA_R50_EN0
POSITION=7
DEFAULT=1
MODE=RWI
#! Controls the switch in series with 50 Ohm resistor to ground at HFPAD input.
#! 0 - Switch is open
#! 1 - Switch is closed
ENDBITFIELD
BITFIELD CHA_PA_BYPASS0
POSITION=6
DEFAULT=0
MODE=RWI
#! Controls the HFPAD bypass switches.
#! 0 - HFPAD in not bypassed
#! 1 - HFPAD is bypassed
#! Note : HFPAD must be manually disabled when bypassed.
ENDBITFIELD
BITFIELD CHA_PA_PD0
POSITION=5
DEFAULT=1
MODE=RWI
#! Power down for HFPAD
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHA_MIXB_LOBUFF_PD0
POSITION=4
DEFAULT=1
MODE=RWI
#! Power down for MIXB LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHA_MIXB_BIAS_PD0
POSITION=3
DEFAULT=1
MODE=RWI
#! Power down for MIXB bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHA_MIXA_LOBUFF_PD0
POSITION=2
DEFAULT=1
MODE=RWI
#! Power down for MIXA LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHA_MIXA_BIAS_PD0
POSITION=1
DEFAULT=1
MODE=RWI
#! Power down for MIXA bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHA_LNA_PD0
POSITION=0
DEFAULT=1
MODE=RWI
#! Power down for LNA
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
ENDREGISTER
REGISTER CHA_PD1 0x1005
BITFIELD CHA_PA_R50_EN1
POSITION=7
DEFAULT=1
MODE=RWI
#! Controls the switch in series with 50 Ohm resistor to ground at HFPAD input.
#! 0 - Switch is open
#! 1 - Switch is closed
ENDBITFIELD
BITFIELD CHA_PA_BYPASS1
POSITION=6
DEFAULT=0
MODE=RWI
#! Controls the HFPAD bypass switches.
#! 0 - HFPAD in not bypassed
#! 1 - HFPAD is bypassed
#! Note : HFPAD must be manually disabled when bypassed.
ENDBITFIELD
BITFIELD CHA_PA_PD1
POSITION=5
DEFAULT=1
MODE=RWI
#! Power down for HFPAD
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHA_MIXB_LOBUFF_PD1
POSITION=4
DEFAULT=1
MODE=RWI
#! Power down for MIXB LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHA_MIXB_BIAS_PD1
POSITION=3
DEFAULT=1
MODE=RWI
#! Power down for MIXB bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHA_MIXA_LOBUFF_PD1
POSITION=2
DEFAULT=1
MODE=RWI
#! Power down for MIXA LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHA_MIXA_BIAS_PD1
POSITION=1
DEFAULT=1
MODE=RWI
#! Power down for MIXA bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHA_LNA_PD1
POSITION=0
DEFAULT=1
MODE=RWI
#! Power down for LNA
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
ENDREGISTER
REGISTER CHA_PD2 0x1006
BITFIELD CHA_PA_R50_EN2
POSITION=7
DEFAULT=1
MODE=RWI
#! Controls the switch in series with 50 Ohm resistor to ground at HFPAD input.
#! 0 - Switch is open
#! 1 - Switch is closed
ENDBITFIELD
BITFIELD CHA_PA_BYPASS2
POSITION=6
DEFAULT=0
MODE=RWI
#! Controls the HFPAD bypass switches.
#! 0 - HFPAD in not bypassed
#! 1 - HFPAD is bypassed
#! Note : HFPAD must be manually disabled when bypassed.
ENDBITFIELD
BITFIELD CHA_PA_PD2
POSITION=5
DEFAULT=1
MODE=RWI
#! Power down for HFPAD
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHA_MIXB_LOBUFF_PD2
POSITION=4
DEFAULT=1
MODE=RWI
#! Power down for MIXB LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHA_MIXB_BIAS_PD2
POSITION=3
DEFAULT=1
MODE=RWI
#! Power down for MIXB bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHA_MIXA_LOBUFF_PD2
POSITION=2
DEFAULT=1
MODE=RWI
#! Power down for MIXA LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHA_MIXA_BIAS_PD2
POSITION=1
DEFAULT=1
MODE=RWI
#! Power down for MIXA bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHA_LNA_PD2
POSITION=0
DEFAULT=1
MODE=RWI
#! Power down for LNA
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
ENDREGISTER
REGISTER CHA_PD3 0x1007
BITFIELD CHA_PA_R50_EN3
POSITION=7
DEFAULT=1
MODE=RWI
#! Controls the switch in series with 50 Ohm resistor to ground at HFPAD input.
#! 0 - Switch is open
#! 1 - Switch is closed
ENDBITFIELD
BITFIELD CHA_PA_BYPASS3
POSITION=6
DEFAULT=0
MODE=RWI
#! Controls the HFPAD bypass switches.
#! 0 - HFPAD in not bypassed
#! 1 - HFPAD is bypassed
#! Note : HFPAD must be manually disabled when bypassed.
ENDBITFIELD
BITFIELD CHA_PA_PD3
POSITION=5
DEFAULT=1
MODE=RWI
#! Power down for HFPAD
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHA_MIXB_LOBUFF_PD3
POSITION=4
DEFAULT=1
MODE=RWI
#! Power down for MIXB LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHA_MIXB_BIAS_PD3
POSITION=3
DEFAULT=1
MODE=RWI
#! Power down for MIXB bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHA_MIXA_LOBUFF_PD3
POSITION=2
DEFAULT=1
MODE=RWI
#! Power down for MIXA LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHA_MIXA_BIAS_PD3
POSITION=1
DEFAULT=1
MODE=RWI
#! Power down for MIXA bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHA_LNA_PD3
POSITION=0
DEFAULT=1
MODE=RWI
#! Power down for LNA
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
ENDREGISTER
REGISTER CHA_LNA_CTRL0 0x1008
BITFIELD CHA_LNA_ICT_LIN0<4:0>
POSITION=<15:11>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of linearization section of LNA
#! I = Inom * CHA_LNA_ICT_LIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHA_LNA_ICT_MAIN0<4:0>
POSITION=<10:6>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of main gm section of LNA
#! I = Inom * CHA_LNA_ICT_MAIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHA_LNA_CGSCTRL0<1:0>
POSITION=<5:4>
DEFAULT=10
MODE=RWI
ENDBITFIELD
BITFIELD CHA_LNA_GCTRL0<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHA_LNA_CTRL1 0x1009
BITFIELD CHA_LNA_ICT_LIN1<4:0>
POSITION=<15:11>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of linearization section of LNA
#! I = Inom * CHA_LNA_ICT_LIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHA_LNA_ICT_MAIN1<4:0>
POSITION=<10:6>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of main gm section of LNA
#! I = Inom * CHA_LNA_ICT_MAIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHA_LNA_CGSCTRL1<1:0>
POSITION=<5:4>
DEFAULT=10
MODE=RWI
ENDBITFIELD
BITFIELD CHA_LNA_GCTRL1<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHA_LNA_CTRL2 0x100A
BITFIELD CHA_LNA_ICT_LIN2<4:0>
POSITION=<15:11>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of linearization section of LNA
#! I = Inom * CHA_LNA_ICT_LIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHA_LNA_ICT_MAIN2<4:0>
POSITION=<10:6>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of main gm section of LNA
#! I = Inom * CHA_LNA_ICT_MAIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHA_LNA_CGSCTRL2<1:0>
POSITION=<5:4>
DEFAULT=10
MODE=RWI
ENDBITFIELD
BITFIELD CHA_LNA_GCTRL2<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHA_LNA_CTRL3 0x100B
BITFIELD CHA_LNA_ICT_LIN3<4:0>
POSITION=<15:11>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of linearization section of LNA
#! I = Inom * CHA_LNA_ICT_LIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHA_LNA_ICT_MAIN3<4:0>
POSITION=<10:6>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of main gm section of LNA
#! I = Inom * CHA_LNA_ICT_MAIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHA_LNA_CGSCTRL3<1:0>
POSITION=<5:4>
DEFAULT=10
MODE=RWI
ENDBITFIELD
BITFIELD CHA_LNA_GCTRL3<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHA_PA_CTRL0 0x100C
BITFIELD CHA_PA_LIN_LOSS0<3:0>
POSITION=<7:4>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD linearizing section
#! Pout = Pout_max - Loss
ENDBITFIELD
BITFIELD CHA_PA_MAIN_LOSS0<3:0>
POSITION=<3:0>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD main section
#! Pout = Pout_max - Loss
ENDBITFIELD
ENDREGISTER
REGISTER CHA_PA_CTRL1 0x100D
BITFIELD CHA_PA_LIN_LOSS1<3:0>
POSITION=<7:4>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD linearizing section
#! Pout = Pout_max - Loss
ENDBITFIELD
BITFIELD CHA_PA_MAIN_LOSS1<3:0>
POSITION=<3:0>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD main section
#! Pout = Pout_max - Loss
ENDBITFIELD
ENDREGISTER
REGISTER CHA_PA_CTRL2 0x100E
BITFIELD CHA_PA_LIN_LOSS2<3:0>
POSITION=<7:4>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD linearizing section
#! Pout = Pout_max - Loss
ENDBITFIELD
BITFIELD CHA_PA_MAIN_LOSS2<3:0>
POSITION=<3:0>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD main section
#! Pout = Pout_max - Loss
ENDBITFIELD
ENDREGISTER
REGISTER CHA_PA_CTRL3 0x100F
BITFIELD CHA_PA_LIN_LOSS3<3:0>
POSITION=<7:4>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD linearizing section
#! Pout = Pout_max - Loss
ENDBITFIELD
BITFIELD CHA_PA_MAIN_LOSS3<3:0>
POSITION=<3:0>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD main section
#! Pout = Pout_max - Loss
ENDBITFIELD
ENDREGISTER
REGISTER CHA_PD_SEL0 0x1010
BITFIELD CHA_PD_SEL0_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD CHA_PD_SEL0_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD CHA_PD_SEL0_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHA_PD_SEL1 0x1011
BITFIELD CHA_PD_SEL1_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD CHA_PD_SEL1_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD CHA_PD_SEL1_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHA_LNA_SEL0 0x1012
BITFIELD CHA_LNA_SEL0_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD CHA_LNA_SEL0_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD CHA_LNA_SEL0_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHA_LNA_SEL1 0x1013
BITFIELD CHA_LNA_SEL1_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD CHA_LNA_SEL1_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD CHA_LNA_SEL1_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHA_PA_SEL0 0x1014
BITFIELD CHA_PA_SEL0_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD CHA_PA_SEL0_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD CHA_PA_SEL0_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHA_PA_SEL1 0x1015
BITFIELD CHA_PA_SEL1_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD CHA_PA_SEL1_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD CHA_PA_SEL1_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHA_INT_SEL 0x1016
BITFIELD CHA_PA_INT_SEL<1:0>
POSITION=<5:4>
DEFAULT=00
MODE=RWI
ENDBITFIELD
BITFIELD CHA_LNA_INT_SEL<1:0>
POSITION=<3:2>
DEFAULT=00
MODE=RWI
ENDBITFIELD
BITFIELD CHA_PD_INT_SEL<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHA_PD_RB 0x101D
BITFIELD CHA_PA_R50_EN_RB
POSITION=7
DEFAULT=CHA_PA_R50_EN0
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHA_PA_BYPASS_RB
POSITION=6
DEFAULT=CHA_PA_BYPASS
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHA_PA_PD_RB
POSITION=5
DEFAULT=CHA_PA_PD
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHA_MIXB_LOBUFF_PD_RB
POSITION=4
DEFAULT=CHA_MIXB_LOBUFF_PD
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHA_MIXB_BIAS_PD_RB
POSITION=3
DEFAULT=CHA_MIXB_BIAS_PD
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHA_MIXA_LOBUFF_PD_RB
POSITION=2
DEFAULT=CHA_MIXA_LOBUFF_PD
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHA_MIXA_BIAS_PD_RB
POSITION=1
DEFAULT=CHA_MIXA_BIAS_PD
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHA_LNA_PD_RB
POSITION=0
DEFAULT=CHA_LNA_PD
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
ENDREGISTER
REGISTER CHA_LNA_CTRL_RB 0x101E
BITFIELD CHA_LNA_ICT_LIN_RB<4:0>
POSITION=<15:11>
DEFAULT=CHA_LNA_ICT_LIN<4:0>
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHA_LNA_ICT_MAIN_RB<4:0>
POSITION=<10:6>
DEFAULT=CHA_LNA_ICT_MAIN<4:0>
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHA_LNA_CGSCTRL_RB<1:0>
POSITION=<5:4>
DEFAULT=CHA_LNA_CGSCTRL<1:0>
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHA_LNA_GCTRL_RB<3:0>
POSITION=<3:0>
DEFAULT=CHA_LNA_GCTRL<3:0>
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
ENDREGISTER
REGISTER CHA_PA_CTRL_RB 0x101F
BITFIELD CHA_PA_LIN_LOSS_RB<3:0>
POSITION=<7:4>
DEFAULT=CHA_PA_LIN_LOSS<3:0>
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHA_PA_MAIN_LOSS_RB<3:0>
POSITION=<3:0>
DEFAULT=CHA_PA_MAIN_LOSS<3:0>
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
ENDREGISTER
REGISTER CHB_MIX_ICT 0x1020
BITFIELD CHB_MIXB_ICT<4:0>
POSITION=<9:5>
DEFAULT=10000
MODE=RW
#! Controls the bias current of polarization circuit
#! I = Inom * CHB_MIXB_ICT/16
#! Default : 16
ENDBITFIELD
BITFIELD CHB_MIXA_ICT<4:0>
POSITION=<4:0>
DEFAULT=10000
MODE=RW
#! Controls the bias current of polarization circuit
#! I = Inom * CHB_MIXA_ICT/16
#! Default : 16
ENDBITFIELD
ENDREGISTER
REGISTER CHB_HFPAD_ICT 0x1021
BITFIELD CHB_PA_ILIN2X
POSITION=10
DEFAULT=0
MODE=RW
#! Double the linearization bias current
#! 0 - Ilin * 1
#! 1 - Ilin * 2
#! Default : 0
ENDBITFIELD
BITFIELD CHB_PA_ICT_LIN<4:0>
POSITION=<9:5>
DEFAULT=10000
MODE=RW
#! Controls the bias current of linearization section of HFPAD
#! I = Inom * CHB_PA_ICT_LIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHB_PA_ICT_MAIN<4:0>
POSITION=<4:0>
DEFAULT=10000
MODE=RW
#! Controls the bias current of main gm section of HFPAD
#! I = Inom * CHB_MIXA_ICT/16
#! Default : 16
ENDBITFIELD
ENDREGISTER
REGISTER CHB_PD0 0x1024
BITFIELD CHB_PA_R50_EN0
POSITION=7
DEFAULT=1
MODE=RWI
#! Controls the switch in series with 50 Ohm resistor to ground at HFPAD input.
#! 0 - Switch is open
#! 1 - Switch is closed
ENDBITFIELD
BITFIELD CHB_PA_BYPASS0
POSITION=6
DEFAULT=0
MODE=RWI
#! Controls the HFPAD bypass switches.
#! 0 - HFPAD in not bypassed
#! 1 - HFPAD is bypassed
#! Note : HFPAD must be manually disabled when bypassed.
ENDBITFIELD
BITFIELD CHB_PA_PD0
POSITION=5
DEFAULT=1
MODE=RWI
#! Power down for HFPAD
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHB_MIXB_LOBUFF_PD0
POSITION=4
DEFAULT=1
MODE=RWI
#! Power down for MIXB LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHB_MIXB_BIAS_PD0
POSITION=3
DEFAULT=1
MODE=RWI
#! Power down for MIXB bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHB_MIXA_LOBUFF_PD0
POSITION=2
DEFAULT=1
MODE=RWI
#! Power down for MIXA LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHB_MIXA_BIAS_PD0
POSITION=1
DEFAULT=1
MODE=RWI
#! Power down for MIXA bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHB_LNA_PD0
POSITION=0
DEFAULT=1
MODE=RWI
#! Power down for LNA
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
ENDREGISTER
REGISTER CHB_PD1 0x1025
BITFIELD CHB_PA_R50_EN1
POSITION=7
DEFAULT=1
MODE=RWI
#! Controls the switch in series with 50 Ohm resistor to ground at HFPAD input.
#! 0 - Switch is open
#! 1 - Switch is closed
ENDBITFIELD
BITFIELD CHB_PA_BYPASS1
POSITION=6
DEFAULT=0
MODE=RWI
#! Controls the HFPAD bypass switches.
#! 0 - HFPAD in not bypassed
#! 1 - HFPAD is bypassed
#! Note : HFPAD must be manually disabled when bypassed.
ENDBITFIELD
BITFIELD CHB_PA_PD1
POSITION=5
DEFAULT=1
MODE=RWI
#! Power down for HFPAD
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHB_MIXB_LOBUFF_PD1
POSITION=4
DEFAULT=1
MODE=RWI
#! Power down for MIXB LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHB_MIXB_BIAS_PD1
POSITION=3
DEFAULT=1
MODE=RWI
#! Power down for MIXB bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHB_MIXA_LOBUFF_PD1
POSITION=2
DEFAULT=1
MODE=RWI
#! Power down for MIXA LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHB_MIXA_BIAS_PD1
POSITION=1
DEFAULT=1
MODE=RWI
#! Power down for MIXA bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHB_LNA_PD1
POSITION=0
DEFAULT=1
MODE=RWI
#! Power down for LNA
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
ENDREGISTER
REGISTER CHB_PD2 0x1026
BITFIELD CHB_PA_R50_EN2
POSITION=7
DEFAULT=1
MODE=RWI
#! Controls the switch in series with 50 Ohm resistor to ground at HFPAD input.
#! 0 - Switch is open
#! 1 - Switch is closed
ENDBITFIELD
BITFIELD CHB_PA_BYPASS2
POSITION=6
DEFAULT=0
MODE=RWI
#! Controls the HFPAD bypass switches.
#! 0 - HFPAD in not bypassed
#! 1 - HFPAD is bypassed
#! Note : HFPAD must be manually disabled when bypassed.
ENDBITFIELD
BITFIELD CHB_PA_PD2
POSITION=5
DEFAULT=1
MODE=RWI
#! Power down for HFPAD
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHB_MIXB_LOBUFF_PD2
POSITION=4
DEFAULT=1
MODE=RWI
#! Power down for MIXB LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHB_MIXB_BIAS_PD2
POSITION=3
DEFAULT=1
MODE=RWI
#! Power down for MIXB bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHB_MIXA_LOBUFF_PD2
POSITION=2
DEFAULT=1
MODE=RWI
#! Power down for MIXA LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHB_MIXA_BIAS_PD2
POSITION=1
DEFAULT=1
MODE=RWI
#! Power down for MIXA bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHB_LNA_PD2
POSITION=0
DEFAULT=1
MODE=RWI
#! Power down for LNA
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
ENDREGISTER
REGISTER CHB_PD3 0x1027
BITFIELD CHB_PA_R50_EN3
POSITION=7
DEFAULT=1
MODE=RWI
#! Controls the switch in series with 50 Ohm resistor to ground at HFPAD input.
#! 0 - Switch is open
#! 1 - Switch is closed
ENDBITFIELD
BITFIELD CHB_PA_BYPASS3
POSITION=6
DEFAULT=0
MODE=RWI
#! Controls the HFPAD bypass switches.
#! 0 - HFPAD in not bypassed
#! 1 - HFPAD is bypassed
#! Note : HFPAD must be manually disabled when bypassed.
ENDBITFIELD
BITFIELD CHB_PA_PD3
POSITION=5
DEFAULT=1
MODE=RWI
#! Power down for HFPAD
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHB_MIXB_LOBUFF_PD3
POSITION=4
DEFAULT=1
MODE=RWI
#! Power down for MIXB LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHB_MIXB_BIAS_PD3
POSITION=3
DEFAULT=1
MODE=RWI
#! Power down for MIXB bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHB_MIXA_LOBUFF_PD3
POSITION=2
DEFAULT=1
MODE=RWI
#! Power down for MIXA LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHB_MIXA_BIAS_PD3
POSITION=1
DEFAULT=1
MODE=RWI
#! Power down for MIXA bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHB_LNA_PD3
POSITION=0
DEFAULT=1
MODE=RWI
#! Power down for LNA
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
ENDREGISTER
REGISTER CHB_LNA_CTRL0 0x1028
BITFIELD CHB_LNA_ICT_LIN0<4:0>
POSITION=<15:11>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of linearization section of LNA
#! I = Inom * CHB_LNA_ICT_LIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHB_LNA_ICT_MAIN0<4:0>
POSITION=<10:6>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of main gm section of LNA
#! I = Inom * CHB_LNA_ICT_MAIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHB_LNA_CGSCTRL0<1:0>
POSITION=<5:4>
DEFAULT=10
MODE=RWI
ENDBITFIELD
BITFIELD CHB_LNA_GCTRL0<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHB_LNA_CTRL1 0x1029
BITFIELD CHB_LNA_ICT_LIN1<4:0>
POSITION=<15:11>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of linearization section of LNA
#! I = Inom * CHB_LNA_ICT_LIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHB_LNA_ICT_MAIN1<4:0>
POSITION=<10:6>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of main gm section of LNA
#! I = Inom * CHB_LNA_ICT_MAIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHB_LNA_CGSCTRL1<1:0>
POSITION=<5:4>
DEFAULT=10
MODE=RWI
ENDBITFIELD
BITFIELD CHB_LNA_GCTRL1<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHB_LNA_CTRL2 0x102A
BITFIELD CHB_LNA_ICT_LIN2<4:0>
POSITION=<15:11>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of linearization section of LNA
#! I = Inom * CHB_LNA_ICT_LIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHB_LNA_ICT_MAIN2<4:0>
POSITION=<10:6>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of main gm section of LNA
#! I = Inom * CHB_LNA_ICT_MAIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHB_LNA_CGSCTRL2<1:0>
POSITION=<5:4>
DEFAULT=10
MODE=RWI
ENDBITFIELD
BITFIELD CHB_LNA_GCTRL2<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHB_LNA_CTRL3 0x102B
BITFIELD CHB_LNA_ICT_LIN3<4:0>
POSITION=<15:11>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of linearization section of LNA
#! I = Inom * CHB_LNA_ICT_LIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHB_LNA_ICT_MAIN3<4:0>
POSITION=<10:6>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of main gm section of LNA
#! I = Inom * CHB_LNA_ICT_MAIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHB_LNA_CGSCTRL3<1:0>
POSITION=<5:4>
DEFAULT=10
MODE=RWI
ENDBITFIELD
BITFIELD CHB_LNA_GCTRL3<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHB_PA_CTRL0 0x102C
BITFIELD CHB_PA_LIN_LOSS0<3:0>
POSITION=<7:4>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD linearizing section
#! Pout = Pout_max - Loss
ENDBITFIELD
BITFIELD CHB_PA_MAIN_LOSS0<3:0>
POSITION=<3:0>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD main section
#! Pout = Pout_max - Loss
ENDBITFIELD
ENDREGISTER
REGISTER CHB_PA_CTRL1 0x102D
BITFIELD CHB_PA_LIN_LOSS1<3:0>
POSITION=<7:4>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD linearizing section
#! Pout = Pout_max - Loss
ENDBITFIELD
BITFIELD CHB_PA_MAIN_LOSS1<3:0>
POSITION=<3:0>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD main section
#! Pout = Pout_max - Loss
ENDBITFIELD
ENDREGISTER
REGISTER CHB_PA_CTRL2 0x102E
BITFIELD CHB_PA_LIN_LOSS2<3:0>
POSITION=<7:4>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD linearizing section
#! Pout = Pout_max - Loss
ENDBITFIELD
BITFIELD CHB_PA_MAIN_LOSS2<3:0>
POSITION=<3:0>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD main section
#! Pout = Pout_max - Loss
ENDBITFIELD
ENDREGISTER
REGISTER CHB_PA_CTRL3 0x102F
BITFIELD CHB_PA_LIN_LOSS3<3:0>
POSITION=<7:4>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD linearizing section
#! Pout = Pout_max - Loss
ENDBITFIELD
BITFIELD CHB_PA_MAIN_LOSS3<3:0>
POSITION=<3:0>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD main section
#! Pout = Pout_max - Loss
ENDBITFIELD
ENDREGISTER
REGISTER CHB_PD_SEL0 0x1030
BITFIELD CHB_PD_SEL0_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD CHB_PD_SEL0_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD CHB_PD_SEL0_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHB_PD_SEL1 0x1031
BITFIELD CHB_PD_SEL1_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD CHB_PD_SEL1_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD CHB_PD_SEL1_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHB_LNA_SEL0 0x1032
BITFIELD CHB_LNA_SEL0_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD CHB_LNA_SEL0_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD CHB_LNA_SEL0_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHB_LNA_SEL1 0x1033
BITFIELD CHB_LNA_SEL1_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD CHB_LNA_SEL1_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD CHB_LNA_SEL1_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHB_PA_SEL0 0x1034
BITFIELD CHB_PA_SEL0_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD CHB_PA_SEL0_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD CHB_PA_SEL0_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHB_PA_SEL1 0x1035
BITFIELD CHB_PA_SEL1_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD CHB_PA_SEL1_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD CHB_PA_SEL1_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHB_INT_SEL 0x1036
BITFIELD CHB_PA_INT_SEL<1:0>
POSITION=<5:4>
DEFAULT=00
MODE=RWI
ENDBITFIELD
BITFIELD CHB_LNA_INT_SEL<1:0>
POSITION=<3:2>
DEFAULT=00
MODE=RWI
ENDBITFIELD
BITFIELD CHB_PD_INT_SEL<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHB_PD_RB 0x103D
BITFIELD CHB_PA_R50_EN_RB
POSITION=7
DEFAULT=CHB_PA_R50_EN0
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHB_PA_BYPASS_RB
POSITION=6
DEFAULT=CHB_PA_BYPASS
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHB_PA_PD_RB
POSITION=5
DEFAULT=CHB_PA_PD
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHB_MIXB_LOBUFF_PD_RB
POSITION=4
DEFAULT=CHB_MIXB_LOBUFF_PD
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHB_MIXB_BIAS_PD_RB
POSITION=3
DEFAULT=CHB_MIXB_BIAS_PD
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHB_MIXA_LOBUFF_PD_RB
POSITION=2
DEFAULT=CHB_MIXA_LOBUFF_PD
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHB_MIXA_BIAS_PD_RB
POSITION=1
DEFAULT=CHB_MIXA_BIAS_PD
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHB_LNA_PD_RB
POSITION=0
DEFAULT=CHB_LNA_PD
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
ENDREGISTER
REGISTER CHB_LNA_CTRL_RB 0x103E
BITFIELD CHB_LNA_ICT_LIN_RB<4:0>
POSITION=<15:11>
DEFAULT=CHB_LNA_ICT_LIN<4:0>
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHB_LNA_ICT_MAIN_RB<4:0>
POSITION=<10:6>
DEFAULT=CHB_LNA_ICT_MAIN<4:0>
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHB_LNA_CGSCTRL_RB<1:0>
POSITION=<5:4>
DEFAULT=CHB_LNA_CGSCTRL<1:0>
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHB_LNA_GCTRL_RB<3:0>
POSITION=<3:0>
DEFAULT=CHB_LNA_GCTRL<3:0>
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
ENDREGISTER
REGISTER CHB_PA_CTRL_RB 0x103F
BITFIELD CHB_PA_LIN_LOSS_RB<3:0>
POSITION=<7:4>
DEFAULT=CHB_PA_LIN_LOSS<3:0>
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHB_PA_MAIN_LOSS_RB<3:0>
POSITION=<3:0>
DEFAULT=CHB_PA_MAIN_LOSS<3:0>
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
ENDREGISTER
REGISTER CHC_MIX_ICT 0x1040
BITFIELD CHC_MIXB_ICT<4:0>
POSITION=<9:5>
DEFAULT=10000
MODE=RW
#! Controls the bias current of polarization circuit
#! I = Inom * CHC_MIXB_ICT/16
#! Default : 16
ENDBITFIELD
BITFIELD CHC_MIXA_ICT<4:0>
POSITION=<4:0>
DEFAULT=10000
MODE=RW
#! Controls the bias current of polarization circuit
#! I = Inom * CHC_MIXA_ICT/16
#! Default : 16
ENDBITFIELD
ENDREGISTER
REGISTER CHC_HFPAD_ICT 0x1041
BITFIELD CHC_PA_ILIN2X
POSITION=10
DEFAULT=0
MODE=RW
#! Double the linearization bias current
#! 0 - Ilin * 1
#! 1 - Ilin * 2
#! Default : 0
ENDBITFIELD
BITFIELD CHC_PA_ICT_LIN<4:0>
POSITION=<9:5>
DEFAULT=10000
MODE=RW
#! Controls the bias current of linearization section of HFPAD
#! I = Inom * CHC_PA_ICT_LIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHC_PA_ICT_MAIN<4:0>
POSITION=<4:0>
DEFAULT=10000
MODE=RW
#! Controls the bias current of main gm section of HFPAD
#! I = Inom * CHC_MIXA_ICT/16
#! Default : 16
ENDBITFIELD
ENDREGISTER
REGISTER CHC_PD0 0x1044
BITFIELD CHC_PA_R50_EN0
POSITION=7
DEFAULT=1
MODE=RWI
#! Controls the switch in series with 50 Ohm resistor to ground at HFPAD input.
#! 0 - Switch is open
#! 1 - Switch is closed
ENDBITFIELD
BITFIELD CHC_PA_BYPASS0
POSITION=6
DEFAULT=0
MODE=RWI
#! Controls the HFPAD bypass switches.
#! 0 - HFPAD in not bypassed
#! 1 - HFPAD is bypassed
#! Note : HFPAD must be manually disabled when bypassed.
ENDBITFIELD
BITFIELD CHC_PA_PD0
POSITION=5
DEFAULT=1
MODE=RWI
#! Power down for HFPAD
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHC_MIXB_LOBUFF_PD0
POSITION=4
DEFAULT=1
MODE=RWI
#! Power down for MIXB LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHC_MIXB_BIAS_PD0
POSITION=3
DEFAULT=1
MODE=RWI
#! Power down for MIXB bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHC_MIXA_LOBUFF_PD0
POSITION=2
DEFAULT=1
MODE=RWI
#! Power down for MIXA LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHC_MIXA_BIAS_PD0
POSITION=1
DEFAULT=1
MODE=RWI
#! Power down for MIXA bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHC_LNA_PD0
POSITION=0
DEFAULT=1
MODE=RWI
#! Power down for LNA
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
ENDREGISTER
REGISTER CHC_PD1 0x1045
BITFIELD CHC_PA_R50_EN1
POSITION=7
DEFAULT=1
MODE=RWI
#! Controls the switch in series with 50 Ohm resistor to ground at HFPAD input.
#! 0 - Switch is open
#! 1 - Switch is closed
ENDBITFIELD
BITFIELD CHC_PA_BYPASS1
POSITION=6
DEFAULT=0
MODE=RWI
#! Controls the HFPAD bypass switches.
#! 0 - HFPAD in not bypassed
#! 1 - HFPAD is bypassed
#! Note : HFPAD must be manually disabled when bypassed.
ENDBITFIELD
BITFIELD CHC_PA_PD1
POSITION=5
DEFAULT=1
MODE=RWI
#! Power down for HFPAD
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHC_MIXB_LOBUFF_PD1
POSITION=4
DEFAULT=1
MODE=RWI
#! Power down for MIXB LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHC_MIXB_BIAS_PD1
POSITION=3
DEFAULT=1
MODE=RWI
#! Power down for MIXB bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHC_MIXA_LOBUFF_PD1
POSITION=2
DEFAULT=1
MODE=RWI
#! Power down for MIXA LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHC_MIXA_BIAS_PD1
POSITION=1
DEFAULT=1
MODE=RWI
#! Power down for MIXA bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHC_LNA_PD1
POSITION=0
DEFAULT=1
MODE=RWI
#! Power down for LNA
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
ENDREGISTER
REGISTER CHC_PD2 0x1046
BITFIELD CHC_PA_R50_EN2
POSITION=7
DEFAULT=1
MODE=RWI
#! Controls the switch in series with 50 Ohm resistor to ground at HFPAD input.
#! 0 - Switch is open
#! 1 - Switch is closed
ENDBITFIELD
BITFIELD CHC_PA_BYPASS2
POSITION=6
DEFAULT=0
MODE=RWI
#! Controls the HFPAD bypass switches.
#! 0 - HFPAD in not bypassed
#! 1 - HFPAD is bypassed
#! Note : HFPAD must be manually disabled when bypassed.
ENDBITFIELD
BITFIELD CHC_PA_PD2
POSITION=5
DEFAULT=1
MODE=RWI
#! Power down for HFPAD
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHC_MIXB_LOBUFF_PD2
POSITION=4
DEFAULT=1
MODE=RWI
#! Power down for MIXB LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHC_MIXB_BIAS_PD2
POSITION=3
DEFAULT=1
MODE=RWI
#! Power down for MIXB bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHC_MIXA_LOBUFF_PD2
POSITION=2
DEFAULT=1
MODE=RWI
#! Power down for MIXA LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHC_MIXA_BIAS_PD2
POSITION=1
DEFAULT=1
MODE=RWI
#! Power down for MIXA bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHC_LNA_PD2
POSITION=0
DEFAULT=1
MODE=RWI
#! Power down for LNA
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
ENDREGISTER
REGISTER CHC_PD3 0x1047
BITFIELD CHC_PA_R50_EN3
POSITION=7
DEFAULT=1
MODE=RWI
#! Controls the switch in series with 50 Ohm resistor to ground at HFPAD input.
#! 0 - Switch is open
#! 1 - Switch is closed
ENDBITFIELD
BITFIELD CHC_PA_BYPASS3
POSITION=6
DEFAULT=0
MODE=RWI
#! Controls the HFPAD bypass switches.
#! 0 - HFPAD in not bypassed
#! 1 - HFPAD is bypassed
#! Note : HFPAD must be manually disabled when bypassed.
ENDBITFIELD
BITFIELD CHC_PA_PD3
POSITION=5
DEFAULT=1
MODE=RWI
#! Power down for HFPAD
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHC_MIXB_LOBUFF_PD3
POSITION=4
DEFAULT=1
MODE=RWI
#! Power down for MIXB LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHC_MIXB_BIAS_PD3
POSITION=3
DEFAULT=1
MODE=RWI
#! Power down for MIXB bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHC_MIXA_LOBUFF_PD3
POSITION=2
DEFAULT=1
MODE=RWI
#! Power down for MIXA LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHC_MIXA_BIAS_PD3
POSITION=1
DEFAULT=1
MODE=RWI
#! Power down for MIXA bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHC_LNA_PD3
POSITION=0
DEFAULT=1
MODE=RWI
#! Power down for LNA
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
ENDREGISTER
REGISTER CHC_LNA_CTRL0 0x1048
BITFIELD CHC_LNA_ICT_LIN0<4:0>
POSITION=<15:11>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of linearization section of LNA
#! I = Inom * CHC_LNA_ICT_LIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHC_LNA_ICT_MAIN0<4:0>
POSITION=<10:6>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of main gm section of LNA
#! I = Inom * CHC_LNA_ICT_MAIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHC_LNA_CGSCTRL0<1:0>
POSITION=<5:4>
DEFAULT=10
MODE=RWI
ENDBITFIELD
BITFIELD CHC_LNA_GCTRL0<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHC_LNA_CTRL1 0x1049
BITFIELD CHC_LNA_ICT_LIN1<4:0>
POSITION=<15:11>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of linearization section of LNA
#! I = Inom * CHC_LNA_ICT_LIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHC_LNA_ICT_MAIN1<4:0>
POSITION=<10:6>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of main gm section of LNA
#! I = Inom * CHC_LNA_ICT_MAIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHC_LNA_CGSCTRL1<1:0>
POSITION=<5:4>
DEFAULT=10
MODE=RWI
ENDBITFIELD
BITFIELD CHC_LNA_GCTRL1<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHC_LNA_CTRL2 0x104A
BITFIELD CHC_LNA_ICT_LIN2<4:0>
POSITION=<15:11>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of linearization section of LNA
#! I = Inom * CHC_LNA_ICT_LIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHC_LNA_ICT_MAIN2<4:0>
POSITION=<10:6>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of main gm section of LNA
#! I = Inom * CHC_LNA_ICT_MAIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHC_LNA_CGSCTRL2<1:0>
POSITION=<5:4>
DEFAULT=10
MODE=RWI
ENDBITFIELD
BITFIELD CHC_LNA_GCTRL2<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHC_LNA_CTRL3 0x104B
BITFIELD CHC_LNA_ICT_LIN3<4:0>
POSITION=<15:11>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of linearization section of LNA
#! I = Inom * CHC_LNA_ICT_LIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHC_LNA_ICT_MAIN3<4:0>
POSITION=<10:6>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of main gm section of LNA
#! I = Inom * CHC_LNA_ICT_MAIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHC_LNA_CGSCTRL3<1:0>
POSITION=<5:4>
DEFAULT=10
MODE=RWI
ENDBITFIELD
BITFIELD CHC_LNA_GCTRL3<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHC_PA_CTRL0 0x104C
BITFIELD CHC_PA_LIN_LOSS0<3:0>
POSITION=<7:4>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD linearizing section
#! Pout = Pout_max - Loss
ENDBITFIELD
BITFIELD CHC_PA_MAIN_LOSS0<3:0>
POSITION=<3:0>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD main section
#! Pout = Pout_max - Loss
ENDBITFIELD
ENDREGISTER
REGISTER CHC_PA_CTRL1 0x104D
BITFIELD CHC_PA_LIN_LOSS1<3:0>
POSITION=<7:4>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD linearizing section
#! Pout = Pout_max - Loss
ENDBITFIELD
BITFIELD CHC_PA_MAIN_LOSS1<3:0>
POSITION=<3:0>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD main section
#! Pout = Pout_max - Loss
ENDBITFIELD
ENDREGISTER
REGISTER CHC_PA_CTRL2 0x104E
BITFIELD CHC_PA_LIN_LOSS2<3:0>
POSITION=<7:4>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD linearizing section
#! Pout = Pout_max - Loss
ENDBITFIELD
BITFIELD CHC_PA_MAIN_LOSS2<3:0>
POSITION=<3:0>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD main section
#! Pout = Pout_max - Loss
ENDBITFIELD
ENDREGISTER
REGISTER CHC_PA_CTRL3 0x104F
BITFIELD CHC_PA_LIN_LOSS3<3:0>
POSITION=<7:4>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD linearizing section
#! Pout = Pout_max - Loss
ENDBITFIELD
BITFIELD CHC_PA_MAIN_LOSS3<3:0>
POSITION=<3:0>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD main section
#! Pout = Pout_max - Loss
ENDBITFIELD
ENDREGISTER
REGISTER CHC_PD_SEL0 0x1050
BITFIELD CHC_PD_SEL0_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD CHC_PD_SEL0_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD CHC_PD_SEL0_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHC_PD_SEL1 0x1051
BITFIELD CHC_PD_SEL1_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD CHC_PD_SEL1_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD CHC_PD_SEL1_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHC_LNA_SEL0 0x1052
BITFIELD CHC_LNA_SEL0_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD CHC_LNA_SEL0_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD CHC_LNA_SEL0_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHC_LNA_SEL1 0x1053
BITFIELD CHC_LNA_SEL1_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD CHC_LNA_SEL1_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD CHC_LNA_SEL1_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHC_PA_SEL0 0x1054
BITFIELD CHC_PA_SEL0_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD CHC_PA_SEL0_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD CHC_PA_SEL0_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHC_PA_SEL1 0x1055
BITFIELD CHC_PA_SEL1_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD CHC_PA_SEL1_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD CHC_PA_SEL1_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHC_INT_SEL 0x1056
BITFIELD CHC_PA_INT_SEL<1:0>
POSITION=<5:4>
DEFAULT=00
MODE=RWI
ENDBITFIELD
BITFIELD CHC_LNA_INT_SEL<1:0>
POSITION=<3:2>
DEFAULT=00
MODE=RWI
ENDBITFIELD
BITFIELD CHC_PD_INT_SEL<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHC_PD_RB 0x105D
BITFIELD CHC_PA_R50_EN_RB
POSITION=7
DEFAULT=CHC_PA_R50_EN0
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHC_PA_BYPASS_RB
POSITION=6
DEFAULT=CHC_PA_BYPASS
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHC_PA_PD_RB
POSITION=5
DEFAULT=CHC_PA_PD
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHC_MIXB_LOBUFF_PD_RB
POSITION=4
DEFAULT=CHC_MIXB_LOBUFF_PD
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHC_MIXB_BIAS_PD_RB
POSITION=3
DEFAULT=CHC_MIXB_BIAS_PD
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHC_MIXA_LOBUFF_PD_RB
POSITION=2
DEFAULT=CHC_MIXA_LOBUFF_PD
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHC_MIXA_BIAS_PD_RB
POSITION=1
DEFAULT=CHC_MIXA_BIAS_PD
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHC_LNA_PD_RB
POSITION=0
DEFAULT=CHC_LNA_PD
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
ENDREGISTER
REGISTER CHC_LNA_CTRL_RB 0x105E
BITFIELD CHC_LNA_ICT_LIN_RB<4:0>
POSITION=<15:11>
DEFAULT=CHC_LNA_ICT_LIN<4:0>
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHC_LNA_ICT_MAIN_RB<4:0>
POSITION=<10:6>
DEFAULT=CHC_LNA_ICT_MAIN<4:0>
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHC_LNA_CGSCTRL_RB<1:0>
POSITION=<5:4>
DEFAULT=CHC_LNA_CGSCTRL<1:0>
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHC_LNA_GCTRL_RB<3:0>
POSITION=<3:0>
DEFAULT=CHC_LNA_GCTRL<3:0>
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
ENDREGISTER
REGISTER CHC_PA_CTRL_RB 0x105F
BITFIELD CHC_PA_LIN_LOSS_RB<3:0>
POSITION=<7:4>
DEFAULT=CHC_PA_LIN_LOSS<3:0>
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHC_PA_MAIN_LOSS_RB<3:0>
POSITION=<3:0>
DEFAULT=CHC_PA_MAIN_LOSS<3:0>
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
ENDREGISTER
REGISTER CHD_MIX_ICT 0x1060
BITFIELD CHD_MIXB_ICT<4:0>
POSITION=<9:5>
DEFAULT=10000
MODE=RW
#! Controls the bias current of polarization circuit
#! I = Inom * CHD_MIXB_ICT/16
#! Default : 16
ENDBITFIELD
BITFIELD CHD_MIXA_ICT<4:0>
POSITION=<4:0>
DEFAULT=10000
MODE=RW
#! Controls the bias current of polarization circuit
#! I = Inom * CHD_MIXA_ICT/16
#! Default : 16
ENDBITFIELD
ENDREGISTER
REGISTER CHD_HFPAD_ICT 0x1061
BITFIELD CHD_PA_ILIN2X
POSITION=10
DEFAULT=0
MODE=RW
#! Double the linearization bias current
#! 0 - Ilin * 1
#! 1 - Ilin * 2
#! Default : 0
ENDBITFIELD
BITFIELD CHD_PA_ICT_LIN<4:0>
POSITION=<9:5>
DEFAULT=10000
MODE=RW
#! Controls the bias current of linearization section of HFPAD
#! I = Inom * CHD_PA_ICT_LIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHD_PA_ICT_MAIN<4:0>
POSITION=<4:0>
DEFAULT=10000
MODE=RW
#! Controls the bias current of main gm section of HFPAD
#! I = Inom * CHD_MIXA_ICT/16
#! Default : 16
ENDBITFIELD
ENDREGISTER
REGISTER CHD_PD0 0x1064
BITFIELD CHD_PA_R50_EN0
POSITION=7
DEFAULT=1
MODE=RWI
#! Controls the switch in series with 50 Ohm resistor to ground at HFPAD input.
#! 0 - Switch is open
#! 1 - Switch is closed
ENDBITFIELD
BITFIELD CHD_PA_BYPASS0
POSITION=6
DEFAULT=0
MODE=RWI
#! Controls the HFPAD bypass switches.
#! 0 - HFPAD in not bypassed
#! 1 - HFPAD is bypassed
#! Note : HFPAD must be manually disabled when bypassed.
ENDBITFIELD
BITFIELD CHD_PA_PD0
POSITION=5
DEFAULT=1
MODE=RWI
#! Power down for HFPAD
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHD_MIXB_LOBUFF_PD0
POSITION=4
DEFAULT=1
MODE=RWI
#! Power down for MIXB LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHD_MIXB_BIAS_PD0
POSITION=3
DEFAULT=1
MODE=RWI
#! Power down for MIXB bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHD_MIXA_LOBUFF_PD0
POSITION=2
DEFAULT=1
MODE=RWI
#! Power down for MIXA LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHD_MIXA_BIAS_PD0
POSITION=1
DEFAULT=1
MODE=RWI
#! Power down for MIXA bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHD_LNA_PD0
POSITION=0
DEFAULT=1
MODE=RWI
#! Power down for LNA
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
ENDREGISTER
REGISTER CHD_PD1 0x1065
BITFIELD CHD_PA_R50_EN1
POSITION=7
DEFAULT=1
MODE=RWI
#! Controls the switch in series with 50 Ohm resistor to ground at HFPAD input.
#! 0 - Switch is open
#! 1 - Switch is closed
ENDBITFIELD
BITFIELD CHD_PA_BYPASS1
POSITION=6
DEFAULT=0
MODE=RWI
#! Controls the HFPAD bypass switches.
#! 0 - HFPAD in not bypassed
#! 1 - HFPAD is bypassed
#! Note : HFPAD must be manually disabled when bypassed.
ENDBITFIELD
BITFIELD CHD_PA_PD1
POSITION=5
DEFAULT=1
MODE=RWI
#! Power down for HFPAD
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHD_MIXB_LOBUFF_PD1
POSITION=4
DEFAULT=1
MODE=RWI
#! Power down for MIXB LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHD_MIXB_BIAS_PD1
POSITION=3
DEFAULT=1
MODE=RWI
#! Power down for MIXB bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHD_MIXA_LOBUFF_PD1
POSITION=2
DEFAULT=1
MODE=RWI
#! Power down for MIXA LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHD_MIXA_BIAS_PD1
POSITION=1
DEFAULT=1
MODE=RWI
#! Power down for MIXA bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHD_LNA_PD1
POSITION=0
DEFAULT=1
MODE=RWI
#! Power down for LNA
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
ENDREGISTER
REGISTER CHD_PD2 0x1066
BITFIELD CHD_PA_R50_EN2
POSITION=7
DEFAULT=1
MODE=RWI
#! Controls the switch in series with 50 Ohm resistor to ground at HFPAD input.
#! 0 - Switch is open
#! 1 - Switch is closed
ENDBITFIELD
BITFIELD CHD_PA_BYPASS2
POSITION=6
DEFAULT=0
MODE=RWI
#! Controls the HFPAD bypass switches.
#! 0 - HFPAD in not bypassed
#! 1 - HFPAD is bypassed
#! Note : HFPAD must be manually disabled when bypassed.
ENDBITFIELD
BITFIELD CHD_PA_PD2
POSITION=5
DEFAULT=1
MODE=RWI
#! Power down for HFPAD
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHD_MIXB_LOBUFF_PD2
POSITION=4
DEFAULT=1
MODE=RWI
#! Power down for MIXB LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHD_MIXB_BIAS_PD2
POSITION=3
DEFAULT=1
MODE=RWI
#! Power down for MIXB bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHD_MIXA_LOBUFF_PD2
POSITION=2
DEFAULT=1
MODE=RWI
#! Power down for MIXA LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHD_MIXA_BIAS_PD2
POSITION=1
DEFAULT=1
MODE=RWI
#! Power down for MIXA bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHD_LNA_PD2
POSITION=0
DEFAULT=1
MODE=RWI
#! Power down for LNA
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
ENDREGISTER
REGISTER CHD_PD3 0x1067
BITFIELD CHD_PA_R50_EN3
POSITION=7
DEFAULT=1
MODE=RWI
#! Controls the switch in series with 50 Ohm resistor to ground at HFPAD input.
#! 0 - Switch is open
#! 1 - Switch is closed
ENDBITFIELD
BITFIELD CHD_PA_BYPASS3
POSITION=6
DEFAULT=0
MODE=RWI
#! Controls the HFPAD bypass switches.
#! 0 - HFPAD in not bypassed
#! 1 - HFPAD is bypassed
#! Note : HFPAD must be manually disabled when bypassed.
ENDBITFIELD
BITFIELD CHD_PA_PD3
POSITION=5
DEFAULT=1
MODE=RWI
#! Power down for HFPAD
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHD_MIXB_LOBUFF_PD3
POSITION=4
DEFAULT=1
MODE=RWI
#! Power down for MIXB LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHD_MIXB_BIAS_PD3
POSITION=3
DEFAULT=1
MODE=RWI
#! Power down for MIXB bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHD_MIXA_LOBUFF_PD3
POSITION=2
DEFAULT=1
MODE=RWI
#! Power down for MIXA LO buffer
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHD_MIXA_BIAS_PD3
POSITION=1
DEFAULT=1
MODE=RWI
#! Power down for MIXA bias
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
BITFIELD CHD_LNA_PD3
POSITION=0
DEFAULT=1
MODE=RWI
#! Power down for LNA
#! 0 - Enabled
#! 1 - Powered down
ENDBITFIELD
ENDREGISTER
REGISTER CHD_LNA_CTRL0 0x1068
BITFIELD CHD_LNA_ICT_LIN0<4:0>
POSITION=<15:11>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of linearization section of LNA
#! I = Inom * CHD_LNA_ICT_LIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHD_LNA_ICT_MAIN0<4:0>
POSITION=<10:6>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of main gm section of LNA
#! I = Inom * CHD_LNA_ICT_MAIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHD_LNA_CGSCTRL0<1:0>
POSITION=<5:4>
DEFAULT=10
MODE=RWI
ENDBITFIELD
BITFIELD CHD_LNA_GCTRL0<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHD_LNA_CTRL1 0x1069
BITFIELD CHD_LNA_ICT_LIN1<4:0>
POSITION=<15:11>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of linearization section of LNA
#! I = Inom * CHD_LNA_ICT_LIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHD_LNA_ICT_MAIN1<4:0>
POSITION=<10:6>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of main gm section of LNA
#! I = Inom * CHD_LNA_ICT_MAIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHD_LNA_CGSCTRL1<1:0>
POSITION=<5:4>
DEFAULT=10
MODE=RWI
ENDBITFIELD
BITFIELD CHD_LNA_GCTRL1<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHD_LNA_CTRL2 0x106A
BITFIELD CHD_LNA_ICT_LIN2<4:0>
POSITION=<15:11>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of linearization section of LNA
#! I = Inom * CHD_LNA_ICT_LIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHD_LNA_ICT_MAIN2<4:0>
POSITION=<10:6>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of main gm section of LNA
#! I = Inom * CHD_LNA_ICT_MAIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHD_LNA_CGSCTRL2<1:0>
POSITION=<5:4>
DEFAULT=10
MODE=RWI
ENDBITFIELD
BITFIELD CHD_LNA_GCTRL2<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHD_LNA_CTRL3 0x106B
BITFIELD CHD_LNA_ICT_LIN3<4:0>
POSITION=<15:11>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of linearization section of LNA
#! I = Inom * CHD_LNA_ICT_LIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHD_LNA_ICT_MAIN3<4:0>
POSITION=<10:6>
DEFAULT=10000
MODE=RWI
#! Controls the bias current of main gm section of LNA
#! I = Inom * CHD_LNA_ICT_MAIN/16
#! Default : 16
ENDBITFIELD
BITFIELD CHD_LNA_CGSCTRL3<1:0>
POSITION=<5:4>
DEFAULT=10
MODE=RWI
ENDBITFIELD
BITFIELD CHD_LNA_GCTRL3<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHD_PA_CTRL0 0x106C
BITFIELD CHD_PA_LIN_LOSS0<3:0>
POSITION=<7:4>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD linearizing section
#! Pout = Pout_max - Loss
ENDBITFIELD
BITFIELD CHD_PA_MAIN_LOSS0<3:0>
POSITION=<3:0>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD main section
#! Pout = Pout_max - Loss
ENDBITFIELD
ENDREGISTER
REGISTER CHD_PA_CTRL1 0x106D
BITFIELD CHD_PA_LIN_LOSS1<3:0>
POSITION=<7:4>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD linearizing section
#! Pout = Pout_max - Loss
ENDBITFIELD
BITFIELD CHD_PA_MAIN_LOSS1<3:0>
POSITION=<3:0>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD main section
#! Pout = Pout_max - Loss
ENDBITFIELD
ENDREGISTER
REGISTER CHD_PA_CTRL2 0x106E
BITFIELD CHD_PA_LIN_LOSS2<3:0>
POSITION=<7:4>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD linearizing section
#! Pout = Pout_max - Loss
ENDBITFIELD
BITFIELD CHD_PA_MAIN_LOSS2<3:0>
POSITION=<3:0>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD main section
#! Pout = Pout_max - Loss
ENDBITFIELD
ENDREGISTER
REGISTER CHD_PA_CTRL3 0x106F
BITFIELD CHD_PA_LIN_LOSS3<3:0>
POSITION=<7:4>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD linearizing section
#! Pout = Pout_max - Loss
ENDBITFIELD
BITFIELD CHD_PA_MAIN_LOSS3<3:0>
POSITION=<3:0>
DEFAULT=0000
MODE=RWI
#! Controls the gain of HFPAD main section
#! Pout = Pout_max - Loss
ENDBITFIELD
ENDREGISTER
REGISTER CHD_PD_SEL0 0x1070
BITFIELD CHD_PD_SEL0_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD CHD_PD_SEL0_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD CHD_PD_SEL0_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHD_PD_SEL1 0x1071
BITFIELD CHD_PD_SEL1_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD CHD_PD_SEL1_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD CHD_PD_SEL1_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHD_LNA_SEL0 0x1072
BITFIELD CHD_LNA_SEL0_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD CHD_LNA_SEL0_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD CHD_LNA_SEL0_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHD_LNA_SEL1 0x1073
BITFIELD CHD_LNA_SEL1_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD CHD_LNA_SEL1_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD CHD_LNA_SEL1_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHD_PA_SEL0 0x1074
BITFIELD CHD_PA_SEL0_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD CHD_PA_SEL0_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD CHD_PA_SEL0_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHD_PA_SEL1 0x1075
BITFIELD CHD_PA_SEL1_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD CHD_PA_SEL1_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD CHD_PA_SEL1_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHD_INT_SEL 0x1076
BITFIELD CHD_PA_INT_SEL<1:0>
POSITION=<5:4>
DEFAULT=00
MODE=RWI
ENDBITFIELD
BITFIELD CHD_LNA_INT_SEL<1:0>
POSITION=<3:2>
DEFAULT=00
MODE=RWI
ENDBITFIELD
BITFIELD CHD_PD_INT_SEL<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER CHD_PD_RB 0x107D
BITFIELD CHD_PA_R50_EN_RB
POSITION=7
DEFAULT=CHD_PA_R50_EN0
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHD_PA_BYPASS_RB
POSITION=6
DEFAULT=CHD_PA_BYPASS
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHD_PA_PD_RB
POSITION=5
DEFAULT=CHD_PA_PD
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHD_MIXB_LOBUFF_PD_RB
POSITION=4
DEFAULT=CHD_MIXB_LOBUFF_PD
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHD_MIXB_BIAS_PD_RB
POSITION=3
DEFAULT=CHD_MIXB_BIAS_PD
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHD_MIXA_LOBUFF_PD_RB
POSITION=2
DEFAULT=CHD_MIXA_LOBUFF_PD
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHD_MIXA_BIAS_PD_RB
POSITION=1
DEFAULT=CHD_MIXA_BIAS_PD
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHD_LNA_PD_RB
POSITION=0
DEFAULT=CHD_LNA_PD
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
ENDREGISTER
REGISTER CHD_LNA_CTRL_RB 0x107E
BITFIELD CHD_LNA_ICT_LIN_RB<4:0>
POSITION=<15:11>
DEFAULT=CHD_LNA_ICT_LIN<4:0>
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHD_LNA_ICT_MAIN_RB<4:0>
POSITION=<10:6>
DEFAULT=CHD_LNA_ICT_MAIN<4:0>
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHD_LNA_CGSCTRL_RB<1:0>
POSITION=<5:4>
DEFAULT=CHD_LNA_CGSCTRL<1:0>
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHD_LNA_GCTRL_RB<3:0>
POSITION=<3:0>
DEFAULT=CHD_LNA_GCTRL<3:0>
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
ENDREGISTER
REGISTER CHD_PA_CTRL_RB 0x107F
BITFIELD CHD_PA_LIN_LOSS_RB<3:0>
POSITION=<7:4>
DEFAULT=CHD_PA_LIN_LOSS<3:0>
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
BITFIELD CHD_PA_MAIN_LOSS_RB<3:0>
POSITION=<3:0>
DEFAULT=CHD_PA_MAIN_LOSS<3:0>
MODE=RB
#! Readback the actual controlling value
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXA_CONFIG0 0x2000
BITFIELD HLMIXA_VGCAS0<6:0>
POSITION=<13:7>
DEFAULT=1000000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXA_ICT_BIAS0<4:0>
POSITION=<6:2>
DEFAULT=10000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXA_BIAS_PD0
POSITION=1
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXA_LOBUF_PD0
POSITION=0
DEFAULT=1
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXA_CONFIG1 0x2001
BITFIELD HLMIXA_VGCAS1<6:0>
POSITION=<13:7>
DEFAULT=1000000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXA_ICT_BIAS1<4:0>
POSITION=<6:2>
DEFAULT=10000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXA_BIAS_PD1
POSITION=1
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXA_LOBUF_PD1
POSITION=0
DEFAULT=1
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXA_CONFIG2 0x2002
BITFIELD HLMIXA_VGCAS2<6:0>
POSITION=<13:7>
DEFAULT=1000000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXA_ICT_BIAS2<4:0>
POSITION=<6:2>
DEFAULT=10000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXA_BIAS_PD2
POSITION=1
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXA_LOBUF_PD2
POSITION=0
DEFAULT=1
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXA_CONFIG3 0x2003
BITFIELD HLMIXA_VGCAS3<6:0>
POSITION=<13:7>
DEFAULT=1000000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXA_ICT_BIAS3<4:0>
POSITION=<6:2>
DEFAULT=10000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXA_BIAS_PD3
POSITION=1
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXA_LOBUF_PD3
POSITION=0
DEFAULT=1
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXA_LOSS0 0x2004
BITFIELD HLMIXA_MIXLOSS0<3:0>
POSITION=<5:2>
DEFAULT=0000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXA_MIXLOSS_FINE0<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXA_LOSS1 0x2005
BITFIELD HLMIXA_MIXLOSS1<3:0>
POSITION=<5:2>
DEFAULT=0000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXA_MIXLOSS_FINE1<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXA_LOSS2 0x2006
BITFIELD HLMIXA_MIXLOSS2<3:0>
POSITION=<5:2>
DEFAULT=0000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXA_MIXLOSS_FINE2<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXA_LOSS3 0x2007
BITFIELD HLMIXA_MIXLOSS3<3:0>
POSITION=<5:2>
DEFAULT=0000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXA_MIXLOSS_FINE3<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXA_CONF_SEL0 0x2008
BITFIELD HLMIXA_CONF_SEL0_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXA_CONF_SEL0_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXA_CONF_SEL0_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXA_CONF_SEL1 0x2009
BITFIELD HLMIXA_CONF_SEL1_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXA_CONF_SEL1_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXA_CONF_SEL1_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXA_LOSS_SEL0 0x200A
BITFIELD HLMIXA_LOSS_SEL0_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXA_LOSS_SEL0_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXA_LOSS_SEL0_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXA_LOSS_SEL1 0x200B
BITFIELD HLMIXA_LOSS_SEL1_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXA_LOSS_SEL1_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXA_LOSS_SEL1_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXA_INT_SEL 0x200C
BITFIELD HLMIXA_LOSS_INT_SEL<1:0>
POSITION=<3:2>
DEFAULT=00
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXA_CONF_INT_SEL<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXA_CONFIG_RB 0x200E
BITFIELD HLMIXA_VGCAS_RB<6:0>
POSITION=<13:7>
DEFAULT=HLMIXA_VGCAS<6:0>
MODE=RB
ENDBITFIELD
BITFIELD HLMIXA_ICT_BIAS_RB<4:0>
POSITION=<6:2>
DEFAULT=HLMIXA_ICT_BIAS<4:0>
MODE=RB
ENDBITFIELD
BITFIELD HLMIXA_BIAS_PD_RB
POSITION=1
DEFAULT=HLMIXA_BIAS_PD
MODE=RB
ENDBITFIELD
BITFIELD HLMIXA_LOBUF_PD_RB
POSITION=0
DEFAULT=HLMIXA_LOBUF_PD
MODE=RB
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXA_LOSS_RB 0x200F
BITFIELD HLMIXA_MIXLOSS_RB<3:0>
POSITION=<5:2>
DEFAULT=HLMIXA_MIXLOSS<3:0>
MODE=RB
ENDBITFIELD
BITFIELD HLMIXA_MIXLOSS_FINE_RB<1:0>
POSITION=<1:0>
DEFAULT=HLMIXA_MIXLOSS_FINE<1:0>
MODE=RB
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXB_CONFIG0 0x2010
BITFIELD HLMIXB_VGCAS0<6:0>
POSITION=<13:7>
DEFAULT=1000000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXB_ICT_BIAS0<4:0>
POSITION=<6:2>
DEFAULT=10000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXB_BIAS_PD0
POSITION=1
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXB_LOBUF_PD0
POSITION=0
DEFAULT=1
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXB_CONFIG1 0x2011
BITFIELD HLMIXB_VGCAS1<6:0>
POSITION=<13:7>
DEFAULT=1000000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXB_ICT_BIAS1<4:0>
POSITION=<6:2>
DEFAULT=10000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXB_BIAS_PD1
POSITION=1
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXB_LOBUF_PD1
POSITION=0
DEFAULT=1
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXB_CONFIG2 0x2012
BITFIELD HLMIXB_VGCAS2<6:0>
POSITION=<13:7>
DEFAULT=1000000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXB_ICT_BIAS2<4:0>
POSITION=<6:2>
DEFAULT=10000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXB_BIAS_PD2
POSITION=1
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXB_LOBUF_PD2
POSITION=0
DEFAULT=1
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXB_CONFIG3 0x2013
BITFIELD HLMIXB_VGCAS3<6:0>
POSITION=<13:7>
DEFAULT=1000000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXB_ICT_BIAS3<4:0>
POSITION=<6:2>
DEFAULT=10000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXB_BIAS_PD3
POSITION=1
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXB_LOBUF_PD3
POSITION=0
DEFAULT=1
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXB_LOSS0 0x2014
BITFIELD HLMIXB_MIXLOSS0<3:0>
POSITION=<5:2>
DEFAULT=0000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXB_MIXLOSS_FINE0<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXB_LOSS1 0x2015
BITFIELD HLMIXB_MIXLOSS1<3:0>
POSITION=<5:2>
DEFAULT=0000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXB_MIXLOSS_FINE1<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXB_LOSS2 0x2016
BITFIELD HLMIXB_MIXLOSS2<3:0>
POSITION=<5:2>
DEFAULT=0000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXB_MIXLOSS_FINE2<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXB_LOSS3 0x2017
BITFIELD HLMIXB_MIXLOSS3<3:0>
POSITION=<5:2>
DEFAULT=0000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXB_MIXLOSS_FINE3<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXB_CONF_SEL0 0x2018
BITFIELD HLMIXB_CONF_SEL0_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXB_CONF_SEL0_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXB_CONF_SEL0_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXB_CONF_SEL1 0x2019
BITFIELD HLMIXB_CONF_SEL1_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXB_CONF_SEL1_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXB_CONF_SEL1_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXB_LOSS_SEL0 0x201A
BITFIELD HLMIXB_LOSS_SEL0_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXB_LOSS_SEL0_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXB_LOSS_SEL0_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXB_LOSS_SEL1 0x201B
BITFIELD HLMIXB_LOSS_SEL1_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXB_LOSS_SEL1_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXB_LOSS_SEL1_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXB_INT_SEL 0x201C
BITFIELD HLMIXB_LOSS_INT_SEL<1:0>
POSITION=<3:2>
DEFAULT=00
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXB_CONF_INT_SEL<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXB_CONFIG_RB 0x201E
BITFIELD HLMIXB_VGCAS_RB<6:0>
POSITION=<13:7>
DEFAULT=HLMIXB_VGCAS<6:0>
MODE=RB
ENDBITFIELD
BITFIELD HLMIXB_ICT_BIAS_RB<4:0>
POSITION=<6:2>
DEFAULT=HLMIXB_ICT_BIAS<4:0>
MODE=RB
ENDBITFIELD
BITFIELD HLMIXB_BIAS_PD_RB
POSITION=1
DEFAULT=HLMIXB_BIAS_PD
MODE=RB
ENDBITFIELD
BITFIELD HLMIXB_LOBUF_PD_RB
POSITION=0
DEFAULT=HLMIXB_LOBUF_PD
MODE=RB
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXB_LOSS_RB 0x201F
BITFIELD HLMIXB_MIXLOSS_RB<3:0>
POSITION=<5:2>
DEFAULT=HLMIXB_MIXLOSS<3:0>
MODE=RB
ENDBITFIELD
BITFIELD HLMIXB_MIXLOSS_FINE_RB<1:0>
POSITION=<1:0>
DEFAULT=HLMIXB_MIXLOSS_FINE<1:0>
MODE=RB
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXC_CONFIG0 0x2020
BITFIELD HLMIXC_VGCAS0<6:0>
POSITION=<13:7>
DEFAULT=1000000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXC_ICT_BIAS0<4:0>
POSITION=<6:2>
DEFAULT=10000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXC_BIAS_PD0
POSITION=1
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXC_LOBUF_PD0
POSITION=0
DEFAULT=1
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXC_CONFIG1 0x2021
BITFIELD HLMIXC_VGCAS1<6:0>
POSITION=<13:7>
DEFAULT=1000000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXC_ICT_BIAS1<4:0>
POSITION=<6:2>
DEFAULT=10000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXC_BIAS_PD1
POSITION=1
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXC_LOBUF_PD1
POSITION=0
DEFAULT=1
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXC_CONFIG2 0x2022
BITFIELD HLMIXC_VGCAS2<6:0>
POSITION=<13:7>
DEFAULT=1000000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXC_ICT_BIAS2<4:0>
POSITION=<6:2>
DEFAULT=10000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXC_BIAS_PD2
POSITION=1
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXC_LOBUF_PD2
POSITION=0
DEFAULT=1
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXC_CONFIG3 0x2023
BITFIELD HLMIXC_VGCAS3<6:0>
POSITION=<13:7>
DEFAULT=1000000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXC_ICT_BIAS3<4:0>
POSITION=<6:2>
DEFAULT=10000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXC_BIAS_PD3
POSITION=1
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXC_LOBUF_PD3
POSITION=0
DEFAULT=1
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXC_LOSS0 0x2024
BITFIELD HLMIXC_MIXLOSS0<3:0>
POSITION=<5:2>
DEFAULT=0000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXC_MIXLOSS_FINE0<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXC_LOSS1 0x2025
BITFIELD HLMIXC_MIXLOSS1<3:0>
POSITION=<5:2>
DEFAULT=0000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXC_MIXLOSS_FINE1<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXC_LOSS2 0x2026
BITFIELD HLMIXC_MIXLOSS2<3:0>
POSITION=<5:2>
DEFAULT=0000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXC_MIXLOSS_FINE2<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXC_LOSS3 0x2027
BITFIELD HLMIXC_MIXLOSS3<3:0>
POSITION=<5:2>
DEFAULT=0000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXC_MIXLOSS_FINE3<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXC_CONF_SEL0 0x2028
BITFIELD HLMIXC_CONF_SEL0_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXC_CONF_SEL0_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXC_CONF_SEL0_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXC_CONF_SEL1 0x2029
BITFIELD HLMIXC_CONF_SEL1_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXC_CONF_SEL1_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXC_CONF_SEL1_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXC_LOSS_SEL0 0x202A
BITFIELD HLMIXC_LOSS_SEL0_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXC_LOSS_SEL0_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXC_LOSS_SEL0_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXC_LOSS_SEL1 0x202B
BITFIELD HLMIXC_LOSS_SEL1_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXC_LOSS_SEL1_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXC_LOSS_SEL1_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXC_INT_SEL 0x202C
BITFIELD HLMIXC_LOSS_INT_SEL<1:0>
POSITION=<3:2>
DEFAULT=00
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXC_CONF_INT_SEL<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXC_CONFIG_RB 0x202E
BITFIELD HLMIXC_VGCAS_RB<6:0>
POSITION=<13:7>
DEFAULT=HLMIXC_VGCAS<6:0>
MODE=RB
ENDBITFIELD
BITFIELD HLMIXC_ICT_BIAS_RB<4:0>
POSITION=<6:2>
DEFAULT=HLMIXC_ICT_BIAS<4:0>
MODE=RB
ENDBITFIELD
BITFIELD HLMIXC_BIAS_PD_RB
POSITION=1
DEFAULT=HLMIXC_BIAS_PD
MODE=RB
ENDBITFIELD
BITFIELD HLMIXC_LOBUF_PD_RB
POSITION=0
DEFAULT=HLMIXC_LOBUF_PD
MODE=RB
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXC_LOSS_RB 0x202F
BITFIELD HLMIXC_MIXLOSS_RB<3:0>
POSITION=<5:2>
DEFAULT=HLMIXC_MIXLOSS<3:0>
MODE=RB
ENDBITFIELD
BITFIELD HLMIXC_MIXLOSS_FINE_RB<1:0>
POSITION=<1:0>
DEFAULT=HLMIXC_MIXLOSS_FINE<1:0>
MODE=RB
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXD_CONFIG0 0x2030
BITFIELD HLMIXD_VGCAS0<6:0>
POSITION=<13:7>
DEFAULT=1000000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXD_ICT_BIAS0<4:0>
POSITION=<6:2>
DEFAULT=10000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXD_BIAS_PD0
POSITION=1
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXD_LOBUF_PD0
POSITION=0
DEFAULT=1
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXD_CONFIG1 0x2031
BITFIELD HLMIXD_VGCAS1<6:0>
POSITION=<13:7>
DEFAULT=1000000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXD_ICT_BIAS1<4:0>
POSITION=<6:2>
DEFAULT=10000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXD_BIAS_PD1
POSITION=1
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXD_LOBUF_PD1
POSITION=0
DEFAULT=1
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXD_CONFIG2 0x2032
BITFIELD HLMIXD_VGCAS2<6:0>
POSITION=<13:7>
DEFAULT=1000000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXD_ICT_BIAS2<4:0>
POSITION=<6:2>
DEFAULT=10000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXD_BIAS_PD2
POSITION=1
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXD_LOBUF_PD2
POSITION=0
DEFAULT=1
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXD_CONFIG3 0x2033
BITFIELD HLMIXD_VGCAS3<6:0>
POSITION=<13:7>
DEFAULT=1000000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXD_ICT_BIAS3<4:0>
POSITION=<6:2>
DEFAULT=10000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXD_BIAS_PD3
POSITION=1
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXD_LOBUF_PD3
POSITION=0
DEFAULT=1
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXD_LOSS0 0x2034
BITFIELD HLMIXD_MIXLOSS0<3:0>
POSITION=<5:2>
DEFAULT=0000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXD_MIXLOSS_FINE0<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXD_LOSS1 0x2035
BITFIELD HLMIXD_MIXLOSS1<3:0>
POSITION=<5:2>
DEFAULT=0000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXD_MIXLOSS_FINE1<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXD_LOSS2 0x2036
BITFIELD HLMIXD_MIXLOSS2<3:0>
POSITION=<5:2>
DEFAULT=0000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXD_MIXLOSS_FINE2<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXD_LOSS3 0x2037
BITFIELD HLMIXD_MIXLOSS3<3:0>
POSITION=<5:2>
DEFAULT=0000
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXD_MIXLOSS_FINE3<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXD_CONF_SEL0 0x2038
BITFIELD HLMIXD_CONF_SEL0_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXD_CONF_SEL0_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXD_CONF_SEL0_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXD_CONF_SEL1 0x2039
BITFIELD HLMIXD_CONF_SEL1_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXD_CONF_SEL1_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXD_CONF_SEL1_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXD_LOSS_SEL0 0x203A
BITFIELD HLMIXD_LOSS_SEL0_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXD_LOSS_SEL0_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXD_LOSS_SEL0_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXD_LOSS_SEL1 0x203B
BITFIELD HLMIXD_LOSS_SEL1_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXD_LOSS_SEL1_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXD_LOSS_SEL1_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXD_INT_SEL 0x203C
BITFIELD HLMIXD_LOSS_INT_SEL<1:0>
POSITION=<3:2>
DEFAULT=00
MODE=RWI
ENDBITFIELD
BITFIELD HLMIXD_CONF_INT_SEL<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXD_CONFIG_RB 0x203E
BITFIELD HLMIXD_VGCAS_RB<6:0>
POSITION=<13:7>
DEFAULT=HLMIXD_VGCAS<6:0>
MODE=RB
ENDBITFIELD
BITFIELD HLMIXD_ICT_BIAS_RB<4:0>
POSITION=<6:2>
DEFAULT=HLMIXD_ICT_BIAS<4:0>
MODE=RB
ENDBITFIELD
BITFIELD HLMIXD_BIAS_PD_RB
POSITION=1
DEFAULT=HLMIXD_BIAS_PD
MODE=RB
ENDBITFIELD
BITFIELD HLMIXD_LOBUF_PD_RB
POSITION=0
DEFAULT=HLMIXD_LOBUF_PD
MODE=RB
ENDBITFIELD
ENDREGISTER
REGISTER HLMIXD_LOSS_RB 0x203F
BITFIELD HLMIXD_MIXLOSS_RB<3:0>
POSITION=<5:2>
DEFAULT=HLMIXD_MIXLOSS<3:0>
MODE=RB
ENDBITFIELD
BITFIELD HLMIXD_MIXLOSS_FINE_RB<1:0>
POSITION=<1:0>
DEFAULT=HLMIXD_MIXLOSS_FINE<1:0>
MODE=RB
ENDBITFIELD
ENDREGISTER
REGISTER PLL_VREG 0x4000
BITFIELD EN_VCOBIAS
POSITION=11
DEFAULT=0
MODE=RW
ENDBITFIELD
BITFIELD BYP_VCOREG
POSITION=10
DEFAULT=0
MODE=RW
ENDBITFIELD
BITFIELD CURLIM_VCOREG
POSITION=9
DEFAULT=1
MODE=RW
ENDBITFIELD
BITFIELD SPDUP_VCOREG
POSITION=8
DEFAULT=0
MODE=RW
ENDBITFIELD
BITFIELD VDIV_VCOREG<7:0>
POSITION=<7:0>
DEFAULT=00010000
MODE=RW
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CFG_XBUF 0x4001
BITFIELD PLL_XBUF_SLFBEN
POSITION=2
DEFAULT=0
MODE=RW
ENDBITFIELD
BITFIELD PLL_XBUF_BYPEN
POSITION=1
DEFAULT=0
MODE=RW
ENDBITFIELD
BITFIELD PLL_XBUF_EN
POSITION=0
DEFAULT=0
MODE=RW
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CAL_AUTO0 0x4002
BITFIELD FCAL_START
POSITION=12
DEFAULT=0
MODE=STICKYBIT
ENDBITFIELD
BITFIELD VCO_SEL_FINAL_VAL
POSITION=11
DEFAULT=0
MODE=R
ENDBITFIELD
BITFIELD VCO_SEL_FINAL<1:0>
POSITION=<10:9>
DEFAULT=00
MODE=R
ENDBITFIELD
BITFIELD FREQ_FINAL_VAL
POSITION=8
DEFAULT=0
MODE=R
ENDBITFIELD
BITFIELD FREQ_FINAL<7:0>
POSITION=<7:0>
DEFAULT=00000000
MODE=R
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CAL_AUTO1 0x4003
BITFIELD VCO_SEL_FORCE
POSITION=13
DEFAULT=0
MODE=RW
ENDBITFIELD
BITFIELD VCO_SEL_INIT<1:0>
POSITION=<12:11>
DEFAULT=10
MODE=RW
ENDBITFIELD
BITFIELD FREQ_INIT_POS<2:0>
POSITION=<10:8>
DEFAULT=111
MODE=RW
ENDBITFIELD
BITFIELD FREQ_INIT<7:0>
POSITION=<7:0>
DEFAULT=00000000
MODE=RW
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CAL_AUTO2 0x4004
BITFIELD FREQ_SETTLING_N<3:0>
POSITION=<11:8>
DEFAULT=0100
MODE=RW
ENDBITFIELD
BITFIELD VTUNE_WAIT_N<7:0>
POSITION=<7:0>
DEFAULT=01000000
MODE=RW
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CAL_AUTO3 0x4005
BITFIELD VCO_SEL_FREQ_MAX<7:0>
POSITION=<15:8>
DEFAULT=11111010
MODE=RW
ENDBITFIELD
BITFIELD VCO_SEL_FREQ_MIN<7:0>
POSITION=<7:0>
DEFAULT=00000101
MODE=RW
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CAL_MAN 0x4006
BITFIELD VCO_FREQ_MAN<7:0>
POSITION=<15:8>
DEFAULT=10000000
MODE=RW
ENDBITFIELD
BITFIELD VCO_SEL_MAN<1:0>
POSITION=<7:6>
DEFAULT=10
MODE=RW
ENDBITFIELD
BITFIELD FREQ_HIGH
POSITION=5
DEFAULT=0
MODE=R
ENDBITFIELD
BITFIELD FREQ_EQUAL
POSITION=4
DEFAULT=0
MODE=R
ENDBITFIELD
BITFIELD FREQ_LOW
POSITION=3
DEFAULT=0
MODE=R
ENDBITFIELD
BITFIELD CTUNE_STEP_DONE
POSITION=2
DEFAULT=0
MODE=R
ENDBITFIELD
BITFIELD CTUNE_START
POSITION=1
DEFAULT=0
MODE=RW
ENDBITFIELD
BITFIELD CTUNE_EN
POSITION=0
DEFAULT=0
MODE=RW
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CFG_SEL0 0x4008
BITFIELD PLL_CFG_SEL0_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD PLL_CFG_SEL0_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD PLL_CFG_SEL0_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CFG_SEL1 0x4009
BITFIELD PLL_CFG_SEL1_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD PLL_CFG_SEL1_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD PLL_CFG_SEL1_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CFG_SEL2 0x400A
BITFIELD PLL_CFG_SEL2_INTERNAL
POSITION=11
DEFAULT=1
MODE=RWI
ENDBITFIELD
BITFIELD PLL_CFG_SEL2_INVERT
POSITION=10
DEFAULT=0
MODE=RWI
ENDBITFIELD
BITFIELD PLL_CFG_SEL2_MASK<8:0>
POSITION=<8:0>
DEFAULT=000000000
MODE=RWI
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CFG 0x400B
BITFIELD PLL_RSTN
POSITION=9
DEFAULT=0
MODE=RW
#! PLL reset, active low.
ENDBITFIELD
BITFIELD CTUNE_RES<1:0>
POSITION=<8:7>
DEFAULT=01
MODE=RW
#! PLL capacitor bank tuning resolution.
ENDBITFIELD
BITFIELD PLL_CALIBRATION_MODE
POSITION=6
DEFAULT=0
MODE=RW
#! PLL calibration mode.
#! 0 - Automatic calibration (default)
#! 1 - Manual calibration
ENDBITFIELD
BITFIELD PLL_CALIBRATION_EN
POSITION=5
DEFAULT=0
MODE=RW
#! Activate PLL calibration.
#! 0 - Normal mode (default)
#! 1 - Calibration mode
ENDBITFIELD
BITFIELD PLL_FLOCK_INTERNAL
POSITION=4
DEFAULT=0
MODE=RWI
#! Fast lock control.
#! 0 - Normal operation. Fast lock select signal comes from fast lock state machine. (default)
#! 1 - Debug mode. Fast lock select signal is forced by PLL_FLOCK_INTVAL
ENDBITFIELD
BITFIELD PLL_FLOCK_INTVAL
POSITION=3
DEFAULT=0
MODE=RWI
#! Fast lock control internal select value.
ENDBITFIELD
BITFIELD PLL_CFG_INT_SEL<2:0>
POSITION=<2:0>
DEFAULT=000
MODE=RWI
#! Internal PLL profile control.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CFG_STATUS 0x400C
BITFIELD VTUNE_HIGH
POSITION=2
DEFAULT=0
MODE=R
#! Tuning voltage high.
ENDBITFIELD
BITFIELD VTUNE_LOW
POSITION=1
DEFAULT=0
MODE=R
#! Tuning voltage low.
ENDBITFIELD
BITFIELD PLL_LOCK
POSITION=0
DEFAULT=0
MODE=R
#! PLL lock detect.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_LODIST_CFG1 0x400E
BITFIELD SEL_BIAS_CORE
POSITION=10
DEFAULT=0
MODE=RW
ENDBITFIELD
BITFIELD PLL_LODIST_ICT_CORE<4:0>
POSITION=<9:5>
DEFAULT=10000
MODE=RW
ENDBITFIELD
BITFIELD PLL_LODIST_ICT_BUF<4:0>
POSITION=<4:0>
DEFAULT=10000
MODE=RW
ENDBITFIELD
ENDREGISTER
REGISTER PLL_LODIST_CFG2 0x400F
BITFIELD PLL_ICT_OUT3<1:0>
POSITION=<7:6>
DEFAULT=10
MODE=RW
ENDBITFIELD
BITFIELD PLL_ICT_OUT2<1:0>
POSITION=<5:4>
DEFAULT=10
MODE=RW
ENDBITFIELD
BITFIELD PLL_ICT_OUT1<1:0>
POSITION=<3:2>
DEFAULT=10
MODE=RW
ENDBITFIELD
BITFIELD PLL_ICT_OUT0<1:0>
POSITION=<1:0>
DEFAULT=10
MODE=RW
ENDBITFIELD
ENDREGISTER
REGISTER PLL_SDM_BIST1 0x4010
BITFIELD BSIGL<6:0>
POSITION=<15:9>
DEFAULT=0000000
MODE=RI
#! BIST signature. Read only.
ENDBITFIELD
BITFIELD BSTATE
POSITION=8
DEFAULT=0
MODE=RI
#! BIST state indicator
#! 0 - BIST not running (default)
#! 1 - BIST running
ENDBITFIELD
BITFIELD EN_SDM_TSTO
POSITION=4
DEFAULT=0
MODE=RW
#! Enable test buffer output
ENDBITFIELD
BITFIELD BEN
POSITION=1
DEFAULT=0
MODE=RWI
#! Enable BIST
ENDBITFIELD
BITFIELD BSTART
POSITION=0
DEFAULT=0
MODE=RWI
#! Starts BIST
ENDBITFIELD
ENDREGISTER
REGISTER PLL_SDM_BIST2 0x4011
BITFIELD BSIGH<15:0>
POSITION=<15:0>
DEFAULT=0000000000000000
MODE=RI
ENDBITFIELD
ENDREGISTER
REGISTER PLL_ENABLE_0 0x4100
BITFIELD PLL_LODIST_EN_BIAS_0
POSITION=12
DEFAULT=0
MODE=RWI
#! Enable for LO distribution bias.
ENDBITFIELD
BITFIELD PLL_LODIST_EN_DIV2IQ_0
POSITION=11
DEFAULT=0
MODE=RWI
#! Enable for IQ generator in LO distribution.
#! 0 - Clock is not divided by 2
#! 1 - Clock is divided by 2, I and Q are generated
ENDBITFIELD
BITFIELD PLL_EN_VTUNE_COMP_0
POSITION=10
DEFAULT=0
MODE=RWI
#! Enable for tuning voltage comparator in PLL.
ENDBITFIELD
BITFIELD PLL_EN_LD_0
POSITION=9
DEFAULT=0
MODE=RWI
#! Lock detector enable.
ENDBITFIELD
BITFIELD PLL_EN_PFD_0
POSITION=8
DEFAULT=0
MODE=RWI
#! Enable for PFD in PLL.
ENDBITFIELD
BITFIELD PLL_EN_CP_0
POSITION=7
DEFAULT=0
MODE=RWI
#! Enable for charge pump in PLL.
ENDBITFIELD
BITFIELD PLL_EN_CPOFS_0
POSITION=6
DEFAULT=0
MODE=RWI
#! Enable for offset (bleeding) current in charge pump.
ENDBITFIELD
BITFIELD PLL_EN_VCO_0
POSITION=5
DEFAULT=0
MODE=RWI
#! Enable for VCO.
ENDBITFIELD
BITFIELD PLL_EN_FFDIV_0
POSITION=4
DEFAULT=0
MODE=RWI
#! Enable for feed-forward divider in PLL.
#! 0 - Output clock is not divided
ENDBITFIELD
BITFIELD PLL_EN_FB_PDIV2_0
POSITION=3
DEFAULT=0
MODE=RWI
#! Enable for feedback pre-divider.
#! 0 - Output clock is directly fed to feedback divider
ENDBITFIELD
BITFIELD PLL_EN_FFCORE_0
POSITION=2
DEFAULT=0
MODE=RWI
#! Enable for feed-forward divider core
ENDBITFIELD
BITFIELD PLL_EN_FBDIV_0
POSITION=1
DEFAULT=0
MODE=RWI
#! Enable for feedback divider core
ENDBITFIELD
BITFIELD PLL_SDM_CLK_EN_0
POSITION=0
DEFAULT=0
MODE=RWI
#! Enable for sigma-delta modulator
ENDBITFIELD
ENDREGISTER
REGISTER PLL_LPF_CFG1_0 0x4101
BITFIELD R3_0<3:0>
POSITION=<15:12>
DEFAULT=0001
MODE=RWI
#! Control word for loop filter.
#! R3_val = 9 kOhm/R3<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
BITFIELD R2_0<3:0>
POSITION=<11:8>
DEFAULT=0001
MODE=RWI
#! Control word for loop filter.
#! R2_val = 15.6 kOhm/R2<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
BITFIELD C2_0<3:0>
POSITION=<7:4>
DEFAULT=1000
MODE=RWI
#! Control word for C2 in PLL loop filter.
#! C2_val = 300 pF+7.5 pF * C2<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
BITFIELD C1_0<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
#! Control word for C1 in PLL loop filter.
#! C1_val = 1.8 pF*C1<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_LPF_CFG2_0 0x4102
BITFIELD VTUNE_VCT_0<1:0>
POSITION=<6:5>
DEFAULT=01
MODE=RWI
#! Tuning voltage control word during coarse tuning (LPFSW=1).
#! 00 - 300 mV,
#! 01 - 600 mV,
#! 10 - 750 mV,
#! 11 - 900 mV.
ENDBITFIELD
BITFIELD LPFSW_0
POSITION=4
DEFAULT=0
MODE=RWI
#! Loop filter control.
#! 0 - PLL loop is closed,
#! 1 - PLL loop is open and tuning voltage is set to value specified by VTUNE_VCT<1:0>.
#! When LFPSW=1 PLL is in open-loop configuration for coarse tuning.
ENDBITFIELD
BITFIELD C3_0<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
#! Control word for C3 in PLL loop filter.
#! C3_val = 3 pF * C3<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CP_CFG0_0 0x4103
BITFIELD FLIP_0
POSITION=14
DEFAULT=0
MODE=RWI
#! Flip for PFD inputs
#! 0 - Normal operation,
#! 1 - Inputs are interchanged
ENDBITFIELD
BITFIELD DEL_0<1:0>
POSITION=<13:12>
DEFAULT=00
MODE=RWI
#! Reset path delay
ENDBITFIELD
BITFIELD PULSE_0<5:0>
POSITION=<11:6>
DEFAULT=000100
MODE=RWI
#! Charge pump pulse current
#! I = 25 uA * PULSE<5:0>
ENDBITFIELD
BITFIELD OFS_0<5:0>
POSITION=<5:0>
DEFAULT=000000
MODE=RWI
#! Charge pump offset (bleeding) current
#! I = 6.25 uA * OFS<5:0>
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CP_CFG1_0 0x4104
BITFIELD LD_VCT_0<1:0>
POSITION=<6:5>
DEFAULT=10
MODE=RWI
#! Threshold voltage for lock detector
#! 00 - 600 mV,
#! 01 - 700 mV,
#! 10 - 800 mV,
#! 11 - 900 mV.
ENDBITFIELD
BITFIELD ICT_CP_0<4:0>
POSITION=<4:0>
DEFAULT=10000
MODE=RWI
#! Charge pump bias current.
#! ICP_BIAS = ICP_BIAS_NOM * ICT_CP<4:0>/16
ENDBITFIELD
ENDREGISTER
REGISTER PLL_VCO_FREQ_0 0x4105
BITFIELD VCO_FREQ_0<7:0>
POSITION=<7:0>
DEFAULT=10000000
MODE=RWI
#! VCO cap bank code.
#! 00000000 - lowest frequency
#! 11111111 - highest frequency
ENDBITFIELD
ENDREGISTER
REGISTER PLL_VCO_CFG_0 0x4106
BITFIELD SPDUP_VCO_0
POSITION=12
DEFAULT=0
MODE=RWI
#! Speed-up VCO core by bypassing the noise filter
ENDBITFIELD
BITFIELD VCO_AAC_EN_0
POSITION=11
DEFAULT=1
MODE=RWI
#! Enable for automatic VCO amplitude control.
ENDBITFIELD
BITFIELD VDIV_SWVDD_0<1:0>
POSITION=<10:9>
DEFAULT=10
MODE=RWI
#! Capacitor bank switches bias voltage
#! 00 - 600 mV,
#! 01 - 800 mV,
#! 10 - 1000 mV,
#! 11 - 1200 mV.
ENDBITFIELD
BITFIELD VCO_SEL_0<1:0>
POSITION=<8:7>
DEFAULT=11
MODE=RWI
#! VCO core selection
#! 00 - External VCO,
#! 01 - Low-frequency band VCO (4 - 6 GHz),
#! 10 - Mid-frequency band VCO (6 - 8 GHz),
#! 11 - High-frequency band VCO (8 - 10 GHz).
ENDBITFIELD
BITFIELD VCO_AMP_0<6:0>
POSITION=<6:0>
DEFAULT=0000001
MODE=RWI
#! VCO amplitude control word.
#! 0000000 - minimum amplitude
#! Lowest two bits control the VCO core current.
#! Other bits are used for fine amplitude control, automatically determined when VCO_AAC_EN=1
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FF_CFG_0 0x4107
BITFIELD FFDIV_SEL_0
POSITION=4
DEFAULT=0
MODE=RWI
#! Feed-forward divider multiplexer select bit
#! 0 - No division,
#! 1 - Input frequency is divided
ENDBITFIELD
BITFIELD FFCORE_MOD_0<1:0>
POSITION=<3:2>
DEFAULT=00
MODE=RWI
#! Feed-forward divider core modulus
#! 00 - No division
#! 01 - Div by 2
#! 10 - Div by 4
#! 11 - Div by 8
ENDBITFIELD
BITFIELD FF_MOD_0<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
#! Multiplexer for divider outputs. In normal operation FF_MOD should be equal to FFCORE_MOD.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_SDM_CFG_0 0x4108
BITFIELD INTMOD_EN_0
POSITION=14
DEFAULT=0
MODE=RWI
#! Integer mode enable
ENDBITFIELD
BITFIELD DITHER_EN_0
POSITION=13
DEFAULT=0
MODE=RWI
#! Enable dithering in SDM
#! 0 - Disabled
#! 1 - Enabled
ENDBITFIELD
BITFIELD SEL_SDMCLK_0
POSITION=12
DEFAULT=0
MODE=RWI
#! Selects between the feedback divider output and FREF for SDM
#! 0 - CLK CLK_DIV
#! 1 - CLK CLK_REF
ENDBITFIELD
BITFIELD REV_SDMCLK_0
POSITION=11
DEFAULT=0
MODE=RWI
#! Reverses the SDM clock
#! 0 - Normal
#! 1 - Reversed (after INV)
ENDBITFIELD
BITFIELD INTMOD_0<9:0>
POSITION=<9:0>
DEFAULT=0011011000
MODE=RWI
#! Integer section of division ratio.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FRACMODL_0 0x4109
BITFIELD FRACMODL_0<15:0>
POSITION=<15:0>
DEFAULT=0101011100110000
MODE=RWI
#! Fractional control of the division ratio LSB
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FRACMODH_0 0x410A
BITFIELD FRACMODH_0<3:0>
POSITION=<3:0>
DEFAULT=0101
MODE=RWI
#! Fractional control of the division ratio MSB
ENDBITFIELD
ENDREGISTER
REGISTER PLL_LODIST_CFG_0 0x410B
BITFIELD PLL_LODIST_EN_OUT_0<3:0>
POSITION=<15:12>
DEFAULT=0000
MODE=RWI
#! LO distribution enable signals.
#! Each bit is an enable for individual channel.
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT3_0<2:0>
POSITION=<11:9>
DEFAULT=000
MODE=RWI
#! LO distribution channel 3 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT2_0<2:0>
POSITION=<8:6>
DEFAULT=000
MODE=RWI
#! LO distribution channel 2 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT1_0<2:0>
POSITION=<5:3>
DEFAULT=000
MODE=RWI
#! LO distribution channel 1 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT0_0<2:0>
POSITION=<2:0>
DEFAULT=000
MODE=RWI
#! LO distribution channel 0 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FLOCK_CFG1_0 0x410C
BITFIELD FLOCK_R3_0<3:0>
POSITION=<15:12>
DEFAULT=0100
MODE=RWI
#! Loop filter R3 used during fact lock.
ENDBITFIELD
BITFIELD FLOCK_R2_0<3:0>
POSITION=<11:8>
DEFAULT=0100
MODE=RWI
#! Loop filter R2 used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_C2_0<3:0>
POSITION=<7:4>
DEFAULT=1000
MODE=RWI
#! Loop filter C2 used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_C1_0<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
#! Loop filter C1 used during fast lock.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FLOCK_CFG2_0 0x410D
BITFIELD FLOCK_C3_0<3:0>
POSITION=<15:12>
DEFAULT=1000
MODE=RWI
#! Loop filter C3 used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_PULSE_0<5:0>
POSITION=<11:6>
DEFAULT=111111
MODE=RWI
#! Charge pump pulse current used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_OFS_0<5:0>
POSITION=<5:0>
DEFAULT=000000
MODE=RWI
#! Charge pump offset (bleeding) current used during fast lock.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FLOCK_CFG3_0 0x410E
BITFIELD FLOCK_LODIST_EN_OUT_0<3:0>
POSITION=<14:11>
DEFAULT=0000
MODE=RWI
#! LO distribution enable signals used during fast lock
ENDBITFIELD
BITFIELD FLOCK_VCO_SPDUP_0
POSITION=10
DEFAULT=0
MODE=RWI
#! VCO speedup used during fast lock
ENDBITFIELD
BITFIELD FLOCK_N_0<9:0>
POSITION=<9:0>
DEFAULT=0110010000
MODE=RWI
#! Duration of fast lock in PLL reference frequency clock cycles.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_ENABLE_1 0x4110
BITFIELD PLL_LODIST_EN_BIAS_1
POSITION=12
DEFAULT=0
MODE=RWI
#! Enable for LO distribution bias.
ENDBITFIELD
BITFIELD PLL_LODIST_EN_DIV2IQ_1
POSITION=11
DEFAULT=0
MODE=RWI
#! Enable for IQ generator in LO distribution.
#! 0 - Clock is not divided by 2
#! 1 - Clock is divided by 2, I and Q are generated
ENDBITFIELD
BITFIELD PLL_EN_VTUNE_COMP_1
POSITION=10
DEFAULT=0
MODE=RWI
#! Enable for tuning voltage comparator in PLL.
ENDBITFIELD
BITFIELD PLL_EN_LD_1
POSITION=9
DEFAULT=0
MODE=RWI
#! Lock detector enable.
ENDBITFIELD
BITFIELD PLL_EN_PFD_1
POSITION=8
DEFAULT=0
MODE=RWI
#! Enable for PFD in PLL.
ENDBITFIELD
BITFIELD PLL_EN_CP_1
POSITION=7
DEFAULT=0
MODE=RWI
#! Enable for charge pump in PLL.
ENDBITFIELD
BITFIELD PLL_EN_CPOFS_1
POSITION=6
DEFAULT=0
MODE=RWI
#! Enable for offset (bleeding) current in charge pump.
ENDBITFIELD
BITFIELD PLL_EN_VCO_1
POSITION=5
DEFAULT=0
MODE=RWI
#! Enable for VCO.
ENDBITFIELD
BITFIELD PLL_EN_FFDIV_1
POSITION=4
DEFAULT=0
MODE=RWI
#! Enable for feed-forward divider in PLL.
#! 0 - Output clock is not divided
ENDBITFIELD
BITFIELD PLL_EN_FB_PDIV2_1
POSITION=3
DEFAULT=0
MODE=RWI
#! Enable for feedback pre-divider.
#! 0 - Output clock is directly fed to feedback divider
ENDBITFIELD
BITFIELD PLL_EN_FFCORE_1
POSITION=2
DEFAULT=0
MODE=RWI
#! Enable for feed-forward divider core
ENDBITFIELD
BITFIELD PLL_EN_FBDIV_1
POSITION=1
DEFAULT=0
MODE=RWI
#! Enable for feedback divider core
ENDBITFIELD
BITFIELD PLL_SDM_CLK_EN_1
POSITION=0
DEFAULT=0
MODE=RWI
#! Enable for sigma-delta modulator
ENDBITFIELD
ENDREGISTER
REGISTER PLL_LPF_CFG1_1 0x4111
BITFIELD R3_1<3:0>
POSITION=<15:12>
DEFAULT=0001
MODE=RWI
#! Control word for loop filter.
#! R3_val = 9 kOhm/R3<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
BITFIELD R2_1<3:0>
POSITION=<11:8>
DEFAULT=0001
MODE=RWI
#! Control word for loop filter.
#! R2_val = 15.6 kOhm/R2<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
BITFIELD C2_1<3:0>
POSITION=<7:4>
DEFAULT=1000
MODE=RWI
#! Control word for C2 in PLL loop filter.
#! C2_val = 300 pF+7.5 pF * C2<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
BITFIELD C1_1<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
#! Control word for C1 in PLL loop filter.
#! C1_val = 1.8 pF*C1<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_LPF_CFG2_1 0x4112
BITFIELD VTUNE_VCT_1<1:0>
POSITION=<6:5>
DEFAULT=01
MODE=RWI
#! Tuning voltage control word during coarse tuning (LPFSW=1).
#! 00 - 300 mV,
#! 01 - 600 mV,
#! 10 - 750 mV,
#! 11 - 900 mV.
ENDBITFIELD
BITFIELD LPFSW_1
POSITION=4
DEFAULT=0
MODE=RWI
#! Loop filter control.
#! 0 - PLL loop is closed,
#! 1 - PLL loop is open and tuning voltage is set to value specified by VTUNE_VCT<1:0>.
#! When LFPSW=1 PLL is in open-loop configuration for coarse tuning.
ENDBITFIELD
BITFIELD C3_1<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
#! Control word for C3 in PLL loop filter.
#! C3_val = 3 pF * C3<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CP_CFG0_1 0x4113
BITFIELD FLIP_1
POSITION=14
DEFAULT=0
MODE=RWI
#! Flip for PFD inputs
#! 0 - Normal operation,
#! 1 - Inputs are interchanged
ENDBITFIELD
BITFIELD DEL_1<1:0>
POSITION=<13:12>
DEFAULT=00
MODE=RWI
#! Reset path delay
ENDBITFIELD
BITFIELD PULSE_1<5:0>
POSITION=<11:6>
DEFAULT=000100
MODE=RWI
#! Charge pump pulse current
#! I = 25 uA * PULSE<5:0>
ENDBITFIELD
BITFIELD OFS_1<5:0>
POSITION=<5:0>
DEFAULT=000000
MODE=RWI
#! Charge pump offset (bleeding) current
#! I = 6.25 uA * OFS<5:0>
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CP_CFG1_1 0x4114
BITFIELD LD_VCT_1<1:0>
POSITION=<6:5>
DEFAULT=10
MODE=RWI
#! Threshold voltage for lock detector
#! 00 - 600 mV,
#! 01 - 700 mV,
#! 10 - 800 mV,
#! 11 - 900 mV.
ENDBITFIELD
BITFIELD ICT_CP_1<4:0>
POSITION=<4:0>
DEFAULT=10000
MODE=RWI
#! Charge pump bias current.
#! ICP_BIAS = ICP_BIAS_NOM * ICT_CP<4:0>/16
ENDBITFIELD
ENDREGISTER
REGISTER PLL_VCO_FREQ_1 0x4115
BITFIELD VCO_FREQ_1<7:0>
POSITION=<7:0>
DEFAULT=10000000
MODE=RWI
#! VCO cap bank code.
#! 00000000 - lowest frequency
#! 11111111 - highest frequency
ENDBITFIELD
ENDREGISTER
REGISTER PLL_VCO_CFG_1 0x4116
BITFIELD SPDUP_VCO_1
POSITION=12
DEFAULT=0
MODE=RWI
#! Speed-up VCO core by bypassing the noise filter
ENDBITFIELD
BITFIELD VCO_AAC_EN_1
POSITION=11
DEFAULT=1
MODE=RWI
#! Enable for automatic VCO amplitude control.
ENDBITFIELD
BITFIELD VDIV_SWVDD_1<1:0>
POSITION=<10:9>
DEFAULT=10
MODE=RWI
#! Capacitor bank switches bias voltage
#! 00 - 600 mV,
#! 01 - 800 mV,
#! 10 - 1000 mV,
#! 11 - 1200 mV.
ENDBITFIELD
BITFIELD VCO_SEL_1<1:0>
POSITION=<8:7>
DEFAULT=11
MODE=RWI
#! VCO core selection
#! 00 - External VCO,
#! 01 - Low-frequency band VCO (4 - 6 GHz),
#! 10 - Mid-frequency band VCO (6 - 8 GHz),
#! 11 - High-frequency band VCO (8 - 10 GHz).
ENDBITFIELD
BITFIELD VCO_AMP_1<6:0>
POSITION=<6:0>
DEFAULT=0000001
MODE=RWI
#! VCO amplitude control word.
#! 0000000 - minimum amplitude
#! Lowest two bits control the VCO core current.
#! Other bits are used for fine amplitude control, automatically determined when VCO_AAC_EN=1
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FF_CFG_1 0x4117
BITFIELD FFDIV_SEL_1
POSITION=4
DEFAULT=0
MODE=RWI
#! Feed-forward divider multiplexer select bit
#! 0 - No division,
#! 1 - Input frequency is divided
ENDBITFIELD
BITFIELD FFCORE_MOD_1<1:0>
POSITION=<3:2>
DEFAULT=00
MODE=RWI
#! Feed-forward divider core modulus
#! 00 - No division
#! 01 - Div by 2
#! 10 - Div by 4
#! 11 - Div by 8
ENDBITFIELD
BITFIELD FF_MOD_1<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
#! Multiplexer for divider outputs. In normal operation FF_MOD should be equal to FFCORE_MOD.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_SDM_CFG_1 0x4118
BITFIELD INTMOD_EN_1
POSITION=14
DEFAULT=0
MODE=RWI
#! Integer mode enable
ENDBITFIELD
BITFIELD DITHER_EN_1
POSITION=13
DEFAULT=0
MODE=RWI
#! Enable dithering in SDM
#! 0 - Disabled
#! 1 - Enabled
ENDBITFIELD
BITFIELD SEL_SDMCLK_1
POSITION=12
DEFAULT=0
MODE=RWI
#! Selects between the feedback divider output and FREF for SDM
#! 0 - CLK CLK_DIV
#! 1 - CLK CLK_REF
ENDBITFIELD
BITFIELD REV_SDMCLK_1
POSITION=11
DEFAULT=0
MODE=RWI
#! Reverses the SDM clock
#! 0 - Normal
#! 1 - Reversed (after INV)
ENDBITFIELD
BITFIELD INTMOD_1<9:0>
POSITION=<9:0>
DEFAULT=0011011000
MODE=RWI
#! Integer section of division ratio.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FRACMODL_1 0x4119
BITFIELD FRACMODL_1<15:0>
POSITION=<15:0>
DEFAULT=0101011100110000
MODE=RWI
#! Fractional control of the division ratio LSB
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FRACMODH_1 0x411A
BITFIELD FRACMODH_1<3:0>
POSITION=<3:0>
DEFAULT=0101
MODE=RWI
#! Fractional control of the division ratio MSB
ENDBITFIELD
ENDREGISTER
REGISTER PLL_LODIST_CFG_1 0x411B
BITFIELD PLL_LODIST_EN_OUT_1<3:0>
POSITION=<15:12>
DEFAULT=0000
MODE=RWI
#! LO distribution enable signals.
#! Each bit is an enable for individual channel.
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT3_1<2:0>
POSITION=<11:9>
DEFAULT=000
MODE=RWI
#! LO distribution channel 3 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT2_1<2:0>
POSITION=<8:6>
DEFAULT=000
MODE=RWI
#! LO distribution channel 2 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT1_1<2:0>
POSITION=<5:3>
DEFAULT=000
MODE=RWI
#! LO distribution channel 1 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT0_1<2:0>
POSITION=<2:0>
DEFAULT=000
MODE=RWI
#! LO distribution channel 0 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FLOCK_CFG1_1 0x411C
BITFIELD FLOCK_R3_1<3:0>
POSITION=<15:12>
DEFAULT=0100
MODE=RWI
#! Loop filter R3 used during fact lock.
ENDBITFIELD
BITFIELD FLOCK_R2_1<3:0>
POSITION=<11:8>
DEFAULT=0100
MODE=RWI
#! Loop filter R2 used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_C2_1<3:0>
POSITION=<7:4>
DEFAULT=1000
MODE=RWI
#! Loop filter C2 used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_C1_1<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
#! Loop filter C1 used during fast lock.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FLOCK_CFG2_1 0x411D
BITFIELD FLOCK_C3_1<3:0>
POSITION=<15:12>
DEFAULT=1000
MODE=RWI
#! Loop filter C3 used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_PULSE_1<5:0>
POSITION=<11:6>
DEFAULT=111111
MODE=RWI
#! Charge pump pulse current used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_OFS_1<5:0>
POSITION=<5:0>
DEFAULT=000000
MODE=RWI
#! Charge pump offset (bleeding) current used during fast lock.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FLOCK_CFG3_1 0x411E
BITFIELD FLOCK_LODIST_EN_OUT_1<3:0>
POSITION=<14:11>
DEFAULT=0000
MODE=RWI
#! LO distribution enable signals used during fast lock
ENDBITFIELD
BITFIELD FLOCK_VCO_SPDUP_1
POSITION=10
DEFAULT=0
MODE=RWI
#! VCO speedup used during fast lock
ENDBITFIELD
BITFIELD FLOCK_N_1<9:0>
POSITION=<9:0>
DEFAULT=0110010000
MODE=RWI
#! Duration of fast lock in PLL reference frequency clock cycles.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_ENABLE_2 0x4120
BITFIELD PLL_LODIST_EN_BIAS_2
POSITION=12
DEFAULT=0
MODE=RWI
#! Enable for LO distribution bias.
ENDBITFIELD
BITFIELD PLL_LODIST_EN_DIV2IQ_2
POSITION=11
DEFAULT=0
MODE=RWI
#! Enable for IQ generator in LO distribution.
#! 0 - Clock is not divided by 2
#! 1 - Clock is divided by 2, I and Q are generated
ENDBITFIELD
BITFIELD PLL_EN_VTUNE_COMP_2
POSITION=10
DEFAULT=0
MODE=RWI
#! Enable for tuning voltage comparator in PLL.
ENDBITFIELD
BITFIELD PLL_EN_LD_2
POSITION=9
DEFAULT=0
MODE=RWI
#! Lock detector enable.
ENDBITFIELD
BITFIELD PLL_EN_PFD_2
POSITION=8
DEFAULT=0
MODE=RWI
#! Enable for PFD in PLL.
ENDBITFIELD
BITFIELD PLL_EN_CP_2
POSITION=7
DEFAULT=0
MODE=RWI
#! Enable for charge pump in PLL.
ENDBITFIELD
BITFIELD PLL_EN_CPOFS_2
POSITION=6
DEFAULT=0
MODE=RWI
#! Enable for offset (bleeding) current in charge pump.
ENDBITFIELD
BITFIELD PLL_EN_VCO_2
POSITION=5
DEFAULT=0
MODE=RWI
#! Enable for VCO.
ENDBITFIELD
BITFIELD PLL_EN_FFDIV_2
POSITION=4
DEFAULT=0
MODE=RWI
#! Enable for feed-forward divider in PLL.
#! 0 - Output clock is not divided
ENDBITFIELD
BITFIELD PLL_EN_FB_PDIV2_2
POSITION=3
DEFAULT=0
MODE=RWI
#! Enable for feedback pre-divider.
#! 0 - Output clock is directly fed to feedback divider
ENDBITFIELD
BITFIELD PLL_EN_FFCORE_2
POSITION=2
DEFAULT=0
MODE=RWI
#! Enable for feed-forward divider core
ENDBITFIELD
BITFIELD PLL_EN_FBDIV_2
POSITION=1
DEFAULT=0
MODE=RWI
#! Enable for feedback divider core
ENDBITFIELD
BITFIELD PLL_SDM_CLK_EN_2
POSITION=0
DEFAULT=0
MODE=RWI
#! Enable for sigma-delta modulator
ENDBITFIELD
ENDREGISTER
REGISTER PLL_LPF_CFG1_2 0x4121
BITFIELD R3_2<3:0>
POSITION=<15:12>
DEFAULT=0001
MODE=RWI
#! Control word for loop filter.
#! R3_val = 9 kOhm/R3<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
BITFIELD R2_2<3:0>
POSITION=<11:8>
DEFAULT=0001
MODE=RWI
#! Control word for loop filter.
#! R2_val = 15.6 kOhm/R2<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
BITFIELD C2_2<3:0>
POSITION=<7:4>
DEFAULT=1000
MODE=RWI
#! Control word for C2 in PLL loop filter.
#! C2_val = 300 pF+7.5 pF * C2<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
BITFIELD C1_2<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
#! Control word for C1 in PLL loop filter.
#! C1_val = 1.8 pF*C1<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_LPF_CFG2_2 0x4122
BITFIELD VTUNE_VCT_2<1:0>
POSITION=<6:5>
DEFAULT=01
MODE=RWI
#! Tuning voltage control word during coarse tuning (LPFSW=1).
#! 00 - 300 mV,
#! 01 - 600 mV,
#! 10 - 750 mV,
#! 11 - 900 mV.
ENDBITFIELD
BITFIELD LPFSW_2
POSITION=4
DEFAULT=0
MODE=RWI
#! Loop filter control.
#! 0 - PLL loop is closed,
#! 1 - PLL loop is open and tuning voltage is set to value specified by VTUNE_VCT<1:0>.
#! When LFPSW=1 PLL is in open-loop configuration for coarse tuning.
ENDBITFIELD
BITFIELD C3_2<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
#! Control word for C3 in PLL loop filter.
#! C3_val = 3 pF * C3<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CP_CFG0_2 0x4123
BITFIELD FLIP_2
POSITION=14
DEFAULT=0
MODE=RWI
#! Flip for PFD inputs
#! 0 - Normal operation,
#! 1 - Inputs are interchanged
ENDBITFIELD
BITFIELD DEL_2<1:0>
POSITION=<13:12>
DEFAULT=00
MODE=RWI
#! Reset path delay
ENDBITFIELD
BITFIELD PULSE_2<5:0>
POSITION=<11:6>
DEFAULT=000100
MODE=RWI
#! Charge pump pulse current
#! I = 25 uA * PULSE<5:0>
ENDBITFIELD
BITFIELD OFS_2<5:0>
POSITION=<5:0>
DEFAULT=000000
MODE=RWI
#! Charge pump offset (bleeding) current
#! I = 6.25 uA * OFS<5:0>
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CP_CFG1_2 0x4124
BITFIELD LD_VCT_2<1:0>
POSITION=<6:5>
DEFAULT=10
MODE=RWI
#! Threshold voltage for lock detector
#! 00 - 600 mV,
#! 01 - 700 mV,
#! 10 - 800 mV,
#! 11 - 900 mV.
ENDBITFIELD
BITFIELD ICT_CP_2<4:0>
POSITION=<4:0>
DEFAULT=10000
MODE=RWI
#! Charge pump bias current.
#! ICP_BIAS = ICP_BIAS_NOM * ICT_CP<4:0>/16
ENDBITFIELD
ENDREGISTER
REGISTER PLL_VCO_FREQ_2 0x4125
BITFIELD VCO_FREQ_2<7:0>
POSITION=<7:0>
DEFAULT=10000000
MODE=RWI
#! VCO cap bank code.
#! 00000000 - lowest frequency
#! 11111111 - highest frequency
ENDBITFIELD
ENDREGISTER
REGISTER PLL_VCO_CFG_2 0x4126
BITFIELD SPDUP_VCO_2
POSITION=12
DEFAULT=0
MODE=RWI
#! Speed-up VCO core by bypassing the noise filter
ENDBITFIELD
BITFIELD VCO_AAC_EN_2
POSITION=11
DEFAULT=1
MODE=RWI
#! Enable for automatic VCO amplitude control.
ENDBITFIELD
BITFIELD VDIV_SWVDD_2<1:0>
POSITION=<10:9>
DEFAULT=10
MODE=RWI
#! Capacitor bank switches bias voltage
#! 00 - 600 mV,
#! 01 - 800 mV,
#! 10 - 1000 mV,
#! 11 - 1200 mV.
ENDBITFIELD
BITFIELD VCO_SEL_2<1:0>
POSITION=<8:7>
DEFAULT=11
MODE=RWI
#! VCO core selection
#! 00 - External VCO,
#! 01 - Low-frequency band VCO (4 - 6 GHz),
#! 10 - Mid-frequency band VCO (6 - 8 GHz),
#! 11 - High-frequency band VCO (8 - 10 GHz).
ENDBITFIELD
BITFIELD VCO_AMP_2<6:0>
POSITION=<6:0>
DEFAULT=0000001
MODE=RWI
#! VCO amplitude control word.
#! 0000000 - minimum amplitude
#! Lowest two bits control the VCO core current.
#! Other bits are used for fine amplitude control, automatically determined when VCO_AAC_EN=1
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FF_CFG_2 0x4127
BITFIELD FFDIV_SEL_2
POSITION=4
DEFAULT=0
MODE=RWI
#! Feed-forward divider multiplexer select bit
#! 0 - No division,
#! 1 - Input frequency is divided
ENDBITFIELD
BITFIELD FFCORE_MOD_2<1:0>
POSITION=<3:2>
DEFAULT=00
MODE=RWI
#! Feed-forward divider core modulus
#! 00 - No division
#! 01 - Div by 2
#! 10 - Div by 4
#! 11 - Div by 8
ENDBITFIELD
BITFIELD FF_MOD_2<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
#! Multiplexer for divider outputs. In normal operation FF_MOD should be equal to FFCORE_MOD.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_SDM_CFG_2 0x4128
BITFIELD INTMOD_EN_2
POSITION=14
DEFAULT=0
MODE=RWI
#! Integer mode enable
ENDBITFIELD
BITFIELD DITHER_EN_2
POSITION=13
DEFAULT=0
MODE=RWI
#! Enable dithering in SDM
#! 0 - Disabled
#! 1 - Enabled
ENDBITFIELD
BITFIELD SEL_SDMCLK_2
POSITION=12
DEFAULT=0
MODE=RWI
#! Selects between the feedback divider output and FREF for SDM
#! 0 - CLK CLK_DIV
#! 1 - CLK CLK_REF
ENDBITFIELD
BITFIELD REV_SDMCLK_2
POSITION=11
DEFAULT=0
MODE=RWI
#! Reverses the SDM clock
#! 0 - Normal
#! 1 - Reversed (after INV)
ENDBITFIELD
BITFIELD INTMOD_2<9:0>
POSITION=<9:0>
DEFAULT=0011011000
MODE=RWI
#! Integer section of division ratio.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FRACMODL_2 0x4129
BITFIELD FRACMODL_2<15:0>
POSITION=<15:0>
DEFAULT=0101011100110000
MODE=RWI
#! Fractional control of the division ratio LSB
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FRACMODH_2 0x412A
BITFIELD FRACMODH_2<3:0>
POSITION=<3:0>
DEFAULT=0101
MODE=RWI
#! Fractional control of the division ratio MSB
ENDBITFIELD
ENDREGISTER
REGISTER PLL_LODIST_CFG_2 0x412B
BITFIELD PLL_LODIST_EN_OUT_2<3:0>
POSITION=<15:12>
DEFAULT=0000
MODE=RWI
#! LO distribution enable signals.
#! Each bit is an enable for individual channel.
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT3_2<2:0>
POSITION=<11:9>
DEFAULT=000
MODE=RWI
#! LO distribution channel 3 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT2_2<2:0>
POSITION=<8:6>
DEFAULT=000
MODE=RWI
#! LO distribution channel 2 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT1_2<2:0>
POSITION=<5:3>
DEFAULT=000
MODE=RWI
#! LO distribution channel 1 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT0_2<2:0>
POSITION=<2:0>
DEFAULT=000
MODE=RWI
#! LO distribution channel 0 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FLOCK_CFG1_2 0x412C
BITFIELD FLOCK_R3_2<3:0>
POSITION=<15:12>
DEFAULT=0100
MODE=RWI
#! Loop filter R3 used during fact lock.
ENDBITFIELD
BITFIELD FLOCK_R2_2<3:0>
POSITION=<11:8>
DEFAULT=0100
MODE=RWI
#! Loop filter R2 used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_C2_2<3:0>
POSITION=<7:4>
DEFAULT=1000
MODE=RWI
#! Loop filter C2 used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_C1_2<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
#! Loop filter C1 used during fast lock.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FLOCK_CFG2_2 0x412D
BITFIELD FLOCK_C3_2<3:0>
POSITION=<15:12>
DEFAULT=1000
MODE=RWI
#! Loop filter C3 used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_PULSE_2<5:0>
POSITION=<11:6>
DEFAULT=111111
MODE=RWI
#! Charge pump pulse current used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_OFS_2<5:0>
POSITION=<5:0>
DEFAULT=000000
MODE=RWI
#! Charge pump offset (bleeding) current used during fast lock.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FLOCK_CFG3_2 0x412E
BITFIELD FLOCK_LODIST_EN_OUT_2<3:0>
POSITION=<14:11>
DEFAULT=0000
MODE=RWI
#! LO distribution enable signals used during fast lock
ENDBITFIELD
BITFIELD FLOCK_VCO_SPDUP_2
POSITION=10
DEFAULT=0
MODE=RWI
#! VCO speedup used during fast lock
ENDBITFIELD
BITFIELD FLOCK_N_2<9:0>
POSITION=<9:0>
DEFAULT=0110010000
MODE=RWI
#! Duration of fast lock in PLL reference frequency clock cycles.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_ENABLE_3 0x4130
BITFIELD PLL_LODIST_EN_BIAS_3
POSITION=12
DEFAULT=0
MODE=RWI
#! Enable for LO distribution bias.
ENDBITFIELD
BITFIELD PLL_LODIST_EN_DIV2IQ_3
POSITION=11
DEFAULT=0
MODE=RWI
#! Enable for IQ generator in LO distribution.
#! 0 - Clock is not divided by 2
#! 1 - Clock is divided by 2, I and Q are generated
ENDBITFIELD
BITFIELD PLL_EN_VTUNE_COMP_3
POSITION=10
DEFAULT=0
MODE=RWI
#! Enable for tuning voltage comparator in PLL.
ENDBITFIELD
BITFIELD PLL_EN_LD_3
POSITION=9
DEFAULT=0
MODE=RWI
#! Lock detector enable.
ENDBITFIELD
BITFIELD PLL_EN_PFD_3
POSITION=8
DEFAULT=0
MODE=RWI
#! Enable for PFD in PLL.
ENDBITFIELD
BITFIELD PLL_EN_CP_3
POSITION=7
DEFAULT=0
MODE=RWI
#! Enable for charge pump in PLL.
ENDBITFIELD
BITFIELD PLL_EN_CPOFS_3
POSITION=6
DEFAULT=0
MODE=RWI
#! Enable for offset (bleeding) current in charge pump.
ENDBITFIELD
BITFIELD PLL_EN_VCO_3
POSITION=5
DEFAULT=0
MODE=RWI
#! Enable for VCO.
ENDBITFIELD
BITFIELD PLL_EN_FFDIV_3
POSITION=4
DEFAULT=0
MODE=RWI
#! Enable for feed-forward divider in PLL.
#! 0 - Output clock is not divided
ENDBITFIELD
BITFIELD PLL_EN_FB_PDIV2_3
POSITION=3
DEFAULT=0
MODE=RWI
#! Enable for feedback pre-divider.
#! 0 - Output clock is directly fed to feedback divider
ENDBITFIELD
BITFIELD PLL_EN_FFCORE_3
POSITION=2
DEFAULT=0
MODE=RWI
#! Enable for feed-forward divider core
ENDBITFIELD
BITFIELD PLL_EN_FBDIV_3
POSITION=1
DEFAULT=0
MODE=RWI
#! Enable for feedback divider core
ENDBITFIELD
BITFIELD PLL_SDM_CLK_EN_3
POSITION=0
DEFAULT=0
MODE=RWI
#! Enable for sigma-delta modulator
ENDBITFIELD
ENDREGISTER
REGISTER PLL_LPF_CFG1_3 0x4131
BITFIELD R3_3<3:0>
POSITION=<15:12>
DEFAULT=0001
MODE=RWI
#! Control word for loop filter.
#! R3_val = 9 kOhm/R3<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
BITFIELD R2_3<3:0>
POSITION=<11:8>
DEFAULT=0001
MODE=RWI
#! Control word for loop filter.
#! R2_val = 15.6 kOhm/R2<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
BITFIELD C2_3<3:0>
POSITION=<7:4>
DEFAULT=1000
MODE=RWI
#! Control word for C2 in PLL loop filter.
#! C2_val = 300 pF+7.5 pF * C2<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
BITFIELD C1_3<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
#! Control word for C1 in PLL loop filter.
#! C1_val = 1.8 pF*C1<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_LPF_CFG2_3 0x4132
BITFIELD VTUNE_VCT_3<1:0>
POSITION=<6:5>
DEFAULT=01
MODE=RWI
#! Tuning voltage control word during coarse tuning (LPFSW=1).
#! 00 - 300 mV,
#! 01 - 600 mV,
#! 10 - 750 mV,
#! 11 - 900 mV.
ENDBITFIELD
BITFIELD LPFSW_3
POSITION=4
DEFAULT=0
MODE=RWI
#! Loop filter control.
#! 0 - PLL loop is closed,
#! 1 - PLL loop is open and tuning voltage is set to value specified by VTUNE_VCT<1:0>.
#! When LFPSW=1 PLL is in open-loop configuration for coarse tuning.
ENDBITFIELD
BITFIELD C3_3<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
#! Control word for C3 in PLL loop filter.
#! C3_val = 3 pF * C3<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CP_CFG0_3 0x4133
BITFIELD FLIP_3
POSITION=14
DEFAULT=0
MODE=RWI
#! Flip for PFD inputs
#! 0 - Normal operation,
#! 1 - Inputs are interchanged
ENDBITFIELD
BITFIELD DEL_3<1:0>
POSITION=<13:12>
DEFAULT=00
MODE=RWI
#! Reset path delay
ENDBITFIELD
BITFIELD PULSE_3<5:0>
POSITION=<11:6>
DEFAULT=000100
MODE=RWI
#! Charge pump pulse current
#! I = 25 uA * PULSE<5:0>
ENDBITFIELD
BITFIELD OFS_3<5:0>
POSITION=<5:0>
DEFAULT=000000
MODE=RWI
#! Charge pump offset (bleeding) current
#! I = 6.25 uA * OFS<5:0>
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CP_CFG1_3 0x4134
BITFIELD LD_VCT_3<1:0>
POSITION=<6:5>
DEFAULT=10
MODE=RWI
#! Threshold voltage for lock detector
#! 00 - 600 mV,
#! 01 - 700 mV,
#! 10 - 800 mV,
#! 11 - 900 mV.
ENDBITFIELD
BITFIELD ICT_CP_3<4:0>
POSITION=<4:0>
DEFAULT=10000
MODE=RWI
#! Charge pump bias current.
#! ICP_BIAS = ICP_BIAS_NOM * ICT_CP<4:0>/16
ENDBITFIELD
ENDREGISTER
REGISTER PLL_VCO_FREQ_3 0x4135
BITFIELD VCO_FREQ_3<7:0>
POSITION=<7:0>
DEFAULT=10000000
MODE=RWI
#! VCO cap bank code.
#! 00000000 - lowest frequency
#! 11111111 - highest frequency
ENDBITFIELD
ENDREGISTER
REGISTER PLL_VCO_CFG_3 0x4136
BITFIELD SPDUP_VCO_3
POSITION=12
DEFAULT=0
MODE=RWI
#! Speed-up VCO core by bypassing the noise filter
ENDBITFIELD
BITFIELD VCO_AAC_EN_3
POSITION=11
DEFAULT=1
MODE=RWI
#! Enable for automatic VCO amplitude control.
ENDBITFIELD
BITFIELD VDIV_SWVDD_3<1:0>
POSITION=<10:9>
DEFAULT=10
MODE=RWI
#! Capacitor bank switches bias voltage
#! 00 - 600 mV,
#! 01 - 800 mV,
#! 10 - 1000 mV,
#! 11 - 1200 mV.
ENDBITFIELD
BITFIELD VCO_SEL_3<1:0>
POSITION=<8:7>
DEFAULT=11
MODE=RWI
#! VCO core selection
#! 00 - External VCO,
#! 01 - Low-frequency band VCO (4 - 6 GHz),
#! 10 - Mid-frequency band VCO (6 - 8 GHz),
#! 11 - High-frequency band VCO (8 - 10 GHz).
ENDBITFIELD
BITFIELD VCO_AMP_3<6:0>
POSITION=<6:0>
DEFAULT=0000001
MODE=RWI
#! VCO amplitude control word.
#! 0000000 - minimum amplitude
#! Lowest two bits control the VCO core current.
#! Other bits are used for fine amplitude control, automatically determined when VCO_AAC_EN=1
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FF_CFG_3 0x4137
BITFIELD FFDIV_SEL_3
POSITION=4
DEFAULT=0
MODE=RWI
#! Feed-forward divider multiplexer select bit
#! 0 - No division,
#! 1 - Input frequency is divided
ENDBITFIELD
BITFIELD FFCORE_MOD_3<1:0>
POSITION=<3:2>
DEFAULT=00
MODE=RWI
#! Feed-forward divider core modulus
#! 00 - No division
#! 01 - Div by 2
#! 10 - Div by 4
#! 11 - Div by 8
ENDBITFIELD
BITFIELD FF_MOD_3<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
#! Multiplexer for divider outputs. In normal operation FF_MOD should be equal to FFCORE_MOD.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_SDM_CFG_3 0x4138
BITFIELD INTMOD_EN_3
POSITION=14
DEFAULT=0
MODE=RWI
#! Integer mode enable
ENDBITFIELD
BITFIELD DITHER_EN_3
POSITION=13
DEFAULT=0
MODE=RWI
#! Enable dithering in SDM
#! 0 - Disabled
#! 1 - Enabled
ENDBITFIELD
BITFIELD SEL_SDMCLK_3
POSITION=12
DEFAULT=0
MODE=RWI
#! Selects between the feedback divider output and FREF for SDM
#! 0 - CLK CLK_DIV
#! 1 - CLK CLK_REF
ENDBITFIELD
BITFIELD REV_SDMCLK_3
POSITION=11
DEFAULT=0
MODE=RWI
#! Reverses the SDM clock
#! 0 - Normal
#! 1 - Reversed (after INV)
ENDBITFIELD
BITFIELD INTMOD_3<9:0>
POSITION=<9:0>
DEFAULT=0011011000
MODE=RWI
#! Integer section of division ratio.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FRACMODL_3 0x4139
BITFIELD FRACMODL_3<15:0>
POSITION=<15:0>
DEFAULT=0101011100110000
MODE=RWI
#! Fractional control of the division ratio LSB
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FRACMODH_3 0x413A
BITFIELD FRACMODH_3<3:0>
POSITION=<3:0>
DEFAULT=0101
MODE=RWI
#! Fractional control of the division ratio MSB
ENDBITFIELD
ENDREGISTER
REGISTER PLL_LODIST_CFG_3 0x413B
BITFIELD PLL_LODIST_EN_OUT_3<3:0>
POSITION=<15:12>
DEFAULT=0000
MODE=RWI
#! LO distribution enable signals.
#! Each bit is an enable for individual channel.
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT3_3<2:0>
POSITION=<11:9>
DEFAULT=000
MODE=RWI
#! LO distribution channel 3 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT2_3<2:0>
POSITION=<8:6>
DEFAULT=000
MODE=RWI
#! LO distribution channel 2 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT1_3<2:0>
POSITION=<5:3>
DEFAULT=000
MODE=RWI
#! LO distribution channel 1 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT0_3<2:0>
POSITION=<2:0>
DEFAULT=000
MODE=RWI
#! LO distribution channel 0 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FLOCK_CFG1_3 0x413C
BITFIELD FLOCK_R3_3<3:0>
POSITION=<15:12>
DEFAULT=0100
MODE=RWI
#! Loop filter R3 used during fact lock.
ENDBITFIELD
BITFIELD FLOCK_R2_3<3:0>
POSITION=<11:8>
DEFAULT=0100
MODE=RWI
#! Loop filter R2 used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_C2_3<3:0>
POSITION=<7:4>
DEFAULT=1000
MODE=RWI
#! Loop filter C2 used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_C1_3<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
#! Loop filter C1 used during fast lock.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FLOCK_CFG2_3 0x413D
BITFIELD FLOCK_C3_3<3:0>
POSITION=<15:12>
DEFAULT=1000
MODE=RWI
#! Loop filter C3 used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_PULSE_3<5:0>
POSITION=<11:6>
DEFAULT=111111
MODE=RWI
#! Charge pump pulse current used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_OFS_3<5:0>
POSITION=<5:0>
DEFAULT=000000
MODE=RWI
#! Charge pump offset (bleeding) current used during fast lock.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FLOCK_CFG3_3 0x413E
BITFIELD FLOCK_LODIST_EN_OUT_3<3:0>
POSITION=<14:11>
DEFAULT=0000
MODE=RWI
#! LO distribution enable signals used during fast lock
ENDBITFIELD
BITFIELD FLOCK_VCO_SPDUP_3
POSITION=10
DEFAULT=0
MODE=RWI
#! VCO speedup used during fast lock
ENDBITFIELD
BITFIELD FLOCK_N_3<9:0>
POSITION=<9:0>
DEFAULT=0110010000
MODE=RWI
#! Duration of fast lock in PLL reference frequency clock cycles.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_ENABLE_4 0x4140
BITFIELD PLL_LODIST_EN_BIAS_4
POSITION=12
DEFAULT=0
MODE=RWI
#! Enable for LO distribution bias.
ENDBITFIELD
BITFIELD PLL_LODIST_EN_DIV2IQ_4
POSITION=11
DEFAULT=0
MODE=RWI
#! Enable for IQ generator in LO distribution.
#! 0 - Clock is not divided by 2
#! 1 - Clock is divided by 2, I and Q are generated
ENDBITFIELD
BITFIELD PLL_EN_VTUNE_COMP_4
POSITION=10
DEFAULT=0
MODE=RWI
#! Enable for tuning voltage comparator in PLL.
ENDBITFIELD
BITFIELD PLL_EN_LD_4
POSITION=9
DEFAULT=0
MODE=RWI
#! Lock detector enable.
ENDBITFIELD
BITFIELD PLL_EN_PFD_4
POSITION=8
DEFAULT=0
MODE=RWI
#! Enable for PFD in PLL.
ENDBITFIELD
BITFIELD PLL_EN_CP_4
POSITION=7
DEFAULT=0
MODE=RWI
#! Enable for charge pump in PLL.
ENDBITFIELD
BITFIELD PLL_EN_CPOFS_4
POSITION=6
DEFAULT=0
MODE=RWI
#! Enable for offset (bleeding) current in charge pump.
ENDBITFIELD
BITFIELD PLL_EN_VCO_4
POSITION=5
DEFAULT=0
MODE=RWI
#! Enable for VCO.
ENDBITFIELD
BITFIELD PLL_EN_FFDIV_4
POSITION=4
DEFAULT=0
MODE=RWI
#! Enable for feed-forward divider in PLL.
#! 0 - Output clock is not divided
ENDBITFIELD
BITFIELD PLL_EN_FB_PDIV2_4
POSITION=3
DEFAULT=0
MODE=RWI
#! Enable for feedback pre-divider.
#! 0 - Output clock is directly fed to feedback divider
ENDBITFIELD
BITFIELD PLL_EN_FFCORE_4
POSITION=2
DEFAULT=0
MODE=RWI
#! Enable for feed-forward divider core
ENDBITFIELD
BITFIELD PLL_EN_FBDIV_4
POSITION=1
DEFAULT=0
MODE=RWI
#! Enable for feedback divider core
ENDBITFIELD
BITFIELD PLL_SDM_CLK_EN_4
POSITION=0
DEFAULT=0
MODE=RWI
#! Enable for sigma-delta modulator
ENDBITFIELD
ENDREGISTER
REGISTER PLL_LPF_CFG1_4 0x4141
BITFIELD R3_4<3:0>
POSITION=<15:12>
DEFAULT=0001
MODE=RWI
#! Control word for loop filter.
#! R3_val = 9 kOhm/R3<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
BITFIELD R2_4<3:0>
POSITION=<11:8>
DEFAULT=0001
MODE=RWI
#! Control word for loop filter.
#! R2_val = 15.6 kOhm/R2<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
BITFIELD C2_4<3:0>
POSITION=<7:4>
DEFAULT=1000
MODE=RWI
#! Control word for C2 in PLL loop filter.
#! C2_val = 300 pF+7.5 pF * C2<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
BITFIELD C1_4<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
#! Control word for C1 in PLL loop filter.
#! C1_val = 1.8 pF*C1<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_LPF_CFG2_4 0x4142
BITFIELD VTUNE_VCT_4<1:0>
POSITION=<6:5>
DEFAULT=01
MODE=RWI
#! Tuning voltage control word during coarse tuning (LPFSW=1).
#! 00 - 300 mV,
#! 01 - 600 mV,
#! 10 - 750 mV,
#! 11 - 900 mV.
ENDBITFIELD
BITFIELD LPFSW_4
POSITION=4
DEFAULT=0
MODE=RWI
#! Loop filter control.
#! 0 - PLL loop is closed,
#! 1 - PLL loop is open and tuning voltage is set to value specified by VTUNE_VCT<1:0>.
#! When LFPSW=1 PLL is in open-loop configuration for coarse tuning.
ENDBITFIELD
BITFIELD C3_4<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
#! Control word for C3 in PLL loop filter.
#! C3_val = 3 pF * C3<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CP_CFG0_4 0x4143
BITFIELD FLIP_4
POSITION=14
DEFAULT=0
MODE=RWI
#! Flip for PFD inputs
#! 0 - Normal operation,
#! 1 - Inputs are interchanged
ENDBITFIELD
BITFIELD DEL_4<1:0>
POSITION=<13:12>
DEFAULT=00
MODE=RWI
#! Reset path delay
ENDBITFIELD
BITFIELD PULSE_4<5:0>
POSITION=<11:6>
DEFAULT=000100
MODE=RWI
#! Charge pump pulse current
#! I = 25 uA * PULSE<5:0>
ENDBITFIELD
BITFIELD OFS_4<5:0>
POSITION=<5:0>
DEFAULT=000000
MODE=RWI
#! Charge pump offset (bleeding) current
#! I = 6.25 uA * OFS<5:0>
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CP_CFG1_4 0x4144
BITFIELD LD_VCT_4<1:0>
POSITION=<6:5>
DEFAULT=10
MODE=RWI
#! Threshold voltage for lock detector
#! 00 - 600 mV,
#! 01 - 700 mV,
#! 10 - 800 mV,
#! 11 - 900 mV.
ENDBITFIELD
BITFIELD ICT_CP_4<4:0>
POSITION=<4:0>
DEFAULT=10000
MODE=RWI
#! Charge pump bias current.
#! ICP_BIAS = ICP_BIAS_NOM * ICT_CP<4:0>/16
ENDBITFIELD
ENDREGISTER
REGISTER PLL_VCO_FREQ_4 0x4145
BITFIELD VCO_FREQ_4<7:0>
POSITION=<7:0>
DEFAULT=10000000
MODE=RWI
#! VCO cap bank code.
#! 00000000 - lowest frequency
#! 11111111 - highest frequency
ENDBITFIELD
ENDREGISTER
REGISTER PLL_VCO_CFG_4 0x4146
BITFIELD SPDUP_VCO_4
POSITION=12
DEFAULT=0
MODE=RWI
#! Speed-up VCO core by bypassing the noise filter
ENDBITFIELD
BITFIELD VCO_AAC_EN_4
POSITION=11
DEFAULT=1
MODE=RWI
#! Enable for automatic VCO amplitude control.
ENDBITFIELD
BITFIELD VDIV_SWVDD_4<1:0>
POSITION=<10:9>
DEFAULT=10
MODE=RWI
#! Capacitor bank switches bias voltage
#! 00 - 600 mV,
#! 01 - 800 mV,
#! 10 - 1000 mV,
#! 11 - 1200 mV.
ENDBITFIELD
BITFIELD VCO_SEL_4<1:0>
POSITION=<8:7>
DEFAULT=11
MODE=RWI
#! VCO core selection
#! 00 - External VCO,
#! 01 - Low-frequency band VCO (4 - 6 GHz),
#! 10 - Mid-frequency band VCO (6 - 8 GHz),
#! 11 - High-frequency band VCO (8 - 10 GHz).
ENDBITFIELD
BITFIELD VCO_AMP_4<6:0>
POSITION=<6:0>
DEFAULT=0000001
MODE=RWI
#! VCO amplitude control word.
#! 0000000 - minimum amplitude
#! Lowest two bits control the VCO core current.
#! Other bits are used for fine amplitude control, automatically determined when VCO_AAC_EN=1
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FF_CFG_4 0x4147
BITFIELD FFDIV_SEL_4
POSITION=4
DEFAULT=0
MODE=RWI
#! Feed-forward divider multiplexer select bit
#! 0 - No division,
#! 1 - Input frequency is divided
ENDBITFIELD
BITFIELD FFCORE_MOD_4<1:0>
POSITION=<3:2>
DEFAULT=00
MODE=RWI
#! Feed-forward divider core modulus
#! 00 - No division
#! 01 - Div by 2
#! 10 - Div by 4
#! 11 - Div by 8
ENDBITFIELD
BITFIELD FF_MOD_4<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
#! Multiplexer for divider outputs. In normal operation FF_MOD should be equal to FFCORE_MOD.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_SDM_CFG_4 0x4148
BITFIELD INTMOD_EN_4
POSITION=14
DEFAULT=0
MODE=RWI
#! Integer mode enable
ENDBITFIELD
BITFIELD DITHER_EN_4
POSITION=13
DEFAULT=0
MODE=RWI
#! Enable dithering in SDM
#! 0 - Disabled
#! 1 - Enabled
ENDBITFIELD
BITFIELD SEL_SDMCLK_4
POSITION=12
DEFAULT=0
MODE=RWI
#! Selects between the feedback divider output and FREF for SDM
#! 0 - CLK CLK_DIV
#! 1 - CLK CLK_REF
ENDBITFIELD
BITFIELD REV_SDMCLK_4
POSITION=11
DEFAULT=0
MODE=RWI
#! Reverses the SDM clock
#! 0 - Normal
#! 1 - Reversed (after INV)
ENDBITFIELD
BITFIELD INTMOD_4<9:0>
POSITION=<9:0>
DEFAULT=0011011000
MODE=RWI
#! Integer section of division ratio.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FRACMODL_4 0x4149
BITFIELD FRACMODL_4<15:0>
POSITION=<15:0>
DEFAULT=0101011100110000
MODE=RWI
#! Fractional control of the division ratio LSB
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FRACMODH_4 0x414A
BITFIELD FRACMODH_4<3:0>
POSITION=<3:0>
DEFAULT=0101
MODE=RWI
#! Fractional control of the division ratio MSB
ENDBITFIELD
ENDREGISTER
REGISTER PLL_LODIST_CFG_4 0x414B
BITFIELD PLL_LODIST_EN_OUT_4<3:0>
POSITION=<15:12>
DEFAULT=0000
MODE=RWI
#! LO distribution enable signals.
#! Each bit is an enable for individual channel.
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT3_4<2:0>
POSITION=<11:9>
DEFAULT=000
MODE=RWI
#! LO distribution channel 3 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT2_4<2:0>
POSITION=<8:6>
DEFAULT=000
MODE=RWI
#! LO distribution channel 2 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT1_4<2:0>
POSITION=<5:3>
DEFAULT=000
MODE=RWI
#! LO distribution channel 1 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT0_4<2:0>
POSITION=<2:0>
DEFAULT=000
MODE=RWI
#! LO distribution channel 0 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FLOCK_CFG1_4 0x414C
BITFIELD FLOCK_R3_4<3:0>
POSITION=<15:12>
DEFAULT=0100
MODE=RWI
#! Loop filter R3 used during fact lock.
ENDBITFIELD
BITFIELD FLOCK_R2_4<3:0>
POSITION=<11:8>
DEFAULT=0100
MODE=RWI
#! Loop filter R2 used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_C2_4<3:0>
POSITION=<7:4>
DEFAULT=1000
MODE=RWI
#! Loop filter C2 used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_C1_4<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
#! Loop filter C1 used during fast lock.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FLOCK_CFG2_4 0x414D
BITFIELD FLOCK_C3_4<3:0>
POSITION=<15:12>
DEFAULT=1000
MODE=RWI
#! Loop filter C3 used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_PULSE_4<5:0>
POSITION=<11:6>
DEFAULT=111111
MODE=RWI
#! Charge pump pulse current used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_OFS_4<5:0>
POSITION=<5:0>
DEFAULT=000000
MODE=RWI
#! Charge pump offset (bleeding) current used during fast lock.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FLOCK_CFG3_4 0x414E
BITFIELD FLOCK_LODIST_EN_OUT_4<3:0>
POSITION=<14:11>
DEFAULT=0000
MODE=RWI
#! LO distribution enable signals used during fast lock
ENDBITFIELD
BITFIELD FLOCK_VCO_SPDUP_4
POSITION=10
DEFAULT=0
MODE=RWI
#! VCO speedup used during fast lock
ENDBITFIELD
BITFIELD FLOCK_N_4<9:0>
POSITION=<9:0>
DEFAULT=0110010000
MODE=RWI
#! Duration of fast lock in PLL reference frequency clock cycles.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_ENABLE_5 0x4150
BITFIELD PLL_LODIST_EN_BIAS_5
POSITION=12
DEFAULT=0
MODE=RWI
#! Enable for LO distribution bias.
ENDBITFIELD
BITFIELD PLL_LODIST_EN_DIV2IQ_5
POSITION=11
DEFAULT=0
MODE=RWI
#! Enable for IQ generator in LO distribution.
#! 0 - Clock is not divided by 2
#! 1 - Clock is divided by 2, I and Q are generated
ENDBITFIELD
BITFIELD PLL_EN_VTUNE_COMP_5
POSITION=10
DEFAULT=0
MODE=RWI
#! Enable for tuning voltage comparator in PLL.
ENDBITFIELD
BITFIELD PLL_EN_LD_5
POSITION=9
DEFAULT=0
MODE=RWI
#! Lock detector enable.
ENDBITFIELD
BITFIELD PLL_EN_PFD_5
POSITION=8
DEFAULT=0
MODE=RWI
#! Enable for PFD in PLL.
ENDBITFIELD
BITFIELD PLL_EN_CP_5
POSITION=7
DEFAULT=0
MODE=RWI
#! Enable for charge pump in PLL.
ENDBITFIELD
BITFIELD PLL_EN_CPOFS_5
POSITION=6
DEFAULT=0
MODE=RWI
#! Enable for offset (bleeding) current in charge pump.
ENDBITFIELD
BITFIELD PLL_EN_VCO_5
POSITION=5
DEFAULT=0
MODE=RWI
#! Enable for VCO.
ENDBITFIELD
BITFIELD PLL_EN_FFDIV_5
POSITION=4
DEFAULT=0
MODE=RWI
#! Enable for feed-forward divider in PLL.
#! 0 - Output clock is not divided
ENDBITFIELD
BITFIELD PLL_EN_FB_PDIV2_5
POSITION=3
DEFAULT=0
MODE=RWI
#! Enable for feedback pre-divider.
#! 0 - Output clock is directly fed to feedback divider
ENDBITFIELD
BITFIELD PLL_EN_FFCORE_5
POSITION=2
DEFAULT=0
MODE=RWI
#! Enable for feed-forward divider core
ENDBITFIELD
BITFIELD PLL_EN_FBDIV_5
POSITION=1
DEFAULT=0
MODE=RWI
#! Enable for feedback divider core
ENDBITFIELD
BITFIELD PLL_SDM_CLK_EN_5
POSITION=0
DEFAULT=0
MODE=RWI
#! Enable for sigma-delta modulator
ENDBITFIELD
ENDREGISTER
REGISTER PLL_LPF_CFG1_5 0x4151
BITFIELD R3_5<3:0>
POSITION=<15:12>
DEFAULT=0001
MODE=RWI
#! Control word for loop filter.
#! R3_val = 9 kOhm/R3<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
BITFIELD R2_5<3:0>
POSITION=<11:8>
DEFAULT=0001
MODE=RWI
#! Control word for loop filter.
#! R2_val = 15.6 kOhm/R2<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
BITFIELD C2_5<3:0>
POSITION=<7:4>
DEFAULT=1000
MODE=RWI
#! Control word for C2 in PLL loop filter.
#! C2_val = 300 pF+7.5 pF * C2<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
BITFIELD C1_5<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
#! Control word for C1 in PLL loop filter.
#! C1_val = 1.8 pF*C1<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_LPF_CFG2_5 0x4152
BITFIELD VTUNE_VCT_5<1:0>
POSITION=<6:5>
DEFAULT=01
MODE=RWI
#! Tuning voltage control word during coarse tuning (LPFSW=1).
#! 00 - 300 mV,
#! 01 - 600 mV,
#! 10 - 750 mV,
#! 11 - 900 mV.
ENDBITFIELD
BITFIELD LPFSW_5
POSITION=4
DEFAULT=0
MODE=RWI
#! Loop filter control.
#! 0 - PLL loop is closed,
#! 1 - PLL loop is open and tuning voltage is set to value specified by VTUNE_VCT<1:0>.
#! When LFPSW=1 PLL is in open-loop configuration for coarse tuning.
ENDBITFIELD
BITFIELD C3_5<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
#! Control word for C3 in PLL loop filter.
#! C3_val = 3 pF * C3<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CP_CFG0_5 0x4153
BITFIELD FLIP_5
POSITION=14
DEFAULT=0
MODE=RWI
#! Flip for PFD inputs
#! 0 - Normal operation,
#! 1 - Inputs are interchanged
ENDBITFIELD
BITFIELD DEL_5<1:0>
POSITION=<13:12>
DEFAULT=00
MODE=RWI
#! Reset path delay
ENDBITFIELD
BITFIELD PULSE_5<5:0>
POSITION=<11:6>
DEFAULT=000100
MODE=RWI
#! Charge pump pulse current
#! I = 25 uA * PULSE<5:0>
ENDBITFIELD
BITFIELD OFS_5<5:0>
POSITION=<5:0>
DEFAULT=000000
MODE=RWI
#! Charge pump offset (bleeding) current
#! I = 6.25 uA * OFS<5:0>
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CP_CFG1_5 0x4154
BITFIELD LD_VCT_5<1:0>
POSITION=<6:5>
DEFAULT=10
MODE=RWI
#! Threshold voltage for lock detector
#! 00 - 600 mV,
#! 01 - 700 mV,
#! 10 - 800 mV,
#! 11 - 900 mV.
ENDBITFIELD
BITFIELD ICT_CP_5<4:0>
POSITION=<4:0>
DEFAULT=10000
MODE=RWI
#! Charge pump bias current.
#! ICP_BIAS = ICP_BIAS_NOM * ICT_CP<4:0>/16
ENDBITFIELD
ENDREGISTER
REGISTER PLL_VCO_FREQ_5 0x4155
BITFIELD VCO_FREQ_5<7:0>
POSITION=<7:0>
DEFAULT=10000000
MODE=RWI
#! VCO cap bank code.
#! 00000000 - lowest frequency
#! 11111111 - highest frequency
ENDBITFIELD
ENDREGISTER
REGISTER PLL_VCO_CFG_5 0x4156
BITFIELD SPDUP_VCO_5
POSITION=12
DEFAULT=0
MODE=RWI
#! Speed-up VCO core by bypassing the noise filter
ENDBITFIELD
BITFIELD VCO_AAC_EN_5
POSITION=11
DEFAULT=1
MODE=RWI
#! Enable for automatic VCO amplitude control.
ENDBITFIELD
BITFIELD VDIV_SWVDD_5<1:0>
POSITION=<10:9>
DEFAULT=10
MODE=RWI
#! Capacitor bank switches bias voltage
#! 00 - 600 mV,
#! 01 - 800 mV,
#! 10 - 1000 mV,
#! 11 - 1200 mV.
ENDBITFIELD
BITFIELD VCO_SEL_5<1:0>
POSITION=<8:7>
DEFAULT=11
MODE=RWI
#! VCO core selection
#! 00 - External VCO,
#! 01 - Low-frequency band VCO (4 - 6 GHz),
#! 10 - Mid-frequency band VCO (6 - 8 GHz),
#! 11 - High-frequency band VCO (8 - 10 GHz).
ENDBITFIELD
BITFIELD VCO_AMP_5<6:0>
POSITION=<6:0>
DEFAULT=0000001
MODE=RWI
#! VCO amplitude control word.
#! 0000000 - minimum amplitude
#! Lowest two bits control the VCO core current.
#! Other bits are used for fine amplitude control, automatically determined when VCO_AAC_EN=1
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FF_CFG_5 0x4157
BITFIELD FFDIV_SEL_5
POSITION=4
DEFAULT=0
MODE=RWI
#! Feed-forward divider multiplexer select bit
#! 0 - No division,
#! 1 - Input frequency is divided
ENDBITFIELD
BITFIELD FFCORE_MOD_5<1:0>
POSITION=<3:2>
DEFAULT=00
MODE=RWI
#! Feed-forward divider core modulus
#! 00 - No division
#! 01 - Div by 2
#! 10 - Div by 4
#! 11 - Div by 8
ENDBITFIELD
BITFIELD FF_MOD_5<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
#! Multiplexer for divider outputs. In normal operation FF_MOD should be equal to FFCORE_MOD.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_SDM_CFG_5 0x4158
BITFIELD INTMOD_EN_5
POSITION=14
DEFAULT=0
MODE=RWI
#! Integer mode enable
ENDBITFIELD
BITFIELD DITHER_EN_5
POSITION=13
DEFAULT=0
MODE=RWI
#! Enable dithering in SDM
#! 0 - Disabled
#! 1 - Enabled
ENDBITFIELD
BITFIELD SEL_SDMCLK_5
POSITION=12
DEFAULT=0
MODE=RWI
#! Selects between the feedback divider output and FREF for SDM
#! 0 - CLK CLK_DIV
#! 1 - CLK CLK_REF
ENDBITFIELD
BITFIELD REV_SDMCLK_5
POSITION=11
DEFAULT=0
MODE=RWI
#! Reverses the SDM clock
#! 0 - Normal
#! 1 - Reversed (after INV)
ENDBITFIELD
BITFIELD INTMOD_5<9:0>
POSITION=<9:0>
DEFAULT=0011011000
MODE=RWI
#! Integer section of division ratio.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FRACMODL_5 0x4159
BITFIELD FRACMODL_5<15:0>
POSITION=<15:0>
DEFAULT=0101011100110000
MODE=RWI
#! Fractional control of the division ratio LSB
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FRACMODH_5 0x415A
BITFIELD FRACMODH_5<3:0>
POSITION=<3:0>
DEFAULT=0101
MODE=RWI
#! Fractional control of the division ratio MSB
ENDBITFIELD
ENDREGISTER
REGISTER PLL_LODIST_CFG_5 0x415B
BITFIELD PLL_LODIST_EN_OUT_5<3:0>
POSITION=<15:12>
DEFAULT=0000
MODE=RWI
#! LO distribution enable signals.
#! Each bit is an enable for individual channel.
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT3_5<2:0>
POSITION=<11:9>
DEFAULT=000
MODE=RWI
#! LO distribution channel 3 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT2_5<2:0>
POSITION=<8:6>
DEFAULT=000
MODE=RWI
#! LO distribution channel 2 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT1_5<2:0>
POSITION=<5:3>
DEFAULT=000
MODE=RWI
#! LO distribution channel 1 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT0_5<2:0>
POSITION=<2:0>
DEFAULT=000
MODE=RWI
#! LO distribution channel 0 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FLOCK_CFG1_5 0x415C
BITFIELD FLOCK_R3_5<3:0>
POSITION=<15:12>
DEFAULT=0100
MODE=RWI
#! Loop filter R3 used during fact lock.
ENDBITFIELD
BITFIELD FLOCK_R2_5<3:0>
POSITION=<11:8>
DEFAULT=0100
MODE=RWI
#! Loop filter R2 used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_C2_5<3:0>
POSITION=<7:4>
DEFAULT=1000
MODE=RWI
#! Loop filter C2 used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_C1_5<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
#! Loop filter C1 used during fast lock.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FLOCK_CFG2_5 0x415D
BITFIELD FLOCK_C3_5<3:0>
POSITION=<15:12>
DEFAULT=1000
MODE=RWI
#! Loop filter C3 used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_PULSE_5<5:0>
POSITION=<11:6>
DEFAULT=111111
MODE=RWI
#! Charge pump pulse current used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_OFS_5<5:0>
POSITION=<5:0>
DEFAULT=000000
MODE=RWI
#! Charge pump offset (bleeding) current used during fast lock.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FLOCK_CFG3_5 0x415E
BITFIELD FLOCK_LODIST_EN_OUT_5<3:0>
POSITION=<14:11>
DEFAULT=0000
MODE=RWI
#! LO distribution enable signals used during fast lock
ENDBITFIELD
BITFIELD FLOCK_VCO_SPDUP_5
POSITION=10
DEFAULT=0
MODE=RWI
#! VCO speedup used during fast lock
ENDBITFIELD
BITFIELD FLOCK_N_5<9:0>
POSITION=<9:0>
DEFAULT=0110010000
MODE=RWI
#! Duration of fast lock in PLL reference frequency clock cycles.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_ENABLE_6 0x4160
BITFIELD PLL_LODIST_EN_BIAS_6
POSITION=12
DEFAULT=0
MODE=RWI
#! Enable for LO distribution bias.
ENDBITFIELD
BITFIELD PLL_LODIST_EN_DIV2IQ_6
POSITION=11
DEFAULT=0
MODE=RWI
#! Enable for IQ generator in LO distribution.
#! 0 - Clock is not divided by 2
#! 1 - Clock is divided by 2, I and Q are generated
ENDBITFIELD
BITFIELD PLL_EN_VTUNE_COMP_6
POSITION=10
DEFAULT=0
MODE=RWI
#! Enable for tuning voltage comparator in PLL.
ENDBITFIELD
BITFIELD PLL_EN_LD_6
POSITION=9
DEFAULT=0
MODE=RWI
#! Lock detector enable.
ENDBITFIELD
BITFIELD PLL_EN_PFD_6
POSITION=8
DEFAULT=0
MODE=RWI
#! Enable for PFD in PLL.
ENDBITFIELD
BITFIELD PLL_EN_CP_6
POSITION=7
DEFAULT=0
MODE=RWI
#! Enable for charge pump in PLL.
ENDBITFIELD
BITFIELD PLL_EN_CPOFS_6
POSITION=6
DEFAULT=0
MODE=RWI
#! Enable for offset (bleeding) current in charge pump.
ENDBITFIELD
BITFIELD PLL_EN_VCO_6
POSITION=5
DEFAULT=0
MODE=RWI
#! Enable for VCO.
ENDBITFIELD
BITFIELD PLL_EN_FFDIV_6
POSITION=4
DEFAULT=0
MODE=RWI
#! Enable for feed-forward divider in PLL.
#! 0 - Output clock is not divided
ENDBITFIELD
BITFIELD PLL_EN_FB_PDIV2_6
POSITION=3
DEFAULT=0
MODE=RWI
#! Enable for feedback pre-divider.
#! 0 - Output clock is directly fed to feedback divider
ENDBITFIELD
BITFIELD PLL_EN_FFCORE_6
POSITION=2
DEFAULT=0
MODE=RWI
#! Enable for feed-forward divider core
ENDBITFIELD
BITFIELD PLL_EN_FBDIV_6
POSITION=1
DEFAULT=0
MODE=RWI
#! Enable for feedback divider core
ENDBITFIELD
BITFIELD PLL_SDM_CLK_EN_6
POSITION=0
DEFAULT=0
MODE=RWI
#! Enable for sigma-delta modulator
ENDBITFIELD
ENDREGISTER
REGISTER PLL_LPF_CFG1_6 0x4161
BITFIELD R3_6<3:0>
POSITION=<15:12>
DEFAULT=0001
MODE=RWI
#! Control word for loop filter.
#! R3_val = 9 kOhm/R3<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
BITFIELD R2_6<3:0>
POSITION=<11:8>
DEFAULT=0001
MODE=RWI
#! Control word for loop filter.
#! R2_val = 15.6 kOhm/R2<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
BITFIELD C2_6<3:0>
POSITION=<7:4>
DEFAULT=1000
MODE=RWI
#! Control word for C2 in PLL loop filter.
#! C2_val = 300 pF+7.5 pF * C2<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
BITFIELD C1_6<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
#! Control word for C1 in PLL loop filter.
#! C1_val = 1.8 pF*C1<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_LPF_CFG2_6 0x4162
BITFIELD VTUNE_VCT_6<1:0>
POSITION=<6:5>
DEFAULT=01
MODE=RWI
#! Tuning voltage control word during coarse tuning (LPFSW=1).
#! 00 - 300 mV,
#! 01 - 600 mV,
#! 10 - 750 mV,
#! 11 - 900 mV.
ENDBITFIELD
BITFIELD LPFSW_6
POSITION=4
DEFAULT=0
MODE=RWI
#! Loop filter control.
#! 0 - PLL loop is closed,
#! 1 - PLL loop is open and tuning voltage is set to value specified by VTUNE_VCT<1:0>.
#! When LFPSW=1 PLL is in open-loop configuration for coarse tuning.
ENDBITFIELD
BITFIELD C3_6<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
#! Control word for C3 in PLL loop filter.
#! C3_val = 3 pF * C3<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CP_CFG0_6 0x4163
BITFIELD FLIP_6
POSITION=14
DEFAULT=0
MODE=RWI
#! Flip for PFD inputs
#! 0 - Normal operation,
#! 1 - Inputs are interchanged
ENDBITFIELD
BITFIELD DEL_6<1:0>
POSITION=<13:12>
DEFAULT=00
MODE=RWI
#! Reset path delay
ENDBITFIELD
BITFIELD PULSE_6<5:0>
POSITION=<11:6>
DEFAULT=000100
MODE=RWI
#! Charge pump pulse current
#! I = 25 uA * PULSE<5:0>
ENDBITFIELD
BITFIELD OFS_6<5:0>
POSITION=<5:0>
DEFAULT=000000
MODE=RWI
#! Charge pump offset (bleeding) current
#! I = 6.25 uA * OFS<5:0>
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CP_CFG1_6 0x4164
BITFIELD LD_VCT_6<1:0>
POSITION=<6:5>
DEFAULT=10
MODE=RWI
#! Threshold voltage for lock detector
#! 00 - 600 mV,
#! 01 - 700 mV,
#! 10 - 800 mV,
#! 11 - 900 mV.
ENDBITFIELD
BITFIELD ICT_CP_6<4:0>
POSITION=<4:0>
DEFAULT=10000
MODE=RWI
#! Charge pump bias current.
#! ICP_BIAS = ICP_BIAS_NOM * ICT_CP<4:0>/16
ENDBITFIELD
ENDREGISTER
REGISTER PLL_VCO_FREQ_6 0x4165
BITFIELD VCO_FREQ_6<7:0>
POSITION=<7:0>
DEFAULT=10000000
MODE=RWI
#! VCO cap bank code.
#! 00000000 - lowest frequency
#! 11111111 - highest frequency
ENDBITFIELD
ENDREGISTER
REGISTER PLL_VCO_CFG_6 0x4166
BITFIELD SPDUP_VCO_6
POSITION=12
DEFAULT=0
MODE=RWI
#! Speed-up VCO core by bypassing the noise filter
ENDBITFIELD
BITFIELD VCO_AAC_EN_6
POSITION=11
DEFAULT=1
MODE=RWI
#! Enable for automatic VCO amplitude control.
ENDBITFIELD
BITFIELD VDIV_SWVDD_6<1:0>
POSITION=<10:9>
DEFAULT=10
MODE=RWI
#! Capacitor bank switches bias voltage
#! 00 - 600 mV,
#! 01 - 800 mV,
#! 10 - 1000 mV,
#! 11 - 1200 mV.
ENDBITFIELD
BITFIELD VCO_SEL_6<1:0>
POSITION=<8:7>
DEFAULT=11
MODE=RWI
#! VCO core selection
#! 00 - External VCO,
#! 01 - Low-frequency band VCO (4 - 6 GHz),
#! 10 - Mid-frequency band VCO (6 - 8 GHz),
#! 11 - High-frequency band VCO (8 - 10 GHz).
ENDBITFIELD
BITFIELD VCO_AMP_6<6:0>
POSITION=<6:0>
DEFAULT=0000001
MODE=RWI
#! VCO amplitude control word.
#! 0000000 - minimum amplitude
#! Lowest two bits control the VCO core current.
#! Other bits are used for fine amplitude control, automatically determined when VCO_AAC_EN=1
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FF_CFG_6 0x4167
BITFIELD FFDIV_SEL_6
POSITION=4
DEFAULT=0
MODE=RWI
#! Feed-forward divider multiplexer select bit
#! 0 - No division,
#! 1 - Input frequency is divided
ENDBITFIELD
BITFIELD FFCORE_MOD_6<1:0>
POSITION=<3:2>
DEFAULT=00
MODE=RWI
#! Feed-forward divider core modulus
#! 00 - No division
#! 01 - Div by 2
#! 10 - Div by 4
#! 11 - Div by 8
ENDBITFIELD
BITFIELD FF_MOD_6<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
#! Multiplexer for divider outputs. In normal operation FF_MOD should be equal to FFCORE_MOD.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_SDM_CFG_6 0x4168
BITFIELD INTMOD_EN_6
POSITION=14
DEFAULT=0
MODE=RWI
#! Integer mode enable
ENDBITFIELD
BITFIELD DITHER_EN_6
POSITION=13
DEFAULT=0
MODE=RWI
#! Enable dithering in SDM
#! 0 - Disabled
#! 1 - Enabled
ENDBITFIELD
BITFIELD SEL_SDMCLK_6
POSITION=12
DEFAULT=0
MODE=RWI
#! Selects between the feedback divider output and FREF for SDM
#! 0 - CLK CLK_DIV
#! 1 - CLK CLK_REF
ENDBITFIELD
BITFIELD REV_SDMCLK_6
POSITION=11
DEFAULT=0
MODE=RWI
#! Reverses the SDM clock
#! 0 - Normal
#! 1 - Reversed (after INV)
ENDBITFIELD
BITFIELD INTMOD_6<9:0>
POSITION=<9:0>
DEFAULT=0011011000
MODE=RWI
#! Integer section of division ratio.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FRACMODL_6 0x4169
BITFIELD FRACMODL_6<15:0>
POSITION=<15:0>
DEFAULT=0101011100110000
MODE=RWI
#! Fractional control of the division ratio LSB
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FRACMODH_6 0x416A
BITFIELD FRACMODH_6<3:0>
POSITION=<3:0>
DEFAULT=0101
MODE=RWI
#! Fractional control of the division ratio MSB
ENDBITFIELD
ENDREGISTER
REGISTER PLL_LODIST_CFG_6 0x416B
BITFIELD PLL_LODIST_EN_OUT_6<3:0>
POSITION=<15:12>
DEFAULT=0000
MODE=RWI
#! LO distribution enable signals.
#! Each bit is an enable for individual channel.
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT3_6<2:0>
POSITION=<11:9>
DEFAULT=000
MODE=RWI
#! LO distribution channel 3 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT2_6<2:0>
POSITION=<8:6>
DEFAULT=000
MODE=RWI
#! LO distribution channel 2 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT1_6<2:0>
POSITION=<5:3>
DEFAULT=000
MODE=RWI
#! LO distribution channel 1 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT0_6<2:0>
POSITION=<2:0>
DEFAULT=000
MODE=RWI
#! LO distribution channel 0 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FLOCK_CFG1_6 0x416C
BITFIELD FLOCK_R3_6<3:0>
POSITION=<15:12>
DEFAULT=0100
MODE=RWI
#! Loop filter R3 used during fact lock.
ENDBITFIELD
BITFIELD FLOCK_R2_6<3:0>
POSITION=<11:8>
DEFAULT=0100
MODE=RWI
#! Loop filter R2 used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_C2_6<3:0>
POSITION=<7:4>
DEFAULT=1000
MODE=RWI
#! Loop filter C2 used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_C1_6<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
#! Loop filter C1 used during fast lock.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FLOCK_CFG2_6 0x416D
BITFIELD FLOCK_C3_6<3:0>
POSITION=<15:12>
DEFAULT=1000
MODE=RWI
#! Loop filter C3 used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_PULSE_6<5:0>
POSITION=<11:6>
DEFAULT=111111
MODE=RWI
#! Charge pump pulse current used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_OFS_6<5:0>
POSITION=<5:0>
DEFAULT=000000
MODE=RWI
#! Charge pump offset (bleeding) current used during fast lock.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FLOCK_CFG3_6 0x416E
BITFIELD FLOCK_LODIST_EN_OUT_6<3:0>
POSITION=<14:11>
DEFAULT=0000
MODE=RWI
#! LO distribution enable signals used during fast lock
ENDBITFIELD
BITFIELD FLOCK_VCO_SPDUP_6
POSITION=10
DEFAULT=0
MODE=RWI
#! VCO speedup used during fast lock
ENDBITFIELD
BITFIELD FLOCK_N_6<9:0>
POSITION=<9:0>
DEFAULT=0110010000
MODE=RWI
#! Duration of fast lock in PLL reference frequency clock cycles.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_ENABLE_7 0x4170
BITFIELD PLL_LODIST_EN_BIAS_7
POSITION=12
DEFAULT=0
MODE=RWI
#! Enable for LO distribution bias.
ENDBITFIELD
BITFIELD PLL_LODIST_EN_DIV2IQ_7
POSITION=11
DEFAULT=0
MODE=RWI
#! Enable for IQ generator in LO distribution.
#! 0 - Clock is not divided by 2
#! 1 - Clock is divided by 2, I and Q are generated
ENDBITFIELD
BITFIELD PLL_EN_VTUNE_COMP_7
POSITION=10
DEFAULT=0
MODE=RWI
#! Enable for tuning voltage comparator in PLL.
ENDBITFIELD
BITFIELD PLL_EN_LD_7
POSITION=9
DEFAULT=0
MODE=RWI
#! Lock detector enable.
ENDBITFIELD
BITFIELD PLL_EN_PFD_7
POSITION=8
DEFAULT=0
MODE=RWI
#! Enable for PFD in PLL.
ENDBITFIELD
BITFIELD PLL_EN_CP_7
POSITION=7
DEFAULT=0
MODE=RWI
#! Enable for charge pump in PLL.
ENDBITFIELD
BITFIELD PLL_EN_CPOFS_7
POSITION=6
DEFAULT=0
MODE=RWI
#! Enable for offset (bleeding) current in charge pump.
ENDBITFIELD
BITFIELD PLL_EN_VCO_7
POSITION=5
DEFAULT=0
MODE=RWI
#! Enable for VCO.
ENDBITFIELD
BITFIELD PLL_EN_FFDIV_7
POSITION=4
DEFAULT=0
MODE=RWI
#! Enable for feed-forward divider in PLL.
#! 0 - Output clock is not divided
ENDBITFIELD
BITFIELD PLL_EN_FB_PDIV2_7
POSITION=3
DEFAULT=0
MODE=RWI
#! Enable for feedback pre-divider.
#! 0 - Output clock is directly fed to feedback divider
ENDBITFIELD
BITFIELD PLL_EN_FFCORE_7
POSITION=2
DEFAULT=0
MODE=RWI
#! Enable for feed-forward divider core
ENDBITFIELD
BITFIELD PLL_EN_FBDIV_7
POSITION=1
DEFAULT=0
MODE=RWI
#! Enable for feedback divider core
ENDBITFIELD
BITFIELD PLL_SDM_CLK_EN_7
POSITION=0
DEFAULT=0
MODE=RWI
#! Enable for sigma-delta modulator
ENDBITFIELD
ENDREGISTER
REGISTER PLL_LPF_CFG1_7 0x4171
BITFIELD R3_7<3:0>
POSITION=<15:12>
DEFAULT=0001
MODE=RWI
#! Control word for loop filter.
#! R3_val = 9 kOhm/R3<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
BITFIELD R2_7<3:0>
POSITION=<11:8>
DEFAULT=0001
MODE=RWI
#! Control word for loop filter.
#! R2_val = 15.6 kOhm/R2<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
BITFIELD C2_7<3:0>
POSITION=<7:4>
DEFAULT=1000
MODE=RWI
#! Control word for C2 in PLL loop filter.
#! C2_val = 300 pF+7.5 pF * C2<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
BITFIELD C1_7<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
#! Control word for C1 in PLL loop filter.
#! C1_val = 1.8 pF*C1<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_LPF_CFG2_7 0x4172
BITFIELD VTUNE_VCT_7<1:0>
POSITION=<6:5>
DEFAULT=01
MODE=RWI
#! Tuning voltage control word during coarse tuning (LPFSW=1).
#! 00 - 300 mV,
#! 01 - 600 mV,
#! 10 - 750 mV,
#! 11 - 900 mV.
ENDBITFIELD
BITFIELD LPFSW_7
POSITION=4
DEFAULT=0
MODE=RWI
#! Loop filter control.
#! 0 - PLL loop is closed,
#! 1 - PLL loop is open and tuning voltage is set to value specified by VTUNE_VCT<1:0>.
#! When LFPSW=1 PLL is in open-loop configuration for coarse tuning.
ENDBITFIELD
BITFIELD C3_7<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
#! Control word for C3 in PLL loop filter.
#! C3_val = 3 pF * C3<3:0>
#! When fast lock mode is enabled, this is the final value.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CP_CFG0_7 0x4173
BITFIELD FLIP_7
POSITION=14
DEFAULT=0
MODE=RWI
#! Flip for PFD inputs
#! 0 - Normal operation,
#! 1 - Inputs are interchanged
ENDBITFIELD
BITFIELD DEL_7<1:0>
POSITION=<13:12>
DEFAULT=00
MODE=RWI
#! Reset path delay
ENDBITFIELD
BITFIELD PULSE_7<5:0>
POSITION=<11:6>
DEFAULT=000100
MODE=RWI
#! Charge pump pulse current
#! I = 25 uA * PULSE<5:0>
ENDBITFIELD
BITFIELD OFS_7<5:0>
POSITION=<5:0>
DEFAULT=000000
MODE=RWI
#! Charge pump offset (bleeding) current
#! I = 6.25 uA * OFS<5:0>
ENDBITFIELD
ENDREGISTER
REGISTER PLL_CP_CFG1_7 0x4174
BITFIELD LD_VCT_7<1:0>
POSITION=<6:5>
DEFAULT=10
MODE=RWI
#! Threshold voltage for lock detector
#! 00 - 600 mV,
#! 01 - 700 mV,
#! 10 - 800 mV,
#! 11 - 900 mV.
ENDBITFIELD
BITFIELD ICT_CP_7<4:0>
POSITION=<4:0>
DEFAULT=10000
MODE=RWI
#! Charge pump bias current.
#! ICP_BIAS = ICP_BIAS_NOM * ICT_CP<4:0>/16
ENDBITFIELD
ENDREGISTER
REGISTER PLL_VCO_FREQ_7 0x4175
BITFIELD VCO_FREQ_7<7:0>
POSITION=<7:0>
DEFAULT=10000000
MODE=RWI
#! VCO cap bank code.
#! 00000000 - lowest frequency
#! 11111111 - highest frequency
ENDBITFIELD
ENDREGISTER
REGISTER PLL_VCO_CFG_7 0x4176
BITFIELD SPDUP_VCO_7
POSITION=12
DEFAULT=0
MODE=RWI
#! Speed-up VCO core by bypassing the noise filter
ENDBITFIELD
BITFIELD VCO_AAC_EN_7
POSITION=11
DEFAULT=1
MODE=RWI
#! Enable for automatic VCO amplitude control.
ENDBITFIELD
BITFIELD VDIV_SWVDD_7<1:0>
POSITION=<10:9>
DEFAULT=10
MODE=RWI
#! Capacitor bank switches bias voltage
#! 00 - 600 mV,
#! 01 - 800 mV,
#! 10 - 1000 mV,
#! 11 - 1200 mV.
ENDBITFIELD
BITFIELD VCO_SEL_7<1:0>
POSITION=<8:7>
DEFAULT=11
MODE=RWI
#! VCO core selection
#! 00 - External VCO,
#! 01 - Low-frequency band VCO (4 - 6 GHz),
#! 10 - Mid-frequency band VCO (6 - 8 GHz),
#! 11 - High-frequency band VCO (8 - 10 GHz).
ENDBITFIELD
BITFIELD VCO_AMP_7<6:0>
POSITION=<6:0>
DEFAULT=0000001
MODE=RWI
#! VCO amplitude control word.
#! 0000000 - minimum amplitude
#! Lowest two bits control the VCO core current.
#! Other bits are used for fine amplitude control, automatically determined when VCO_AAC_EN=1
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FF_CFG_7 0x4177
BITFIELD FFDIV_SEL_7
POSITION=4
DEFAULT=0
MODE=RWI
#! Feed-forward divider multiplexer select bit
#! 0 - No division,
#! 1 - Input frequency is divided
ENDBITFIELD
BITFIELD FFCORE_MOD_7<1:0>
POSITION=<3:2>
DEFAULT=00
MODE=RWI
#! Feed-forward divider core modulus
#! 00 - No division
#! 01 - Div by 2
#! 10 - Div by 4
#! 11 - Div by 8
ENDBITFIELD
BITFIELD FF_MOD_7<1:0>
POSITION=<1:0>
DEFAULT=00
MODE=RWI
#! Multiplexer for divider outputs. In normal operation FF_MOD should be equal to FFCORE_MOD.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_SDM_CFG_7 0x4178
BITFIELD INTMOD_EN_7
POSITION=14
DEFAULT=0
MODE=RWI
#! Integer mode enable
ENDBITFIELD
BITFIELD DITHER_EN_7
POSITION=13
DEFAULT=0
MODE=RWI
#! Enable dithering in SDM
#! 0 - Disabled
#! 1 - Enabled
ENDBITFIELD
BITFIELD SEL_SDMCLK_7
POSITION=12
DEFAULT=0
MODE=RWI
#! Selects between the feedback divider output and FREF for SDM
#! 0 - CLK CLK_DIV
#! 1 - CLK CLK_REF
ENDBITFIELD
BITFIELD REV_SDMCLK_7
POSITION=11
DEFAULT=0
MODE=RWI
#! Reverses the SDM clock
#! 0 - Normal
#! 1 - Reversed (after INV)
ENDBITFIELD
BITFIELD INTMOD_7<9:0>
POSITION=<9:0>
DEFAULT=0011011000
MODE=RWI
#! Integer section of division ratio.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FRACMODL_7 0x4179
BITFIELD FRACMODL_7<15:0>
POSITION=<15:0>
DEFAULT=0101011100110000
MODE=RWI
#! Fractional control of the division ratio LSB
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FRACMODH_7 0x417A
BITFIELD FRACMODH_7<3:0>
POSITION=<3:0>
DEFAULT=0101
MODE=RWI
#! Fractional control of the division ratio MSB
ENDBITFIELD
ENDREGISTER
REGISTER PLL_LODIST_CFG_7 0x417B
BITFIELD PLL_LODIST_EN_OUT_7<3:0>
POSITION=<15:12>
DEFAULT=0000
MODE=RWI
#! LO distribution enable signals.
#! Each bit is an enable for individual channel.
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT3_7<2:0>
POSITION=<11:9>
DEFAULT=000
MODE=RWI
#! LO distribution channel 3 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT2_7<2:0>
POSITION=<8:6>
DEFAULT=000
MODE=RWI
#! LO distribution channel 2 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT1_7<2:0>
POSITION=<5:3>
DEFAULT=000
MODE=RWI
#! LO distribution channel 1 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
BITFIELD PLL_LODIST_FSP_OUT0_7<2:0>
POSITION=<2:0>
DEFAULT=000
MODE=RWI
#! LO distribution channel 0 frequency, sign and phase control.
#! FSP_OUT<2> - Frequency division control
#! 0 - LO is divided by 2,
#! 1 - LO is not divided.
#! FSP_OUT<1> - LO sign
#! 0 - LO is not inverted
#! 1 - LO is inverted
#! FSP_OUT<0> - LO phase
#! 0 - LO phase 0 deg (I)
#! 1 - LO phase 90 deg (Q)
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FLOCK_CFG1_7 0x417C
BITFIELD FLOCK_R3_7<3:0>
POSITION=<15:12>
DEFAULT=0100
MODE=RWI
#! Loop filter R3 used during fact lock.
ENDBITFIELD
BITFIELD FLOCK_R2_7<3:0>
POSITION=<11:8>
DEFAULT=0100
MODE=RWI
#! Loop filter R2 used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_C2_7<3:0>
POSITION=<7:4>
DEFAULT=1000
MODE=RWI
#! Loop filter C2 used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_C1_7<3:0>
POSITION=<3:0>
DEFAULT=1000
MODE=RWI
#! Loop filter C1 used during fast lock.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FLOCK_CFG2_7 0x417D
BITFIELD FLOCK_C3_7<3:0>
POSITION=<15:12>
DEFAULT=1000
MODE=RWI
#! Loop filter C3 used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_PULSE_7<5:0>
POSITION=<11:6>
DEFAULT=111111
MODE=RWI
#! Charge pump pulse current used during fast lock.
ENDBITFIELD
BITFIELD FLOCK_OFS_7<5:0>
POSITION=<5:0>
DEFAULT=000000
MODE=RWI
#! Charge pump offset (bleeding) current used during fast lock.
ENDBITFIELD
ENDREGISTER
REGISTER PLL_FLOCK_CFG3_7 0x417E
BITFIELD FLOCK_LODIST_EN_OUT_7<3:0>
POSITION=<14:11>
DEFAULT=0000
MODE=RWI
#! LO distribution enable signals used during fast lock
ENDBITFIELD
BITFIELD FLOCK_VCO_SPDUP_7
POSITION=10
DEFAULT=0
MODE=RWI
#! VCO speedup used during fast lock
ENDBITFIELD
BITFIELD FLOCK_N_7<9:0>
POSITION=<9:0>
DEFAULT=0110010000
MODE=RWI
#! Duration of fast lock in PLL reference frequency clock cycles.
ENDBITFIELD
ENDREGISTER
"""
|
age = int(input())
if 0 < age <= 13:
print("детство")
elif 13 < age <= 24:
print("молодость")
elif 24 < age <= 59:
print("зрелость")
elif age > 59:
print("старость")
|
km=float(input('Quantos km percorridos: '))
d = float(input('Quantos dias alugado: '))
pago = (d * 60) + (km * 0.15)
print('o total a pagar: r$ {} '.format(pago))
|
"""
Desenvolva um programa que leia as duas notas de um aluno,
calcule e mostre a sua média.
"""
nota1 = float(input('Digite a primeira nota: '))
nota2 = float(input('Digite a segunda nota: '))
media = (nota1 + nota2) / 2
print(f'Sua média é de: {media:.1f}')
|
username ="username" #your reddit username
password = "password" #your reddit password
client_id = "personal use script" #your personal use script
client_secret = "secret" #your secret
|
# Solution for day2 of advent of code
origValues = list(map(int, open('day2/input.txt').readline().rstrip().split(',')))
print(origValues)
def getOpCode(values, codeAndArgumentWidth, numberOfCodesEvaluated):
currentOpCodeIndex = getCurrentOpCodeIndex(values, codeAndArgumentWidth, numberOfCodesEvaluated)
return int(values[currentOpCodeIndex])
def addOperation(values, opCodeIndex):
operant1 = int(values[values[opCodeIndex+1]])
operant2 = int(values[values[opCodeIndex+2]])
values[values[opCodeIndex+3]] = operant1 + operant2
def multiplyOperation(values, opCodeIndex):
operant1 = int(values[valuesPart1[opCodeIndex+1]])
operant2 = int(values[valuesPart1[opCodeIndex+2]])
values[values[opCodeIndex+3]] = operant1 * operant2
def getCurrentOpCodeIndex(values, codeAndArgumentWidth, numberOfCodesEvaluated):
"""Computes the current opCode index"""
return codeAndArgumentWidth * numberOfCodesEvaluated
def getResult(values):
"""Calculates the result for the memory operations"""
numberOfCodesEvaluated = 0
codeAndArgumentWidth = 4
haltCodeFound = False
while not haltCodeFound:
opCode = getOpCode(values, codeAndArgumentWidth, numberOfCodesEvaluated)
#print("Current opCode: " + str(opCode))
if(opCode == 1):
#print("add operation")
addOperation(values, getCurrentOpCodeIndex(values, codeAndArgumentWidth, numberOfCodesEvaluated))
elif(opCode == 2):
#print("multiply operation")
multiplyOperation(values, getCurrentOpCodeIndex(values, codeAndArgumentWidth,numberOfCodesEvaluated))
elif(opCode == 99):
#print("HALT found")
haltCodeFound = True
else:
print("ERROR unknown opcode found: " + str(opCode) + " for opCodeIndex: " + str(getCurrentOpCodeIndex(values, codeAndArgumentWidth, numberOfCodesEvaluated)))
return -1
numberOfCodesEvaluated += 1
return values[0]
valuesPart1 = origValues.copy()
valuesPart1[1] = 12
valuesPart1[2] = 2
resultPart1 = getResult(valuesPart1)
print("Result of part1: " + str(valuesPart1[0]))
assert 5098658 == resultPart1
# part2
# Initialize
valuesPart2 = origValues.copy()
noun = 0
verb = 0
desiredOutput = 19690720
desiredOutputFound = False
while not desiredOutputFound:
# print("Noun: " + str(noun) + " -- Verb: " + str(verb))
valuesPart2[1] = noun
valuesPart2[2] = verb
currentResult = getResult(valuesPart2)
if(currentResult < 0):
print("Found unknown opcode ==> FAIL")
break
if currentResult == desiredOutput:
desiredOutputFound = True
else:
# keep guessing the verb & noun
if verb >= 99:
noun += 1
verb = 0
else:
verb += 1
# reset the "memory"
valuesPart2 = origValues.copy()
print("Result part2: " + str(100 * valuesPart2[1] + valuesPart2[2])) |
site = 'ftp.skilldrick.co.uk'
webRoot = '/public_html'
localDir = '.' #by default use current directory
remoteDir = 'tmpl'
ignoreDirs = ['.git', 'fancybox', 'safeinc']
ignoreFileSuffixes = ['.py', '.pyc', '~', '#', '.swp',
'.gitignore', '.lastrun',
'Makefile', '.bat', 'Thumbs.db', 'README.markdown']
|
async def m001_initial(db):
"""
Initial lnurlpos table.
"""
await db.execute(
f"""
CREATE TABLE lnurlpos.lnurlposs (
id TEXT NOT NULL PRIMARY KEY,
key TEXT NOT NULL,
title TEXT NOT NULL,
wallet TEXT NOT NULL,
currency TEXT NOT NULL,
timestamp TIMESTAMP NOT NULL DEFAULT {db.timestamp_now}
);
"""
)
await db.execute(
f"""
CREATE TABLE lnurlpos.lnurlpospayment (
id TEXT NOT NULL PRIMARY KEY,
posid TEXT NOT NULL,
payhash TEXT,
payload TEXT NOT NULL,
pin INT,
sats INT,
timestamp TIMESTAMP NOT NULL DEFAULT {db.timestamp_now}
);
"""
)
|
class Node:
def __init__(self, data):
self.data = data
self.next = None
class CircularLinkedList:
def __init__(self):
self.head = None
self.tail = None
self.length = 0
def append(self, data):
new_node = Node(data)
if not self.head:
self.head = new_node
self.head.next = self.head
else:
curr_node = self.head
while curr_node.next != self.head:
curr_node = curr_node.next
curr_node.next = new_node;
new_node.next = self.head
def prepend(self, data):
new_node = Node(data)
curr_node = self.head
new_node.next = self.head
if not self.head:
new_node.next = self.head
else:
while curr_node.next != self.head:
curr_node = curr_node.next
curr_node.next = new_node
self.head = new_node
def delete(self, key):
if self.head is None:
return
if self.head.next == self.head and self.head.data == key:
self.head = None
elif self.head.data == key:
curr_node = self.head
while curr_node.next != self.head:
curr_node = curr_node.next
curr_node.next = self.head.next
self.head = self.head.next
else:
curr_node = self.head
prev = None
while curr_node.next != self.head:
prev = curr_node
curr_node = curr_node.next
# print('ss',curr_node.data)
if curr_node.data == key:
prev.next = curr_node.next
curr_node = curr_node.next
def lookup(self):
curr_node = self.head
while curr_node:
print(curr_node.data)
curr_node = curr_node.next
if curr_node == self.head:
break
circularLls = CircularLinkedList()
# circularLls.append(1)
# circularLls.append(2)
# circularLls.append(3)
# circularLls.append(4)
# circularLls.prepend(0)
# circularLls.prepend(-1)
circularLls.delete(1)
circularLls.lookup()
|
n = 8
if n%2==0 and (n in range(2,6) or n>20 ):
print ("Not Weird")
else:
print ("Weird") |
routes = Blueprint("routes", __name__, template_folder="templates")
if not os.path.exists(os.path.dirname(recipyGui.config.get("tinydb"))):
os.mkdir(os.path.dirname(recipyGui.config.get("tinydb")))
@recipyGui.route("/")
def index():
form = SearchForm()
query = request.args.get("query", "").strip()
escaped_query = re.escape(query) if query else query
db = utils.open_or_create_db()
runs = search_database(db, query=escaped_query)
runs = [_change_date(r) for r in runs]
runs = sorted(runs, key=lambda x: x["date"], reverse=True)
run_ids = []
for run in runs:
if "notes" in run.keys():
run["notes"] = str(escape(run["notes"]))
run_ids.append(run.eid)
db.close()
return render_template("list.html", runs=runs, query=escaped_query, search_bar_query=query, form=form, run_ids=str(run_ids), dbfile=recipyGui.config.get("tinydb"))
@recipyGui.route("/run_details")
def run_details():
form = SearchForm()
annotateRunForm = AnnotateRunForm()
query = request.args.get("query", "")
run_id = int(request.args.get("id"))
db = utils.open_or_create_db()
r = db.get(eid=run_id)
if r is not None:
diffs = db.table("filediffs").search(Query().run_id == run_id)
else:
flash("Run not found.", "danger")
diffs = []
r = _change_date(r)
db.close()
return render_template("details.html", query=query, form=form, annotateRunForm=annotateRunForm, run=r, dbfile=recipyGui.config.get("tinydb"), diffs=diffs)
@recipyGui.route("/latest_run")
def latest_run():
form = SearchForm()
annotateRunForm = AnnotateRunForm()
db = utils.open_or_create_db()
r = get_latest_run()
if r is not None:
diffs = db.table("filediffs").search(Query().run_id == r.eid)
else:
flash("No latest run (database is empty).", "danger")
diffs = []
r = _change_date(r)
db.close()
return render_template("details.html", query="", form=form, run=r, annotateRunForm=annotateRunForm, dbfile=recipyGui.config.get("tinydb"), diffs=diffs, active_page="latest_run")
@recipyGui.route("/annotate", methods=["POST"])
def annotate():
notes = request.form["notes"]
run_id = int(request.form["run_id"])
query = request.args.get("query", "")
db = utils.open_or_create_db()
db.update({"notes": notes}, eids=[run_id])
db.close()
return redirect(url_for("run_details", id=run_id, query=query))
@recipyGui.route("/runs2json", methods=["POST"])
def runs2json():
run_ids = literal_eval(request.form["run_ids"])
db = db = utils.open_or_create_db()
runs = [db.get(eid=run_id) for run_id in run_ids]
db.close()
response = make_response(dumps(runs, indent=2, sort_keys=True, default=unicode))
response.headers["content-type"] = "application/json"
response.headers["Content-Disposition"] = "attachment; filename=runs.json"
return response
@recipyGui.route("/patched_modules")
def patched_modules():
db = utils.open_or_create_db()
modules = db.table("patches").all()
db.close()
form = SearchForm()
return render_template("patched_modules.html", form=form, active_page="patched_modules", modules=modules, dbfile=recipyGui.config.get("tinydb")) |
# -*- coding: utf-8 -*-
"""Extra utilities for webapp2 on Google App Engine.
- class-based views for models, lists, forms, templates, redirection...
- a pager for ndb requests
- support of `webapp2_extras.i18n` translations in WTForms
- customized fields for decimal, interger, date, datetime, json, ndb.Key...
- automatic conversion from `ndb.Model` to WTForms
- image model with Google Cloud Storage and Google Image CDN support
- a lightweight cache container
Status:
Copyright 2011 Grégoire Vigneron.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
"""
|
class Solution:
def getIntersectionNode(self, headA: ListNode, headB: ListNode) -> Optional[ListNode]:
a = headA
b = headB
while a != b:
if a: a = a.next
else: a = headB
if b: b = b.next
else: b = headA
return a |
def reformat(string):
string = string.replace('-', '').replace('(', '').replace(')', '')
return string[-10:] if len(string) > 7 else '495' + string[-7:]
n = 4
notes = [input() for i in range(n)]
for note in notes[1:]:
print('YES' if reformat(notes[0]) == reformat(note) else 'NO')
|
class SQLiteQueryResultSpy(object):
def __init__(self, row_count, lazy_result):
self.row_count = row_count
self.number_of_elements = row_count
self.lazy_result = lazy_result
@property
def rowcount(self):
return self.row_count
def fetchone(self):
self.number_of_elements -= 1
if self.number_of_elements < 0:
return None
return self.lazy_result() |
def odeeuler(F,x0,y0,h,N):
x = x0
y = y0
for i in range(1,N+1):
y += h*F(x,y)
x += h
return y
|
"""Functions to get all the book's information."""
def get_title(soup_object: object) -> str:
"""Return book title."""
return soup_object.find("h1").text
def get_universal_product_code(product_information_table: list) -> str:
"""Return book UPC."""
return product_information_table[0].text
def get_price_including_tax(product_information_table: list) -> str:
"""Return book price including tax."""
return product_information_table[3].text
def get_price_excluding_tax(product_information_table: list) -> str:
"""Return book price excluding tax."""
return product_information_table[2].text
def get_number_available(product_information_table: list) -> str:
"""Return number of books available."""
number = product_information_table[5].text
return "".join([character for character in number if character.isdigit()])
def get_product_description(soup_object: object) -> str:
"""Return book description."""
if soup_object.find("div", {"id": "product_description"}) != None:
description = (
soup_object.find("article", {"class": "product_page"}).findAll("p")[3].text
)
else:
description = "No description yet."
return description.replace(";", ",")
def get_category(soup_object: object) -> str:
"""Return book category."""
return soup_object.find("ul", {"class": "breadcrumb"}).findAll("a")[2].text
def get_review_rating(soup_object: object) -> str:
"""Return book review rating."""
return soup_object.find("p", {"class": "star-rating"})["class"][1]
def get_image_url(soup_object: object) -> str:
"""Return book image url."""
image_url = soup_object.find("img")["src"]
return image_url.replace("../..", "https://books.toscrape.com/")
|
REQUEST_LAUNCH_MSG = "Hello, I'm Otto Investment bot, I' here to inform you about your investments. Do you want me to tell you a report on your portfolio? Or maybe information about specific stock? "
REQUEST_LAUNCH_REPROMPT = "Go on, tell me what can I do for you."
REQUEST_END_MSG = "Bye bye. "
# General
INTENT_GENERAL_OK = "Ok then."
INTENT_GENERAL_REPROMPT = "Is there something else I can help you with?"
# Help
INTENT_HELP = "Looks like you are confused. You can ask about a stock price, market cap of a company, add and remove stocks from virtual portfolio. Get a performance report on your portfolio. You can also get an investing term explained or a investing strategy. You can even ask bout the news regarding a traded company. What would like to do?"
# Price
INTENT_STOCK_PRICE_MSG = "The price of {0} is ${1}."
INTENT_STOCK_PRICE_MSG_FAIL = "Sorry, there was a problem getting data for {}"
# Market Cap
INTENT_MARKET_CAP_MSG = "The Market Cap of {0} is ${1}."
INTENT_MARKET_CAP_MSG_FAIL = "Sorry, there was a problem getting market capitalization for {}"
# Investing Strategy
INTENT_INVEST_STRAT_MSG = "Here is a example of investing strategy, this one is called {}. {}"
# Watchlist
INTENT_WATCHLIST_REPORT_TOP_STOCK = "The best performing stock is {} which is {} {:.2f}%. "
INTENT_WATCHLIST_REPORT_WORST_STOCK = "The worst performing stock is {} which is {} {:.2f}%. "
INTENT_WATCHLIST_REPORT_MSG_INTRO = "Here is your watchlist:"
INTENT_WATCHLIST_REPORT_MSG_BODY = " Stock {} is {} {:.2f}%. "
INTENT_WATCHLIST_EMPTY_MSG = "Your watchlist is empty. "
INTENT_ADD_TO_WATCHLIST_ASK_CONFIRMATION = "Should I add stock {}? "
INTENT_ADD_TO_WATCHLIST_DENIED = "Ok, not adding it. "
INTENT_ADD_TO_WATCHLIST_CONFIRMED = "Ok, adding {} to watchlist. "
INTENT_ADDED_TO_WATCHLIST = "Stock {} was added to watchlist. "
INTENT_ADDED_TO_WATCHLIST_EXISTS = "Stock {} is already in your watchlist. "
INTENT_ADDED_TO_WATCHLIST_FAIL = "Couldn't add stock to watchlist. "
INTENT_REMOVE_FROM_WATCHLIST_ASK_CONFIRMATION = "Should I remove {}? "
INTENT_REMOVE_FROM_WATCHLIST_DENIED = "Ok, not removing it. "
INTENT_REMOVE_FROM_WATCHLIST_CONFIRMED = "Ok, removing {} from watchlist. "
INTENT_REMOVE_FROM_WATCHLIST_NOT_THERE = "There is no stock {} in your watchlist. "
INTENT_REMOVE_FROM_WATCHLIST_FAIL = "Couldn't remove stock from watchlist. "
# Education
INTENT_EDU_IN_CONSTRUCTION = "Can't explain {} right now."
# News
INTENT_NEWS_ABOUT_COMPANY_INTRO = "Here are some articles mentioning {}: "
INTENT_NEWS_ABOUT_COMPANY_ASK_MORE_INFO = "Should I send you a link to one of the articles? "
INTENT_NEWS_ABOUT_COMPANY_ASK_ARTICLE_NO = "Which one? "
INTENT_NEWS_ABOUT_COMPANY_FAIL_ARTICLE_NOT_FOUND = "Sorry, couldn't find this article. "
INTENT_NEWS_ABOUT_COMPANY_ARTICLE_SENT = "Article was sent to your device. "
INTENT_NEWS_ABOUT_COMPANY_ARTICLE_CARD_TITLE = "Article about {}"
INTENT_NEWS_ABOUT_COMPANY_ARTICLE_CARD_CONTENT = "{}"
# Analytics recommendation
INTENT_RCMD_NO_RCMD = "There is no analyst recommendation for this stock."
INTENT_RCMD_STRONG_BUY = "The analysts are strongly suggesting to buy this stock."
INTENT_RCMD_BUY = "The analysts are suggesting to consider buying this stock."
INTENT_RCMD_OPT_HOLD = "The analysts are somewhat optimistic, they are torn between holding or even buying this stock."
INTENT_RCMD_HOLD = "The analysts suggest not making any decisions just yet, you should hold to this stock."
INTENT_RCMD_PES_HOLD = "The analysts are worried about this one, they suggest holding, whit some intentions to selling."
INTENT_RCMD_SELL = "The stock has been underperforming, analysts suggest considering selling."
INTENT_RCMD_STRONG_SELL = "The analysts strongly suggest selling this stock."
# Error states
ERROR_NOT_AUTHENTICATED = "First you need to authenticate in the Alexa App."
ERROR_NOT_AUTHENTICATED_REPROMPT = "Please go to the Alexa App and link your Facebook account to use this feature."
ERROR_CANT_ADD_TO_WATCHLIST = "Sorry, I wasn't able to add stock {} to watchlist."
ERROR_NEWS_BAD_TICKER = "Sorry it is not possible to get news for this company."
ERROR_NEWS_NO_NEWS = "Sorry, there are now news for company {}" |
# -*- coding: utf-8 -*-
"""
Created on Sat Feb 13 20:04:51 2021
@author: Charissa
"""
'''
==================================
Queue
==================================
'''
class QNode:
def __init__(self, data):
self.data = data
self.next = None
class Queue:
def __init__(self):
self.front = None
self.rear = None
self.size = 0
def enqueue(self, data):
'''
enqueue elements at the rear of the list
Parameters
----------
element :
element that is to be added at the rear of the queue
'''
newNode = QNode(data)
if self.front == None and self.rear == None:
self.front=newNode
self.rear=newNode
else:
self.rear.next = newNode
self.rear = newNode
self.size += 1
def dequeue(self):
'''
dequeues the front element
Returns
-------
Error message only if there is None elements in the queue
data:
data that was removed
'''
if (self.front == None) and (self.rear == None):
return print("Error Occurred, no element in queue to dequeue please try again.")
else:
data = self.front.data
self.front = self.front.next
if self.front == None:
self.rear = None
self.size -= 1
return data
def printQueue(self):
queuelist = []
curr = self.front
while curr:
queuelist.append(curr.data)
curr = curr.next
print(queuelist)
'''
================================================
Binary Search Tree
================================================
'''
class BSTNode:
def __init__(self,data):
self.data = data
self.leftchild = None
self.rightchild = None
class BinarySearchTree:
def __init__(self):
self.root = None
self.size = 0
def insert(self, data):
'''
Parameters
----------
data : float
the float to be added to the binary search tree
Returns
-------
self.data: bst
returns the updated bst
'''
newNode = BSTNode(data)
if self.root == None:
self.root = newNode
self.size +=1
return
else:
curr = self.root
while curr:
if newNode.data == curr.data:
return
elif newNode.data > curr.data:
if curr.rightchild != None:
curr = curr.rightchild
else:
curr.rightchild = newNode
else:
if curr.leftchild != None:
curr = curr.leftchild
else:
curr.leftchild = newNode
self.size+=1
return
def inordertraversal(self,root):
'''
generates inorder traversal of binary search tree
Parameters
----------
root : Nodes
Nodes of binary search tree
Returns
-------
root : Node
return inorder traversal of binary search tree
'''
if root != None:
self.inordertraversal(root.leftchild)
print(root.data)
self.inordertraversal(root.rightchild)
else:
return self.root
def minval(node):
'''
Find the current reference to node of minimum value
Parameters
----------
node : Node
Returns
-------
curr : reference
current reference to node of minimum value
'''
curr = node
while curr.leftchild != None:
curr = curr.leftchild
return curr
def search(self,key):
'''
binary search for an element
Parameters
----------
root : Nodes of BST
key : Integer
intgere to be found in BST
Returns
-------
key :Integer
returns key if found
'''
if self.root.data == None or self.root.data == key:
return self.root.data
if self.root.data < key:
return self.search(self.root.rightchild,key)
else:
return self.search(self.root.leftchild,key)
def delete(self,root,node):
'''
delete an element form BST
Parameters
----------
root : Nodes of bst
node : Node
Node for which to be deleted
Returns
-------
root
BST excluding deleted element
'''
if self.root.data != None:
if self.root.data > node:
self.root.leftchild = self.delete(self.root.leftchild,node)
elif self.root.data < node:
self.root.rightchild = self.delete(self.root.rightchild,node)
else:
if self.root.leftchild == None:
temp = self.root.rightchild
self.root.data = None
return temp
elif self.root.rightchild == None:
temp = self.root.leftchild
self.root.node = None
return temp
temp = self.minval(self.root.rightchild)
self.root.rightchild = self.delete(self.root.rightchild,temp.data)
return self.root
def levelorderTraversal(self):
'''
generates level order traversal of binary search tree
Returns
-------
result :
generates level order traversal of binary search tree
'''
result = []
myqueue = Queue()
curr = self.root
if curr != None:
myqueue.enqueue(curr)
while myqueue.front:
curr = myqueue.dequeue()
result.append(curr.data)
if curr.leftchild != None:
myqueue.enqueue(curr.leftchild)
if curr.rightchild != None:
myqueue.enqueue(curr.rightchild)
return result
BST = BinarySearchTree()
for i in range(10):
BST.insert(2*i)
print(BST.levelorderTraversal())
print()
print(BST.inordertraversal(BST.root))
|
# A string index should always be within range
s = "Hello"
print(s[5]) # Syntax error - valid indices for s are 0-4
|
#!/anaconda3/bin/python3.6
# coding=utf-8
if __name__ == "__main__":
print("suppliermgr package") |
# encoding: utf-8
# Copyright 2008 California Institute of Technology. ALL RIGHTS
# RESERVED. U.S. Government Sponsorship acknowledged.
'''
EDRN RDF Service: unit and functional tests.
''' |
with open("input.txt") as input_file:
lines = input_file.readlines()
fish = [int(n) for n in lines[0].split(",")]
print(fish)
for _ in range(80):
fish = [f-1 for f in fish]
zeroes = fish.count(-1)
for i, f in enumerate(fish):
if f == -1:
fish[i] = 6
fish.extend([8]*zeroes)
print(len(fish))
|
def test_first(setup_teardown):
text_logo = setup_teardown.find_element_by_id('logo').text
assert text_logo == 'Your Store'
|
def calculaMulta (velocidade):
if velocidade > 50 and velocidade < 55:
return 230
elif velocidade > 55 and velocidade <= 60:
return 340
elif velocidade > 60:
valor = (velocidade-50) * 19.28
return valor
else:
return 0
vel = int(input("Informe a velocidade :"))
print(calculaMulta(vel))
|
class Solution:
def removeElement(self, nums: List[int], val: int) -> int:
for numbers in range(len(nums)):
if val not in nums:
break
if len(nums) == 0:
return 0
else:
nums.remove(val)
print(len(nums))
print ("nums = ",nums) |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.