content stringlengths 7 1.05M | fixed_cases stringlengths 1 1.28M |
|---|---|
class Person:
pass
class Male(Person):
def getGender(self):
return 'Male'
class Female(Person):
def getGender(self):
return 'Female'
print(Male().getGender())
print(Female().getGender()) | class Person:
pass
class Male(Person):
def get_gender(self):
return 'Male'
class Female(Person):
def get_gender(self):
return 'Female'
print(male().getGender())
print(female().getGender()) |
"""
Copied from: https://github.com/jerrymarino/xcbuildkit/blob/master/BazelExtensions/version.bzl
"""
def _info_impl(ctx):
ctx.file("BUILD", content = "exports_files([\"ref\"])")
ctx.file("WORKSPACE", content = "")
if ctx.attr.value:
ctx.file("ref", content = str(ctx.attr.value))
else:
ctx.file("ref", content = "")
_repo_info = repository_rule(
implementation = _info_impl,
attrs = {"value": attr.string()},
local = True,
)
# While defining a repository, pass info about the repo
# e.g. native.existing_rule("some")["commit"]
# The git rule currently deletes the repo
# https://github.com/bazelbuild/bazel/blob/master/tools/build_defs/repo/git.bzl#L179
def _get_ref(rule):
if not rule:
return None
if rule["commit"]:
return rule["commit"]
if rule["tag"]:
return rule["tag"]
print("WARNING: using unstable build tag")
if rule["branch"]:
return rule["branch"]
def repo_info(name):
external_rule = native.existing_rule(name)
_repo_info(name = name + "_repo_info", value = _get_ref(external_rule))
| """
Copied from: https://github.com/jerrymarino/xcbuildkit/blob/master/BazelExtensions/version.bzl
"""
def _info_impl(ctx):
ctx.file('BUILD', content='exports_files(["ref"])')
ctx.file('WORKSPACE', content='')
if ctx.attr.value:
ctx.file('ref', content=str(ctx.attr.value))
else:
ctx.file('ref', content='')
_repo_info = repository_rule(implementation=_info_impl, attrs={'value': attr.string()}, local=True)
def _get_ref(rule):
if not rule:
return None
if rule['commit']:
return rule['commit']
if rule['tag']:
return rule['tag']
print('WARNING: using unstable build tag')
if rule['branch']:
return rule['branch']
def repo_info(name):
external_rule = native.existing_rule(name)
_repo_info(name=name + '_repo_info', value=_get_ref(external_rule)) |
# input = ["a", "a", "b", "b", "c", "c", "c"]
# o/p = a2b2c3
# O(n) time complexity
string_chr = ["a", "a", "b", "b", "c", "c", "c"]
def stringCompression(string_chr):
newString = ''
count = 1
for i in range(len(string_chr)-1):
print(i)
print(string_chr[i])
if string_chr[i] == string_chr[i+1]:
count += 1
else:
newString += string_chr[i]+str(count)
count = 1
if i == len(string_chr)-2:
newString += string_chr[i]+str(count)
i += 1
return newString
print(stringCompression(string_chr))
| string_chr = ['a', 'a', 'b', 'b', 'c', 'c', 'c']
def string_compression(string_chr):
new_string = ''
count = 1
for i in range(len(string_chr) - 1):
print(i)
print(string_chr[i])
if string_chr[i] == string_chr[i + 1]:
count += 1
else:
new_string += string_chr[i] + str(count)
count = 1
if i == len(string_chr) - 2:
new_string += string_chr[i] + str(count)
i += 1
return newString
print(string_compression(string_chr)) |
def compare_schema_resources(available_resources, schema_resources, version):
_available = set(_r.name for _r in available_resources if _r.is_available(version))
_schema = set(schema_resources)
unexpected = list(_available.difference(_schema))
missing = list(_schema.difference(_available))
match = list(_available.intersection(_schema))
return unexpected, missing, match
def compare_schema_routes(available_routes, schema_routes, version):
_available = set()
for _r in available_routes:
if _r.is_available(version, compatiblity_mode=False):
_available.add('{}:{}'.format(_r.httpMethod, _r.path))
else:
for _sr in _r.get_subroutes():
if _sr.is_available(version):
_available.add('{}:{}'.format(_sr.httpMethod, _sr.path))
_schema = set('{}:{}'.format(_r.get('httpMethod', None), _r.get('path', None)) for _r in schema_routes.values())
unexpected = list(_available.difference(_schema))
missing = list(_schema.difference(_available))
match = list(_available.intersection(_schema))
return unexpected, missing, match
| def compare_schema_resources(available_resources, schema_resources, version):
_available = set((_r.name for _r in available_resources if _r.is_available(version)))
_schema = set(schema_resources)
unexpected = list(_available.difference(_schema))
missing = list(_schema.difference(_available))
match = list(_available.intersection(_schema))
return (unexpected, missing, match)
def compare_schema_routes(available_routes, schema_routes, version):
_available = set()
for _r in available_routes:
if _r.is_available(version, compatiblity_mode=False):
_available.add('{}:{}'.format(_r.httpMethod, _r.path))
else:
for _sr in _r.get_subroutes():
if _sr.is_available(version):
_available.add('{}:{}'.format(_sr.httpMethod, _sr.path))
_schema = set(('{}:{}'.format(_r.get('httpMethod', None), _r.get('path', None)) for _r in schema_routes.values()))
unexpected = list(_available.difference(_schema))
missing = list(_schema.difference(_available))
match = list(_available.intersection(_schema))
return (unexpected, missing, match) |
#paste your api_hash and api_id from my.telegram.org
api_hash = " b59675804753a20366ac24e38dd3ea35"
api_id = "1347448"
entity = "tgcloud"
| api_hash = ' b59675804753a20366ac24e38dd3ea35'
api_id = '1347448'
entity = 'tgcloud' |
'''
A Python program to check whether a specifi ed value iscontained in a group of values.
'''
def isVowel (inputStr):
vowelTuple = ('1', '5', '8', '3', '9')
for vowel in vowelTuple:
if inputStr == vowel:
return True
return False
def main ():
myStr = input ("Enter a letter")
isStrVowel = isVowel(myStr)
if isStrVowel:
print ("You input is not from the list")
else:
print ("ou input is from the list")
main()
| """
A Python program to check whether a specifi ed value iscontained in a group of values.
"""
def is_vowel(inputStr):
vowel_tuple = ('1', '5', '8', '3', '9')
for vowel in vowelTuple:
if inputStr == vowel:
return True
return False
def main():
my_str = input('Enter a letter')
is_str_vowel = is_vowel(myStr)
if isStrVowel:
print('You input is not from the list')
else:
print('ou input is from the list')
main() |
def reverse_string(string):
"""Reverses string and returns it.
Parameters
----------
string
Returns
-------
"""
# define base case
to_list = list(string)
if len(to_list) < 2:
return to_list
# set start and stop indexes.
start = 0
stop = len(to_list) - 1
while start < stop:
# swap values
end_value = to_list[stop]
to_list[stop] = to_list[start]
to_list[start] = end_value
# move indexes
start += 1
stop -= 1
return ''.join(to_list)
def reverse_string_recur(string):
if string == '':
return string
else:
return reverse_string(string[1:]) + string[0]
string_list = ['tom', 'baba', 'store', 'worbler']
for string in string_list:
print(reverse_string(string))
print(reverse_string_recur(string))
| def reverse_string(string):
"""Reverses string and returns it.
Parameters
----------
string
Returns
-------
"""
to_list = list(string)
if len(to_list) < 2:
return to_list
start = 0
stop = len(to_list) - 1
while start < stop:
end_value = to_list[stop]
to_list[stop] = to_list[start]
to_list[start] = end_value
start += 1
stop -= 1
return ''.join(to_list)
def reverse_string_recur(string):
if string == '':
return string
else:
return reverse_string(string[1:]) + string[0]
string_list = ['tom', 'baba', 'store', 'worbler']
for string in string_list:
print(reverse_string(string))
print(reverse_string_recur(string)) |
'''
The MIT License (MIT)
Copyright (c) 2016 WavyCloud
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
SOFTWARE.
'''
def can_paginate(operation_name=None):
"""
Check if an operation can be paginated.
:type operation_name: string
:param operation_name: The operation name. This is the same name
as the method name on the client. For example, if the
method name is create_foo, and you'd normally invoke the
operation as client.create_foo(**kwargs), if the
create_foo operation can be paginated, you can use the
call client.get_paginator('create_foo').
"""
pass
def delete_scaling_policy(PolicyName=None, ServiceNamespace=None, ResourceId=None, ScalableDimension=None):
"""
Deletes the specified Application Auto Scaling scaling policy.
Deleting a policy deletes the underlying alarm action, but does not delete the CloudWatch alarm associated with the scaling policy, even if it no longer has an associated action.
To create a scaling policy or update an existing one, see PutScalingPolicy .
See also: AWS API Documentation
Examples
This example deletes a scaling policy for the Amazon ECS service called web-app, which is running in the default cluster.
Expected Output:
:example: response = client.delete_scaling_policy(
PolicyName='string',
ServiceNamespace='ecs'|'elasticmapreduce'|'ec2'|'appstream',
ResourceId='string',
ScalableDimension='ecs:service:DesiredCount'|'ec2:spot-fleet-request:TargetCapacity'|'elasticmapreduce:instancegroup:InstanceCount'|'appstream:fleet:DesiredCapacity'
)
:type PolicyName: string
:param PolicyName: [REQUIRED]
The name of the scaling policy.
:type ServiceNamespace: string
:param ServiceNamespace: [REQUIRED]
The namespace of the AWS service. For more information, see AWS Service Namespaces in the Amazon Web Services General Reference .
:type ResourceId: string
:param ResourceId: [REQUIRED]
The identifier of the resource associated with the scalable target. This string consists of the resource type and unique identifier.
ECS service - The resource type is service and the unique identifier is the cluster name and service name. Example: service/default/sample-webapp .
Spot fleet request - The resource type is spot-fleet-request and the unique identifier is the Spot fleet request ID. Example: spot-fleet-request/sfr-73fbd2ce-aa30-494c-8788-1cee4EXAMPLE .
EMR cluster - The resource type is instancegroup and the unique identifier is the cluster ID and instance group ID. Example: instancegroup/j-2EEZNYKUA1NTV/ig-1791Y4E1L8YI0 .
AppStream 2.0 fleet - The resource type is fleet and the unique identifier is the fleet name. Example: fleet/sample-fleet .
:type ScalableDimension: string
:param ScalableDimension: [REQUIRED]
The scalable dimension. This string consists of the service namespace, resource type, and scaling property.
ecs:service:DesiredCount - The desired task count of an ECS service.
ec2:spot-fleet-request:TargetCapacity - The target capacity of a Spot fleet request.
elasticmapreduce:instancegroup:InstanceCount - The instance count of an EMR Instance Group.
appstream:fleet:DesiredCapacity - The desired capacity of an AppStream 2.0 fleet.
:rtype: dict
:return: {}
:returns:
(dict) --
"""
pass
def deregister_scalable_target(ServiceNamespace=None, ResourceId=None, ScalableDimension=None):
"""
Deregisters a scalable target.
Deregistering a scalable target deletes the scaling policies that are associated with it.
To create a scalable target or update an existing one, see RegisterScalableTarget .
See also: AWS API Documentation
Examples
This example deregisters a scalable target for an Amazon ECS service called web-app that is running in the default cluster.
Expected Output:
:example: response = client.deregister_scalable_target(
ServiceNamespace='ecs'|'elasticmapreduce'|'ec2'|'appstream',
ResourceId='string',
ScalableDimension='ecs:service:DesiredCount'|'ec2:spot-fleet-request:TargetCapacity'|'elasticmapreduce:instancegroup:InstanceCount'|'appstream:fleet:DesiredCapacity'
)
:type ServiceNamespace: string
:param ServiceNamespace: [REQUIRED]
The namespace of the AWS service. For more information, see AWS Service Namespaces in the Amazon Web Services General Reference .
:type ResourceId: string
:param ResourceId: [REQUIRED]
The identifier of the resource associated with the scalable target. This string consists of the resource type and unique identifier.
ECS service - The resource type is service and the unique identifier is the cluster name and service name. Example: service/default/sample-webapp .
Spot fleet request - The resource type is spot-fleet-request and the unique identifier is the Spot fleet request ID. Example: spot-fleet-request/sfr-73fbd2ce-aa30-494c-8788-1cee4EXAMPLE .
EMR cluster - The resource type is instancegroup and the unique identifier is the cluster ID and instance group ID. Example: instancegroup/j-2EEZNYKUA1NTV/ig-1791Y4E1L8YI0 .
AppStream 2.0 fleet - The resource type is fleet and the unique identifier is the fleet name. Example: fleet/sample-fleet .
:type ScalableDimension: string
:param ScalableDimension: [REQUIRED]
The scalable dimension associated with the scalable target. This string consists of the service namespace, resource type, and scaling property.
ecs:service:DesiredCount - The desired task count of an ECS service.
ec2:spot-fleet-request:TargetCapacity - The target capacity of a Spot fleet request.
elasticmapreduce:instancegroup:InstanceCount - The instance count of an EMR Instance Group.
appstream:fleet:DesiredCapacity - The desired capacity of an AppStream 2.0 fleet.
:rtype: dict
:return: {}
:returns:
(dict) --
"""
pass
def describe_scalable_targets(ServiceNamespace=None, ResourceIds=None, ScalableDimension=None, MaxResults=None, NextToken=None):
"""
Provides descriptive information about the scalable targets in the specified namespace.
You can filter the results using the ResourceIds and ScalableDimension parameters.
To create a scalable target or update an existing one, see RegisterScalableTarget . If you are no longer using a scalable target, you can deregister it using DeregisterScalableTarget .
See also: AWS API Documentation
Examples
This example describes the scalable targets for the ecs service namespace.
Expected Output:
:example: response = client.describe_scalable_targets(
ServiceNamespace='ecs'|'elasticmapreduce'|'ec2'|'appstream',
ResourceIds=[
'string',
],
ScalableDimension='ecs:service:DesiredCount'|'ec2:spot-fleet-request:TargetCapacity'|'elasticmapreduce:instancegroup:InstanceCount'|'appstream:fleet:DesiredCapacity',
MaxResults=123,
NextToken='string'
)
:type ServiceNamespace: string
:param ServiceNamespace: [REQUIRED]
The namespace of the AWS service. For more information, see AWS Service Namespaces in the Amazon Web Services General Reference .
:type ResourceIds: list
:param ResourceIds: The identifier of the resource associated with the scalable target. This string consists of the resource type and unique identifier. If you specify a scalable dimension, you must also specify a resource ID.
ECS service - The resource type is service and the unique identifier is the cluster name and service name. Example: service/default/sample-webapp .
Spot fleet request - The resource type is spot-fleet-request and the unique identifier is the Spot fleet request ID. Example: spot-fleet-request/sfr-73fbd2ce-aa30-494c-8788-1cee4EXAMPLE .
EMR cluster - The resource type is instancegroup and the unique identifier is the cluster ID and instance group ID. Example: instancegroup/j-2EEZNYKUA1NTV/ig-1791Y4E1L8YI0 .
AppStream 2.0 fleet - The resource type is fleet and the unique identifier is the fleet name. Example: fleet/sample-fleet .
(string) --
:type ScalableDimension: string
:param ScalableDimension: The scalable dimension associated with the scalable target. This string consists of the service namespace, resource type, and scaling property. If you specify a scalable dimension, you must also specify a resource ID.
ecs:service:DesiredCount - The desired task count of an ECS service.
ec2:spot-fleet-request:TargetCapacity - The target capacity of a Spot fleet request.
elasticmapreduce:instancegroup:InstanceCount - The instance count of an EMR Instance Group.
appstream:fleet:DesiredCapacity - The desired capacity of an AppStream 2.0 fleet.
:type MaxResults: integer
:param MaxResults: The maximum number of scalable target results. This value can be between 1 and 50. The default value is 50.
If this parameter is used, the operation returns up to MaxResults results at a time, along with a NextToken value. To get the next set of results, include the NextToken value in a subsequent call. If this parameter is not used, the operation returns up to 50 results and a NextToken value, if applicable.
:type NextToken: string
:param NextToken: The token for the next set of results.
:rtype: dict
:return: {
'ScalableTargets': [
{
'ServiceNamespace': 'ecs'|'elasticmapreduce'|'ec2'|'appstream',
'ResourceId': 'string',
'ScalableDimension': 'ecs:service:DesiredCount'|'ec2:spot-fleet-request:TargetCapacity'|'elasticmapreduce:instancegroup:InstanceCount'|'appstream:fleet:DesiredCapacity',
'MinCapacity': 123,
'MaxCapacity': 123,
'RoleARN': 'string',
'CreationTime': datetime(2015, 1, 1)
},
],
'NextToken': 'string'
}
:returns:
ECS service - The resource type is service and the unique identifier is the cluster name and service name. Example: service/default/sample-webapp .
Spot fleet request - The resource type is spot-fleet-request and the unique identifier is the Spot fleet request ID. Example: spot-fleet-request/sfr-73fbd2ce-aa30-494c-8788-1cee4EXAMPLE .
EMR cluster - The resource type is instancegroup and the unique identifier is the cluster ID and instance group ID. Example: instancegroup/j-2EEZNYKUA1NTV/ig-1791Y4E1L8YI0 .
AppStream 2.0 fleet - The resource type is fleet and the unique identifier is the fleet name. Example: fleet/sample-fleet .
"""
pass
def describe_scaling_activities(ServiceNamespace=None, ResourceId=None, ScalableDimension=None, MaxResults=None, NextToken=None):
"""
Provides descriptive information about the scaling activities in the specified namespace from the previous six weeks.
You can filter the results using the ResourceId and ScalableDimension parameters.
Scaling activities are triggered by CloudWatch alarms that are associated with scaling policies. To view the scaling policies for a service namespace, see DescribeScalingPolicies . To create a scaling policy or update an existing one, see PutScalingPolicy .
See also: AWS API Documentation
Examples
This example describes the scaling activities for an Amazon ECS service called web-app that is running in the default cluster.
Expected Output:
:example: response = client.describe_scaling_activities(
ServiceNamespace='ecs'|'elasticmapreduce'|'ec2'|'appstream',
ResourceId='string',
ScalableDimension='ecs:service:DesiredCount'|'ec2:spot-fleet-request:TargetCapacity'|'elasticmapreduce:instancegroup:InstanceCount'|'appstream:fleet:DesiredCapacity',
MaxResults=123,
NextToken='string'
)
:type ServiceNamespace: string
:param ServiceNamespace: [REQUIRED]
The namespace of the AWS service. For more information, see AWS Service Namespaces in the Amazon Web Services General Reference .
:type ResourceId: string
:param ResourceId: The identifier of the resource associated with the scaling activity. This string consists of the resource type and unique identifier. If you specify a scalable dimension, you must also specify a resource ID.
ECS service - The resource type is service and the unique identifier is the cluster name and service name. Example: service/default/sample-webapp .
Spot fleet request - The resource type is spot-fleet-request and the unique identifier is the Spot fleet request ID. Example: spot-fleet-request/sfr-73fbd2ce-aa30-494c-8788-1cee4EXAMPLE .
EMR cluster - The resource type is instancegroup and the unique identifier is the cluster ID and instance group ID. Example: instancegroup/j-2EEZNYKUA1NTV/ig-1791Y4E1L8YI0 .
AppStream 2.0 fleet - The resource type is fleet and the unique identifier is the fleet name. Example: fleet/sample-fleet .
:type ScalableDimension: string
:param ScalableDimension: The scalable dimension. This string consists of the service namespace, resource type, and scaling property. If you specify a scalable dimension, you must also specify a resource ID.
ecs:service:DesiredCount - The desired task count of an ECS service.
ec2:spot-fleet-request:TargetCapacity - The target capacity of a Spot fleet request.
elasticmapreduce:instancegroup:InstanceCount - The instance count of an EMR Instance Group.
appstream:fleet:DesiredCapacity - The desired capacity of an AppStream 2.0 fleet.
:type MaxResults: integer
:param MaxResults: The maximum number of scalable target results. This value can be between 1 and 50. The default value is 50.
If this parameter is used, the operation returns up to MaxResults results at a time, along with a NextToken value. To get the next set of results, include the NextToken value in a subsequent call. If this parameter is not used, the operation returns up to 50 results and a NextToken value, if applicable.
:type NextToken: string
:param NextToken: The token for the next set of results.
:rtype: dict
:return: {
'ScalingActivities': [
{
'ActivityId': 'string',
'ServiceNamespace': 'ecs'|'elasticmapreduce'|'ec2'|'appstream',
'ResourceId': 'string',
'ScalableDimension': 'ecs:service:DesiredCount'|'ec2:spot-fleet-request:TargetCapacity'|'elasticmapreduce:instancegroup:InstanceCount'|'appstream:fleet:DesiredCapacity',
'Description': 'string',
'Cause': 'string',
'StartTime': datetime(2015, 1, 1),
'EndTime': datetime(2015, 1, 1),
'StatusCode': 'Pending'|'InProgress'|'Successful'|'Overridden'|'Unfulfilled'|'Failed',
'StatusMessage': 'string',
'Details': 'string'
},
],
'NextToken': 'string'
}
:returns:
ECS service - The resource type is service and the unique identifier is the cluster name and service name. Example: service/default/sample-webapp .
Spot fleet request - The resource type is spot-fleet-request and the unique identifier is the Spot fleet request ID. Example: spot-fleet-request/sfr-73fbd2ce-aa30-494c-8788-1cee4EXAMPLE .
EMR cluster - The resource type is instancegroup and the unique identifier is the cluster ID and instance group ID. Example: instancegroup/j-2EEZNYKUA1NTV/ig-1791Y4E1L8YI0 .
AppStream 2.0 fleet - The resource type is fleet and the unique identifier is the fleet name. Example: fleet/sample-fleet .
"""
pass
def describe_scaling_policies(PolicyNames=None, ServiceNamespace=None, ResourceId=None, ScalableDimension=None, MaxResults=None, NextToken=None):
"""
Provides descriptive information about the scaling policies in the specified namespace.
You can filter the results using the ResourceId , ScalableDimension , and PolicyNames parameters.
To create a scaling policy or update an existing one, see PutScalingPolicy . If you are no longer using a scaling policy, you can delete it using DeleteScalingPolicy .
See also: AWS API Documentation
Examples
This example describes the scaling policies for the ecs service namespace.
Expected Output:
:example: response = client.describe_scaling_policies(
PolicyNames=[
'string',
],
ServiceNamespace='ecs'|'elasticmapreduce'|'ec2'|'appstream',
ResourceId='string',
ScalableDimension='ecs:service:DesiredCount'|'ec2:spot-fleet-request:TargetCapacity'|'elasticmapreduce:instancegroup:InstanceCount'|'appstream:fleet:DesiredCapacity',
MaxResults=123,
NextToken='string'
)
:type PolicyNames: list
:param PolicyNames: The names of the scaling policies to describe.
(string) --
:type ServiceNamespace: string
:param ServiceNamespace: [REQUIRED]
The namespace of the AWS service. For more information, see AWS Service Namespaces in the Amazon Web Services General Reference .
:type ResourceId: string
:param ResourceId: The identifier of the resource associated with the scaling policy. This string consists of the resource type and unique identifier. If you specify a scalable dimension, you must also specify a resource ID.
ECS service - The resource type is service and the unique identifier is the cluster name and service name. Example: service/default/sample-webapp .
Spot fleet request - The resource type is spot-fleet-request and the unique identifier is the Spot fleet request ID. Example: spot-fleet-request/sfr-73fbd2ce-aa30-494c-8788-1cee4EXAMPLE .
EMR cluster - The resource type is instancegroup and the unique identifier is the cluster ID and instance group ID. Example: instancegroup/j-2EEZNYKUA1NTV/ig-1791Y4E1L8YI0 .
AppStream 2.0 fleet - The resource type is fleet and the unique identifier is the fleet name. Example: fleet/sample-fleet .
:type ScalableDimension: string
:param ScalableDimension: The scalable dimension. This string consists of the service namespace, resource type, and scaling property. If you specify a scalable dimension, you must also specify a resource ID.
ecs:service:DesiredCount - The desired task count of an ECS service.
ec2:spot-fleet-request:TargetCapacity - The target capacity of a Spot fleet request.
elasticmapreduce:instancegroup:InstanceCount - The instance count of an EMR Instance Group.
appstream:fleet:DesiredCapacity - The desired capacity of an AppStream 2.0 fleet.
:type MaxResults: integer
:param MaxResults: The maximum number of scalable target results. This value can be between 1 and 50. The default value is 50.
If this parameter is used, the operation returns up to MaxResults results at a time, along with a NextToken value. To get the next set of results, include the NextToken value in a subsequent call. If this parameter is not used, the operation returns up to 50 results and a NextToken value, if applicable.
:type NextToken: string
:param NextToken: The token for the next set of results.
:rtype: dict
:return: {
'ScalingPolicies': [
{
'PolicyARN': 'string',
'PolicyName': 'string',
'ServiceNamespace': 'ecs'|'elasticmapreduce'|'ec2'|'appstream',
'ResourceId': 'string',
'ScalableDimension': 'ecs:service:DesiredCount'|'ec2:spot-fleet-request:TargetCapacity'|'elasticmapreduce:instancegroup:InstanceCount'|'appstream:fleet:DesiredCapacity',
'PolicyType': 'StepScaling',
'StepScalingPolicyConfiguration': {
'AdjustmentType': 'ChangeInCapacity'|'PercentChangeInCapacity'|'ExactCapacity',
'StepAdjustments': [
{
'MetricIntervalLowerBound': 123.0,
'MetricIntervalUpperBound': 123.0,
'ScalingAdjustment': 123
},
],
'MinAdjustmentMagnitude': 123,
'Cooldown': 123,
'MetricAggregationType': 'Average'|'Minimum'|'Maximum'
},
'Alarms': [
{
'AlarmName': 'string',
'AlarmARN': 'string'
},
],
'CreationTime': datetime(2015, 1, 1)
},
],
'NextToken': 'string'
}
:returns:
ECS service - The resource type is service and the unique identifier is the cluster name and service name. Example: service/default/sample-webapp .
Spot fleet request - The resource type is spot-fleet-request and the unique identifier is the Spot fleet request ID. Example: spot-fleet-request/sfr-73fbd2ce-aa30-494c-8788-1cee4EXAMPLE .
EMR cluster - The resource type is instancegroup and the unique identifier is the cluster ID and instance group ID. Example: instancegroup/j-2EEZNYKUA1NTV/ig-1791Y4E1L8YI0 .
AppStream 2.0 fleet - The resource type is fleet and the unique identifier is the fleet name. Example: fleet/sample-fleet .
"""
pass
def generate_presigned_url(ClientMethod=None, Params=None, ExpiresIn=None, HttpMethod=None):
"""
Generate a presigned url given a client, its method, and arguments
:type ClientMethod: string
:param ClientMethod: The client method to presign for
:type Params: dict
:param Params: The parameters normally passed to
ClientMethod.
:type ExpiresIn: int
:param ExpiresIn: The number of seconds the presigned url is valid
for. By default it expires in an hour (3600 seconds)
:type HttpMethod: string
:param HttpMethod: The http method to use on the generated url. By
default, the http method is whatever is used in the method's model.
"""
pass
def get_paginator(operation_name=None):
"""
Create a paginator for an operation.
:type operation_name: string
:param operation_name: The operation name. This is the same name
as the method name on the client. For example, if the
method name is create_foo, and you'd normally invoke the
operation as client.create_foo(**kwargs), if the
create_foo operation can be paginated, you can use the
call client.get_paginator('create_foo').
:rtype: L{botocore.paginate.Paginator}
"""
pass
def get_waiter():
"""
"""
pass
def put_scaling_policy(PolicyName=None, ServiceNamespace=None, ResourceId=None, ScalableDimension=None, PolicyType=None, StepScalingPolicyConfiguration=None):
"""
Creates or updates a policy for an Application Auto Scaling scalable target.
Each scalable target is identified by a service namespace, resource ID, and scalable dimension. A scaling policy applies to the scalable target identified by those three attributes. You cannot create a scaling policy without first registering a scalable target using RegisterScalableTarget .
To update a policy, specify its policy name and the parameters that you want to change. Any parameters that you don't specify are not changed by this update request.
You can view the scaling policies for a service namespace using DescribeScalingPolicies . If you are no longer using a scaling policy, you can delete it using DeleteScalingPolicy .
See also: AWS API Documentation
Examples
This example applies a scaling policy to an Amazon ECS service called web-app in the default cluster. The policy increases the desired count of the service by 200%, with a cool down period of 60 seconds.
Expected Output:
This example applies a scaling policy to an Amazon EC2 Spot fleet. The policy increases the target capacity of the spot fleet by 200%, with a cool down period of 180 seconds.",
Expected Output:
:example: response = client.put_scaling_policy(
PolicyName='string',
ServiceNamespace='ecs'|'elasticmapreduce'|'ec2'|'appstream',
ResourceId='string',
ScalableDimension='ecs:service:DesiredCount'|'ec2:spot-fleet-request:TargetCapacity'|'elasticmapreduce:instancegroup:InstanceCount'|'appstream:fleet:DesiredCapacity',
PolicyType='StepScaling',
StepScalingPolicyConfiguration={
'AdjustmentType': 'ChangeInCapacity'|'PercentChangeInCapacity'|'ExactCapacity',
'StepAdjustments': [
{
'MetricIntervalLowerBound': 123.0,
'MetricIntervalUpperBound': 123.0,
'ScalingAdjustment': 123
},
],
'MinAdjustmentMagnitude': 123,
'Cooldown': 123,
'MetricAggregationType': 'Average'|'Minimum'|'Maximum'
}
)
:type PolicyName: string
:param PolicyName: [REQUIRED]
The name of the scaling policy.
:type ServiceNamespace: string
:param ServiceNamespace: [REQUIRED]
The namespace of the AWS service. For more information, see AWS Service Namespaces in the Amazon Web Services General Reference .
:type ResourceId: string
:param ResourceId: [REQUIRED]
The identifier of the resource associated with the scaling policy. This string consists of the resource type and unique identifier.
ECS service - The resource type is service and the unique identifier is the cluster name and service name. Example: service/default/sample-webapp .
Spot fleet request - The resource type is spot-fleet-request and the unique identifier is the Spot fleet request ID. Example: spot-fleet-request/sfr-73fbd2ce-aa30-494c-8788-1cee4EXAMPLE .
EMR cluster - The resource type is instancegroup and the unique identifier is the cluster ID and instance group ID. Example: instancegroup/j-2EEZNYKUA1NTV/ig-1791Y4E1L8YI0 .
AppStream 2.0 fleet - The resource type is fleet and the unique identifier is the fleet name. Example: fleet/sample-fleet .
:type ScalableDimension: string
:param ScalableDimension: [REQUIRED]
The scalable dimension. This string consists of the service namespace, resource type, and scaling property.
ecs:service:DesiredCount - The desired task count of an ECS service.
ec2:spot-fleet-request:TargetCapacity - The target capacity of a Spot fleet request.
elasticmapreduce:instancegroup:InstanceCount - The instance count of an EMR Instance Group.
appstream:fleet:DesiredCapacity - The desired capacity of an AppStream 2.0 fleet.
:type PolicyType: string
:param PolicyType: The policy type. If you are creating a new policy, this parameter is required. If you are updating a policy, this parameter is not required.
:type StepScalingPolicyConfiguration: dict
:param StepScalingPolicyConfiguration: The configuration for the step scaling policy. If you are creating a new policy, this parameter is required. If you are updating a policy, this parameter is not required. For more information, see StepScalingPolicyConfiguration and StepAdjustment .
AdjustmentType (string) --The adjustment type, which specifies how the ScalingAdjustment parameter in a StepAdjustment is interpreted.
StepAdjustments (list) --A set of adjustments that enable you to scale based on the size of the alarm breach.
(dict) --Represents a step adjustment for a StepScalingPolicyConfiguration . Describes an adjustment based on the difference between the value of the aggregated CloudWatch metric and the breach threshold that you've defined for the alarm.
For the following examples, suppose that you have an alarm with a breach threshold of 50:
To trigger the adjustment when the metric is greater than or equal to 50 and less than 60, specify a lower bound of 0 and an upper bound of 10.
To trigger the adjustment when the metric is greater than 40 and less than or equal to 50, specify a lower bound of -10 and an upper bound of 0.
There are a few rules for the step adjustments for your step policy:
The ranges of your step adjustments can't overlap or have a gap.
At most one step adjustment can have a null lower bound. If one step adjustment has a negative lower bound, then there must be a step adjustment with a null lower bound.
At most one step adjustment can have a null upper bound. If one step adjustment has a positive upper bound, then there must be a step adjustment with a null upper bound.
The upper and lower bound can't be null in the same step adjustment.
MetricIntervalLowerBound (float) --The lower bound for the difference between the alarm threshold and the CloudWatch metric. If the metric value is above the breach threshold, the lower bound is inclusive (the metric must be greater than or equal to the threshold plus the lower bound). Otherwise, it is exclusive (the metric must be greater than the threshold plus the lower bound). A null value indicates negative infinity.
MetricIntervalUpperBound (float) --The upper bound for the difference between the alarm threshold and the CloudWatch metric. If the metric value is above the breach threshold, the upper bound is exclusive (the metric must be less than the threshold plus the upper bound). Otherwise, it is inclusive (the metric must be less than or equal to the threshold plus the upper bound). A null value indicates positive infinity.
The upper bound must be greater than the lower bound.
ScalingAdjustment (integer) -- [REQUIRED]The amount by which to scale, based on the specified adjustment type. A positive value adds to the current scalable dimension while a negative number removes from the current scalable dimension.
MinAdjustmentMagnitude (integer) --The minimum number to adjust your scalable dimension as a result of a scaling activity. If the adjustment type is PercentChangeInCapacity , the scaling policy changes the scalable dimension of the scalable target by this amount.
Cooldown (integer) --The amount of time, in seconds, after a scaling activity completes where previous trigger-related scaling activities can influence future scaling events.
For scale out policies, while Cooldown is in effect, the capacity that has been added by the previous scale out event that initiated the Cooldown is calculated as part of the desired capacity for the next scale out. The intention is to continuously (but not excessively) scale out. For example, an alarm triggers a step scaling policy to scale out an Amazon ECS service by 2 tasks, the scaling activity completes successfully, and a Cooldown period of 5 minutes starts. During the Cooldown period, if the alarm triggers the same policy again but at a more aggressive step adjustment to scale out the service by 3 tasks, the 2 tasks that were added in the previous scale out event are considered part of that capacity and only 1 additional task is added to the desired count.
For scale in policies, the Cooldown period is used to block subsequent scale in requests until it has expired. The intention is to scale in conservatively to protect your application's availability. However, if another alarm triggers a scale out policy during the Cooldown period after a scale-in, Application Auto Scaling scales out your scalable target immediately.
MetricAggregationType (string) --The aggregation type for the CloudWatch metrics. Valid values are Minimum , Maximum , and Average .
:rtype: dict
:return: {
'PolicyARN': 'string'
}
"""
pass
def register_scalable_target(ServiceNamespace=None, ResourceId=None, ScalableDimension=None, MinCapacity=None, MaxCapacity=None, RoleARN=None):
"""
Registers or updates a scalable target. A scalable target is a resource that Application Auto Scaling can scale out or scale in. After you have registered a scalable target, you can use this operation to update the minimum and maximum values for your scalable dimension.
After you register a scalable target, you can create and apply scaling policies using PutScalingPolicy . You can view the scaling policies for a service namespace using DescribeScalableTargets . If you are no longer using a scalable target, you can deregister it using DeregisterScalableTarget .
See also: AWS API Documentation
Examples
This example registers a scalable target from an Amazon ECS service called web-app that is running on the default cluster, with a minimum desired count of 1 task and a maximum desired count of 10 tasks.
Expected Output:
This example registers a scalable target from an Amazon EC2 Spot fleet with a minimum target capacity of 1 and a maximum of 10.
Expected Output:
:example: response = client.register_scalable_target(
ServiceNamespace='ecs'|'elasticmapreduce'|'ec2'|'appstream',
ResourceId='string',
ScalableDimension='ecs:service:DesiredCount'|'ec2:spot-fleet-request:TargetCapacity'|'elasticmapreduce:instancegroup:InstanceCount'|'appstream:fleet:DesiredCapacity',
MinCapacity=123,
MaxCapacity=123,
RoleARN='string'
)
:type ServiceNamespace: string
:param ServiceNamespace: [REQUIRED]
The namespace of the AWS service. For more information, see AWS Service Namespaces in the Amazon Web Services General Reference .
:type ResourceId: string
:param ResourceId: [REQUIRED]
The identifier of the resource associated with the scalable target. This string consists of the resource type and unique identifier.
ECS service - The resource type is service and the unique identifier is the cluster name and service name. Example: service/default/sample-webapp .
Spot fleet request - The resource type is spot-fleet-request and the unique identifier is the Spot fleet request ID. Example: spot-fleet-request/sfr-73fbd2ce-aa30-494c-8788-1cee4EXAMPLE .
EMR cluster - The resource type is instancegroup and the unique identifier is the cluster ID and instance group ID. Example: instancegroup/j-2EEZNYKUA1NTV/ig-1791Y4E1L8YI0 .
AppStream 2.0 fleet - The resource type is fleet and the unique identifier is the fleet name. Example: fleet/sample-fleet .
:type ScalableDimension: string
:param ScalableDimension: [REQUIRED]
The scalable dimension associated with the scalable target. This string consists of the service namespace, resource type, and scaling property.
ecs:service:DesiredCount - The desired task count of an ECS service.
ec2:spot-fleet-request:TargetCapacity - The target capacity of a Spot fleet request.
elasticmapreduce:instancegroup:InstanceCount - The instance count of an EMR Instance Group.
appstream:fleet:DesiredCapacity - The desired capacity of an AppStream 2.0 fleet.
:type MinCapacity: integer
:param MinCapacity: The minimum value to scale to in response to a scale in event. This parameter is required if you are registering a scalable target and optional if you are updating one.
:type MaxCapacity: integer
:param MaxCapacity: The maximum value to scale to in response to a scale out event. This parameter is required if you are registering a scalable target and optional if you are updating one.
:type RoleARN: string
:param RoleARN: The ARN of an IAM role that allows Application Auto Scaling to modify the scalable target on your behalf. This parameter is required when you register a scalable target and optional when you update one.
:rtype: dict
:return: {}
:returns:
(dict) --
"""
pass
| """
The MIT License (MIT)
Copyright (c) 2016 WavyCloud
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
SOFTWARE.
"""
def can_paginate(operation_name=None):
"""
Check if an operation can be paginated.
:type operation_name: string
:param operation_name: The operation name. This is the same name
as the method name on the client. For example, if the
method name is create_foo, and you'd normally invoke the
operation as client.create_foo(**kwargs), if the
create_foo operation can be paginated, you can use the
call client.get_paginator('create_foo').
"""
pass
def delete_scaling_policy(PolicyName=None, ServiceNamespace=None, ResourceId=None, ScalableDimension=None):
"""
Deletes the specified Application Auto Scaling scaling policy.
Deleting a policy deletes the underlying alarm action, but does not delete the CloudWatch alarm associated with the scaling policy, even if it no longer has an associated action.
To create a scaling policy or update an existing one, see PutScalingPolicy .
See also: AWS API Documentation
Examples
This example deletes a scaling policy for the Amazon ECS service called web-app, which is running in the default cluster.
Expected Output:
:example: response = client.delete_scaling_policy(
PolicyName='string',
ServiceNamespace='ecs'|'elasticmapreduce'|'ec2'|'appstream',
ResourceId='string',
ScalableDimension='ecs:service:DesiredCount'|'ec2:spot-fleet-request:TargetCapacity'|'elasticmapreduce:instancegroup:InstanceCount'|'appstream:fleet:DesiredCapacity'
)
:type PolicyName: string
:param PolicyName: [REQUIRED]
The name of the scaling policy.
:type ServiceNamespace: string
:param ServiceNamespace: [REQUIRED]
The namespace of the AWS service. For more information, see AWS Service Namespaces in the Amazon Web Services General Reference .
:type ResourceId: string
:param ResourceId: [REQUIRED]
The identifier of the resource associated with the scalable target. This string consists of the resource type and unique identifier.
ECS service - The resource type is service and the unique identifier is the cluster name and service name. Example: service/default/sample-webapp .
Spot fleet request - The resource type is spot-fleet-request and the unique identifier is the Spot fleet request ID. Example: spot-fleet-request/sfr-73fbd2ce-aa30-494c-8788-1cee4EXAMPLE .
EMR cluster - The resource type is instancegroup and the unique identifier is the cluster ID and instance group ID. Example: instancegroup/j-2EEZNYKUA1NTV/ig-1791Y4E1L8YI0 .
AppStream 2.0 fleet - The resource type is fleet and the unique identifier is the fleet name. Example: fleet/sample-fleet .
:type ScalableDimension: string
:param ScalableDimension: [REQUIRED]
The scalable dimension. This string consists of the service namespace, resource type, and scaling property.
ecs:service:DesiredCount - The desired task count of an ECS service.
ec2:spot-fleet-request:TargetCapacity - The target capacity of a Spot fleet request.
elasticmapreduce:instancegroup:InstanceCount - The instance count of an EMR Instance Group.
appstream:fleet:DesiredCapacity - The desired capacity of an AppStream 2.0 fleet.
:rtype: dict
:return: {}
:returns:
(dict) --
"""
pass
def deregister_scalable_target(ServiceNamespace=None, ResourceId=None, ScalableDimension=None):
"""
Deregisters a scalable target.
Deregistering a scalable target deletes the scaling policies that are associated with it.
To create a scalable target or update an existing one, see RegisterScalableTarget .
See also: AWS API Documentation
Examples
This example deregisters a scalable target for an Amazon ECS service called web-app that is running in the default cluster.
Expected Output:
:example: response = client.deregister_scalable_target(
ServiceNamespace='ecs'|'elasticmapreduce'|'ec2'|'appstream',
ResourceId='string',
ScalableDimension='ecs:service:DesiredCount'|'ec2:spot-fleet-request:TargetCapacity'|'elasticmapreduce:instancegroup:InstanceCount'|'appstream:fleet:DesiredCapacity'
)
:type ServiceNamespace: string
:param ServiceNamespace: [REQUIRED]
The namespace of the AWS service. For more information, see AWS Service Namespaces in the Amazon Web Services General Reference .
:type ResourceId: string
:param ResourceId: [REQUIRED]
The identifier of the resource associated with the scalable target. This string consists of the resource type and unique identifier.
ECS service - The resource type is service and the unique identifier is the cluster name and service name. Example: service/default/sample-webapp .
Spot fleet request - The resource type is spot-fleet-request and the unique identifier is the Spot fleet request ID. Example: spot-fleet-request/sfr-73fbd2ce-aa30-494c-8788-1cee4EXAMPLE .
EMR cluster - The resource type is instancegroup and the unique identifier is the cluster ID and instance group ID. Example: instancegroup/j-2EEZNYKUA1NTV/ig-1791Y4E1L8YI0 .
AppStream 2.0 fleet - The resource type is fleet and the unique identifier is the fleet name. Example: fleet/sample-fleet .
:type ScalableDimension: string
:param ScalableDimension: [REQUIRED]
The scalable dimension associated with the scalable target. This string consists of the service namespace, resource type, and scaling property.
ecs:service:DesiredCount - The desired task count of an ECS service.
ec2:spot-fleet-request:TargetCapacity - The target capacity of a Spot fleet request.
elasticmapreduce:instancegroup:InstanceCount - The instance count of an EMR Instance Group.
appstream:fleet:DesiredCapacity - The desired capacity of an AppStream 2.0 fleet.
:rtype: dict
:return: {}
:returns:
(dict) --
"""
pass
def describe_scalable_targets(ServiceNamespace=None, ResourceIds=None, ScalableDimension=None, MaxResults=None, NextToken=None):
"""
Provides descriptive information about the scalable targets in the specified namespace.
You can filter the results using the ResourceIds and ScalableDimension parameters.
To create a scalable target or update an existing one, see RegisterScalableTarget . If you are no longer using a scalable target, you can deregister it using DeregisterScalableTarget .
See also: AWS API Documentation
Examples
This example describes the scalable targets for the ecs service namespace.
Expected Output:
:example: response = client.describe_scalable_targets(
ServiceNamespace='ecs'|'elasticmapreduce'|'ec2'|'appstream',
ResourceIds=[
'string',
],
ScalableDimension='ecs:service:DesiredCount'|'ec2:spot-fleet-request:TargetCapacity'|'elasticmapreduce:instancegroup:InstanceCount'|'appstream:fleet:DesiredCapacity',
MaxResults=123,
NextToken='string'
)
:type ServiceNamespace: string
:param ServiceNamespace: [REQUIRED]
The namespace of the AWS service. For more information, see AWS Service Namespaces in the Amazon Web Services General Reference .
:type ResourceIds: list
:param ResourceIds: The identifier of the resource associated with the scalable target. This string consists of the resource type and unique identifier. If you specify a scalable dimension, you must also specify a resource ID.
ECS service - The resource type is service and the unique identifier is the cluster name and service name. Example: service/default/sample-webapp .
Spot fleet request - The resource type is spot-fleet-request and the unique identifier is the Spot fleet request ID. Example: spot-fleet-request/sfr-73fbd2ce-aa30-494c-8788-1cee4EXAMPLE .
EMR cluster - The resource type is instancegroup and the unique identifier is the cluster ID and instance group ID. Example: instancegroup/j-2EEZNYKUA1NTV/ig-1791Y4E1L8YI0 .
AppStream 2.0 fleet - The resource type is fleet and the unique identifier is the fleet name. Example: fleet/sample-fleet .
(string) --
:type ScalableDimension: string
:param ScalableDimension: The scalable dimension associated with the scalable target. This string consists of the service namespace, resource type, and scaling property. If you specify a scalable dimension, you must also specify a resource ID.
ecs:service:DesiredCount - The desired task count of an ECS service.
ec2:spot-fleet-request:TargetCapacity - The target capacity of a Spot fleet request.
elasticmapreduce:instancegroup:InstanceCount - The instance count of an EMR Instance Group.
appstream:fleet:DesiredCapacity - The desired capacity of an AppStream 2.0 fleet.
:type MaxResults: integer
:param MaxResults: The maximum number of scalable target results. This value can be between 1 and 50. The default value is 50.
If this parameter is used, the operation returns up to MaxResults results at a time, along with a NextToken value. To get the next set of results, include the NextToken value in a subsequent call. If this parameter is not used, the operation returns up to 50 results and a NextToken value, if applicable.
:type NextToken: string
:param NextToken: The token for the next set of results.
:rtype: dict
:return: {
'ScalableTargets': [
{
'ServiceNamespace': 'ecs'|'elasticmapreduce'|'ec2'|'appstream',
'ResourceId': 'string',
'ScalableDimension': 'ecs:service:DesiredCount'|'ec2:spot-fleet-request:TargetCapacity'|'elasticmapreduce:instancegroup:InstanceCount'|'appstream:fleet:DesiredCapacity',
'MinCapacity': 123,
'MaxCapacity': 123,
'RoleARN': 'string',
'CreationTime': datetime(2015, 1, 1)
},
],
'NextToken': 'string'
}
:returns:
ECS service - The resource type is service and the unique identifier is the cluster name and service name. Example: service/default/sample-webapp .
Spot fleet request - The resource type is spot-fleet-request and the unique identifier is the Spot fleet request ID. Example: spot-fleet-request/sfr-73fbd2ce-aa30-494c-8788-1cee4EXAMPLE .
EMR cluster - The resource type is instancegroup and the unique identifier is the cluster ID and instance group ID. Example: instancegroup/j-2EEZNYKUA1NTV/ig-1791Y4E1L8YI0 .
AppStream 2.0 fleet - The resource type is fleet and the unique identifier is the fleet name. Example: fleet/sample-fleet .
"""
pass
def describe_scaling_activities(ServiceNamespace=None, ResourceId=None, ScalableDimension=None, MaxResults=None, NextToken=None):
"""
Provides descriptive information about the scaling activities in the specified namespace from the previous six weeks.
You can filter the results using the ResourceId and ScalableDimension parameters.
Scaling activities are triggered by CloudWatch alarms that are associated with scaling policies. To view the scaling policies for a service namespace, see DescribeScalingPolicies . To create a scaling policy or update an existing one, see PutScalingPolicy .
See also: AWS API Documentation
Examples
This example describes the scaling activities for an Amazon ECS service called web-app that is running in the default cluster.
Expected Output:
:example: response = client.describe_scaling_activities(
ServiceNamespace='ecs'|'elasticmapreduce'|'ec2'|'appstream',
ResourceId='string',
ScalableDimension='ecs:service:DesiredCount'|'ec2:spot-fleet-request:TargetCapacity'|'elasticmapreduce:instancegroup:InstanceCount'|'appstream:fleet:DesiredCapacity',
MaxResults=123,
NextToken='string'
)
:type ServiceNamespace: string
:param ServiceNamespace: [REQUIRED]
The namespace of the AWS service. For more information, see AWS Service Namespaces in the Amazon Web Services General Reference .
:type ResourceId: string
:param ResourceId: The identifier of the resource associated with the scaling activity. This string consists of the resource type and unique identifier. If you specify a scalable dimension, you must also specify a resource ID.
ECS service - The resource type is service and the unique identifier is the cluster name and service name. Example: service/default/sample-webapp .
Spot fleet request - The resource type is spot-fleet-request and the unique identifier is the Spot fleet request ID. Example: spot-fleet-request/sfr-73fbd2ce-aa30-494c-8788-1cee4EXAMPLE .
EMR cluster - The resource type is instancegroup and the unique identifier is the cluster ID and instance group ID. Example: instancegroup/j-2EEZNYKUA1NTV/ig-1791Y4E1L8YI0 .
AppStream 2.0 fleet - The resource type is fleet and the unique identifier is the fleet name. Example: fleet/sample-fleet .
:type ScalableDimension: string
:param ScalableDimension: The scalable dimension. This string consists of the service namespace, resource type, and scaling property. If you specify a scalable dimension, you must also specify a resource ID.
ecs:service:DesiredCount - The desired task count of an ECS service.
ec2:spot-fleet-request:TargetCapacity - The target capacity of a Spot fleet request.
elasticmapreduce:instancegroup:InstanceCount - The instance count of an EMR Instance Group.
appstream:fleet:DesiredCapacity - The desired capacity of an AppStream 2.0 fleet.
:type MaxResults: integer
:param MaxResults: The maximum number of scalable target results. This value can be between 1 and 50. The default value is 50.
If this parameter is used, the operation returns up to MaxResults results at a time, along with a NextToken value. To get the next set of results, include the NextToken value in a subsequent call. If this parameter is not used, the operation returns up to 50 results and a NextToken value, if applicable.
:type NextToken: string
:param NextToken: The token for the next set of results.
:rtype: dict
:return: {
'ScalingActivities': [
{
'ActivityId': 'string',
'ServiceNamespace': 'ecs'|'elasticmapreduce'|'ec2'|'appstream',
'ResourceId': 'string',
'ScalableDimension': 'ecs:service:DesiredCount'|'ec2:spot-fleet-request:TargetCapacity'|'elasticmapreduce:instancegroup:InstanceCount'|'appstream:fleet:DesiredCapacity',
'Description': 'string',
'Cause': 'string',
'StartTime': datetime(2015, 1, 1),
'EndTime': datetime(2015, 1, 1),
'StatusCode': 'Pending'|'InProgress'|'Successful'|'Overridden'|'Unfulfilled'|'Failed',
'StatusMessage': 'string',
'Details': 'string'
},
],
'NextToken': 'string'
}
:returns:
ECS service - The resource type is service and the unique identifier is the cluster name and service name. Example: service/default/sample-webapp .
Spot fleet request - The resource type is spot-fleet-request and the unique identifier is the Spot fleet request ID. Example: spot-fleet-request/sfr-73fbd2ce-aa30-494c-8788-1cee4EXAMPLE .
EMR cluster - The resource type is instancegroup and the unique identifier is the cluster ID and instance group ID. Example: instancegroup/j-2EEZNYKUA1NTV/ig-1791Y4E1L8YI0 .
AppStream 2.0 fleet - The resource type is fleet and the unique identifier is the fleet name. Example: fleet/sample-fleet .
"""
pass
def describe_scaling_policies(PolicyNames=None, ServiceNamespace=None, ResourceId=None, ScalableDimension=None, MaxResults=None, NextToken=None):
"""
Provides descriptive information about the scaling policies in the specified namespace.
You can filter the results using the ResourceId , ScalableDimension , and PolicyNames parameters.
To create a scaling policy or update an existing one, see PutScalingPolicy . If you are no longer using a scaling policy, you can delete it using DeleteScalingPolicy .
See also: AWS API Documentation
Examples
This example describes the scaling policies for the ecs service namespace.
Expected Output:
:example: response = client.describe_scaling_policies(
PolicyNames=[
'string',
],
ServiceNamespace='ecs'|'elasticmapreduce'|'ec2'|'appstream',
ResourceId='string',
ScalableDimension='ecs:service:DesiredCount'|'ec2:spot-fleet-request:TargetCapacity'|'elasticmapreduce:instancegroup:InstanceCount'|'appstream:fleet:DesiredCapacity',
MaxResults=123,
NextToken='string'
)
:type PolicyNames: list
:param PolicyNames: The names of the scaling policies to describe.
(string) --
:type ServiceNamespace: string
:param ServiceNamespace: [REQUIRED]
The namespace of the AWS service. For more information, see AWS Service Namespaces in the Amazon Web Services General Reference .
:type ResourceId: string
:param ResourceId: The identifier of the resource associated with the scaling policy. This string consists of the resource type and unique identifier. If you specify a scalable dimension, you must also specify a resource ID.
ECS service - The resource type is service and the unique identifier is the cluster name and service name. Example: service/default/sample-webapp .
Spot fleet request - The resource type is spot-fleet-request and the unique identifier is the Spot fleet request ID. Example: spot-fleet-request/sfr-73fbd2ce-aa30-494c-8788-1cee4EXAMPLE .
EMR cluster - The resource type is instancegroup and the unique identifier is the cluster ID and instance group ID. Example: instancegroup/j-2EEZNYKUA1NTV/ig-1791Y4E1L8YI0 .
AppStream 2.0 fleet - The resource type is fleet and the unique identifier is the fleet name. Example: fleet/sample-fleet .
:type ScalableDimension: string
:param ScalableDimension: The scalable dimension. This string consists of the service namespace, resource type, and scaling property. If you specify a scalable dimension, you must also specify a resource ID.
ecs:service:DesiredCount - The desired task count of an ECS service.
ec2:spot-fleet-request:TargetCapacity - The target capacity of a Spot fleet request.
elasticmapreduce:instancegroup:InstanceCount - The instance count of an EMR Instance Group.
appstream:fleet:DesiredCapacity - The desired capacity of an AppStream 2.0 fleet.
:type MaxResults: integer
:param MaxResults: The maximum number of scalable target results. This value can be between 1 and 50. The default value is 50.
If this parameter is used, the operation returns up to MaxResults results at a time, along with a NextToken value. To get the next set of results, include the NextToken value in a subsequent call. If this parameter is not used, the operation returns up to 50 results and a NextToken value, if applicable.
:type NextToken: string
:param NextToken: The token for the next set of results.
:rtype: dict
:return: {
'ScalingPolicies': [
{
'PolicyARN': 'string',
'PolicyName': 'string',
'ServiceNamespace': 'ecs'|'elasticmapreduce'|'ec2'|'appstream',
'ResourceId': 'string',
'ScalableDimension': 'ecs:service:DesiredCount'|'ec2:spot-fleet-request:TargetCapacity'|'elasticmapreduce:instancegroup:InstanceCount'|'appstream:fleet:DesiredCapacity',
'PolicyType': 'StepScaling',
'StepScalingPolicyConfiguration': {
'AdjustmentType': 'ChangeInCapacity'|'PercentChangeInCapacity'|'ExactCapacity',
'StepAdjustments': [
{
'MetricIntervalLowerBound': 123.0,
'MetricIntervalUpperBound': 123.0,
'ScalingAdjustment': 123
},
],
'MinAdjustmentMagnitude': 123,
'Cooldown': 123,
'MetricAggregationType': 'Average'|'Minimum'|'Maximum'
},
'Alarms': [
{
'AlarmName': 'string',
'AlarmARN': 'string'
},
],
'CreationTime': datetime(2015, 1, 1)
},
],
'NextToken': 'string'
}
:returns:
ECS service - The resource type is service and the unique identifier is the cluster name and service name. Example: service/default/sample-webapp .
Spot fleet request - The resource type is spot-fleet-request and the unique identifier is the Spot fleet request ID. Example: spot-fleet-request/sfr-73fbd2ce-aa30-494c-8788-1cee4EXAMPLE .
EMR cluster - The resource type is instancegroup and the unique identifier is the cluster ID and instance group ID. Example: instancegroup/j-2EEZNYKUA1NTV/ig-1791Y4E1L8YI0 .
AppStream 2.0 fleet - The resource type is fleet and the unique identifier is the fleet name. Example: fleet/sample-fleet .
"""
pass
def generate_presigned_url(ClientMethod=None, Params=None, ExpiresIn=None, HttpMethod=None):
"""
Generate a presigned url given a client, its method, and arguments
:type ClientMethod: string
:param ClientMethod: The client method to presign for
:type Params: dict
:param Params: The parameters normally passed to
ClientMethod.
:type ExpiresIn: int
:param ExpiresIn: The number of seconds the presigned url is valid
for. By default it expires in an hour (3600 seconds)
:type HttpMethod: string
:param HttpMethod: The http method to use on the generated url. By
default, the http method is whatever is used in the method's model.
"""
pass
def get_paginator(operation_name=None):
"""
Create a paginator for an operation.
:type operation_name: string
:param operation_name: The operation name. This is the same name
as the method name on the client. For example, if the
method name is create_foo, and you'd normally invoke the
operation as client.create_foo(**kwargs), if the
create_foo operation can be paginated, you can use the
call client.get_paginator('create_foo').
:rtype: L{botocore.paginate.Paginator}
"""
pass
def get_waiter():
"""
"""
pass
def put_scaling_policy(PolicyName=None, ServiceNamespace=None, ResourceId=None, ScalableDimension=None, PolicyType=None, StepScalingPolicyConfiguration=None):
"""
Creates or updates a policy for an Application Auto Scaling scalable target.
Each scalable target is identified by a service namespace, resource ID, and scalable dimension. A scaling policy applies to the scalable target identified by those three attributes. You cannot create a scaling policy without first registering a scalable target using RegisterScalableTarget .
To update a policy, specify its policy name and the parameters that you want to change. Any parameters that you don't specify are not changed by this update request.
You can view the scaling policies for a service namespace using DescribeScalingPolicies . If you are no longer using a scaling policy, you can delete it using DeleteScalingPolicy .
See also: AWS API Documentation
Examples
This example applies a scaling policy to an Amazon ECS service called web-app in the default cluster. The policy increases the desired count of the service by 200%, with a cool down period of 60 seconds.
Expected Output:
This example applies a scaling policy to an Amazon EC2 Spot fleet. The policy increases the target capacity of the spot fleet by 200%, with a cool down period of 180 seconds.",
Expected Output:
:example: response = client.put_scaling_policy(
PolicyName='string',
ServiceNamespace='ecs'|'elasticmapreduce'|'ec2'|'appstream',
ResourceId='string',
ScalableDimension='ecs:service:DesiredCount'|'ec2:spot-fleet-request:TargetCapacity'|'elasticmapreduce:instancegroup:InstanceCount'|'appstream:fleet:DesiredCapacity',
PolicyType='StepScaling',
StepScalingPolicyConfiguration={
'AdjustmentType': 'ChangeInCapacity'|'PercentChangeInCapacity'|'ExactCapacity',
'StepAdjustments': [
{
'MetricIntervalLowerBound': 123.0,
'MetricIntervalUpperBound': 123.0,
'ScalingAdjustment': 123
},
],
'MinAdjustmentMagnitude': 123,
'Cooldown': 123,
'MetricAggregationType': 'Average'|'Minimum'|'Maximum'
}
)
:type PolicyName: string
:param PolicyName: [REQUIRED]
The name of the scaling policy.
:type ServiceNamespace: string
:param ServiceNamespace: [REQUIRED]
The namespace of the AWS service. For more information, see AWS Service Namespaces in the Amazon Web Services General Reference .
:type ResourceId: string
:param ResourceId: [REQUIRED]
The identifier of the resource associated with the scaling policy. This string consists of the resource type and unique identifier.
ECS service - The resource type is service and the unique identifier is the cluster name and service name. Example: service/default/sample-webapp .
Spot fleet request - The resource type is spot-fleet-request and the unique identifier is the Spot fleet request ID. Example: spot-fleet-request/sfr-73fbd2ce-aa30-494c-8788-1cee4EXAMPLE .
EMR cluster - The resource type is instancegroup and the unique identifier is the cluster ID and instance group ID. Example: instancegroup/j-2EEZNYKUA1NTV/ig-1791Y4E1L8YI0 .
AppStream 2.0 fleet - The resource type is fleet and the unique identifier is the fleet name. Example: fleet/sample-fleet .
:type ScalableDimension: string
:param ScalableDimension: [REQUIRED]
The scalable dimension. This string consists of the service namespace, resource type, and scaling property.
ecs:service:DesiredCount - The desired task count of an ECS service.
ec2:spot-fleet-request:TargetCapacity - The target capacity of a Spot fleet request.
elasticmapreduce:instancegroup:InstanceCount - The instance count of an EMR Instance Group.
appstream:fleet:DesiredCapacity - The desired capacity of an AppStream 2.0 fleet.
:type PolicyType: string
:param PolicyType: The policy type. If you are creating a new policy, this parameter is required. If you are updating a policy, this parameter is not required.
:type StepScalingPolicyConfiguration: dict
:param StepScalingPolicyConfiguration: The configuration for the step scaling policy. If you are creating a new policy, this parameter is required. If you are updating a policy, this parameter is not required. For more information, see StepScalingPolicyConfiguration and StepAdjustment .
AdjustmentType (string) --The adjustment type, which specifies how the ScalingAdjustment parameter in a StepAdjustment is interpreted.
StepAdjustments (list) --A set of adjustments that enable you to scale based on the size of the alarm breach.
(dict) --Represents a step adjustment for a StepScalingPolicyConfiguration . Describes an adjustment based on the difference between the value of the aggregated CloudWatch metric and the breach threshold that you've defined for the alarm.
For the following examples, suppose that you have an alarm with a breach threshold of 50:
To trigger the adjustment when the metric is greater than or equal to 50 and less than 60, specify a lower bound of 0 and an upper bound of 10.
To trigger the adjustment when the metric is greater than 40 and less than or equal to 50, specify a lower bound of -10 and an upper bound of 0.
There are a few rules for the step adjustments for your step policy:
The ranges of your step adjustments can't overlap or have a gap.
At most one step adjustment can have a null lower bound. If one step adjustment has a negative lower bound, then there must be a step adjustment with a null lower bound.
At most one step adjustment can have a null upper bound. If one step adjustment has a positive upper bound, then there must be a step adjustment with a null upper bound.
The upper and lower bound can't be null in the same step adjustment.
MetricIntervalLowerBound (float) --The lower bound for the difference between the alarm threshold and the CloudWatch metric. If the metric value is above the breach threshold, the lower bound is inclusive (the metric must be greater than or equal to the threshold plus the lower bound). Otherwise, it is exclusive (the metric must be greater than the threshold plus the lower bound). A null value indicates negative infinity.
MetricIntervalUpperBound (float) --The upper bound for the difference between the alarm threshold and the CloudWatch metric. If the metric value is above the breach threshold, the upper bound is exclusive (the metric must be less than the threshold plus the upper bound). Otherwise, it is inclusive (the metric must be less than or equal to the threshold plus the upper bound). A null value indicates positive infinity.
The upper bound must be greater than the lower bound.
ScalingAdjustment (integer) -- [REQUIRED]The amount by which to scale, based on the specified adjustment type. A positive value adds to the current scalable dimension while a negative number removes from the current scalable dimension.
MinAdjustmentMagnitude (integer) --The minimum number to adjust your scalable dimension as a result of a scaling activity. If the adjustment type is PercentChangeInCapacity , the scaling policy changes the scalable dimension of the scalable target by this amount.
Cooldown (integer) --The amount of time, in seconds, after a scaling activity completes where previous trigger-related scaling activities can influence future scaling events.
For scale out policies, while Cooldown is in effect, the capacity that has been added by the previous scale out event that initiated the Cooldown is calculated as part of the desired capacity for the next scale out. The intention is to continuously (but not excessively) scale out. For example, an alarm triggers a step scaling policy to scale out an Amazon ECS service by 2 tasks, the scaling activity completes successfully, and a Cooldown period of 5 minutes starts. During the Cooldown period, if the alarm triggers the same policy again but at a more aggressive step adjustment to scale out the service by 3 tasks, the 2 tasks that were added in the previous scale out event are considered part of that capacity and only 1 additional task is added to the desired count.
For scale in policies, the Cooldown period is used to block subsequent scale in requests until it has expired. The intention is to scale in conservatively to protect your application's availability. However, if another alarm triggers a scale out policy during the Cooldown period after a scale-in, Application Auto Scaling scales out your scalable target immediately.
MetricAggregationType (string) --The aggregation type for the CloudWatch metrics. Valid values are Minimum , Maximum , and Average .
:rtype: dict
:return: {
'PolicyARN': 'string'
}
"""
pass
def register_scalable_target(ServiceNamespace=None, ResourceId=None, ScalableDimension=None, MinCapacity=None, MaxCapacity=None, RoleARN=None):
"""
Registers or updates a scalable target. A scalable target is a resource that Application Auto Scaling can scale out or scale in. After you have registered a scalable target, you can use this operation to update the minimum and maximum values for your scalable dimension.
After you register a scalable target, you can create and apply scaling policies using PutScalingPolicy . You can view the scaling policies for a service namespace using DescribeScalableTargets . If you are no longer using a scalable target, you can deregister it using DeregisterScalableTarget .
See also: AWS API Documentation
Examples
This example registers a scalable target from an Amazon ECS service called web-app that is running on the default cluster, with a minimum desired count of 1 task and a maximum desired count of 10 tasks.
Expected Output:
This example registers a scalable target from an Amazon EC2 Spot fleet with a minimum target capacity of 1 and a maximum of 10.
Expected Output:
:example: response = client.register_scalable_target(
ServiceNamespace='ecs'|'elasticmapreduce'|'ec2'|'appstream',
ResourceId='string',
ScalableDimension='ecs:service:DesiredCount'|'ec2:spot-fleet-request:TargetCapacity'|'elasticmapreduce:instancegroup:InstanceCount'|'appstream:fleet:DesiredCapacity',
MinCapacity=123,
MaxCapacity=123,
RoleARN='string'
)
:type ServiceNamespace: string
:param ServiceNamespace: [REQUIRED]
The namespace of the AWS service. For more information, see AWS Service Namespaces in the Amazon Web Services General Reference .
:type ResourceId: string
:param ResourceId: [REQUIRED]
The identifier of the resource associated with the scalable target. This string consists of the resource type and unique identifier.
ECS service - The resource type is service and the unique identifier is the cluster name and service name. Example: service/default/sample-webapp .
Spot fleet request - The resource type is spot-fleet-request and the unique identifier is the Spot fleet request ID. Example: spot-fleet-request/sfr-73fbd2ce-aa30-494c-8788-1cee4EXAMPLE .
EMR cluster - The resource type is instancegroup and the unique identifier is the cluster ID and instance group ID. Example: instancegroup/j-2EEZNYKUA1NTV/ig-1791Y4E1L8YI0 .
AppStream 2.0 fleet - The resource type is fleet and the unique identifier is the fleet name. Example: fleet/sample-fleet .
:type ScalableDimension: string
:param ScalableDimension: [REQUIRED]
The scalable dimension associated with the scalable target. This string consists of the service namespace, resource type, and scaling property.
ecs:service:DesiredCount - The desired task count of an ECS service.
ec2:spot-fleet-request:TargetCapacity - The target capacity of a Spot fleet request.
elasticmapreduce:instancegroup:InstanceCount - The instance count of an EMR Instance Group.
appstream:fleet:DesiredCapacity - The desired capacity of an AppStream 2.0 fleet.
:type MinCapacity: integer
:param MinCapacity: The minimum value to scale to in response to a scale in event. This parameter is required if you are registering a scalable target and optional if you are updating one.
:type MaxCapacity: integer
:param MaxCapacity: The maximum value to scale to in response to a scale out event. This parameter is required if you are registering a scalable target and optional if you are updating one.
:type RoleARN: string
:param RoleARN: The ARN of an IAM role that allows Application Auto Scaling to modify the scalable target on your behalf. This parameter is required when you register a scalable target and optional when you update one.
:rtype: dict
:return: {}
:returns:
(dict) --
"""
pass |
n = int(input('n: '))
soma = 0
cont = 0
while cont < n:
numeros = int(input('numero: '))
soma += numeros
cont += 1
media = soma / n
print('soma e igual: {}, e a media: {:.2f}'.format(soma, media))
| n = int(input('n: '))
soma = 0
cont = 0
while cont < n:
numeros = int(input('numero: '))
soma += numeros
cont += 1
media = soma / n
print('soma e igual: {}, e a media: {:.2f}'.format(soma, media)) |
'''
MIT License
Copyright (c) 2019 lewis he
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
SOFTWARE.
axp20x.py - MicroPython library for X-Power AXP202 chip.
Created by Lewis he on June 24, 2019.
github:https://github.com/lewisxhe/AXP202X_Libraries
'''
# Chip Address
AXP202_SLAVE_ADDRESS = 0x35
AXP192_SLAVE_ADDRESS = 0x34
# Chip ID
AXP202_CHIP_ID = 0x41
AXP192_CHIP_ID = 0x03
# REG MAP
AXP202_STATUS = 0x00
AXP202_MODE_CHGSTATUS = 0x01
AXP202_OTG_STATUS = 0x02
AXP202_IC_TYPE = 0x03
AXP202_DATA_BUFFER1 = 0x04
AXP202_DATA_BUFFER2 = 0x05
AXP202_DATA_BUFFER3 = 0x06
AXP202_DATA_BUFFER4 = 0x07
AXP202_DATA_BUFFER5 = 0x08
AXP202_DATA_BUFFER6 = 0x09
AXP202_DATA_BUFFER7 = 0x0A
AXP202_DATA_BUFFER8 = 0x0B
AXP202_DATA_BUFFER9 = 0x0C
AXP202_DATA_BUFFERA = 0x0D
AXP202_DATA_BUFFERB = 0x0E
AXP202_DATA_BUFFERC = 0x0F
AXP202_LDO234_DC23_CTL = 0x12
AXP202_DC2OUT_VOL = 0x23
AXP202_LDO3_DC2_DVM = 0x25
AXP202_DC3OUT_VOL = 0x27
AXP202_LDO24OUT_VOL = 0x28
AXP202_LDO3OUT_VOL = 0x29
AXP202_IPS_SET = 0x30
AXP202_VOFF_SET = 0x31
AXP202_OFF_CTL = 0x32
AXP202_CHARGE1 = 0x33
AXP202_CHARGE2 = 0x34
AXP202_BACKUP_CHG = 0x35
AXP202_POK_SET = 0x36
AXP202_DCDC_FREQSET = 0x37
AXP202_VLTF_CHGSET = 0x38
AXP202_VHTF_CHGSET = 0x39
AXP202_APS_WARNING1 = 0x3A
AXP202_APS_WARNING2 = 0x3B
AXP202_TLTF_DISCHGSET = 0x3C
AXP202_THTF_DISCHGSET = 0x3D
AXP202_DCDC_MODESET = 0x80
AXP202_ADC_EN1 = 0x82
AXP202_ADC_EN2 = 0x83
AXP202_ADC_SPEED = 0x84
AXP202_ADC_INPUTRANGE = 0x85
AXP202_ADC_IRQ_RETFSET = 0x86
AXP202_ADC_IRQ_FETFSET = 0x87
AXP202_TIMER_CTL = 0x8A
AXP202_VBUS_DET_SRP = 0x8B
AXP202_HOTOVER_CTL = 0x8F
AXP202_GPIO0_CTL = 0x90
AXP202_GPIO0_VOL = 0x91
AXP202_GPIO1_CTL = 0x92
AXP202_GPIO2_CTL = 0x93
AXP202_GPIO012_SIGNAL = 0x94
AXP202_GPIO3_CTL = 0x95
AXP202_INTEN1 = 0x40
AXP202_INTEN2 = 0x41
AXP202_INTEN3 = 0x42
AXP202_INTEN4 = 0x43
AXP202_INTEN5 = 0x44
AXP202_INTSTS1 = 0x48
AXP202_INTSTS2 = 0x49
AXP202_INTSTS3 = 0x4A
AXP202_INTSTS4 = 0x4B
AXP202_INTSTS5 = 0x4C
# Irq control register
AXP192_INTEN1 = 0x40
AXP192_INTEN2 = 0x41
AXP192_INTEN3 = 0x42
AXP192_INTEN4 = 0x43
AXP192_INTEN5 = 0x4A
# Irq status register
AXP192_INTSTS1 = 0x44
AXP192_INTSTS2 = 0x45
AXP192_INTSTS3 = 0x46
AXP192_INTSTS4 = 0x47
AXP192_INTSTS5 = 0x4D
AXP192_LDO23OUT_VOL = 0x28
AXP192_DC1_VLOTAGE = 0x26
# axp 20 adc data register
AXP202_BAT_AVERVOL_H8 = 0x78
AXP202_BAT_AVERVOL_L4 = 0x79
AXP202_BAT_AVERCHGCUR_H8 = 0x7A
AXP202_BAT_AVERCHGCUR_L4 = 0x7B
AXP202_BAT_VOL_H8 = 0x50
AXP202_BAT_VOL_L4 = 0x51
AXP202_ACIN_VOL_H8 = 0x56
AXP202_ACIN_VOL_L4 = 0x57
AXP202_ACIN_CUR_H8 = 0x58
AXP202_ACIN_CUR_L4 = 0x59
AXP202_VBUS_VOL_H8 = 0x5A
AXP202_VBUS_VOL_L4 = 0x5B
AXP202_VBUS_CUR_H8 = 0x5C
AXP202_VBUS_CUR_L4 = 0x5D
AXP202_INTERNAL_TEMP_H8 = 0x5E
AXP202_INTERNAL_TEMP_L4 = 0x5F
AXP202_TS_IN_H8 = 0x62
AXP202_TS_IN_L4 = 0x63
AXP202_GPIO0_VOL_ADC_H8 = 0x64
AXP202_GPIO0_VOL_ADC_L4 = 0x65
AXP202_GPIO1_VOL_ADC_H8 = 0x66
AXP202_GPIO1_VOL_ADC_L4 = 0x67
AXP202_BAT_AVERDISCHGCUR_H8 = 0x7C
AXP202_BAT_AVERDISCHGCUR_L5 = 0x7D
AXP202_APS_AVERVOL_H8 = 0x7E
AXP202_APS_AVERVOL_L4 = 0x7F
AXP202_INT_BAT_CHGCUR_H8 = 0xA0
AXP202_INT_BAT_CHGCUR_L4 = 0xA1
AXP202_EXT_BAT_CHGCUR_H8 = 0xA2
AXP202_EXT_BAT_CHGCUR_L4 = 0xA3
AXP202_INT_BAT_DISCHGCUR_H8 = 0xA4
AXP202_INT_BAT_DISCHGCUR_L4 = 0xA5
AXP202_EXT_BAT_DISCHGCUR_H8 = 0xA6
AXP202_EXT_BAT_DISCHGCUR_L4 = 0xA7
AXP202_BAT_CHGCOULOMB3 = 0xB0
AXP202_BAT_CHGCOULOMB2 = 0xB1
AXP202_BAT_CHGCOULOMB1 = 0xB2
AXP202_BAT_CHGCOULOMB0 = 0xB3
AXP202_BAT_DISCHGCOULOMB3 = 0xB4
AXP202_BAT_DISCHGCOULOMB2 = 0xB5
AXP202_BAT_DISCHGCOULOMB1 = 0xB6
AXP202_BAT_DISCHGCOULOMB0 = 0xB7
AXP202_COULOMB_CTL = 0xB8
AXP202_BAT_POWERH8 = 0x70
AXP202_BAT_POWERM8 = 0x71
AXP202_BAT_POWERL8 = 0x72
AXP202_VREF_TEM_CTRL = 0xF3
AXP202_BATT_PERCENTAGE = 0xB9
# AXP202 bit definitions for AXP events irq event
AXP202_IRQ_USBLO = 1
AXP202_IRQ_USBRE = 2
AXP202_IRQ_USBIN = 3
AXP202_IRQ_USBOV = 4
AXP202_IRQ_ACRE = 5
AXP202_IRQ_ACIN = 6
AXP202_IRQ_ACOV = 7
AXP202_IRQ_TEMLO = 8
AXP202_IRQ_TEMOV = 9
AXP202_IRQ_CHAOV = 10
AXP202_IRQ_CHAST = 11
AXP202_IRQ_BATATOU = 12
AXP202_IRQ_BATATIN = 13
AXP202_IRQ_BATRE = 14
AXP202_IRQ_BATIN = 15
AXP202_IRQ_POKLO = 16
AXP202_IRQ_POKSH = 17
AXP202_IRQ_LDO3LO = 18
AXP202_IRQ_DCDC3LO = 19
AXP202_IRQ_DCDC2LO = 20
AXP202_IRQ_CHACURLO = 22
AXP202_IRQ_ICTEMOV = 23
AXP202_IRQ_EXTLOWARN2 = 24
AXP202_IRQ_EXTLOWARN1 = 25
AXP202_IRQ_SESSION_END = 26
AXP202_IRQ_SESS_AB_VALID = 27
AXP202_IRQ_VBUS_UN_VALID = 28
AXP202_IRQ_VBUS_VALID = 29
AXP202_IRQ_PDOWN_BY_NOE = 30
AXP202_IRQ_PUP_BY_NOE = 31
AXP202_IRQ_GPIO0TG = 32
AXP202_IRQ_GPIO1TG = 33
AXP202_IRQ_GPIO2TG = 34
AXP202_IRQ_GPIO3TG = 35
AXP202_IRQ_PEKFE = 37
AXP202_IRQ_PEKRE = 38
AXP202_IRQ_TIMER = 39
# Signal Capture
AXP202_BATT_VOLTAGE_STEP = 1.1
AXP202_BATT_DISCHARGE_CUR_STEP = 0.5
AXP202_BATT_CHARGE_CUR_STEP = 0.5
AXP202_ACIN_VOLTAGE_STEP = 1.7
AXP202_ACIN_CUR_STEP = 0.625
AXP202_VBUS_VOLTAGE_STEP = 1.7
AXP202_VBUS_CUR_STEP = 0.375
AXP202_INTENAL_TEMP_STEP = 0.1
AXP202_APS_VOLTAGE_STEP = 1.4
AXP202_TS_PIN_OUT_STEP = 0.8
AXP202_GPIO0_STEP = 0.5
AXP202_GPIO1_STEP = 0.5
# axp202 power channel
AXP202_EXTEN = 0
AXP202_DCDC3 = 1
AXP202_LDO2 = 2
AXP202_LDO4 = 3
AXP202_DCDC2 = 4
AXP202_LDO3 = 6
# axp192 power channel
AXP192_DCDC1 = 0
AXP192_DCDC3 = 1
AXP192_LDO2 = 2
AXP192_LDO3 = 3
AXP192_DCDC2 = 4
AXP192_EXTEN = 6
# AXP202 ADC channel
AXP202_ADC1 = 1
AXP202_ADC2 = 2
# axp202 adc1 args
AXP202_BATT_VOL_ADC1 = 7
AXP202_BATT_CUR_ADC1 = 6
AXP202_ACIN_VOL_ADC1 = 5
AXP202_ACIN_CUR_ADC1 = 4
AXP202_VBUS_VOL_ADC1 = 3
AXP202_VBUS_CUR_ADC1 = 2
AXP202_APS_VOL_ADC1 = 1
AXP202_TS_PIN_ADC1 = 0
# axp202 adc2 args
AXP202_TEMP_MONITORING_ADC2 = 7
AXP202_GPIO1_FUNC_ADC2 = 3
AXP202_GPIO0_FUNC_ADC2 = 2
# AXP202 IRQ1
AXP202_VBUS_VHOLD_LOW_IRQ = 1 << 1
AXP202_VBUS_REMOVED_IRQ = 1 << 2
AXP202_VBUS_CONNECT_IRQ = 1 << 3
AXP202_VBUS_OVER_VOL_IRQ = 1 << 4
AXP202_ACIN_REMOVED_IRQ = 1 << 5
AXP202_ACIN_CONNECT_IRQ = 1 << 6
AXP202_ACIN_OVER_VOL_IRQ = 1 << 7
# AXP202 IRQ2
AXP202_BATT_LOW_TEMP_IRQ = 1 << 8
AXP202_BATT_OVER_TEMP_IRQ = 1 << 9
AXP202_CHARGING_FINISHED_IRQ = 1 << 10
AXP202_CHARGING_IRQ = 1 << 11
AXP202_BATT_EXIT_ACTIVATE_IRQ = 1 << 12
AXP202_BATT_ACTIVATE_IRQ = 1 << 13
AXP202_BATT_REMOVED_IRQ = 1 << 14
AXP202_BATT_CONNECT_IRQ = 1 << 15
# AXP202 IRQ3
AXP202_PEK_LONGPRESS_IRQ = 1 << 16
AXP202_PEK_SHORTPRESS_IRQ = 1 << 17
AXP202_LDO3_LOW_VOL_IRQ = 1 << 18
AXP202_DC3_LOW_VOL_IRQ = 1 << 19
AXP202_DC2_LOW_VOL_IRQ = 1 << 20
AXP202_CHARGE_LOW_CUR_IRQ = 1 << 21
AXP202_CHIP_TEMP_HIGH_IRQ = 1 << 22
# AXP202 IRQ4
AXP202_APS_LOW_VOL_LEVEL2_IRQ = 1 << 24
APX202_APS_LOW_VOL_LEVEL1_IRQ = 1 << 25
AXP202_VBUS_SESSION_END_IRQ = 1 << 26
AXP202_VBUS_SESSION_AB_IRQ = 1 << 27
AXP202_VBUS_INVALID_IRQ = 1 << 28
AXP202_VBUS_VAILD_IRQ = 1 << 29
AXP202_NOE_OFF_IRQ = 1 << 30
AXP202_NOE_ON_IRQ = 1 << 31
# AXP202 IRQ5
AXP202_GPIO0_EDGE_TRIGGER_IRQ = 1 << 32
AXP202_GPIO1_EDGE_TRIGGER_IRQ = 1 << 33
AXP202_GPIO2_EDGE_TRIGGER_IRQ = 1 << 34
AXP202_GPIO3_EDGE_TRIGGER_IRQ = 1 << 35
# Reserved and unchangeable BIT 4
AXP202_PEK_FALLING_EDGE_IRQ = 1 << 37
AXP202_PEK_RISING_EDGE_IRQ = 1 << 38
AXP202_TIMER_TIMEOUT_IRQ = 1 << 39
AXP202_ALL_IRQ = 0xFFFFFFFFFF
# AXP202 LDO3 Mode
AXP202_LDO3_LDO_MODE = 0
AXP202_LDO3_DCIN_MODE = 1
# AXP202 LDO4 voltage setting args
AXP202_LDO4_1250MV = 0
AXP202_LDO4_1300MV = 1
AXP202_LDO4_1400MV = 2
AXP202_LDO4_1500MV = 3
AXP202_LDO4_1600MV = 4
AXP202_LDO4_1700MV = 5
AXP202_LDO4_1800MV = 6
AXP202_LDO4_1900MV = 7
AXP202_LDO4_2000MV = 8
AXP202_LDO4_2500MV = 9
AXP202_LDO4_2700MV = 10
AXP202_LDO4_2800MV = 11
AXP202_LDO4_3000MV = 12
AXP202_LDO4_3100MV = 13
AXP202_LDO4_3200MV = 14
AXP202_LDO4_3300MV = 15
# Boot time setting
AXP202_STARTUP_TIME_128MS = 0
AXP202_STARTUP_TIME_3S = 1
AXP202_STARTUP_TIME_1S = 2
AXP202_STARTUP_TIME_2S = 3
# Long button time setting
AXP202_LONGPRESS_TIME_1S = 0
AXP202_LONGPRESS_TIME_1S5 = 1
AXP202_LONGPRESS_TIME_2S = 2
AXP202_LONGPRESS_TIME_2S5 = 3
# Shutdown duration setting
AXP202_SHUTDOWN_TIME_4S = 0
AXP202_SHUTDOWN_TIME_6S = 1
AXP202_SHUTDOWN_TIME_8S = 2
AXP202_SHUTDOWN_TIME_10S = 3
# REG 33H: Charging control 1 Charging target-voltage setting
AXP202_TARGET_VOL_4_1V = 0
AXP202_TARGET_VOL_4_15V = 1
AXP202_TARGET_VOL_4_2V = 2
AXP202_TARGET_VOL_4_36V = 3
# AXP202 LED CONTROL
AXP20X_LED_OFF = 0
AXP20X_LED_BLINK_1HZ = 1
AXP20X_LED_BLINK_4HZ = 2
AXP20X_LED_LOW_LEVEL = 3
AXP202_LDO5_1800MV = 0
AXP202_LDO5_2500MV = 1
AXP202_LDO5_2800MV = 2
AXP202_LDO5_3000MV = 3
AXP202_LDO5_3100MV = 4
AXP202_LDO5_3300MV = 5
AXP202_LDO5_3400MV = 6
AXP202_LDO5_3500MV = 7
# LDO3 OUTPUT MODE
AXP202_LDO3_MODE_LDO = 0
AXP202_LDO3_MODE_DCIN = 1
AXP_POWER_OFF_TIME_4S = 0
AXP_POWER_OFF_TIME_65 = 1
AXP_POWER_OFF_TIME_8S = 2
AXP_POWER_OFF_TIME_16S = 3
AXP_LONGPRESS_TIME_1S = 0
AXP_LONGPRESS_TIME_1S5 = 1
AXP_LONGPRESS_TIME_2S = 2
AXP_LONGPRESS_TIME_2S5 = 3
AXP192_STARTUP_TIME_128MS = 0
AXP192_STARTUP_TIME_512MS = 1
AXP192_STARTUP_TIME_1S = 2
AXP192_STARTUP_TIME_2S = 3
AXP202_STARTUP_TIME_128MS = 0
AXP202_STARTUP_TIME_3S = 1
AXP202_STARTUP_TIME_1S = 2
AXP202_STARTUP_TIME_2S = 3
| """
MIT License
Copyright (c) 2019 lewis he
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
SOFTWARE.
axp20x.py - MicroPython library for X-Power AXP202 chip.
Created by Lewis he on June 24, 2019.
github:https://github.com/lewisxhe/AXP202X_Libraries
"""
axp202_slave_address = 53
axp192_slave_address = 52
axp202_chip_id = 65
axp192_chip_id = 3
axp202_status = 0
axp202_mode_chgstatus = 1
axp202_otg_status = 2
axp202_ic_type = 3
axp202_data_buffer1 = 4
axp202_data_buffer2 = 5
axp202_data_buffer3 = 6
axp202_data_buffer4 = 7
axp202_data_buffer5 = 8
axp202_data_buffer6 = 9
axp202_data_buffer7 = 10
axp202_data_buffer8 = 11
axp202_data_buffer9 = 12
axp202_data_buffera = 13
axp202_data_bufferb = 14
axp202_data_bufferc = 15
axp202_ldo234_dc23_ctl = 18
axp202_dc2_out_vol = 35
axp202_ldo3_dc2_dvm = 37
axp202_dc3_out_vol = 39
axp202_ldo24_out_vol = 40
axp202_ldo3_out_vol = 41
axp202_ips_set = 48
axp202_voff_set = 49
axp202_off_ctl = 50
axp202_charge1 = 51
axp202_charge2 = 52
axp202_backup_chg = 53
axp202_pok_set = 54
axp202_dcdc_freqset = 55
axp202_vltf_chgset = 56
axp202_vhtf_chgset = 57
axp202_aps_warning1 = 58
axp202_aps_warning2 = 59
axp202_tltf_dischgset = 60
axp202_thtf_dischgset = 61
axp202_dcdc_modeset = 128
axp202_adc_en1 = 130
axp202_adc_en2 = 131
axp202_adc_speed = 132
axp202_adc_inputrange = 133
axp202_adc_irq_retfset = 134
axp202_adc_irq_fetfset = 135
axp202_timer_ctl = 138
axp202_vbus_det_srp = 139
axp202_hotover_ctl = 143
axp202_gpio0_ctl = 144
axp202_gpio0_vol = 145
axp202_gpio1_ctl = 146
axp202_gpio2_ctl = 147
axp202_gpio012_signal = 148
axp202_gpio3_ctl = 149
axp202_inten1 = 64
axp202_inten2 = 65
axp202_inten3 = 66
axp202_inten4 = 67
axp202_inten5 = 68
axp202_intsts1 = 72
axp202_intsts2 = 73
axp202_intsts3 = 74
axp202_intsts4 = 75
axp202_intsts5 = 76
axp192_inten1 = 64
axp192_inten2 = 65
axp192_inten3 = 66
axp192_inten4 = 67
axp192_inten5 = 74
axp192_intsts1 = 68
axp192_intsts2 = 69
axp192_intsts3 = 70
axp192_intsts4 = 71
axp192_intsts5 = 77
axp192_ldo23_out_vol = 40
axp192_dc1_vlotage = 38
axp202_bat_avervol_h8 = 120
axp202_bat_avervol_l4 = 121
axp202_bat_averchgcur_h8 = 122
axp202_bat_averchgcur_l4 = 123
axp202_bat_vol_h8 = 80
axp202_bat_vol_l4 = 81
axp202_acin_vol_h8 = 86
axp202_acin_vol_l4 = 87
axp202_acin_cur_h8 = 88
axp202_acin_cur_l4 = 89
axp202_vbus_vol_h8 = 90
axp202_vbus_vol_l4 = 91
axp202_vbus_cur_h8 = 92
axp202_vbus_cur_l4 = 93
axp202_internal_temp_h8 = 94
axp202_internal_temp_l4 = 95
axp202_ts_in_h8 = 98
axp202_ts_in_l4 = 99
axp202_gpio0_vol_adc_h8 = 100
axp202_gpio0_vol_adc_l4 = 101
axp202_gpio1_vol_adc_h8 = 102
axp202_gpio1_vol_adc_l4 = 103
axp202_bat_averdischgcur_h8 = 124
axp202_bat_averdischgcur_l5 = 125
axp202_aps_avervol_h8 = 126
axp202_aps_avervol_l4 = 127
axp202_int_bat_chgcur_h8 = 160
axp202_int_bat_chgcur_l4 = 161
axp202_ext_bat_chgcur_h8 = 162
axp202_ext_bat_chgcur_l4 = 163
axp202_int_bat_dischgcur_h8 = 164
axp202_int_bat_dischgcur_l4 = 165
axp202_ext_bat_dischgcur_h8 = 166
axp202_ext_bat_dischgcur_l4 = 167
axp202_bat_chgcoulomb3 = 176
axp202_bat_chgcoulomb2 = 177
axp202_bat_chgcoulomb1 = 178
axp202_bat_chgcoulomb0 = 179
axp202_bat_dischgcoulomb3 = 180
axp202_bat_dischgcoulomb2 = 181
axp202_bat_dischgcoulomb1 = 182
axp202_bat_dischgcoulomb0 = 183
axp202_coulomb_ctl = 184
axp202_bat_powerh8 = 112
axp202_bat_powerm8 = 113
axp202_bat_powerl8 = 114
axp202_vref_tem_ctrl = 243
axp202_batt_percentage = 185
axp202_irq_usblo = 1
axp202_irq_usbre = 2
axp202_irq_usbin = 3
axp202_irq_usbov = 4
axp202_irq_acre = 5
axp202_irq_acin = 6
axp202_irq_acov = 7
axp202_irq_temlo = 8
axp202_irq_temov = 9
axp202_irq_chaov = 10
axp202_irq_chast = 11
axp202_irq_batatou = 12
axp202_irq_batatin = 13
axp202_irq_batre = 14
axp202_irq_batin = 15
axp202_irq_poklo = 16
axp202_irq_poksh = 17
axp202_irq_ldo3_lo = 18
axp202_irq_dcdc3_lo = 19
axp202_irq_dcdc2_lo = 20
axp202_irq_chacurlo = 22
axp202_irq_ictemov = 23
axp202_irq_extlowarn2 = 24
axp202_irq_extlowarn1 = 25
axp202_irq_session_end = 26
axp202_irq_sess_ab_valid = 27
axp202_irq_vbus_un_valid = 28
axp202_irq_vbus_valid = 29
axp202_irq_pdown_by_noe = 30
axp202_irq_pup_by_noe = 31
axp202_irq_gpio0_tg = 32
axp202_irq_gpio1_tg = 33
axp202_irq_gpio2_tg = 34
axp202_irq_gpio3_tg = 35
axp202_irq_pekfe = 37
axp202_irq_pekre = 38
axp202_irq_timer = 39
axp202_batt_voltage_step = 1.1
axp202_batt_discharge_cur_step = 0.5
axp202_batt_charge_cur_step = 0.5
axp202_acin_voltage_step = 1.7
axp202_acin_cur_step = 0.625
axp202_vbus_voltage_step = 1.7
axp202_vbus_cur_step = 0.375
axp202_intenal_temp_step = 0.1
axp202_aps_voltage_step = 1.4
axp202_ts_pin_out_step = 0.8
axp202_gpio0_step = 0.5
axp202_gpio1_step = 0.5
axp202_exten = 0
axp202_dcdc3 = 1
axp202_ldo2 = 2
axp202_ldo4 = 3
axp202_dcdc2 = 4
axp202_ldo3 = 6
axp192_dcdc1 = 0
axp192_dcdc3 = 1
axp192_ldo2 = 2
axp192_ldo3 = 3
axp192_dcdc2 = 4
axp192_exten = 6
axp202_adc1 = 1
axp202_adc2 = 2
axp202_batt_vol_adc1 = 7
axp202_batt_cur_adc1 = 6
axp202_acin_vol_adc1 = 5
axp202_acin_cur_adc1 = 4
axp202_vbus_vol_adc1 = 3
axp202_vbus_cur_adc1 = 2
axp202_aps_vol_adc1 = 1
axp202_ts_pin_adc1 = 0
axp202_temp_monitoring_adc2 = 7
axp202_gpio1_func_adc2 = 3
axp202_gpio0_func_adc2 = 2
axp202_vbus_vhold_low_irq = 1 << 1
axp202_vbus_removed_irq = 1 << 2
axp202_vbus_connect_irq = 1 << 3
axp202_vbus_over_vol_irq = 1 << 4
axp202_acin_removed_irq = 1 << 5
axp202_acin_connect_irq = 1 << 6
axp202_acin_over_vol_irq = 1 << 7
axp202_batt_low_temp_irq = 1 << 8
axp202_batt_over_temp_irq = 1 << 9
axp202_charging_finished_irq = 1 << 10
axp202_charging_irq = 1 << 11
axp202_batt_exit_activate_irq = 1 << 12
axp202_batt_activate_irq = 1 << 13
axp202_batt_removed_irq = 1 << 14
axp202_batt_connect_irq = 1 << 15
axp202_pek_longpress_irq = 1 << 16
axp202_pek_shortpress_irq = 1 << 17
axp202_ldo3_low_vol_irq = 1 << 18
axp202_dc3_low_vol_irq = 1 << 19
axp202_dc2_low_vol_irq = 1 << 20
axp202_charge_low_cur_irq = 1 << 21
axp202_chip_temp_high_irq = 1 << 22
axp202_aps_low_vol_level2_irq = 1 << 24
apx202_aps_low_vol_level1_irq = 1 << 25
axp202_vbus_session_end_irq = 1 << 26
axp202_vbus_session_ab_irq = 1 << 27
axp202_vbus_invalid_irq = 1 << 28
axp202_vbus_vaild_irq = 1 << 29
axp202_noe_off_irq = 1 << 30
axp202_noe_on_irq = 1 << 31
axp202_gpio0_edge_trigger_irq = 1 << 32
axp202_gpio1_edge_trigger_irq = 1 << 33
axp202_gpio2_edge_trigger_irq = 1 << 34
axp202_gpio3_edge_trigger_irq = 1 << 35
axp202_pek_falling_edge_irq = 1 << 37
axp202_pek_rising_edge_irq = 1 << 38
axp202_timer_timeout_irq = 1 << 39
axp202_all_irq = 1099511627775
axp202_ldo3_ldo_mode = 0
axp202_ldo3_dcin_mode = 1
axp202_ldo4_1250_mv = 0
axp202_ldo4_1300_mv = 1
axp202_ldo4_1400_mv = 2
axp202_ldo4_1500_mv = 3
axp202_ldo4_1600_mv = 4
axp202_ldo4_1700_mv = 5
axp202_ldo4_1800_mv = 6
axp202_ldo4_1900_mv = 7
axp202_ldo4_2000_mv = 8
axp202_ldo4_2500_mv = 9
axp202_ldo4_2700_mv = 10
axp202_ldo4_2800_mv = 11
axp202_ldo4_3000_mv = 12
axp202_ldo4_3100_mv = 13
axp202_ldo4_3200_mv = 14
axp202_ldo4_3300_mv = 15
axp202_startup_time_128_ms = 0
axp202_startup_time_3_s = 1
axp202_startup_time_1_s = 2
axp202_startup_time_2_s = 3
axp202_longpress_time_1_s = 0
axp202_longpress_time_1_s5 = 1
axp202_longpress_time_2_s = 2
axp202_longpress_time_2_s5 = 3
axp202_shutdown_time_4_s = 0
axp202_shutdown_time_6_s = 1
axp202_shutdown_time_8_s = 2
axp202_shutdown_time_10_s = 3
axp202_target_vol_4_1_v = 0
axp202_target_vol_4_15_v = 1
axp202_target_vol_4_2_v = 2
axp202_target_vol_4_36_v = 3
axp20_x_led_off = 0
axp20_x_led_blink_1_hz = 1
axp20_x_led_blink_4_hz = 2
axp20_x_led_low_level = 3
axp202_ldo5_1800_mv = 0
axp202_ldo5_2500_mv = 1
axp202_ldo5_2800_mv = 2
axp202_ldo5_3000_mv = 3
axp202_ldo5_3100_mv = 4
axp202_ldo5_3300_mv = 5
axp202_ldo5_3400_mv = 6
axp202_ldo5_3500_mv = 7
axp202_ldo3_mode_ldo = 0
axp202_ldo3_mode_dcin = 1
axp_power_off_time_4_s = 0
axp_power_off_time_65 = 1
axp_power_off_time_8_s = 2
axp_power_off_time_16_s = 3
axp_longpress_time_1_s = 0
axp_longpress_time_1_s5 = 1
axp_longpress_time_2_s = 2
axp_longpress_time_2_s5 = 3
axp192_startup_time_128_ms = 0
axp192_startup_time_512_ms = 1
axp192_startup_time_1_s = 2
axp192_startup_time_2_s = 3
axp202_startup_time_128_ms = 0
axp202_startup_time_3_s = 1
axp202_startup_time_1_s = 2
axp202_startup_time_2_s = 3 |
def format_interval(t):
mins, s = divmod(int(t), 60)
h, m = divmod(mins, 60)
if h:
return '{0:d}:{1:02d}:{2:02d}'.format(h, m, s)
else:
return '{0:02d}:{1:02d}'.format(m, s)
def decode_format_dict(fm):
elapsed_str = format_interval(fm['elapsed'])
remaining = (fm['total'] - fm['n']) / fm['rate'] if fm['rate'] and fm['total'] else 0
remaining_str = format_interval(remaining) if fm['rate'] else '?'
inv_rate = 1 / fm['rate'] if fm['rate'] else None
rate_noinv_str = ('{0:5.2f}'.format(fm['rate']) if fm['rate'] else '?') + 'it/s'
rate_inv_str = ('{0:5.2f}'.format(inv_rate) if inv_rate else '?') + 's/it'
rate_str = rate_inv_str if inv_rate and inv_rate > 1 else rate_noinv_str
ratio = round(fm['n'] / fm['total'] * 100)
return '{:0>3d}%, {}/{}<br>{}<{}, {}'.format(ratio, fm['n'], fm['total'], elapsed_str, remaining_str, rate_str)
| def format_interval(t):
(mins, s) = divmod(int(t), 60)
(h, m) = divmod(mins, 60)
if h:
return '{0:d}:{1:02d}:{2:02d}'.format(h, m, s)
else:
return '{0:02d}:{1:02d}'.format(m, s)
def decode_format_dict(fm):
elapsed_str = format_interval(fm['elapsed'])
remaining = (fm['total'] - fm['n']) / fm['rate'] if fm['rate'] and fm['total'] else 0
remaining_str = format_interval(remaining) if fm['rate'] else '?'
inv_rate = 1 / fm['rate'] if fm['rate'] else None
rate_noinv_str = ('{0:5.2f}'.format(fm['rate']) if fm['rate'] else '?') + 'it/s'
rate_inv_str = ('{0:5.2f}'.format(inv_rate) if inv_rate else '?') + 's/it'
rate_str = rate_inv_str if inv_rate and inv_rate > 1 else rate_noinv_str
ratio = round(fm['n'] / fm['total'] * 100)
return '{:0>3d}%, {}/{}<br>{}<{}, {}'.format(ratio, fm['n'], fm['total'], elapsed_str, remaining_str, rate_str) |
# Initialize search space
# Initialize model
while not objective_reached and not bugdget_exhausted:
# Obtain new hyperparameters
suggestion = GetSuggestions()
# Run trial with new hyperparameters; collect metrics
metrics = RunTrial(suggestion)
# Report metrics
Report(metrics)
| while not objective_reached and (not bugdget_exhausted):
suggestion = get_suggestions()
metrics = run_trial(suggestion)
report(metrics) |
class Solution(object):
def findMissingRanges(self, nums, lower, upper):
"""
:type nums: List[int]
:type lower: int
:type upper: int
:rtype: List[str]
"""
res = []
nums = [lower - 1] + nums + [upper + 1]
nums = nums[::-1]
while nums:
x = nums.pop()
if x > lower + 2:
res.append(str(lower + 1) + '->'+ str(x - 1))
elif x == lower + 2:
res.append(str(lower + 1))
lower = x
return res | class Solution(object):
def find_missing_ranges(self, nums, lower, upper):
"""
:type nums: List[int]
:type lower: int
:type upper: int
:rtype: List[str]
"""
res = []
nums = [lower - 1] + nums + [upper + 1]
nums = nums[::-1]
while nums:
x = nums.pop()
if x > lower + 2:
res.append(str(lower + 1) + '->' + str(x - 1))
elif x == lower + 2:
res.append(str(lower + 1))
lower = x
return res |
# Settings
DEBUG = True
# Setting TESTING to True disables @login_required checks
TESTING = False
CACHE_TYPE = 'simple'
## SQLite Connection
SQLALCHEMY_DATABASE_URI = 'sqlite:///db.sqlite'
# Local PostgreSQL Connection
# SQLALCHEMY_DATABASE_URI = 'postgresql://puser:Password1@localhost/devdb'
SECRET_KEY = 'a9eec0e0-23b7-4788-9a92-318347b9a39a'
SQLALCHEMY_TRACK_MODIFICATIONS = False
# Flask-Mail
MAIL_DEFAULT_SENDER = 'info@flaskproject.us'
MAIL_SERVER = 'smtp.postmarkapp.com'
MAIL_PORT = 25
MAIL_USE_TLS = True
MAIL_USERNAME = 'username'
MAIL_PASSWORD = 'password'
# Flask-Security
SECURITY_CONFIRMABLE = False
SECURITY_CHANGEABLE = True
SECURITY_REGISTERABLE = True
SECURITY_POST_CHANGE_VIEW = '/user'
SECURITY_POST_LOGIN_VIEW = '/main'
SECURITY_POST_LOGOUT_VIEW = '/'
SECURITY_SEND_PASSWORD_CHANGE_EMAIL = False
SECURITY_POST_REGISTER_VIEW = '/main'
SECURITY_SEND_REGISTER_EMAIL = False
SECURITY_TRACKABLE = True
SECURITY_PASSWORD_SALT = 'Some_salt'
# Configure logging
LOGGING_FORMAT = '%(asctime)s - %(name)s - %(levelname)s - %(message)s'
# Flask-APScheduler
JOBS = [
{
'id': 'job1',
'func': 'flaskproject.apsjobs:events_check',
'trigger': 'interval',
'seconds': 30
}
]
SCHEDULER_VIEWS_ENABLED = True
| debug = True
testing = False
cache_type = 'simple'
sqlalchemy_database_uri = 'sqlite:///db.sqlite'
secret_key = 'a9eec0e0-23b7-4788-9a92-318347b9a39a'
sqlalchemy_track_modifications = False
mail_default_sender = 'info@flaskproject.us'
mail_server = 'smtp.postmarkapp.com'
mail_port = 25
mail_use_tls = True
mail_username = 'username'
mail_password = 'password'
security_confirmable = False
security_changeable = True
security_registerable = True
security_post_change_view = '/user'
security_post_login_view = '/main'
security_post_logout_view = '/'
security_send_password_change_email = False
security_post_register_view = '/main'
security_send_register_email = False
security_trackable = True
security_password_salt = 'Some_salt'
logging_format = '%(asctime)s - %(name)s - %(levelname)s - %(message)s'
jobs = [{'id': 'job1', 'func': 'flaskproject.apsjobs:events_check', 'trigger': 'interval', 'seconds': 30}]
scheduler_views_enabled = True |
# OGC GeoTIFF
specURL = "http://docs.opengeospatial.org/is/19-008r4/19-008r4.html"
fout = open("../mappings/19-008r4.csv","w") # output file
fin = open("../specifications/19-008r4.txt","r") # input file
elementList = []
# processing the input file
for line in fin:
tokens = line.split()
for token in tokens:
if token.endswith(","):
token = token.replace(",","")
if "/req/" in token:
elementList.append(token)
if "/conf/" in token:
elementList.append(token)
# Handling duplicates
elementList = list(dict.fromkeys(elementList)) # remove duplicates
elementList.remove("http://www.opengis.net/spec/GeoTIFF/1.1/conf/TIFF.Tags.") # this is also a duplicate that is missed by the previous line because of period at end
# Now we write out the output
for e in elementList:
fout.write(specURL+","+e+"\n")
| spec_url = 'http://docs.opengeospatial.org/is/19-008r4/19-008r4.html'
fout = open('../mappings/19-008r4.csv', 'w')
fin = open('../specifications/19-008r4.txt', 'r')
element_list = []
for line in fin:
tokens = line.split()
for token in tokens:
if token.endswith(','):
token = token.replace(',', '')
if '/req/' in token:
elementList.append(token)
if '/conf/' in token:
elementList.append(token)
element_list = list(dict.fromkeys(elementList))
elementList.remove('http://www.opengis.net/spec/GeoTIFF/1.1/conf/TIFF.Tags.')
for e in elementList:
fout.write(specURL + ',' + e + '\n') |
class Solution(object):
def isValid(self, s):
"""
:type s: str
:rtype: bool
"""
# The stack to keep track of opening brackets.
stack = []
open_par = set(["(", "[", "{"])
# Hash map for keeping track of mappings. This keeps the code very clean.
# Also makes adding more types of parenthesis easier
mapping = {"(": ")", "{" : "}", "[":"]"}
#for every bracket in the expression s
for i in s:
#check if element i belongs to set of open parentheses
#if the character is an open bracket
if i in open_par:
#push it onto the stack
stack.append(i)
#check if list is not empty and there is a close bracket for the open bracket
#pop the topmost element from stack
elif stack and i == mapping[stack[-1]]:
stack.pop()
else:
#otherwise, elements don't match, return false
return False
# In the end, if the stack is empty, then we have a valid expression.
# The stack won't be empty for cases like ((()
#return not stack
return stack == []
| class Solution(object):
def is_valid(self, s):
"""
:type s: str
:rtype: bool
"""
stack = []
open_par = set(['(', '[', '{'])
mapping = {'(': ')', '{': '}', '[': ']'}
for i in s:
if i in open_par:
stack.append(i)
elif stack and i == mapping[stack[-1]]:
stack.pop()
else:
return False
return stack == [] |
STUDENT_CODE_DEFAULT = 'analysis.py,qlearningAgents.py,valueIterationAgents.py'
PROJECT_TEST_CLASSES = 'reinforcementTestClasses.py'
PROJECT_NAME = 'Project 3: Reinforcement learning'
BONUS_PIC = False
| student_code_default = 'analysis.py,qlearningAgents.py,valueIterationAgents.py'
project_test_classes = 'reinforcementTestClasses.py'
project_name = 'Project 3: Reinforcement learning'
bonus_pic = False |
def findLongestWord(s, d):
def isSubsequence(x):
iterator_of_s = iter(s)#all chars of s
return all(c in iterator_of_s for c in x)
return max(sorted(filter(isSubsequence, d)) + [''], key=len)
if __name__ == "__main__":
s = "abpcplea"
d = ["ale","apple","monkey","plea"]
print(findLongestWord(s, d))
x = "ale"
iterator_of_s = iter(s)
print(iterator_of_s)
chars_of_x = [c for c in x]
print(chars_of_x)
chars_of_x_in_s = [c in iterator_of_s for c in x]
print(chars_of_x_in_s)
print(all(c in iterator_of_s for c in x))
print(all(chars_of_x_in_s)) | def find_longest_word(s, d):
def is_subsequence(x):
iterator_of_s = iter(s)
return all((c in iterator_of_s for c in x))
return max(sorted(filter(isSubsequence, d)) + [''], key=len)
if __name__ == '__main__':
s = 'abpcplea'
d = ['ale', 'apple', 'monkey', 'plea']
print(find_longest_word(s, d))
x = 'ale'
iterator_of_s = iter(s)
print(iterator_of_s)
chars_of_x = [c for c in x]
print(chars_of_x)
chars_of_x_in_s = [c in iterator_of_s for c in x]
print(chars_of_x_in_s)
print(all((c in iterator_of_s for c in x)))
print(all(chars_of_x_in_s)) |
class Config:
'''
General configuration parent class
'''
pass
class ProdConfig(Config):
'''
Production configuration child class
Args:
config:The parent configuration class
with general configuration settings
'''
pass
class DevConfig(Config):
'''
Development configuration child class
Args:
Config:The parent configuration class with General configuration
settings.
'''
DEBUG = True | class Config:
"""
General configuration parent class
"""
pass
class Prodconfig(Config):
"""
Production configuration child class
Args:
config:The parent configuration class
with general configuration settings
"""
pass
class Devconfig(Config):
"""
Development configuration child class
Args:
Config:The parent configuration class with General configuration
settings.
"""
debug = True |
## Just to use the same value of a variable in more than just one file;
## That way, will only need to change value here
SIZE = 600 # Size of game board, in pixels
ROWS = 20 # How many rows the playable game will have
DELAY = 50 # Delay time for the game execution, in milliseconds
TICK = 10 # Essentially, it's how many frames per second the game will update
| size = 600
rows = 20
delay = 50
tick = 10 |
def sanitize(string):
newString = ""
flag = False
for letter in string:
if letter == '@':
flag = True
elif letter == ' ':
flag = False
if flag:
continue
else:
if letter != ' ':
newString += letter
return newString.strip()
def readGrammer(fileName):
noneTerminals = list()
terminals = list()
startSymbol = ""
rules = dict()
with open(fileName) as inputFile:
index = 1
lines = inputFile.readlines()
for line in lines:
if index == 1:
for noneTerminal in line.strip().split(','):
if(len(noneTerminal) > 1):
raise NameError('none terminal can not be more than 1 chars.')
if noneTerminal in noneTerminals:
raise NameError(f'none terminal {noneTerminal}is repeated!')
noneTerminals.append(noneTerminal.upper())
index += 1
elif index == 2:
for terminal in line.strip().split(','):
terminals.append(terminal.lower())
index += 1
elif index == 3:
char = line.strip()
if len(char) > 1:
raise NameError(f'Start symbol can not be greater than one char!')
if char not in noneTerminals:
raise NameError(f'Start symbol is not in noneTerminals!')
startSymbol = char
index += 1
else:
left, right = line.strip().split('->')
left = left.strip()
right = right.strip()
if left.islower():
raise NameError(f'{left} can not be lowercase!')
if left not in noneTerminals:
raise NameError(f'{left} is not in none terminals!')
newRight = sanitize(right).strip()
word = ""
for letter in newRight:
if letter == ' ' or letter == '~':
continue
if letter.isupper():
if word:
if word not in terminals:
raise NameError(f'{word} is not in terminals!')
word = ""
if letter not in noneTerminals:
raise NameError(f'{letter} is not in none terminals!')
else:
word += letter
if word:
if word not in terminals:
raise NameError(f'{word} is not in terminals!')
#left -> right {}
if left in rules:
rules[left].append(right)
else:
rules[left] = [right]
return (noneTerminals, terminals, startSymbol, rules)
def readInput(fileName):
with open(fileName) as inputFile:
return inputFile.readline().strip() | def sanitize(string):
new_string = ''
flag = False
for letter in string:
if letter == '@':
flag = True
elif letter == ' ':
flag = False
if flag:
continue
elif letter != ' ':
new_string += letter
return newString.strip()
def read_grammer(fileName):
none_terminals = list()
terminals = list()
start_symbol = ''
rules = dict()
with open(fileName) as input_file:
index = 1
lines = inputFile.readlines()
for line in lines:
if index == 1:
for none_terminal in line.strip().split(','):
if len(noneTerminal) > 1:
raise name_error('none terminal can not be more than 1 chars.')
if noneTerminal in noneTerminals:
raise name_error(f'none terminal {noneTerminal}is repeated!')
noneTerminals.append(noneTerminal.upper())
index += 1
elif index == 2:
for terminal in line.strip().split(','):
terminals.append(terminal.lower())
index += 1
elif index == 3:
char = line.strip()
if len(char) > 1:
raise name_error(f'Start symbol can not be greater than one char!')
if char not in noneTerminals:
raise name_error(f'Start symbol is not in noneTerminals!')
start_symbol = char
index += 1
else:
(left, right) = line.strip().split('->')
left = left.strip()
right = right.strip()
if left.islower():
raise name_error(f'{left} can not be lowercase!')
if left not in noneTerminals:
raise name_error(f'{left} is not in none terminals!')
new_right = sanitize(right).strip()
word = ''
for letter in newRight:
if letter == ' ' or letter == '~':
continue
if letter.isupper():
if word:
if word not in terminals:
raise name_error(f'{word} is not in terminals!')
word = ''
if letter not in noneTerminals:
raise name_error(f'{letter} is not in none terminals!')
else:
word += letter
if word:
if word not in terminals:
raise name_error(f'{word} is not in terminals!')
if left in rules:
rules[left].append(right)
else:
rules[left] = [right]
return (noneTerminals, terminals, startSymbol, rules)
def read_input(fileName):
with open(fileName) as input_file:
return inputFile.readline().strip() |
# -*- coding: utf-8 -*-
"""
**Gen_Pnf_With__int__.py**
- Copyright (c) 2019, KNC Solutions Private Limited.
- License: 'Apache License, Version 2.0'.
- version: 1.0.0
""" | """
**Gen_Pnf_With__int__.py**
- Copyright (c) 2019, KNC Solutions Private Limited.
- License: 'Apache License, Version 2.0'.
- version: 1.0.0
""" |
class Solution:
def countElements(self, arr: List[int]) -> int:
table = set(arr)
return sum(x + 1 in table for x in arr)
| class Solution:
def count_elements(self, arr: List[int]) -> int:
table = set(arr)
return sum((x + 1 in table for x in arr)) |
if __name__ == "__main__":
# Initialization
haystack = "Hello, Budgie!"
print(haystack)
# Concatenation
joined = "It is -> " + haystack + " <- It was"
print(joined)
# Characters
text = "abc"
first = text[0]
print("{0}'s first character is {1}.".format(text, first))
# Searching
needle = "Budgie"
firstIndexOf = haystack.find(needle)
secondIndexOf = haystack.find(needle, firstIndexOf + len(needle))
# Results
print("Found a first result at: {0}.".format(firstIndexOf))
if secondIndexOf != -1:
print("Found a second result at: {0}.".format(secondIndexOf))
| if __name__ == '__main__':
haystack = 'Hello, Budgie!'
print(haystack)
joined = 'It is -> ' + haystack + ' <- It was'
print(joined)
text = 'abc'
first = text[0]
print("{0}'s first character is {1}.".format(text, first))
needle = 'Budgie'
first_index_of = haystack.find(needle)
second_index_of = haystack.find(needle, firstIndexOf + len(needle))
print('Found a first result at: {0}.'.format(firstIndexOf))
if secondIndexOf != -1:
print('Found a second result at: {0}.'.format(secondIndexOf)) |
# Definition for a binary tree node.
# class TreeNode(object):
# def __init__(self, val=0, left=None, right=None):
# self.val = val
# self.left = left
# self.right = right
class Solution(object):
def levelOrder(self, root):
"""
:type root: TreeNode
:rtype: List[List[int]]
"""
if root is None: return []
q = [[root]]
for level in q:
record = []
for node in level:
if node.left: record.append(node.left)
if node.right: record.append(node.right)
if record: q.append(record)
return [[x.val for x in level] for level in q] | class Solution(object):
def level_order(self, root):
"""
:type root: TreeNode
:rtype: List[List[int]]
"""
if root is None:
return []
q = [[root]]
for level in q:
record = []
for node in level:
if node.left:
record.append(node.left)
if node.right:
record.append(node.right)
if record:
q.append(record)
return [[x.val for x in level] for level in q] |
#
# PySNMP MIB module CTRON-SFPS-SIZE-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/CTRON-SFPS-SIZE-MIB
# Produced by pysmi-0.3.4 at Wed May 1 12:31:11 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
Integer, OctetString, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "Integer", "OctetString", "ObjectIdentifier")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsUnion, ValueSizeConstraint, ConstraintsIntersection, SingleValueConstraint, ValueRangeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "ValueSizeConstraint", "ConstraintsIntersection", "SingleValueConstraint", "ValueRangeConstraint")
sfpsSizeService, sfpsSizeServiceAPI = mibBuilder.importSymbols("CTRON-SFPS-INCLUDE-MIB", "sfpsSizeService", "sfpsSizeServiceAPI")
NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance")
Integer32, NotificationType, Unsigned32, IpAddress, MibIdentifier, TimeTicks, Counter32, Bits, ObjectIdentity, ModuleIdentity, Counter64, Gauge32, MibScalar, MibTable, MibTableRow, MibTableColumn, iso = mibBuilder.importSymbols("SNMPv2-SMI", "Integer32", "NotificationType", "Unsigned32", "IpAddress", "MibIdentifier", "TimeTicks", "Counter32", "Bits", "ObjectIdentity", "ModuleIdentity", "Counter64", "Gauge32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "iso")
TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString")
sfpsSizeServiceTable = MibTable((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 1, 1), )
if mibBuilder.loadTexts: sfpsSizeServiceTable.setStatus('mandatory')
if mibBuilder.loadTexts: sfpsSizeServiceTable.setDescription("Displays the current status of the SizeService. This table displays how much was granted to each user, how much was requested, the number of times they've requested, the status, etc. Note :: The <user> refers to the object/code/whatever which makes a request to the SizeService.")
sfpsSizeServiceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 1, 1, 1), ).setIndexNames((0, "CTRON-SFPS-SIZE-MIB", "sfpsSizeServiceName"))
if mibBuilder.loadTexts: sfpsSizeServiceEntry.setStatus('mandatory')
if mibBuilder.loadTexts: sfpsSizeServiceEntry.setDescription('An entry in the SfpsSizeServiceTable instanced by ServiceName')
sfpsSizeServiceName = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 1, 1, 1, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sfpsSizeServiceName.setStatus('mandatory')
if mibBuilder.loadTexts: sfpsSizeServiceName.setDescription("Displays the Name of the SizeService 'user'")
sfpsSizeServiceId = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 1, 1, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sfpsSizeServiceId.setStatus('mandatory')
if mibBuilder.loadTexts: sfpsSizeServiceId.setDescription('Displays the ID corresponding to the Name above')
sfpsSizeServiceElemSize = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 1, 1, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sfpsSizeServiceElemSize.setStatus('mandatory')
if mibBuilder.loadTexts: sfpsSizeServiceElemSize.setDescription('Displays the Element Size for the current user (in bytes).')
sfpsSizeServiceDesired = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 1, 1, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sfpsSizeServiceDesired.setStatus('mandatory')
if mibBuilder.loadTexts: sfpsSizeServiceDesired.setDescription('Displays how many Elements/Bytes the current user asked for in SizeRequest')
sfpsSizeServiceGranted = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 1, 1, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sfpsSizeServiceGranted.setStatus('mandatory')
if mibBuilder.loadTexts: sfpsSizeServiceGranted.setDescription('Displays how many Elements/Bytes the current user was granted via SizeRequest.')
sfpsSizeServiceIncrement = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 1, 1, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sfpsSizeServiceIncrement.setStatus('mandatory')
if mibBuilder.loadTexts: sfpsSizeServiceIncrement.setDescription('Displays total Element/Bytes the user was granted via all IncrementRequest calls.')
sfpsSizeServiceTotalBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 1, 1, 1, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sfpsSizeServiceTotalBytes.setStatus('mandatory')
if mibBuilder.loadTexts: sfpsSizeServiceTotalBytes.setDescription('Displays the total number of Bytes the current user was granted (SizeRequest & IncrementRequest).')
sfpsSizeServiceNbrCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 1, 1, 1, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sfpsSizeServiceNbrCalls.setStatus('mandatory')
if mibBuilder.loadTexts: sfpsSizeServiceNbrCalls.setDescription('Displays the number of requests the current user has made to the SizeService.')
sfpsSizeServiceRtnStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 1, 1, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("ok", 1), ("nvramOk", 2), ("unknown", 3), ("notAllowed", 4), ("nonApiOk", 5)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sfpsSizeServiceRtnStatus.setStatus('mandatory')
if mibBuilder.loadTexts: sfpsSizeServiceRtnStatus.setDescription('Displays the Status of the current user.')
sfpsSizeServiceHowGranted = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 1, 1, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("elements", 1), ("memory", 2), ("other", 3), ("notAllowed", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sfpsSizeServiceHowGranted.setStatus('mandatory')
if mibBuilder.loadTexts: sfpsSizeServiceHowGranted.setDescription("Displays how the current user was granted it's memory.")
sfpsSizeServiceAPIVerb = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 2, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("other", 1), ("next", 2), ("prev", 3), ("set", 4), ("clear", 5), ("clearAll", 6)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sfpsSizeServiceAPIVerb.setStatus('mandatory')
if mibBuilder.loadTexts: sfpsSizeServiceAPIVerb.setDescription('The action desired to perform on the SizeService Table')
sfpsSizeServiceAPIName = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 2, 2), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sfpsSizeServiceAPIName.setStatus('mandatory')
if mibBuilder.loadTexts: sfpsSizeServiceAPIName.setDescription('Name of the SizeService <user>')
sfpsSizeServiceAPIId = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 2, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sfpsSizeServiceAPIId.setStatus('mandatory')
if mibBuilder.loadTexts: sfpsSizeServiceAPIId.setDescription('ID corresponding to the sfpsSizeServiceAPIName')
sfpsSizeServiceAPIGrant = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 2, 4), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sfpsSizeServiceAPIGrant.setStatus('mandatory')
if mibBuilder.loadTexts: sfpsSizeServiceAPIGrant.setDescription('Number of Elements/Bytes being requested via SizeRequest.')
sfpsSizeServiceAPIIncrement = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 2, 5), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sfpsSizeServiceAPIIncrement.setStatus('mandatory')
if mibBuilder.loadTexts: sfpsSizeServiceAPIIncrement.setDescription('Total Element/Bytes being requested via IncrementRequest')
sfpsSizeServiceAPINumberSet = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 2, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sfpsSizeServiceAPINumberSet.setStatus('mandatory')
if mibBuilder.loadTexts: sfpsSizeServiceAPINumberSet.setDescription('The Number to set.')
sfpsSizeServiceAPIVersion = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 2, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sfpsSizeServiceAPIVersion.setStatus('mandatory')
if mibBuilder.loadTexts: sfpsSizeServiceAPIVersion.setDescription('The version.')
mibBuilder.exportSymbols("CTRON-SFPS-SIZE-MIB", sfpsSizeServiceHowGranted=sfpsSizeServiceHowGranted, sfpsSizeServiceAPIGrant=sfpsSizeServiceAPIGrant, sfpsSizeServiceAPIVerb=sfpsSizeServiceAPIVerb, sfpsSizeServiceAPIName=sfpsSizeServiceAPIName, sfpsSizeServiceAPIId=sfpsSizeServiceAPIId, sfpsSizeServiceTotalBytes=sfpsSizeServiceTotalBytes, sfpsSizeServiceTable=sfpsSizeServiceTable, sfpsSizeServiceNbrCalls=sfpsSizeServiceNbrCalls, sfpsSizeServiceAPIVersion=sfpsSizeServiceAPIVersion, sfpsSizeServiceElemSize=sfpsSizeServiceElemSize, sfpsSizeServiceIncrement=sfpsSizeServiceIncrement, sfpsSizeServiceAPINumberSet=sfpsSizeServiceAPINumberSet, sfpsSizeServiceAPIIncrement=sfpsSizeServiceAPIIncrement, sfpsSizeServiceGranted=sfpsSizeServiceGranted, sfpsSizeServiceDesired=sfpsSizeServiceDesired, sfpsSizeServiceId=sfpsSizeServiceId, sfpsSizeServiceEntry=sfpsSizeServiceEntry, sfpsSizeServiceRtnStatus=sfpsSizeServiceRtnStatus, sfpsSizeServiceName=sfpsSizeServiceName)
| (integer, octet_string, object_identifier) = mibBuilder.importSymbols('ASN1', 'Integer', 'OctetString', 'ObjectIdentifier')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(constraints_union, value_size_constraint, constraints_intersection, single_value_constraint, value_range_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsUnion', 'ValueSizeConstraint', 'ConstraintsIntersection', 'SingleValueConstraint', 'ValueRangeConstraint')
(sfps_size_service, sfps_size_service_api) = mibBuilder.importSymbols('CTRON-SFPS-INCLUDE-MIB', 'sfpsSizeService', 'sfpsSizeServiceAPI')
(notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance')
(integer32, notification_type, unsigned32, ip_address, mib_identifier, time_ticks, counter32, bits, object_identity, module_identity, counter64, gauge32, mib_scalar, mib_table, mib_table_row, mib_table_column, iso) = mibBuilder.importSymbols('SNMPv2-SMI', 'Integer32', 'NotificationType', 'Unsigned32', 'IpAddress', 'MibIdentifier', 'TimeTicks', 'Counter32', 'Bits', 'ObjectIdentity', 'ModuleIdentity', 'Counter64', 'Gauge32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'iso')
(textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString')
sfps_size_service_table = mib_table((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 1, 1))
if mibBuilder.loadTexts:
sfpsSizeServiceTable.setStatus('mandatory')
if mibBuilder.loadTexts:
sfpsSizeServiceTable.setDescription("Displays the current status of the SizeService. This table displays how much was granted to each user, how much was requested, the number of times they've requested, the status, etc. Note :: The <user> refers to the object/code/whatever which makes a request to the SizeService.")
sfps_size_service_entry = mib_table_row((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 1, 1, 1)).setIndexNames((0, 'CTRON-SFPS-SIZE-MIB', 'sfpsSizeServiceName'))
if mibBuilder.loadTexts:
sfpsSizeServiceEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
sfpsSizeServiceEntry.setDescription('An entry in the SfpsSizeServiceTable instanced by ServiceName')
sfps_size_service_name = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 1, 1, 1, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sfpsSizeServiceName.setStatus('mandatory')
if mibBuilder.loadTexts:
sfpsSizeServiceName.setDescription("Displays the Name of the SizeService 'user'")
sfps_size_service_id = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 1, 1, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sfpsSizeServiceId.setStatus('mandatory')
if mibBuilder.loadTexts:
sfpsSizeServiceId.setDescription('Displays the ID corresponding to the Name above')
sfps_size_service_elem_size = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 1, 1, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sfpsSizeServiceElemSize.setStatus('mandatory')
if mibBuilder.loadTexts:
sfpsSizeServiceElemSize.setDescription('Displays the Element Size for the current user (in bytes).')
sfps_size_service_desired = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 1, 1, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sfpsSizeServiceDesired.setStatus('mandatory')
if mibBuilder.loadTexts:
sfpsSizeServiceDesired.setDescription('Displays how many Elements/Bytes the current user asked for in SizeRequest')
sfps_size_service_granted = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 1, 1, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sfpsSizeServiceGranted.setStatus('mandatory')
if mibBuilder.loadTexts:
sfpsSizeServiceGranted.setDescription('Displays how many Elements/Bytes the current user was granted via SizeRequest.')
sfps_size_service_increment = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 1, 1, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sfpsSizeServiceIncrement.setStatus('mandatory')
if mibBuilder.loadTexts:
sfpsSizeServiceIncrement.setDescription('Displays total Element/Bytes the user was granted via all IncrementRequest calls.')
sfps_size_service_total_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 1, 1, 1, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sfpsSizeServiceTotalBytes.setStatus('mandatory')
if mibBuilder.loadTexts:
sfpsSizeServiceTotalBytes.setDescription('Displays the total number of Bytes the current user was granted (SizeRequest & IncrementRequest).')
sfps_size_service_nbr_calls = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 1, 1, 1, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sfpsSizeServiceNbrCalls.setStatus('mandatory')
if mibBuilder.loadTexts:
sfpsSizeServiceNbrCalls.setDescription('Displays the number of requests the current user has made to the SizeService.')
sfps_size_service_rtn_status = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 1, 1, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('ok', 1), ('nvramOk', 2), ('unknown', 3), ('notAllowed', 4), ('nonApiOk', 5)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sfpsSizeServiceRtnStatus.setStatus('mandatory')
if mibBuilder.loadTexts:
sfpsSizeServiceRtnStatus.setDescription('Displays the Status of the current user.')
sfps_size_service_how_granted = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 1, 1, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('elements', 1), ('memory', 2), ('other', 3), ('notAllowed', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sfpsSizeServiceHowGranted.setStatus('mandatory')
if mibBuilder.loadTexts:
sfpsSizeServiceHowGranted.setDescription("Displays how the current user was granted it's memory.")
sfps_size_service_api_verb = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 2, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('other', 1), ('next', 2), ('prev', 3), ('set', 4), ('clear', 5), ('clearAll', 6)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sfpsSizeServiceAPIVerb.setStatus('mandatory')
if mibBuilder.loadTexts:
sfpsSizeServiceAPIVerb.setDescription('The action desired to perform on the SizeService Table')
sfps_size_service_api_name = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 2, 2), display_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sfpsSizeServiceAPIName.setStatus('mandatory')
if mibBuilder.loadTexts:
sfpsSizeServiceAPIName.setDescription('Name of the SizeService <user>')
sfps_size_service_api_id = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 2, 3), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sfpsSizeServiceAPIId.setStatus('mandatory')
if mibBuilder.loadTexts:
sfpsSizeServiceAPIId.setDescription('ID corresponding to the sfpsSizeServiceAPIName')
sfps_size_service_api_grant = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 2, 4), display_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sfpsSizeServiceAPIGrant.setStatus('mandatory')
if mibBuilder.loadTexts:
sfpsSizeServiceAPIGrant.setDescription('Number of Elements/Bytes being requested via SizeRequest.')
sfps_size_service_api_increment = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 2, 5), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sfpsSizeServiceAPIIncrement.setStatus('mandatory')
if mibBuilder.loadTexts:
sfpsSizeServiceAPIIncrement.setDescription('Total Element/Bytes being requested via IncrementRequest')
sfps_size_service_api_number_set = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 2, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sfpsSizeServiceAPINumberSet.setStatus('mandatory')
if mibBuilder.loadTexts:
sfpsSizeServiceAPINumberSet.setDescription('The Number to set.')
sfps_size_service_api_version = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 2, 4, 2, 1, 14, 2, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sfpsSizeServiceAPIVersion.setStatus('mandatory')
if mibBuilder.loadTexts:
sfpsSizeServiceAPIVersion.setDescription('The version.')
mibBuilder.exportSymbols('CTRON-SFPS-SIZE-MIB', sfpsSizeServiceHowGranted=sfpsSizeServiceHowGranted, sfpsSizeServiceAPIGrant=sfpsSizeServiceAPIGrant, sfpsSizeServiceAPIVerb=sfpsSizeServiceAPIVerb, sfpsSizeServiceAPIName=sfpsSizeServiceAPIName, sfpsSizeServiceAPIId=sfpsSizeServiceAPIId, sfpsSizeServiceTotalBytes=sfpsSizeServiceTotalBytes, sfpsSizeServiceTable=sfpsSizeServiceTable, sfpsSizeServiceNbrCalls=sfpsSizeServiceNbrCalls, sfpsSizeServiceAPIVersion=sfpsSizeServiceAPIVersion, sfpsSizeServiceElemSize=sfpsSizeServiceElemSize, sfpsSizeServiceIncrement=sfpsSizeServiceIncrement, sfpsSizeServiceAPINumberSet=sfpsSizeServiceAPINumberSet, sfpsSizeServiceAPIIncrement=sfpsSizeServiceAPIIncrement, sfpsSizeServiceGranted=sfpsSizeServiceGranted, sfpsSizeServiceDesired=sfpsSizeServiceDesired, sfpsSizeServiceId=sfpsSizeServiceId, sfpsSizeServiceEntry=sfpsSizeServiceEntry, sfpsSizeServiceRtnStatus=sfpsSizeServiceRtnStatus, sfpsSizeServiceName=sfpsSizeServiceName) |
s = 'abc12321cba'
print(s.replace('a', ''))
s = 'abc12321cba'
print(s.translate({ord('a'): None}))
print(s.translate({ord(i): None for i in 'abc'}))
# removing spaces from a string
s = ' 1 2 3 4 '
print(s.replace(' ', ''))
print(s.translate({ord(i): None for i in ' '}))
# remove substring from string
s = 'ab12abc34ba'
print(s.replace('ab', ''))
# remove newline
s = 'ab\ncd\nef'
print(s.replace('\n', ''))
print(s.translate({ord('\n'): None}))
| s = 'abc12321cba'
print(s.replace('a', ''))
s = 'abc12321cba'
print(s.translate({ord('a'): None}))
print(s.translate({ord(i): None for i in 'abc'}))
s = ' 1 2 3 4 '
print(s.replace(' ', ''))
print(s.translate({ord(i): None for i in ' '}))
s = 'ab12abc34ba'
print(s.replace('ab', ''))
s = 'ab\ncd\nef'
print(s.replace('\n', ''))
print(s.translate({ord('\n'): None})) |
# author: WatchDogOblivion
# description: TODO
# WatchDogs List Utility
class ListUtility(object):
@staticmethod
def group(lst, groupSize):
#type: (list, int) -> list
finalList = []
groupSizeList = range(0, len(lst), groupSize)
for groupSizeIndex in groupSizeList:
finalList.append(lst[groupSizeIndex:groupSizeIndex + groupSize])
return finalList | class Listutility(object):
@staticmethod
def group(lst, groupSize):
final_list = []
group_size_list = range(0, len(lst), groupSize)
for group_size_index in groupSizeList:
finalList.append(lst[groupSizeIndex:groupSizeIndex + groupSize])
return finalList |
# Union of list
a = ["apple","Orange"]
b = ["Banana","Chocolate"]
c = list(set().union(a,b))
print(c) | a = ['apple', 'Orange']
b = ['Banana', 'Chocolate']
c = list(set().union(a, b))
print(c) |
# -*- coding: utf-8 -*-
""" TcEx Error Codes """
class TcExErrorCodes(object):
"""TcEx Framework Error Codes."""
@property
def errors(self):
"""TcEx defined error codes and messages.
.. note:: RuntimeErrors with a code of >= 1000 are considered critical. Those < 1000
are considered warning or errors and are up to the developer to determine the appropriate
behavior.
"""
return {
# tcex general errors
100: 'Generic error. See log for more details ({}).',
105: 'Required Module is not installed ({}).',
200: 'Failed retrieving Custom Indicator Associations types from API ({}).',
210: 'Failure during token renewal ({}).',
215: 'HMAC authorization requires a PreparedRequest Object.',
220: 'Failed retrieving indicator types from API ({}).',
# tcex resource
300: 'Failed retrieving Bulk JSON ({}).',
305: 'An invalid action/association name ({}) was provided.',
350: 'Data Store request failed. API status code: {}, API message: {}.',
# batch v2 warn: 500-600
520: 'File Occurrences can only be added to a File. Current type: {}.',
540: 'Failed polling batch status ({}).',
545: 'Failed polling batch status. API status code: {}, API message: {}.',
560: 'Failed retrieving batch errors ({}).',
580: 'Failed posting file data ({}).',
585: 'Failed posting file data. API status code: {}, API message: {}.',
590: 'No hash values provided.',
# metrics
700: 'Failed to create metric. API status code: {}, API message: {}.',
705: 'Error while finding metric by name. API status code: {}, API message: {}.',
710: 'Failed to add metric data. API status code: {}, API message: {}.',
715: 'No metric ID found for "{}".',
# batch v2 critical: 1500-1600
1500: 'Critical batch error ({}).',
1505: 'Failed submitting batch job requests ({}).',
1510: 'Failed submitting batch job requests. API status code: {}, API message: {}.',
1520: 'Failed submitting batch data ({}).',
1525: 'Failed submitting batch data. API status code: {}, API message: {}.',
}
def message(self, code):
"""Return the error message.
Args:
code (integer): The error code integer.
Returns:
(string): The error message.
"""
return self.errors.get(code)
| """ TcEx Error Codes """
class Tcexerrorcodes(object):
"""TcEx Framework Error Codes."""
@property
def errors(self):
"""TcEx defined error codes and messages.
.. note:: RuntimeErrors with a code of >= 1000 are considered critical. Those < 1000
are considered warning or errors and are up to the developer to determine the appropriate
behavior.
"""
return {100: 'Generic error. See log for more details ({}).', 105: 'Required Module is not installed ({}).', 200: 'Failed retrieving Custom Indicator Associations types from API ({}).', 210: 'Failure during token renewal ({}).', 215: 'HMAC authorization requires a PreparedRequest Object.', 220: 'Failed retrieving indicator types from API ({}).', 300: 'Failed retrieving Bulk JSON ({}).', 305: 'An invalid action/association name ({}) was provided.', 350: 'Data Store request failed. API status code: {}, API message: {}.', 520: 'File Occurrences can only be added to a File. Current type: {}.', 540: 'Failed polling batch status ({}).', 545: 'Failed polling batch status. API status code: {}, API message: {}.', 560: 'Failed retrieving batch errors ({}).', 580: 'Failed posting file data ({}).', 585: 'Failed posting file data. API status code: {}, API message: {}.', 590: 'No hash values provided.', 700: 'Failed to create metric. API status code: {}, API message: {}.', 705: 'Error while finding metric by name. API status code: {}, API message: {}.', 710: 'Failed to add metric data. API status code: {}, API message: {}.', 715: 'No metric ID found for "{}".', 1500: 'Critical batch error ({}).', 1505: 'Failed submitting batch job requests ({}).', 1510: 'Failed submitting batch job requests. API status code: {}, API message: {}.', 1520: 'Failed submitting batch data ({}).', 1525: 'Failed submitting batch data. API status code: {}, API message: {}.'}
def message(self, code):
"""Return the error message.
Args:
code (integer): The error code integer.
Returns:
(string): The error message.
"""
return self.errors.get(code) |
def part1(code):
i = 0;
while i < 7 * 365:
i = i << 2 | 0b10;
return i - 7 * 365
def part2(code):
...
def parse(line):
xs = line.strip().split()
if len(xs) < 3:
xs.append("")
for i in (1, 2):
try:
xs[i] = int(xs[i])
except ValueError:
pass
return tuple(xs)
def main(inputs):
print("Day 23")
code = list(map(parse, inputs))
A = part1(code)
print(f"{A=}")
B = part2(code)
print(f"{B=}")
| def part1(code):
i = 0
while i < 7 * 365:
i = i << 2 | 2
return i - 7 * 365
def part2(code):
...
def parse(line):
xs = line.strip().split()
if len(xs) < 3:
xs.append('')
for i in (1, 2):
try:
xs[i] = int(xs[i])
except ValueError:
pass
return tuple(xs)
def main(inputs):
print('Day 23')
code = list(map(parse, inputs))
a = part1(code)
print(f'A={A!r}')
b = part2(code)
print(f'B={B!r}') |
def generateWholeBodyMotion(cs, cfg, fullBody=None, viewer=None):
raise NotImplemented("TODO")
| def generate_whole_body_motion(cs, cfg, fullBody=None, viewer=None):
raise not_implemented('TODO') |
class Solution:
def removeDuplicateLetters(self, s: str) -> str:
last_occ = {}
stack = []
visited = set()
for i in range(len(s)):
last_occ[s[i]] = i
for i in range(len(s)):
if s[i] not in visited:
while (stack and stack[-1] > s[i] and last_occ[stack[-1]] > i):
visited.remove(stack.pop())
stack.append(s[i])
visited.add(s[i])
return ''.join(stack)
| class Solution:
def remove_duplicate_letters(self, s: str) -> str:
last_occ = {}
stack = []
visited = set()
for i in range(len(s)):
last_occ[s[i]] = i
for i in range(len(s)):
if s[i] not in visited:
while stack and stack[-1] > s[i] and (last_occ[stack[-1]] > i):
visited.remove(stack.pop())
stack.append(s[i])
visited.add(s[i])
return ''.join(stack) |
[
{"created_at": "Thu Nov 30 21:16:44 +0000 2017", "favorite_count": 268, "hashtags": [], "id": 936343262088097795, "id_str": "936343262088097795", "lang": "en", "retweet_count": 82, "source": "<a href=\"http://bufferapp.com\" rel=\"nofollow\">Buffer</a>", "text": "Automation (not immigrants, @realDonaldTrump) could eliminate 73 MILLION jobs in America by 2030.\n\nWe should be wor\u2026 https://t.co/YztkVMdcGA", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status 936343262088097795", "url": "https://t.co/YztkVMdcGA"}], "user": {"created_at": "Mon Feb 07 03:35:59 +0000 2011", "default_profile": true, "description": "Congressman for #MA6. Let's bring a new generation of leadership to Washington.\n\nAll Tweets are my own.", "favourites_count": 3814, "followers_count": 114494, "friends_count": 2087, "geo_enabled": true, "id": 248495200, "lang": "en", "listed_count": 1378, "location": "Salem, MA", "name": "Seth Moulton", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/248495200/1423523084", "profile_image_url": "http://pbs.twimg.com/profile_images/530114548854845440/ceX1JfaZ_normal.png", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "sethmoulton", "statuses_count": 8508, "time_zone": "Eastern Time (US & Canada)", "utc_offset": -18000, "verified": true}, "user_mentions": [{"id": 25073877, "name": "Donald J. Trump", "screen_name": "realDonaldTrump"}]},
{"created_at": "Thu Nov 30 01:44:47 +0000 2017", "favorite_count": 373, "hashtags": [{"text": "TrumpTaxScam"}], "id": 936048329720508416, "id_str": "936048329720508416", "lang": "en", "retweet_count": 203, "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": "Not that any of us should be expecting Trump to be a man of his word, but it's worth noting the #TrumpTaxScam sends\u2026 https://t.co/vh9rPBsfc6", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936048329720508416", "url": "https://t.co/vh9rPBsfc6"}], "user": {"created_at": "Mon Apr 14 13:23:16 +0000 2008", "default_profile": true, "description": "Former teacher, diplomat, & Congressman. CEO of WinVA, helping to flip VA House of Delegates to blue.", "favourites_count": 1147, "followers_count": 73177, "friends_count": 1131, "id": 14384907, "lang": "en", "listed_count": 952, "location": "Always Virginian", "name": "Tom Perriello", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/14384907/1509827318", "profile_image_url": "http://pbs.twimg.com/profile_images/875742761437327361/yxpaf7zF_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "tomperriello", "statuses_count": 7956, "time_zone": "Eastern Time (US & Canada)", "url": "https://t.co/oJ9MLKuh4s", "utc_offset": -18000, "verified": true}, "user_mentions": []},
{"created_at": "Fri Dec 01 02:37:03 +0000 2017", "favorite_count": 221, "hashtags": [], "id": 936423871640678400, "id_str": "936423871640678400", "lang": "en", "retweet_count": 255, "source": "<a href=\"http://www.socialflow.com\" rel=\"nofollow\">SocialFlow</a>", "text": "Robots may steal as many as 800 million jobs in the next 13 years https://t.co/bSAqCwrGSw", "urls": [{"expanded_url": "http://ti.me/2AiPUEq", "url": "https://t.co/bSAqCwrGSw"}], "user": {"created_at": "Thu Apr 03 13:54:30 +0000 2008", "description": "Breaking news and current events from around the globe. Hosted by TIME staff. Tweet questions to our customer service team @TIMEmag_Service.", "favourites_count": 580, "followers_count": 14990056, "friends_count": 848, "geo_enabled": true, "id": 14293310, "lang": "en", "listed_count": 100179, "name": "TIME", "profile_background_color": "CC0000", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/735228291/107f1a300a90ee713937234bb3d139c0.jpeg", "profile_background_tile": true, "profile_banner_url": "https://pbs.twimg.com/profile_banners/14293310/1403546591", "profile_image_url": "http://pbs.twimg.com/profile_images/1700796190/Picture_24_normal.png", "profile_link_color": "DE3333", "profile_sidebar_fill_color": "D9D9D9", "profile_text_color": "000000", "screen_name": "TIME", "statuses_count": 260119, "time_zone": "Eastern Time (US & Canada)", "url": "http://t.co/4aYbUuAeSh", "utc_offset": -18000, "verified": true}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:17:32 +0000 2017", "hashtags": [{"text": "RoboTwity"}], "id": 936720950044823553, "id_str": "936720950044823553", "lang": "en", "retweet_count": 1, "retweeted_status": {"created_at": "Fri Dec 01 22:13:37 +0000 2017", "favorite_count": 2, "hashtags": [{"text": "RoboTwity"}], "id": 936719963703922688, "id_str": "936719963703922688", "lang": "en", "retweet_count": 1, "source": "<a href=\"https://mobile.twitter.com\" rel=\"nofollow\">Twitter Lite</a>", "text": "nice and very helpful twitter automation tool!\n#RoboTwity\nhttps://t.co/y6LNnu8C9q", "urls": [{"expanded_url": "https://goo.gl/KyNqQl?91066", "url": "https://t.co/y6LNnu8C9q"}], "user": {"created_at": "Mon Aug 03 15:16:58 +0000 2009", "description": "Se hizo absolutamente necesaria e inevitable una intervenci\u00f3n internacional humanitaria y su primera fase ser\u00e1 militar Hay que destruir el narco estado", "favourites_count": 886, "followers_count": 290645, "friends_count": 267079, "id": 62537327, "lang": "es", "listed_count": 874, "location": "Venezuela", "name": "Alberto Franceschi", "profile_background_color": "C0DEED", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/288057702/512px-E8PetrieFull_svg.jpg", "profile_background_tile": true, "profile_banner_url": "https://pbs.twimg.com/profile_banners/62537327/1431033853", "profile_image_url": "http://pbs.twimg.com/profile_images/607930473545908224/hUf4RmNb_normal.jpg", "profile_link_color": "0084B4", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "alFranceschi", "statuses_count": 76789, "time_zone": "Eastern Time (US & Canada)", "url": "https://t.co/W4O9ajdgkk", "utc_offset": -18000, "verified": true}, "user_mentions": []}, "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": "RT @alFranceschi: nice and very helpful twitter automation tool!\n#RoboTwity\nhttps://t.co/y6LNnu8C9q", "urls": [{"expanded_url": "https://goo.gl/KyNqQl?91066", "url": "https://t.co/y6LNnu8C9q"}], "user": {"created_at": "Tue Jan 05 06:28:00 +0000 2016", "default_profile": true, "description": "You want me? https://t.co/wniv216ODG", "favourites_count": 1850, "followers_count": 354, "friends_count": 1191, "id": 4712344651, "lang": "en", "listed_count": 24, "name": "Jane Miers", "profile_background_color": "F5F8FA", "profile_banner_url": "https://pbs.twimg.com/profile_banners/4712344651/1512110615", "profile_image_url": "http://pbs.twimg.com/profile_images/936485867430072321/AkZ8ALMt_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "halinavanda1", "statuses_count": 2042}, "user_mentions": [{"id": 62537327, "name": "Alberto Franceschi", "screen_name": "alFranceschi"}]},
{"created_at": "Fri Dec 01 22:17:28 +0000 2017", "hashtags": [], "id": 936720934437834752, "id_str": "936720934437834752", "in_reply_to_screen_name": "chrisamiller", "in_reply_to_status_id": 936720416151949312, "in_reply_to_user_id": 10054472, "lang": "en", "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": "@chrisamiller There is https://t.co/sbxOlUlaks but I don't know if it works with sashimi plots.", "urls": [{"expanded_url": "http://software.broadinstitute.org/software/igv/automation", "url": "https://t.co/sbxOlUlaks"}], "user": {"created_at": "Thu Jul 12 15:14:07 +0000 2007", "description": "Bioinformatics @institut_thorax , Nantes, France -- science genetics genomics drawing java c++ genetics high throughput sequencing", "favourites_count": 9608, "followers_count": 4611, "friends_count": 590, "id": 7431072, "lang": "en", "listed_count": 453, "location": "Nantes, France", "name": "Pierre Lindenbaum", "profile_background_color": "9AE4E8", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/378800000168197084/hxeZjr63.jpeg", "profile_background_tile": true, "profile_banner_url": "https://pbs.twimg.com/profile_banners/7431072/1398193084", "profile_image_url": "http://pbs.twimg.com/profile_images/667105051664609280/jQ6Ile6W_normal.jpg", "profile_link_color": "0000FF", "profile_sidebar_fill_color": "E0FF92", "profile_text_color": "000000", "screen_name": "yokofakun", "statuses_count": 34507, "time_zone": "Paris", "url": "http://t.co/FPX5wmEjPA", "utc_offset": 3600}, "user_mentions": [{"id": 10054472, "name": "Chris Miller", "screen_name": "chrisamiller"}]},
{"created_at": "Fri Dec 01 22:16:58 +0000 2017", "hashtags": [], "id": 936720807048425472, "id_str": "936720807048425472", "lang": "de", "source": "<a href=\"https://ifttt.com\" rel=\"nofollow\">IFTTT</a>", "text": "States see potential in intelligent automation, blockchain https://t.co/XqFTOGCn4U", "urls": [{"expanded_url": "https://cnhv.co/22uh", "url": "https://t.co/XqFTOGCn4U"}], "user": {"created_at": "Mon Feb 06 07:59:32 +0000 2017", "default_profile": true, "description": "bitcoin mining\nbitcoin exchange\nbitcoin charts\nbuy bitcoin\nbitcoin calculator\nbitcoin value\nbitcoin market\nbitcoin wallet\nBitcoin news\nBitcoin movement", "favourites_count": 249, "followers_count": 340, "friends_count": 659, "id": 828513440348004353, "lang": "en", "listed_count": 16, "location": "Nigeria, Africa", "name": "Taylor Mac", "profile_background_color": "F5F8FA", "profile_banner_url": "https://pbs.twimg.com/profile_banners/828513440348004353/1486430318", "profile_image_url": "http://pbs.twimg.com/profile_images/841866445931847680/oNPskizv_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "Moecashmedia", "statuses_count": 9078, "url": "https://t.co/zoipkRBtKl"}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:16:57 +0000 2017", "hashtags": [{"text": "Automation"}, {"text": "technology"}, {"text": "futureofwork"}], "id": 936720804808716289, "id_str": "936720804808716289", "lang": "en", "retweet_count": 1, "retweeted_status": {"created_at": "Fri Dec 01 22:15:21 +0000 2017", "hashtags": [{"text": "Automation"}, {"text": "technology"}, {"text": "futureofwork"}], "id": 936720400968433664, "id_str": "936720400968433664", "lang": "en", "retweet_count": 1, "source": "<a href=\"http://dynamicsignal.com/\" rel=\"nofollow\">VoiceStorm</a>", "text": "#Automation threatens 800 million jobs, but #technology could still save us, says @McKinsey report #futureofwork...\u2026 https://t.co/6PVConprA9", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936720400968433664", "url": "https://t.co/6PVConprA9"}], "user": {"created_at": "Sun Dec 27 09:07:18 +0000 2009", "default_profile": true, "description": "Chief Digital Officer & SVP @SAPAriba. Passionate about #Life, #Coffee, #PhD in #Politics, #MBA in #Economics, #SocialMedia Enthusiast and curious to learn&grow", "favourites_count": 26069, "followers_count": 12743, "friends_count": 7855, "geo_enabled": true, "id": 99674560, "lang": "en", "listed_count": 164, "location": "Frankfurt on the Main, Germany", "name": "Dr. Marcell Vollmer", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/99674560/1486476950", "profile_image_url": "http://pbs.twimg.com/profile_images/735212931940552704/83zOt4k5_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "mvollmer1", "statuses_count": 10576, "time_zone": "Berlin", "url": "https://t.co/AjP9pXboSl", "utc_offset": 3600}, "user_mentions": [{"id": 34042766, "name": "McKinsey & Company", "screen_name": "McKinsey"}]}, "source": "<a href=\"http://www.maddywoodman.weebly.com\" rel=\"nofollow\">Worldofworkbot</a>", "text": "RT @mvollmer1: #Automation threatens 800 million jobs, but #technology could still save us, says @McKinsey report #futureofwork... https://\u2026", "urls": [], "user": {"created_at": "Tue Oct 10 10:33:05 +0000 2017", "default_profile": true, "followers_count": 66, "friends_count": 4, "id": 917699499786633216, "lang": "en", "listed_count": 8, "name": "WOWbot", "profile_background_color": "F5F8FA", "profile_banner_url": "https://pbs.twimg.com/profile_banners/917699499786633216/1507632201", "profile_image_url": "http://pbs.twimg.com/profile_images/917702023272910848/f3OK4udR_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "henleywow", "statuses_count": 6113, "time_zone": "Pacific Time (US & Canada)", "utc_offset": -28800}, "user_mentions": [{"id": 99674560, "name": "Dr. Marcell Vollmer", "screen_name": "mvollmer1"}, {"id": 34042766, "name": "McKinsey & Company", "screen_name": "McKinsey"}]},
{"created_at": "Fri Dec 01 22:16:53 +0000 2017", "hashtags": [], "id": 936720784671645697, "id_str": "936720784671645697", "lang": "en", "retweet_count": 1, "retweeted_status": {"created_at": "Fri Dec 01 21:57:01 +0000 2017", "favorite_count": 1, "hashtags": [], "id": 936715785162149893, "id_str": "936715785162149893", "lang": "en", "retweet_count": 1, "source": "<a href=\"http://sproutsocial.com\" rel=\"nofollow\">Sprout Social</a>", "text": "Check out my NEW blog post \"Scripts, automation, architecture, DevOps \u2013 DOES17 had it all!\" and Learn how my chat w\u2026 https://t.co/l1ZKa7sp3K", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936715785162149893", "url": "https://t.co/l1ZKa7sp3K"}], "user": {"created_at": "Thu Mar 17 00:11:29 +0000 2016", "default_profile": true, "description": "Helping large enterprises across #Finserv, Retail, Embedded accelerate their #DevOps adoption, design complex automation solutions & optimize delivery pipelines", "favourites_count": 4304, "followers_count": 251, "friends_count": 171, "id": 710257208374591489, "lang": "en", "listed_count": 85, "location": "Los Angeles, CA", "name": "Avantika Mathur", "profile_background_color": "F5F8FA", "profile_banner_url": "https://pbs.twimg.com/profile_banners/710257208374591489/1458323453", "profile_image_url": "http://pbs.twimg.com/profile_images/710257751113334786/nqrvZC8c_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "avantika_ec", "statuses_count": 1726, "time_zone": "America/Denver", "url": "https://t.co/5WT1rd07bj", "utc_offset": -25200}, "user_mentions": []}, "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": "RT @avantika_ec: Check out my NEW blog post \"Scripts, automation, architecture, DevOps \u2013 DOES17 had it all!\" and Learn how my chat with @an\u2026", "urls": [], "user": {"created_at": "Thu Jul 02 00:01:22 +0000 2009", "description": "Helping teams transform software releases from a chore to a competitive advantage #DevOps #Release #Automation #ContinuousDelivery", "favourites_count": 18833, "followers_count": 5109, "friends_count": 2371, "id": 52900146, "lang": "en", "listed_count": 582, "location": "San Jose, CA", "name": "Electric Cloud", "profile_background_color": "FFFFFF", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/493943761726996480/YhMjdy-h.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/52900146/1406603110", "profile_image_url": "http://pbs.twimg.com/profile_images/479063120401297408/o_yW_qQ5_normal.jpeg", "profile_link_color": "0084B4", "profile_sidebar_fill_color": "DDFFCC", "profile_text_color": "333333", "screen_name": "electriccloud", "statuses_count": 23926, "time_zone": "Pacific Time (US & Canada)", "url": "http://t.co/mYlGnlBv0t", "utc_offset": -28800}, "user_mentions": [{"id": 710257208374591489, "name": "Avantika Mathur", "screen_name": "avantika_ec"}]},
{"created_at": "Fri Dec 01 22:16:50 +0000 2017", "hashtags": [], "id": 936720774622318592, "id_str": "936720774622318592", "lang": "en", "source": "<a href=\"http://bufferapp.com\" rel=\"nofollow\">Buffer</a>", "text": "\u201cOver the next\u00a013 years, the rising tide of automation will force as many as 70 million workers in the United State\u2026 https://t.co/CcFNWPc4HD", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936720774622318592", "url": "https://t.co/CcFNWPc4HD"}], "user": {"created_at": "Thu Apr 01 17:46:13 +0000 2010", "description": "Director of Technology & Innovation Policy @AAF. Fellow @ilpfoundry. Economish. Social media researcher. Digital rights champion. Views are my own.", "favourites_count": 3402, "followers_count": 3295, "friends_count": 3425, "geo_enabled": true, "id": 128622412, "lang": "en", "listed_count": 234, "location": "DC via Chicago", "name": "Will Rinehart", "profile_background_color": "E2E2E2", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/614615087/xe3b19729ea876f5b21405b2f1a71714.gif", "profile_banner_url": "https://pbs.twimg.com/profile_banners/128622412/1480463783", "profile_image_url": "http://pbs.twimg.com/profile_images/801148174014484480/aFtbduS-_normal.jpg", "profile_link_color": "C79FA0", "profile_sidebar_fill_color": "9A8582", "profile_text_color": "592937", "screen_name": "WillRinehart", "statuses_count": 19034, "time_zone": "Eastern Time (US & Canada)", "url": "https://t.co/Y04U02QRfN", "utc_offset": -18000}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:16:45 +0000 2017", "hashtags": [{"text": "Chatbot"}], "id": 936720750563790849, "id_str": "936720750563790849", "lang": "en", "retweet_count": 1, "retweeted_status": {"created_at": "Fri Dec 01 22:02:02 +0000 2017", "hashtags": [{"text": "Chatbot"}], "id": 936717047165276161, "id_str": "936717047165276161", "lang": "en", "retweet_count": 1, "source": "<a href=\"https://www.ubisend.com\" rel=\"nofollow\">Local laptop</a>", "text": "#Chatbot Lens: The Benefits of Automation in HR https://t.co/emlfwrL6uS", "urls": [{"expanded_url": "https://blog.ubisend.com/optimise-chatbots/benefits-of-automation-in-hr", "url": "https://t.co/emlfwrL6uS"}], "user": {"created_at": "Wed Nov 18 19:25:18 +0000 2015", "description": "CEO @ubisend | AI-driven conversational interfaces that enable brands to have effective two-way conversations with audiences at scale #ai #chatbots", "favourites_count": 2819, "followers_count": 13647, "friends_count": 4006, "id": 4220415239, "lang": "en", "listed_count": 477, "location": "England", "name": "Dean Withey", "profile_background_color": "000000", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/4220415239/1470814655", "profile_image_url": "http://pbs.twimg.com/profile_images/846315487088824320/ea7qR5jG_normal.jpg", "profile_link_color": "1B95E0", "profile_sidebar_fill_color": "000000", "profile_text_color": "000000", "screen_name": "deanwithey", "statuses_count": 13458, "time_zone": "London", "url": "https://t.co/OgEU4dICFY"}, "user_mentions": []}, "source": "<a href=\"http://arima.io\" rel=\"nofollow\">arima-bot</a>", "text": "RT @deanwithey: #Chatbot Lens: The Benefits of Automation in HR https://t.co/emlfwrL6uS", "urls": [{"expanded_url": "https://blog.ubisend.com/optimise-chatbots/benefits-of-automation-in-hr", "url": "https://t.co/emlfwrL6uS"}], "user": {"created_at": "Thu Aug 10 12:35:16 +0000 2017", "default_profile": true, "description": "Arima - an #ArtificialIntelligence #Machine #Retail #Sales #Support #Services #CRM for #SME #chatbot", "favourites_count": 1, "followers_count": 223, "friends_count": 11, "id": 895624589983662080, "lang": "en", "listed_count": 14, "location": "Chenna", "name": "Arima", "profile_background_color": "F5F8FA", "profile_image_url": "http://pbs.twimg.com/profile_images/895627395968909313/YAm3Wx7r_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "arima_india", "statuses_count": 10418, "url": "https://t.co/UExvzSPKm0"}, "user_mentions": [{"id": 4220415239, "name": "Dean Withey", "screen_name": "deanwithey"}]},
{"created_at": "Fri Dec 01 22:16:44 +0000 2017", "hashtags": [], "id": 936720749439598593, "id_str": "936720749439598593", "lang": "en", "retweet_count": 81, "retweeted_status": {"created_at": "Fri Dec 01 06:03:23 +0000 2017", "favorite_count": 309, "hashtags": [], "id": 936475797648326656, "id_str": "936475797648326656", "lang": "en", "retweet_count": 81, "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "AlI gotta say is it\u2019s a good thing we\u2019re about to make billionaires invincible at the same time media companies con\u2026 https://t.co/QpaS84g3Ln", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936475797648326656", "url": "https://t.co/QpaS84g3Ln"}], "user": {"created_at": "Sat Aug 11 16:36:14 +0000 2007", "description": "writer at midnight / adult swim / the onion / the art of the deal: the movie / the fake news with ted nelms", "favourites_count": 28232, "followers_count": 29085, "friends_count": 1277, "geo_enabled": true, "id": 8126322, "lang": "en", "listed_count": 1005, "location": "los angeles ", "name": "Joe R", "profile_background_color": "1A1B1F", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme9/bg.gif", "profile_banner_url": "https://pbs.twimg.com/profile_banners/8126322/1482126803", "profile_image_url": "http://pbs.twimg.com/profile_images/815651058370236416/ujwY9QXT_normal.jpg", "profile_link_color": "2FC2EF", "profile_sidebar_fill_color": "252429", "profile_text_color": "666666", "screen_name": "Randazzoj", "statuses_count": 63057, "time_zone": "Pacific Time (US & Canada)", "url": "https://t.co/t934FoJ5b5", "utc_offset": -28800, "verified": true}, "user_mentions": []}, "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "RT @Randazzoj: AlI gotta say is it\u2019s a good thing we\u2019re about to make billionaires invincible at the same time media companies consolidate\u2026", "urls": [], "user": {"created_at": "Mon Sep 10 23:34:19 +0000 2007", "description": "Life Coach. Pet Adoption Strategist. Sidewalk Hoser, Sightseeing Boat Operator", "favourites_count": 4171, "followers_count": 136, "friends_count": 990, "geo_enabled": true, "id": 8798002, "lang": "en", "listed_count": 2, "location": "San Francisco", "name": "Jacob Palmer", "profile_background_color": "9AE4E8", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/803668186/b5c329179c220e775cbaccea85e02e41.jpeg", "profile_background_tile": true, "profile_banner_url": "https://pbs.twimg.com/profile_banners/8798002/1362170807", "profile_image_url": "http://pbs.twimg.com/profile_images/864199541905473536/7r4aMyAl_normal.jpg", "profile_link_color": "0000FF", "profile_sidebar_fill_color": "E0FF92", "profile_text_color": "000000", "screen_name": "palmer_jacob", "statuses_count": 2683, "time_zone": "Pacific Time (US & Canada)", "utc_offset": -28800}, "user_mentions": [{"id": 8126322, "name": "Joe R", "screen_name": "Randazzoj"}]},
{"created_at": "Fri Dec 01 22:16:42 +0000 2017", "hashtags": [{"text": "Software"}, {"text": "TestAutomation"}], "id": 936720741843824640, "id_str": "936720741843824640", "lang": "en", "retweet_count": 1, "retweeted_status": {"created_at": "Thu Nov 30 23:50:06 +0000 2017", "favorite_count": 2, "hashtags": [{"text": "Software"}], "id": 936381858639642624, "id_str": "936381858639642624", "lang": "en", "retweet_count": 1, "source": "<a href=\"http://gaggleamp.com/twit/\" rel=\"nofollow\">GaggleAMP</a>", "text": "Proud to be part of the company named THE Leader in @Gartner_inc's 2017 Magic Quadrant for #Software\u2026 https://t.co/3leUqWj8vA", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936381858639642624", "url": "https://t.co/3leUqWj8vA"}], "user": {"created_at": "Fri Mar 18 18:38:45 +0000 2016", "default_profile": true, "description": "Solutions Architect with Tricentis", "favourites_count": 50, "followers_count": 342, "friends_count": 396, "id": 710898251457798145, "lang": "en", "listed_count": 28, "location": "Columbus, OH", "name": "Joe Beale", "profile_background_color": "F5F8FA", "profile_banner_url": "https://pbs.twimg.com/profile_banners/710898251457798145/1501166187", "profile_image_url": "http://pbs.twimg.com/profile_images/711314281804009472/_5nflwc7_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "JosephBealeQA", "statuses_count": 2395}, "user_mentions": [{"id": 15231287, "name": "Gartner", "screen_name": "Gartner_inc"}]}, "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "RT @JosephBealeQA: Proud to be part of the company named THE Leader in @Gartner_inc's 2017 Magic Quadrant for #Software #TestAutomation! ht\u2026", "urls": [], "user": {"created_at": "Fri Aug 28 13:25:51 +0000 2009", "default_profile": true, "description": "Software quality advocate, Pittsburgh Steeler fan, beer lover, dry martini (with blue cheese stuffed olives) lover, Phi Kappa Psi brother for life", "favourites_count": 789, "followers_count": 213, "friends_count": 340, "geo_enabled": true, "id": 69586716, "lang": "en", "listed_count": 21, "location": "Columbus, OH", "name": "Matthew Eakin", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/69586716/1386536371", "profile_image_url": "http://pbs.twimg.com/profile_images/378800000838130573/45915636e70601a0ce90dc2a745ea76e_normal.png", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "MatthewEakin", "statuses_count": 679, "url": "http://t.co/nSH46cJhKt"}, "user_mentions": [{"id": 710898251457798145, "name": "Joe Beale", "screen_name": "JosephBealeQA"}, {"id": 15231287, "name": "Gartner", "screen_name": "Gartner_inc"}]},
{"created_at": "Fri Dec 01 22:16:36 +0000 2017", "hashtags": [{"text": "RPA"}], "id": 936720714811527168, "id_str": "936720714811527168", "lang": "en", "retweet_count": 2, "retweeted_status": {"created_at": "Thu Nov 30 23:30:18 +0000 2017", "favorite_count": 3, "hashtags": [{"text": "RPA"}], "id": 936376872694362113, "id_str": "936376872694362113", "lang": "en", "retweet_count": 2, "source": "<a href=\"http://www.spredfast.com\" rel=\"nofollow\">Spredfast app</a>", "text": "Robotic process automation (#RPA) can bring real cost savings and process efficiencies to the procurement organizat\u2026 https://t.co/ffz5NqzxRI", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936376872694362113", "url": "https://t.co/ffz5NqzxRI"}], "user": {"created_at": "Tue Dec 23 20:35:31 +0000 2008", "description": "KPMG LLP, the U.S. audit, tax and advisory services firm, operates from 87 offices with more than 26,000 employees and partners throughout the U.S.", "favourites_count": 761, "followers_count": 88141, "friends_count": 651, "geo_enabled": true, "id": 18341726, "lang": "en", "listed_count": 1513, "location": "United States", "name": "KPMG US", "profile_background_color": "FFFFFF", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/438802285989085185/p4LLTZA8.png", "profile_background_tile": true, "profile_banner_url": "https://pbs.twimg.com/profile_banners/18341726/1510685235", "profile_image_url": "http://pbs.twimg.com/profile_images/672844122525466624/vFWyENZu_normal.png", "profile_link_color": "C84D00", "profile_sidebar_fill_color": "F3F4F8", "profile_text_color": "444444", "screen_name": "KPMG_US", "statuses_count": 17687, "time_zone": "Eastern Time (US & Canada)", "url": "http://t.co/KDmmpSCyI8", "utc_offset": -18000, "verified": true}, "user_mentions": []}, "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "RT @KPMG_US: Robotic process automation (#RPA) can bring real cost savings and process efficiencies to the procurement organization. Learn\u2026", "urls": [], "user": {"created_at": "Wed Sep 02 18:23:37 +0000 2009", "default_profile": true, "favourites_count": 3230, "followers_count": 34, "friends_count": 196, "geo_enabled": true, "id": 71035261, "lang": "en", "listed_count": 2, "name": "ed montolio", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_image_url": "http://pbs.twimg.com/profile_images/1661171928/image_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "emontolio", "statuses_count": 1205}, "user_mentions": [{"id": 18341726, "name": "KPMG US", "screen_name": "KPMG_US"}]},
{"created_at": "Fri Dec 01 22:16:24 +0000 2017", "hashtags": [], "id": 936720663959793664, "id_str": "936720663959793664", "lang": "en", "retweet_count": 620, "retweeted_status": {"created_at": "Sun Nov 19 17:28:44 +0000 2017", "favorite_count": 3294, "hashtags": [], "id": 932299615122149377, "id_str": "932299615122149377", "lang": "en", "retweet_count": 620, "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": ".@IvankaTrump: Business & gov'ts must promote women in STEM...Over the coming decades, technologies such as automat\u2026 https://t.co/PcgJtcsVs9", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/932299615122149377", "url": "https://t.co/PcgJtcsVs9"}], "user": {"created_at": "Fri Aug 04 17:03:37 +0000 2017", "default_profile": true, "description": "The official twitter account for the eighth annual Global Entrepreneurship Summit (GES) in Hyderabad, India November 28-30, 2017. #GES2017", "favourites_count": 89, "followers_count": 11662, "friends_count": 90, "id": 893517792858828802, "lang": "en", "listed_count": 26, "name": "GES2017", "profile_background_color": "F5F8FA", "profile_banner_url": "https://pbs.twimg.com/profile_banners/893517792858828802/1511840613", "profile_image_url": "http://pbs.twimg.com/profile_images/898883182732378112/9t-N4XIu_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "GES2017", "statuses_count": 887, "time_zone": "Pacific Time (US & Canada)", "url": "https://t.co/jx7KffjHf1", "utc_offset": -28800, "verified": true}, "user_mentions": [{"id": 52544275, "name": "Ivanka Trump", "screen_name": "IvankaTrump"}]}, "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": "RT @GES2017: .@IvankaTrump: Business & gov'ts must promote women in STEM...Over the coming decades, technologies such as automation & robot\u2026", "urls": [], "user": {"created_at": "Fri Dec 01 21:26:01 +0000 2017", "default_profile": true, "default_profile_image": true, "favourites_count": 6, "friends_count": 56, "id": 936707984843071495, "lang": "en", "name": "RENUKA THAMMINENI", "profile_background_color": "F5F8FA", "profile_image_url": "http://abs.twimg.com/sticky/default_profile_images/default_profile_normal.png", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "RENUKATHAMMINE1", "statuses_count": 11}, "user_mentions": [{"id": 893517792858828802, "name": "GES2017", "screen_name": "GES2017"}, {"id": 52544275, "name": "Ivanka Trump", "screen_name": "IvankaTrump"}]},
{"created_at": "Fri Dec 01 22:16:22 +0000 2017", "hashtags": [{"text": "CRM"}], "id": 936720654912638976, "id_str": "936720654912638976", "lang": "en", "media": [{"display_url": "pic.twitter.com/rorWBf6fXe", "expanded_url": "https://twitter.com/RichBohn/status/936720654912638976/photo/1", "id": 936720651846549505, "media_url": "http://pbs.twimg.com/media/DP_meEsWAAEWZDH.jpg", "media_url_https": "https://pbs.twimg.com/media/DP_meEsWAAEWZDH.jpg", "sizes": {"large": {"h": 640, "resize": "fit", "w": 960}, "medium": {"h": 640, "resize": "fit", "w": 960}, "small": {"h": 453, "resize": "fit", "w": 680}, "thumb": {"h": 150, "resize": "crop", "w": 150}}, "type": "photo", "url": "https://t.co/rorWBf6fXe"}], "source": "<a href=\"http://bufferapp.com\" rel=\"nofollow\">Buffer</a>", "text": "Five Marketing Automation Myths And Why They Are Wrong #CRM https://t.co/cqPDzhfAaa https://t.co/rorWBf6fXe", "urls": [{"expanded_url": "http://bit.ly/2ixIDtL", "url": "https://t.co/cqPDzhfAaa"}], "user": {"created_at": "Fri Jun 22 19:33:21 +0000 2007", "description": "Rich Bohn, the oldest living independent #CRM analyst!\n\nHis first CRM review appeared in January-1985 and his passion for the topic has only grown since then!", "favourites_count": 1408, "followers_count": 8834, "friends_count": 9657, "geo_enabled": true, "id": 7022662, "lang": "en", "listed_count": 508, "location": "Jackson Hole, Wyoming", "name": "Rich Bohn", "profile_background_color": "A3A3A3", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/645491362/skyxoycohs9e4dnrp4kp.gif", "profile_banner_url": "https://pbs.twimg.com/profile_banners/7022662/1410994826", "profile_image_url": "http://pbs.twimg.com/profile_images/2978995904/a2a29ab2083c34802832622a64b3781e_normal.jpeg", "profile_link_color": "D6B280", "profile_sidebar_fill_color": "62B2F0", "profile_text_color": "5C5C5C", "screen_name": "RichBohn", "statuses_count": 32542, "time_zone": "Mountain Time (US & Canada)", "url": "http://t.co/2QkR99dy0D", "utc_offset": -25200}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:16:11 +0000 2017", "hashtags": [], "id": 936720611421904896, "id_str": "936720611421904896", "lang": "fr", "source": "<a href=\"http://www.hootsuite.com\" rel=\"nofollow\">Hootsuite</a>", "text": "Capgemini-Backed UK CoE for Automation Supports Gov't Transformation Effort https://t.co/3Usds26yCJ", "urls": [{"expanded_url": "http://ow.ly/JKwn50fuiwn", "url": "https://t.co/3Usds26yCJ"}], "user": {"created_at": "Thu May 12 11:20:13 +0000 2011", "default_profile": true, "description": "On Jobs in Tysons Corner Virginia...", "followers_count": 259, "friends_count": 141, "id": 297352511, "lang": "en", "listed_count": 12, "location": "Tysons Corner Virginia", "name": "Tysons Corner Jobs", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_image_url": "http://pbs.twimg.com/profile_images/1568965361/tysons-corner-job_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "TysonsCornerJob", "statuses_count": 13883}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:16:02 +0000 2017", "hashtags": [], "id": 936720573417381889, "id_str": "936720573417381889", "lang": "en", "retweet_count": 9, "retweeted_status": {"created_at": "Fri Dec 01 21:52:52 +0000 2017", "favorite_count": 8, "hashtags": [], "id": 936714740755247105, "id_str": "936714740755247105", "lang": "en", "retweet_count": 9, "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "Robot automation will 'take 800 million jobs by 2030' - report https://t.co/Od86T18kQZ", "urls": [{"expanded_url": "http://www.bbc.com/news/world-us-canada-42170100", "url": "https://t.co/Od86T18kQZ"}], "user": {"created_at": "Sun May 15 14:37:06 +0000 2016", "default_profile": true, "description": "JD (20 yrs fed/state with 18 yrs govt ethics law / retired, non-practicing, lupus-afflicted atty) + M.T.S. (Catholic Theology) \ud83e\udd8b https://t.co/4xqaYIiuRA \ud83e\udd8b", "favourites_count": 113946, "followers_count": 36192, "friends_count": 5640, "id": 731855934675255297, "lang": "en", "listed_count": 191, "name": "Sarah Smith", "profile_background_color": "F5F8FA", "profile_banner_url": "https://pbs.twimg.com/profile_banners/731855934675255297/1493396844", "profile_image_url": "http://pbs.twimg.com/profile_images/928095608149299201/Z3vtIDlm_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "SLSmith000", "statuses_count": 55207}, "user_mentions": []}, "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "RT @SLSmith000: Robot automation will 'take 800 million jobs by 2030' - report https://t.co/Od86T18kQZ", "urls": [{"expanded_url": "http://www.bbc.com/news/world-us-canada-42170100", "url": "https://t.co/Od86T18kQZ"}], "user": {"created_at": "Wed Dec 14 00:34:08 +0000 2016", "default_profile": true, "description": "\"America did not invent human rights. In a very real sense, it is the other way round. Human rights invented America.\" James Earl Carter 14 January 1981", "favourites_count": 5187, "followers_count": 28, "friends_count": 17, "id": 808832410146209793, "lang": "en", "name": "Lochapoka", "profile_background_color": "F5F8FA", "profile_banner_url": "https://pbs.twimg.com/profile_banners/808832410146209793/1509322465", "profile_image_url": "http://pbs.twimg.com/profile_images/926280495419273217/hA0fOHjk_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "SBibimus", "statuses_count": 1374, "time_zone": "Pacific Time (US & Canada)", "utc_offset": -28800}, "user_mentions": [{"id": 731855934675255297, "name": "Sarah Smith", "screen_name": "SLSmith000"}]},
{"created_at": "Fri Dec 01 22:16:02 +0000 2017", "hashtags": [], "id": 936720570904928259, "id_str": "936720570904928259", "lang": "en", "quoted_status_id": 936671583070023681, "quoted_status_id_str": "936671583070023681", "retweet_count": 11, "retweeted_status": {"created_at": "Fri Dec 01 19:06:55 +0000 2017", "favorite_count": 22, "hashtags": [], "id": 936672980146335744, "id_str": "936672980146335744", "lang": "en", "quoted_status": {"created_at": "Fri Dec 01 19:01:22 +0000 2017", "favorite_count": 20, "hashtags": [], "id": 936671583070023681, "id_str": "936671583070023681", "lang": "en", "retweet_count": 22, "source": "<a href=\"http://bufferapp.com\" rel=\"nofollow\">Buffer</a>", "text": "The Robot Invasion Is Coming\n\nA new study suggests that 800 million jobs could be at risk worldwide by 2030:\u2026 https://t.co/N4tdDy8cAj", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936671583070023681", "url": "https://t.co/N4tdDy8cAj"}], "user": {"created_at": "Wed Mar 28 22:39:21 +0000 2007", "description": "Official Twitter feed for the Fast Company business media brand; inspiring readers to think beyond traditional boundaries & create the future of business.", "favourites_count": 7657, "followers_count": 2318705, "friends_count": 4017, "geo_enabled": true, "id": 2735591, "lang": "en", "listed_count": 44622, "location": "New York, NY", "name": "Fast Company", "profile_background_color": "FFFFFF", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/425029708/2048x1600-fc-twitter-backgrd.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/2735591/1510956770", "profile_image_url": "http://pbs.twimg.com/profile_images/875769219400351744/ib7iIvRF_normal.jpg", "profile_link_color": "9AB2B4", "profile_sidebar_fill_color": "CCCCCC", "profile_text_color": "000000", "screen_name": "FastCompany", "statuses_count": 173659, "time_zone": "Eastern Time (US & Canada)", "url": "http://t.co/GBtvUq9rZp", "utc_offset": -18000, "verified": true}, "user_mentions": []}, "quoted_status_id": 936671583070023681, "quoted_status_id_str": "936671583070023681", "retweet_count": 11, "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": "Much reporting about automation misses the key point - @McKinsey_MGI also forecast work creation that can offset di\u2026 https://t.co/RNpcnQ3yzc", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936672980146335744", "url": "https://t.co/RNpcnQ3yzc"}], "user": {"created_at": "Fri Feb 20 08:36:41 +0000 2009", "default_profile": true, "description": "Public policy research @Uber, with focus on (the future of) work. Brit in SF. Previously: @Coadec, @DFID_UK, @DCMS. Views my own.", "favourites_count": 10545, "followers_count": 4893, "friends_count": 3563, "geo_enabled": true, "id": 21383965, "lang": "en", "listed_count": 324, "location": "San Francisco, CA", "name": "Guy Levin", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/21383965/1506391031", "profile_image_url": "http://pbs.twimg.com/profile_images/750314933498351616/wb-C397l_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "guy_levin", "statuses_count": 17598, "time_zone": "Pacific Time (US & Canada)", "utc_offset": -28800}, "user_mentions": [{"id": 348659640, "name": "McKinsey Global Inst", "screen_name": "McKinsey_MGI"}]}, "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "RT @guy_levin: Much reporting about automation misses the key point - @McKinsey_MGI also forecast work creation that can offset displacemen\u2026", "urls": [], "user": {"created_at": "Mon Nov 30 18:08:51 +0000 2009", "default_profile": true, "description": "Tech junkie, PwC Partner, Dad, frustrated guitarist & wannabe pro athlete. Currently spend most of my time supporting Canadian innovation. Views are my own.", "favourites_count": 2772, "followers_count": 1474, "friends_count": 1927, "id": 93681399, "lang": "en", "listed_count": 215, "location": "Toronto", "name": "Chris Dulny", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/93681399/1511984160", "profile_image_url": "http://pbs.twimg.com/profile_images/852593131992346624/v9wR_u67_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "Dulny", "statuses_count": 2860, "time_zone": "Eastern Time (US & Canada)", "url": "https://t.co/rhvFZbtij4", "utc_offset": -18000}, "user_mentions": [{"id": 21383965, "name": "Guy Levin", "screen_name": "guy_levin"}, {"id": 348659640, "name": "McKinsey Global Inst", "screen_name": "McKinsey_MGI"}]},
{"created_at": "Fri Dec 01 22:15:59 +0000 2017", "hashtags": [], "id": 936720558322044928, "id_str": "936720558322044928", "in_reply_to_screen_name": "CivEkonom", "in_reply_to_status_id": 936347270072717314, "in_reply_to_user_id": 3433858259, "lang": "en", "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": "@CivEkonom :) But is is...not the way they thought though. Its \"bleeding\" into automation => Less employees, hence\u2026 https://t.co/YYSTcB1eFi", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936720558322044928", "url": "https://t.co/YYSTcB1eFi"}], "user": {"created_at": "Wed Sep 09 21:13:03 +0000 2009", "default_profile": true, "default_profile_image": true, "favourites_count": 4053, "followers_count": 255, "friends_count": 217, "id": 72952542, "lang": "en", "listed_count": 5, "name": "Libertarian", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_image_url": "http://abs.twimg.com/sticky/default_profile_images/default_profile_normal.png", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "naitwit", "statuses_count": 17266, "time_zone": "Pacific Time (US & Canada)", "utc_offset": -28800}, "user_mentions": [{"id": 3433858259, "name": "Civ Ekonom", "screen_name": "CivEkonom"}]},
{"created_at": "Fri Dec 01 22:15:59 +0000 2017", "hashtags": [{"text": "automation"}], "id": 936720557801988096, "id_str": "936720557801988096", "lang": "en", "retweet_count": 2, "retweeted_status": {"created_at": "Fri Dec 01 19:40:07 +0000 2017", "favorite_count": 2, "hashtags": [{"text": "automation"}], "id": 936681336479379457, "id_str": "936681336479379457", "lang": "en", "retweet_count": 2, "source": "<a href=\"http://www.hootsuite.com\" rel=\"nofollow\">Hootsuite</a>", "text": "How #automation improved the world\u2019s biggest chemicals producer; an informative Q&A with Kevin Starr.\u2026 https://t.co/RykFlsLDgs", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936681336479379457", "url": "https://t.co/RykFlsLDgs"}], "user": {"created_at": "Thu Jan 19 16:42:50 +0000 2017", "description": "Complete portfolio of world-class services to ensure maximum performance of your equipment and processes. #industrialAutomation #industryAutomationService #abb", "favourites_count": 390, "followers_count": 420, "friends_count": 447, "id": 822122154057728000, "lang": "en", "listed_count": 8, "name": "ABB Industry Service", "profile_background_color": "000000", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/822122154057728000/1484926514", "profile_image_url": "http://pbs.twimg.com/profile_images/822467579394555904/7wIlPVLQ_normal.jpg", "profile_link_color": "004B7A", "profile_sidebar_fill_color": "000000", "profile_text_color": "000000", "screen_name": "abbindustryserv", "statuses_count": 568, "time_zone": "Eastern Time (US & Canada)", "url": "https://t.co/kRappXZ2ss", "utc_offset": -18000}, "user_mentions": []}, "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": "RT @abbindustryserv: How #automation improved the world\u2019s biggest chemicals producer; an informative Q&A with Kevin Starr. https://t.co/NGx\u2026", "urls": [], "user": {"created_at": "Fri Mar 01 11:15:16 +0000 2013", "description": "The official ABB Oil, Gas and Chemicals Twitter page. Follow us for latest news on technologies, industry trends, events, systems, solutions and services.", "favourites_count": 2255, "followers_count": 3077, "friends_count": 799, "id": 1229582408, "lang": "en", "listed_count": 103, "name": "ABBOil,Gas&Chemicals", "profile_background_color": "EDECE9", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/803519851/9486e1e34f4b84b3db6ad7c481ddcbaa.jpeg", "profile_banner_url": "https://pbs.twimg.com/profile_banners/1229582408/1489497365", "profile_image_url": "http://pbs.twimg.com/profile_images/841609379178766336/379qec7E_normal.jpg", "profile_link_color": "ABB8C2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "ABBoilandgas", "statuses_count": 2892, "time_zone": "Rome", "url": "http://t.co/Z3r2TY7cah", "utc_offset": 3600}, "user_mentions": [{"id": 822122154057728000, "name": "ABB Industry Service", "screen_name": "abbindustryserv"}]},
{"created_at": "Fri Dec 01 22:15:55 +0000 2017", "hashtags": [], "id": 936720542739996672, "id_str": "936720542739996672", "lang": "en", "retweet_count": 140, "retweeted_status": {"created_at": "Thu Nov 30 15:45:53 +0000 2017", "favorite_count": 158, "hashtags": [], "id": 936260001093500928, "id_str": "936260001093500928", "lang": "en", "retweet_count": 140, "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "Share of current work hours w/ potential for automation by 2030\n \nJapan 26%\nGermany 24%\nUS 23%\nChina 16%\nIndia 9%\n \nGlobal 15%\n \n(McKinsey)", "urls": [], "user": {"created_at": "Tue Jul 28 02:23:28 +0000 2009", "description": "political scientist, author, prof at nyu, columnist at time, president @eurasiagroup. if you lived here, you'd be home now.", "favourites_count": 411, "followers_count": 339244, "friends_count": 1192, "id": 60783724, "lang": "en", "listed_count": 7482, "name": "ian bremmer", "profile_background_color": "022330", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme15/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/60783724/1510920762", "profile_image_url": "http://pbs.twimg.com/profile_images/935214204658900992/vGPSlT2T_normal.jpg", "profile_link_color": "3489B3", "profile_sidebar_fill_color": "C0DFEC", "profile_text_color": "333333", "screen_name": "ianbremmer", "statuses_count": 27492, "time_zone": "Eastern Time (US & Canada)", "url": "https://t.co/RyT2ScT8cy", "utc_offset": -18000, "verified": true}, "user_mentions": []}, "source": "<a href=\"https://mobile.twitter.com\" rel=\"nofollow\">Twitter Lite</a>", "text": "RT @ianbremmer: Share of current work hours w/ potential for automation by 2030\n \nJapan 26%\nGermany 24%\nUS 23%\nChina 16%\nIndia 9%\n \nGlobal\u2026", "urls": [], "user": {"created_at": "Wed Jun 15 19:13:56 +0000 2016", "default_profile": true, "description": "\u6cd5\u5b66(private international law) \u2502 \u8da3\u5473: \u30e2\u30f3\u30cf\u30f3 & \u767d\u9ed2\u732b & CyberSecurity(Hacking)", "favourites_count": 12921, "followers_count": 268, "friends_count": 83, "id": 743159626422583297, "lang": "ja", "listed_count": 3, "name": "Levi@Teamlin5", "profile_background_color": "F5F8FA", "profile_banner_url": "https://pbs.twimg.com/profile_banners/743159626422583297/1493536087", "profile_image_url": "http://pbs.twimg.com/profile_images/922056963642363905/7hYKUn95_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "black_levi_l", "statuses_count": 15798, "time_zone": "Pacific Time (US & Canada)", "utc_offset": -28800}, "user_mentions": [{"id": 60783724, "name": "ian bremmer", "screen_name": "ianbremmer"}]},
{"created_at": "Fri Dec 01 22:15:48 +0000 2017", "favorite_count": 1, "hashtags": [], "id": 936720515363999745, "id_str": "936720515363999745", "lang": "en", "media": [{"display_url": "pic.twitter.com/9ggFBol0mi", "expanded_url": "https://twitter.com/rclarke/status/936720515363999745/photo/1", "id": 936720509332611077, "media_url": "http://pbs.twimg.com/media/DP_mVxyX4AU5lQp.jpg", "media_url_https": "https://pbs.twimg.com/media/DP_mVxyX4AU5lQp.jpg", "sizes": {"large": {"h": 1233, "resize": "fit", "w": 1233}, "medium": {"h": 1200, "resize": "fit", "w": 1200}, "small": {"h": 680, "resize": "fit", "w": 680}, "thumb": {"h": 150, "resize": "crop", "w": 150}}, "type": "photo", "url": "https://t.co/9ggFBol0mi"}], "source": "<a href=\"http://www.echofon.com/\" rel=\"nofollow\">Echofon</a>", "text": "Novelty Automation\u2019s donation box lets you try to break a wine glass with your mind. https://t.co/9ggFBol0mi", "urls": [], "user": {"created_at": "Sat Apr 28 22:26:46 +0000 2007", "description": "Producer of computer games. Writing #BAFTA here for the approval of skim readers.", "favourites_count": 4848, "followers_count": 1149, "friends_count": 760, "id": 5614032, "lang": "en", "listed_count": 87, "location": "London, Europe", "name": "Robin Clarke", "profile_background_color": "000000", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/666321745/fdba3ddc8c4b84167abda1f4d815d037.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/5614032/1507764628", "profile_image_url": "http://pbs.twimg.com/profile_images/919354986173206529/4UxvlrFO_normal.jpg", "profile_link_color": "492D45", "profile_sidebar_fill_color": "FFFFFF", "profile_text_color": "080808", "screen_name": "rclarke", "statuses_count": 44380, "time_zone": "London", "url": "https://t.co/hYk31EOo4o"}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:15:47 +0000 2017", "hashtags": [], "id": 936720507948367872, "id_str": "936720507948367872", "lang": "en", "retweet_count": 5, "retweeted_status": {"created_at": "Fri Dec 01 21:35:03 +0000 2017", "favorite_count": 5, "hashtags": [], "id": 936710259351130118, "id_str": "936710259351130118", "lang": "en", "retweet_count": 5, "source": "<a href=\"http://coschedule.com\" rel=\"nofollow\">CoSchedule</a>", "text": "New paper authored by @TvanderArk explore whats happening in the automation economy, civic and social implications\u2026 https://t.co/QOcelse64v", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936710259351130118", "url": "https://t.co/QOcelse64v"}], "user": {"created_at": "Sat Mar 26 19:23:37 +0000 2011", "description": "Getting Smart supports innovations in learning, education & technology. Our mission is to help more young people get smart & connect to the idea economy.", "favourites_count": 22098, "followers_count": 57592, "friends_count": 5636, "geo_enabled": true, "id": 272561168, "lang": "en", "listed_count": 2552, "name": "Getting Smart", "profile_background_color": "9B2622", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/471380479120130048/5LdPFfbh.jpeg", "profile_banner_url": "https://pbs.twimg.com/profile_banners/272561168/1495228087", "profile_image_url": "http://pbs.twimg.com/profile_images/471381318303879168/DsrDshow_normal.png", "profile_link_color": "8B1C1C", "profile_sidebar_fill_color": "FFFFFF", "profile_text_color": "333333", "screen_name": "Getting_Smart", "statuses_count": 43396, "time_zone": "Central Time (US & Canada)", "url": "http://t.co/cbnANXMXkc", "utc_offset": -21600}, "user_mentions": [{"id": 26928955, "name": "Tom Vander Ark", "screen_name": "tvanderark"}]}, "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "RT @Getting_Smart: New paper authored by @TvanderArk explore whats happening in the automation economy, civic and social implications and h\u2026", "urls": [], "user": {"created_at": "Thu Aug 04 12:57:28 +0000 2011", "description": "Head of School @HTSRichmondhill an innovative and caring community committed to academic excellence, & developing well-rounded learners who thrive in our world", "favourites_count": 19207, "followers_count": 1628, "friends_count": 2525, "geo_enabled": true, "id": 348444368, "lang": "en", "listed_count": 329, "location": "Toronto, ON Canada", "name": "Helen Pereira-Raso", "profile_background_color": "000000", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/348444368/1499055504", "profile_image_url": "http://pbs.twimg.com/profile_images/895820172988166144/laCpXF3p_normal.jpg", "profile_link_color": "ABB8C2", "profile_sidebar_fill_color": "000000", "profile_text_color": "000000", "screen_name": "pereira_rasoHTS", "statuses_count": 14313, "time_zone": "Eastern Time (US & Canada)", "url": "https://t.co/vpMLmjPqBx", "utc_offset": -18000}, "user_mentions": [{"id": 272561168, "name": "Getting Smart", "screen_name": "Getting_Smart"}, {"id": 26928955, "name": "Tom Vander Ark", "screen_name": "tvanderark"}]},
{"created_at": "Fri Dec 01 22:15:46 +0000 2017", "hashtags": [], "id": 936720506878922753, "id_str": "936720506878922753", "lang": "en", "media": [{"display_url": "pic.twitter.com/jsnECataEj", "expanded_url": "https://twitter.com/AnilAgrawal64/status/936720506878922753/photo/1", "id": 936720502579752960, "media_url": "http://pbs.twimg.com/media/DP_mVYoXcAApLB3.jpg", "media_url_https": "https://pbs.twimg.com/media/DP_mVYoXcAApLB3.jpg", "sizes": {"large": {"h": 1080, "resize": "fit", "w": 911}, "medium": {"h": 1080, "resize": "fit", "w": 911}, "small": {"h": 680, "resize": "fit", "w": 574}, "thumb": {"h": 150, "resize": "crop", "w": 150}}, "type": "photo", "url": "https://t.co/jsnECataEj"}], "source": "<a href=\"https://smarterqueue.com\" rel=\"nofollow\">SmarterQueue</a>", "text": "Drip - The Best Email Marketing Automation Tool You Will Ever See! @getdrip Check them out! https://t.co/bRSJXNS43g https://t.co/jsnECataEj", "urls": [{"expanded_url": "http://www.leadershipfocushq.com/Drip", "url": "https://t.co/bRSJXNS43g"}], "user": {"created_at": "Sat Sep 20 17:29:13 +0000 2014", "description": "Helping people Avoid Burnout \u2666\ufe0e Work Less \u2666\ufe0e Get More Done \u2666\ufe0e Build Trust \u2666\ufe0e Minimize Stress \u2666\ufe0e Live Happier! Save 3hrs/week: https://t.co/Mspc0gg27m", "favourites_count": 4596, "followers_count": 633, "friends_count": 346, "id": 2778058834, "lang": "en", "listed_count": 270, "location": "San Diego, California", "name": "Anil Agrawal", "profile_background_color": "000000", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/2778058834/1475824940", "profile_image_url": "http://pbs.twimg.com/profile_images/627709953533345792/BdVKhjCI_normal.jpg", "profile_link_color": "3B94D9", "profile_sidebar_fill_color": "000000", "profile_text_color": "000000", "screen_name": "AnilAgrawal64", "statuses_count": 7561, "time_zone": "Pacific Time (US & Canada)", "url": "https://t.co/ykm951yhbL", "utc_offset": -28800}, "user_mentions": [{"id": 1081294531, "name": "The Drip Team", "screen_name": "getdrip"}]},
{"created_at": "Fri Dec 01 22:15:38 +0000 2017", "hashtags": [{"text": "UBI"}], "id": 936720472720465920, "id_str": "936720472720465920", "lang": "en", "retweet_count": 1, "retweeted_status": {"created_at": "Fri Dec 01 21:23:01 +0000 2017", "hashtags": [{"text": "UBI"}], "id": 936707229142716418, "id_str": "936707229142716418", "lang": "en", "retweet_count": 1, "source": "<a href=\"http://bufferapp.com\" rel=\"nofollow\">Buffer</a>", "text": "Experts Say Universal Basic Income Would Boost US Economy by Staggering $2.5T https://t.co/ynSq8anQt9 #UBI\u2026 https://t.co/jwFSUbSevb", "truncated": true, "urls": [{"expanded_url": "http://bit.ly/2AulrDR", "url": "https://t.co/ynSq8anQt9"}, {"expanded_url": "https://twitter.com/i/web/status/936707229142716418", "url": "https://t.co/jwFSUbSevb"}], "user": {"created_at": "Fri Feb 11 09:09:36 +0000 2011", "description": "disrupting with intention", "favourites_count": 84, "followers_count": 2215, "friends_count": 1775, "id": 250543278, "lang": "en", "listed_count": 144, "name": "DisruptiveInnovation", "profile_background_color": "9FD5F9", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/299775198/x1e7f39f18aa070c8e03babffd500d2b.png", "profile_background_tile": true, "profile_banner_url": "https://pbs.twimg.com/profile_banners/250543278/1400176494", "profile_image_url": "http://pbs.twimg.com/profile_images/887728189740417024/FzXVqhob_normal.jpg", "profile_link_color": "F20000", "profile_sidebar_fill_color": "4B1122", "profile_text_color": "D3D3D3", "screen_name": "thinkdisruptive", "statuses_count": 18728, "time_zone": "Quito", "url": "http://t.co/QUpfM1ZUd0", "utc_offset": -18000}, "user_mentions": []}, "source": "<a href=\"https://BasicIncomeBot.scot\" rel=\"nofollow\">BasicIncomeRTFav</a>", "text": "RT @thinkdisruptive: Experts Say Universal Basic Income Would Boost US Economy by Staggering $2.5T https://t.co/ynSq8anQt9 #UBI #basicincom\u2026", "urls": [{"expanded_url": "http://bit.ly/2AulrDR", "url": "https://t.co/ynSq8anQt9"}], "user": {"created_at": "Wed Jul 26 20:37:48 +0000 2017", "default_profile": true, "followers_count": 38, "friends_count": 5, "id": 890310201991204865, "lang": "en", "listed_count": 1, "name": "Basic Income", "profile_background_color": "F5F8FA", "profile_banner_url": "https://pbs.twimg.com/profile_banners/890310201991204865/1501102350", "profile_image_url": "http://pbs.twimg.com/profile_images/890313977091293184/x7c-0Tsn_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "BIvsAI", "statuses_count": 608}, "user_mentions": [{"id": 250543278, "name": "DisruptiveInnovation", "screen_name": "thinkdisruptive"}]},
{"created_at": "Fri Dec 01 22:15:24 +0000 2017", "hashtags": [], "id": 936720413341765636, "id_str": "936720413341765636", "in_reply_to_screen_name": "spiritscall", "in_reply_to_status_id": 936719645209489408, "in_reply_to_user_id": 160765792, "lang": "en", "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "@spiritscall Not so easy. Many owner haulers barely make enough to keep their families and pay rent. Takes a mortga\u2026 https://t.co/B1vJ9HD0x9", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936720413341765636", "url": "https://t.co/B1vJ9HD0x9"}], "user": {"created_at": "Fri Dec 25 21:46:49 +0000 2009", "default_profile": true, "description": "\ud83c\uddff\ud83c\udde6\ud83c\uddfa\ud83c\uddf8Proud father & grandfather, learning manager, educator, advocate for underserved and powerless.", "favourites_count": 300, "followers_count": 131, "friends_count": 150, "geo_enabled": true, "id": 99365565, "lang": "en", "listed_count": 3, "location": "Houston, TX", "name": "John Classen", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/99365565/1501712967", "profile_image_url": "http://pbs.twimg.com/profile_images/892874705786380288/2Q2YYdSn_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "classenj", "statuses_count": 1509, "time_zone": "Central Time (US & Canada)", "url": "https://t.co/90ABJCGtsx", "utc_offset": -21600}, "user_mentions": [{"id": 160765792, "name": "Glynden Bode", "screen_name": "spiritscall"}]},
{"created_at": "Fri Dec 01 22:15:23 +0000 2017", "hashtags": [], "id": 936720409470177281, "id_str": "936720409470177281", "lang": "en", "source": "<a href=\"https://dlvrit.com/\" rel=\"nofollow\">dlvr.it</a>", "text": "[From our network] WordPress 4.1 Released, DNN Open Sources Automation Framework, More News https://t.co/jBfcOmqX0V\u2026 https://t.co/JAxe6O8N9J", "truncated": true, "urls": [{"expanded_url": "http://dlvr.it/Q3tYSj", "url": "https://t.co/jBfcOmqX0V"}, {"expanded_url": "https://twitter.com/i/web/status/936720409470177281", "url": "https://t.co/JAxe6O8N9J"}], "user": {"created_at": "Sat Jun 26 16:53:53 +0000 2010", "description": "Tracommy | International Travel Advisers Community. Networking for travel and tourism professionals. Tweet desk: Michael Gebhardt/Founder.", "favourites_count": 2575, "followers_count": 1486, "friends_count": 1200, "geo_enabled": true, "id": 159907377, "lang": "en", "listed_count": 356, "location": "Central service desk Germany", "name": "Tracommy", "profile_background_color": "C0DEED", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/326071441/banner.jpg", "profile_background_tile": true, "profile_banner_url": "https://pbs.twimg.com/profile_banners/159907377/1423224117", "profile_image_url": "http://pbs.twimg.com/profile_images/499631616289816578/5aYmGyQB_normal.jpeg", "profile_link_color": "0084B4", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "ta_community", "statuses_count": 26839, "time_zone": "Berlin", "url": "https://t.co/wQEiKJadh2", "utc_offset": 3600}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:15:23 +0000 2017", "hashtags": [{"text": "DemandGen"}], "id": 936720407805251587, "id_str": "936720407805251587", "lang": "en", "source": "<a href=\"https://www.socialoomph.com\" rel=\"nofollow\">SocialOomph</a>", "text": "A Left-The-Company email is a powerful revenue booster. Are you mining yours? https://t.co/y0TogxCUvc #DemandGen\u2026 https://t.co/lU4HYtqfuz", "truncated": true, "urls": [{"expanded_url": "http://dld.bz/eRHUJ", "url": "https://t.co/y0TogxCUvc"}, {"expanded_url": "https://twitter.com/i/web/status/936720407805251587", "url": "https://t.co/lU4HYtqfuz"}], "user": {"created_at": "Thu Mar 19 17:19:30 +0000 2015", "default_profile": true, "description": "Reply Email Mining app grows pipeline, increases sales velocity, & identifies sales trigger events #EmailMarketing #marketing #sales #ABM #ReplyEmailMining", "favourites_count": 1792, "followers_count": 5977, "friends_count": 4315, "id": 3097269568, "lang": "en", "listed_count": 648, "location": "Massachusetts, USA", "name": "LeadGnome", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/3097269568/1500243947", "profile_image_url": "http://pbs.twimg.com/profile_images/584036820582670337/SMKQYXET_normal.png", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "LeadGnome", "statuses_count": 21549, "time_zone": "Eastern Time (US & Canada)", "url": "https://t.co/8BwgPHBuNg", "utc_offset": -18000}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:15:21 +0000 2017", "hashtags": [{"text": "Automation"}, {"text": "technology"}, {"text": "futureofwork"}], "id": 936720400968433664, "id_str": "936720400968433664", "lang": "en", "retweet_count": 1, "source": "<a href=\"http://dynamicsignal.com/\" rel=\"nofollow\">VoiceStorm</a>", "text": "#Automation threatens 800 million jobs, but #technology could still save us, says @McKinsey report #futureofwork...\u2026 https://t.co/6PVConprA9", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936720400968433664", "url": "https://t.co/6PVConprA9"}], "user": {"created_at": "Sun Dec 27 09:07:18 +0000 2009", "default_profile": true, "description": "Chief Digital Officer & SVP @SAPAriba. Passionate about #Life, #Coffee, #PhD in #Politics, #MBA in #Economics, #SocialMedia Enthusiast and curious to learn&grow", "favourites_count": 26069, "followers_count": 12743, "friends_count": 7855, "geo_enabled": true, "id": 99674560, "lang": "en", "listed_count": 164, "location": "Frankfurt on the Main, Germany", "name": "Dr. Marcell Vollmer", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/99674560/1486476950", "profile_image_url": "http://pbs.twimg.com/profile_images/735212931940552704/83zOt4k5_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "mvollmer1", "statuses_count": 10576, "time_zone": "Berlin", "url": "https://t.co/AjP9pXboSl", "utc_offset": 3600}, "user_mentions": [{"id": 34042766, "name": "McKinsey & Company", "screen_name": "McKinsey"}]},
{"created_at": "Fri Dec 01 22:15:18 +0000 2017", "hashtags": [], "id": 936720387467079682, "id_str": "936720387467079682", "lang": "en", "quoted_status_id": 936375086713581569, "quoted_status_id_str": "936375086713581569", "retweet_count": 2, "retweeted_status": {"created_at": "Fri Dec 01 21:03:00 +0000 2017", "favorite_count": 2, "hashtags": [], "id": 936702194677624832, "id_str": "936702194677624832", "lang": "en", "quoted_status": {"created_at": "Thu Nov 30 23:23:12 +0000 2017", "favorite_count": 50, "hashtags": [], "id": 936375086713581569, "id_str": "936375086713581569", "in_reply_to_screen_name": "RepBetoORourke", "in_reply_to_status_id": 936364754511245312, "in_reply_to_user_id": 1134292500, "lang": "en", "retweet_count": 23, "source": "<a href=\"http://twitter.com/download/android\" rel=\"nofollow\">Twitter for Android</a>", "text": "@RepBetoORourke @luvman33wife It'll be the end of our country, no middle class, only the very poor and the very ric\u2026 https://t.co/ZJAQCvy6gL", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936375086713581569", "url": "https://t.co/ZJAQCvy6gL"}], "user": {"created_at": "Sun Jan 29 02:17:43 +0000 2017", "description": "lover and protector of animals, nature & environment, all life is valuable and should be protected at all cost #Resistance #NeverTrump", "favourites_count": 63258, "followers_count": 1972, "friends_count": 2193, "id": 825528318384603138, "lang": "en", "listed_count": 12, "location": "United States", "name": "Cyndee", "profile_background_color": "000000", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/825528318384603138/1486403954", "profile_image_url": "http://pbs.twimg.com/profile_images/845630880240537601/IaL33Wsx_normal.jpg", "profile_link_color": "19CF86", "profile_sidebar_fill_color": "000000", "profile_text_color": "000000", "screen_name": "Cyndee00663219", "statuses_count": 42474}, "user_mentions": [{"id": 1134292500, "name": "Rep. Beto O'Rourke", "screen_name": "RepBetoORourke"}, {"id": 81281442, "name": "jrt1971", "screen_name": "luvman33wife"}]}, "quoted_status_id": 936375086713581569, "quoted_status_id_str": "936375086713581569", "retweet_count": 2, "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": "THEY R CREATING A A HUGE LOWER CLASS IN FINANCIAL TERMS! ALL THIS MONEY WILL GO 2 AUTOMATION/PRIVATE SECURITY FORCE\u2026 https://t.co/XVz4M3Nupd", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936702194677624832", "url": "https://t.co/XVz4M3Nupd"}], "user": {"created_at": "Fri Sep 09 18:28:38 +0000 2016", "default_profile": true, "default_profile_image": true, "description": "LIVE! LOVE! LAUGH!COMEDY!SAD BUT TRUE/NOT TO B TAKEN SERIOUS!LIVE/LOVE/LAUGH!ALL OPINIONS R MY OWN", "favourites_count": 30082, "followers_count": 502, "friends_count": 616, "id": 774313579910721536, "lang": "en", "listed_count": 12, "name": "LIVE LOVE LAUGH", "profile_background_color": "F5F8FA", "profile_image_url": "http://abs.twimg.com/sticky/default_profile_images/default_profile_normal.png", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "smartmove19675", "statuses_count": 36682}, "user_mentions": []}, "source": "<a href=\"http://twitter.com/download/android\" rel=\"nofollow\">Twitter for Android</a>", "text": "RT @smartmove19675: THEY R CREATING A A HUGE LOWER CLASS IN FINANCIAL TERMS! ALL THIS MONEY WILL GO 2 AUTOMATION/PRIVATE SECURITY FORCES/MI\u2026", "urls": [], "user": {"created_at": "Sun Jan 29 02:17:43 +0000 2017", "description": "lover and protector of animals, nature & environment, all life is valuable and should be protected at all cost #Resistance #NeverTrump", "favourites_count": 63258, "followers_count": 1972, "friends_count": 2193, "id": 825528318384603138, "lang": "en", "listed_count": 12, "location": "United States", "name": "Cyndee", "profile_background_color": "000000", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/825528318384603138/1486403954", "profile_image_url": "http://pbs.twimg.com/profile_images/845630880240537601/IaL33Wsx_normal.jpg", "profile_link_color": "19CF86", "profile_sidebar_fill_color": "000000", "profile_text_color": "000000", "screen_name": "Cyndee00663219", "statuses_count": 42474}, "user_mentions": [{"id": 774313579910721536, "name": "LIVE LOVE LAUGH", "screen_name": "smartmove19675"}]},
{"created_at": "Fri Dec 01 22:15:14 +0000 2017", "hashtags": [], "id": 936720369263583232, "id_str": "936720369263583232", "lang": "en", "source": "<a href=\"http://www.linkedin.com/\" rel=\"nofollow\">LinkedIn</a>", "text": "Era of Digital workforce is arriving fast and furious - From Robotic Process Automation to Cognitive to Analytics.\u2026 https://t.co/ljEFFXjzCR", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936720369263583232", "url": "https://t.co/ljEFFXjzCR"}], "user": {"created_at": "Wed Apr 15 00:08:48 +0000 2015", "default_profile": true, "description": "Anything good that we can do, let us do it now for we may never come this way again", "favourites_count": 24, "followers_count": 728, "friends_count": 809, "id": 3167616784, "lang": "en", "listed_count": 14, "location": "Vancouver, British Columbia", "name": "Tony N Annette Chia", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/3167616784/1429059783", "profile_image_url": "http://pbs.twimg.com/profile_images/588133326600347648/e70xol4N_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "tonyannettechia", "statuses_count": 581, "time_zone": "Pacific Time (US & Canada)", "utc_offset": -28800}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:15:10 +0000 2017", "hashtags": [], "id": 936720352201396224, "id_str": "936720352201396224", "lang": "en", "source": "<a href=\"http://www.hootsuite.com\" rel=\"nofollow\">Hootsuite</a>", "text": "Many manufacturers are using outdated process automation systems, some as old as 25 years or more. Updated or moder\u2026 https://t.co/pZbULWmTnE", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936720352201396224", "url": "https://t.co/pZbULWmTnE"}], "user": {"created_at": "Thu Oct 05 20:00:00 +0000 2017", "default_profile": true, "description": "Quantum Solutions is an industry leading, full-service integrator of control and automation systems for process and packaging.", "favourites_count": 2, "followers_count": 4, "friends_count": 18, "id": 916030229684064257, "lang": "en", "location": "Columbia, IL", "name": "Quantum Solutions", "profile_background_color": "F5F8FA", "profile_banner_url": "https://pbs.twimg.com/profile_banners/916030229684064257/1507234099", "profile_image_url": "http://pbs.twimg.com/profile_images/916031309524242432/UtFOja-X_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "qsicontrols", "statuses_count": 14, "url": "https://t.co/UNj6lNej24"}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:15:09 +0000 2017", "hashtags": [{"text": "relax"}, {"text": "business"}, {"text": "OneTrack"}, {"text": "studio"}], "id": 936720348028039169, "id_str": "936720348028039169", "lang": "en", "source": "<a href=\"http://bufferapp.com\" rel=\"nofollow\">Buffer</a>", "text": "#relax out of your daily #business life. Live life with its fullest with #OneTrack. It's a #studio business\u2026 https://t.co/17sojQlG1f", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936720348028039169", "url": "https://t.co/17sojQlG1f"}], "user": {"created_at": "Thu Jul 13 08:55:34 +0000 2017", "description": "#Studio #management is now getting better with OnTrackStudio. A fully #automated #business studio to manage all your business needs with a click of a button.\ud83d\ude00", "favourites_count": 375, "followers_count": 437, "friends_count": 451, "id": 885422439248920576, "lang": "en", "listed_count": 2, "location": "North Carolina, USA", "name": "OnTrackStudio", "profile_background_color": "000000", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/885422439248920576/1511958484", "profile_image_url": "http://pbs.twimg.com/profile_images/908698381173714945/nAlO8yev_normal.jpg", "profile_link_color": "1B95E0", "profile_sidebar_fill_color": "000000", "profile_text_color": "000000", "screen_name": "StudioOnTrack", "statuses_count": 298, "time_zone": "Pacific Time (US & Canada)", "url": "https://t.co/8mhZ8FxOA6", "utc_offset": -28800}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:15:07 +0000 2017", "favorite_count": 1, "hashtags": [], "id": 936720340109156353, "id_str": "936720340109156353", "lang": "en", "source": "<a href=\"http://meetedgar.com\" rel=\"nofollow\">Meet Edgar</a>", "text": "Drip Review: 6 Reasons Why I Trusted My Business To An Upstart Marketing Automation Tool - Double Your Freelancing https://t.co/bEp83uTTjq", "urls": [{"expanded_url": "http://buff.ly/2bLG3gr", "url": "https://t.co/bEp83uTTjq"}], "user": {"created_at": "Sat Jul 08 21:19:05 +0000 2017", "description": "Business doesn\u2019t exist without relationship - Relationship doesn\u2019t exist without value - Value doesn\u2019t exist without relevance", "favourites_count": 309, "followers_count": 1253, "friends_count": 1165, "id": 883797612066951168, "lang": "en", "listed_count": 8, "location": "Fort Lauderdale, FL", "name": "Rebecca DeForest", "profile_background_color": "000000", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/883797612066951168/1499550031", "profile_image_url": "http://pbs.twimg.com/profile_images/883802259800428544/4wODXXs1_normal.jpg", "profile_link_color": "715FFD", "profile_sidebar_fill_color": "000000", "profile_text_color": "000000", "screen_name": "Acceberann", "statuses_count": 10116, "url": "https://t.co/sOQMi5lEdP"}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:15:06 +0000 2017", "hashtags": [], "id": 936720337475194880, "id_str": "936720337475194880", "lang": "en", "source": "<a href=\"http://www.hootsuite.com\" rel=\"nofollow\">Hootsuite</a>", "text": "As many as 800 million workers worldwide may lose their jobs to robots and automation by 2030, equivalent to more t\u2026 https://t.co/hKIK2NsXyQ", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936720337475194880", "url": "https://t.co/hKIK2NsXyQ"}], "user": {"created_at": "Sat Mar 10 22:16:12 +0000 2012", "default_profile": true, "description": "World news delivered to enrich, inspire & transform our international community. As a trusted source we #factcheck & sift through the noise to deliver #truth", "favourites_count": 350, "followers_count": 2373, "friends_count": 2014, "geo_enabled": true, "id": 520781000, "lang": "en", "listed_count": 245, "location": "Everywhere", "name": "trueHUEnews", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/520781000/1422040444", "profile_image_url": "http://pbs.twimg.com/profile_images/558701116888588288/jdUyUh2u_normal.jpeg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "truehuenews", "statuses_count": 7096, "time_zone": "Pacific Time (US & Canada)", "url": "https://t.co/fpTZmDj1P0", "utc_offset": -28800}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:14:59 +0000 2017", "hashtags": [], "id": 936720309855686656, "id_str": "936720309855686656", "lang": "en", "source": "<a href=\"http://www.google.com/\" rel=\"nofollow\">Google</a>", "text": "Control and Automation Engineer (System Integration): Our client a major TPI company\u2026 https://t.co/fABr1msZxW", "urls": [{"expanded_url": "https://goo.gl/fb/h1DeM4", "url": "https://t.co/fABr1msZxW"}], "user": {"created_at": "Tue Oct 25 14:47:54 +0000 2011", "description": "Middle East Job feed for Pravasis.", "followers_count": 3563, "id": 398067695, "lang": "en", "listed_count": 186, "location": "UAE", "name": "Pravasam jobs", "profile_background_color": "ACDED6", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme18/bg.gif", "profile_image_url": "http://pbs.twimg.com/profile_images/1606113330/PSP_jobs-FB-Icon_normal.jpg", "profile_link_color": "038543", "profile_sidebar_fill_color": "F6F6F6", "profile_text_color": "333333", "screen_name": "PSP_jobs", "statuses_count": 435628, "url": "http://t.co/pLhpkCvkuO"}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:14:58 +0000 2017", "hashtags": [], "id": 936720303685636097, "id_str": "936720303685636097", "lang": "en", "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": "How can you automate the fastening process and collect torque data for documentation? Learn the options here:\u2026 https://t.co/ZuQMTGzA2t", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936720303685636097", "url": "https://t.co/ZuQMTGzA2t"}], "user": {"created_at": "Sun Mar 08 05:53:30 +0000 2009", "description": "The Torque Tool Specialists\r\nContact us at 1-888-654-8879 for any #Torque related questions!", "favourites_count": 47, "followers_count": 436, "friends_count": 271, "geo_enabled": true, "id": 23282145, "lang": "en", "listed_count": 17, "location": "San Jose, CA", "name": "Mountz Inc", "profile_background_color": "C0DEED", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/127068094/background_mountz.jpg", "profile_banner_url": "https://pbs.twimg.com/profile_banners/23282145/1454341650", "profile_image_url": "http://pbs.twimg.com/profile_images/1083126227/Mountz_Logo_Resized_3_normal.jpg", "profile_link_color": "D02C16", "profile_sidebar_fill_color": "252429", "profile_text_color": "A3A3A3", "screen_name": "mountztorque", "statuses_count": 1421, "time_zone": "Pacific Time (US & Canada)", "url": "http://t.co/SdIbUUBoIn", "utc_offset": -28800}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:14:58 +0000 2017", "hashtags": [], "id": 936720302192676866, "id_str": "936720302192676866", "lang": "en", "retweet_count": 81, "retweeted_status": {"created_at": "Fri Dec 01 06:03:23 +0000 2017", "favorite_count": 309, "hashtags": [], "id": 936475797648326656, "id_str": "936475797648326656", "lang": "en", "retweet_count": 81, "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "AlI gotta say is it\u2019s a good thing we\u2019re about to make billionaires invincible at the same time media companies con\u2026 https://t.co/QpaS84g3Ln", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936475797648326656", "url": "https://t.co/QpaS84g3Ln"}], "user": {"created_at": "Sat Aug 11 16:36:14 +0000 2007", "description": "writer at midnight / adult swim / the onion / the art of the deal: the movie / the fake news with ted nelms", "favourites_count": 28232, "followers_count": 29085, "friends_count": 1277, "geo_enabled": true, "id": 8126322, "lang": "en", "listed_count": 1005, "location": "los angeles ", "name": "Joe R", "profile_background_color": "1A1B1F", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme9/bg.gif", "profile_banner_url": "https://pbs.twimg.com/profile_banners/8126322/1482126803", "profile_image_url": "http://pbs.twimg.com/profile_images/815651058370236416/ujwY9QXT_normal.jpg", "profile_link_color": "2FC2EF", "profile_sidebar_fill_color": "252429", "profile_text_color": "666666", "screen_name": "Randazzoj", "statuses_count": 63057, "time_zone": "Pacific Time (US & Canada)", "url": "https://t.co/t934FoJ5b5", "utc_offset": -28800, "verified": true}, "user_mentions": []}, "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": "RT @Randazzoj: AlI gotta say is it\u2019s a good thing we\u2019re about to make billionaires invincible at the same time media companies consolidate\u2026", "urls": [], "user": {"created_at": "Sat May 10 05:22:24 +0000 2008", "description": "co-hosts @Gobbledygeeks // edits @justicedeli // watches a shit-ton of movies // loves Amber with his whole heart", "favourites_count": 35488, "followers_count": 820, "friends_count": 1931, "id": 14721764, "lang": "en", "listed_count": 53, "location": "Akron, OH", "name": "Arlo Wiley", "profile_background_color": "C0DEED", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/378800000029255321/946d55fb0e6f44ce4120bc44354fc08b.png", "profile_background_tile": true, "profile_banner_url": "https://pbs.twimg.com/profile_banners/14721764/1504037180", "profile_image_url": "http://pbs.twimg.com/profile_images/817552661654474753/yupUz67f_normal.jpg", "profile_link_color": "0084B4", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "UnpluggedCrazy", "statuses_count": 85241, "time_zone": "Eastern Time (US & Canada)", "url": "https://t.co/a6TjWMCjxi", "utc_offset": -18000}, "user_mentions": [{"id": 8126322, "name": "Joe R", "screen_name": "Randazzoj"}]},
{"created_at": "Fri Dec 01 22:14:30 +0000 2017", "hashtags": [{"text": "ProudTeacher"}], "id": 936720185389658112, "id_str": "936720185389658112", "lang": "en", "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "Explaining our robotics and automation module from Project Lead The Way. These kids AMAZE me!!! #ProudTeacher\u2026 https://t.co/VTabQb2f1g", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936720185389658112", "url": "https://t.co/VTabQb2f1g"}], "user": {"created_at": "Sun Nov 30 07:02:09 +0000 2014", "default_profile": true, "favourites_count": 403, "followers_count": 69, "friends_count": 74, "id": 2914482553, "lang": "en", "name": "Amanda Webber", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/2914482553/1456843900", "profile_image_url": "http://pbs.twimg.com/profile_images/538953689075953664/OJDuIyT1_normal.jpeg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "Amoonprincess83", "statuses_count": 139}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:14:29 +0000 2017", "hashtags": [], "id": 936720182742999041, "id_str": "936720182742999041", "lang": "en", "source": "<a href=\"https://mobile.twitter.com\" rel=\"nofollow\">Mobile Web (M2)</a>", "text": "Flaws Found in Moxa Factory Automation Products | https://t.co/KVsumE0Uag https://t.co/wKeRUkwoia", "urls": [{"expanded_url": "http://SecurityWeek.Com", "url": "https://t.co/KVsumE0Uag"}, {"expanded_url": "http://ref.gl/2DBQRRIe", "url": "https://t.co/wKeRUkwoia"}], "user": {"created_at": "Tue Jul 18 15:25:27 +0000 2017", "default_profile": true, "description": "Bored at work? Check out all these cool facts and stories about corporate life in America.", "followers_count": 802, "friends_count": 767, "id": 887332494961295361, "lang": "en", "listed_count": 16, "location": "Dearborn, MI", "name": "Office Daze", "profile_background_color": "F5F8FA", "profile_banner_url": "https://pbs.twimg.com/profile_banners/887332494961295361/1500475239", "profile_image_url": "http://pbs.twimg.com/profile_images/887683622152663040/lO1gV_Xc_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "OfficeDazes", "statuses_count": 27541}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:14:28 +0000 2017", "hashtags": [], "id": 936720178855010304, "id_str": "936720178855010304", "lang": "de", "source": "<a href=\"http://publicize.wp.com/\" rel=\"nofollow\">WordPress.com</a>", "text": "States see potential in intelligent automation, blockchain https://t.co/VpA3iBXicJ", "urls": [{"expanded_url": "http://todayforyou.org/?p=3809", "url": "https://t.co/VpA3iBXicJ"}], "user": {"created_at": "Sun Nov 27 00:48:29 +0000 2016", "default_profile": true, "description": "I like it\n#3Dprint\n#machine\n#music\n#syntheticbiology\n#trends\n#VR\n#artificialintelligence\n#theater\n#cryptocurrency\n#art\n#hadronscollider\n#medtech\n#cinema\n#tech", "followers_count": 4096, "friends_count": 4747, "id": 802675426292277248, "lang": "es", "listed_count": 23, "location": "United States", "name": "americafruitco", "profile_background_color": "F5F8FA", "profile_banner_url": "https://pbs.twimg.com/profile_banners/802675426292277248/1480210064", "profile_image_url": "http://pbs.twimg.com/profile_images/802685193379155969/mjJdNbnf_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "americafruitco", "statuses_count": 9224}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:14:27 +0000 2017", "hashtags": [], "id": 936720172370612224, "id_str": "936720172370612224", "lang": "de", "possibly_sensitive": true, "source": "<a href=\"http://publicize.wp.com/\" rel=\"nofollow\">WordPress.com</a>", "text": "States see potential in intelligent automation, blockchain https://t.co/0ZVwJTVzpK", "urls": [{"expanded_url": "http://todayforyou.org/?p=3809", "url": "https://t.co/0ZVwJTVzpK"}], "user": {"created_at": "Fri May 06 21:46:18 +0000 2016", "description": "Hoy en #3Dprint\n#maquina\n#musica\n#inteligenciaartificial\n#criptomoneda\n#arte\n#colisionadordehadrones\n#teatro\n#cine\n#tecnolog\u00eda\n#Biolog\u00edasint\u00e9tica\n#tendencias", "favourites_count": 4, "followers_count": 11420, "friends_count": 8772, "id": 728702454548725760, "lang": "es", "listed_count": 25, "location": "America", "name": "ganadineroamerica", "profile_background_color": "000000", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_image_url": "http://pbs.twimg.com/profile_images/928658915264552965/UYPtCdHX_normal.jpg", "profile_link_color": "19CF86", "profile_sidebar_fill_color": "000000", "profile_text_color": "000000", "screen_name": "ganaeuroamerica", "statuses_count": 23050, "time_zone": "Central America", "utc_offset": -21600}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:14:25 +0000 2017", "hashtags": [], "id": 936720166439747584, "id_str": "936720166439747584", "lang": "de", "source": "<a href=\"http://publicize.wp.com/\" rel=\"nofollow\">WordPress.com</a>", "text": "States see potential in intelligent automation, blockchain https://t.co/5TzI76k3Rp", "urls": [{"expanded_url": "http://todayforyou.org/?p=3809", "url": "https://t.co/5TzI76k3Rp"}], "user": {"created_at": "Wed Apr 12 00:26:53 +0000 2017", "default_profile": true, "description": "Today in #3Dprint\n#machine\n#music\n#artificialintelligence\n#theater\n#cryptocurrency\n#art\n#hadronscollider\n#medtech\n#technology\n#syntheticbiology\n#trends", "favourites_count": 2, "followers_count": 596, "friends_count": 811, "id": 851954741978554368, "lang": "en", "listed_count": 6, "location": "Miami, FL", "name": "accesoriesmodern", "profile_background_color": "F5F8FA", "profile_banner_url": "https://pbs.twimg.com/profile_banners/851954741978554368/1492557565", "profile_image_url": "http://pbs.twimg.com/profile_images/854473991959879680/mnkMjmaE_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "accesoriesmoder", "statuses_count": 5777, "url": "https://t.co/qhX9gEkpAc"}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:14:23 +0000 2017", "hashtags": [], "id": 936720155467550720, "id_str": "936720155467550720", "lang": "de", "possibly_sensitive": true, "source": "<a href=\"http://publicize.wp.com/\" rel=\"nofollow\">WordPress.com</a>", "text": "States see potential in intelligent automation, blockchain https://t.co/pbbIEe1pdm", "urls": [{"expanded_url": "http://todayforyou.org/?p=3809", "url": "https://t.co/pbbIEe1pdm"}], "user": {"created_at": "Sat Jul 09 16:08:42 +0000 2016", "default_profile": true, "description": "today in #3Dprint\n#hadronscollider\n#medtech\n#cinema\n#technology\n#syntheticbiology\n#trends\n#VR\n#music\n#artificialintelligence\n#theater\n#cryptocurrency\n#art", "favourites_count": 1, "followers_count": 7690, "friends_count": 6237, "id": 751810315759693824, "lang": "es", "listed_count": 22, "location": "america", "name": "americaearmoney", "profile_background_color": "F5F8FA", "profile_banner_url": "https://pbs.twimg.com/profile_banners/751810315759693824/1468094966", "profile_image_url": "http://pbs.twimg.com/profile_images/751890422306263040/M9bayHTx_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "americearnmoney", "statuses_count": 14131, "time_zone": "Eastern Time (US & Canada)", "utc_offset": -18000}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:14:06 +0000 2017", "hashtags": [], "id": 936720084915113984, "id_str": "936720084915113984", "lang": "en", "retweet_count": 3, "retweeted_status": {"created_at": "Fri Dec 01 21:52:46 +0000 2017", "favorite_count": 3, "hashtags": [], "id": 936714715824345088, "id_str": "936714715824345088", "in_reply_to_screen_name": "DOXAgr", "in_reply_to_status_id": 936674813392941056, "in_reply_to_user_id": 632714259, "lang": "en", "retweet_count": 3, "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": "@DOXAgr @Ruby2211250220 @zarahlee91 @Socialfave @bordong2 @oda_f @MGWV1OO @TM1BLYWD @3d_works1 @chikara_lnoue\u2026 https://t.co/eG9z0ULrni", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936714715824345088", "url": "https://t.co/eG9z0ULrni"}], "user": {"created_at": "Wed Jan 15 13:23:55 +0000 2014", "description": "\ud83c\uddf8\ufe0f\ud83c\uddf4\ufe0f\ud83c\udde8\ufe0f\ud83c\uddee\ufe0f\ud83c\udde6\ufe0f\ud83c\uddf1\ufe0f\ud83c\uddeb\ufe0f\ud83c\udde6\ufe0f\ud83c\uddfb\ufe0f\ud83c\uddea\ufe0f.\ud83c\uddf3\ufe0f\ud83c\uddea\ufe0f\ud83c\uddf9\nThe\ud83c\uddf5\ud83c\uddf1#Startup & the\ud83c\uddeb\ud83c\uddf7#Twitter #Tool\n#Brands #SMM #TM1SF #Poland #France @Socialfave\n\nhttps://t.co/WHG69pZ3MZ\nhttps://t.co/nccXATjdP7", "favourites_count": 73751, "followers_count": 43887, "friends_count": 21928, "id": 2292701738, "lang": "en", "listed_count": 1342, "location": "Brest, France", "name": "GTAT\ud83c\uddf5\ud83c\uddf1Socialfave", "profile_background_color": "FFCC4D", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/556444122743988224/Da6AlBLB.png", "profile_background_tile": true, "profile_banner_url": "https://pbs.twimg.com/profile_banners/2292701738/1511944353", "profile_image_url": "http://pbs.twimg.com/profile_images/930024685798125569/WhRBsyQo_normal.jpg", "profile_link_color": "DD2E46", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "GTATidea", "statuses_count": 131521, "time_zone": "Belgrade", "url": "https://t.co/kcUaYhF5Sf", "utc_offset": 3600}, "user_mentions": [{"id": 632714259, "name": "DOXA ( \u03b4\u03cc\u03be\u03b1 )", "screen_name": "DOXAgr"}, {"id": 3392791115, "name": "\u0455\u03c3\u0192\u03b9\u03b1 \ud83c\udf39\ud83d\udc8b", "screen_name": "Ruby2211250220"}, {"id": 320977780, "name": "#KnowYourRights", "screen_name": "zarahlee91"}, {"id": 3082932069, "name": "Social Fave", "screen_name": "Socialfave"}, {"id": 3293454098, "name": "G\u03a3\u042f\u039b #TeamUnidoS", "screen_name": "bordong2"}, {"id": 473316619, "name": "Fujio Oda\ud83d\udcab", "screen_name": "oda_f"}, {"id": 2279908795, "name": "\u2550\u2606M\u2606G\u2606W\u2606V\u2606\u2550", "screen_name": "MGWV1OO"}, {"id": 885567953265143809, "name": "VIP1", "screen_name": "TM1BLYWD"}, {"id": 2913668454, "name": "Yasuo", "screen_name": "3d_works1"}, {"id": 810122754120790017, "name": "Chikara_Inoue", "screen_name": "chikara_lnoue"}]}, "source": "<a href=\"http://twitter.com/download/android\" rel=\"nofollow\">Twitter for Android</a>", "text": "RT @GTATidea: @DOXAgr @Ruby2211250220 @zarahlee91 @Socialfave @bordong2 @oda_f @MGWV1OO @TM1BLYWD @3d_works1 @chikara_lnoue @ken_f12 Smile\u2026", "urls": [], "user": {"created_at": "Fri Sep 07 12:54:52 +0000 2012", "description": "\u0639\u0644\u0649 \u0628\u0627\u0628 \u0627\u0644\u0644\u0647", "favourites_count": 101302, "followers_count": 29381, "friends_count": 17529, "geo_enabled": true, "id": 808821950, "lang": "en", "listed_count": 456, "name": "\u0639\u0627\u0628\u0631 \u0633\u0628\u064a\u0644", "profile_background_color": "89C9FA", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_image_url": "http://pbs.twimg.com/profile_images/464725607834587136/rMPaz8nK_normal.jpeg", "profile_link_color": "0084B4", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "ashrafrefaat8", "statuses_count": 458647}, "user_mentions": [{"id": 2292701738, "name": "GTAT\ud83c\uddf5\ud83c\uddf1Socialfave", "screen_name": "GTATidea"}, {"id": 632714259, "name": "DOXA ( \u03b4\u03cc\u03be\u03b1 )", "screen_name": "DOXAgr"}, {"id": 3392791115, "name": "\u0455\u03c3\u0192\u03b9\u03b1 \ud83c\udf39\ud83d\udc8b", "screen_name": "Ruby2211250220"}, {"id": 320977780, "name": "#KnowYourRights", "screen_name": "zarahlee91"}, {"id": 3082932069, "name": "Social Fave", "screen_name": "Socialfave"}, {"id": 3293454098, "name": "G\u03a3\u042f\u039b #TeamUnidoS", "screen_name": "bordong2"}, {"id": 473316619, "name": "Fujio Oda\ud83d\udcab", "screen_name": "oda_f"}, {"id": 2279908795, "name": "\u2550\u2606M\u2606G\u2606W\u2606V\u2606\u2550", "screen_name": "MGWV1OO"}, {"id": 885567953265143809, "name": "VIP1", "screen_name": "TM1BLYWD"}, {"id": 2913668454, "name": "Yasuo", "screen_name": "3d_works1"}, {"id": 810122754120790017, "name": "Chikara_Inoue", "screen_name": "chikara_lnoue"}, {"id": 1901923446, "name": "Ken", "screen_name": "ken_f12"}]},
{"created_at": "Fri Dec 01 22:13:37 +0000 2017", "favorite_count": 2, "hashtags": [{"text": "RoboTwity"}], "id": 936719963703922688, "id_str": "936719963703922688", "lang": "en", "retweet_count": 1, "source": "<a href=\"https://mobile.twitter.com\" rel=\"nofollow\">Twitter Lite</a>", "text": "nice and very helpful twitter automation tool!\n#RoboTwity\nhttps://t.co/y6LNnu8C9q", "urls": [{"expanded_url": "https://goo.gl/KyNqQl?91066", "url": "https://t.co/y6LNnu8C9q"}], "user": {"created_at": "Mon Aug 03 15:16:58 +0000 2009", "description": "Se hizo absolutamente necesaria e inevitable una intervenci\u00f3n internacional humanitaria y su primera fase ser\u00e1 militar Hay que destruir el narco estado", "favourites_count": 886, "followers_count": 290645, "friends_count": 267079, "id": 62537327, "lang": "es", "listed_count": 874, "location": "Venezuela", "name": "Alberto Franceschi", "profile_background_color": "C0DEED", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/288057702/512px-E8PetrieFull_svg.jpg", "profile_background_tile": true, "profile_banner_url": "https://pbs.twimg.com/profile_banners/62537327/1431033853", "profile_image_url": "http://pbs.twimg.com/profile_images/607930473545908224/hUf4RmNb_normal.jpg", "profile_link_color": "0084B4", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "alFranceschi", "statuses_count": 76789, "time_zone": "Eastern Time (US & Canada)", "url": "https://t.co/W4O9ajdgkk", "utc_offset": -18000, "verified": true}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:13:25 +0000 2017", "hashtags": [], "id": 936719913770782725, "id_str": "936719913770782725", "lang": "en", "source": "<a href=\"https://recurpost.com\" rel=\"nofollow\">Recycle Updates</a>", "text": "Avoid Redundant Typing Using Keyboard Maestro's Quick Record and Playback Feature - Mac Automation Tips https://t.co/UZp19SgI7t", "urls": [{"expanded_url": "https://www.macautomationtips.com/avoid-redundant-typing-using-keyboard-maestros-quick-record-and-playback-feature/", "url": "https://t.co/UZp19SgI7t"}], "user": {"created_at": "Mon Dec 12 23:38:39 +0000 2011", "default_profile": true, "description": "Mac automation strategies and tips. Get my free guide 8 Tips for Automating Your Morning Routine on Your Mac: https://t.co/D6KRPPBP0h", "favourites_count": 1248, "followers_count": 4686, "friends_count": 2535, "id": 435349684, "lang": "en", "listed_count": 185, "name": "Automate Your Mac", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/435349684/1463601095", "profile_image_url": "http://pbs.twimg.com/profile_images/843964268261212162/KPVHntyO_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "macautotips", "statuses_count": 7409, "time_zone": "Pacific Time (US & Canada)", "url": "https://t.co/tvnoBVsWHh", "utc_offset": -28800}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:13:14 +0000 2017", "hashtags": [{"text": "blockchain"}], "id": 936719867625066497, "id_str": "936719867625066497", "lang": "de", "source": "<a href=\"https://ifttt.com\" rel=\"nofollow\">IFTTT</a>", "text": "States see potential in intelligent automation, blockchain https://t.co/9MYHPiMULC #blockchain", "urls": [{"expanded_url": "http://bit.ly/2nk6ZIW", "url": "https://t.co/9MYHPiMULC"}], "user": {"created_at": "Wed Jun 09 05:35:20 +0000 2010", "description": "Natural born Analyst. Glitch hunter. Provides Website Audits and Due Diligence Assessment Reports.", "favourites_count": 606, "followers_count": 1352, "friends_count": 896, "id": 153686555, "lang": "en", "listed_count": 267, "location": "Toronto, Ontario, Canada", "name": "BluePrint New Media", "profile_background_color": "005D96", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/110196295/xba4972c68cc233832f9c0b6f55a639a.jpg", "profile_banner_url": "https://pbs.twimg.com/profile_banners/153686555/1468438442", "profile_image_url": "http://pbs.twimg.com/profile_images/726335357726265345/UUN3H9rD_normal.jpg", "profile_link_color": "0A527C", "profile_sidebar_fill_color": "D6DDFF", "profile_text_color": "005D96", "screen_name": "BlueprintNMedia", "statuses_count": 72362, "time_zone": "Eastern Time (US & Canada)", "url": "https://t.co/FBE5ejjrpH", "utc_offset": -18000}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:12:58 +0000 2017", "hashtags": [], "id": 936719800730095616, "id_str": "936719800730095616", "lang": "en", "source": "<a href=\"http://gaggleamp.com/twit/\" rel=\"nofollow\">GaggleAMP</a>", "text": "Companies that use subscription- or contract-based billing can anticipate additional work resulting from the ASC606\u2026 https://t.co/2DEkfbe7fp", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936719800730095616", "url": "https://t.co/2DEkfbe7fp"}], "user": {"created_at": "Thu Jan 08 18:36:53 +0000 2015", "default_profile": true, "description": "#OutsourcedAccounting services led by #CPAs using #SageIntacct #CloudAccounting for #SMB #Franchises #Restaurants #ProfessionalServices #WealthManagement", "favourites_count": 182, "followers_count": 71, "friends_count": 113, "id": 2967009841, "lang": "en", "listed_count": 3, "location": "Toledo, Ohio", "name": "WVC RubixCloud", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/2967009841/1421348896", "profile_image_url": "http://pbs.twimg.com/profile_images/555802966091780096/9a3Ja6XA_normal.jpeg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "WVCRubixCloud", "statuses_count": 221, "url": "https://t.co/BkImLG8m1v"}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:12:51 +0000 2017", "hashtags": [], "id": 936719771067912195, "id_str": "936719771067912195", "lang": "en", "retweet_count": 81, "retweeted_status": {"created_at": "Fri Dec 01 06:03:23 +0000 2017", "favorite_count": 309, "hashtags": [], "id": 936475797648326656, "id_str": "936475797648326656", "lang": "en", "retweet_count": 81, "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "AlI gotta say is it\u2019s a good thing we\u2019re about to make billionaires invincible at the same time media companies con\u2026 https://t.co/QpaS84g3Ln", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936475797648326656", "url": "https://t.co/QpaS84g3Ln"}], "user": {"created_at": "Sat Aug 11 16:36:14 +0000 2007", "description": "writer at midnight / adult swim / the onion / the art of the deal: the movie / the fake news with ted nelms", "favourites_count": 28232, "followers_count": 29085, "friends_count": 1277, "geo_enabled": true, "id": 8126322, "lang": "en", "listed_count": 1005, "location": "los angeles ", "name": "Joe R", "profile_background_color": "1A1B1F", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme9/bg.gif", "profile_banner_url": "https://pbs.twimg.com/profile_banners/8126322/1482126803", "profile_image_url": "http://pbs.twimg.com/profile_images/815651058370236416/ujwY9QXT_normal.jpg", "profile_link_color": "2FC2EF", "profile_sidebar_fill_color": "252429", "profile_text_color": "666666", "screen_name": "Randazzoj", "statuses_count": 63057, "time_zone": "Pacific Time (US & Canada)", "url": "https://t.co/t934FoJ5b5", "utc_offset": -28800, "verified": true}, "user_mentions": []}, "source": "<a href=\"http://twitter.com/download/android\" rel=\"nofollow\">Twitter for Android</a>", "text": "RT @Randazzoj: AlI gotta say is it\u2019s a good thing we\u2019re about to make billionaires invincible at the same time media companies consolidate\u2026", "urls": [], "user": {"created_at": "Sat Mar 09 06:50:20 +0000 2013", "default_profile": true, "description": "HANDS UP WHO WANTS TO DIE\n#normal", "favourites_count": 24536, "followers_count": 5553, "friends_count": 1078, "geo_enabled": true, "id": 1253620178, "lang": "en", "listed_count": 105, "location": "South Florida, USA", "name": "Eyes Wide Baby Jesus' Butt \u262d", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/1253620178/1508543520", "profile_image_url": "http://pbs.twimg.com/profile_images/925845053523755008/vnLODgGb_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "eyeswidebutt", "statuses_count": 13923, "url": "https://t.co/zGJ4T9rCnp"}, "user_mentions": [{"id": 8126322, "name": "Joe R", "screen_name": "Randazzoj"}]},
{"created_at": "Fri Dec 01 22:12:50 +0000 2017", "hashtags": [], "id": 936719766378766338, "id_str": "936719766378766338", "lang": "en", "media": [{"display_url": "pic.twitter.com/y77O23ipkm", "expanded_url": "https://twitter.com/jacob_lane2015/status/936202949520478208/photo/1", "id": 936202947045875712, "media_url": "http://pbs.twimg.com/media/DP4PnsBX4AA4Nr1.jpg", "media_url_https": "https://pbs.twimg.com/media/DP4PnsBX4AA4Nr1.jpg", "sizes": {"large": {"h": 323, "resize": "fit", "w": 600}, "medium": {"h": 323, "resize": "fit", "w": 600}, "small": {"h": 323, "resize": "fit", "w": 600}, "thumb": {"h": 150, "resize": "crop", "w": 150}}, "type": "photo", "url": "https://t.co/y77O23ipkm"}], "retweet_count": 1, "retweeted_status": {"created_at": "Thu Nov 30 11:59:11 +0000 2017", "favorite_count": 1, "hashtags": [], "id": 936202949520478208, "id_str": "936202949520478208", "lang": "en", "media": [{"display_url": "pic.twitter.com/y77O23ipkm", "expanded_url": "https://twitter.com/jacob_lane2015/status/936202949520478208/photo/1", "id": 936202947045875712, "media_url": "http://pbs.twimg.com/media/DP4PnsBX4AA4Nr1.jpg", "media_url_https": "https://pbs.twimg.com/media/DP4PnsBX4AA4Nr1.jpg", "sizes": {"large": {"h": 323, "resize": "fit", "w": 600}, "medium": {"h": 323, "resize": "fit", "w": 600}, "small": {"h": 323, "resize": "fit", "w": 600}, "thumb": {"h": 150, "resize": "crop", "w": 150}}, "type": "photo", "url": "https://t.co/y77O23ipkm"}], "retweet_count": 1, "source": "<a href=\"https://ifttt.com\" rel=\"nofollow\">IFTTT</a>", "text": "Top Reasons That Make Automation Testing Business-Critical https://t.co/y77O23ipkm", "urls": [], "user": {"created_at": "Wed Jul 22 06:17:41 +0000 2015", "default_profile": true, "description": "General Manager #QA", "favourites_count": 14, "followers_count": 296, "friends_count": 889, "id": 3386918242, "lang": "en", "listed_count": 29, "location": "Irving, TX", "name": "Jacob Lane", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/3386918242/1469018723", "profile_image_url": "http://pbs.twimg.com/profile_images/755742756174172160/BEBHxVBq_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "jacob_lane2015", "statuses_count": 1374, "time_zone": "Central Time (US & Canada)", "url": "https://t.co/PN6qa45e2F", "utc_offset": -21600}, "user_mentions": []}, "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "RT @jacob_lane2015: Top Reasons That Make Automation Testing Business-Critical https://t.co/y77O23ipkm", "urls": [], "user": {"created_at": "Fri Aug 28 13:25:51 +0000 2009", "default_profile": true, "description": "Software quality advocate, Pittsburgh Steeler fan, beer lover, dry martini (with blue cheese stuffed olives) lover, Phi Kappa Psi brother for life", "favourites_count": 789, "followers_count": 213, "friends_count": 340, "geo_enabled": true, "id": 69586716, "lang": "en", "listed_count": 21, "location": "Columbus, OH", "name": "Matthew Eakin", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/69586716/1386536371", "profile_image_url": "http://pbs.twimg.com/profile_images/378800000838130573/45915636e70601a0ce90dc2a745ea76e_normal.png", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "MatthewEakin", "statuses_count": 679, "url": "http://t.co/nSH46cJhKt"}, "user_mentions": [{"id": 3386918242, "name": "Jacob Lane", "screen_name": "jacob_lane2015"}]},
{"created_at": "Fri Dec 01 22:12:46 +0000 2017", "hashtags": [], "id": 936719748204761089, "id_str": "936719748204761089", "lang": "en", "retweet_count": 2, "retweeted_status": {"created_at": "Thu Nov 30 10:32:18 +0000 2017", "hashtags": [], "id": 936181082877292544, "id_str": "936181082877292544", "lang": "en", "retweet_count": 2, "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": "One-third of US workers could be jobless by 2030 due to automation https://t.co/8Nslj09eSz", "urls": [{"expanded_url": "https://www.cnbc.com/2017/11/29/one-third-of-us-workers-could-be-jobless-by-2030-due-to-automation.html", "url": "https://t.co/8Nslj09eSz"}], "user": {"created_at": "Tue Sep 06 18:16:28 +0000 2011", "default_profile": true, "default_profile_image": true, "description": "Boosbazaar", "favourites_count": 71, "followers_count": 835, "friends_count": 811, "id": 369066966, "lang": "en", "listed_count": 25, "location": "Support@boosbazaar.com", "name": "Boosbazaar .Com", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_image_url": "http://abs.twimg.com/sticky/default_profile_images/default_profile_normal.png", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "boosbazaar", "statuses_count": 582, "time_zone": "Central Time (US & Canada)", "url": "http://t.co/0nMtEcYq0g", "utc_offset": -21600}, "user_mentions": []}, "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": "RT @boosbazaar: One-third of US workers could be jobless by 2030 due to automation https://t.co/8Nslj09eSz", "urls": [{"expanded_url": "https://www.cnbc.com/2017/11/29/one-third-of-us-workers-could-be-jobless-by-2030-due-to-automation.html", "url": "https://t.co/8Nslj09eSz"}], "user": {"created_at": "Tue Sep 06 18:16:28 +0000 2011", "default_profile": true, "default_profile_image": true, "description": "Boosbazaar", "favourites_count": 71, "followers_count": 835, "friends_count": 811, "id": 369066966, "lang": "en", "listed_count": 25, "location": "Support@boosbazaar.com", "name": "Boosbazaar .Com", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_image_url": "http://abs.twimg.com/sticky/default_profile_images/default_profile_normal.png", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "boosbazaar", "statuses_count": 582, "time_zone": "Central Time (US & Canada)", "url": "http://t.co/0nMtEcYq0g", "utc_offset": -21600}, "user_mentions": [{"id": 369066966, "name": "Boosbazaar .Com", "screen_name": "boosbazaar"}]},
{"created_at": "Fri Dec 01 22:12:20 +0000 2017", "hashtags": [{"text": "devops"}, {"text": "CommonSense"}], "id": 936719639266111488, "id_str": "936719639266111488", "lang": "en", "source": "<a href=\"http://twitter.com/download/android\" rel=\"nofollow\">Twitter for Android</a>", "text": "If you automate your standard changes your governance is in the automation. This develops a culture of trust. #devops #CommonSense", "urls": [], "user": {"created_at": "Wed Dec 24 10:11:28 +0000 2008", "description": "Phil Hendren. Evertonian, engineer, polemicist. Doing DevOps stuff since 2006 before it had a name. https://t.co/klEvgNIObh", "favourites_count": 876, "followers_count": 4687, "friends_count": 920, "id": 18355024, "lang": "en", "listed_count": 246, "location": "The Shires", "name": "(\u256f\u00b0\u25a1\u00b0\uff09\u256f\ufe35 \u253b\u2501\u253b)", "profile_background_color": "547687", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/46942735/source.jpg", "profile_background_tile": true, "profile_banner_url": "https://pbs.twimg.com/profile_banners/18355024/1398411332", "profile_image_url": "http://pbs.twimg.com/profile_images/611076010847641600/DXGDC9vx_normal.jpg", "profile_link_color": "5B82C6", "profile_sidebar_fill_color": "FFFFFF", "profile_text_color": "030303", "screen_name": "dizzy_thinks", "statuses_count": 22005, "time_zone": "Europe/London", "url": "https://t.co/4SdRj8oVEr"}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:12:05 +0000 2017", "hashtags": [{"text": "tech"}], "id": 936719576133439495, "id_str": "936719576133439495", "lang": "en", "retweet_count": 3, "retweeted_status": {"created_at": "Wed Nov 29 15:20:01 +0000 2017", "favorite_count": 1, "hashtags": [{"text": "tech"}], "id": 935891100501446658, "id_str": "935891100501446658", "lang": "en", "retweet_count": 3, "source": "<a href=\"http://bufferapp.com\" rel=\"nofollow\">Buffer</a>", "text": "Latest #tech predictions from the analysts at @forrester: Automation will eliminate 9% of US jobs in 2018, but will\u2026 https://t.co/3ASaQDS2q9", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/935891100501446658", "url": "https://t.co/3ASaQDS2q9"}], "user": {"created_at": "Mon Jul 13 08:42:45 +0000 2009", "description": "Native New Yorker. Loves everything IT-related (& hugs). Passionate blogger & social media addict.", "favourites_count": 1303, "followers_count": 3728, "friends_count": 166, "id": 56324991, "lang": "en", "listed_count": 223, "name": "Joe The IT Guy", "profile_background_color": "7FDFF0", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/465884522194538496/WinZ-cQC.jpeg", "profile_background_tile": true, "profile_banner_url": "https://pbs.twimg.com/profile_banners/56324991/1511865266", "profile_image_url": "http://pbs.twimg.com/profile_images/854687041002627072/x-YCzgVF_normal.jpg", "profile_link_color": "0084B4", "profile_sidebar_fill_color": "DDFFCC", "profile_text_color": "333333", "screen_name": "Joe_the_IT_guy", "statuses_count": 11489, "time_zone": "London", "url": "https://t.co/lyI8AUzrTC"}, "user_mentions": [{"id": 7712452, "name": "Forrester", "screen_name": "forrester"}]}, "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": "RT @Joe_the_IT_guy: Latest #tech predictions from the analysts at @forrester: Automation will eliminate 9% of US jobs in 2018, but will cre\u2026", "urls": [], "user": {"created_at": "Wed Feb 19 12:51:08 +0000 2014", "default_profile": true, "description": "Sales & Marketing Support Director Unisys North America : Open server and Fabric Based Infrastructure technologies", "favourites_count": 2, "followers_count": 28, "friends_count": 7, "id": 2351648521, "lang": "en", "listed_count": 68, "location": "Blue Bell, PA", "name": "Michael Heifner", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/2351648521/1509125035", "profile_image_url": "http://pbs.twimg.com/profile_images/649682764556464128/__U7A3mS_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "MRHeifner", "statuses_count": 1178, "url": "http://t.co/NzABxvMBuq"}, "user_mentions": [{"id": 56324991, "name": "Joe The IT Guy", "screen_name": "Joe_the_IT_guy"}, {"id": 7712452, "name": "Forrester", "screen_name": "forrester"}]},
{"created_at": "Fri Dec 01 22:12:01 +0000 2017", "hashtags": [], "id": 936719561310826497, "id_str": "936719561310826497", "lang": "en", "retweet_count": 123, "retweeted_status": {"created_at": "Thu Nov 30 23:33:48 +0000 2017", "favorite_count": 224, "hashtags": [], "id": 936377755079290880, "id_str": "936377755079290880", "lang": "en", "place": {"attributes": {}, "bounding_box": {"coordinates": [[[120.175705, 22.475809], [121.048993, 22.475809], [121.048993, 23.471773], [120.175705, 23.471773]]], "type": "Polygon"}, "contained_within": [], "country": "Taiwan", "country_code": "TW", "full_name": "Kaohsiung City, Taiwan", "id": "00dcc81a0ec32f15", "name": "Kaohsiung City", "place_type": "city", "url": "https://api.twitter.com/1.1/geo/id/00dcc81a0ec32f15.json"}, "retweet_count": 123, "source": "<a href=\"http://twitter.com/download/android\" rel=\"nofollow\">Twitter for Android</a>", "text": "Want to know what will eliminate even more jobs than robots or artificial intelligence?\n\nClimate change. An extinct\u2026 https://t.co/SAA3VypNdy", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936377755079290880", "url": "https://t.co/SAA3VypNdy"}], "user": {"created_at": "Thu Apr 03 23:37:19 +0000 2008", "description": "#Basicincome advocate with a basic income via @Patreon; Writer: @Futurism, @HuffPost, @wef, @TechCrunch, @Voxdotcom, @BostonGlobe, @Politico; /r/BasicIncome mod", "favourites_count": 351384, "followers_count": 65744, "friends_count": 69690, "geo_enabled": true, "id": 14297863, "lang": "en", "listed_count": 1514, "location": "New Orleans, LA", "name": "Scott Santens", "profile_background_color": "1A1B1F", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/7346185/tile_render.png", "profile_background_tile": true, "profile_banner_url": "https://pbs.twimg.com/profile_banners/14297863/1431364367", "profile_image_url": "http://pbs.twimg.com/profile_images/879815016270110721/W_ROISyB_normal.png", "profile_link_color": "020994", "profile_sidebar_fill_color": "252429", "profile_text_color": "666666", "screen_name": "scottsantens", "statuses_count": 56729, "time_zone": "Central Time (US & Canada)", "url": "https://t.co/yaiXsszB6V", "utc_offset": -21600, "verified": true}, "user_mentions": []}, "source": "<a href=\"http://twitter.com/download/android\" rel=\"nofollow\">Twitter for Android</a>", "text": "RT @scottsantens: Want to know what will eliminate even more jobs than robots or artificial intelligence?\n\nClimate change. An extinct civil\u2026", "urls": [], "user": {"created_at": "Sat Nov 05 04:48:12 +0000 2011", "description": "HEREDITARY BORN CANADIAN CITIZEN,PAGAN,PRACTICE:DRUIDRY-LIVE/LOVE/LEARN/RESPECT/CHOOSE!", "favourites_count": 8336, "followers_count": 1083, "friends_count": 2255, "geo_enabled": true, "id": 405323546, "lang": "en", "listed_count": 31, "location": "HAMILTON,ON.CA.", "name": "terry asher", "profile_background_color": "FFF04D", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/358598222/000d001u-y8.jpg", "profile_image_url": "http://pbs.twimg.com/profile_images/1623227046/8001055cdr4_normal.jpg", "profile_link_color": "0099CC", "profile_sidebar_fill_color": "F6FFD1", "profile_text_color": "333333", "screen_name": "terash59", "statuses_count": 9730}, "user_mentions": [{"id": 14297863, "name": "Scott Santens", "screen_name": "scottsantens"}]},
{"created_at": "Fri Dec 01 22:11:57 +0000 2017", "hashtags": [], "id": 936719542830514176, "id_str": "936719542830514176", "lang": "en", "retweet_count": 1, "retweeted_status": {"created_at": "Fri Dec 01 22:05:08 +0000 2017", "favorite_count": 1, "hashtags": [], "id": 936717829478453249, "id_str": "936717829478453249", "in_reply_to_screen_name": "makinoshinichi7", "in_reply_to_status_id": 927521650593087488, "in_reply_to_user_id": 735466682206978048, "lang": "en", "retweet_count": 1, "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": "@makinoshinichi7 @MGWVc @cynthia_lardner @NOWIAMME @shyoshid @ShiCooks @oda_f @kiyotaka_1991 @Masao__Tanaka\u2026 https://t.co/2YlpPhrvDw", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936717829478453249", "url": "https://t.co/2YlpPhrvDw"}], "user": {"created_at": "Wed Jan 15 13:23:55 +0000 2014", "description": "\ud83c\uddf8\ufe0f\ud83c\uddf4\ufe0f\ud83c\udde8\ufe0f\ud83c\uddee\ufe0f\ud83c\udde6\ufe0f\ud83c\uddf1\ufe0f\ud83c\uddeb\ufe0f\ud83c\udde6\ufe0f\ud83c\uddfb\ufe0f\ud83c\uddea\ufe0f.\ud83c\uddf3\ufe0f\ud83c\uddea\ufe0f\ud83c\uddf9\nThe\ud83c\uddf5\ud83c\uddf1#Startup & the\ud83c\uddeb\ud83c\uddf7#Twitter #Tool\n#Brands #SMM #TM1SF #Poland #France @Socialfave\n\nhttps://t.co/WHG69pZ3MZ\nhttps://t.co/nccXATjdP7", "favourites_count": 73751, "followers_count": 43887, "friends_count": 21928, "id": 2292701738, "lang": "en", "listed_count": 1342, "location": "Brest, France", "name": "GTAT\ud83c\uddf5\ud83c\uddf1Socialfave", "profile_background_color": "FFCC4D", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/556444122743988224/Da6AlBLB.png", "profile_background_tile": true, "profile_banner_url": "https://pbs.twimg.com/profile_banners/2292701738/1511944353", "profile_image_url": "http://pbs.twimg.com/profile_images/930024685798125569/WhRBsyQo_normal.jpg", "profile_link_color": "DD2E46", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "GTATidea", "statuses_count": 131521, "time_zone": "Belgrade", "url": "https://t.co/kcUaYhF5Sf", "utc_offset": 3600}, "user_mentions": [{"id": 735466682206978048, "name": "\u7267\u91ce \u4f38\u4e00", "screen_name": "makinoshinichi7"}, {"id": 2684360065, "name": "\u062f\u0627\u0639\u0645 #\u0627\u0644\u062c\u064a\u0634_\u0627\u0644\u0633\u0644\u0645\u0627\u0646\u064a", "screen_name": "MGWVc"}, {"id": 745190971105771520, "name": "\u1455\u01b3\u144eTH\u0196\u15e9 \u14aa\u15e9\u1587\u15ea\u144eE\u1587", "screen_name": "cynthia_lardner"}, {"id": 756956939746172928, "name": "Stasia Kozielska", "screen_name": "NOWIAMME"}, {"id": 37916737, "name": "\u5409\u7530\u8302", "screen_name": "shyoshid"}, {"id": 16476911, "name": "Shi", "screen_name": "ShiCooks"}, {"id": 473316619, "name": "Fujio Oda\ud83d\udcab", "screen_name": "oda_f"}, {"id": 4731662750, "name": "Kiyotaka Taniguchi", "screen_name": "kiyotaka_1991"}, {"id": 766210476380397568, "name": "\u7530\u4e2d\u3000\u6b63\u96c4", "screen_name": "Masao__Tanaka"}]}, "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "RT @GTATidea: @makinoshinichi7 @MGWVc @cynthia_lardner @NOWIAMME @shyoshid @ShiCooks @oda_f @kiyotaka_1991 @Masao__Tanaka @kiyokawatomomi @\u2026", "urls": [], "user": {"created_at": "Sun Dec 04 06:22:02 +0000 2016", "default_profile": true, "description": "https://t.co/GvC4KTRwqP\nhttps://t.co/lOo8xxjNBq", "favourites_count": 52764, "followers_count": 3334, "friends_count": 3260, "id": 805296084356476928, "lang": "ja", "listed_count": 8, "location": "Kanagawa Japan", "name": "Shinya Yamada", "profile_background_color": "F5F8FA", "profile_banner_url": "https://pbs.twimg.com/profile_banners/805296084356476928/1498921814", "profile_image_url": "http://pbs.twimg.com/profile_images/879128200437055489/MZq_nHAa_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "Yamashin_76", "statuses_count": 53231}, "user_mentions": [{"id": 2292701738, "name": "GTAT\ud83c\uddf5\ud83c\uddf1Socialfave", "screen_name": "GTATidea"}, {"id": 735466682206978048, "name": "\u7267\u91ce \u4f38\u4e00", "screen_name": "makinoshinichi7"}, {"id": 2684360065, "name": "\u062f\u0627\u0639\u0645 #\u0627\u0644\u062c\u064a\u0634_\u0627\u0644\u0633\u0644\u0645\u0627\u0646\u064a", "screen_name": "MGWVc"}, {"id": 745190971105771520, "name": "\u1455\u01b3\u144eTH\u0196\u15e9 \u14aa\u15e9\u1587\u15ea\u144eE\u1587", "screen_name": "cynthia_lardner"}, {"id": 756956939746172928, "name": "Stasia Kozielska", "screen_name": "NOWIAMME"}, {"id": 37916737, "name": "\u5409\u7530\u8302", "screen_name": "shyoshid"}, {"id": 16476911, "name": "Shi", "screen_name": "ShiCooks"}, {"id": 473316619, "name": "Fujio Oda\ud83d\udcab", "screen_name": "oda_f"}, {"id": 4731662750, "name": "Kiyotaka Taniguchi", "screen_name": "kiyotaka_1991"}, {"id": 766210476380397568, "name": "\u7530\u4e2d\u3000\u6b63\u96c4", "screen_name": "Masao__Tanaka"}, {"id": 3138523710, "name": "\u6e05\u5ddd\u670b\u7f8e", "screen_name": "kiyokawatomomi"}]},
{"created_at": "Fri Dec 01 22:11:47 +0000 2017", "hashtags": [], "id": 936719502749962240, "id_str": "936719502749962240", "lang": "en", "retweet_count": 81, "retweeted_status": {"created_at": "Fri Dec 01 06:03:23 +0000 2017", "favorite_count": 309, "hashtags": [], "id": 936475797648326656, "id_str": "936475797648326656", "lang": "en", "retweet_count": 81, "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "AlI gotta say is it\u2019s a good thing we\u2019re about to make billionaires invincible at the same time media companies con\u2026 https://t.co/QpaS84g3Ln", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936475797648326656", "url": "https://t.co/QpaS84g3Ln"}], "user": {"created_at": "Sat Aug 11 16:36:14 +0000 2007", "description": "writer at midnight / adult swim / the onion / the art of the deal: the movie / the fake news with ted nelms", "favourites_count": 28232, "followers_count": 29085, "friends_count": 1277, "geo_enabled": true, "id": 8126322, "lang": "en", "listed_count": 1005, "location": "los angeles ", "name": "Joe R", "profile_background_color": "1A1B1F", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme9/bg.gif", "profile_banner_url": "https://pbs.twimg.com/profile_banners/8126322/1482126803", "profile_image_url": "http://pbs.twimg.com/profile_images/815651058370236416/ujwY9QXT_normal.jpg", "profile_link_color": "2FC2EF", "profile_sidebar_fill_color": "252429", "profile_text_color": "666666", "screen_name": "Randazzoj", "statuses_count": 63057, "time_zone": "Pacific Time (US & Canada)", "url": "https://t.co/t934FoJ5b5", "utc_offset": -28800, "verified": true}, "user_mentions": []}, "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "RT @Randazzoj: AlI gotta say is it\u2019s a good thing we\u2019re about to make billionaires invincible at the same time media companies consolidate\u2026", "urls": [], "user": {"created_at": "Fri Sep 17 12:17:04 +0000 2010", "description": "aspiring dirtbag", "favourites_count": 42560, "followers_count": 694, "friends_count": 1773, "id": 191809061, "lang": "en", "listed_count": 12, "location": "Virginia, USA", "name": "dave\ud83c\udf39", "profile_background_color": "1A1B1F", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/636218773926600704/EepmDX_j.jpg", "profile_background_tile": true, "profile_banner_url": "https://pbs.twimg.com/profile_banners/191809061/1426184068", "profile_image_url": "http://pbs.twimg.com/profile_images/925743319388475392/Oe9WHhm5_normal.jpg", "profile_link_color": "E81C4F", "profile_sidebar_fill_color": "252429", "profile_text_color": "666666", "screen_name": "BernieWouldHave", "statuses_count": 6788, "time_zone": "Eastern Time (US & Canada)", "url": "https://t.co/xu6mA7upIY", "utc_offset": -18000}, "user_mentions": [{"id": 8126322, "name": "Joe R", "screen_name": "Randazzoj"}]},
{"created_at": "Fri Dec 01 22:11:47 +0000 2017", "hashtags": [], "id": 936719501999079424, "id_str": "936719501999079424", "lang": "en", "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": "Data to share in Twitter is: 12/1/2017 10:11:15 PM", "urls": [], "user": {"created_at": "Sun Jul 30 07:08:31 +0000 2017", "default_profile": true, "default_profile_image": true, "followers_count": 1, "id": 891556090722353152, "lang": "he", "name": "automation_pbUS", "profile_background_color": "F5F8FA", "profile_image_url": "http://abs.twimg.com/sticky/default_profile_images/default_profile_normal.png", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "automation_pbUS", "statuses_count": 896}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:11:14 +0000 2017", "hashtags": [], "id": 936719365000413184, "id_str": "936719365000413184", "lang": "en", "retweet_count": 3, "retweeted_status": {"created_at": "Fri Dec 01 21:58:17 +0000 2017", "favorite_count": 8, "hashtags": [], "id": 936716104797425664, "id_str": "936716104797425664", "in_reply_to_screen_name": "NOWIAMME", "in_reply_to_status_id": 936643686519246848, "in_reply_to_user_id": 756956939746172928, "lang": "en", "retweet_count": 3, "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": "@NOWIAMME @sprague_paul @wanderingstarz1 @kiyotaka_1991 @MarshaCollier @cynthia_lardner @shyoshid @makinoshinichi7\u2026 https://t.co/LIa3ZRk3Gy", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936716104797425664", "url": "https://t.co/LIa3ZRk3Gy"}], "user": {"created_at": "Wed Jan 15 13:23:55 +0000 2014", "description": "\ud83c\uddf8\ufe0f\ud83c\uddf4\ufe0f\ud83c\udde8\ufe0f\ud83c\uddee\ufe0f\ud83c\udde6\ufe0f\ud83c\uddf1\ufe0f\ud83c\uddeb\ufe0f\ud83c\udde6\ufe0f\ud83c\uddfb\ufe0f\ud83c\uddea\ufe0f.\ud83c\uddf3\ufe0f\ud83c\uddea\ufe0f\ud83c\uddf9\nThe\ud83c\uddf5\ud83c\uddf1#Startup & the\ud83c\uddeb\ud83c\uddf7#Twitter #Tool\n#Brands #SMM #TM1SF #Poland #France @Socialfave\n\nhttps://t.co/WHG69pZ3MZ\nhttps://t.co/nccXATjdP7", "favourites_count": 73751, "followers_count": 43887, "friends_count": 21928, "id": 2292701738, "lang": "en", "listed_count": 1342, "location": "Brest, France", "name": "GTAT\ud83c\uddf5\ud83c\uddf1Socialfave", "profile_background_color": "FFCC4D", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/556444122743988224/Da6AlBLB.png", "profile_background_tile": true, "profile_banner_url": "https://pbs.twimg.com/profile_banners/2292701738/1511944353", "profile_image_url": "http://pbs.twimg.com/profile_images/930024685798125569/WhRBsyQo_normal.jpg", "profile_link_color": "DD2E46", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "GTATidea", "statuses_count": 131521, "time_zone": "Belgrade", "url": "https://t.co/kcUaYhF5Sf", "utc_offset": 3600}, "user_mentions": [{"id": 756956939746172928, "name": "Stasia Kozielska", "screen_name": "NOWIAMME"}, {"id": 2221540592, "name": "Paul Sprague", "screen_name": "sprague_paul"}, {"id": 31281605, "name": "Vincent Steele", "screen_name": "wanderingstarz1"}, {"id": 4731662750, "name": "Kiyotaka Taniguchi", "screen_name": "kiyotaka_1991"}, {"id": 14262772, "name": "Marsha Collier", "screen_name": "MarshaCollier"}, {"id": 745190971105771520, "name": "\u1455\u01b3\u144eTH\u0196\u15e9 \u14aa\u15e9\u1587\u15ea\u144eE\u1587", "screen_name": "cynthia_lardner"}, {"id": 37916737, "name": "\u5409\u7530\u8302", "screen_name": "shyoshid"}, {"id": 735466682206978048, "name": "\u7267\u91ce \u4f38\u4e00", "screen_name": "makinoshinichi7"}]}, "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "RT @GTATidea: @NOWIAMME @sprague_paul @wanderingstarz1 @kiyotaka_1991 @MarshaCollier @cynthia_lardner @shyoshid @makinoshinichi7 @oda_f @sr\u2026", "urls": [], "user": {"created_at": "Sun Dec 04 06:22:02 +0000 2016", "default_profile": true, "description": "https://t.co/GvC4KTRwqP\nhttps://t.co/lOo8xxjNBq", "favourites_count": 52764, "followers_count": 3334, "friends_count": 3260, "id": 805296084356476928, "lang": "ja", "listed_count": 8, "location": "Kanagawa Japan", "name": "Shinya Yamada", "profile_background_color": "F5F8FA", "profile_banner_url": "https://pbs.twimg.com/profile_banners/805296084356476928/1498921814", "profile_image_url": "http://pbs.twimg.com/profile_images/879128200437055489/MZq_nHAa_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "Yamashin_76", "statuses_count": 53231}, "user_mentions": [{"id": 2292701738, "name": "GTAT\ud83c\uddf5\ud83c\uddf1Socialfave", "screen_name": "GTATidea"}, {"id": 756956939746172928, "name": "Stasia Kozielska", "screen_name": "NOWIAMME"}, {"id": 2221540592, "name": "Paul Sprague", "screen_name": "sprague_paul"}, {"id": 31281605, "name": "Vincent Steele", "screen_name": "wanderingstarz1"}, {"id": 4731662750, "name": "Kiyotaka Taniguchi", "screen_name": "kiyotaka_1991"}, {"id": 14262772, "name": "Marsha Collier", "screen_name": "MarshaCollier"}, {"id": 745190971105771520, "name": "\u1455\u01b3\u144eTH\u0196\u15e9 \u14aa\u15e9\u1587\u15ea\u144eE\u1587", "screen_name": "cynthia_lardner"}, {"id": 37916737, "name": "\u5409\u7530\u8302", "screen_name": "shyoshid"}, {"id": 735466682206978048, "name": "\u7267\u91ce \u4f38\u4e00", "screen_name": "makinoshinichi7"}, {"id": 473316619, "name": "Fujio Oda\ud83d\udcab", "screen_name": "oda_f"}]},
{"created_at": "Fri Dec 01 22:10:48 +0000 2017", "hashtags": [{"text": "Internacional"}], "id": 936719254010974208, "id_str": "936719254010974208", "lang": "en", "retweet_count": 1, "retweeted_status": {"created_at": "Fri Dec 01 22:01:11 +0000 2017", "hashtags": [{"text": "Internacional"}], "id": 936716833180266496, "id_str": "936716833180266496", "lang": "en", "retweet_count": 1, "source": "<a href=\"http://www.hootsuite.com\" rel=\"nofollow\">Hootsuite</a>", "text": "#Internacional How Cashews Explain Globalization - Cultivated in Brazil, exported by Portugal and commercialized by\u2026 https://t.co/DgV0Ji3E0a", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936716833180266496", "url": "https://t.co/DgV0Ji3E0a"}], "user": {"created_at": "Sat Jun 01 21:35:58 +0000 2013", "default_profile": true, "description": "FUNDACION DE ESTUDIOS FINANCIEROS -FUNDEF A.C. Centro de Investigaci\u00f3n independiente sobre el sector financiero que reside en @ITAM_mx", "favourites_count": 44, "followers_count": 44181, "friends_count": 95, "id": 1475717568, "lang": "es", "listed_count": 96, "location": "M\u00e9xico D.F.", "name": "FUNDEF", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/1475717568/1448063588", "profile_image_url": "http://pbs.twimg.com/profile_images/378800000256833331/02e44f37b48d0eadf9e68a44391e26bc_normal.jpeg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "FUNDEF", "statuses_count": 75110, "time_zone": "Central Time (US & Canada)", "url": "http://t.co/KoO9nPZOq1", "utc_offset": -21600}, "user_mentions": []}, "source": "<a href=\"http://twitter.com/download/android\" rel=\"nofollow\">Twitter for Android</a>", "text": "RT @FUNDEF: #Internacional How Cashews Explain Globalization - Cultivated in Brazil, exported by Portugal and commercialized by America, th\u2026", "urls": [], "user": {"created_at": "Tue Nov 15 11:11:33 +0000 2011", "description": "Bah! :\\", "favourites_count": 1199, "followers_count": 53, "friends_count": 2262, "id": 412997289, "lang": "en", "listed_count": 9, "location": "Virginia", "name": "Jon Barnes", "profile_background_color": "352726", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme5/bg.gif", "profile_banner_url": "https://pbs.twimg.com/profile_banners/412997289/1470752239", "profile_image_url": "http://pbs.twimg.com/profile_images/763016299983302656/MF-YrGFT_normal.jpg", "profile_link_color": "D02B55", "profile_sidebar_fill_color": "99CC33", "profile_text_color": "3E4415", "screen_name": "Slmpeo", "statuses_count": 1514}, "user_mentions": [{"id": 1475717568, "name": "FUNDEF", "screen_name": "FUNDEF"}]},
{"created_at": "Fri Dec 01 22:10:47 +0000 2017", "hashtags": [{"text": "RPA"}], "id": 936719252672974849, "id_str": "936719252672974849", "lang": "en", "source": "<a href=\"https://www.socialoomph.com\" rel=\"nofollow\">SocialOomph</a>", "text": "Considering #RPA? @JamesWatsonJr cuts thru the industry hype about who's doing RPA & how it's working out for them. https://t.co/XgTXvlLPUT", "urls": [{"expanded_url": "http://bit.ly/2jytOHz", "url": "https://t.co/XgTXvlLPUT"}], "user": {"created_at": "Wed Jul 29 14:55:55 +0000 2009", "description": "Experts in Information Management", "favourites_count": 20, "followers_count": 1432, "friends_count": 254, "id": 61213028, "lang": "en", "listed_count": 189, "location": "Chicago, IL", "name": "Doculabs", "profile_background_color": "1A1B1F", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/26189019/twitter-background.png", "profile_background_tile": true, "profile_image_url": "http://pbs.twimg.com/profile_images/684759122265411584/NPZf5gEJ_normal.jpg", "profile_link_color": "406679", "profile_sidebar_fill_color": "FFFFFF", "profile_text_color": "000000", "screen_name": "Doculabs", "statuses_count": 7237, "time_zone": "Central Time (US & Canada)", "url": "http://t.co/5zqdGHDAQk", "utc_offset": -21600}, "user_mentions": [{"id": 138868880, "name": "James Watson Jr", "screen_name": "JamesWatsonJr"}]},
{"created_at": "Fri Dec 01 22:10:38 +0000 2017", "hashtags": [{"text": "cybersecurity"}, {"text": "automation"}, {"text": "Security"}], "id": 936719213296799744, "id_str": "936719213296799744", "lang": "en", "media": [{"display_url": "pic.twitter.com/gUpql4sG1Q", "expanded_url": "https://twitter.com/MASERGY/status/936648661563510784/photo/1", "id": 936648658820399105, "media_url": "http://pbs.twimg.com/media/DP-k_hxWAAEprJX.jpg", "media_url_https": "https://pbs.twimg.com/media/DP-k_hxWAAEprJX.jpg", "sizes": {"large": {"h": 467, "resize": "fit", "w": 700}, "medium": {"h": 467, "resize": "fit", "w": 700}, "small": {"h": 454, "resize": "fit", "w": 680}, "thumb": {"h": 150, "resize": "crop", "w": 150}}, "type": "photo", "url": "https://t.co/gUpql4sG1Q"}], "source": "<a href=\"http://gaggleamp.com/twit/\" rel=\"nofollow\">GaggleAMP</a>", "text": "RT @MASERGY: The future of #cybersecurity part II: The need for #automation! https://t.co/pFal79rbmc #Security https://t.co/gUpql4sG1Q", "urls": [{"expanded_url": "http://gag.gl/RcW8Ga", "url": "https://t.co/pFal79rbmc"}], "user": {"created_at": "Thu Jun 16 20:35:53 +0000 2011", "default_profile": true, "default_profile_image": true, "favourites_count": 4, "followers_count": 17, "friends_count": 7, "id": 318649811, "lang": "en", "listed_count": 98, "name": "Bill Hutchings", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_image_url": "http://abs.twimg.com/sticky/default_profile_images/default_profile_normal.png", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "Runway36L", "statuses_count": 2117, "time_zone": "Central Time (US & Canada)", "utc_offset": -21600}, "user_mentions": [{"id": 105949998, "name": "Masergy", "screen_name": "MASERGY"}]},
{"created_at": "Fri Dec 01 22:10:29 +0000 2017", "hashtags": [{"text": "Excel"}, {"text": "spreadsheets"}], "id": 936719174285524994, "id_str": "936719174285524994", "lang": "en", "source": "<a href=\"http://www.hubspot.com/\" rel=\"nofollow\">HubSpot</a>", "text": "#Excel is not for every task--but don't stop using #spreadsheets because of errors & broken connections. Automation\u2026 https://t.co/ZFn5Jy8jEd", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936719174285524994", "url": "https://t.co/ZFn5Jy8jEd"}], "user": {"created_at": "Wed Sep 15 15:09:30 +0000 2010", "description": "Experts in spreadsheet accuracy & EUC self-governance. Gain error-free #spreadsheets & dramatically reduce #EUC risk with automation software. #RiskManagement", "favourites_count": 2, "followers_count": 153, "friends_count": 215, "id": 191075354, "lang": "en", "listed_count": 1, "location": "Westford, MA", "name": "CIMCON Software", "profile_background_color": "000000", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/191075354/1493643725", "profile_image_url": "http://pbs.twimg.com/profile_images/794177428893495296/3naG54SU_normal.jpg", "profile_link_color": "1B95E0", "profile_sidebar_fill_color": "000000", "profile_text_color": "000000", "screen_name": "CIMCONSoftware", "statuses_count": 282, "time_zone": "Eastern Time (US & Canada)", "url": "https://t.co/VTufSEYpZa", "utc_offset": -18000}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:10:25 +0000 2017", "hashtags": [], "id": 936719158691147777, "id_str": "936719158691147777", "lang": "lt", "source": "<a href=\"https://freelance-ekr990011.c9users.io/\" rel=\"nofollow\">Rail Job Hub</a>", "text": "ruby rspec capybara: automation with ruby \rrspec\rcapybara https://t.co/GA2C3tY6Oq", "urls": [{"expanded_url": "https://goo.gl/pqZ8DF", "url": "https://t.co/GA2C3tY6Oq"}], "user": {"created_at": "Tue Apr 04 21:17:45 +0000 2017", "default_profile": true, "description": "Aggregating Rails, Ruby, and Web Scrapping Jobs all in one site. Saving Rails developers time and effort.", "favourites_count": 1, "followers_count": 202, "friends_count": 43, "id": 849370429794004993, "lang": "en", "listed_count": 7, "name": "Rails Job Hub", "profile_background_color": "F5F8FA", "profile_image_url": "http://pbs.twimg.com/profile_images/850807160279777280/QaSabvZj_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "RailsJobHub", "statuses_count": 24619}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:10:12 +0000 2017", "hashtags": [], "id": 936719105624870914, "id_str": "936719105624870914", "lang": "en", "source": "<a href=\"http://www.hootsuite.com\" rel=\"nofollow\">Hootsuite</a>", "text": "The whole country watches you and looks forward to your next move. It's time when the nation takes a cue from the p\u2026 https://t.co/XowjneYPnA", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936719105624870914", "url": "https://t.co/XowjneYPnA"}], "user": {"created_at": "Thu Jan 19 15:09:04 +0000 2017", "default_profile": true, "description": "Our mission is to make special events an everyday occasion through home automation. Everything IOT", "favourites_count": 421, "followers_count": 82, "friends_count": 469, "id": 822098556010004480, "lang": "en", "location": "Orlando, FL", "name": "Neocontrol Global", "profile_background_color": "F5F8FA", "profile_banner_url": "https://pbs.twimg.com/profile_banners/822098556010004480/1504108073", "profile_image_url": "http://pbs.twimg.com/profile_images/903253310844620800/nFobI6hz_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "Neocontrol_US", "statuses_count": 239, "time_zone": "Pacific Time (US & Canada)", "url": "https://t.co/bmiJnxvU9x", "utc_offset": -28800}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:10:12 +0000 2017", "hashtags": [{"text": "AI"}, {"text": "Fintech"}, {"text": "Artificialintelligence"}, {"text": "DataScience"}, {"text": "Tech"}], "id": 936719102219096064, "id_str": "936719102219096064", "lang": "en", "retweet_count": 1, "source": "<a href=\"http://www.hootsuite.com\" rel=\"nofollow\">Hootsuite</a>", "text": "[ #AI ] \nHow AI Is Changing Fintech\nhttps://t.co/70oUUA6xTk\n\n#Fintech #Artificialintelligence #DataScience #Tech\u2026 https://t.co/KlPavjhkfX", "truncated": true, "urls": [{"expanded_url": "http://ow.ly/3lBt30gXyMi", "url": "https://t.co/70oUUA6xTk"}, {"expanded_url": "https://twitter.com/i/web/status/936719102219096064", "url": "https://t.co/KlPavjhkfX"}], "user": {"created_at": "Thu May 31 11:14:09 +0000 2012", "default_profile": true, "description": "#DigitalTransformation #Cloud #AI #IoT #BigData #CustomerSuccess #CxO #UX #Blockchain #SocialSelling #GrowthHacking #Leadership #Marathons #Fun & Lots of others", "favourites_count": 3912, "followers_count": 24498, "friends_count": 21658, "id": 595479894, "lang": "fr", "listed_count": 1304, "location": "Paris France", "name": "Eric Petiot \u2728", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/595479894/1477139464", "profile_image_url": "http://pbs.twimg.com/profile_images/934742871126749184/ANikEER8_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "PetiotEric", "statuses_count": 13030, "time_zone": "Paris", "utc_offset": 3600}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:10:09 +0000 2017", "hashtags": [], "id": 936719089975922690, "id_str": "936719089975922690", "lang": "en", "source": "<a href=\"http://bufferapp.com\" rel=\"nofollow\">Buffer</a>", "text": "Social media automation: good, bad or somewhere in between? https://t.co/PySqctx0Nt by @WeAreArticulate", "urls": [{"expanded_url": "http://bit.ly/2isSaCp", "url": "https://t.co/PySqctx0Nt"}], "user": {"created_at": "Thu Jan 15 12:43:03 +0000 2015", "description": "Free online tools to help you get more subscribers, generate more sales, & grow your business. Sign-up for FREE before we wise up & start charging \ud83d\ude1c\ud83d\udc47", "favourites_count": 3305, "followers_count": 13018, "friends_count": 3874, "id": 2979688649, "lang": "en", "listed_count": 206, "location": "Miami Beach || Toronto", "name": "Launch6", "profile_background_color": "022330", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/615554695633965056/KpNJAX10.jpg", "profile_banner_url": "https://pbs.twimg.com/profile_banners/2979688649/1441977241", "profile_image_url": "http://pbs.twimg.com/profile_images/642165851387355136/w0PsiPna_normal.jpg", "profile_link_color": "242A32", "profile_sidebar_fill_color": "C0DFEC", "profile_text_color": "333333", "screen_name": "L6now", "statuses_count": 1159, "url": "https://t.co/XYgvb7ADZA"}, "user_mentions": [{"id": 1485132414, "name": "Articulate Marketing", "screen_name": "wearearticulate"}]},
{"created_at": "Fri Dec 01 22:10:08 +0000 2017", "hashtags": [], "id": 936719085429248001, "id_str": "936719085429248001", "lang": "en", "retweet_count": 81, "retweeted_status": {"created_at": "Fri Dec 01 06:03:23 +0000 2017", "favorite_count": 309, "hashtags": [], "id": 936475797648326656, "id_str": "936475797648326656", "lang": "en", "retweet_count": 81, "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "AlI gotta say is it\u2019s a good thing we\u2019re about to make billionaires invincible at the same time media companies con\u2026 https://t.co/QpaS84g3Ln", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936475797648326656", "url": "https://t.co/QpaS84g3Ln"}], "user": {"created_at": "Sat Aug 11 16:36:14 +0000 2007", "description": "writer at midnight / adult swim / the onion / the art of the deal: the movie / the fake news with ted nelms", "favourites_count": 28232, "followers_count": 29085, "friends_count": 1277, "geo_enabled": true, "id": 8126322, "lang": "en", "listed_count": 1005, "location": "los angeles ", "name": "Joe R", "profile_background_color": "1A1B1F", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme9/bg.gif", "profile_banner_url": "https://pbs.twimg.com/profile_banners/8126322/1482126803", "profile_image_url": "http://pbs.twimg.com/profile_images/815651058370236416/ujwY9QXT_normal.jpg", "profile_link_color": "2FC2EF", "profile_sidebar_fill_color": "252429", "profile_text_color": "666666", "screen_name": "Randazzoj", "statuses_count": 63057, "time_zone": "Pacific Time (US & Canada)", "url": "https://t.co/t934FoJ5b5", "utc_offset": -28800, "verified": true}, "user_mentions": []}, "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "RT @Randazzoj: AlI gotta say is it\u2019s a good thing we\u2019re about to make billionaires invincible at the same time media companies consolidate\u2026", "urls": [], "user": {"created_at": "Mon Mar 07 01:04:43 +0000 2011", "description": "see the world", "favourites_count": 13935, "followers_count": 855, "friends_count": 284, "geo_enabled": true, "id": 261939289, "lang": "en", "listed_count": 3, "location": "Chicago, IL", "name": "Hannah D", "profile_background_color": "DBE9ED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme17/bg.gif", "profile_image_url": "http://pbs.twimg.com/profile_images/932642280028168193/EQ9644Ga_normal.jpg", "profile_link_color": "CC3366", "profile_sidebar_fill_color": "E6F6F9", "profile_text_color": "333333", "screen_name": "hannnahdoweII", "statuses_count": 8227, "time_zone": "Quito", "utc_offset": -18000}, "user_mentions": [{"id": 8126322, "name": "Joe R", "screen_name": "Randazzoj"}]},
{"created_at": "Fri Dec 01 22:10:07 +0000 2017", "hashtags": [{"text": "empleodigital"}], "id": 936719081306279936, "id_str": "936719081306279936", "lang": "es", "source": "<a href=\"http://www.botize.com\" rel=\"nofollow\">Botize</a>", "text": "Oferta estrella! QA Automation Engineer en Madrid https://t.co/cjClDgNSfk #empleodigital", "urls": [{"expanded_url": "http://iwantic.com/ofertas-de-empleo-digital/#/jobs/780", "url": "https://t.co/cjClDgNSfk"}], "user": {"created_at": "Fri Feb 20 13:23:04 +0000 2015", "description": "Expertos en Selecci\u00f3n de Personal con perfil #Digital. Encuentra el #empleo de tus sue\u00f1os en las mejores empresas #empleodigital #somosheadhuntersdigitales", "favourites_count": 603, "followers_count": 5057, "friends_count": 5415, "geo_enabled": true, "id": 3046731981, "lang": "es", "listed_count": 735, "location": "Espa\u00f1a", "name": "Iwantic", "profile_background_color": "000000", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/3046731981/1495711187", "profile_image_url": "http://pbs.twimg.com/profile_images/722036379283234821/3LupIeDg_normal.jpg", "profile_link_color": "FF43B0", "profile_sidebar_fill_color": "000000", "profile_text_color": "000000", "screen_name": "Iwantic", "statuses_count": 27550, "time_zone": "Pacific Time (US & Canada)", "url": "https://t.co/5V1phCJrdL", "utc_offset": -28800}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:10:06 +0000 2017", "hashtags": [{"text": "free"}, {"text": "selenium"}], "id": 936719079188156416, "id_str": "936719079188156416", "lang": "en", "media": [{"display_url": "pic.twitter.com/RpnC944UuL", "expanded_url": "https://twitter.com/Nikolay_A00/status/936719079188156416/photo/1", "id": 936719076524732417, "media_url": "http://pbs.twimg.com/media/DP_lCYKWsAEaN4h.png", "media_url_https": "https://pbs.twimg.com/media/DP_lCYKWsAEaN4h.png", "sizes": {"large": {"h": 512, "resize": "fit", "w": 1024}, "medium": {"h": 512, "resize": "fit", "w": 1024}, "small": {"h": 340, "resize": "fit", "w": 680}, "thumb": {"h": 150, "resize": "crop", "w": 150}}, "type": "photo", "url": "https://t.co/RpnC944UuL"}], "source": "<a href=\"http://coschedule.com\" rel=\"nofollow\">CoSchedule</a>", "text": "FREE tutorial on Selenium Automation with Sauce Labs and Browser Stack. - #free #selenium https://t.co/IHbjhFmVUh https://t.co/RpnC944UuL", "urls": [{"expanded_url": "http://bit.ly/2j2e3qm", "url": "https://t.co/IHbjhFmVUh"}], "user": {"created_at": "Sun Nov 01 16:05:29 +0000 2015", "description": "Nikolay Advolodkin is a self-driven Test Automation Engineer on a lifelong mission to create profound change in the IT world", "favourites_count": 246, "followers_count": 3581, "friends_count": 123, "id": 4090917981, "lang": "en", "listed_count": 80, "name": "Nikolay Advolodkin", "profile_background_color": "000000", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/4090917981/1478272555", "profile_image_url": "http://pbs.twimg.com/profile_images/794558617227841536/6WNCTOG1_normal.jpg", "profile_link_color": "3B94D9", "profile_sidebar_fill_color": "000000", "profile_text_color": "000000", "screen_name": "Nikolay_A00", "statuses_count": 4998, "url": "https://t.co/jnwhkatqpO"}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:10:05 +0000 2017", "hashtags": [{"text": "inboundmarketing"}], "id": 936719075039940608, "id_str": "936719075039940608", "lang": "en", "retweet_count": 1, "retweeted_status": {"created_at": "Fri Dec 01 22:05:06 +0000 2017", "hashtags": [{"text": "inboundmarketing"}], "id": 936717818694897665, "id_str": "936717818694897665", "lang": "en", "media": [{"display_url": "pic.twitter.com/HyCoT2JzUN", "expanded_url": "https://twitter.com/BallisticRain/status/936717818694897665/photo/1", "id": 936717816711012352, "media_url": "http://pbs.twimg.com/media/DP_j5C_W4AAT0rb.jpg", "media_url_https": "https://pbs.twimg.com/media/DP_j5C_W4AAT0rb.jpg", "sizes": {"large": {"h": 640, "resize": "fit", "w": 1024}, "medium": {"h": 640, "resize": "fit", "w": 1024}, "small": {"h": 425, "resize": "fit", "w": 680}, "thumb": {"h": 150, "resize": "crop", "w": 150}}, "type": "photo", "url": "https://t.co/HyCoT2JzUN"}], "retweet_count": 1, "source": "<a href=\"http://bufferapp.com\" rel=\"nofollow\">Buffer</a>", "text": "Multiply Your Customer Acquisition With Drip Email Campaigns https://t.co/6mzO1U1sCx #inboundmarketing https://t.co/HyCoT2JzUN", "urls": [{"expanded_url": "https://buff.ly/2ylzMC3", "url": "https://t.co/6mzO1U1sCx"}], "user": {"created_at": "Mon Oct 24 17:54:45 +0000 2016", "default_profile": true, "description": "Ballistic Rain Internet Media isn't for everyone. Serious exposure online delivers more impact for our clients. Don't you think its time to get started now?", "favourites_count": 17, "followers_count": 83, "friends_count": 117, "id": 790612504967651329, "lang": "en", "listed_count": 13, "location": "Omaha, NE", "name": "Ryan Piper", "profile_background_color": "F5F8FA", "profile_banner_url": "https://pbs.twimg.com/profile_banners/790612504967651329/1477353640", "profile_image_url": "http://pbs.twimg.com/profile_images/790618178032275456/XoZ_C5NX_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "BallisticRain", "statuses_count": 1210, "url": "https://t.co/PQamPOPXIM"}, "user_mentions": []}, "source": "<a href=\"http://www.designerlistings.org/benefits.asp\" rel=\"nofollow\">MySEODirectoryApp</a>", "text": "RT @BallisticRain: Multiply Your Customer Acquisition With Drip Email Campaigns https://t.co/6mzO1U1sCx #inboundmarketing https://t.co/HyCo\u2026", "urls": [{"expanded_url": "https://buff.ly/2ylzMC3", "url": "https://t.co/6mzO1U1sCx"}], "user": {"created_at": "Sun Nov 13 06:45:26 +0000 2016", "default_profile": true, "description": "Offer SEO services? Add your biz to our SEO directory - it's free! https://t.co/0XEQ9EsUKl", "followers_count": 12915, "friends_count": 4879, "id": 797691826954125313, "lang": "en-gb", "listed_count": 1248, "location": "London, England", "name": "SEO Directory", "profile_background_color": "F5F8FA", "profile_banner_url": "https://pbs.twimg.com/profile_banners/797691826954125313/1479019762", "profile_image_url": "http://pbs.twimg.com/profile_images/797692768621457409/rN57sjVh_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "seobizlist", "statuses_count": 54602, "url": "https://t.co/YlJJZpoNaS"}, "user_mentions": [{"id": 790612504967651329, "name": "Ryan Piper", "screen_name": "BallisticRain"}]},
{"created_at": "Fri Dec 01 22:10:03 +0000 2017", "hashtags": [{"text": "automation"}], "id": 936719065573404672, "id_str": "936719065573404672", "lang": "en", "retweet_count": 1, "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": "Ag #automation to the rescue! \"Besides, finding a skilled operator who is willing to work 24 hours a day for three\u2026 https://t.co/xvwvqeL9u7", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936719065573404672", "url": "https://t.co/xvwvqeL9u7"}], "user": {"created_at": "Tue Nov 19 18:47:14 +0000 2013", "default_profile": true, "description": "Chief Scientist of @climatecorp, @fieldview. Plant genetics and data science guy from an Illinois farm working to change the world through digital agriculture.", "favourites_count": 293, "followers_count": 1128, "friends_count": 423, "geo_enabled": true, "id": 2203577894, "lang": "en", "listed_count": 68, "location": "St Louis, MO", "name": "Sam Eathington", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/2203577894/1472229574", "profile_image_url": "http://pbs.twimg.com/profile_images/894627394199408642/ZHifsmQ5_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "SamEathington", "statuses_count": 823, "time_zone": "Central Time (US & Canada)", "url": "https://t.co/BBdaj7HnR2", "utc_offset": -21600}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:10:03 +0000 2017", "hashtags": [], "id": 936719064881422337, "id_str": "936719064881422337", "lang": "en", "source": "<a href=\"http://bufferapp.com\" rel=\"nofollow\">Buffer</a>", "text": "What are the Top New Trends for the Internet of Things? \n1) Next generation robots\n2) Smart Vehicle Traffic\n3) Smar\u2026 https://t.co/GWSr9OvQgH", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936719064881422337", "url": "https://t.co/GWSr9OvQgH"}], "user": {"created_at": "Wed Mar 02 06:59:39 +0000 2011", "description": "Tweeting on the Future of Business \u2022 @Lenovo Solutions Evangelist \u2022 Adj. Professor of Marketing at @MeredithCollege \u2022 \ud83c\udf99Track leader at #SMMW18", "favourites_count": 67707, "followers_count": 171441, "friends_count": 75322, "geo_enabled": true, "id": 259613476, "lang": "en", "listed_count": 4945, "location": "Chapel Hill, NC", "name": "Jed Record", "profile_background_color": "FFFFFF", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/443050014491701248/7pbaozMr.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/259613476/1509734414", "profile_image_url": "http://pbs.twimg.com/profile_images/720239187832639488/72-woPKT_normal.jpg", "profile_link_color": "0084B4", "profile_sidebar_fill_color": "C0DFEC", "profile_text_color": "333333", "screen_name": "JedRecord", "statuses_count": 46968, "time_zone": "Eastern Time (US & Canada)", "url": "https://t.co/h2zKNYGzq0", "utc_offset": -18000}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:09:58 +0000 2017", "hashtags": [{"text": "BC"}, {"text": "eluta"}], "id": 936719043763097600, "id_str": "936719043763097600", "lang": "en", "source": "<a href=\"https://www.socialoomph.com\" rel=\"nofollow\">SocialOomph</a>", "text": "Test Automation Agile Team Member: Schneider Electric Canada Inc. (Victoria BC): \"Electric? creates.. #BC #eluta https://t.co/KmOM5G4LSp", "urls": [{"expanded_url": "http://dld.bz/gwFBc", "url": "https://t.co/KmOM5G4LSp"}], "user": {"created_at": "Sat Feb 05 03:17:52 +0000 2011", "description": "New jobs in British Columbia, directly from employer websites", "favourites_count": 17, "followers_count": 5943, "friends_count": 586, "id": 247582521, "lang": "en", "listed_count": 213, "location": "Canada", "name": "Jobs in BC", "profile_background_color": "131413", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/445892236/bcjobs_twitter_background.jpg", "profile_banner_url": "https://pbs.twimg.com/profile_banners/247582521/1385694715", "profile_image_url": "http://pbs.twimg.com/profile_images/1235156175/BC__Jobs_normal.png", "profile_link_color": "31B31D", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "BC__jobs", "statuses_count": 140046, "time_zone": "Pacific Time (US & Canada)", "url": "http://t.co/f2pXEASovW", "utc_offset": -28800}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:09:56 +0000 2017", "hashtags": [{"text": "ArtificialIntelligence"}, {"text": "ai"}, {"text": "bigdata"}, {"text": "testing"}, {"text": "hacking"}, {"text": "automation"}, {"text": "makeyourownlane"}], "id": 936719035202461696, "id_str": "936719035202461696", "lang": "en", "retweet_count": 1, "retweeted_status": {"created_at": "Fri Dec 01 22:08:14 +0000 2017", "favorite_count": 1, "hashtags": [{"text": "ArtificialIntelligence"}, {"text": "ai"}, {"text": "bigdata"}, {"text": "testing"}, {"text": "hacking"}, {"text": "automation"}], "id": 936718609933524992, "id_str": "936718609933524992", "lang": "en", "retweet_count": 1, "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": "Bringing AI to Automated Testing\n#ArtificialIntelligence #ai #bigdata #testing #hacking #automation\u2026 https://t.co/kEIAtBe0FY", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936718609933524992", "url": "https://t.co/kEIAtBe0FY"}], "user": {"created_at": "Wed Jan 25 16:39:36 +0000 2017", "default_profile": true, "description": "#Data #Engineer, Strategy Development Consultant and All Around Data Guy #deeplearning #machinelearning #datascience #tech #management\n\nhttps://t.co/IyXxokwXg8", "favourites_count": 5502, "followers_count": 12758, "friends_count": 13265, "id": 824295666784423937, "lang": "en", "listed_count": 212, "location": "Seattle, WA", "name": "SeattleDataGuy", "profile_background_color": "F5F8FA", "profile_banner_url": "https://pbs.twimg.com/profile_banners/824295666784423937/1485622326", "profile_image_url": "http://pbs.twimg.com/profile_images/830696404624379904/g9Lfd_l7_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "SeattleDataGuy", "statuses_count": 7962, "url": "https://t.co/MrhFZjSWZy"}, "user_mentions": []}, "source": "<a href=\"http://www.leahan.pro\" rel=\"nofollow\">lpro_bot</a>", "text": "RT @SeattleDataGuy: Bringing AI to Automated Testing\n#ArtificialIntelligence #ai #bigdata #testing #hacking #automation #makeyourownlane\n h\u2026", "urls": [], "user": {"created_at": "Fri Jul 28 06:08:31 +0000 2017", "description": "web and mobile app developers,news and technology reviews,big data and digital marketing #webdesigner #fullstack", "favourites_count": 160, "followers_count": 267, "friends_count": 266, "geo_enabled": true, "id": 890816218659028993, "lang": "en", "listed_count": 5, "location": "Beijing, People's Republic of China", "name": "L_Pro", "profile_background_color": "000000", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/890816218659028993/1510575370", "profile_image_url": "http://pbs.twimg.com/profile_images/932493793240129536/yQohLQvX_normal.jpg", "profile_link_color": "981CEB", "profile_sidebar_fill_color": "000000", "profile_text_color": "000000", "screen_name": "L_proScience", "statuses_count": 1303, "time_zone": "Pacific Time (US & Canada)", "url": "https://t.co/OzNKNGE7sE", "utc_offset": -28800}, "user_mentions": [{"id": 824295666784423937, "name": "SeattleDataGuy", "screen_name": "SeattleDataGuy"}]},
{"created_at": "Fri Dec 01 22:09:49 +0000 2017", "hashtags": [{"text": "ServiceNow"}, {"text": "security"}, {"text": "automation"}, {"text": "GDPR"}, {"text": "BHEU"}], "id": 936719006647701506, "id_str": "936719006647701506", "lang": "en", "retweet_count": 1, "retweeted_status": {"created_at": "Fri Dec 01 22:03:14 +0000 2017", "hashtags": [{"text": "ServiceNow"}, {"text": "security"}, {"text": "automation"}, {"text": "GDPR"}, {"text": "BHEU"}], "id": 936717349884870656, "id_str": "936717349884870656", "lang": "en", "retweet_count": 1, "source": "<a href=\"http://dynamicsignal.com/\" rel=\"nofollow\">VoiceStorm</a>", "text": "Check out #ServiceNow's #security predictions for 2018: #automation, boardrooms and #GDPR #BHEU\u2026 https://t.co/3le7bmihx2", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936717349884870656", "url": "https://t.co/3le7bmihx2"}], "user": {"created_at": "Thu Jun 27 00:19:29 +0000 2013", "default_profile": true, "favourites_count": 34, "followers_count": 96, "friends_count": 221, "id": 1549418929, "lang": "en", "listed_count": 44, "name": "Dave Goodridge", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/1549418929/1372702252", "profile_image_url": "http://pbs.twimg.com/profile_images/569165626623524864/j1ynCQcW_normal.jpeg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "GoodridgeDave", "statuses_count": 1192}, "user_mentions": []}, "source": "<a href=\"https://twitter.com/\" rel=\"nofollow\">GDPR Funnel</a>", "text": "RT @GoodridgeDave: Check out #ServiceNow's #security predictions for 2018: #automation, boardrooms and #GDPR #BHEU https://t.co/zDVUdC6Swm\u2026", "urls": [{"expanded_url": "http://bit.ly/2ArcYyR", "url": "https://t.co/zDVUdC6Swm"}], "user": {"created_at": "Tue Aug 01 22:12:47 +0000 2017", "default_profile": true, "description": "As the GDPR approaches this account is a bot pulling the #GDPR together so I can follow and you can too!", "favourites_count": 59, "followers_count": 570, "friends_count": 2, "id": 892508433315921924, "lang": "en", "listed_count": 13, "location": "Dublin City, Ireland", "name": "Data Protection", "profile_background_color": "F5F8FA", "profile_banner_url": "https://pbs.twimg.com/profile_banners/892508433315921924/1510611537", "profile_image_url": "http://pbs.twimg.com/profile_images/930198318654869509/7A0as3u-_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "GDPR25thMay18", "statuses_count": 13808}, "user_mentions": [{"id": 1549418929, "name": "Dave Goodridge", "screen_name": "GoodridgeDave"}]},
{"created_at": "Fri Dec 01 22:09:47 +0000 2017", "hashtags": [{"text": "Automation"}, {"text": "BasicIncome"}], "id": 936718999563354112, "id_str": "936718999563354112", "lang": "en", "media": [{"display_url": "pic.twitter.com/G9z8qv2GnD", "expanded_url": "https://twitter.com/HumanVsMachine/status/936636961615474689/video/1", "id": 936636478888689665, "media_url": "http://pbs.twimg.com/ext_tw_video_thumb/936636478888689665/pu/img/_0ouDItan8cyLybY.jpg", "media_url_https": "https://pbs.twimg.com/ext_tw_video_thumb/936636478888689665/pu/img/_0ouDItan8cyLybY.jpg", "sizes": {"large": {"h": 720, "resize": "fit", "w": 1280}, "medium": {"h": 675, "resize": "fit", "w": 1200}, "small": {"h": 383, "resize": "fit", "w": 680}, "thumb": {"h": 150, "resize": "crop", "w": 150}}, "type": "video", "url": "https://t.co/G9z8qv2GnD", "video_info": {"aspect_ratio": [16, 9], "duration_millis": 33400, "variants": [{"bitrate": 320000, "content_type": "video/mp4", "url": "https://video.twimg.com/ext_tw_video/936636478888689665/pu/vid/320x180/TTPV-yUb-4wSF-OJ.mp4"}, {"bitrate": 2176000, "content_type": "video/mp4", "url": "https://video.twimg.com/ext_tw_video/936636478888689665/pu/vid/1280x720/s4cHek8vBvPSS7CW.mp4"}, {"content_type": "application/x-mpegURL", "url": "https://video.twimg.com/ext_tw_video/936636478888689665/pu/pl/x6nToAfpdiWmS9Tk.m3u8"}, {"bitrate": 832000, "content_type": "video/mp4", "url": "https://video.twimg.com/ext_tw_video/936636478888689665/pu/vid/640x360/8Dl1JIfcBKohkvaa.mp4"}]}}], "retweet_count": 4, "retweeted_status": {"created_at": "Fri Dec 01 16:43:48 +0000 2017", "favorite_count": 3, "hashtags": [{"text": "Automation"}, {"text": "BasicIncome"}], "id": 936636961615474689, "id_str": "936636961615474689", "lang": "en", "media": [{"display_url": "pic.twitter.com/G9z8qv2GnD", "expanded_url": "https://twitter.com/HumanVsMachine/status/936636961615474689/video/1", "id": 936636478888689665, "media_url": "http://pbs.twimg.com/ext_tw_video_thumb/936636478888689665/pu/img/_0ouDItan8cyLybY.jpg", "media_url_https": "https://pbs.twimg.com/ext_tw_video_thumb/936636478888689665/pu/img/_0ouDItan8cyLybY.jpg", "sizes": {"large": {"h": 720, "resize": "fit", "w": 1280}, "medium": {"h": 675, "resize": "fit", "w": 1200}, "small": {"h": 383, "resize": "fit", "w": 680}, "thumb": {"h": 150, "resize": "crop", "w": 150}}, "type": "video", "url": "https://t.co/G9z8qv2GnD", "video_info": {"aspect_ratio": [16, 9], "duration_millis": 33400, "variants": [{"bitrate": 320000, "content_type": "video/mp4", "url": "https://video.twimg.com/ext_tw_video/936636478888689665/pu/vid/320x180/TTPV-yUb-4wSF-OJ.mp4"}, {"bitrate": 2176000, "content_type": "video/mp4", "url": "https://video.twimg.com/ext_tw_video/936636478888689665/pu/vid/1280x720/s4cHek8vBvPSS7CW.mp4"}, {"content_type": "application/x-mpegURL", "url": "https://video.twimg.com/ext_tw_video/936636478888689665/pu/pl/x6nToAfpdiWmS9Tk.m3u8"}, {"bitrate": 832000, "content_type": "video/mp4", "url": "https://video.twimg.com/ext_tw_video/936636478888689665/pu/vid/640x360/8Dl1JIfcBKohkvaa.mp4"}]}}], "retweet_count": 4, "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": "Soon : \"Let's order pizza & wait for it to fly to us.\" \ud83c\udf55\n#Automation #BasicIncome https://t.co/G9z8qv2GnD", "urls": [], "user": {"created_at": "Fri Oct 21 03:57:50 +0000 2016", "default_profile": true, "description": "The visual exploration of the world of #automation.", "favourites_count": 2028, "followers_count": 5385, "friends_count": 9, "id": 789314726874472448, "lang": "en", "listed_count": 138, "name": "HumanVSMachine", "profile_background_color": "F5F8FA", "profile_banner_url": "https://pbs.twimg.com/profile_banners/789314726874472448/1478047409", "profile_image_url": "http://pbs.twimg.com/profile_images/793614209795981312/NOK307cI_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "HumanVsMachine", "statuses_count": 1900, "time_zone": "Pacific Time (US & Canada)", "url": "https://t.co/EUmAqMt3K6", "utc_offset": -28800}, "user_mentions": []}, "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "RT @HumanVsMachine: Soon : \"Let's order pizza & wait for it to fly to us.\" \ud83c\udf55\n#Automation #BasicIncome https://t.co/G9z8qv2GnD", "urls": [], "user": {"created_at": "Mon Aug 14 22:03:58 +0000 2017", "default_profile": true, "description": "#TheResistance\u270a Pushing for equality and universal basic income in the United States.", "favourites_count": 305, "followers_count": 879, "friends_count": 2842, "id": 897217258145038337, "lang": "en", "listed_count": 12, "location": "United States", "name": "Basic Income America \ud83d\udcb8", "profile_background_color": "F5F8FA", "profile_banner_url": "https://pbs.twimg.com/profile_banners/897217258145038337/1510043829", "profile_image_url": "http://pbs.twimg.com/profile_images/927823889228447746/QBbFoeCu_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "BasicIncome_USA", "statuses_count": 419, "url": "https://t.co/JMwFYcjOwy"}, "user_mentions": [{"id": 789314726874472448, "name": "HumanVSMachine", "screen_name": "HumanVsMachine"}]},
{"created_at": "Fri Dec 01 22:09:41 +0000 2017", "hashtags": [{"text": "musique"}, {"text": "Japon"}, {"text": "INFORMATION"}], "id": 936718975106367493, "id_str": "936718975106367493", "lang": "tl", "source": "<a href=\"http://marsproject.dip.jp/\" rel=\"nofollow\">world on mars bot</a>", "text": "\u279fMASAKI YODA 2017 NEW -automation(1/3 Quality)- https://t.co/9ojN8xCh8o #musique #Japon #INFORMATION", "urls": [{"expanded_url": "http://marsproject.dip.jp/access/comingsoon/index.php?id=automation", "url": "https://t.co/9ojN8xCh8o"}], "user": {"created_at": "Sun May 20 08:42:32 +0000 2012", "description": "\u270c @Labelmars", "favourites_count": 156, "followers_count": 52292, "friends_count": 36859, "id": 585490397, "lang": "ja", "listed_count": 151, "name": "world_on_mars", "profile_background_color": "C0DEED", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/886086919/db85294b477fb88a0648088f17b09d58.jpeg", "profile_background_tile": true, "profile_banner_url": "https://pbs.twimg.com/profile_banners/585490397/1359017326", "profile_image_url": "http://pbs.twimg.com/profile_images/2235928789/Earth_normal.jpg", "profile_link_color": "0084B4", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "mars_on_world", "statuses_count": 1425332, "time_zone": "Irkutsk", "utc_offset": 28800}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:09:23 +0000 2017", "hashtags": [], "id": 936718897990062081, "id_str": "936718897990062081", "lang": "en", "retweet_count": 8, "retweeted_status": {"created_at": "Fri Dec 01 21:49:33 +0000 2017", "favorite_count": 6, "hashtags": [], "id": 936713909255286784, "id_str": "936713909255286784", "lang": "en", "retweet_count": 8, "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": "San Francisco Supervisor Jane Kim \"intends to raise money to support a statewide ballot measure that would penalize\u2026 https://t.co/QCP9H9Yfs9", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936713909255286784", "url": "https://t.co/QCP9H9Yfs9"}], "user": {"created_at": "Tue Apr 25 17:14:12 +0000 2017", "default_profile": true, "description": "Lawyer. Election law and litigation partner at Bell, McAndrews & Hiltachk. President, CA Political Attorneys Association. Husband, dad, Boston 26.2 finisher.", "favourites_count": 282, "followers_count": 225, "friends_count": 564, "id": 856919281946079232, "lang": "en", "listed_count": 4, "location": "Sacramento, CA", "name": "Brian Hildreth", "profile_background_color": "F5F8FA", "profile_banner_url": "https://pbs.twimg.com/profile_banners/856919281946079232/1498496098", "profile_image_url": "http://pbs.twimg.com/profile_images/861999215009947648/C013hhPF_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "ElectionsLawyer", "statuses_count": 390, "url": "https://t.co/ufGZp577nB"}, "user_mentions": []}, "source": "<a href=\"https://mobile.twitter.com\" rel=\"nofollow\">Twitter Lite</a>", "text": "RT @ElectionsLawyer: San Francisco Supervisor Jane Kim \"intends to raise money to support a statewide ballot measure that would penalize pr\u2026", "urls": [], "user": {"created_at": "Wed Dec 01 11:06:24 +0000 2010", "favourites_count": 19882, "followers_count": 135, "friends_count": 223, "id": 221699951, "lang": "es", "listed_count": 7, "location": "Fuenlabrada", "name": "Esterlin Archer", "profile_background_color": "000000", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/221699951/1437103798", "profile_image_url": "http://pbs.twimg.com/profile_images/808819928765792256/ReyrdVWq_normal.jpg", "profile_link_color": "556666", "profile_sidebar_fill_color": "000000", "profile_text_color": "000000", "screen_name": "EsterlinCooper", "statuses_count": 14766}, "user_mentions": [{"id": 856919281946079232, "name": "Brian Hildreth", "screen_name": "ElectionsLawyer"}]},
{"created_at": "Fri Dec 01 22:09:22 +0000 2017", "hashtags": [], "id": 936718896110948354, "id_str": "936718896110948354", "lang": "en", "retweet_count": 81, "retweeted_status": {"created_at": "Fri Dec 01 06:03:23 +0000 2017", "favorite_count": 309, "hashtags": [], "id": 936475797648326656, "id_str": "936475797648326656", "lang": "en", "retweet_count": 81, "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "AlI gotta say is it\u2019s a good thing we\u2019re about to make billionaires invincible at the same time media companies con\u2026 https://t.co/QpaS84g3Ln", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936475797648326656", "url": "https://t.co/QpaS84g3Ln"}], "user": {"created_at": "Sat Aug 11 16:36:14 +0000 2007", "description": "writer at midnight / adult swim / the onion / the art of the deal: the movie / the fake news with ted nelms", "favourites_count": 28232, "followers_count": 29085, "friends_count": 1277, "geo_enabled": true, "id": 8126322, "lang": "en", "listed_count": 1005, "location": "los angeles ", "name": "Joe R", "profile_background_color": "1A1B1F", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme9/bg.gif", "profile_banner_url": "https://pbs.twimg.com/profile_banners/8126322/1482126803", "profile_image_url": "http://pbs.twimg.com/profile_images/815651058370236416/ujwY9QXT_normal.jpg", "profile_link_color": "2FC2EF", "profile_sidebar_fill_color": "252429", "profile_text_color": "666666", "screen_name": "Randazzoj", "statuses_count": 63057, "time_zone": "Pacific Time (US & Canada)", "url": "https://t.co/t934FoJ5b5", "utc_offset": -28800, "verified": true}, "user_mentions": []}, "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "RT @Randazzoj: AlI gotta say is it\u2019s a good thing we\u2019re about to make billionaires invincible at the same time media companies consolidate\u2026", "urls": [], "user": {"created_at": "Wed Jul 27 20:43:15 +0000 2011", "description": "#wiu / feminist / blm / anti imperialist / anti fascist / free Palestine / leftist / trans lives matter", "favourites_count": 59771, "followers_count": 602, "friends_count": 1469, "geo_enabled": true, "id": 343612406, "lang": "en", "listed_count": 25, "location": "I'll listen to you", "name": "i jingle her \ud83d\udd14\ud83d\udd14s", "profile_background_color": "C0DEED", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/863859566/f76efec7c8a8062c2306cc3336642474.jpeg", "profile_banner_url": "https://pbs.twimg.com/profile_banners/343612406/1510726762", "profile_image_url": "http://pbs.twimg.com/profile_images/930681741202870272/PiTEHQii_normal.jpg", "profile_link_color": "0084B4", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "Sir_alex_the_13", "statuses_count": 44903, "time_zone": "Central Time (US & Canada)", "utc_offset": -21600}, "user_mentions": [{"id": 8126322, "name": "Joe R", "screen_name": "Randazzoj"}]},
{"created_at": "Fri Dec 01 22:09:16 +0000 2017", "hashtags": [], "id": 936718869632307202, "id_str": "936718869632307202", "lang": "en", "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "Curious about bitcoin? Yes, I\u2019ve decided to get on the train. Earn bitcoins while you sleep. 100% automation. DM me\u2026 https://t.co/MVH5GJcWvf", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936718869632307202", "url": "https://t.co/MVH5GJcWvf"}], "user": {"created_at": "Mon Sep 21 15:46:19 +0000 2015", "default_profile": true, "description": "\ud83d\udc8eEntrepreneur \ud83d\udc8e\ud83d\udd25Investing in my future \ud83c\udf0e Passive income\ud83d\udcb0 Connect Instagram:_michellelarson", "favourites_count": 97, "followers_count": 343, "friends_count": 295, "id": 3729605837, "lang": "en", "listed_count": 4, "name": "Michelle Larson", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/3729605837/1494329448", "profile_image_url": "http://pbs.twimg.com/profile_images/872800743148982273/Y2Gtp3ed_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "_michellelarson", "statuses_count": 345, "url": "https://t.co/EwITajRi3K"}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:09:12 +0000 2017", "hashtags": [{"text": "musique"}, {"text": "Japon"}, {"text": "INFORMATION"}], "id": 936718851466657792, "id_str": "936718851466657792", "lang": "tl", "source": "<a href=\"http://marsproject.dip.jp/\" rel=\"nofollow\">bb_ma</a>", "text": "\u2650MASAKI YODA 2017 NEW -automation(1/3 Quality)- https://t.co/hYLva8qOJ4 #musique #Japon #INFORMATION", "urls": [{"expanded_url": "http://marsproject.dip.jp/access/comingsoon/index.php?id=automation", "url": "https://t.co/hYLva8qOJ4"}], "user": {"created_at": "Mon Oct 17 09:02:17 +0000 2011", "description": "Independent Music Label & Office -MARS PROJECT. Establishment 1995 Since 1992. https://t.co/PBTM7mgz6F", "favourites_count": 478, "followers_count": 62307, "friends_count": 54795, "id": 392599269, "lang": "ja", "listed_count": 327, "location": "JAPAN", "name": "Label MARS PROJECT", "profile_background_color": "C0DEED", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/886078791/792104ab585ae780daf70673758f24ca.jpeg", "profile_background_tile": true, "profile_banner_url": "https://pbs.twimg.com/profile_banners/392599269/1396489727", "profile_image_url": "http://pbs.twimg.com/profile_images/451269325656035329/-j-YaHfe_normal.png", "profile_link_color": "0084B4", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "Labelmars", "statuses_count": 1879371, "time_zone": "Tokyo", "url": "http://t.co/RSpkHHgCKf", "utc_offset": 32400}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:09:06 +0000 2017", "hashtags": [{"text": "cybersecurity"}, {"text": "automation"}, {"text": "Security"}], "id": 936718828683386881, "id_str": "936718828683386881", "lang": "en", "media": [{"display_url": "pic.twitter.com/wdEubE6taZ", "expanded_url": "https://twitter.com/MASERGY/status/936648661563510784/photo/1", "id": 936648658820399105, "media_url": "http://pbs.twimg.com/media/DP-k_hxWAAEprJX.jpg", "media_url_https": "https://pbs.twimg.com/media/DP-k_hxWAAEprJX.jpg", "sizes": {"large": {"h": 467, "resize": "fit", "w": 700}, "medium": {"h": 467, "resize": "fit", "w": 700}, "small": {"h": 454, "resize": "fit", "w": 680}, "thumb": {"h": 150, "resize": "crop", "w": 150}}, "type": "photo", "url": "https://t.co/wdEubE6taZ"}], "source": "<a href=\"http://gaggleamp.com/twit/\" rel=\"nofollow\">GaggleAMP</a>", "text": "RT @MASERGY: The future of #cybersecurity part II: The need for #automation! https://t.co/dRv7zqmMhS #Security https://t.co/wdEubE6taZ", "urls": [{"expanded_url": "http://gag.gl/RcW8Ga", "url": "https://t.co/dRv7zqmMhS"}], "user": {"created_at": "Thu Apr 11 18:57:59 +0000 2013", "default_profile": true, "description": "Technology consulting: expert advice on cloud-based/hosted solutions, telecommunications, and Information Technology.", "favourites_count": 65, "followers_count": 91, "friends_count": 128, "id": 1345066141, "lang": "en", "listed_count": 135, "name": "Hosted Authority", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_image_url": "http://pbs.twimg.com/profile_images/3507702463/5ad8616bf940f47e0e88fff478cc9983_normal.png", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "HostedAuthority", "statuses_count": 2967}, "user_mentions": [{"id": 105949998, "name": "Masergy", "screen_name": "MASERGY"}]},
{"created_at": "Fri Dec 01 22:09:05 +0000 2017", "hashtags": [{"text": "automation"}, {"text": "entrepreneur"}], "id": 936718824145072128, "id_str": "936718824145072128", "lang": "en", "media": [{"display_url": "pic.twitter.com/Rds89788F1", "expanded_url": "https://twitter.com/KennethOKing/status/936718824145072128/photo/1", "id": 936718820869251073, "media_url": "http://pbs.twimg.com/media/DP_kzfxVoAEMBvO.jpg", "media_url_https": "https://pbs.twimg.com/media/DP_kzfxVoAEMBvO.jpg", "sizes": {"large": {"h": 577, "resize": "fit", "w": 1024}, "medium": {"h": 577, "resize": "fit", "w": 1024}, "small": {"h": 383, "resize": "fit", "w": 680}, "thumb": {"h": 150, "resize": "crop", "w": 150}}, "type": "photo", "url": "https://t.co/Rds89788F1"}], "source": "<a href=\"http://ridder.co\" rel=\"nofollow\">Ridder: turn sharing into growth</a>", "text": "Automation: Business Processes Made Easy via @trackmysubs #automation #entrepreneur https://t.co/WRAxrEQ08N https://t.co/Rds89788F1", "urls": [{"expanded_url": "http://www.trackmysubs.com.ridder.co/D8G7Vw", "url": "https://t.co/WRAxrEQ08N"}], "user": {"created_at": "Sat May 11 07:26:35 +0000 2013", "description": "Founder of The Implant Marketing HUB \ud83c\udfc6\ud83c\udfc5 ... I Help Dentist Bring in Highly \u201cQualified\" Patients For Dental Implants Every Month. Click Below To Learn More:", "favourites_count": 655, "followers_count": 4373, "friends_count": 3946, "geo_enabled": true, "id": 1420035781, "lang": "en", "listed_count": 72, "location": "Jersey City, NJ", "name": "Kenneth O. King", "profile_background_color": "131516", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/378800000023980702/381d7a0c38e9f1393a73843b110f46e7.jpeg", "profile_banner_url": "https://pbs.twimg.com/profile_banners/1420035781/1510014040", "profile_image_url": "http://pbs.twimg.com/profile_images/774081947647684609/RokWS8nf_normal.jpg", "profile_link_color": "9D582E", "profile_sidebar_fill_color": "EFEFEF", "profile_text_color": "333333", "screen_name": "KennethOKing", "statuses_count": 2286, "time_zone": "Arizona", "url": "https://t.co/lGGaX56C0D", "utc_offset": -25200}, "user_mentions": [{"id": 845996155934715908, "name": "TrackMySubs", "screen_name": "TrackMySubs"}]},
{"created_at": "Fri Dec 01 22:08:56 +0000 2017", "hashtags": [{"text": "CloudMusings"}], "id": 936718785876291587, "id_str": "936718785876291587", "lang": "en", "media": [{"display_url": "pic.twitter.com/NF3kTCJQfL", "expanded_url": "https://twitter.com/Kevin_Jackson/status/936597036467494914/photo/1", "id": 936597032814252033, "media_url": "http://pbs.twimg.com/media/DP92Cf6UEAEczDQ.jpg", "media_url_https": "https://pbs.twimg.com/media/DP92Cf6UEAEczDQ.jpg", "sizes": {"large": {"h": 482, "resize": "fit", "w": 724}, "medium": {"h": 482, "resize": "fit", "w": 724}, "small": {"h": 453, "resize": "fit", "w": 680}, "thumb": {"h": 150, "resize": "crop", "w": 150}}, "type": "photo", "url": "https://t.co/NF3kTCJQfL"}], "retweet_count": 69, "retweeted_status": {"created_at": "Fri Dec 01 14:05:09 +0000 2017", "favorite_count": 1, "hashtags": [{"text": "CloudMusings"}], "id": 936597036467494914, "id_str": "936597036467494914", "lang": "en", "media": [{"display_url": "pic.twitter.com/NF3kTCJQfL", "expanded_url": "https://twitter.com/Kevin_Jackson/status/936597036467494914/photo/1", "id": 936597032814252033, "media_url": "http://pbs.twimg.com/media/DP92Cf6UEAEczDQ.jpg", "media_url_https": "https://pbs.twimg.com/media/DP92Cf6UEAEczDQ.jpg", "sizes": {"large": {"h": 482, "resize": "fit", "w": 724}, "medium": {"h": 482, "resize": "fit", "w": 724}, "small": {"h": 453, "resize": "fit", "w": 680}, "thumb": {"h": 150, "resize": "crop", "w": 150}}, "type": "photo", "url": "https://t.co/NF3kTCJQfL"}], "retweet_count": 69, "source": "<a href=\"https://dlvrit.com/\" rel=\"nofollow\">dlvr.it</a>", "text": "Robotic Automation Promises to Enhance Enterprise Workflow https://t.co/1XWU3ChQeU #CloudMusings https://t.co/NF3kTCJQfL", "urls": [{"expanded_url": "http://dlvr.it/Q3q70y", "url": "https://t.co/1XWU3ChQeU"}], "user": {"created_at": "Fri Dec 05 15:42:24 +0000 2008", "description": "Technology #Author #Consultant #Instructor #CloudComputing, #Cybersecurity, #CognitiveComputing #ThoughtLeader @GovCloud Network", "favourites_count": 4349, "followers_count": 107169, "friends_count": 20722, "geo_enabled": true, "id": 17899712, "lang": "en", "listed_count": 1040, "location": "Virginia, USA", "name": "Kevin L. Jackson", "profile_background_color": "59BEE4", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/378800000101672144/d097204c7151071751b35dfec09134b7.jpeg", "profile_banner_url": "https://pbs.twimg.com/profile_banners/17899712/1511747707", "profile_image_url": "http://pbs.twimg.com/profile_images/934963964378693632/OAD_1I1o_normal.jpg", "profile_link_color": "8FCAE0", "profile_sidebar_fill_color": "191F22", "profile_text_color": "4BB7DF", "screen_name": "Kevin_Jackson", "statuses_count": 30493, "time_zone": "Eastern Time (US & Canada)", "url": "https://t.co/Kfr5Ta5zAZ", "utc_offset": -18000}, "user_mentions": []}, "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "RT @Kevin_Jackson: Robotic Automation Promises to Enhance Enterprise Workflow https://t.co/1XWU3ChQeU #CloudMusings https://t.co/NF3kTCJQfL", "urls": [{"expanded_url": "http://dlvr.it/Q3q70y", "url": "https://t.co/1XWU3ChQeU"}], "user": {"created_at": "Fri Apr 24 00:54:05 +0000 2009", "description": "dreamer", "favourites_count": 20, "followers_count": 49, "friends_count": 202, "id": 34791150, "lang": "en", "location": "Tusca, CL", "name": "Andrea Lara", "profile_background_color": "000000", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme5/bg.gif", "profile_image_url": "http://pbs.twimg.com/profile_images/1390559483/254937_2120604855580_1259576923_32610138_3592145_n_normal.jpg", "profile_link_color": "4A913C", "profile_sidebar_fill_color": "000000", "profile_text_color": "000000", "screen_name": "lazyandrea", "statuses_count": 89, "time_zone": "Atlantic Time (Canada)", "utc_offset": -14400}, "user_mentions": [{"id": 17899712, "name": "Kevin L. Jackson", "screen_name": "Kevin_Jackson"}]},
{"created_at": "Fri Dec 01 22:08:24 +0000 2017", "hashtags": [], "id": 936718649175478273, "id_str": "936718649175478273", "lang": "en", "retweet_count": 140, "retweeted_status": {"created_at": "Thu Nov 30 15:45:53 +0000 2017", "favorite_count": 158, "hashtags": [], "id": 936260001093500928, "id_str": "936260001093500928", "lang": "en", "retweet_count": 140, "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "Share of current work hours w/ potential for automation by 2030\n \nJapan 26%\nGermany 24%\nUS 23%\nChina 16%\nIndia 9%\n \nGlobal 15%\n \n(McKinsey)", "urls": [], "user": {"created_at": "Tue Jul 28 02:23:28 +0000 2009", "description": "political scientist, author, prof at nyu, columnist at time, president @eurasiagroup. if you lived here, you'd be home now.", "favourites_count": 411, "followers_count": 339244, "friends_count": 1192, "id": 60783724, "lang": "en", "listed_count": 7482, "name": "ian bremmer", "profile_background_color": "022330", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme15/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/60783724/1510920762", "profile_image_url": "http://pbs.twimg.com/profile_images/935214204658900992/vGPSlT2T_normal.jpg", "profile_link_color": "3489B3", "profile_sidebar_fill_color": "C0DFEC", "profile_text_color": "333333", "screen_name": "ianbremmer", "statuses_count": 27492, "time_zone": "Eastern Time (US & Canada)", "url": "https://t.co/RyT2ScT8cy", "utc_offset": -18000, "verified": true}, "user_mentions": []}, "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": "RT @ianbremmer: Share of current work hours w/ potential for automation by 2030\n \nJapan 26%\nGermany 24%\nUS 23%\nChina 16%\nIndia 9%\n \nGlobal\u2026", "urls": [], "user": {"created_at": "Fri Feb 03 09:04:31 +0000 2012", "description": "Sci-fic Author, book1: \"Tora-Bora Mountains\", Future ebook: \"Honeybee story and immortality\" https://t.co/QDjirmik5O", "favourites_count": 5511, "followers_count": 1900, "friends_count": 2590, "id": 481892917, "lang": "en", "listed_count": 30, "location": "Israel", "name": "Hadas Moosazadeh", "profile_background_color": "000000", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme6/bg.gif", "profile_banner_url": "https://pbs.twimg.com/profile_banners/481892917/1510914518", "profile_image_url": "http://pbs.twimg.com/profile_images/934344430009704448/YcFVqgrx_normal.jpg", "profile_link_color": "1B95E0", "profile_sidebar_fill_color": "000000", "profile_text_color": "000000", "screen_name": "HadasMoosazadeh", "statuses_count": 10004, "time_zone": "Baghdad", "url": "https://t.co/4zoMCmmVPV", "utc_offset": 10800}, "user_mentions": [{"id": 60783724, "name": "ian bremmer", "screen_name": "ianbremmer"}]},
{"created_at": "Fri Dec 01 22:08:20 +0000 2017", "hashtags": [], "id": 936718632498888704, "id_str": "936718632498888704", "lang": "en", "source": "<a href=\"https://ifttt.com\" rel=\"nofollow\">IFTTT</a>", "text": "Why Marketing Automation Is The Future of Digital For Brands https://t.co/6mg9lQLjWx\nAngela Baker Angela Baker\u2026 https://t.co/yYxOkyYrKT", "truncated": true, "urls": [{"expanded_url": "https://buff.ly/2Awhu17", "url": "https://t.co/6mg9lQLjWx"}, {"expanded_url": "https://twitter.com/i/web/status/936718632498888704", "url": "https://t.co/yYxOkyYrKT"}], "user": {"created_at": "Sat Oct 18 20:53:53 +0000 2014", "default_profile": true, "description": "#cryptocurrency #bitcoin #shitcoins #altcoins #socialmedia avid trader #commodities #forex", "favourites_count": 379, "followers_count": 2038, "friends_count": 1751, "id": 2863493491, "lang": "en", "listed_count": 434, "name": "Lie Todd", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_image_url": "http://pbs.twimg.com/profile_images/717280371415523328/KVnrbLXM_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "LieTodd", "statuses_count": 58166}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:08:14 +0000 2017", "favorite_count": 1, "hashtags": [{"text": "ArtificialIntelligence"}, {"text": "ai"}, {"text": "bigdata"}, {"text": "testing"}, {"text": "hacking"}, {"text": "automation"}], "id": 936718609933524992, "id_str": "936718609933524992", "lang": "en", "retweet_count": 1, "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": "Bringing AI to Automated Testing\n#ArtificialIntelligence #ai #bigdata #testing #hacking #automation\u2026 https://t.co/kEIAtBe0FY", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936718609933524992", "url": "https://t.co/kEIAtBe0FY"}], "user": {"created_at": "Wed Jan 25 16:39:36 +0000 2017", "default_profile": true, "description": "#Data #Engineer, Strategy Development Consultant and All Around Data Guy #deeplearning #machinelearning #datascience #tech #management\n\nhttps://t.co/IyXxokwXg8", "favourites_count": 5502, "followers_count": 12758, "friends_count": 13265, "id": 824295666784423937, "lang": "en", "listed_count": 212, "location": "Seattle, WA", "name": "SeattleDataGuy", "profile_background_color": "F5F8FA", "profile_banner_url": "https://pbs.twimg.com/profile_banners/824295666784423937/1485622326", "profile_image_url": "http://pbs.twimg.com/profile_images/830696404624379904/g9Lfd_l7_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "SeattleDataGuy", "statuses_count": 7962, "url": "https://t.co/MrhFZjSWZy"}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:08:11 +0000 2017", "hashtags": [], "id": 936718594909511680, "id_str": "936718594909511680", "lang": "und", "source": "<a href=\"https://www.snaphop.com\" rel=\"nofollow\">RecruitingHop</a>", "text": "Test Automation Engineer - AZMSC https://t.co/NzqIG0zq1Y", "urls": [{"expanded_url": "https://goo.gl/LBSQ1K", "url": "https://t.co/NzqIG0zq1Y"}], "user": {"created_at": "Fri Jul 19 18:14:26 +0000 2013", "description": "Posting all of our IT jobs across the country! Follow our main account @MATRIXResources for content.", "favourites_count": 1, "followers_count": 162, "friends_count": 28, "geo_enabled": true, "id": 1606502299, "lang": "en", "listed_count": 33, "location": "Nationwide", "name": "MATRIX Hot Jobs", "profile_background_color": "000000", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme14/bg.gif", "profile_banner_url": "https://pbs.twimg.com/profile_banners/1606502299/1451413551", "profile_image_url": "http://pbs.twimg.com/profile_images/681903995099701248/m0OjAYre_normal.jpg", "profile_link_color": "0A5CA1", "profile_sidebar_fill_color": "000000", "profile_text_color": "000000", "screen_name": "MATRIXHotJobs", "statuses_count": 45570, "url": "http://t.co/BPMckgbfYT"}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:08:08 +0000 2017", "hashtags": [], "id": 936718584872660992, "id_str": "936718584872660992", "lang": "en", "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": "'Robot makers boosting Chinese output to fuel automation shift' - https://t.co/m6YlqgodmO via @NAR", "urls": [{"expanded_url": "http://s.nikkei.com/2zVxOcv", "url": "https://t.co/m6YlqgodmO"}], "user": {"created_at": "Fri Mar 27 21:28:59 +0000 2009", "default_profile": true, "description": "Telecare, Telehealth, digital health, Telemedicine, mHealth, AI/VR, health tech news from around the world + UK health, housing & care", "favourites_count": 56, "followers_count": 9986, "friends_count": 7953, "id": 27102150, "lang": "en", "listed_count": 740, "location": "Kent, England", "name": "Mike Clark", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_image_url": "http://pbs.twimg.com/profile_images/378800000811661595/685ba8411b33f0e01fc2e316c12ae516_normal.jpeg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "clarkmike", "statuses_count": 61619, "time_zone": "London"}, "user_mentions": [{"id": 436429668, "name": "Nikkei Asian Review", "screen_name": "NAR"}]},
{"created_at": "Fri Dec 01 22:08:04 +0000 2017", "hashtags": [{"text": "automation"}], "id": 936718566942035974, "id_str": "936718566942035974", "lang": "en", "media": [{"display_url": "pic.twitter.com/zv81BF3kxR", "expanded_url": "https://twitter.com/CourtneyBedore/status/936718566942035974/photo/1", "id": 936718564911751168, "media_url": "http://pbs.twimg.com/media/DP_kkmQUIAAvvsa.jpg", "media_url_https": "https://pbs.twimg.com/media/DP_kkmQUIAAvvsa.jpg", "sizes": {"large": {"h": 1372, "resize": "fit", "w": 1200}, "medium": {"h": 1200, "resize": "fit", "w": 1050}, "small": {"h": 680, "resize": "fit", "w": 595}, "thumb": {"h": 150, "resize": "crop", "w": 150}}, "type": "photo", "url": "https://t.co/zv81BF3kxR"}], "source": "<a href=\"http://choosejarvis.com\" rel=\"nofollow\">Choose Jarvis</a>", "text": "Things you need to Automate in your Small Business: https://t.co/Kr0CtXgPN0\n#automation https://t.co/zv81BF3kxR", "urls": [{"expanded_url": "http://jrv.is/2fjLJdz", "url": "https://t.co/Kr0CtXgPN0"}], "user": {"created_at": "Wed May 13 14:59:47 +0000 2015", "description": "Helping entrepreneurs & small business owners to make their business more efficient with automation, sales funnels and strategy. Infusionsoft Certified Partner.", "favourites_count": 115, "followers_count": 288, "friends_count": 199, "id": 3251781983, "lang": "en", "listed_count": 155, "location": "Canada", "name": "Courtney Bedore", "profile_background_color": "000000", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/3251781983/1483467756", "profile_image_url": "http://pbs.twimg.com/profile_images/816344814694395905/NA1Cx-DB_normal.jpg", "profile_link_color": "0D1B40", "profile_sidebar_fill_color": "000000", "profile_text_color": "000000", "screen_name": "CourtneyBedore", "statuses_count": 11187, "time_zone": "Eastern Time (US & Canada)", "url": "https://t.co/woLn9WBEBL", "utc_offset": -18000}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:07:56 +0000 2017", "hashtags": [{"text": "cybersecurity"}, {"text": "automation"}, {"text": "Security"}], "id": 936718534998134785, "id_str": "936718534998134785", "lang": "en", "media": [{"display_url": "pic.twitter.com/7HOG7TR45i", "expanded_url": "https://twitter.com/MASERGY/status/936648661563510784/photo/1", "id": 936648658820399105, "media_url": "http://pbs.twimg.com/media/DP-k_hxWAAEprJX.jpg", "media_url_https": "https://pbs.twimg.com/media/DP-k_hxWAAEprJX.jpg", "sizes": {"large": {"h": 467, "resize": "fit", "w": 700}, "medium": {"h": 467, "resize": "fit", "w": 700}, "small": {"h": 454, "resize": "fit", "w": 680}, "thumb": {"h": 150, "resize": "crop", "w": 150}}, "type": "photo", "url": "https://t.co/7HOG7TR45i"}], "source": "<a href=\"http://gaggleamp.com/twit/\" rel=\"nofollow\">GaggleAMP</a>", "text": "RT @MASERGY: The future of #cybersecurity part II: The need for #automation! https://t.co/1tsc86rue2 #Security https://t.co/7HOG7TR45i", "urls": [{"expanded_url": "http://gag.gl/RcW8Ga", "url": "https://t.co/1tsc86rue2"}], "user": {"created_at": "Thu Jul 24 18:34:22 +0000 2014", "default_profile": true, "favourites_count": 4, "followers_count": 44, "friends_count": 122, "id": 2677739844, "lang": "en", "listed_count": 99, "location": "Massachusetts, USA", "name": "Dustin Puccio", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_image_url": "http://pbs.twimg.com/profile_images/654032835288924160/2XrcTjYY_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "DustinPuccio", "statuses_count": 2673, "url": "https://t.co/lgthfhgkJv"}, "user_mentions": [{"id": 105949998, "name": "Masergy", "screen_name": "MASERGY"}]},
{"created_at": "Fri Dec 01 22:07:55 +0000 2017", "hashtags": [], "id": 936718529306427392, "id_str": "936718529306427392", "lang": "en", "possibly_sensitive": true, "source": "<a href=\"http://www.google.com/\" rel=\"nofollow\">Google</a>", "text": "States see potential in intelligent automation, <b>blockchain</b>: HHS officials in Georgia\u2026 https://t.co/e5oghRWsB6", "urls": [{"expanded_url": "https://goo.gl/fb/yT9RQG", "url": "https://t.co/e5oghRWsB6"}], "user": {"created_at": "Sat Jul 09 16:08:42 +0000 2016", "default_profile": true, "description": "today in #3Dprint\n#hadronscollider\n#medtech\n#cinema\n#technology\n#syntheticbiology\n#trends\n#VR\n#music\n#artificialintelligence\n#theater\n#cryptocurrency\n#art", "favourites_count": 1, "followers_count": 7690, "friends_count": 6237, "id": 751810315759693824, "lang": "es", "listed_count": 22, "location": "america", "name": "americaearmoney", "profile_background_color": "F5F8FA", "profile_banner_url": "https://pbs.twimg.com/profile_banners/751810315759693824/1468094966", "profile_image_url": "http://pbs.twimg.com/profile_images/751890422306263040/M9bayHTx_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "americearnmoney", "statuses_count": 14131, "time_zone": "Eastern Time (US & Canada)", "utc_offset": -18000}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:07:49 +0000 2017", "hashtags": [{"text": "Automation"}, {"text": "Robot"}, {"text": "Agile"}], "id": 936718503826087937, "id_str": "936718503826087937", "lang": "en", "retweet_count": 3, "retweeted_status": {"created_at": "Thu Nov 23 12:25:00 +0000 2017", "favorite_count": 1, "hashtags": [{"text": "Automation"}, {"text": "Robot"}, {"text": "Agile"}], "id": 933672731127693313, "id_str": "933672731127693313", "lang": "en", "retweet_count": 3, "source": "<a href=\"https://about.twitter.com/products/tweetdeck\" rel=\"nofollow\">TweetDeck</a>", "text": "Saurabh Shrihar will present his session 'Unified #Automation Using #Robot Framework for GxP Development in #Agile'\u2026 https://t.co/uewINA9mud", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/933672731127693313", "url": "https://t.co/uewINA9mud"}], "user": {"created_at": "Mon Oct 03 08:49:18 +0000 2016", "description": "Official Twitter of UKSTAR - a new EuroSTAR #SoftwareTesting Conference\ud83d\udc82 12-13 March 2018 \ud83c\uddec\ud83c\udde7155 Bishopsgate, Liverpool St., London", "favourites_count": 1040, "followers_count": 498, "friends_count": 191, "id": 782865094829105153, "lang": "en", "listed_count": 48, "location": "London, England", "name": "UKSTAR", "profile_background_color": "000000", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/782865094829105153/1508226508", "profile_image_url": "http://pbs.twimg.com/profile_images/874957047107866624/WtpEWuDp_normal.jpg", "profile_link_color": "91D2FA", "profile_sidebar_fill_color": "000000", "profile_text_color": "000000", "screen_name": "UKSTARconf", "statuses_count": 3547, "time_zone": "Dublin", "url": "https://t.co/xU5eKYfMRl"}, "user_mentions": []}, "source": "<a href=\"http://twitter.com/download/android\" rel=\"nofollow\">Twitter for Android</a>", "text": "RT @UKSTARconf: Saurabh Shrihar will present his session 'Unified #Automation Using #Robot Framework for GxP Development in #Agile' at #UKS\u2026", "urls": [], "user": {"created_at": "Thu Sep 30 10:41:32 +0000 2010", "description": "Testconsultant @CapgeminiNL #Testautomation #QualityAssurance #RobotFramework #Efficiency adviseur @deNBTP", "favourites_count": 43, "followers_count": 71, "friends_count": 112, "id": 196973275, "lang": "en", "listed_count": 1, "location": "The Netherlands ", "name": "Elout van Leeuwen", "profile_background_color": "1A1B1F", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme9/bg.gif", "profile_image_url": "http://pbs.twimg.com/profile_images/443687930964357120/vV3nW3lT_normal.jpeg", "profile_link_color": "2FC2EF", "profile_sidebar_fill_color": "252429", "profile_text_color": "666666", "screen_name": "EloutvL", "statuses_count": 762, "time_zone": "Amsterdam", "url": "https://t.co/XqmkZiRoq6", "utc_offset": 3600}, "user_mentions": [{"id": 782865094829105153, "name": "UKSTAR", "screen_name": "UKSTARconf"}]},
{"created_at": "Fri Dec 01 22:07:41 +0000 2017", "hashtags": [{"text": "eBook"}, {"text": "sales"}, {"text": "marketing"}, {"text": "content"}], "id": 936718471072763904, "id_str": "936718471072763904", "lang": "en", "media": [{"display_url": "pic.twitter.com/ZiqENTIwOf", "expanded_url": "https://twitter.com/studiohyperset/status/936718471072763904/photo/1", "id": 936718469202153475, "media_url": "http://pbs.twimg.com/media/DP_kfBtXkAMDRFE.jpg", "media_url_https": "https://pbs.twimg.com/media/DP_kfBtXkAMDRFE.jpg", "sizes": {"large": {"h": 400, "resize": "fit", "w": 800}, "medium": {"h": 400, "resize": "fit", "w": 800}, "small": {"h": 340, "resize": "fit", "w": 680}, "thumb": {"h": 150, "resize": "crop", "w": 150}}, "type": "photo", "url": "https://t.co/ZiqENTIwOf"}], "source": "<a href=\"http://www.hubspot.com/\" rel=\"nofollow\">HubSpot</a>", "text": "This #eBook is a personal trainer for your website. https://t.co/EVlYguwECW #sales #marketing #content https://t.co/ZiqENTIwOf", "urls": [{"expanded_url": "https://hubs.ly/H09gYl-0", "url": "https://t.co/EVlYguwECW"}], "user": {"created_at": "Sun Mar 21 01:15:25 +0000 2010", "description": "Engaging solutions for complex challenges.", "favourites_count": 773, "followers_count": 869, "friends_count": 2641, "geo_enabled": true, "id": 124911513, "lang": "en", "listed_count": 332, "location": "Huntington Beach, CA", "name": "Studio Hyperset", "profile_background_color": "131516", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme14/bg.gif", "profile_background_tile": true, "profile_banner_url": "https://pbs.twimg.com/profile_banners/124911513/1496773541", "profile_image_url": "http://pbs.twimg.com/profile_images/765029210/Logo2.0_normal.png", "profile_link_color": "009999", "profile_sidebar_fill_color": "EFEFEF", "profile_text_color": "333333", "screen_name": "studiohyperset", "statuses_count": 4177, "time_zone": "Pacific Time (US & Canada)", "url": "https://t.co/KIAhegvAuv", "utc_offset": -28800}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:07:40 +0000 2017", "hashtags": [], "id": 936718466500972544, "id_str": "936718466500972544", "lang": "en", "quoted_status_id": 936671583070023681, "quoted_status_id_str": "936671583070023681", "retweet_count": 11, "retweeted_status": {"created_at": "Fri Dec 01 19:06:55 +0000 2017", "favorite_count": 22, "hashtags": [], "id": 936672980146335744, "id_str": "936672980146335744", "lang": "en", "quoted_status": {"created_at": "Fri Dec 01 19:01:22 +0000 2017", "favorite_count": 20, "hashtags": [], "id": 936671583070023681, "id_str": "936671583070023681", "lang": "en", "retweet_count": 22, "source": "<a href=\"http://bufferapp.com\" rel=\"nofollow\">Buffer</a>", "text": "The Robot Invasion Is Coming\n\nA new study suggests that 800 million jobs could be at risk worldwide by 2030:\u2026 https://t.co/N4tdDy8cAj", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936671583070023681", "url": "https://t.co/N4tdDy8cAj"}], "user": {"created_at": "Wed Mar 28 22:39:21 +0000 2007", "description": "Official Twitter feed for the Fast Company business media brand; inspiring readers to think beyond traditional boundaries & create the future of business.", "favourites_count": 7657, "followers_count": 2318705, "friends_count": 4017, "geo_enabled": true, "id": 2735591, "lang": "en", "listed_count": 44622, "location": "New York, NY", "name": "Fast Company", "profile_background_color": "FFFFFF", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/425029708/2048x1600-fc-twitter-backgrd.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/2735591/1510956770", "profile_image_url": "http://pbs.twimg.com/profile_images/875769219400351744/ib7iIvRF_normal.jpg", "profile_link_color": "9AB2B4", "profile_sidebar_fill_color": "CCCCCC", "profile_text_color": "000000", "screen_name": "FastCompany", "statuses_count": 173659, "time_zone": "Eastern Time (US & Canada)", "url": "http://t.co/GBtvUq9rZp", "utc_offset": -18000, "verified": true}, "user_mentions": []}, "quoted_status_id": 936671583070023681, "quoted_status_id_str": "936671583070023681", "retweet_count": 11, "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": "Much reporting about automation misses the key point - @McKinsey_MGI also forecast work creation that can offset di\u2026 https://t.co/RNpcnQ3yzc", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936672980146335744", "url": "https://t.co/RNpcnQ3yzc"}], "user": {"created_at": "Fri Feb 20 08:36:41 +0000 2009", "default_profile": true, "description": "Public policy research @Uber, with focus on (the future of) work. Brit in SF. Previously: @Coadec, @DFID_UK, @DCMS. Views my own.", "favourites_count": 10545, "followers_count": 4893, "friends_count": 3563, "geo_enabled": true, "id": 21383965, "lang": "en", "listed_count": 324, "location": "San Francisco, CA", "name": "Guy Levin", "profile_background_color": "C0DEED", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme1/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/21383965/1506391031", "profile_image_url": "http://pbs.twimg.com/profile_images/750314933498351616/wb-C397l_normal.jpg", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "guy_levin", "statuses_count": 17598, "time_zone": "Pacific Time (US & Canada)", "utc_offset": -28800}, "user_mentions": [{"id": 348659640, "name": "McKinsey Global Inst", "screen_name": "McKinsey_MGI"}]}, "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "RT @guy_levin: Much reporting about automation misses the key point - @McKinsey_MGI also forecast work creation that can offset displacemen\u2026", "urls": [], "user": {"created_at": "Fri Dec 03 00:06:34 +0000 2010", "description": "B.Sc & M.Sc @MaritimeCollege \ud83c\uddfa\ud83c\uddec UNAA COUNCIL MEMBER\nBreaking Barriers- Vice President", "favourites_count": 14910, "followers_count": 439, "friends_count": 747, "geo_enabled": true, "id": 222288273, "lang": "en", "listed_count": 4, "location": "Throgs Neck, Bronx", "name": "Amooti", "profile_background_color": "022330", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme15/bg.png", "profile_banner_url": "https://pbs.twimg.com/profile_banners/222288273/1465223558", "profile_image_url": "http://pbs.twimg.com/profile_images/901297971266019330/RLkB-wxn_normal.jpg", "profile_link_color": "0084B4", "profile_sidebar_fill_color": "C0DFEC", "profile_text_color": "333333", "screen_name": "Timkazinduka", "statuses_count": 57756, "time_zone": "Central Time (US & Canada)", "utc_offset": -21600}, "user_mentions": [{"id": 21383965, "name": "Guy Levin", "screen_name": "guy_levin"}, {"id": 348659640, "name": "McKinsey Global Inst", "screen_name": "McKinsey_MGI"}]},
{"created_at": "Fri Dec 01 22:07:33 +0000 2017", "hashtags": [], "id": 936718438097149953, "id_str": "936718438097149953", "lang": "en", "source": "<a href=\"http://twitter.com\" rel=\"nofollow\">Twitter Web Client</a>", "text": "Data to share in Twitter is: 12/1/2017 10:06:57 PM", "urls": [], "user": {"created_at": "Sun Jul 30 07:08:31 +0000 2017", "default_profile": true, "default_profile_image": true, "followers_count": 1, "id": 891556090722353152, "lang": "he", "name": "automation_pbUS", "profile_background_color": "F5F8FA", "profile_image_url": "http://abs.twimg.com/sticky/default_profile_images/default_profile_normal.png", "profile_link_color": "1DA1F2", "profile_sidebar_fill_color": "DDEEF6", "profile_text_color": "333333", "screen_name": "automation_pbUS", "statuses_count": 896}, "user_mentions": []},
{"created_at": "Fri Dec 01 22:07:25 +0000 2017", "hashtags": [], "id": 936718403737407489, "id_str": "936718403737407489", "lang": "en", "retweet_count": 81, "retweeted_status": {"created_at": "Fri Dec 01 06:03:23 +0000 2017", "favorite_count": 309, "hashtags": [], "id": 936475797648326656, "id_str": "936475797648326656", "lang": "en", "retweet_count": 81, "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "AlI gotta say is it\u2019s a good thing we\u2019re about to make billionaires invincible at the same time media companies con\u2026 https://t.co/QpaS84g3Ln", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936475797648326656", "url": "https://t.co/QpaS84g3Ln"}], "user": {"created_at": "Sat Aug 11 16:36:14 +0000 2007", "description": "writer at midnight / adult swim / the onion / the art of the deal: the movie / the fake news with ted nelms", "favourites_count": 28232, "followers_count": 29085, "friends_count": 1277, "geo_enabled": true, "id": 8126322, "lang": "en", "listed_count": 1005, "location": "los angeles ", "name": "Joe R", "profile_background_color": "1A1B1F", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme9/bg.gif", "profile_banner_url": "https://pbs.twimg.com/profile_banners/8126322/1482126803", "profile_image_url": "http://pbs.twimg.com/profile_images/815651058370236416/ujwY9QXT_normal.jpg", "profile_link_color": "2FC2EF", "profile_sidebar_fill_color": "252429", "profile_text_color": "666666", "screen_name": "Randazzoj", "statuses_count": 63057, "time_zone": "Pacific Time (US & Canada)", "url": "https://t.co/t934FoJ5b5", "utc_offset": -28800, "verified": true}, "user_mentions": []}, "source": "<a href=\"http://twitter.com/download/iphone\" rel=\"nofollow\">Twitter for iPhone</a>", "text": "RT @Randazzoj: AlI gotta say is it\u2019s a good thing we\u2019re about to make billionaires invincible at the same time media companies consolidate\u2026", "urls": [], "user": {"created_at": "Fri Dec 18 22:43:58 +0000 2009", "description": "It\u2019s later than you think.", "favourites_count": 8531, "followers_count": 207, "friends_count": 433, "geo_enabled": true, "id": 97764102, "lang": "en", "name": "M\u0329ichael", "profile_background_color": "8B542B", "profile_background_image_url": "http://pbs.twimg.com/profile_background_images/425823328/Pavomuticus.jpg", "profile_banner_url": "https://pbs.twimg.com/profile_banners/97764102/1480137423", "profile_image_url": "http://pbs.twimg.com/profile_images/933895406882381824/H4IDrJUx_normal.jpg", "profile_link_color": "9D582E", "profile_sidebar_fill_color": "EADEAA", "profile_text_color": "333333", "screen_name": "DasMuchomas", "statuses_count": 12325, "time_zone": "Mountain Time (US & Canada)", "utc_offset": -25200}, "user_mentions": [{"id": 8126322, "name": "Joe R", "screen_name": "Randazzoj"}]},
{"created_at": "Fri Dec 01 22:07:16 +0000 2017", "hashtags": [], "id": 936718365044944896, "id_str": "936718365044944896", "lang": "en", "source": "<a href=\"http://www.facebook.com/twitter\" rel=\"nofollow\">Facebook</a>", "text": "If your integration tests fail because of core flaws in the software, then you should have done more unit testing..\u2026 https://t.co/QFTaOcOpxD", "truncated": true, "urls": [{"expanded_url": "https://twitter.com/i/web/status/936718365044944896", "url": "https://t.co/QFTaOcOpxD"}], "user": {"created_at": "Tue Aug 09 22:34:17 +0000 2011", "description": "Ranting about software development, security, IoT and automotive. Shutterbug. RT != endorsement. #StaticAnalysis #iot #infosec #cybersecurity #appsec #swsec", "favourites_count": 177, "followers_count": 5873, "friends_count": 598, "geo_enabled": true, "id": 351927492, "lang": "en", "listed_count": 333, "location": "Los Angeles", "name": "The Code Curmudgeon", "profile_background_color": "000000", "profile_background_image_url": "http://abs.twimg.com/images/themes/theme14/bg.gif", "profile_banner_url": "https://pbs.twimg.com/profile_banners/351927492/1466024505", "profile_image_url": "http://pbs.twimg.com/profile_images/743185200893427712/2a1CKaVi_normal.jpg", "profile_link_color": "DDDDDD", "profile_sidebar_fill_color": "000000", "profile_text_color": "000000", "screen_name": "CodeCurmudgeon", "statuses_count": 6968, "time_zone": "Pacific Time (US & Canada)", "url": "http://t.co/UqdlvvZimc", "utc_offset": -28800}, "user_mentions": []}
]
| [{'created_at': 'Thu Nov 30 21:16:44 +0000 2017', 'favorite_count': 268, 'hashtags': [], 'id': 936343262088097795, 'id_str': '936343262088097795', 'lang': 'en', 'retweet_count': 82, 'source': '<a href="http://bufferapp.com" rel="nofollow">Buffer</a>', 'text': 'Automation (not immigrants, @realDonaldTrump) could eliminate 73 MILLION jobs in America by 2030.\n\nWe should be wor… https://t.co/YztkVMdcGA', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status 936343262088097795', 'url': 'https://t.co/YztkVMdcGA'}], 'user': {'created_at': 'Mon Feb 07 03:35:59 +0000 2011', 'default_profile': true, 'description': "Congressman for #MA6. Let's bring a new generation of leadership to Washington.\n\nAll Tweets are my own.", 'favourites_count': 3814, 'followers_count': 114494, 'friends_count': 2087, 'geo_enabled': true, 'id': 248495200, 'lang': 'en', 'listed_count': 1378, 'location': 'Salem, MA', 'name': 'Seth Moulton', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/248495200/1423523084', 'profile_image_url': 'http://pbs.twimg.com/profile_images/530114548854845440/ceX1JfaZ_normal.png', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'sethmoulton', 'statuses_count': 8508, 'time_zone': 'Eastern Time (US & Canada)', 'utc_offset': -18000, 'verified': true}, 'user_mentions': [{'id': 25073877, 'name': 'Donald J. Trump', 'screen_name': 'realDonaldTrump'}]}, {'created_at': 'Thu Nov 30 01:44:47 +0000 2017', 'favorite_count': 373, 'hashtags': [{'text': 'TrumpTaxScam'}], 'id': 936048329720508416, 'id_str': '936048329720508416', 'lang': 'en', 'retweet_count': 203, 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': "Not that any of us should be expecting Trump to be a man of his word, but it's worth noting the #TrumpTaxScam sends… https://t.co/vh9rPBsfc6", 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936048329720508416', 'url': 'https://t.co/vh9rPBsfc6'}], 'user': {'created_at': 'Mon Apr 14 13:23:16 +0000 2008', 'default_profile': true, 'description': 'Former teacher, diplomat, & Congressman. CEO of WinVA, helping to flip VA House of Delegates to blue.', 'favourites_count': 1147, 'followers_count': 73177, 'friends_count': 1131, 'id': 14384907, 'lang': 'en', 'listed_count': 952, 'location': 'Always Virginian', 'name': 'Tom Perriello', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/14384907/1509827318', 'profile_image_url': 'http://pbs.twimg.com/profile_images/875742761437327361/yxpaf7zF_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'tomperriello', 'statuses_count': 7956, 'time_zone': 'Eastern Time (US & Canada)', 'url': 'https://t.co/oJ9MLKuh4s', 'utc_offset': -18000, 'verified': true}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 02:37:03 +0000 2017', 'favorite_count': 221, 'hashtags': [], 'id': 936423871640678400, 'id_str': '936423871640678400', 'lang': 'en', 'retweet_count': 255, 'source': '<a href="http://www.socialflow.com" rel="nofollow">SocialFlow</a>', 'text': 'Robots may steal as many as 800 million jobs in the next 13 years https://t.co/bSAqCwrGSw', 'urls': [{'expanded_url': 'http://ti.me/2AiPUEq', 'url': 'https://t.co/bSAqCwrGSw'}], 'user': {'created_at': 'Thu Apr 03 13:54:30 +0000 2008', 'description': 'Breaking news and current events from around the globe. Hosted by TIME staff. Tweet questions to our customer service team @TIMEmag_Service.', 'favourites_count': 580, 'followers_count': 14990056, 'friends_count': 848, 'geo_enabled': true, 'id': 14293310, 'lang': 'en', 'listed_count': 100179, 'name': 'TIME', 'profile_background_color': 'CC0000', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/735228291/107f1a300a90ee713937234bb3d139c0.jpeg', 'profile_background_tile': true, 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/14293310/1403546591', 'profile_image_url': 'http://pbs.twimg.com/profile_images/1700796190/Picture_24_normal.png', 'profile_link_color': 'DE3333', 'profile_sidebar_fill_color': 'D9D9D9', 'profile_text_color': '000000', 'screen_name': 'TIME', 'statuses_count': 260119, 'time_zone': 'Eastern Time (US & Canada)', 'url': 'http://t.co/4aYbUuAeSh', 'utc_offset': -18000, 'verified': true}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:17:32 +0000 2017', 'hashtags': [{'text': 'RoboTwity'}], 'id': 936720950044823553, 'id_str': '936720950044823553', 'lang': 'en', 'retweet_count': 1, 'retweeted_status': {'created_at': 'Fri Dec 01 22:13:37 +0000 2017', 'favorite_count': 2, 'hashtags': [{'text': 'RoboTwity'}], 'id': 936719963703922688, 'id_str': '936719963703922688', 'lang': 'en', 'retweet_count': 1, 'source': '<a href="https://mobile.twitter.com" rel="nofollow">Twitter Lite</a>', 'text': 'nice and very helpful twitter automation tool!\n#RoboTwity\nhttps://t.co/y6LNnu8C9q', 'urls': [{'expanded_url': 'https://goo.gl/KyNqQl?91066', 'url': 'https://t.co/y6LNnu8C9q'}], 'user': {'created_at': 'Mon Aug 03 15:16:58 +0000 2009', 'description': 'Se hizo absolutamente necesaria e inevitable una intervención internacional humanitaria y su primera fase será militar Hay que destruir el narco estado', 'favourites_count': 886, 'followers_count': 290645, 'friends_count': 267079, 'id': 62537327, 'lang': 'es', 'listed_count': 874, 'location': 'Venezuela', 'name': 'Alberto Franceschi', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/288057702/512px-E8PetrieFull_svg.jpg', 'profile_background_tile': true, 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/62537327/1431033853', 'profile_image_url': 'http://pbs.twimg.com/profile_images/607930473545908224/hUf4RmNb_normal.jpg', 'profile_link_color': '0084B4', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'alFranceschi', 'statuses_count': 76789, 'time_zone': 'Eastern Time (US & Canada)', 'url': 'https://t.co/W4O9ajdgkk', 'utc_offset': -18000, 'verified': true}, 'user_mentions': []}, 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': 'RT @alFranceschi: nice and very helpful twitter automation tool!\n#RoboTwity\nhttps://t.co/y6LNnu8C9q', 'urls': [{'expanded_url': 'https://goo.gl/KyNqQl?91066', 'url': 'https://t.co/y6LNnu8C9q'}], 'user': {'created_at': 'Tue Jan 05 06:28:00 +0000 2016', 'default_profile': true, 'description': 'You want me? https://t.co/wniv216ODG', 'favourites_count': 1850, 'followers_count': 354, 'friends_count': 1191, 'id': 4712344651, 'lang': 'en', 'listed_count': 24, 'name': 'Jane Miers', 'profile_background_color': 'F5F8FA', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/4712344651/1512110615', 'profile_image_url': 'http://pbs.twimg.com/profile_images/936485867430072321/AkZ8ALMt_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'halinavanda1', 'statuses_count': 2042}, 'user_mentions': [{'id': 62537327, 'name': 'Alberto Franceschi', 'screen_name': 'alFranceschi'}]}, {'created_at': 'Fri Dec 01 22:17:28 +0000 2017', 'hashtags': [], 'id': 936720934437834752, 'id_str': '936720934437834752', 'in_reply_to_screen_name': 'chrisamiller', 'in_reply_to_status_id': 936720416151949312, 'in_reply_to_user_id': 10054472, 'lang': 'en', 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': "@chrisamiller There is https://t.co/sbxOlUlaks but I don't know if it works with sashimi plots.", 'urls': [{'expanded_url': 'http://software.broadinstitute.org/software/igv/automation', 'url': 'https://t.co/sbxOlUlaks'}], 'user': {'created_at': 'Thu Jul 12 15:14:07 +0000 2007', 'description': 'Bioinformatics @institut_thorax , Nantes, France -- science genetics genomics drawing java c++ genetics high throughput sequencing', 'favourites_count': 9608, 'followers_count': 4611, 'friends_count': 590, 'id': 7431072, 'lang': 'en', 'listed_count': 453, 'location': 'Nantes, France', 'name': 'Pierre Lindenbaum', 'profile_background_color': '9AE4E8', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/378800000168197084/hxeZjr63.jpeg', 'profile_background_tile': true, 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/7431072/1398193084', 'profile_image_url': 'http://pbs.twimg.com/profile_images/667105051664609280/jQ6Ile6W_normal.jpg', 'profile_link_color': '0000FF', 'profile_sidebar_fill_color': 'E0FF92', 'profile_text_color': '000000', 'screen_name': 'yokofakun', 'statuses_count': 34507, 'time_zone': 'Paris', 'url': 'http://t.co/FPX5wmEjPA', 'utc_offset': 3600}, 'user_mentions': [{'id': 10054472, 'name': 'Chris Miller', 'screen_name': 'chrisamiller'}]}, {'created_at': 'Fri Dec 01 22:16:58 +0000 2017', 'hashtags': [], 'id': 936720807048425472, 'id_str': '936720807048425472', 'lang': 'de', 'source': '<a href="https://ifttt.com" rel="nofollow">IFTTT</a>', 'text': 'States see potential in intelligent automation, blockchain https://t.co/XqFTOGCn4U', 'urls': [{'expanded_url': 'https://cnhv.co/22uh', 'url': 'https://t.co/XqFTOGCn4U'}], 'user': {'created_at': 'Mon Feb 06 07:59:32 +0000 2017', 'default_profile': true, 'description': 'bitcoin mining\nbitcoin exchange\nbitcoin charts\nbuy bitcoin\nbitcoin calculator\nbitcoin value\nbitcoin market\nbitcoin wallet\nBitcoin news\nBitcoin movement', 'favourites_count': 249, 'followers_count': 340, 'friends_count': 659, 'id': 828513440348004353, 'lang': 'en', 'listed_count': 16, 'location': 'Nigeria, Africa', 'name': 'Taylor Mac', 'profile_background_color': 'F5F8FA', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/828513440348004353/1486430318', 'profile_image_url': 'http://pbs.twimg.com/profile_images/841866445931847680/oNPskizv_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'Moecashmedia', 'statuses_count': 9078, 'url': 'https://t.co/zoipkRBtKl'}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:16:57 +0000 2017', 'hashtags': [{'text': 'Automation'}, {'text': 'technology'}, {'text': 'futureofwork'}], 'id': 936720804808716289, 'id_str': '936720804808716289', 'lang': 'en', 'retweet_count': 1, 'retweeted_status': {'created_at': 'Fri Dec 01 22:15:21 +0000 2017', 'hashtags': [{'text': 'Automation'}, {'text': 'technology'}, {'text': 'futureofwork'}], 'id': 936720400968433664, 'id_str': '936720400968433664', 'lang': 'en', 'retweet_count': 1, 'source': '<a href="http://dynamicsignal.com/" rel="nofollow">VoiceStorm</a>', 'text': '#Automation threatens 800 million jobs, but #technology could still save us, says @McKinsey report #futureofwork...… https://t.co/6PVConprA9', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936720400968433664', 'url': 'https://t.co/6PVConprA9'}], 'user': {'created_at': 'Sun Dec 27 09:07:18 +0000 2009', 'default_profile': true, 'description': 'Chief Digital Officer & SVP @SAPAriba. Passionate about #Life, #Coffee, #PhD in #Politics, #MBA in #Economics, #SocialMedia Enthusiast and curious to learn&grow', 'favourites_count': 26069, 'followers_count': 12743, 'friends_count': 7855, 'geo_enabled': true, 'id': 99674560, 'lang': 'en', 'listed_count': 164, 'location': 'Frankfurt on the Main, Germany', 'name': 'Dr. Marcell Vollmer', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/99674560/1486476950', 'profile_image_url': 'http://pbs.twimg.com/profile_images/735212931940552704/83zOt4k5_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'mvollmer1', 'statuses_count': 10576, 'time_zone': 'Berlin', 'url': 'https://t.co/AjP9pXboSl', 'utc_offset': 3600}, 'user_mentions': [{'id': 34042766, 'name': 'McKinsey & Company', 'screen_name': 'McKinsey'}]}, 'source': '<a href="http://www.maddywoodman.weebly.com" rel="nofollow">Worldofworkbot</a>', 'text': 'RT @mvollmer1: #Automation threatens 800 million jobs, but #technology could still save us, says @McKinsey report #futureofwork... https://…', 'urls': [], 'user': {'created_at': 'Tue Oct 10 10:33:05 +0000 2017', 'default_profile': true, 'followers_count': 66, 'friends_count': 4, 'id': 917699499786633216, 'lang': 'en', 'listed_count': 8, 'name': 'WOWbot', 'profile_background_color': 'F5F8FA', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/917699499786633216/1507632201', 'profile_image_url': 'http://pbs.twimg.com/profile_images/917702023272910848/f3OK4udR_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'henleywow', 'statuses_count': 6113, 'time_zone': 'Pacific Time (US & Canada)', 'utc_offset': -28800}, 'user_mentions': [{'id': 99674560, 'name': 'Dr. Marcell Vollmer', 'screen_name': 'mvollmer1'}, {'id': 34042766, 'name': 'McKinsey & Company', 'screen_name': 'McKinsey'}]}, {'created_at': 'Fri Dec 01 22:16:53 +0000 2017', 'hashtags': [], 'id': 936720784671645697, 'id_str': '936720784671645697', 'lang': 'en', 'retweet_count': 1, 'retweeted_status': {'created_at': 'Fri Dec 01 21:57:01 +0000 2017', 'favorite_count': 1, 'hashtags': [], 'id': 936715785162149893, 'id_str': '936715785162149893', 'lang': 'en', 'retweet_count': 1, 'source': '<a href="http://sproutsocial.com" rel="nofollow">Sprout Social</a>', 'text': 'Check out my NEW blog post "Scripts, automation, architecture, DevOps – DOES17 had it all!" and Learn how my chat w… https://t.co/l1ZKa7sp3K', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936715785162149893', 'url': 'https://t.co/l1ZKa7sp3K'}], 'user': {'created_at': 'Thu Mar 17 00:11:29 +0000 2016', 'default_profile': true, 'description': 'Helping large enterprises across #Finserv, Retail, Embedded accelerate their #DevOps adoption, design complex automation solutions & optimize delivery pipelines', 'favourites_count': 4304, 'followers_count': 251, 'friends_count': 171, 'id': 710257208374591489, 'lang': 'en', 'listed_count': 85, 'location': 'Los Angeles, CA', 'name': 'Avantika Mathur', 'profile_background_color': 'F5F8FA', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/710257208374591489/1458323453', 'profile_image_url': 'http://pbs.twimg.com/profile_images/710257751113334786/nqrvZC8c_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'avantika_ec', 'statuses_count': 1726, 'time_zone': 'America/Denver', 'url': 'https://t.co/5WT1rd07bj', 'utc_offset': -25200}, 'user_mentions': []}, 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': 'RT @avantika_ec: Check out my NEW blog post "Scripts, automation, architecture, DevOps – DOES17 had it all!" and Learn how my chat with @an…', 'urls': [], 'user': {'created_at': 'Thu Jul 02 00:01:22 +0000 2009', 'description': 'Helping teams transform software releases from a chore to a competitive advantage #DevOps #Release #Automation #ContinuousDelivery', 'favourites_count': 18833, 'followers_count': 5109, 'friends_count': 2371, 'id': 52900146, 'lang': 'en', 'listed_count': 582, 'location': 'San Jose, CA', 'name': 'Electric Cloud', 'profile_background_color': 'FFFFFF', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/493943761726996480/YhMjdy-h.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/52900146/1406603110', 'profile_image_url': 'http://pbs.twimg.com/profile_images/479063120401297408/o_yW_qQ5_normal.jpeg', 'profile_link_color': '0084B4', 'profile_sidebar_fill_color': 'DDFFCC', 'profile_text_color': '333333', 'screen_name': 'electriccloud', 'statuses_count': 23926, 'time_zone': 'Pacific Time (US & Canada)', 'url': 'http://t.co/mYlGnlBv0t', 'utc_offset': -28800}, 'user_mentions': [{'id': 710257208374591489, 'name': 'Avantika Mathur', 'screen_name': 'avantika_ec'}]}, {'created_at': 'Fri Dec 01 22:16:50 +0000 2017', 'hashtags': [], 'id': 936720774622318592, 'id_str': '936720774622318592', 'lang': 'en', 'source': '<a href="http://bufferapp.com" rel="nofollow">Buffer</a>', 'text': '“Over the next\xa013 years, the rising tide of automation will force as many as 70 million workers in the United State… https://t.co/CcFNWPc4HD', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936720774622318592', 'url': 'https://t.co/CcFNWPc4HD'}], 'user': {'created_at': 'Thu Apr 01 17:46:13 +0000 2010', 'description': 'Director of Technology & Innovation Policy @AAF. Fellow @ilpfoundry. Economish. Social media researcher. Digital rights champion. Views are my own.', 'favourites_count': 3402, 'followers_count': 3295, 'friends_count': 3425, 'geo_enabled': true, 'id': 128622412, 'lang': 'en', 'listed_count': 234, 'location': 'DC via Chicago', 'name': 'Will Rinehart', 'profile_background_color': 'E2E2E2', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/614615087/xe3b19729ea876f5b21405b2f1a71714.gif', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/128622412/1480463783', 'profile_image_url': 'http://pbs.twimg.com/profile_images/801148174014484480/aFtbduS-_normal.jpg', 'profile_link_color': 'C79FA0', 'profile_sidebar_fill_color': '9A8582', 'profile_text_color': '592937', 'screen_name': 'WillRinehart', 'statuses_count': 19034, 'time_zone': 'Eastern Time (US & Canada)', 'url': 'https://t.co/Y04U02QRfN', 'utc_offset': -18000}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:16:45 +0000 2017', 'hashtags': [{'text': 'Chatbot'}], 'id': 936720750563790849, 'id_str': '936720750563790849', 'lang': 'en', 'retweet_count': 1, 'retweeted_status': {'created_at': 'Fri Dec 01 22:02:02 +0000 2017', 'hashtags': [{'text': 'Chatbot'}], 'id': 936717047165276161, 'id_str': '936717047165276161', 'lang': 'en', 'retweet_count': 1, 'source': '<a href="https://www.ubisend.com" rel="nofollow">Local laptop</a>', 'text': '#Chatbot Lens: The Benefits of Automation in HR https://t.co/emlfwrL6uS', 'urls': [{'expanded_url': 'https://blog.ubisend.com/optimise-chatbots/benefits-of-automation-in-hr', 'url': 'https://t.co/emlfwrL6uS'}], 'user': {'created_at': 'Wed Nov 18 19:25:18 +0000 2015', 'description': 'CEO @ubisend | AI-driven conversational interfaces that enable brands to have effective two-way conversations with audiences at scale #ai #chatbots', 'favourites_count': 2819, 'followers_count': 13647, 'friends_count': 4006, 'id': 4220415239, 'lang': 'en', 'listed_count': 477, 'location': 'England', 'name': 'Dean Withey', 'profile_background_color': '000000', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/4220415239/1470814655', 'profile_image_url': 'http://pbs.twimg.com/profile_images/846315487088824320/ea7qR5jG_normal.jpg', 'profile_link_color': '1B95E0', 'profile_sidebar_fill_color': '000000', 'profile_text_color': '000000', 'screen_name': 'deanwithey', 'statuses_count': 13458, 'time_zone': 'London', 'url': 'https://t.co/OgEU4dICFY'}, 'user_mentions': []}, 'source': '<a href="http://arima.io" rel="nofollow">arima-bot</a>', 'text': 'RT @deanwithey: #Chatbot Lens: The Benefits of Automation in HR https://t.co/emlfwrL6uS', 'urls': [{'expanded_url': 'https://blog.ubisend.com/optimise-chatbots/benefits-of-automation-in-hr', 'url': 'https://t.co/emlfwrL6uS'}], 'user': {'created_at': 'Thu Aug 10 12:35:16 +0000 2017', 'default_profile': true, 'description': 'Arima - an #ArtificialIntelligence #Machine #Retail #Sales #Support #Services #CRM for #SME #chatbot', 'favourites_count': 1, 'followers_count': 223, 'friends_count': 11, 'id': 895624589983662080, 'lang': 'en', 'listed_count': 14, 'location': 'Chenna', 'name': 'Arima', 'profile_background_color': 'F5F8FA', 'profile_image_url': 'http://pbs.twimg.com/profile_images/895627395968909313/YAm3Wx7r_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'arima_india', 'statuses_count': 10418, 'url': 'https://t.co/UExvzSPKm0'}, 'user_mentions': [{'id': 4220415239, 'name': 'Dean Withey', 'screen_name': 'deanwithey'}]}, {'created_at': 'Fri Dec 01 22:16:44 +0000 2017', 'hashtags': [], 'id': 936720749439598593, 'id_str': '936720749439598593', 'lang': 'en', 'retweet_count': 81, 'retweeted_status': {'created_at': 'Fri Dec 01 06:03:23 +0000 2017', 'favorite_count': 309, 'hashtags': [], 'id': 936475797648326656, 'id_str': '936475797648326656', 'lang': 'en', 'retweet_count': 81, 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': 'AlI gotta say is it’s a good thing we’re about to make billionaires invincible at the same time media companies con… https://t.co/QpaS84g3Ln', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936475797648326656', 'url': 'https://t.co/QpaS84g3Ln'}], 'user': {'created_at': 'Sat Aug 11 16:36:14 +0000 2007', 'description': 'writer at midnight / adult swim / the onion / the art of the deal: the movie / the fake news with ted nelms', 'favourites_count': 28232, 'followers_count': 29085, 'friends_count': 1277, 'geo_enabled': true, 'id': 8126322, 'lang': 'en', 'listed_count': 1005, 'location': 'los angeles ', 'name': 'Joe R', 'profile_background_color': '1A1B1F', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme9/bg.gif', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/8126322/1482126803', 'profile_image_url': 'http://pbs.twimg.com/profile_images/815651058370236416/ujwY9QXT_normal.jpg', 'profile_link_color': '2FC2EF', 'profile_sidebar_fill_color': '252429', 'profile_text_color': '666666', 'screen_name': 'Randazzoj', 'statuses_count': 63057, 'time_zone': 'Pacific Time (US & Canada)', 'url': 'https://t.co/t934FoJ5b5', 'utc_offset': -28800, 'verified': true}, 'user_mentions': []}, 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': 'RT @Randazzoj: AlI gotta say is it’s a good thing we’re about to make billionaires invincible at the same time media companies consolidate…', 'urls': [], 'user': {'created_at': 'Mon Sep 10 23:34:19 +0000 2007', 'description': 'Life Coach. Pet Adoption Strategist. Sidewalk Hoser, Sightseeing Boat Operator', 'favourites_count': 4171, 'followers_count': 136, 'friends_count': 990, 'geo_enabled': true, 'id': 8798002, 'lang': 'en', 'listed_count': 2, 'location': 'San Francisco', 'name': 'Jacob Palmer', 'profile_background_color': '9AE4E8', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/803668186/b5c329179c220e775cbaccea85e02e41.jpeg', 'profile_background_tile': true, 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/8798002/1362170807', 'profile_image_url': 'http://pbs.twimg.com/profile_images/864199541905473536/7r4aMyAl_normal.jpg', 'profile_link_color': '0000FF', 'profile_sidebar_fill_color': 'E0FF92', 'profile_text_color': '000000', 'screen_name': 'palmer_jacob', 'statuses_count': 2683, 'time_zone': 'Pacific Time (US & Canada)', 'utc_offset': -28800}, 'user_mentions': [{'id': 8126322, 'name': 'Joe R', 'screen_name': 'Randazzoj'}]}, {'created_at': 'Fri Dec 01 22:16:42 +0000 2017', 'hashtags': [{'text': 'Software'}, {'text': 'TestAutomation'}], 'id': 936720741843824640, 'id_str': '936720741843824640', 'lang': 'en', 'retweet_count': 1, 'retweeted_status': {'created_at': 'Thu Nov 30 23:50:06 +0000 2017', 'favorite_count': 2, 'hashtags': [{'text': 'Software'}], 'id': 936381858639642624, 'id_str': '936381858639642624', 'lang': 'en', 'retweet_count': 1, 'source': '<a href="http://gaggleamp.com/twit/" rel="nofollow">GaggleAMP</a>', 'text': "Proud to be part of the company named THE Leader in @Gartner_inc's 2017 Magic Quadrant for #Software… https://t.co/3leUqWj8vA", 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936381858639642624', 'url': 'https://t.co/3leUqWj8vA'}], 'user': {'created_at': 'Fri Mar 18 18:38:45 +0000 2016', 'default_profile': true, 'description': 'Solutions Architect with Tricentis', 'favourites_count': 50, 'followers_count': 342, 'friends_count': 396, 'id': 710898251457798145, 'lang': 'en', 'listed_count': 28, 'location': 'Columbus, OH', 'name': 'Joe Beale', 'profile_background_color': 'F5F8FA', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/710898251457798145/1501166187', 'profile_image_url': 'http://pbs.twimg.com/profile_images/711314281804009472/_5nflwc7_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'JosephBealeQA', 'statuses_count': 2395}, 'user_mentions': [{'id': 15231287, 'name': 'Gartner', 'screen_name': 'Gartner_inc'}]}, 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': "RT @JosephBealeQA: Proud to be part of the company named THE Leader in @Gartner_inc's 2017 Magic Quadrant for #Software #TestAutomation! ht…", 'urls': [], 'user': {'created_at': 'Fri Aug 28 13:25:51 +0000 2009', 'default_profile': true, 'description': 'Software quality advocate, Pittsburgh Steeler fan, beer lover, dry martini (with blue cheese stuffed olives) lover, Phi Kappa Psi brother for life', 'favourites_count': 789, 'followers_count': 213, 'friends_count': 340, 'geo_enabled': true, 'id': 69586716, 'lang': 'en', 'listed_count': 21, 'location': 'Columbus, OH', 'name': 'Matthew Eakin', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/69586716/1386536371', 'profile_image_url': 'http://pbs.twimg.com/profile_images/378800000838130573/45915636e70601a0ce90dc2a745ea76e_normal.png', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'MatthewEakin', 'statuses_count': 679, 'url': 'http://t.co/nSH46cJhKt'}, 'user_mentions': [{'id': 710898251457798145, 'name': 'Joe Beale', 'screen_name': 'JosephBealeQA'}, {'id': 15231287, 'name': 'Gartner', 'screen_name': 'Gartner_inc'}]}, {'created_at': 'Fri Dec 01 22:16:36 +0000 2017', 'hashtags': [{'text': 'RPA'}], 'id': 936720714811527168, 'id_str': '936720714811527168', 'lang': 'en', 'retweet_count': 2, 'retweeted_status': {'created_at': 'Thu Nov 30 23:30:18 +0000 2017', 'favorite_count': 3, 'hashtags': [{'text': 'RPA'}], 'id': 936376872694362113, 'id_str': '936376872694362113', 'lang': 'en', 'retweet_count': 2, 'source': '<a href="http://www.spredfast.com" rel="nofollow">Spredfast app</a>', 'text': 'Robotic process automation (#RPA) can bring real cost savings and process efficiencies to the procurement organizat… https://t.co/ffz5NqzxRI', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936376872694362113', 'url': 'https://t.co/ffz5NqzxRI'}], 'user': {'created_at': 'Tue Dec 23 20:35:31 +0000 2008', 'description': 'KPMG LLP, the U.S. audit, tax and advisory services firm, operates from 87 offices with more than 26,000 employees and partners throughout the U.S.', 'favourites_count': 761, 'followers_count': 88141, 'friends_count': 651, 'geo_enabled': true, 'id': 18341726, 'lang': 'en', 'listed_count': 1513, 'location': 'United States', 'name': 'KPMG US', 'profile_background_color': 'FFFFFF', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/438802285989085185/p4LLTZA8.png', 'profile_background_tile': true, 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/18341726/1510685235', 'profile_image_url': 'http://pbs.twimg.com/profile_images/672844122525466624/vFWyENZu_normal.png', 'profile_link_color': 'C84D00', 'profile_sidebar_fill_color': 'F3F4F8', 'profile_text_color': '444444', 'screen_name': 'KPMG_US', 'statuses_count': 17687, 'time_zone': 'Eastern Time (US & Canada)', 'url': 'http://t.co/KDmmpSCyI8', 'utc_offset': -18000, 'verified': true}, 'user_mentions': []}, 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': 'RT @KPMG_US: Robotic process automation (#RPA) can bring real cost savings and process efficiencies to the procurement organization. Learn…', 'urls': [], 'user': {'created_at': 'Wed Sep 02 18:23:37 +0000 2009', 'default_profile': true, 'favourites_count': 3230, 'followers_count': 34, 'friends_count': 196, 'geo_enabled': true, 'id': 71035261, 'lang': 'en', 'listed_count': 2, 'name': 'ed montolio', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_image_url': 'http://pbs.twimg.com/profile_images/1661171928/image_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'emontolio', 'statuses_count': 1205}, 'user_mentions': [{'id': 18341726, 'name': 'KPMG US', 'screen_name': 'KPMG_US'}]}, {'created_at': 'Fri Dec 01 22:16:24 +0000 2017', 'hashtags': [], 'id': 936720663959793664, 'id_str': '936720663959793664', 'lang': 'en', 'retweet_count': 620, 'retweeted_status': {'created_at': 'Sun Nov 19 17:28:44 +0000 2017', 'favorite_count': 3294, 'hashtags': [], 'id': 932299615122149377, 'id_str': '932299615122149377', 'lang': 'en', 'retweet_count': 620, 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': ".@IvankaTrump: Business & gov'ts must promote women in STEM...Over the coming decades, technologies such as automat… https://t.co/PcgJtcsVs9", 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/932299615122149377', 'url': 'https://t.co/PcgJtcsVs9'}], 'user': {'created_at': 'Fri Aug 04 17:03:37 +0000 2017', 'default_profile': true, 'description': 'The official twitter account for the eighth annual Global Entrepreneurship Summit (GES) in Hyderabad, India November 28-30, 2017. #GES2017', 'favourites_count': 89, 'followers_count': 11662, 'friends_count': 90, 'id': 893517792858828802, 'lang': 'en', 'listed_count': 26, 'name': 'GES2017', 'profile_background_color': 'F5F8FA', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/893517792858828802/1511840613', 'profile_image_url': 'http://pbs.twimg.com/profile_images/898883182732378112/9t-N4XIu_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'GES2017', 'statuses_count': 887, 'time_zone': 'Pacific Time (US & Canada)', 'url': 'https://t.co/jx7KffjHf1', 'utc_offset': -28800, 'verified': true}, 'user_mentions': [{'id': 52544275, 'name': 'Ivanka Trump', 'screen_name': 'IvankaTrump'}]}, 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': "RT @GES2017: .@IvankaTrump: Business & gov'ts must promote women in STEM...Over the coming decades, technologies such as automation & robot…", 'urls': [], 'user': {'created_at': 'Fri Dec 01 21:26:01 +0000 2017', 'default_profile': true, 'default_profile_image': true, 'favourites_count': 6, 'friends_count': 56, 'id': 936707984843071495, 'lang': 'en', 'name': 'RENUKA THAMMINENI', 'profile_background_color': 'F5F8FA', 'profile_image_url': 'http://abs.twimg.com/sticky/default_profile_images/default_profile_normal.png', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'RENUKATHAMMINE1', 'statuses_count': 11}, 'user_mentions': [{'id': 893517792858828802, 'name': 'GES2017', 'screen_name': 'GES2017'}, {'id': 52544275, 'name': 'Ivanka Trump', 'screen_name': 'IvankaTrump'}]}, {'created_at': 'Fri Dec 01 22:16:22 +0000 2017', 'hashtags': [{'text': 'CRM'}], 'id': 936720654912638976, 'id_str': '936720654912638976', 'lang': 'en', 'media': [{'display_url': 'pic.twitter.com/rorWBf6fXe', 'expanded_url': 'https://twitter.com/RichBohn/status/936720654912638976/photo/1', 'id': 936720651846549505, 'media_url': 'http://pbs.twimg.com/media/DP_meEsWAAEWZDH.jpg', 'media_url_https': 'https://pbs.twimg.com/media/DP_meEsWAAEWZDH.jpg', 'sizes': {'large': {'h': 640, 'resize': 'fit', 'w': 960}, 'medium': {'h': 640, 'resize': 'fit', 'w': 960}, 'small': {'h': 453, 'resize': 'fit', 'w': 680}, 'thumb': {'h': 150, 'resize': 'crop', 'w': 150}}, 'type': 'photo', 'url': 'https://t.co/rorWBf6fXe'}], 'source': '<a href="http://bufferapp.com" rel="nofollow">Buffer</a>', 'text': 'Five Marketing Automation Myths And Why They Are Wrong #CRM https://t.co/cqPDzhfAaa https://t.co/rorWBf6fXe', 'urls': [{'expanded_url': 'http://bit.ly/2ixIDtL', 'url': 'https://t.co/cqPDzhfAaa'}], 'user': {'created_at': 'Fri Jun 22 19:33:21 +0000 2007', 'description': 'Rich Bohn, the oldest living independent #CRM analyst!\n\nHis first CRM review appeared in January-1985 and his passion for the topic has only grown since then!', 'favourites_count': 1408, 'followers_count': 8834, 'friends_count': 9657, 'geo_enabled': true, 'id': 7022662, 'lang': 'en', 'listed_count': 508, 'location': 'Jackson Hole, Wyoming', 'name': 'Rich Bohn', 'profile_background_color': 'A3A3A3', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/645491362/skyxoycohs9e4dnrp4kp.gif', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/7022662/1410994826', 'profile_image_url': 'http://pbs.twimg.com/profile_images/2978995904/a2a29ab2083c34802832622a64b3781e_normal.jpeg', 'profile_link_color': 'D6B280', 'profile_sidebar_fill_color': '62B2F0', 'profile_text_color': '5C5C5C', 'screen_name': 'RichBohn', 'statuses_count': 32542, 'time_zone': 'Mountain Time (US & Canada)', 'url': 'http://t.co/2QkR99dy0D', 'utc_offset': -25200}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:16:11 +0000 2017', 'hashtags': [], 'id': 936720611421904896, 'id_str': '936720611421904896', 'lang': 'fr', 'source': '<a href="http://www.hootsuite.com" rel="nofollow">Hootsuite</a>', 'text': "Capgemini-Backed UK CoE for Automation Supports Gov't Transformation Effort https://t.co/3Usds26yCJ", 'urls': [{'expanded_url': 'http://ow.ly/JKwn50fuiwn', 'url': 'https://t.co/3Usds26yCJ'}], 'user': {'created_at': 'Thu May 12 11:20:13 +0000 2011', 'default_profile': true, 'description': 'On Jobs in Tysons Corner Virginia...', 'followers_count': 259, 'friends_count': 141, 'id': 297352511, 'lang': 'en', 'listed_count': 12, 'location': 'Tysons Corner Virginia', 'name': 'Tysons Corner Jobs', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_image_url': 'http://pbs.twimg.com/profile_images/1568965361/tysons-corner-job_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'TysonsCornerJob', 'statuses_count': 13883}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:16:02 +0000 2017', 'hashtags': [], 'id': 936720573417381889, 'id_str': '936720573417381889', 'lang': 'en', 'retweet_count': 9, 'retweeted_status': {'created_at': 'Fri Dec 01 21:52:52 +0000 2017', 'favorite_count': 8, 'hashtags': [], 'id': 936714740755247105, 'id_str': '936714740755247105', 'lang': 'en', 'retweet_count': 9, 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': "Robot automation will 'take 800 million jobs by 2030' - report https://t.co/Od86T18kQZ", 'urls': [{'expanded_url': 'http://www.bbc.com/news/world-us-canada-42170100', 'url': 'https://t.co/Od86T18kQZ'}], 'user': {'created_at': 'Sun May 15 14:37:06 +0000 2016', 'default_profile': true, 'description': 'JD (20 yrs fed/state with 18 yrs govt ethics law / retired, non-practicing, lupus-afflicted atty) + M.T.S. (Catholic Theology) \ud83e\udd8b https://t.co/4xqaYIiuRA \ud83e\udd8b', 'favourites_count': 113946, 'followers_count': 36192, 'friends_count': 5640, 'id': 731855934675255297, 'lang': 'en', 'listed_count': 191, 'name': 'Sarah Smith', 'profile_background_color': 'F5F8FA', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/731855934675255297/1493396844', 'profile_image_url': 'http://pbs.twimg.com/profile_images/928095608149299201/Z3vtIDlm_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'SLSmith000', 'statuses_count': 55207}, 'user_mentions': []}, 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': "RT @SLSmith000: Robot automation will 'take 800 million jobs by 2030' - report https://t.co/Od86T18kQZ", 'urls': [{'expanded_url': 'http://www.bbc.com/news/world-us-canada-42170100', 'url': 'https://t.co/Od86T18kQZ'}], 'user': {'created_at': 'Wed Dec 14 00:34:08 +0000 2016', 'default_profile': true, 'description': '"America did not invent human rights. In a very real sense, it is the other way round. Human rights invented America." James Earl Carter 14 January 1981', 'favourites_count': 5187, 'followers_count': 28, 'friends_count': 17, 'id': 808832410146209793, 'lang': 'en', 'name': 'Lochapoka', 'profile_background_color': 'F5F8FA', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/808832410146209793/1509322465', 'profile_image_url': 'http://pbs.twimg.com/profile_images/926280495419273217/hA0fOHjk_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'SBibimus', 'statuses_count': 1374, 'time_zone': 'Pacific Time (US & Canada)', 'utc_offset': -28800}, 'user_mentions': [{'id': 731855934675255297, 'name': 'Sarah Smith', 'screen_name': 'SLSmith000'}]}, {'created_at': 'Fri Dec 01 22:16:02 +0000 2017', 'hashtags': [], 'id': 936720570904928259, 'id_str': '936720570904928259', 'lang': 'en', 'quoted_status_id': 936671583070023681, 'quoted_status_id_str': '936671583070023681', 'retweet_count': 11, 'retweeted_status': {'created_at': 'Fri Dec 01 19:06:55 +0000 2017', 'favorite_count': 22, 'hashtags': [], 'id': 936672980146335744, 'id_str': '936672980146335744', 'lang': 'en', 'quoted_status': {'created_at': 'Fri Dec 01 19:01:22 +0000 2017', 'favorite_count': 20, 'hashtags': [], 'id': 936671583070023681, 'id_str': '936671583070023681', 'lang': 'en', 'retweet_count': 22, 'source': '<a href="http://bufferapp.com" rel="nofollow">Buffer</a>', 'text': 'The Robot Invasion Is Coming\n\nA new study suggests that 800 million jobs could be at risk worldwide by 2030:… https://t.co/N4tdDy8cAj', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936671583070023681', 'url': 'https://t.co/N4tdDy8cAj'}], 'user': {'created_at': 'Wed Mar 28 22:39:21 +0000 2007', 'description': 'Official Twitter feed for the Fast Company business media brand; inspiring readers to think beyond traditional boundaries & create the future of business.', 'favourites_count': 7657, 'followers_count': 2318705, 'friends_count': 4017, 'geo_enabled': true, 'id': 2735591, 'lang': 'en', 'listed_count': 44622, 'location': 'New York, NY', 'name': 'Fast Company', 'profile_background_color': 'FFFFFF', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/425029708/2048x1600-fc-twitter-backgrd.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/2735591/1510956770', 'profile_image_url': 'http://pbs.twimg.com/profile_images/875769219400351744/ib7iIvRF_normal.jpg', 'profile_link_color': '9AB2B4', 'profile_sidebar_fill_color': 'CCCCCC', 'profile_text_color': '000000', 'screen_name': 'FastCompany', 'statuses_count': 173659, 'time_zone': 'Eastern Time (US & Canada)', 'url': 'http://t.co/GBtvUq9rZp', 'utc_offset': -18000, 'verified': true}, 'user_mentions': []}, 'quoted_status_id': 936671583070023681, 'quoted_status_id_str': '936671583070023681', 'retweet_count': 11, 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': 'Much reporting about automation misses the key point - @McKinsey_MGI also forecast work creation that can offset di… https://t.co/RNpcnQ3yzc', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936672980146335744', 'url': 'https://t.co/RNpcnQ3yzc'}], 'user': {'created_at': 'Fri Feb 20 08:36:41 +0000 2009', 'default_profile': true, 'description': 'Public policy research @Uber, with focus on (the future of) work. Brit in SF. Previously: @Coadec, @DFID_UK, @DCMS. Views my own.', 'favourites_count': 10545, 'followers_count': 4893, 'friends_count': 3563, 'geo_enabled': true, 'id': 21383965, 'lang': 'en', 'listed_count': 324, 'location': 'San Francisco, CA', 'name': 'Guy Levin', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/21383965/1506391031', 'profile_image_url': 'http://pbs.twimg.com/profile_images/750314933498351616/wb-C397l_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'guy_levin', 'statuses_count': 17598, 'time_zone': 'Pacific Time (US & Canada)', 'utc_offset': -28800}, 'user_mentions': [{'id': 348659640, 'name': 'McKinsey Global Inst', 'screen_name': 'McKinsey_MGI'}]}, 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': 'RT @guy_levin: Much reporting about automation misses the key point - @McKinsey_MGI also forecast work creation that can offset displacemen…', 'urls': [], 'user': {'created_at': 'Mon Nov 30 18:08:51 +0000 2009', 'default_profile': true, 'description': 'Tech junkie, PwC Partner, Dad, frustrated guitarist & wannabe pro athlete. Currently spend most of my time supporting Canadian innovation. Views are my own.', 'favourites_count': 2772, 'followers_count': 1474, 'friends_count': 1927, 'id': 93681399, 'lang': 'en', 'listed_count': 215, 'location': 'Toronto', 'name': 'Chris Dulny', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/93681399/1511984160', 'profile_image_url': 'http://pbs.twimg.com/profile_images/852593131992346624/v9wR_u67_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'Dulny', 'statuses_count': 2860, 'time_zone': 'Eastern Time (US & Canada)', 'url': 'https://t.co/rhvFZbtij4', 'utc_offset': -18000}, 'user_mentions': [{'id': 21383965, 'name': 'Guy Levin', 'screen_name': 'guy_levin'}, {'id': 348659640, 'name': 'McKinsey Global Inst', 'screen_name': 'McKinsey_MGI'}]}, {'created_at': 'Fri Dec 01 22:15:59 +0000 2017', 'hashtags': [], 'id': 936720558322044928, 'id_str': '936720558322044928', 'in_reply_to_screen_name': 'CivEkonom', 'in_reply_to_status_id': 936347270072717314, 'in_reply_to_user_id': 3433858259, 'lang': 'en', 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': '@CivEkonom :) But is is...not the way they thought though. Its "bleeding" into automation => Less employees, hence… https://t.co/YYSTcB1eFi', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936720558322044928', 'url': 'https://t.co/YYSTcB1eFi'}], 'user': {'created_at': 'Wed Sep 09 21:13:03 +0000 2009', 'default_profile': true, 'default_profile_image': true, 'favourites_count': 4053, 'followers_count': 255, 'friends_count': 217, 'id': 72952542, 'lang': 'en', 'listed_count': 5, 'name': 'Libertarian', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_image_url': 'http://abs.twimg.com/sticky/default_profile_images/default_profile_normal.png', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'naitwit', 'statuses_count': 17266, 'time_zone': 'Pacific Time (US & Canada)', 'utc_offset': -28800}, 'user_mentions': [{'id': 3433858259, 'name': 'Civ Ekonom', 'screen_name': 'CivEkonom'}]}, {'created_at': 'Fri Dec 01 22:15:59 +0000 2017', 'hashtags': [{'text': 'automation'}], 'id': 936720557801988096, 'id_str': '936720557801988096', 'lang': 'en', 'retweet_count': 2, 'retweeted_status': {'created_at': 'Fri Dec 01 19:40:07 +0000 2017', 'favorite_count': 2, 'hashtags': [{'text': 'automation'}], 'id': 936681336479379457, 'id_str': '936681336479379457', 'lang': 'en', 'retweet_count': 2, 'source': '<a href="http://www.hootsuite.com" rel="nofollow">Hootsuite</a>', 'text': 'How #automation improved the world’s biggest chemicals producer; an informative Q&A with Kevin Starr.… https://t.co/RykFlsLDgs', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936681336479379457', 'url': 'https://t.co/RykFlsLDgs'}], 'user': {'created_at': 'Thu Jan 19 16:42:50 +0000 2017', 'description': 'Complete portfolio of world-class services to ensure maximum performance of your equipment and processes. #industrialAutomation #industryAutomationService #abb', 'favourites_count': 390, 'followers_count': 420, 'friends_count': 447, 'id': 822122154057728000, 'lang': 'en', 'listed_count': 8, 'name': 'ABB Industry Service', 'profile_background_color': '000000', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/822122154057728000/1484926514', 'profile_image_url': 'http://pbs.twimg.com/profile_images/822467579394555904/7wIlPVLQ_normal.jpg', 'profile_link_color': '004B7A', 'profile_sidebar_fill_color': '000000', 'profile_text_color': '000000', 'screen_name': 'abbindustryserv', 'statuses_count': 568, 'time_zone': 'Eastern Time (US & Canada)', 'url': 'https://t.co/kRappXZ2ss', 'utc_offset': -18000}, 'user_mentions': []}, 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': 'RT @abbindustryserv: How #automation improved the world’s biggest chemicals producer; an informative Q&A with Kevin Starr. https://t.co/NGx…', 'urls': [], 'user': {'created_at': 'Fri Mar 01 11:15:16 +0000 2013', 'description': 'The official ABB Oil, Gas and Chemicals Twitter page. Follow us for latest news on technologies, industry trends, events, systems, solutions and services.', 'favourites_count': 2255, 'followers_count': 3077, 'friends_count': 799, 'id': 1229582408, 'lang': 'en', 'listed_count': 103, 'name': 'ABBOil,Gas&Chemicals', 'profile_background_color': 'EDECE9', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/803519851/9486e1e34f4b84b3db6ad7c481ddcbaa.jpeg', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/1229582408/1489497365', 'profile_image_url': 'http://pbs.twimg.com/profile_images/841609379178766336/379qec7E_normal.jpg', 'profile_link_color': 'ABB8C2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'ABBoilandgas', 'statuses_count': 2892, 'time_zone': 'Rome', 'url': 'http://t.co/Z3r2TY7cah', 'utc_offset': 3600}, 'user_mentions': [{'id': 822122154057728000, 'name': 'ABB Industry Service', 'screen_name': 'abbindustryserv'}]}, {'created_at': 'Fri Dec 01 22:15:55 +0000 2017', 'hashtags': [], 'id': 936720542739996672, 'id_str': '936720542739996672', 'lang': 'en', 'retweet_count': 140, 'retweeted_status': {'created_at': 'Thu Nov 30 15:45:53 +0000 2017', 'favorite_count': 158, 'hashtags': [], 'id': 936260001093500928, 'id_str': '936260001093500928', 'lang': 'en', 'retweet_count': 140, 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': 'Share of current work hours w/ potential for automation by 2030\n \nJapan 26%\nGermany 24%\nUS 23%\nChina 16%\nIndia 9%\n \nGlobal 15%\n \n(McKinsey)', 'urls': [], 'user': {'created_at': 'Tue Jul 28 02:23:28 +0000 2009', 'description': "political scientist, author, prof at nyu, columnist at time, president @eurasiagroup. if you lived here, you'd be home now.", 'favourites_count': 411, 'followers_count': 339244, 'friends_count': 1192, 'id': 60783724, 'lang': 'en', 'listed_count': 7482, 'name': 'ian bremmer', 'profile_background_color': '022330', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme15/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/60783724/1510920762', 'profile_image_url': 'http://pbs.twimg.com/profile_images/935214204658900992/vGPSlT2T_normal.jpg', 'profile_link_color': '3489B3', 'profile_sidebar_fill_color': 'C0DFEC', 'profile_text_color': '333333', 'screen_name': 'ianbremmer', 'statuses_count': 27492, 'time_zone': 'Eastern Time (US & Canada)', 'url': 'https://t.co/RyT2ScT8cy', 'utc_offset': -18000, 'verified': true}, 'user_mentions': []}, 'source': '<a href="https://mobile.twitter.com" rel="nofollow">Twitter Lite</a>', 'text': 'RT @ianbremmer: Share of current work hours w/ potential for automation by 2030\n \nJapan 26%\nGermany 24%\nUS 23%\nChina 16%\nIndia 9%\n \nGlobal…', 'urls': [], 'user': {'created_at': 'Wed Jun 15 19:13:56 +0000 2016', 'default_profile': true, 'description': '法学(private international law) │ 趣味: モンハン & 白黒猫 & CyberSecurity(Hacking)', 'favourites_count': 12921, 'followers_count': 268, 'friends_count': 83, 'id': 743159626422583297, 'lang': 'ja', 'listed_count': 3, 'name': 'Levi@Teamlin5', 'profile_background_color': 'F5F8FA', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/743159626422583297/1493536087', 'profile_image_url': 'http://pbs.twimg.com/profile_images/922056963642363905/7hYKUn95_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'black_levi_l', 'statuses_count': 15798, 'time_zone': 'Pacific Time (US & Canada)', 'utc_offset': -28800}, 'user_mentions': [{'id': 60783724, 'name': 'ian bremmer', 'screen_name': 'ianbremmer'}]}, {'created_at': 'Fri Dec 01 22:15:48 +0000 2017', 'favorite_count': 1, 'hashtags': [], 'id': 936720515363999745, 'id_str': '936720515363999745', 'lang': 'en', 'media': [{'display_url': 'pic.twitter.com/9ggFBol0mi', 'expanded_url': 'https://twitter.com/rclarke/status/936720515363999745/photo/1', 'id': 936720509332611077, 'media_url': 'http://pbs.twimg.com/media/DP_mVxyX4AU5lQp.jpg', 'media_url_https': 'https://pbs.twimg.com/media/DP_mVxyX4AU5lQp.jpg', 'sizes': {'large': {'h': 1233, 'resize': 'fit', 'w': 1233}, 'medium': {'h': 1200, 'resize': 'fit', 'w': 1200}, 'small': {'h': 680, 'resize': 'fit', 'w': 680}, 'thumb': {'h': 150, 'resize': 'crop', 'w': 150}}, 'type': 'photo', 'url': 'https://t.co/9ggFBol0mi'}], 'source': '<a href="http://www.echofon.com/" rel="nofollow">Echofon</a>', 'text': 'Novelty Automation’s donation box lets you try to break a wine glass with your mind. https://t.co/9ggFBol0mi', 'urls': [], 'user': {'created_at': 'Sat Apr 28 22:26:46 +0000 2007', 'description': 'Producer of computer games. Writing #BAFTA here for the approval of skim readers.', 'favourites_count': 4848, 'followers_count': 1149, 'friends_count': 760, 'id': 5614032, 'lang': 'en', 'listed_count': 87, 'location': 'London, Europe', 'name': 'Robin Clarke', 'profile_background_color': '000000', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/666321745/fdba3ddc8c4b84167abda1f4d815d037.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/5614032/1507764628', 'profile_image_url': 'http://pbs.twimg.com/profile_images/919354986173206529/4UxvlrFO_normal.jpg', 'profile_link_color': '492D45', 'profile_sidebar_fill_color': 'FFFFFF', 'profile_text_color': '080808', 'screen_name': 'rclarke', 'statuses_count': 44380, 'time_zone': 'London', 'url': 'https://t.co/hYk31EOo4o'}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:15:47 +0000 2017', 'hashtags': [], 'id': 936720507948367872, 'id_str': '936720507948367872', 'lang': 'en', 'retweet_count': 5, 'retweeted_status': {'created_at': 'Fri Dec 01 21:35:03 +0000 2017', 'favorite_count': 5, 'hashtags': [], 'id': 936710259351130118, 'id_str': '936710259351130118', 'lang': 'en', 'retweet_count': 5, 'source': '<a href="http://coschedule.com" rel="nofollow">CoSchedule</a>', 'text': 'New paper authored by @TvanderArk explore whats happening in the automation economy, civic and social implications… https://t.co/QOcelse64v', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936710259351130118', 'url': 'https://t.co/QOcelse64v'}], 'user': {'created_at': 'Sat Mar 26 19:23:37 +0000 2011', 'description': 'Getting Smart supports innovations in learning, education & technology. Our mission is to help more young people get smart & connect to the idea economy.', 'favourites_count': 22098, 'followers_count': 57592, 'friends_count': 5636, 'geo_enabled': true, 'id': 272561168, 'lang': 'en', 'listed_count': 2552, 'name': 'Getting Smart', 'profile_background_color': '9B2622', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/471380479120130048/5LdPFfbh.jpeg', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/272561168/1495228087', 'profile_image_url': 'http://pbs.twimg.com/profile_images/471381318303879168/DsrDshow_normal.png', 'profile_link_color': '8B1C1C', 'profile_sidebar_fill_color': 'FFFFFF', 'profile_text_color': '333333', 'screen_name': 'Getting_Smart', 'statuses_count': 43396, 'time_zone': 'Central Time (US & Canada)', 'url': 'http://t.co/cbnANXMXkc', 'utc_offset': -21600}, 'user_mentions': [{'id': 26928955, 'name': 'Tom Vander Ark', 'screen_name': 'tvanderark'}]}, 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': 'RT @Getting_Smart: New paper authored by @TvanderArk explore whats happening in the automation economy, civic and social implications and h…', 'urls': [], 'user': {'created_at': 'Thu Aug 04 12:57:28 +0000 2011', 'description': 'Head of School @HTSRichmondhill an innovative and caring community committed to academic excellence, & developing well-rounded learners who thrive in our world', 'favourites_count': 19207, 'followers_count': 1628, 'friends_count': 2525, 'geo_enabled': true, 'id': 348444368, 'lang': 'en', 'listed_count': 329, 'location': 'Toronto, ON Canada', 'name': 'Helen Pereira-Raso', 'profile_background_color': '000000', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/348444368/1499055504', 'profile_image_url': 'http://pbs.twimg.com/profile_images/895820172988166144/laCpXF3p_normal.jpg', 'profile_link_color': 'ABB8C2', 'profile_sidebar_fill_color': '000000', 'profile_text_color': '000000', 'screen_name': 'pereira_rasoHTS', 'statuses_count': 14313, 'time_zone': 'Eastern Time (US & Canada)', 'url': 'https://t.co/vpMLmjPqBx', 'utc_offset': -18000}, 'user_mentions': [{'id': 272561168, 'name': 'Getting Smart', 'screen_name': 'Getting_Smart'}, {'id': 26928955, 'name': 'Tom Vander Ark', 'screen_name': 'tvanderark'}]}, {'created_at': 'Fri Dec 01 22:15:46 +0000 2017', 'hashtags': [], 'id': 936720506878922753, 'id_str': '936720506878922753', 'lang': 'en', 'media': [{'display_url': 'pic.twitter.com/jsnECataEj', 'expanded_url': 'https://twitter.com/AnilAgrawal64/status/936720506878922753/photo/1', 'id': 936720502579752960, 'media_url': 'http://pbs.twimg.com/media/DP_mVYoXcAApLB3.jpg', 'media_url_https': 'https://pbs.twimg.com/media/DP_mVYoXcAApLB3.jpg', 'sizes': {'large': {'h': 1080, 'resize': 'fit', 'w': 911}, 'medium': {'h': 1080, 'resize': 'fit', 'w': 911}, 'small': {'h': 680, 'resize': 'fit', 'w': 574}, 'thumb': {'h': 150, 'resize': 'crop', 'w': 150}}, 'type': 'photo', 'url': 'https://t.co/jsnECataEj'}], 'source': '<a href="https://smarterqueue.com" rel="nofollow">SmarterQueue</a>', 'text': 'Drip - The Best Email Marketing Automation Tool You Will Ever See! @getdrip Check them out! https://t.co/bRSJXNS43g https://t.co/jsnECataEj', 'urls': [{'expanded_url': 'http://www.leadershipfocushq.com/Drip', 'url': 'https://t.co/bRSJXNS43g'}], 'user': {'created_at': 'Sat Sep 20 17:29:13 +0000 2014', 'description': 'Helping people Avoid Burnout ♦︎ Work Less ♦︎ Get More Done ♦︎ Build Trust ♦︎ Minimize Stress ♦︎ Live Happier! Save 3hrs/week: https://t.co/Mspc0gg27m', 'favourites_count': 4596, 'followers_count': 633, 'friends_count': 346, 'id': 2778058834, 'lang': 'en', 'listed_count': 270, 'location': 'San Diego, California', 'name': 'Anil Agrawal', 'profile_background_color': '000000', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/2778058834/1475824940', 'profile_image_url': 'http://pbs.twimg.com/profile_images/627709953533345792/BdVKhjCI_normal.jpg', 'profile_link_color': '3B94D9', 'profile_sidebar_fill_color': '000000', 'profile_text_color': '000000', 'screen_name': 'AnilAgrawal64', 'statuses_count': 7561, 'time_zone': 'Pacific Time (US & Canada)', 'url': 'https://t.co/ykm951yhbL', 'utc_offset': -28800}, 'user_mentions': [{'id': 1081294531, 'name': 'The Drip Team', 'screen_name': 'getdrip'}]}, {'created_at': 'Fri Dec 01 22:15:38 +0000 2017', 'hashtags': [{'text': 'UBI'}], 'id': 936720472720465920, 'id_str': '936720472720465920', 'lang': 'en', 'retweet_count': 1, 'retweeted_status': {'created_at': 'Fri Dec 01 21:23:01 +0000 2017', 'hashtags': [{'text': 'UBI'}], 'id': 936707229142716418, 'id_str': '936707229142716418', 'lang': 'en', 'retweet_count': 1, 'source': '<a href="http://bufferapp.com" rel="nofollow">Buffer</a>', 'text': 'Experts Say Universal Basic Income Would Boost US Economy by Staggering $2.5T https://t.co/ynSq8anQt9 #UBI… https://t.co/jwFSUbSevb', 'truncated': true, 'urls': [{'expanded_url': 'http://bit.ly/2AulrDR', 'url': 'https://t.co/ynSq8anQt9'}, {'expanded_url': 'https://twitter.com/i/web/status/936707229142716418', 'url': 'https://t.co/jwFSUbSevb'}], 'user': {'created_at': 'Fri Feb 11 09:09:36 +0000 2011', 'description': 'disrupting with intention', 'favourites_count': 84, 'followers_count': 2215, 'friends_count': 1775, 'id': 250543278, 'lang': 'en', 'listed_count': 144, 'name': 'DisruptiveInnovation', 'profile_background_color': '9FD5F9', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/299775198/x1e7f39f18aa070c8e03babffd500d2b.png', 'profile_background_tile': true, 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/250543278/1400176494', 'profile_image_url': 'http://pbs.twimg.com/profile_images/887728189740417024/FzXVqhob_normal.jpg', 'profile_link_color': 'F20000', 'profile_sidebar_fill_color': '4B1122', 'profile_text_color': 'D3D3D3', 'screen_name': 'thinkdisruptive', 'statuses_count': 18728, 'time_zone': 'Quito', 'url': 'http://t.co/QUpfM1ZUd0', 'utc_offset': -18000}, 'user_mentions': []}, 'source': '<a href="https://BasicIncomeBot.scot" rel="nofollow">BasicIncomeRTFav</a>', 'text': 'RT @thinkdisruptive: Experts Say Universal Basic Income Would Boost US Economy by Staggering $2.5T https://t.co/ynSq8anQt9 #UBI #basicincom…', 'urls': [{'expanded_url': 'http://bit.ly/2AulrDR', 'url': 'https://t.co/ynSq8anQt9'}], 'user': {'created_at': 'Wed Jul 26 20:37:48 +0000 2017', 'default_profile': true, 'followers_count': 38, 'friends_count': 5, 'id': 890310201991204865, 'lang': 'en', 'listed_count': 1, 'name': 'Basic Income', 'profile_background_color': 'F5F8FA', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/890310201991204865/1501102350', 'profile_image_url': 'http://pbs.twimg.com/profile_images/890313977091293184/x7c-0Tsn_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'BIvsAI', 'statuses_count': 608}, 'user_mentions': [{'id': 250543278, 'name': 'DisruptiveInnovation', 'screen_name': 'thinkdisruptive'}]}, {'created_at': 'Fri Dec 01 22:15:24 +0000 2017', 'hashtags': [], 'id': 936720413341765636, 'id_str': '936720413341765636', 'in_reply_to_screen_name': 'spiritscall', 'in_reply_to_status_id': 936719645209489408, 'in_reply_to_user_id': 160765792, 'lang': 'en', 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': '@spiritscall Not so easy. Many owner haulers barely make enough to keep their families and pay rent. Takes a mortga… https://t.co/B1vJ9HD0x9', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936720413341765636', 'url': 'https://t.co/B1vJ9HD0x9'}], 'user': {'created_at': 'Fri Dec 25 21:46:49 +0000 2009', 'default_profile': true, 'description': '\ud83c\uddff\ud83c\udde6\ud83c\uddfa\ud83c\uddf8Proud father & grandfather, learning manager, educator, advocate for underserved and powerless.', 'favourites_count': 300, 'followers_count': 131, 'friends_count': 150, 'geo_enabled': true, 'id': 99365565, 'lang': 'en', 'listed_count': 3, 'location': 'Houston, TX', 'name': 'John Classen', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/99365565/1501712967', 'profile_image_url': 'http://pbs.twimg.com/profile_images/892874705786380288/2Q2YYdSn_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'classenj', 'statuses_count': 1509, 'time_zone': 'Central Time (US & Canada)', 'url': 'https://t.co/90ABJCGtsx', 'utc_offset': -21600}, 'user_mentions': [{'id': 160765792, 'name': 'Glynden Bode', 'screen_name': 'spiritscall'}]}, {'created_at': 'Fri Dec 01 22:15:23 +0000 2017', 'hashtags': [], 'id': 936720409470177281, 'id_str': '936720409470177281', 'lang': 'en', 'source': '<a href="https://dlvrit.com/" rel="nofollow">dlvr.it</a>', 'text': '[From our network] WordPress 4.1 Released, DNN Open Sources Automation Framework, More News https://t.co/jBfcOmqX0V… https://t.co/JAxe6O8N9J', 'truncated': true, 'urls': [{'expanded_url': 'http://dlvr.it/Q3tYSj', 'url': 'https://t.co/jBfcOmqX0V'}, {'expanded_url': 'https://twitter.com/i/web/status/936720409470177281', 'url': 'https://t.co/JAxe6O8N9J'}], 'user': {'created_at': 'Sat Jun 26 16:53:53 +0000 2010', 'description': 'Tracommy | International Travel Advisers Community. Networking for travel and tourism professionals. Tweet desk: Michael Gebhardt/Founder.', 'favourites_count': 2575, 'followers_count': 1486, 'friends_count': 1200, 'geo_enabled': true, 'id': 159907377, 'lang': 'en', 'listed_count': 356, 'location': 'Central service desk Germany', 'name': 'Tracommy', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/326071441/banner.jpg', 'profile_background_tile': true, 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/159907377/1423224117', 'profile_image_url': 'http://pbs.twimg.com/profile_images/499631616289816578/5aYmGyQB_normal.jpeg', 'profile_link_color': '0084B4', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'ta_community', 'statuses_count': 26839, 'time_zone': 'Berlin', 'url': 'https://t.co/wQEiKJadh2', 'utc_offset': 3600}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:15:23 +0000 2017', 'hashtags': [{'text': 'DemandGen'}], 'id': 936720407805251587, 'id_str': '936720407805251587', 'lang': 'en', 'source': '<a href="https://www.socialoomph.com" rel="nofollow">SocialOomph</a>', 'text': 'A Left-The-Company email is a powerful revenue booster. Are you mining yours? https://t.co/y0TogxCUvc #DemandGen… https://t.co/lU4HYtqfuz', 'truncated': true, 'urls': [{'expanded_url': 'http://dld.bz/eRHUJ', 'url': 'https://t.co/y0TogxCUvc'}, {'expanded_url': 'https://twitter.com/i/web/status/936720407805251587', 'url': 'https://t.co/lU4HYtqfuz'}], 'user': {'created_at': 'Thu Mar 19 17:19:30 +0000 2015', 'default_profile': true, 'description': 'Reply Email Mining app grows pipeline, increases sales velocity, & identifies sales trigger events #EmailMarketing #marketing #sales #ABM #ReplyEmailMining', 'favourites_count': 1792, 'followers_count': 5977, 'friends_count': 4315, 'id': 3097269568, 'lang': 'en', 'listed_count': 648, 'location': 'Massachusetts, USA', 'name': 'LeadGnome', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/3097269568/1500243947', 'profile_image_url': 'http://pbs.twimg.com/profile_images/584036820582670337/SMKQYXET_normal.png', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'LeadGnome', 'statuses_count': 21549, 'time_zone': 'Eastern Time (US & Canada)', 'url': 'https://t.co/8BwgPHBuNg', 'utc_offset': -18000}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:15:21 +0000 2017', 'hashtags': [{'text': 'Automation'}, {'text': 'technology'}, {'text': 'futureofwork'}], 'id': 936720400968433664, 'id_str': '936720400968433664', 'lang': 'en', 'retweet_count': 1, 'source': '<a href="http://dynamicsignal.com/" rel="nofollow">VoiceStorm</a>', 'text': '#Automation threatens 800 million jobs, but #technology could still save us, says @McKinsey report #futureofwork...… https://t.co/6PVConprA9', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936720400968433664', 'url': 'https://t.co/6PVConprA9'}], 'user': {'created_at': 'Sun Dec 27 09:07:18 +0000 2009', 'default_profile': true, 'description': 'Chief Digital Officer & SVP @SAPAriba. Passionate about #Life, #Coffee, #PhD in #Politics, #MBA in #Economics, #SocialMedia Enthusiast and curious to learn&grow', 'favourites_count': 26069, 'followers_count': 12743, 'friends_count': 7855, 'geo_enabled': true, 'id': 99674560, 'lang': 'en', 'listed_count': 164, 'location': 'Frankfurt on the Main, Germany', 'name': 'Dr. Marcell Vollmer', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/99674560/1486476950', 'profile_image_url': 'http://pbs.twimg.com/profile_images/735212931940552704/83zOt4k5_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'mvollmer1', 'statuses_count': 10576, 'time_zone': 'Berlin', 'url': 'https://t.co/AjP9pXboSl', 'utc_offset': 3600}, 'user_mentions': [{'id': 34042766, 'name': 'McKinsey & Company', 'screen_name': 'McKinsey'}]}, {'created_at': 'Fri Dec 01 22:15:18 +0000 2017', 'hashtags': [], 'id': 936720387467079682, 'id_str': '936720387467079682', 'lang': 'en', 'quoted_status_id': 936375086713581569, 'quoted_status_id_str': '936375086713581569', 'retweet_count': 2, 'retweeted_status': {'created_at': 'Fri Dec 01 21:03:00 +0000 2017', 'favorite_count': 2, 'hashtags': [], 'id': 936702194677624832, 'id_str': '936702194677624832', 'lang': 'en', 'quoted_status': {'created_at': 'Thu Nov 30 23:23:12 +0000 2017', 'favorite_count': 50, 'hashtags': [], 'id': 936375086713581569, 'id_str': '936375086713581569', 'in_reply_to_screen_name': 'RepBetoORourke', 'in_reply_to_status_id': 936364754511245312, 'in_reply_to_user_id': 1134292500, 'lang': 'en', 'retweet_count': 23, 'source': '<a href="http://twitter.com/download/android" rel="nofollow">Twitter for Android</a>', 'text': "@RepBetoORourke @luvman33wife It'll be the end of our country, no middle class, only the very poor and the very ric… https://t.co/ZJAQCvy6gL", 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936375086713581569', 'url': 'https://t.co/ZJAQCvy6gL'}], 'user': {'created_at': 'Sun Jan 29 02:17:43 +0000 2017', 'description': 'lover and protector of animals, nature & environment, all life is valuable and should be protected at all cost #Resistance #NeverTrump', 'favourites_count': 63258, 'followers_count': 1972, 'friends_count': 2193, 'id': 825528318384603138, 'lang': 'en', 'listed_count': 12, 'location': 'United States', 'name': 'Cyndee', 'profile_background_color': '000000', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/825528318384603138/1486403954', 'profile_image_url': 'http://pbs.twimg.com/profile_images/845630880240537601/IaL33Wsx_normal.jpg', 'profile_link_color': '19CF86', 'profile_sidebar_fill_color': '000000', 'profile_text_color': '000000', 'screen_name': 'Cyndee00663219', 'statuses_count': 42474}, 'user_mentions': [{'id': 1134292500, 'name': "Rep. Beto O'Rourke", 'screen_name': 'RepBetoORourke'}, {'id': 81281442, 'name': 'jrt1971', 'screen_name': 'luvman33wife'}]}, 'quoted_status_id': 936375086713581569, 'quoted_status_id_str': '936375086713581569', 'retweet_count': 2, 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': 'THEY R CREATING A A HUGE LOWER CLASS IN FINANCIAL TERMS! ALL THIS MONEY WILL GO 2 AUTOMATION/PRIVATE SECURITY FORCE… https://t.co/XVz4M3Nupd', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936702194677624832', 'url': 'https://t.co/XVz4M3Nupd'}], 'user': {'created_at': 'Fri Sep 09 18:28:38 +0000 2016', 'default_profile': true, 'default_profile_image': true, 'description': 'LIVE! LOVE! LAUGH!COMEDY!SAD BUT TRUE/NOT TO B TAKEN SERIOUS!LIVE/LOVE/LAUGH!ALL OPINIONS R MY OWN', 'favourites_count': 30082, 'followers_count': 502, 'friends_count': 616, 'id': 774313579910721536, 'lang': 'en', 'listed_count': 12, 'name': 'LIVE LOVE LAUGH', 'profile_background_color': 'F5F8FA', 'profile_image_url': 'http://abs.twimg.com/sticky/default_profile_images/default_profile_normal.png', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'smartmove19675', 'statuses_count': 36682}, 'user_mentions': []}, 'source': '<a href="http://twitter.com/download/android" rel="nofollow">Twitter for Android</a>', 'text': 'RT @smartmove19675: THEY R CREATING A A HUGE LOWER CLASS IN FINANCIAL TERMS! ALL THIS MONEY WILL GO 2 AUTOMATION/PRIVATE SECURITY FORCES/MI…', 'urls': [], 'user': {'created_at': 'Sun Jan 29 02:17:43 +0000 2017', 'description': 'lover and protector of animals, nature & environment, all life is valuable and should be protected at all cost #Resistance #NeverTrump', 'favourites_count': 63258, 'followers_count': 1972, 'friends_count': 2193, 'id': 825528318384603138, 'lang': 'en', 'listed_count': 12, 'location': 'United States', 'name': 'Cyndee', 'profile_background_color': '000000', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/825528318384603138/1486403954', 'profile_image_url': 'http://pbs.twimg.com/profile_images/845630880240537601/IaL33Wsx_normal.jpg', 'profile_link_color': '19CF86', 'profile_sidebar_fill_color': '000000', 'profile_text_color': '000000', 'screen_name': 'Cyndee00663219', 'statuses_count': 42474}, 'user_mentions': [{'id': 774313579910721536, 'name': 'LIVE LOVE LAUGH', 'screen_name': 'smartmove19675'}]}, {'created_at': 'Fri Dec 01 22:15:14 +0000 2017', 'hashtags': [], 'id': 936720369263583232, 'id_str': '936720369263583232', 'lang': 'en', 'source': '<a href="http://www.linkedin.com/" rel="nofollow">LinkedIn</a>', 'text': 'Era of Digital workforce is arriving fast and furious - From Robotic Process Automation to Cognitive to Analytics.… https://t.co/ljEFFXjzCR', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936720369263583232', 'url': 'https://t.co/ljEFFXjzCR'}], 'user': {'created_at': 'Wed Apr 15 00:08:48 +0000 2015', 'default_profile': true, 'description': 'Anything good that we can do, let us do it now for we may never come this way again', 'favourites_count': 24, 'followers_count': 728, 'friends_count': 809, 'id': 3167616784, 'lang': 'en', 'listed_count': 14, 'location': 'Vancouver, British Columbia', 'name': 'Tony N Annette Chia', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/3167616784/1429059783', 'profile_image_url': 'http://pbs.twimg.com/profile_images/588133326600347648/e70xol4N_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'tonyannettechia', 'statuses_count': 581, 'time_zone': 'Pacific Time (US & Canada)', 'utc_offset': -28800}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:15:10 +0000 2017', 'hashtags': [], 'id': 936720352201396224, 'id_str': '936720352201396224', 'lang': 'en', 'source': '<a href="http://www.hootsuite.com" rel="nofollow">Hootsuite</a>', 'text': 'Many manufacturers are using outdated process automation systems, some as old as 25 years or more. Updated or moder… https://t.co/pZbULWmTnE', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936720352201396224', 'url': 'https://t.co/pZbULWmTnE'}], 'user': {'created_at': 'Thu Oct 05 20:00:00 +0000 2017', 'default_profile': true, 'description': 'Quantum Solutions is an industry leading, full-service integrator of control and automation systems for process and packaging.', 'favourites_count': 2, 'followers_count': 4, 'friends_count': 18, 'id': 916030229684064257, 'lang': 'en', 'location': 'Columbia, IL', 'name': 'Quantum Solutions', 'profile_background_color': 'F5F8FA', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/916030229684064257/1507234099', 'profile_image_url': 'http://pbs.twimg.com/profile_images/916031309524242432/UtFOja-X_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'qsicontrols', 'statuses_count': 14, 'url': 'https://t.co/UNj6lNej24'}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:15:09 +0000 2017', 'hashtags': [{'text': 'relax'}, {'text': 'business'}, {'text': 'OneTrack'}, {'text': 'studio'}], 'id': 936720348028039169, 'id_str': '936720348028039169', 'lang': 'en', 'source': '<a href="http://bufferapp.com" rel="nofollow">Buffer</a>', 'text': "#relax out of your daily #business life. Live life with its fullest with #OneTrack. It's a #studio business… https://t.co/17sojQlG1f", 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936720348028039169', 'url': 'https://t.co/17sojQlG1f'}], 'user': {'created_at': 'Thu Jul 13 08:55:34 +0000 2017', 'description': '#Studio #management is now getting better with OnTrackStudio. A fully #automated #business studio to manage all your business needs with a click of a button.\ud83d\ude00', 'favourites_count': 375, 'followers_count': 437, 'friends_count': 451, 'id': 885422439248920576, 'lang': 'en', 'listed_count': 2, 'location': 'North Carolina, USA', 'name': 'OnTrackStudio', 'profile_background_color': '000000', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/885422439248920576/1511958484', 'profile_image_url': 'http://pbs.twimg.com/profile_images/908698381173714945/nAlO8yev_normal.jpg', 'profile_link_color': '1B95E0', 'profile_sidebar_fill_color': '000000', 'profile_text_color': '000000', 'screen_name': 'StudioOnTrack', 'statuses_count': 298, 'time_zone': 'Pacific Time (US & Canada)', 'url': 'https://t.co/8mhZ8FxOA6', 'utc_offset': -28800}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:15:07 +0000 2017', 'favorite_count': 1, 'hashtags': [], 'id': 936720340109156353, 'id_str': '936720340109156353', 'lang': 'en', 'source': '<a href="http://meetedgar.com" rel="nofollow">Meet Edgar</a>', 'text': 'Drip Review: 6 Reasons Why I Trusted My Business To An Upstart Marketing Automation Tool - Double Your Freelancing https://t.co/bEp83uTTjq', 'urls': [{'expanded_url': 'http://buff.ly/2bLG3gr', 'url': 'https://t.co/bEp83uTTjq'}], 'user': {'created_at': 'Sat Jul 08 21:19:05 +0000 2017', 'description': 'Business doesn’t exist without relationship - Relationship doesn’t exist without value - Value doesn’t exist without relevance', 'favourites_count': 309, 'followers_count': 1253, 'friends_count': 1165, 'id': 883797612066951168, 'lang': 'en', 'listed_count': 8, 'location': 'Fort Lauderdale, FL', 'name': 'Rebecca DeForest', 'profile_background_color': '000000', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/883797612066951168/1499550031', 'profile_image_url': 'http://pbs.twimg.com/profile_images/883802259800428544/4wODXXs1_normal.jpg', 'profile_link_color': '715FFD', 'profile_sidebar_fill_color': '000000', 'profile_text_color': '000000', 'screen_name': 'Acceberann', 'statuses_count': 10116, 'url': 'https://t.co/sOQMi5lEdP'}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:15:06 +0000 2017', 'hashtags': [], 'id': 936720337475194880, 'id_str': '936720337475194880', 'lang': 'en', 'source': '<a href="http://www.hootsuite.com" rel="nofollow">Hootsuite</a>', 'text': 'As many as 800 million workers worldwide may lose their jobs to robots and automation by 2030, equivalent to more t… https://t.co/hKIK2NsXyQ', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936720337475194880', 'url': 'https://t.co/hKIK2NsXyQ'}], 'user': {'created_at': 'Sat Mar 10 22:16:12 +0000 2012', 'default_profile': true, 'description': 'World news delivered to enrich, inspire & transform our international community. As a trusted source we #factcheck & sift through the noise to deliver #truth', 'favourites_count': 350, 'followers_count': 2373, 'friends_count': 2014, 'geo_enabled': true, 'id': 520781000, 'lang': 'en', 'listed_count': 245, 'location': 'Everywhere', 'name': 'trueHUEnews', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/520781000/1422040444', 'profile_image_url': 'http://pbs.twimg.com/profile_images/558701116888588288/jdUyUh2u_normal.jpeg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'truehuenews', 'statuses_count': 7096, 'time_zone': 'Pacific Time (US & Canada)', 'url': 'https://t.co/fpTZmDj1P0', 'utc_offset': -28800}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:14:59 +0000 2017', 'hashtags': [], 'id': 936720309855686656, 'id_str': '936720309855686656', 'lang': 'en', 'source': '<a href="http://www.google.com/" rel="nofollow">Google</a>', 'text': 'Control and Automation Engineer (System Integration): Our client a major TPI company… https://t.co/fABr1msZxW', 'urls': [{'expanded_url': 'https://goo.gl/fb/h1DeM4', 'url': 'https://t.co/fABr1msZxW'}], 'user': {'created_at': 'Tue Oct 25 14:47:54 +0000 2011', 'description': 'Middle East Job feed for Pravasis.', 'followers_count': 3563, 'id': 398067695, 'lang': 'en', 'listed_count': 186, 'location': 'UAE', 'name': 'Pravasam jobs', 'profile_background_color': 'ACDED6', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme18/bg.gif', 'profile_image_url': 'http://pbs.twimg.com/profile_images/1606113330/PSP_jobs-FB-Icon_normal.jpg', 'profile_link_color': '038543', 'profile_sidebar_fill_color': 'F6F6F6', 'profile_text_color': '333333', 'screen_name': 'PSP_jobs', 'statuses_count': 435628, 'url': 'http://t.co/pLhpkCvkuO'}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:14:58 +0000 2017', 'hashtags': [], 'id': 936720303685636097, 'id_str': '936720303685636097', 'lang': 'en', 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': 'How can you automate the fastening process and collect torque data for documentation? Learn the options here:… https://t.co/ZuQMTGzA2t', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936720303685636097', 'url': 'https://t.co/ZuQMTGzA2t'}], 'user': {'created_at': 'Sun Mar 08 05:53:30 +0000 2009', 'description': 'The Torque Tool Specialists\r\nContact us at 1-888-654-8879 for any #Torque related questions!', 'favourites_count': 47, 'followers_count': 436, 'friends_count': 271, 'geo_enabled': true, 'id': 23282145, 'lang': 'en', 'listed_count': 17, 'location': 'San Jose, CA', 'name': 'Mountz Inc', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/127068094/background_mountz.jpg', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/23282145/1454341650', 'profile_image_url': 'http://pbs.twimg.com/profile_images/1083126227/Mountz_Logo_Resized_3_normal.jpg', 'profile_link_color': 'D02C16', 'profile_sidebar_fill_color': '252429', 'profile_text_color': 'A3A3A3', 'screen_name': 'mountztorque', 'statuses_count': 1421, 'time_zone': 'Pacific Time (US & Canada)', 'url': 'http://t.co/SdIbUUBoIn', 'utc_offset': -28800}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:14:58 +0000 2017', 'hashtags': [], 'id': 936720302192676866, 'id_str': '936720302192676866', 'lang': 'en', 'retweet_count': 81, 'retweeted_status': {'created_at': 'Fri Dec 01 06:03:23 +0000 2017', 'favorite_count': 309, 'hashtags': [], 'id': 936475797648326656, 'id_str': '936475797648326656', 'lang': 'en', 'retweet_count': 81, 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': 'AlI gotta say is it’s a good thing we’re about to make billionaires invincible at the same time media companies con… https://t.co/QpaS84g3Ln', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936475797648326656', 'url': 'https://t.co/QpaS84g3Ln'}], 'user': {'created_at': 'Sat Aug 11 16:36:14 +0000 2007', 'description': 'writer at midnight / adult swim / the onion / the art of the deal: the movie / the fake news with ted nelms', 'favourites_count': 28232, 'followers_count': 29085, 'friends_count': 1277, 'geo_enabled': true, 'id': 8126322, 'lang': 'en', 'listed_count': 1005, 'location': 'los angeles ', 'name': 'Joe R', 'profile_background_color': '1A1B1F', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme9/bg.gif', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/8126322/1482126803', 'profile_image_url': 'http://pbs.twimg.com/profile_images/815651058370236416/ujwY9QXT_normal.jpg', 'profile_link_color': '2FC2EF', 'profile_sidebar_fill_color': '252429', 'profile_text_color': '666666', 'screen_name': 'Randazzoj', 'statuses_count': 63057, 'time_zone': 'Pacific Time (US & Canada)', 'url': 'https://t.co/t934FoJ5b5', 'utc_offset': -28800, 'verified': true}, 'user_mentions': []}, 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': 'RT @Randazzoj: AlI gotta say is it’s a good thing we’re about to make billionaires invincible at the same time media companies consolidate…', 'urls': [], 'user': {'created_at': 'Sat May 10 05:22:24 +0000 2008', 'description': 'co-hosts @Gobbledygeeks // edits @justicedeli // watches a shit-ton of movies // loves Amber with his whole heart', 'favourites_count': 35488, 'followers_count': 820, 'friends_count': 1931, 'id': 14721764, 'lang': 'en', 'listed_count': 53, 'location': 'Akron, OH', 'name': 'Arlo Wiley', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/378800000029255321/946d55fb0e6f44ce4120bc44354fc08b.png', 'profile_background_tile': true, 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/14721764/1504037180', 'profile_image_url': 'http://pbs.twimg.com/profile_images/817552661654474753/yupUz67f_normal.jpg', 'profile_link_color': '0084B4', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'UnpluggedCrazy', 'statuses_count': 85241, 'time_zone': 'Eastern Time (US & Canada)', 'url': 'https://t.co/a6TjWMCjxi', 'utc_offset': -18000}, 'user_mentions': [{'id': 8126322, 'name': 'Joe R', 'screen_name': 'Randazzoj'}]}, {'created_at': 'Fri Dec 01 22:14:30 +0000 2017', 'hashtags': [{'text': 'ProudTeacher'}], 'id': 936720185389658112, 'id_str': '936720185389658112', 'lang': 'en', 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': 'Explaining our robotics and automation module from Project Lead The Way. These kids AMAZE me!!! #ProudTeacher… https://t.co/VTabQb2f1g', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936720185389658112', 'url': 'https://t.co/VTabQb2f1g'}], 'user': {'created_at': 'Sun Nov 30 07:02:09 +0000 2014', 'default_profile': true, 'favourites_count': 403, 'followers_count': 69, 'friends_count': 74, 'id': 2914482553, 'lang': 'en', 'name': 'Amanda Webber', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/2914482553/1456843900', 'profile_image_url': 'http://pbs.twimg.com/profile_images/538953689075953664/OJDuIyT1_normal.jpeg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'Amoonprincess83', 'statuses_count': 139}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:14:29 +0000 2017', 'hashtags': [], 'id': 936720182742999041, 'id_str': '936720182742999041', 'lang': 'en', 'source': '<a href="https://mobile.twitter.com" rel="nofollow">Mobile Web (M2)</a>', 'text': 'Flaws Found in Moxa Factory Automation Products | https://t.co/KVsumE0Uag https://t.co/wKeRUkwoia', 'urls': [{'expanded_url': 'http://SecurityWeek.Com', 'url': 'https://t.co/KVsumE0Uag'}, {'expanded_url': 'http://ref.gl/2DBQRRIe', 'url': 'https://t.co/wKeRUkwoia'}], 'user': {'created_at': 'Tue Jul 18 15:25:27 +0000 2017', 'default_profile': true, 'description': 'Bored at work? Check out all these cool facts and stories about corporate life in America.', 'followers_count': 802, 'friends_count': 767, 'id': 887332494961295361, 'lang': 'en', 'listed_count': 16, 'location': 'Dearborn, MI', 'name': 'Office Daze', 'profile_background_color': 'F5F8FA', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/887332494961295361/1500475239', 'profile_image_url': 'http://pbs.twimg.com/profile_images/887683622152663040/lO1gV_Xc_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'OfficeDazes', 'statuses_count': 27541}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:14:28 +0000 2017', 'hashtags': [], 'id': 936720178855010304, 'id_str': '936720178855010304', 'lang': 'de', 'source': '<a href="http://publicize.wp.com/" rel="nofollow">WordPress.com</a>', 'text': 'States see potential in intelligent automation, blockchain https://t.co/VpA3iBXicJ', 'urls': [{'expanded_url': 'http://todayforyou.org/?p=3809', 'url': 'https://t.co/VpA3iBXicJ'}], 'user': {'created_at': 'Sun Nov 27 00:48:29 +0000 2016', 'default_profile': true, 'description': 'I like it\n#3Dprint\n#machine\n#music\n#syntheticbiology\n#trends\n#VR\n#artificialintelligence\n#theater\n#cryptocurrency\n#art\n#hadronscollider\n#medtech\n#cinema\n#tech', 'followers_count': 4096, 'friends_count': 4747, 'id': 802675426292277248, 'lang': 'es', 'listed_count': 23, 'location': 'United States', 'name': 'americafruitco', 'profile_background_color': 'F5F8FA', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/802675426292277248/1480210064', 'profile_image_url': 'http://pbs.twimg.com/profile_images/802685193379155969/mjJdNbnf_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'americafruitco', 'statuses_count': 9224}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:14:27 +0000 2017', 'hashtags': [], 'id': 936720172370612224, 'id_str': '936720172370612224', 'lang': 'de', 'possibly_sensitive': true, 'source': '<a href="http://publicize.wp.com/" rel="nofollow">WordPress.com</a>', 'text': 'States see potential in intelligent automation, blockchain https://t.co/0ZVwJTVzpK', 'urls': [{'expanded_url': 'http://todayforyou.org/?p=3809', 'url': 'https://t.co/0ZVwJTVzpK'}], 'user': {'created_at': 'Fri May 06 21:46:18 +0000 2016', 'description': 'Hoy en #3Dprint\n#maquina\n#musica\n#inteligenciaartificial\n#criptomoneda\n#arte\n#colisionadordehadrones\n#teatro\n#cine\n#tecnología\n#Biologíasintética\n#tendencias', 'favourites_count': 4, 'followers_count': 11420, 'friends_count': 8772, 'id': 728702454548725760, 'lang': 'es', 'listed_count': 25, 'location': 'America', 'name': 'ganadineroamerica', 'profile_background_color': '000000', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_image_url': 'http://pbs.twimg.com/profile_images/928658915264552965/UYPtCdHX_normal.jpg', 'profile_link_color': '19CF86', 'profile_sidebar_fill_color': '000000', 'profile_text_color': '000000', 'screen_name': 'ganaeuroamerica', 'statuses_count': 23050, 'time_zone': 'Central America', 'utc_offset': -21600}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:14:25 +0000 2017', 'hashtags': [], 'id': 936720166439747584, 'id_str': '936720166439747584', 'lang': 'de', 'source': '<a href="http://publicize.wp.com/" rel="nofollow">WordPress.com</a>', 'text': 'States see potential in intelligent automation, blockchain https://t.co/5TzI76k3Rp', 'urls': [{'expanded_url': 'http://todayforyou.org/?p=3809', 'url': 'https://t.co/5TzI76k3Rp'}], 'user': {'created_at': 'Wed Apr 12 00:26:53 +0000 2017', 'default_profile': true, 'description': 'Today in #3Dprint\n#machine\n#music\n#artificialintelligence\n#theater\n#cryptocurrency\n#art\n#hadronscollider\n#medtech\n#technology\n#syntheticbiology\n#trends', 'favourites_count': 2, 'followers_count': 596, 'friends_count': 811, 'id': 851954741978554368, 'lang': 'en', 'listed_count': 6, 'location': 'Miami, FL', 'name': 'accesoriesmodern', 'profile_background_color': 'F5F8FA', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/851954741978554368/1492557565', 'profile_image_url': 'http://pbs.twimg.com/profile_images/854473991959879680/mnkMjmaE_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'accesoriesmoder', 'statuses_count': 5777, 'url': 'https://t.co/qhX9gEkpAc'}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:14:23 +0000 2017', 'hashtags': [], 'id': 936720155467550720, 'id_str': '936720155467550720', 'lang': 'de', 'possibly_sensitive': true, 'source': '<a href="http://publicize.wp.com/" rel="nofollow">WordPress.com</a>', 'text': 'States see potential in intelligent automation, blockchain https://t.co/pbbIEe1pdm', 'urls': [{'expanded_url': 'http://todayforyou.org/?p=3809', 'url': 'https://t.co/pbbIEe1pdm'}], 'user': {'created_at': 'Sat Jul 09 16:08:42 +0000 2016', 'default_profile': true, 'description': 'today in #3Dprint\n#hadronscollider\n#medtech\n#cinema\n#technology\n#syntheticbiology\n#trends\n#VR\n#music\n#artificialintelligence\n#theater\n#cryptocurrency\n#art', 'favourites_count': 1, 'followers_count': 7690, 'friends_count': 6237, 'id': 751810315759693824, 'lang': 'es', 'listed_count': 22, 'location': 'america', 'name': 'americaearmoney', 'profile_background_color': 'F5F8FA', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/751810315759693824/1468094966', 'profile_image_url': 'http://pbs.twimg.com/profile_images/751890422306263040/M9bayHTx_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'americearnmoney', 'statuses_count': 14131, 'time_zone': 'Eastern Time (US & Canada)', 'utc_offset': -18000}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:14:06 +0000 2017', 'hashtags': [], 'id': 936720084915113984, 'id_str': '936720084915113984', 'lang': 'en', 'retweet_count': 3, 'retweeted_status': {'created_at': 'Fri Dec 01 21:52:46 +0000 2017', 'favorite_count': 3, 'hashtags': [], 'id': 936714715824345088, 'id_str': '936714715824345088', 'in_reply_to_screen_name': 'DOXAgr', 'in_reply_to_status_id': 936674813392941056, 'in_reply_to_user_id': 632714259, 'lang': 'en', 'retweet_count': 3, 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': '@DOXAgr @Ruby2211250220 @zarahlee91 @Socialfave @bordong2 @oda_f @MGWV1OO @TM1BLYWD @3d_works1 @chikara_lnoue… https://t.co/eG9z0ULrni', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936714715824345088', 'url': 'https://t.co/eG9z0ULrni'}], 'user': {'created_at': 'Wed Jan 15 13:23:55 +0000 2014', 'description': '\ud83c\uddf8️\ud83c\uddf4️\ud83c\udde8️\ud83c\uddee️\ud83c\udde6️\ud83c\uddf1️\ud83c\uddeb️\ud83c\udde6️\ud83c\uddfb️\ud83c\uddea️.\ud83c\uddf3️\ud83c\uddea️\ud83c\uddf9\nThe\ud83c\uddf5\ud83c\uddf1#Startup & the\ud83c\uddeb\ud83c\uddf7#Twitter #Tool\n#Brands #SMM #TM1SF #Poland #France @Socialfave\n\nhttps://t.co/WHG69pZ3MZ\nhttps://t.co/nccXATjdP7', 'favourites_count': 73751, 'followers_count': 43887, 'friends_count': 21928, 'id': 2292701738, 'lang': 'en', 'listed_count': 1342, 'location': 'Brest, France', 'name': 'GTAT\ud83c\uddf5\ud83c\uddf1Socialfave', 'profile_background_color': 'FFCC4D', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/556444122743988224/Da6AlBLB.png', 'profile_background_tile': true, 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/2292701738/1511944353', 'profile_image_url': 'http://pbs.twimg.com/profile_images/930024685798125569/WhRBsyQo_normal.jpg', 'profile_link_color': 'DD2E46', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'GTATidea', 'statuses_count': 131521, 'time_zone': 'Belgrade', 'url': 'https://t.co/kcUaYhF5Sf', 'utc_offset': 3600}, 'user_mentions': [{'id': 632714259, 'name': 'DOXA ( δόξα )', 'screen_name': 'DOXAgr'}, {'id': 3392791115, 'name': 'ѕσƒια \ud83c\udf39\ud83d\udc8b', 'screen_name': 'Ruby2211250220'}, {'id': 320977780, 'name': '#KnowYourRights', 'screen_name': 'zarahlee91'}, {'id': 3082932069, 'name': 'Social Fave', 'screen_name': 'Socialfave'}, {'id': 3293454098, 'name': 'GΣЯΛ #TeamUnidoS', 'screen_name': 'bordong2'}, {'id': 473316619, 'name': 'Fujio Oda\ud83d\udcab', 'screen_name': 'oda_f'}, {'id': 2279908795, 'name': '═☆M☆G☆W☆V☆═', 'screen_name': 'MGWV1OO'}, {'id': 885567953265143809, 'name': 'VIP1', 'screen_name': 'TM1BLYWD'}, {'id': 2913668454, 'name': 'Yasuo', 'screen_name': '3d_works1'}, {'id': 810122754120790017, 'name': 'Chikara_Inoue', 'screen_name': 'chikara_lnoue'}]}, 'source': '<a href="http://twitter.com/download/android" rel="nofollow">Twitter for Android</a>', 'text': 'RT @GTATidea: @DOXAgr @Ruby2211250220 @zarahlee91 @Socialfave @bordong2 @oda_f @MGWV1OO @TM1BLYWD @3d_works1 @chikara_lnoue @ken_f12 Smile…', 'urls': [], 'user': {'created_at': 'Fri Sep 07 12:54:52 +0000 2012', 'description': 'على باب الله', 'favourites_count': 101302, 'followers_count': 29381, 'friends_count': 17529, 'geo_enabled': true, 'id': 808821950, 'lang': 'en', 'listed_count': 456, 'name': 'عابر سبيل', 'profile_background_color': '89C9FA', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_image_url': 'http://pbs.twimg.com/profile_images/464725607834587136/rMPaz8nK_normal.jpeg', 'profile_link_color': '0084B4', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'ashrafrefaat8', 'statuses_count': 458647}, 'user_mentions': [{'id': 2292701738, 'name': 'GTAT\ud83c\uddf5\ud83c\uddf1Socialfave', 'screen_name': 'GTATidea'}, {'id': 632714259, 'name': 'DOXA ( δόξα )', 'screen_name': 'DOXAgr'}, {'id': 3392791115, 'name': 'ѕσƒια \ud83c\udf39\ud83d\udc8b', 'screen_name': 'Ruby2211250220'}, {'id': 320977780, 'name': '#KnowYourRights', 'screen_name': 'zarahlee91'}, {'id': 3082932069, 'name': 'Social Fave', 'screen_name': 'Socialfave'}, {'id': 3293454098, 'name': 'GΣЯΛ #TeamUnidoS', 'screen_name': 'bordong2'}, {'id': 473316619, 'name': 'Fujio Oda\ud83d\udcab', 'screen_name': 'oda_f'}, {'id': 2279908795, 'name': '═☆M☆G☆W☆V☆═', 'screen_name': 'MGWV1OO'}, {'id': 885567953265143809, 'name': 'VIP1', 'screen_name': 'TM1BLYWD'}, {'id': 2913668454, 'name': 'Yasuo', 'screen_name': '3d_works1'}, {'id': 810122754120790017, 'name': 'Chikara_Inoue', 'screen_name': 'chikara_lnoue'}, {'id': 1901923446, 'name': 'Ken', 'screen_name': 'ken_f12'}]}, {'created_at': 'Fri Dec 01 22:13:37 +0000 2017', 'favorite_count': 2, 'hashtags': [{'text': 'RoboTwity'}], 'id': 936719963703922688, 'id_str': '936719963703922688', 'lang': 'en', 'retweet_count': 1, 'source': '<a href="https://mobile.twitter.com" rel="nofollow">Twitter Lite</a>', 'text': 'nice and very helpful twitter automation tool!\n#RoboTwity\nhttps://t.co/y6LNnu8C9q', 'urls': [{'expanded_url': 'https://goo.gl/KyNqQl?91066', 'url': 'https://t.co/y6LNnu8C9q'}], 'user': {'created_at': 'Mon Aug 03 15:16:58 +0000 2009', 'description': 'Se hizo absolutamente necesaria e inevitable una intervención internacional humanitaria y su primera fase será militar Hay que destruir el narco estado', 'favourites_count': 886, 'followers_count': 290645, 'friends_count': 267079, 'id': 62537327, 'lang': 'es', 'listed_count': 874, 'location': 'Venezuela', 'name': 'Alberto Franceschi', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/288057702/512px-E8PetrieFull_svg.jpg', 'profile_background_tile': true, 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/62537327/1431033853', 'profile_image_url': 'http://pbs.twimg.com/profile_images/607930473545908224/hUf4RmNb_normal.jpg', 'profile_link_color': '0084B4', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'alFranceschi', 'statuses_count': 76789, 'time_zone': 'Eastern Time (US & Canada)', 'url': 'https://t.co/W4O9ajdgkk', 'utc_offset': -18000, 'verified': true}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:13:25 +0000 2017', 'hashtags': [], 'id': 936719913770782725, 'id_str': '936719913770782725', 'lang': 'en', 'source': '<a href="https://recurpost.com" rel="nofollow">Recycle Updates</a>', 'text': "Avoid Redundant Typing Using Keyboard Maestro's Quick Record and Playback Feature - Mac Automation Tips https://t.co/UZp19SgI7t", 'urls': [{'expanded_url': 'https://www.macautomationtips.com/avoid-redundant-typing-using-keyboard-maestros-quick-record-and-playback-feature/', 'url': 'https://t.co/UZp19SgI7t'}], 'user': {'created_at': 'Mon Dec 12 23:38:39 +0000 2011', 'default_profile': true, 'description': 'Mac automation strategies and tips. Get my free guide 8 Tips for Automating Your Morning Routine on Your Mac: https://t.co/D6KRPPBP0h', 'favourites_count': 1248, 'followers_count': 4686, 'friends_count': 2535, 'id': 435349684, 'lang': 'en', 'listed_count': 185, 'name': 'Automate Your Mac', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/435349684/1463601095', 'profile_image_url': 'http://pbs.twimg.com/profile_images/843964268261212162/KPVHntyO_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'macautotips', 'statuses_count': 7409, 'time_zone': 'Pacific Time (US & Canada)', 'url': 'https://t.co/tvnoBVsWHh', 'utc_offset': -28800}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:13:14 +0000 2017', 'hashtags': [{'text': 'blockchain'}], 'id': 936719867625066497, 'id_str': '936719867625066497', 'lang': 'de', 'source': '<a href="https://ifttt.com" rel="nofollow">IFTTT</a>', 'text': 'States see potential in intelligent automation, blockchain https://t.co/9MYHPiMULC #blockchain', 'urls': [{'expanded_url': 'http://bit.ly/2nk6ZIW', 'url': 'https://t.co/9MYHPiMULC'}], 'user': {'created_at': 'Wed Jun 09 05:35:20 +0000 2010', 'description': 'Natural born Analyst. Glitch hunter. Provides Website Audits and Due Diligence Assessment Reports.', 'favourites_count': 606, 'followers_count': 1352, 'friends_count': 896, 'id': 153686555, 'lang': 'en', 'listed_count': 267, 'location': 'Toronto, Ontario, Canada', 'name': 'BluePrint New Media', 'profile_background_color': '005D96', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/110196295/xba4972c68cc233832f9c0b6f55a639a.jpg', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/153686555/1468438442', 'profile_image_url': 'http://pbs.twimg.com/profile_images/726335357726265345/UUN3H9rD_normal.jpg', 'profile_link_color': '0A527C', 'profile_sidebar_fill_color': 'D6DDFF', 'profile_text_color': '005D96', 'screen_name': 'BlueprintNMedia', 'statuses_count': 72362, 'time_zone': 'Eastern Time (US & Canada)', 'url': 'https://t.co/FBE5ejjrpH', 'utc_offset': -18000}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:12:58 +0000 2017', 'hashtags': [], 'id': 936719800730095616, 'id_str': '936719800730095616', 'lang': 'en', 'source': '<a href="http://gaggleamp.com/twit/" rel="nofollow">GaggleAMP</a>', 'text': 'Companies that use subscription- or contract-based billing can anticipate additional work resulting from the ASC606… https://t.co/2DEkfbe7fp', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936719800730095616', 'url': 'https://t.co/2DEkfbe7fp'}], 'user': {'created_at': 'Thu Jan 08 18:36:53 +0000 2015', 'default_profile': true, 'description': '#OutsourcedAccounting services led by #CPAs using #SageIntacct #CloudAccounting for #SMB #Franchises #Restaurants #ProfessionalServices #WealthManagement', 'favourites_count': 182, 'followers_count': 71, 'friends_count': 113, 'id': 2967009841, 'lang': 'en', 'listed_count': 3, 'location': 'Toledo, Ohio', 'name': 'WVC RubixCloud', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/2967009841/1421348896', 'profile_image_url': 'http://pbs.twimg.com/profile_images/555802966091780096/9a3Ja6XA_normal.jpeg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'WVCRubixCloud', 'statuses_count': 221, 'url': 'https://t.co/BkImLG8m1v'}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:12:51 +0000 2017', 'hashtags': [], 'id': 936719771067912195, 'id_str': '936719771067912195', 'lang': 'en', 'retweet_count': 81, 'retweeted_status': {'created_at': 'Fri Dec 01 06:03:23 +0000 2017', 'favorite_count': 309, 'hashtags': [], 'id': 936475797648326656, 'id_str': '936475797648326656', 'lang': 'en', 'retweet_count': 81, 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': 'AlI gotta say is it’s a good thing we’re about to make billionaires invincible at the same time media companies con… https://t.co/QpaS84g3Ln', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936475797648326656', 'url': 'https://t.co/QpaS84g3Ln'}], 'user': {'created_at': 'Sat Aug 11 16:36:14 +0000 2007', 'description': 'writer at midnight / adult swim / the onion / the art of the deal: the movie / the fake news with ted nelms', 'favourites_count': 28232, 'followers_count': 29085, 'friends_count': 1277, 'geo_enabled': true, 'id': 8126322, 'lang': 'en', 'listed_count': 1005, 'location': 'los angeles ', 'name': 'Joe R', 'profile_background_color': '1A1B1F', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme9/bg.gif', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/8126322/1482126803', 'profile_image_url': 'http://pbs.twimg.com/profile_images/815651058370236416/ujwY9QXT_normal.jpg', 'profile_link_color': '2FC2EF', 'profile_sidebar_fill_color': '252429', 'profile_text_color': '666666', 'screen_name': 'Randazzoj', 'statuses_count': 63057, 'time_zone': 'Pacific Time (US & Canada)', 'url': 'https://t.co/t934FoJ5b5', 'utc_offset': -28800, 'verified': true}, 'user_mentions': []}, 'source': '<a href="http://twitter.com/download/android" rel="nofollow">Twitter for Android</a>', 'text': 'RT @Randazzoj: AlI gotta say is it’s a good thing we’re about to make billionaires invincible at the same time media companies consolidate…', 'urls': [], 'user': {'created_at': 'Sat Mar 09 06:50:20 +0000 2013', 'default_profile': true, 'description': 'HANDS UP WHO WANTS TO DIE\n#normal', 'favourites_count': 24536, 'followers_count': 5553, 'friends_count': 1078, 'geo_enabled': true, 'id': 1253620178, 'lang': 'en', 'listed_count': 105, 'location': 'South Florida, USA', 'name': "Eyes Wide Baby Jesus' Butt ☭", 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/1253620178/1508543520', 'profile_image_url': 'http://pbs.twimg.com/profile_images/925845053523755008/vnLODgGb_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'eyeswidebutt', 'statuses_count': 13923, 'url': 'https://t.co/zGJ4T9rCnp'}, 'user_mentions': [{'id': 8126322, 'name': 'Joe R', 'screen_name': 'Randazzoj'}]}, {'created_at': 'Fri Dec 01 22:12:50 +0000 2017', 'hashtags': [], 'id': 936719766378766338, 'id_str': '936719766378766338', 'lang': 'en', 'media': [{'display_url': 'pic.twitter.com/y77O23ipkm', 'expanded_url': 'https://twitter.com/jacob_lane2015/status/936202949520478208/photo/1', 'id': 936202947045875712, 'media_url': 'http://pbs.twimg.com/media/DP4PnsBX4AA4Nr1.jpg', 'media_url_https': 'https://pbs.twimg.com/media/DP4PnsBX4AA4Nr1.jpg', 'sizes': {'large': {'h': 323, 'resize': 'fit', 'w': 600}, 'medium': {'h': 323, 'resize': 'fit', 'w': 600}, 'small': {'h': 323, 'resize': 'fit', 'w': 600}, 'thumb': {'h': 150, 'resize': 'crop', 'w': 150}}, 'type': 'photo', 'url': 'https://t.co/y77O23ipkm'}], 'retweet_count': 1, 'retweeted_status': {'created_at': 'Thu Nov 30 11:59:11 +0000 2017', 'favorite_count': 1, 'hashtags': [], 'id': 936202949520478208, 'id_str': '936202949520478208', 'lang': 'en', 'media': [{'display_url': 'pic.twitter.com/y77O23ipkm', 'expanded_url': 'https://twitter.com/jacob_lane2015/status/936202949520478208/photo/1', 'id': 936202947045875712, 'media_url': 'http://pbs.twimg.com/media/DP4PnsBX4AA4Nr1.jpg', 'media_url_https': 'https://pbs.twimg.com/media/DP4PnsBX4AA4Nr1.jpg', 'sizes': {'large': {'h': 323, 'resize': 'fit', 'w': 600}, 'medium': {'h': 323, 'resize': 'fit', 'w': 600}, 'small': {'h': 323, 'resize': 'fit', 'w': 600}, 'thumb': {'h': 150, 'resize': 'crop', 'w': 150}}, 'type': 'photo', 'url': 'https://t.co/y77O23ipkm'}], 'retweet_count': 1, 'source': '<a href="https://ifttt.com" rel="nofollow">IFTTT</a>', 'text': 'Top Reasons That Make Automation Testing Business-Critical https://t.co/y77O23ipkm', 'urls': [], 'user': {'created_at': 'Wed Jul 22 06:17:41 +0000 2015', 'default_profile': true, 'description': 'General Manager #QA', 'favourites_count': 14, 'followers_count': 296, 'friends_count': 889, 'id': 3386918242, 'lang': 'en', 'listed_count': 29, 'location': 'Irving, TX', 'name': 'Jacob Lane', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/3386918242/1469018723', 'profile_image_url': 'http://pbs.twimg.com/profile_images/755742756174172160/BEBHxVBq_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'jacob_lane2015', 'statuses_count': 1374, 'time_zone': 'Central Time (US & Canada)', 'url': 'https://t.co/PN6qa45e2F', 'utc_offset': -21600}, 'user_mentions': []}, 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': 'RT @jacob_lane2015: Top Reasons That Make Automation Testing Business-Critical https://t.co/y77O23ipkm', 'urls': [], 'user': {'created_at': 'Fri Aug 28 13:25:51 +0000 2009', 'default_profile': true, 'description': 'Software quality advocate, Pittsburgh Steeler fan, beer lover, dry martini (with blue cheese stuffed olives) lover, Phi Kappa Psi brother for life', 'favourites_count': 789, 'followers_count': 213, 'friends_count': 340, 'geo_enabled': true, 'id': 69586716, 'lang': 'en', 'listed_count': 21, 'location': 'Columbus, OH', 'name': 'Matthew Eakin', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/69586716/1386536371', 'profile_image_url': 'http://pbs.twimg.com/profile_images/378800000838130573/45915636e70601a0ce90dc2a745ea76e_normal.png', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'MatthewEakin', 'statuses_count': 679, 'url': 'http://t.co/nSH46cJhKt'}, 'user_mentions': [{'id': 3386918242, 'name': 'Jacob Lane', 'screen_name': 'jacob_lane2015'}]}, {'created_at': 'Fri Dec 01 22:12:46 +0000 2017', 'hashtags': [], 'id': 936719748204761089, 'id_str': '936719748204761089', 'lang': 'en', 'retweet_count': 2, 'retweeted_status': {'created_at': 'Thu Nov 30 10:32:18 +0000 2017', 'hashtags': [], 'id': 936181082877292544, 'id_str': '936181082877292544', 'lang': 'en', 'retweet_count': 2, 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': 'One-third of US workers could be jobless by 2030 due to automation https://t.co/8Nslj09eSz', 'urls': [{'expanded_url': 'https://www.cnbc.com/2017/11/29/one-third-of-us-workers-could-be-jobless-by-2030-due-to-automation.html', 'url': 'https://t.co/8Nslj09eSz'}], 'user': {'created_at': 'Tue Sep 06 18:16:28 +0000 2011', 'default_profile': true, 'default_profile_image': true, 'description': 'Boosbazaar', 'favourites_count': 71, 'followers_count': 835, 'friends_count': 811, 'id': 369066966, 'lang': 'en', 'listed_count': 25, 'location': 'Support@boosbazaar.com', 'name': 'Boosbazaar .Com', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_image_url': 'http://abs.twimg.com/sticky/default_profile_images/default_profile_normal.png', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'boosbazaar', 'statuses_count': 582, 'time_zone': 'Central Time (US & Canada)', 'url': 'http://t.co/0nMtEcYq0g', 'utc_offset': -21600}, 'user_mentions': []}, 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': 'RT @boosbazaar: One-third of US workers could be jobless by 2030 due to automation https://t.co/8Nslj09eSz', 'urls': [{'expanded_url': 'https://www.cnbc.com/2017/11/29/one-third-of-us-workers-could-be-jobless-by-2030-due-to-automation.html', 'url': 'https://t.co/8Nslj09eSz'}], 'user': {'created_at': 'Tue Sep 06 18:16:28 +0000 2011', 'default_profile': true, 'default_profile_image': true, 'description': 'Boosbazaar', 'favourites_count': 71, 'followers_count': 835, 'friends_count': 811, 'id': 369066966, 'lang': 'en', 'listed_count': 25, 'location': 'Support@boosbazaar.com', 'name': 'Boosbazaar .Com', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_image_url': 'http://abs.twimg.com/sticky/default_profile_images/default_profile_normal.png', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'boosbazaar', 'statuses_count': 582, 'time_zone': 'Central Time (US & Canada)', 'url': 'http://t.co/0nMtEcYq0g', 'utc_offset': -21600}, 'user_mentions': [{'id': 369066966, 'name': 'Boosbazaar .Com', 'screen_name': 'boosbazaar'}]}, {'created_at': 'Fri Dec 01 22:12:20 +0000 2017', 'hashtags': [{'text': 'devops'}, {'text': 'CommonSense'}], 'id': 936719639266111488, 'id_str': '936719639266111488', 'lang': 'en', 'source': '<a href="http://twitter.com/download/android" rel="nofollow">Twitter for Android</a>', 'text': 'If you automate your standard changes your governance is in the automation. This develops a culture of trust. #devops #CommonSense', 'urls': [], 'user': {'created_at': 'Wed Dec 24 10:11:28 +0000 2008', 'description': 'Phil Hendren. Evertonian, engineer, polemicist. Doing DevOps stuff since 2006 before it had a name. https://t.co/klEvgNIObh', 'favourites_count': 876, 'followers_count': 4687, 'friends_count': 920, 'id': 18355024, 'lang': 'en', 'listed_count': 246, 'location': 'The Shires', 'name': '(╯°□°)╯︵ ┻━┻)', 'profile_background_color': '547687', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/46942735/source.jpg', 'profile_background_tile': true, 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/18355024/1398411332', 'profile_image_url': 'http://pbs.twimg.com/profile_images/611076010847641600/DXGDC9vx_normal.jpg', 'profile_link_color': '5B82C6', 'profile_sidebar_fill_color': 'FFFFFF', 'profile_text_color': '030303', 'screen_name': 'dizzy_thinks', 'statuses_count': 22005, 'time_zone': 'Europe/London', 'url': 'https://t.co/4SdRj8oVEr'}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:12:05 +0000 2017', 'hashtags': [{'text': 'tech'}], 'id': 936719576133439495, 'id_str': '936719576133439495', 'lang': 'en', 'retweet_count': 3, 'retweeted_status': {'created_at': 'Wed Nov 29 15:20:01 +0000 2017', 'favorite_count': 1, 'hashtags': [{'text': 'tech'}], 'id': 935891100501446658, 'id_str': '935891100501446658', 'lang': 'en', 'retweet_count': 3, 'source': '<a href="http://bufferapp.com" rel="nofollow">Buffer</a>', 'text': 'Latest #tech predictions from the analysts at @forrester: Automation will eliminate 9% of US jobs in 2018, but will… https://t.co/3ASaQDS2q9', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/935891100501446658', 'url': 'https://t.co/3ASaQDS2q9'}], 'user': {'created_at': 'Mon Jul 13 08:42:45 +0000 2009', 'description': 'Native New Yorker. Loves everything IT-related (& hugs). Passionate blogger & social media addict.', 'favourites_count': 1303, 'followers_count': 3728, 'friends_count': 166, 'id': 56324991, 'lang': 'en', 'listed_count': 223, 'name': 'Joe The IT Guy', 'profile_background_color': '7FDFF0', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/465884522194538496/WinZ-cQC.jpeg', 'profile_background_tile': true, 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/56324991/1511865266', 'profile_image_url': 'http://pbs.twimg.com/profile_images/854687041002627072/x-YCzgVF_normal.jpg', 'profile_link_color': '0084B4', 'profile_sidebar_fill_color': 'DDFFCC', 'profile_text_color': '333333', 'screen_name': 'Joe_the_IT_guy', 'statuses_count': 11489, 'time_zone': 'London', 'url': 'https://t.co/lyI8AUzrTC'}, 'user_mentions': [{'id': 7712452, 'name': 'Forrester', 'screen_name': 'forrester'}]}, 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': 'RT @Joe_the_IT_guy: Latest #tech predictions from the analysts at @forrester: Automation will eliminate 9% of US jobs in 2018, but will cre…', 'urls': [], 'user': {'created_at': 'Wed Feb 19 12:51:08 +0000 2014', 'default_profile': true, 'description': 'Sales & Marketing Support Director Unisys North America : Open server and Fabric Based Infrastructure technologies', 'favourites_count': 2, 'followers_count': 28, 'friends_count': 7, 'id': 2351648521, 'lang': 'en', 'listed_count': 68, 'location': 'Blue Bell, PA', 'name': 'Michael Heifner', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/2351648521/1509125035', 'profile_image_url': 'http://pbs.twimg.com/profile_images/649682764556464128/__U7A3mS_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'MRHeifner', 'statuses_count': 1178, 'url': 'http://t.co/NzABxvMBuq'}, 'user_mentions': [{'id': 56324991, 'name': 'Joe The IT Guy', 'screen_name': 'Joe_the_IT_guy'}, {'id': 7712452, 'name': 'Forrester', 'screen_name': 'forrester'}]}, {'created_at': 'Fri Dec 01 22:12:01 +0000 2017', 'hashtags': [], 'id': 936719561310826497, 'id_str': '936719561310826497', 'lang': 'en', 'retweet_count': 123, 'retweeted_status': {'created_at': 'Thu Nov 30 23:33:48 +0000 2017', 'favorite_count': 224, 'hashtags': [], 'id': 936377755079290880, 'id_str': '936377755079290880', 'lang': 'en', 'place': {'attributes': {}, 'bounding_box': {'coordinates': [[[120.175705, 22.475809], [121.048993, 22.475809], [121.048993, 23.471773], [120.175705, 23.471773]]], 'type': 'Polygon'}, 'contained_within': [], 'country': 'Taiwan', 'country_code': 'TW', 'full_name': 'Kaohsiung City, Taiwan', 'id': '00dcc81a0ec32f15', 'name': 'Kaohsiung City', 'place_type': 'city', 'url': 'https://api.twitter.com/1.1/geo/id/00dcc81a0ec32f15.json'}, 'retweet_count': 123, 'source': '<a href="http://twitter.com/download/android" rel="nofollow">Twitter for Android</a>', 'text': 'Want to know what will eliminate even more jobs than robots or artificial intelligence?\n\nClimate change. An extinct… https://t.co/SAA3VypNdy', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936377755079290880', 'url': 'https://t.co/SAA3VypNdy'}], 'user': {'created_at': 'Thu Apr 03 23:37:19 +0000 2008', 'description': '#Basicincome advocate with a basic income via @Patreon; Writer: @Futurism, @HuffPost, @wef, @TechCrunch, @Voxdotcom, @BostonGlobe, @Politico; /r/BasicIncome mod', 'favourites_count': 351384, 'followers_count': 65744, 'friends_count': 69690, 'geo_enabled': true, 'id': 14297863, 'lang': 'en', 'listed_count': 1514, 'location': 'New Orleans, LA', 'name': 'Scott Santens', 'profile_background_color': '1A1B1F', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/7346185/tile_render.png', 'profile_background_tile': true, 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/14297863/1431364367', 'profile_image_url': 'http://pbs.twimg.com/profile_images/879815016270110721/W_ROISyB_normal.png', 'profile_link_color': '020994', 'profile_sidebar_fill_color': '252429', 'profile_text_color': '666666', 'screen_name': 'scottsantens', 'statuses_count': 56729, 'time_zone': 'Central Time (US & Canada)', 'url': 'https://t.co/yaiXsszB6V', 'utc_offset': -21600, 'verified': true}, 'user_mentions': []}, 'source': '<a href="http://twitter.com/download/android" rel="nofollow">Twitter for Android</a>', 'text': 'RT @scottsantens: Want to know what will eliminate even more jobs than robots or artificial intelligence?\n\nClimate change. An extinct civil…', 'urls': [], 'user': {'created_at': 'Sat Nov 05 04:48:12 +0000 2011', 'description': 'HEREDITARY BORN CANADIAN CITIZEN,PAGAN,PRACTICE:DRUIDRY-LIVE/LOVE/LEARN/RESPECT/CHOOSE!', 'favourites_count': 8336, 'followers_count': 1083, 'friends_count': 2255, 'geo_enabled': true, 'id': 405323546, 'lang': 'en', 'listed_count': 31, 'location': 'HAMILTON,ON.CA.', 'name': 'terry asher', 'profile_background_color': 'FFF04D', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/358598222/000d001u-y8.jpg', 'profile_image_url': 'http://pbs.twimg.com/profile_images/1623227046/8001055cdr4_normal.jpg', 'profile_link_color': '0099CC', 'profile_sidebar_fill_color': 'F6FFD1', 'profile_text_color': '333333', 'screen_name': 'terash59', 'statuses_count': 9730}, 'user_mentions': [{'id': 14297863, 'name': 'Scott Santens', 'screen_name': 'scottsantens'}]}, {'created_at': 'Fri Dec 01 22:11:57 +0000 2017', 'hashtags': [], 'id': 936719542830514176, 'id_str': '936719542830514176', 'lang': 'en', 'retweet_count': 1, 'retweeted_status': {'created_at': 'Fri Dec 01 22:05:08 +0000 2017', 'favorite_count': 1, 'hashtags': [], 'id': 936717829478453249, 'id_str': '936717829478453249', 'in_reply_to_screen_name': 'makinoshinichi7', 'in_reply_to_status_id': 927521650593087488, 'in_reply_to_user_id': 735466682206978048, 'lang': 'en', 'retweet_count': 1, 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': '@makinoshinichi7 @MGWVc @cynthia_lardner @NOWIAMME @shyoshid @ShiCooks @oda_f @kiyotaka_1991 @Masao__Tanaka… https://t.co/2YlpPhrvDw', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936717829478453249', 'url': 'https://t.co/2YlpPhrvDw'}], 'user': {'created_at': 'Wed Jan 15 13:23:55 +0000 2014', 'description': '\ud83c\uddf8️\ud83c\uddf4️\ud83c\udde8️\ud83c\uddee️\ud83c\udde6️\ud83c\uddf1️\ud83c\uddeb️\ud83c\udde6️\ud83c\uddfb️\ud83c\uddea️.\ud83c\uddf3️\ud83c\uddea️\ud83c\uddf9\nThe\ud83c\uddf5\ud83c\uddf1#Startup & the\ud83c\uddeb\ud83c\uddf7#Twitter #Tool\n#Brands #SMM #TM1SF #Poland #France @Socialfave\n\nhttps://t.co/WHG69pZ3MZ\nhttps://t.co/nccXATjdP7', 'favourites_count': 73751, 'followers_count': 43887, 'friends_count': 21928, 'id': 2292701738, 'lang': 'en', 'listed_count': 1342, 'location': 'Brest, France', 'name': 'GTAT\ud83c\uddf5\ud83c\uddf1Socialfave', 'profile_background_color': 'FFCC4D', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/556444122743988224/Da6AlBLB.png', 'profile_background_tile': true, 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/2292701738/1511944353', 'profile_image_url': 'http://pbs.twimg.com/profile_images/930024685798125569/WhRBsyQo_normal.jpg', 'profile_link_color': 'DD2E46', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'GTATidea', 'statuses_count': 131521, 'time_zone': 'Belgrade', 'url': 'https://t.co/kcUaYhF5Sf', 'utc_offset': 3600}, 'user_mentions': [{'id': 735466682206978048, 'name': '牧野 伸一', 'screen_name': 'makinoshinichi7'}, {'id': 2684360065, 'name': 'داعم #الجيش_السلماني', 'screen_name': 'MGWVc'}, {'id': 745190971105771520, 'name': 'ᑕƳᑎTHƖᗩ ᒪᗩᖇᗪᑎEᖇ', 'screen_name': 'cynthia_lardner'}, {'id': 756956939746172928, 'name': 'Stasia Kozielska', 'screen_name': 'NOWIAMME'}, {'id': 37916737, 'name': '吉田茂', 'screen_name': 'shyoshid'}, {'id': 16476911, 'name': 'Shi', 'screen_name': 'ShiCooks'}, {'id': 473316619, 'name': 'Fujio Oda\ud83d\udcab', 'screen_name': 'oda_f'}, {'id': 4731662750, 'name': 'Kiyotaka Taniguchi', 'screen_name': 'kiyotaka_1991'}, {'id': 766210476380397568, 'name': '田中\u3000正雄', 'screen_name': 'Masao__Tanaka'}]}, 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': 'RT @GTATidea: @makinoshinichi7 @MGWVc @cynthia_lardner @NOWIAMME @shyoshid @ShiCooks @oda_f @kiyotaka_1991 @Masao__Tanaka @kiyokawatomomi @…', 'urls': [], 'user': {'created_at': 'Sun Dec 04 06:22:02 +0000 2016', 'default_profile': true, 'description': 'https://t.co/GvC4KTRwqP\nhttps://t.co/lOo8xxjNBq', 'favourites_count': 52764, 'followers_count': 3334, 'friends_count': 3260, 'id': 805296084356476928, 'lang': 'ja', 'listed_count': 8, 'location': 'Kanagawa Japan', 'name': 'Shinya Yamada', 'profile_background_color': 'F5F8FA', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/805296084356476928/1498921814', 'profile_image_url': 'http://pbs.twimg.com/profile_images/879128200437055489/MZq_nHAa_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'Yamashin_76', 'statuses_count': 53231}, 'user_mentions': [{'id': 2292701738, 'name': 'GTAT\ud83c\uddf5\ud83c\uddf1Socialfave', 'screen_name': 'GTATidea'}, {'id': 735466682206978048, 'name': '牧野 伸一', 'screen_name': 'makinoshinichi7'}, {'id': 2684360065, 'name': 'داعم #الجيش_السلماني', 'screen_name': 'MGWVc'}, {'id': 745190971105771520, 'name': 'ᑕƳᑎTHƖᗩ ᒪᗩᖇᗪᑎEᖇ', 'screen_name': 'cynthia_lardner'}, {'id': 756956939746172928, 'name': 'Stasia Kozielska', 'screen_name': 'NOWIAMME'}, {'id': 37916737, 'name': '吉田茂', 'screen_name': 'shyoshid'}, {'id': 16476911, 'name': 'Shi', 'screen_name': 'ShiCooks'}, {'id': 473316619, 'name': 'Fujio Oda\ud83d\udcab', 'screen_name': 'oda_f'}, {'id': 4731662750, 'name': 'Kiyotaka Taniguchi', 'screen_name': 'kiyotaka_1991'}, {'id': 766210476380397568, 'name': '田中\u3000正雄', 'screen_name': 'Masao__Tanaka'}, {'id': 3138523710, 'name': '清川朋美', 'screen_name': 'kiyokawatomomi'}]}, {'created_at': 'Fri Dec 01 22:11:47 +0000 2017', 'hashtags': [], 'id': 936719502749962240, 'id_str': '936719502749962240', 'lang': 'en', 'retweet_count': 81, 'retweeted_status': {'created_at': 'Fri Dec 01 06:03:23 +0000 2017', 'favorite_count': 309, 'hashtags': [], 'id': 936475797648326656, 'id_str': '936475797648326656', 'lang': 'en', 'retweet_count': 81, 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': 'AlI gotta say is it’s a good thing we’re about to make billionaires invincible at the same time media companies con… https://t.co/QpaS84g3Ln', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936475797648326656', 'url': 'https://t.co/QpaS84g3Ln'}], 'user': {'created_at': 'Sat Aug 11 16:36:14 +0000 2007', 'description': 'writer at midnight / adult swim / the onion / the art of the deal: the movie / the fake news with ted nelms', 'favourites_count': 28232, 'followers_count': 29085, 'friends_count': 1277, 'geo_enabled': true, 'id': 8126322, 'lang': 'en', 'listed_count': 1005, 'location': 'los angeles ', 'name': 'Joe R', 'profile_background_color': '1A1B1F', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme9/bg.gif', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/8126322/1482126803', 'profile_image_url': 'http://pbs.twimg.com/profile_images/815651058370236416/ujwY9QXT_normal.jpg', 'profile_link_color': '2FC2EF', 'profile_sidebar_fill_color': '252429', 'profile_text_color': '666666', 'screen_name': 'Randazzoj', 'statuses_count': 63057, 'time_zone': 'Pacific Time (US & Canada)', 'url': 'https://t.co/t934FoJ5b5', 'utc_offset': -28800, 'verified': true}, 'user_mentions': []}, 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': 'RT @Randazzoj: AlI gotta say is it’s a good thing we’re about to make billionaires invincible at the same time media companies consolidate…', 'urls': [], 'user': {'created_at': 'Fri Sep 17 12:17:04 +0000 2010', 'description': 'aspiring dirtbag', 'favourites_count': 42560, 'followers_count': 694, 'friends_count': 1773, 'id': 191809061, 'lang': 'en', 'listed_count': 12, 'location': 'Virginia, USA', 'name': 'dave\ud83c\udf39', 'profile_background_color': '1A1B1F', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/636218773926600704/EepmDX_j.jpg', 'profile_background_tile': true, 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/191809061/1426184068', 'profile_image_url': 'http://pbs.twimg.com/profile_images/925743319388475392/Oe9WHhm5_normal.jpg', 'profile_link_color': 'E81C4F', 'profile_sidebar_fill_color': '252429', 'profile_text_color': '666666', 'screen_name': 'BernieWouldHave', 'statuses_count': 6788, 'time_zone': 'Eastern Time (US & Canada)', 'url': 'https://t.co/xu6mA7upIY', 'utc_offset': -18000}, 'user_mentions': [{'id': 8126322, 'name': 'Joe R', 'screen_name': 'Randazzoj'}]}, {'created_at': 'Fri Dec 01 22:11:47 +0000 2017', 'hashtags': [], 'id': 936719501999079424, 'id_str': '936719501999079424', 'lang': 'en', 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': 'Data to share in Twitter is: 12/1/2017 10:11:15 PM', 'urls': [], 'user': {'created_at': 'Sun Jul 30 07:08:31 +0000 2017', 'default_profile': true, 'default_profile_image': true, 'followers_count': 1, 'id': 891556090722353152, 'lang': 'he', 'name': 'automation_pbUS', 'profile_background_color': 'F5F8FA', 'profile_image_url': 'http://abs.twimg.com/sticky/default_profile_images/default_profile_normal.png', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'automation_pbUS', 'statuses_count': 896}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:11:14 +0000 2017', 'hashtags': [], 'id': 936719365000413184, 'id_str': '936719365000413184', 'lang': 'en', 'retweet_count': 3, 'retweeted_status': {'created_at': 'Fri Dec 01 21:58:17 +0000 2017', 'favorite_count': 8, 'hashtags': [], 'id': 936716104797425664, 'id_str': '936716104797425664', 'in_reply_to_screen_name': 'NOWIAMME', 'in_reply_to_status_id': 936643686519246848, 'in_reply_to_user_id': 756956939746172928, 'lang': 'en', 'retweet_count': 3, 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': '@NOWIAMME @sprague_paul @wanderingstarz1 @kiyotaka_1991 @MarshaCollier @cynthia_lardner @shyoshid @makinoshinichi7… https://t.co/LIa3ZRk3Gy', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936716104797425664', 'url': 'https://t.co/LIa3ZRk3Gy'}], 'user': {'created_at': 'Wed Jan 15 13:23:55 +0000 2014', 'description': '\ud83c\uddf8️\ud83c\uddf4️\ud83c\udde8️\ud83c\uddee️\ud83c\udde6️\ud83c\uddf1️\ud83c\uddeb️\ud83c\udde6️\ud83c\uddfb️\ud83c\uddea️.\ud83c\uddf3️\ud83c\uddea️\ud83c\uddf9\nThe\ud83c\uddf5\ud83c\uddf1#Startup & the\ud83c\uddeb\ud83c\uddf7#Twitter #Tool\n#Brands #SMM #TM1SF #Poland #France @Socialfave\n\nhttps://t.co/WHG69pZ3MZ\nhttps://t.co/nccXATjdP7', 'favourites_count': 73751, 'followers_count': 43887, 'friends_count': 21928, 'id': 2292701738, 'lang': 'en', 'listed_count': 1342, 'location': 'Brest, France', 'name': 'GTAT\ud83c\uddf5\ud83c\uddf1Socialfave', 'profile_background_color': 'FFCC4D', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/556444122743988224/Da6AlBLB.png', 'profile_background_tile': true, 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/2292701738/1511944353', 'profile_image_url': 'http://pbs.twimg.com/profile_images/930024685798125569/WhRBsyQo_normal.jpg', 'profile_link_color': 'DD2E46', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'GTATidea', 'statuses_count': 131521, 'time_zone': 'Belgrade', 'url': 'https://t.co/kcUaYhF5Sf', 'utc_offset': 3600}, 'user_mentions': [{'id': 756956939746172928, 'name': 'Stasia Kozielska', 'screen_name': 'NOWIAMME'}, {'id': 2221540592, 'name': 'Paul Sprague', 'screen_name': 'sprague_paul'}, {'id': 31281605, 'name': 'Vincent Steele', 'screen_name': 'wanderingstarz1'}, {'id': 4731662750, 'name': 'Kiyotaka Taniguchi', 'screen_name': 'kiyotaka_1991'}, {'id': 14262772, 'name': 'Marsha Collier', 'screen_name': 'MarshaCollier'}, {'id': 745190971105771520, 'name': 'ᑕƳᑎTHƖᗩ ᒪᗩᖇᗪᑎEᖇ', 'screen_name': 'cynthia_lardner'}, {'id': 37916737, 'name': '吉田茂', 'screen_name': 'shyoshid'}, {'id': 735466682206978048, 'name': '牧野 伸一', 'screen_name': 'makinoshinichi7'}]}, 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': 'RT @GTATidea: @NOWIAMME @sprague_paul @wanderingstarz1 @kiyotaka_1991 @MarshaCollier @cynthia_lardner @shyoshid @makinoshinichi7 @oda_f @sr…', 'urls': [], 'user': {'created_at': 'Sun Dec 04 06:22:02 +0000 2016', 'default_profile': true, 'description': 'https://t.co/GvC4KTRwqP\nhttps://t.co/lOo8xxjNBq', 'favourites_count': 52764, 'followers_count': 3334, 'friends_count': 3260, 'id': 805296084356476928, 'lang': 'ja', 'listed_count': 8, 'location': 'Kanagawa Japan', 'name': 'Shinya Yamada', 'profile_background_color': 'F5F8FA', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/805296084356476928/1498921814', 'profile_image_url': 'http://pbs.twimg.com/profile_images/879128200437055489/MZq_nHAa_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'Yamashin_76', 'statuses_count': 53231}, 'user_mentions': [{'id': 2292701738, 'name': 'GTAT\ud83c\uddf5\ud83c\uddf1Socialfave', 'screen_name': 'GTATidea'}, {'id': 756956939746172928, 'name': 'Stasia Kozielska', 'screen_name': 'NOWIAMME'}, {'id': 2221540592, 'name': 'Paul Sprague', 'screen_name': 'sprague_paul'}, {'id': 31281605, 'name': 'Vincent Steele', 'screen_name': 'wanderingstarz1'}, {'id': 4731662750, 'name': 'Kiyotaka Taniguchi', 'screen_name': 'kiyotaka_1991'}, {'id': 14262772, 'name': 'Marsha Collier', 'screen_name': 'MarshaCollier'}, {'id': 745190971105771520, 'name': 'ᑕƳᑎTHƖᗩ ᒪᗩᖇᗪᑎEᖇ', 'screen_name': 'cynthia_lardner'}, {'id': 37916737, 'name': '吉田茂', 'screen_name': 'shyoshid'}, {'id': 735466682206978048, 'name': '牧野 伸一', 'screen_name': 'makinoshinichi7'}, {'id': 473316619, 'name': 'Fujio Oda\ud83d\udcab', 'screen_name': 'oda_f'}]}, {'created_at': 'Fri Dec 01 22:10:48 +0000 2017', 'hashtags': [{'text': 'Internacional'}], 'id': 936719254010974208, 'id_str': '936719254010974208', 'lang': 'en', 'retweet_count': 1, 'retweeted_status': {'created_at': 'Fri Dec 01 22:01:11 +0000 2017', 'hashtags': [{'text': 'Internacional'}], 'id': 936716833180266496, 'id_str': '936716833180266496', 'lang': 'en', 'retweet_count': 1, 'source': '<a href="http://www.hootsuite.com" rel="nofollow">Hootsuite</a>', 'text': '#Internacional How Cashews Explain Globalization - Cultivated in Brazil, exported by Portugal and commercialized by… https://t.co/DgV0Ji3E0a', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936716833180266496', 'url': 'https://t.co/DgV0Ji3E0a'}], 'user': {'created_at': 'Sat Jun 01 21:35:58 +0000 2013', 'default_profile': true, 'description': 'FUNDACION DE ESTUDIOS FINANCIEROS -FUNDEF A.C. Centro de Investigación independiente sobre el sector financiero que reside en @ITAM_mx', 'favourites_count': 44, 'followers_count': 44181, 'friends_count': 95, 'id': 1475717568, 'lang': 'es', 'listed_count': 96, 'location': 'México D.F.', 'name': 'FUNDEF', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/1475717568/1448063588', 'profile_image_url': 'http://pbs.twimg.com/profile_images/378800000256833331/02e44f37b48d0eadf9e68a44391e26bc_normal.jpeg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'FUNDEF', 'statuses_count': 75110, 'time_zone': 'Central Time (US & Canada)', 'url': 'http://t.co/KoO9nPZOq1', 'utc_offset': -21600}, 'user_mentions': []}, 'source': '<a href="http://twitter.com/download/android" rel="nofollow">Twitter for Android</a>', 'text': 'RT @FUNDEF: #Internacional How Cashews Explain Globalization - Cultivated in Brazil, exported by Portugal and commercialized by America, th…', 'urls': [], 'user': {'created_at': 'Tue Nov 15 11:11:33 +0000 2011', 'description': 'Bah! :\\', 'favourites_count': 1199, 'followers_count': 53, 'friends_count': 2262, 'id': 412997289, 'lang': 'en', 'listed_count': 9, 'location': 'Virginia', 'name': 'Jon Barnes', 'profile_background_color': '352726', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme5/bg.gif', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/412997289/1470752239', 'profile_image_url': 'http://pbs.twimg.com/profile_images/763016299983302656/MF-YrGFT_normal.jpg', 'profile_link_color': 'D02B55', 'profile_sidebar_fill_color': '99CC33', 'profile_text_color': '3E4415', 'screen_name': 'Slmpeo', 'statuses_count': 1514}, 'user_mentions': [{'id': 1475717568, 'name': 'FUNDEF', 'screen_name': 'FUNDEF'}]}, {'created_at': 'Fri Dec 01 22:10:47 +0000 2017', 'hashtags': [{'text': 'RPA'}], 'id': 936719252672974849, 'id_str': '936719252672974849', 'lang': 'en', 'source': '<a href="https://www.socialoomph.com" rel="nofollow">SocialOomph</a>', 'text': "Considering #RPA? @JamesWatsonJr cuts thru the industry hype about who's doing RPA & how it's working out for them. https://t.co/XgTXvlLPUT", 'urls': [{'expanded_url': 'http://bit.ly/2jytOHz', 'url': 'https://t.co/XgTXvlLPUT'}], 'user': {'created_at': 'Wed Jul 29 14:55:55 +0000 2009', 'description': 'Experts in Information Management', 'favourites_count': 20, 'followers_count': 1432, 'friends_count': 254, 'id': 61213028, 'lang': 'en', 'listed_count': 189, 'location': 'Chicago, IL', 'name': 'Doculabs', 'profile_background_color': '1A1B1F', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/26189019/twitter-background.png', 'profile_background_tile': true, 'profile_image_url': 'http://pbs.twimg.com/profile_images/684759122265411584/NPZf5gEJ_normal.jpg', 'profile_link_color': '406679', 'profile_sidebar_fill_color': 'FFFFFF', 'profile_text_color': '000000', 'screen_name': 'Doculabs', 'statuses_count': 7237, 'time_zone': 'Central Time (US & Canada)', 'url': 'http://t.co/5zqdGHDAQk', 'utc_offset': -21600}, 'user_mentions': [{'id': 138868880, 'name': 'James Watson Jr', 'screen_name': 'JamesWatsonJr'}]}, {'created_at': 'Fri Dec 01 22:10:38 +0000 2017', 'hashtags': [{'text': 'cybersecurity'}, {'text': 'automation'}, {'text': 'Security'}], 'id': 936719213296799744, 'id_str': '936719213296799744', 'lang': 'en', 'media': [{'display_url': 'pic.twitter.com/gUpql4sG1Q', 'expanded_url': 'https://twitter.com/MASERGY/status/936648661563510784/photo/1', 'id': 936648658820399105, 'media_url': 'http://pbs.twimg.com/media/DP-k_hxWAAEprJX.jpg', 'media_url_https': 'https://pbs.twimg.com/media/DP-k_hxWAAEprJX.jpg', 'sizes': {'large': {'h': 467, 'resize': 'fit', 'w': 700}, 'medium': {'h': 467, 'resize': 'fit', 'w': 700}, 'small': {'h': 454, 'resize': 'fit', 'w': 680}, 'thumb': {'h': 150, 'resize': 'crop', 'w': 150}}, 'type': 'photo', 'url': 'https://t.co/gUpql4sG1Q'}], 'source': '<a href="http://gaggleamp.com/twit/" rel="nofollow">GaggleAMP</a>', 'text': 'RT @MASERGY: The future of #cybersecurity part II: The need for #automation! https://t.co/pFal79rbmc #Security https://t.co/gUpql4sG1Q', 'urls': [{'expanded_url': 'http://gag.gl/RcW8Ga', 'url': 'https://t.co/pFal79rbmc'}], 'user': {'created_at': 'Thu Jun 16 20:35:53 +0000 2011', 'default_profile': true, 'default_profile_image': true, 'favourites_count': 4, 'followers_count': 17, 'friends_count': 7, 'id': 318649811, 'lang': 'en', 'listed_count': 98, 'name': 'Bill Hutchings', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_image_url': 'http://abs.twimg.com/sticky/default_profile_images/default_profile_normal.png', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'Runway36L', 'statuses_count': 2117, 'time_zone': 'Central Time (US & Canada)', 'utc_offset': -21600}, 'user_mentions': [{'id': 105949998, 'name': 'Masergy', 'screen_name': 'MASERGY'}]}, {'created_at': 'Fri Dec 01 22:10:29 +0000 2017', 'hashtags': [{'text': 'Excel'}, {'text': 'spreadsheets'}], 'id': 936719174285524994, 'id_str': '936719174285524994', 'lang': 'en', 'source': '<a href="http://www.hubspot.com/" rel="nofollow">HubSpot</a>', 'text': "#Excel is not for every task--but don't stop using #spreadsheets because of errors & broken connections. Automation… https://t.co/ZFn5Jy8jEd", 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936719174285524994', 'url': 'https://t.co/ZFn5Jy8jEd'}], 'user': {'created_at': 'Wed Sep 15 15:09:30 +0000 2010', 'description': 'Experts in spreadsheet accuracy & EUC self-governance. Gain error-free #spreadsheets & dramatically reduce #EUC risk with automation software. #RiskManagement', 'favourites_count': 2, 'followers_count': 153, 'friends_count': 215, 'id': 191075354, 'lang': 'en', 'listed_count': 1, 'location': 'Westford, MA', 'name': 'CIMCON Software', 'profile_background_color': '000000', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/191075354/1493643725', 'profile_image_url': 'http://pbs.twimg.com/profile_images/794177428893495296/3naG54SU_normal.jpg', 'profile_link_color': '1B95E0', 'profile_sidebar_fill_color': '000000', 'profile_text_color': '000000', 'screen_name': 'CIMCONSoftware', 'statuses_count': 282, 'time_zone': 'Eastern Time (US & Canada)', 'url': 'https://t.co/VTufSEYpZa', 'utc_offset': -18000}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:10:25 +0000 2017', 'hashtags': [], 'id': 936719158691147777, 'id_str': '936719158691147777', 'lang': 'lt', 'source': '<a href="https://freelance-ekr990011.c9users.io/" rel="nofollow">Rail Job Hub</a>', 'text': 'ruby rspec capybara: automation with ruby \rrspec\rcapybara https://t.co/GA2C3tY6Oq', 'urls': [{'expanded_url': 'https://goo.gl/pqZ8DF', 'url': 'https://t.co/GA2C3tY6Oq'}], 'user': {'created_at': 'Tue Apr 04 21:17:45 +0000 2017', 'default_profile': true, 'description': 'Aggregating Rails, Ruby, and Web Scrapping Jobs all in one site. Saving Rails developers time and effort.', 'favourites_count': 1, 'followers_count': 202, 'friends_count': 43, 'id': 849370429794004993, 'lang': 'en', 'listed_count': 7, 'name': 'Rails Job Hub', 'profile_background_color': 'F5F8FA', 'profile_image_url': 'http://pbs.twimg.com/profile_images/850807160279777280/QaSabvZj_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'RailsJobHub', 'statuses_count': 24619}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:10:12 +0000 2017', 'hashtags': [], 'id': 936719105624870914, 'id_str': '936719105624870914', 'lang': 'en', 'source': '<a href="http://www.hootsuite.com" rel="nofollow">Hootsuite</a>', 'text': "The whole country watches you and looks forward to your next move. It's time when the nation takes a cue from the p… https://t.co/XowjneYPnA", 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936719105624870914', 'url': 'https://t.co/XowjneYPnA'}], 'user': {'created_at': 'Thu Jan 19 15:09:04 +0000 2017', 'default_profile': true, 'description': 'Our mission is to make special events an everyday occasion through home automation. Everything IOT', 'favourites_count': 421, 'followers_count': 82, 'friends_count': 469, 'id': 822098556010004480, 'lang': 'en', 'location': 'Orlando, FL', 'name': 'Neocontrol Global', 'profile_background_color': 'F5F8FA', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/822098556010004480/1504108073', 'profile_image_url': 'http://pbs.twimg.com/profile_images/903253310844620800/nFobI6hz_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'Neocontrol_US', 'statuses_count': 239, 'time_zone': 'Pacific Time (US & Canada)', 'url': 'https://t.co/bmiJnxvU9x', 'utc_offset': -28800}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:10:12 +0000 2017', 'hashtags': [{'text': 'AI'}, {'text': 'Fintech'}, {'text': 'Artificialintelligence'}, {'text': 'DataScience'}, {'text': 'Tech'}], 'id': 936719102219096064, 'id_str': '936719102219096064', 'lang': 'en', 'retweet_count': 1, 'source': '<a href="http://www.hootsuite.com" rel="nofollow">Hootsuite</a>', 'text': '[ #AI ] \nHow AI Is Changing Fintech\nhttps://t.co/70oUUA6xTk\n\n#Fintech #Artificialintelligence #DataScience #Tech… https://t.co/KlPavjhkfX', 'truncated': true, 'urls': [{'expanded_url': 'http://ow.ly/3lBt30gXyMi', 'url': 'https://t.co/70oUUA6xTk'}, {'expanded_url': 'https://twitter.com/i/web/status/936719102219096064', 'url': 'https://t.co/KlPavjhkfX'}], 'user': {'created_at': 'Thu May 31 11:14:09 +0000 2012', 'default_profile': true, 'description': '#DigitalTransformation #Cloud #AI #IoT #BigData #CustomerSuccess #CxO #UX #Blockchain #SocialSelling #GrowthHacking #Leadership #Marathons #Fun & Lots of others', 'favourites_count': 3912, 'followers_count': 24498, 'friends_count': 21658, 'id': 595479894, 'lang': 'fr', 'listed_count': 1304, 'location': 'Paris France', 'name': 'Eric Petiot ✨', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/595479894/1477139464', 'profile_image_url': 'http://pbs.twimg.com/profile_images/934742871126749184/ANikEER8_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'PetiotEric', 'statuses_count': 13030, 'time_zone': 'Paris', 'utc_offset': 3600}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:10:09 +0000 2017', 'hashtags': [], 'id': 936719089975922690, 'id_str': '936719089975922690', 'lang': 'en', 'source': '<a href="http://bufferapp.com" rel="nofollow">Buffer</a>', 'text': 'Social media automation: good, bad or somewhere in between? https://t.co/PySqctx0Nt by @WeAreArticulate', 'urls': [{'expanded_url': 'http://bit.ly/2isSaCp', 'url': 'https://t.co/PySqctx0Nt'}], 'user': {'created_at': 'Thu Jan 15 12:43:03 +0000 2015', 'description': 'Free online tools to help you get more subscribers, generate more sales, & grow your business. Sign-up for FREE before we wise up & start charging \ud83d\ude1c\ud83d\udc47', 'favourites_count': 3305, 'followers_count': 13018, 'friends_count': 3874, 'id': 2979688649, 'lang': 'en', 'listed_count': 206, 'location': 'Miami Beach || Toronto', 'name': 'Launch6', 'profile_background_color': '022330', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/615554695633965056/KpNJAX10.jpg', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/2979688649/1441977241', 'profile_image_url': 'http://pbs.twimg.com/profile_images/642165851387355136/w0PsiPna_normal.jpg', 'profile_link_color': '242A32', 'profile_sidebar_fill_color': 'C0DFEC', 'profile_text_color': '333333', 'screen_name': 'L6now', 'statuses_count': 1159, 'url': 'https://t.co/XYgvb7ADZA'}, 'user_mentions': [{'id': 1485132414, 'name': 'Articulate Marketing', 'screen_name': 'wearearticulate'}]}, {'created_at': 'Fri Dec 01 22:10:08 +0000 2017', 'hashtags': [], 'id': 936719085429248001, 'id_str': '936719085429248001', 'lang': 'en', 'retweet_count': 81, 'retweeted_status': {'created_at': 'Fri Dec 01 06:03:23 +0000 2017', 'favorite_count': 309, 'hashtags': [], 'id': 936475797648326656, 'id_str': '936475797648326656', 'lang': 'en', 'retweet_count': 81, 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': 'AlI gotta say is it’s a good thing we’re about to make billionaires invincible at the same time media companies con… https://t.co/QpaS84g3Ln', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936475797648326656', 'url': 'https://t.co/QpaS84g3Ln'}], 'user': {'created_at': 'Sat Aug 11 16:36:14 +0000 2007', 'description': 'writer at midnight / adult swim / the onion / the art of the deal: the movie / the fake news with ted nelms', 'favourites_count': 28232, 'followers_count': 29085, 'friends_count': 1277, 'geo_enabled': true, 'id': 8126322, 'lang': 'en', 'listed_count': 1005, 'location': 'los angeles ', 'name': 'Joe R', 'profile_background_color': '1A1B1F', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme9/bg.gif', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/8126322/1482126803', 'profile_image_url': 'http://pbs.twimg.com/profile_images/815651058370236416/ujwY9QXT_normal.jpg', 'profile_link_color': '2FC2EF', 'profile_sidebar_fill_color': '252429', 'profile_text_color': '666666', 'screen_name': 'Randazzoj', 'statuses_count': 63057, 'time_zone': 'Pacific Time (US & Canada)', 'url': 'https://t.co/t934FoJ5b5', 'utc_offset': -28800, 'verified': true}, 'user_mentions': []}, 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': 'RT @Randazzoj: AlI gotta say is it’s a good thing we’re about to make billionaires invincible at the same time media companies consolidate…', 'urls': [], 'user': {'created_at': 'Mon Mar 07 01:04:43 +0000 2011', 'description': 'see the world', 'favourites_count': 13935, 'followers_count': 855, 'friends_count': 284, 'geo_enabled': true, 'id': 261939289, 'lang': 'en', 'listed_count': 3, 'location': 'Chicago, IL', 'name': 'Hannah D', 'profile_background_color': 'DBE9ED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme17/bg.gif', 'profile_image_url': 'http://pbs.twimg.com/profile_images/932642280028168193/EQ9644Ga_normal.jpg', 'profile_link_color': 'CC3366', 'profile_sidebar_fill_color': 'E6F6F9', 'profile_text_color': '333333', 'screen_name': 'hannnahdoweII', 'statuses_count': 8227, 'time_zone': 'Quito', 'utc_offset': -18000}, 'user_mentions': [{'id': 8126322, 'name': 'Joe R', 'screen_name': 'Randazzoj'}]}, {'created_at': 'Fri Dec 01 22:10:07 +0000 2017', 'hashtags': [{'text': 'empleodigital'}], 'id': 936719081306279936, 'id_str': '936719081306279936', 'lang': 'es', 'source': '<a href="http://www.botize.com" rel="nofollow">Botize</a>', 'text': 'Oferta estrella! QA Automation Engineer en Madrid https://t.co/cjClDgNSfk #empleodigital', 'urls': [{'expanded_url': 'http://iwantic.com/ofertas-de-empleo-digital/#/jobs/780', 'url': 'https://t.co/cjClDgNSfk'}], 'user': {'created_at': 'Fri Feb 20 13:23:04 +0000 2015', 'description': 'Expertos en Selección de Personal con perfil #Digital. Encuentra el #empleo de tus sueños en las mejores empresas #empleodigital #somosheadhuntersdigitales', 'favourites_count': 603, 'followers_count': 5057, 'friends_count': 5415, 'geo_enabled': true, 'id': 3046731981, 'lang': 'es', 'listed_count': 735, 'location': 'España', 'name': 'Iwantic', 'profile_background_color': '000000', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/3046731981/1495711187', 'profile_image_url': 'http://pbs.twimg.com/profile_images/722036379283234821/3LupIeDg_normal.jpg', 'profile_link_color': 'FF43B0', 'profile_sidebar_fill_color': '000000', 'profile_text_color': '000000', 'screen_name': 'Iwantic', 'statuses_count': 27550, 'time_zone': 'Pacific Time (US & Canada)', 'url': 'https://t.co/5V1phCJrdL', 'utc_offset': -28800}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:10:06 +0000 2017', 'hashtags': [{'text': 'free'}, {'text': 'selenium'}], 'id': 936719079188156416, 'id_str': '936719079188156416', 'lang': 'en', 'media': [{'display_url': 'pic.twitter.com/RpnC944UuL', 'expanded_url': 'https://twitter.com/Nikolay_A00/status/936719079188156416/photo/1', 'id': 936719076524732417, 'media_url': 'http://pbs.twimg.com/media/DP_lCYKWsAEaN4h.png', 'media_url_https': 'https://pbs.twimg.com/media/DP_lCYKWsAEaN4h.png', 'sizes': {'large': {'h': 512, 'resize': 'fit', 'w': 1024}, 'medium': {'h': 512, 'resize': 'fit', 'w': 1024}, 'small': {'h': 340, 'resize': 'fit', 'w': 680}, 'thumb': {'h': 150, 'resize': 'crop', 'w': 150}}, 'type': 'photo', 'url': 'https://t.co/RpnC944UuL'}], 'source': '<a href="http://coschedule.com" rel="nofollow">CoSchedule</a>', 'text': 'FREE tutorial on Selenium Automation with Sauce Labs and Browser Stack. - #free #selenium https://t.co/IHbjhFmVUh https://t.co/RpnC944UuL', 'urls': [{'expanded_url': 'http://bit.ly/2j2e3qm', 'url': 'https://t.co/IHbjhFmVUh'}], 'user': {'created_at': 'Sun Nov 01 16:05:29 +0000 2015', 'description': 'Nikolay Advolodkin is a self-driven Test Automation Engineer on a lifelong mission to create profound change in the IT world', 'favourites_count': 246, 'followers_count': 3581, 'friends_count': 123, 'id': 4090917981, 'lang': 'en', 'listed_count': 80, 'name': 'Nikolay Advolodkin', 'profile_background_color': '000000', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/4090917981/1478272555', 'profile_image_url': 'http://pbs.twimg.com/profile_images/794558617227841536/6WNCTOG1_normal.jpg', 'profile_link_color': '3B94D9', 'profile_sidebar_fill_color': '000000', 'profile_text_color': '000000', 'screen_name': 'Nikolay_A00', 'statuses_count': 4998, 'url': 'https://t.co/jnwhkatqpO'}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:10:05 +0000 2017', 'hashtags': [{'text': 'inboundmarketing'}], 'id': 936719075039940608, 'id_str': '936719075039940608', 'lang': 'en', 'retweet_count': 1, 'retweeted_status': {'created_at': 'Fri Dec 01 22:05:06 +0000 2017', 'hashtags': [{'text': 'inboundmarketing'}], 'id': 936717818694897665, 'id_str': '936717818694897665', 'lang': 'en', 'media': [{'display_url': 'pic.twitter.com/HyCoT2JzUN', 'expanded_url': 'https://twitter.com/BallisticRain/status/936717818694897665/photo/1', 'id': 936717816711012352, 'media_url': 'http://pbs.twimg.com/media/DP_j5C_W4AAT0rb.jpg', 'media_url_https': 'https://pbs.twimg.com/media/DP_j5C_W4AAT0rb.jpg', 'sizes': {'large': {'h': 640, 'resize': 'fit', 'w': 1024}, 'medium': {'h': 640, 'resize': 'fit', 'w': 1024}, 'small': {'h': 425, 'resize': 'fit', 'w': 680}, 'thumb': {'h': 150, 'resize': 'crop', 'w': 150}}, 'type': 'photo', 'url': 'https://t.co/HyCoT2JzUN'}], 'retweet_count': 1, 'source': '<a href="http://bufferapp.com" rel="nofollow">Buffer</a>', 'text': 'Multiply Your Customer Acquisition With Drip Email Campaigns https://t.co/6mzO1U1sCx #inboundmarketing https://t.co/HyCoT2JzUN', 'urls': [{'expanded_url': 'https://buff.ly/2ylzMC3', 'url': 'https://t.co/6mzO1U1sCx'}], 'user': {'created_at': 'Mon Oct 24 17:54:45 +0000 2016', 'default_profile': true, 'description': "Ballistic Rain Internet Media isn't for everyone. Serious exposure online delivers more impact for our clients. Don't you think its time to get started now?", 'favourites_count': 17, 'followers_count': 83, 'friends_count': 117, 'id': 790612504967651329, 'lang': 'en', 'listed_count': 13, 'location': 'Omaha, NE', 'name': 'Ryan Piper', 'profile_background_color': 'F5F8FA', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/790612504967651329/1477353640', 'profile_image_url': 'http://pbs.twimg.com/profile_images/790618178032275456/XoZ_C5NX_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'BallisticRain', 'statuses_count': 1210, 'url': 'https://t.co/PQamPOPXIM'}, 'user_mentions': []}, 'source': '<a href="http://www.designerlistings.org/benefits.asp" rel="nofollow">MySEODirectoryApp</a>', 'text': 'RT @BallisticRain: Multiply Your Customer Acquisition With Drip Email Campaigns https://t.co/6mzO1U1sCx #inboundmarketing https://t.co/HyCo…', 'urls': [{'expanded_url': 'https://buff.ly/2ylzMC3', 'url': 'https://t.co/6mzO1U1sCx'}], 'user': {'created_at': 'Sun Nov 13 06:45:26 +0000 2016', 'default_profile': true, 'description': "Offer SEO services? Add your biz to our SEO directory - it's free! https://t.co/0XEQ9EsUKl", 'followers_count': 12915, 'friends_count': 4879, 'id': 797691826954125313, 'lang': 'en-gb', 'listed_count': 1248, 'location': 'London, England', 'name': 'SEO Directory', 'profile_background_color': 'F5F8FA', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/797691826954125313/1479019762', 'profile_image_url': 'http://pbs.twimg.com/profile_images/797692768621457409/rN57sjVh_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'seobizlist', 'statuses_count': 54602, 'url': 'https://t.co/YlJJZpoNaS'}, 'user_mentions': [{'id': 790612504967651329, 'name': 'Ryan Piper', 'screen_name': 'BallisticRain'}]}, {'created_at': 'Fri Dec 01 22:10:03 +0000 2017', 'hashtags': [{'text': 'automation'}], 'id': 936719065573404672, 'id_str': '936719065573404672', 'lang': 'en', 'retweet_count': 1, 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': 'Ag #automation to the rescue! "Besides, finding a skilled operator who is willing to work 24 hours a day for three… https://t.co/xvwvqeL9u7', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936719065573404672', 'url': 'https://t.co/xvwvqeL9u7'}], 'user': {'created_at': 'Tue Nov 19 18:47:14 +0000 2013', 'default_profile': true, 'description': 'Chief Scientist of @climatecorp, @fieldview. Plant genetics and data science guy from an Illinois farm working to change the world through digital agriculture.', 'favourites_count': 293, 'followers_count': 1128, 'friends_count': 423, 'geo_enabled': true, 'id': 2203577894, 'lang': 'en', 'listed_count': 68, 'location': 'St Louis, MO', 'name': 'Sam Eathington', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/2203577894/1472229574', 'profile_image_url': 'http://pbs.twimg.com/profile_images/894627394199408642/ZHifsmQ5_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'SamEathington', 'statuses_count': 823, 'time_zone': 'Central Time (US & Canada)', 'url': 'https://t.co/BBdaj7HnR2', 'utc_offset': -21600}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:10:03 +0000 2017', 'hashtags': [], 'id': 936719064881422337, 'id_str': '936719064881422337', 'lang': 'en', 'source': '<a href="http://bufferapp.com" rel="nofollow">Buffer</a>', 'text': 'What are the Top New Trends for the Internet of Things? \n1) Next generation robots\n2) Smart Vehicle Traffic\n3) Smar… https://t.co/GWSr9OvQgH', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936719064881422337', 'url': 'https://t.co/GWSr9OvQgH'}], 'user': {'created_at': 'Wed Mar 02 06:59:39 +0000 2011', 'description': 'Tweeting on the Future of Business • @Lenovo Solutions Evangelist • Adj. Professor of Marketing at @MeredithCollege • \ud83c\udf99Track leader at #SMMW18', 'favourites_count': 67707, 'followers_count': 171441, 'friends_count': 75322, 'geo_enabled': true, 'id': 259613476, 'lang': 'en', 'listed_count': 4945, 'location': 'Chapel Hill, NC', 'name': 'Jed Record', 'profile_background_color': 'FFFFFF', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/443050014491701248/7pbaozMr.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/259613476/1509734414', 'profile_image_url': 'http://pbs.twimg.com/profile_images/720239187832639488/72-woPKT_normal.jpg', 'profile_link_color': '0084B4', 'profile_sidebar_fill_color': 'C0DFEC', 'profile_text_color': '333333', 'screen_name': 'JedRecord', 'statuses_count': 46968, 'time_zone': 'Eastern Time (US & Canada)', 'url': 'https://t.co/h2zKNYGzq0', 'utc_offset': -18000}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:09:58 +0000 2017', 'hashtags': [{'text': 'BC'}, {'text': 'eluta'}], 'id': 936719043763097600, 'id_str': '936719043763097600', 'lang': 'en', 'source': '<a href="https://www.socialoomph.com" rel="nofollow">SocialOomph</a>', 'text': 'Test Automation Agile Team Member: Schneider Electric Canada Inc. (Victoria BC): "Electric? creates.. #BC #eluta https://t.co/KmOM5G4LSp', 'urls': [{'expanded_url': 'http://dld.bz/gwFBc', 'url': 'https://t.co/KmOM5G4LSp'}], 'user': {'created_at': 'Sat Feb 05 03:17:52 +0000 2011', 'description': 'New jobs in British Columbia, directly from employer websites', 'favourites_count': 17, 'followers_count': 5943, 'friends_count': 586, 'id': 247582521, 'lang': 'en', 'listed_count': 213, 'location': 'Canada', 'name': 'Jobs in BC', 'profile_background_color': '131413', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/445892236/bcjobs_twitter_background.jpg', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/247582521/1385694715', 'profile_image_url': 'http://pbs.twimg.com/profile_images/1235156175/BC__Jobs_normal.png', 'profile_link_color': '31B31D', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'BC__jobs', 'statuses_count': 140046, 'time_zone': 'Pacific Time (US & Canada)', 'url': 'http://t.co/f2pXEASovW', 'utc_offset': -28800}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:09:56 +0000 2017', 'hashtags': [{'text': 'ArtificialIntelligence'}, {'text': 'ai'}, {'text': 'bigdata'}, {'text': 'testing'}, {'text': 'hacking'}, {'text': 'automation'}, {'text': 'makeyourownlane'}], 'id': 936719035202461696, 'id_str': '936719035202461696', 'lang': 'en', 'retweet_count': 1, 'retweeted_status': {'created_at': 'Fri Dec 01 22:08:14 +0000 2017', 'favorite_count': 1, 'hashtags': [{'text': 'ArtificialIntelligence'}, {'text': 'ai'}, {'text': 'bigdata'}, {'text': 'testing'}, {'text': 'hacking'}, {'text': 'automation'}], 'id': 936718609933524992, 'id_str': '936718609933524992', 'lang': 'en', 'retweet_count': 1, 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': 'Bringing AI to Automated Testing\n#ArtificialIntelligence #ai #bigdata #testing #hacking #automation… https://t.co/kEIAtBe0FY', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936718609933524992', 'url': 'https://t.co/kEIAtBe0FY'}], 'user': {'created_at': 'Wed Jan 25 16:39:36 +0000 2017', 'default_profile': true, 'description': '#Data #Engineer, Strategy Development Consultant and All Around Data Guy #deeplearning #machinelearning #datascience #tech #management\n\nhttps://t.co/IyXxokwXg8', 'favourites_count': 5502, 'followers_count': 12758, 'friends_count': 13265, 'id': 824295666784423937, 'lang': 'en', 'listed_count': 212, 'location': 'Seattle, WA', 'name': 'SeattleDataGuy', 'profile_background_color': 'F5F8FA', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/824295666784423937/1485622326', 'profile_image_url': 'http://pbs.twimg.com/profile_images/830696404624379904/g9Lfd_l7_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'SeattleDataGuy', 'statuses_count': 7962, 'url': 'https://t.co/MrhFZjSWZy'}, 'user_mentions': []}, 'source': '<a href="http://www.leahan.pro" rel="nofollow">lpro_bot</a>', 'text': 'RT @SeattleDataGuy: Bringing AI to Automated Testing\n#ArtificialIntelligence #ai #bigdata #testing #hacking #automation #makeyourownlane\n h…', 'urls': [], 'user': {'created_at': 'Fri Jul 28 06:08:31 +0000 2017', 'description': 'web and mobile app developers,news and technology reviews,big data and digital marketing #webdesigner #fullstack', 'favourites_count': 160, 'followers_count': 267, 'friends_count': 266, 'geo_enabled': true, 'id': 890816218659028993, 'lang': 'en', 'listed_count': 5, 'location': "Beijing, People's Republic of China", 'name': 'L_Pro', 'profile_background_color': '000000', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/890816218659028993/1510575370', 'profile_image_url': 'http://pbs.twimg.com/profile_images/932493793240129536/yQohLQvX_normal.jpg', 'profile_link_color': '981CEB', 'profile_sidebar_fill_color': '000000', 'profile_text_color': '000000', 'screen_name': 'L_proScience', 'statuses_count': 1303, 'time_zone': 'Pacific Time (US & Canada)', 'url': 'https://t.co/OzNKNGE7sE', 'utc_offset': -28800}, 'user_mentions': [{'id': 824295666784423937, 'name': 'SeattleDataGuy', 'screen_name': 'SeattleDataGuy'}]}, {'created_at': 'Fri Dec 01 22:09:49 +0000 2017', 'hashtags': [{'text': 'ServiceNow'}, {'text': 'security'}, {'text': 'automation'}, {'text': 'GDPR'}, {'text': 'BHEU'}], 'id': 936719006647701506, 'id_str': '936719006647701506', 'lang': 'en', 'retweet_count': 1, 'retweeted_status': {'created_at': 'Fri Dec 01 22:03:14 +0000 2017', 'hashtags': [{'text': 'ServiceNow'}, {'text': 'security'}, {'text': 'automation'}, {'text': 'GDPR'}, {'text': 'BHEU'}], 'id': 936717349884870656, 'id_str': '936717349884870656', 'lang': 'en', 'retweet_count': 1, 'source': '<a href="http://dynamicsignal.com/" rel="nofollow">VoiceStorm</a>', 'text': "Check out #ServiceNow's #security predictions for 2018: #automation, boardrooms and #GDPR #BHEU… https://t.co/3le7bmihx2", 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936717349884870656', 'url': 'https://t.co/3le7bmihx2'}], 'user': {'created_at': 'Thu Jun 27 00:19:29 +0000 2013', 'default_profile': true, 'favourites_count': 34, 'followers_count': 96, 'friends_count': 221, 'id': 1549418929, 'lang': 'en', 'listed_count': 44, 'name': 'Dave Goodridge', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/1549418929/1372702252', 'profile_image_url': 'http://pbs.twimg.com/profile_images/569165626623524864/j1ynCQcW_normal.jpeg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'GoodridgeDave', 'statuses_count': 1192}, 'user_mentions': []}, 'source': '<a href="https://twitter.com/" rel="nofollow">GDPR Funnel</a>', 'text': "RT @GoodridgeDave: Check out #ServiceNow's #security predictions for 2018: #automation, boardrooms and #GDPR #BHEU https://t.co/zDVUdC6Swm…", 'urls': [{'expanded_url': 'http://bit.ly/2ArcYyR', 'url': 'https://t.co/zDVUdC6Swm'}], 'user': {'created_at': 'Tue Aug 01 22:12:47 +0000 2017', 'default_profile': true, 'description': 'As the GDPR approaches this account is a bot pulling the #GDPR together so I can follow and you can too!', 'favourites_count': 59, 'followers_count': 570, 'friends_count': 2, 'id': 892508433315921924, 'lang': 'en', 'listed_count': 13, 'location': 'Dublin City, Ireland', 'name': 'Data Protection', 'profile_background_color': 'F5F8FA', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/892508433315921924/1510611537', 'profile_image_url': 'http://pbs.twimg.com/profile_images/930198318654869509/7A0as3u-_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'GDPR25thMay18', 'statuses_count': 13808}, 'user_mentions': [{'id': 1549418929, 'name': 'Dave Goodridge', 'screen_name': 'GoodridgeDave'}]}, {'created_at': 'Fri Dec 01 22:09:47 +0000 2017', 'hashtags': [{'text': 'Automation'}, {'text': 'BasicIncome'}], 'id': 936718999563354112, 'id_str': '936718999563354112', 'lang': 'en', 'media': [{'display_url': 'pic.twitter.com/G9z8qv2GnD', 'expanded_url': 'https://twitter.com/HumanVsMachine/status/936636961615474689/video/1', 'id': 936636478888689665, 'media_url': 'http://pbs.twimg.com/ext_tw_video_thumb/936636478888689665/pu/img/_0ouDItan8cyLybY.jpg', 'media_url_https': 'https://pbs.twimg.com/ext_tw_video_thumb/936636478888689665/pu/img/_0ouDItan8cyLybY.jpg', 'sizes': {'large': {'h': 720, 'resize': 'fit', 'w': 1280}, 'medium': {'h': 675, 'resize': 'fit', 'w': 1200}, 'small': {'h': 383, 'resize': 'fit', 'w': 680}, 'thumb': {'h': 150, 'resize': 'crop', 'w': 150}}, 'type': 'video', 'url': 'https://t.co/G9z8qv2GnD', 'video_info': {'aspect_ratio': [16, 9], 'duration_millis': 33400, 'variants': [{'bitrate': 320000, 'content_type': 'video/mp4', 'url': 'https://video.twimg.com/ext_tw_video/936636478888689665/pu/vid/320x180/TTPV-yUb-4wSF-OJ.mp4'}, {'bitrate': 2176000, 'content_type': 'video/mp4', 'url': 'https://video.twimg.com/ext_tw_video/936636478888689665/pu/vid/1280x720/s4cHek8vBvPSS7CW.mp4'}, {'content_type': 'application/x-mpegURL', 'url': 'https://video.twimg.com/ext_tw_video/936636478888689665/pu/pl/x6nToAfpdiWmS9Tk.m3u8'}, {'bitrate': 832000, 'content_type': 'video/mp4', 'url': 'https://video.twimg.com/ext_tw_video/936636478888689665/pu/vid/640x360/8Dl1JIfcBKohkvaa.mp4'}]}}], 'retweet_count': 4, 'retweeted_status': {'created_at': 'Fri Dec 01 16:43:48 +0000 2017', 'favorite_count': 3, 'hashtags': [{'text': 'Automation'}, {'text': 'BasicIncome'}], 'id': 936636961615474689, 'id_str': '936636961615474689', 'lang': 'en', 'media': [{'display_url': 'pic.twitter.com/G9z8qv2GnD', 'expanded_url': 'https://twitter.com/HumanVsMachine/status/936636961615474689/video/1', 'id': 936636478888689665, 'media_url': 'http://pbs.twimg.com/ext_tw_video_thumb/936636478888689665/pu/img/_0ouDItan8cyLybY.jpg', 'media_url_https': 'https://pbs.twimg.com/ext_tw_video_thumb/936636478888689665/pu/img/_0ouDItan8cyLybY.jpg', 'sizes': {'large': {'h': 720, 'resize': 'fit', 'w': 1280}, 'medium': {'h': 675, 'resize': 'fit', 'w': 1200}, 'small': {'h': 383, 'resize': 'fit', 'w': 680}, 'thumb': {'h': 150, 'resize': 'crop', 'w': 150}}, 'type': 'video', 'url': 'https://t.co/G9z8qv2GnD', 'video_info': {'aspect_ratio': [16, 9], 'duration_millis': 33400, 'variants': [{'bitrate': 320000, 'content_type': 'video/mp4', 'url': 'https://video.twimg.com/ext_tw_video/936636478888689665/pu/vid/320x180/TTPV-yUb-4wSF-OJ.mp4'}, {'bitrate': 2176000, 'content_type': 'video/mp4', 'url': 'https://video.twimg.com/ext_tw_video/936636478888689665/pu/vid/1280x720/s4cHek8vBvPSS7CW.mp4'}, {'content_type': 'application/x-mpegURL', 'url': 'https://video.twimg.com/ext_tw_video/936636478888689665/pu/pl/x6nToAfpdiWmS9Tk.m3u8'}, {'bitrate': 832000, 'content_type': 'video/mp4', 'url': 'https://video.twimg.com/ext_tw_video/936636478888689665/pu/vid/640x360/8Dl1JIfcBKohkvaa.mp4'}]}}], 'retweet_count': 4, 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': 'Soon : "Let\'s order pizza & wait for it to fly to us." \ud83c\udf55\n#Automation #BasicIncome https://t.co/G9z8qv2GnD', 'urls': [], 'user': {'created_at': 'Fri Oct 21 03:57:50 +0000 2016', 'default_profile': true, 'description': 'The visual exploration of the world of #automation.', 'favourites_count': 2028, 'followers_count': 5385, 'friends_count': 9, 'id': 789314726874472448, 'lang': 'en', 'listed_count': 138, 'name': 'HumanVSMachine', 'profile_background_color': 'F5F8FA', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/789314726874472448/1478047409', 'profile_image_url': 'http://pbs.twimg.com/profile_images/793614209795981312/NOK307cI_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'HumanVsMachine', 'statuses_count': 1900, 'time_zone': 'Pacific Time (US & Canada)', 'url': 'https://t.co/EUmAqMt3K6', 'utc_offset': -28800}, 'user_mentions': []}, 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': 'RT @HumanVsMachine: Soon : "Let\'s order pizza & wait for it to fly to us." \ud83c\udf55\n#Automation #BasicIncome https://t.co/G9z8qv2GnD', 'urls': [], 'user': {'created_at': 'Mon Aug 14 22:03:58 +0000 2017', 'default_profile': true, 'description': '#TheResistance✊ Pushing for equality and universal basic income in the United States.', 'favourites_count': 305, 'followers_count': 879, 'friends_count': 2842, 'id': 897217258145038337, 'lang': 'en', 'listed_count': 12, 'location': 'United States', 'name': 'Basic Income America \ud83d\udcb8', 'profile_background_color': 'F5F8FA', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/897217258145038337/1510043829', 'profile_image_url': 'http://pbs.twimg.com/profile_images/927823889228447746/QBbFoeCu_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'BasicIncome_USA', 'statuses_count': 419, 'url': 'https://t.co/JMwFYcjOwy'}, 'user_mentions': [{'id': 789314726874472448, 'name': 'HumanVSMachine', 'screen_name': 'HumanVsMachine'}]}, {'created_at': 'Fri Dec 01 22:09:41 +0000 2017', 'hashtags': [{'text': 'musique'}, {'text': 'Japon'}, {'text': 'INFORMATION'}], 'id': 936718975106367493, 'id_str': '936718975106367493', 'lang': 'tl', 'source': '<a href="http://marsproject.dip.jp/" rel="nofollow">world on mars bot</a>', 'text': '➟MASAKI YODA 2017 NEW -automation(1/3 Quality)- https://t.co/9ojN8xCh8o #musique #Japon #INFORMATION', 'urls': [{'expanded_url': 'http://marsproject.dip.jp/access/comingsoon/index.php?id=automation', 'url': 'https://t.co/9ojN8xCh8o'}], 'user': {'created_at': 'Sun May 20 08:42:32 +0000 2012', 'description': '✌ @Labelmars', 'favourites_count': 156, 'followers_count': 52292, 'friends_count': 36859, 'id': 585490397, 'lang': 'ja', 'listed_count': 151, 'name': 'world_on_mars', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/886086919/db85294b477fb88a0648088f17b09d58.jpeg', 'profile_background_tile': true, 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/585490397/1359017326', 'profile_image_url': 'http://pbs.twimg.com/profile_images/2235928789/Earth_normal.jpg', 'profile_link_color': '0084B4', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'mars_on_world', 'statuses_count': 1425332, 'time_zone': 'Irkutsk', 'utc_offset': 28800}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:09:23 +0000 2017', 'hashtags': [], 'id': 936718897990062081, 'id_str': '936718897990062081', 'lang': 'en', 'retweet_count': 8, 'retweeted_status': {'created_at': 'Fri Dec 01 21:49:33 +0000 2017', 'favorite_count': 6, 'hashtags': [], 'id': 936713909255286784, 'id_str': '936713909255286784', 'lang': 'en', 'retweet_count': 8, 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': 'San Francisco Supervisor Jane Kim "intends to raise money to support a statewide ballot measure that would penalize… https://t.co/QCP9H9Yfs9', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936713909255286784', 'url': 'https://t.co/QCP9H9Yfs9'}], 'user': {'created_at': 'Tue Apr 25 17:14:12 +0000 2017', 'default_profile': true, 'description': 'Lawyer. Election law and litigation partner at Bell, McAndrews & Hiltachk. President, CA Political Attorneys Association. Husband, dad, Boston 26.2 finisher.', 'favourites_count': 282, 'followers_count': 225, 'friends_count': 564, 'id': 856919281946079232, 'lang': 'en', 'listed_count': 4, 'location': 'Sacramento, CA', 'name': 'Brian Hildreth', 'profile_background_color': 'F5F8FA', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/856919281946079232/1498496098', 'profile_image_url': 'http://pbs.twimg.com/profile_images/861999215009947648/C013hhPF_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'ElectionsLawyer', 'statuses_count': 390, 'url': 'https://t.co/ufGZp577nB'}, 'user_mentions': []}, 'source': '<a href="https://mobile.twitter.com" rel="nofollow">Twitter Lite</a>', 'text': 'RT @ElectionsLawyer: San Francisco Supervisor Jane Kim "intends to raise money to support a statewide ballot measure that would penalize pr…', 'urls': [], 'user': {'created_at': 'Wed Dec 01 11:06:24 +0000 2010', 'favourites_count': 19882, 'followers_count': 135, 'friends_count': 223, 'id': 221699951, 'lang': 'es', 'listed_count': 7, 'location': 'Fuenlabrada', 'name': 'Esterlin Archer', 'profile_background_color': '000000', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/221699951/1437103798', 'profile_image_url': 'http://pbs.twimg.com/profile_images/808819928765792256/ReyrdVWq_normal.jpg', 'profile_link_color': '556666', 'profile_sidebar_fill_color': '000000', 'profile_text_color': '000000', 'screen_name': 'EsterlinCooper', 'statuses_count': 14766}, 'user_mentions': [{'id': 856919281946079232, 'name': 'Brian Hildreth', 'screen_name': 'ElectionsLawyer'}]}, {'created_at': 'Fri Dec 01 22:09:22 +0000 2017', 'hashtags': [], 'id': 936718896110948354, 'id_str': '936718896110948354', 'lang': 'en', 'retweet_count': 81, 'retweeted_status': {'created_at': 'Fri Dec 01 06:03:23 +0000 2017', 'favorite_count': 309, 'hashtags': [], 'id': 936475797648326656, 'id_str': '936475797648326656', 'lang': 'en', 'retweet_count': 81, 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': 'AlI gotta say is it’s a good thing we’re about to make billionaires invincible at the same time media companies con… https://t.co/QpaS84g3Ln', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936475797648326656', 'url': 'https://t.co/QpaS84g3Ln'}], 'user': {'created_at': 'Sat Aug 11 16:36:14 +0000 2007', 'description': 'writer at midnight / adult swim / the onion / the art of the deal: the movie / the fake news with ted nelms', 'favourites_count': 28232, 'followers_count': 29085, 'friends_count': 1277, 'geo_enabled': true, 'id': 8126322, 'lang': 'en', 'listed_count': 1005, 'location': 'los angeles ', 'name': 'Joe R', 'profile_background_color': '1A1B1F', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme9/bg.gif', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/8126322/1482126803', 'profile_image_url': 'http://pbs.twimg.com/profile_images/815651058370236416/ujwY9QXT_normal.jpg', 'profile_link_color': '2FC2EF', 'profile_sidebar_fill_color': '252429', 'profile_text_color': '666666', 'screen_name': 'Randazzoj', 'statuses_count': 63057, 'time_zone': 'Pacific Time (US & Canada)', 'url': 'https://t.co/t934FoJ5b5', 'utc_offset': -28800, 'verified': true}, 'user_mentions': []}, 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': 'RT @Randazzoj: AlI gotta say is it’s a good thing we’re about to make billionaires invincible at the same time media companies consolidate…', 'urls': [], 'user': {'created_at': 'Wed Jul 27 20:43:15 +0000 2011', 'description': '#wiu / feminist / blm / anti imperialist / anti fascist / free Palestine / leftist / trans lives matter', 'favourites_count': 59771, 'followers_count': 602, 'friends_count': 1469, 'geo_enabled': true, 'id': 343612406, 'lang': 'en', 'listed_count': 25, 'location': "I'll listen to you", 'name': 'i jingle her \ud83d\udd14\ud83d\udd14s', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/863859566/f76efec7c8a8062c2306cc3336642474.jpeg', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/343612406/1510726762', 'profile_image_url': 'http://pbs.twimg.com/profile_images/930681741202870272/PiTEHQii_normal.jpg', 'profile_link_color': '0084B4', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'Sir_alex_the_13', 'statuses_count': 44903, 'time_zone': 'Central Time (US & Canada)', 'utc_offset': -21600}, 'user_mentions': [{'id': 8126322, 'name': 'Joe R', 'screen_name': 'Randazzoj'}]}, {'created_at': 'Fri Dec 01 22:09:16 +0000 2017', 'hashtags': [], 'id': 936718869632307202, 'id_str': '936718869632307202', 'lang': 'en', 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': 'Curious about bitcoin? Yes, I’ve decided to get on the train. Earn bitcoins while you sleep. 100% automation. DM me… https://t.co/MVH5GJcWvf', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936718869632307202', 'url': 'https://t.co/MVH5GJcWvf'}], 'user': {'created_at': 'Mon Sep 21 15:46:19 +0000 2015', 'default_profile': true, 'description': '\ud83d\udc8eEntrepreneur \ud83d\udc8e\ud83d\udd25Investing in my future \ud83c\udf0e Passive income\ud83d\udcb0 Connect Instagram:_michellelarson', 'favourites_count': 97, 'followers_count': 343, 'friends_count': 295, 'id': 3729605837, 'lang': 'en', 'listed_count': 4, 'name': 'Michelle Larson', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/3729605837/1494329448', 'profile_image_url': 'http://pbs.twimg.com/profile_images/872800743148982273/Y2Gtp3ed_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': '_michellelarson', 'statuses_count': 345, 'url': 'https://t.co/EwITajRi3K'}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:09:12 +0000 2017', 'hashtags': [{'text': 'musique'}, {'text': 'Japon'}, {'text': 'INFORMATION'}], 'id': 936718851466657792, 'id_str': '936718851466657792', 'lang': 'tl', 'source': '<a href="http://marsproject.dip.jp/" rel="nofollow">bb_ma</a>', 'text': '♐MASAKI YODA 2017 NEW -automation(1/3 Quality)- https://t.co/hYLva8qOJ4 #musique #Japon #INFORMATION', 'urls': [{'expanded_url': 'http://marsproject.dip.jp/access/comingsoon/index.php?id=automation', 'url': 'https://t.co/hYLva8qOJ4'}], 'user': {'created_at': 'Mon Oct 17 09:02:17 +0000 2011', 'description': 'Independent Music Label & Office -MARS PROJECT. Establishment 1995 Since 1992. https://t.co/PBTM7mgz6F', 'favourites_count': 478, 'followers_count': 62307, 'friends_count': 54795, 'id': 392599269, 'lang': 'ja', 'listed_count': 327, 'location': 'JAPAN', 'name': 'Label MARS PROJECT', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/886078791/792104ab585ae780daf70673758f24ca.jpeg', 'profile_background_tile': true, 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/392599269/1396489727', 'profile_image_url': 'http://pbs.twimg.com/profile_images/451269325656035329/-j-YaHfe_normal.png', 'profile_link_color': '0084B4', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'Labelmars', 'statuses_count': 1879371, 'time_zone': 'Tokyo', 'url': 'http://t.co/RSpkHHgCKf', 'utc_offset': 32400}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:09:06 +0000 2017', 'hashtags': [{'text': 'cybersecurity'}, {'text': 'automation'}, {'text': 'Security'}], 'id': 936718828683386881, 'id_str': '936718828683386881', 'lang': 'en', 'media': [{'display_url': 'pic.twitter.com/wdEubE6taZ', 'expanded_url': 'https://twitter.com/MASERGY/status/936648661563510784/photo/1', 'id': 936648658820399105, 'media_url': 'http://pbs.twimg.com/media/DP-k_hxWAAEprJX.jpg', 'media_url_https': 'https://pbs.twimg.com/media/DP-k_hxWAAEprJX.jpg', 'sizes': {'large': {'h': 467, 'resize': 'fit', 'w': 700}, 'medium': {'h': 467, 'resize': 'fit', 'w': 700}, 'small': {'h': 454, 'resize': 'fit', 'w': 680}, 'thumb': {'h': 150, 'resize': 'crop', 'w': 150}}, 'type': 'photo', 'url': 'https://t.co/wdEubE6taZ'}], 'source': '<a href="http://gaggleamp.com/twit/" rel="nofollow">GaggleAMP</a>', 'text': 'RT @MASERGY: The future of #cybersecurity part II: The need for #automation! https://t.co/dRv7zqmMhS #Security https://t.co/wdEubE6taZ', 'urls': [{'expanded_url': 'http://gag.gl/RcW8Ga', 'url': 'https://t.co/dRv7zqmMhS'}], 'user': {'created_at': 'Thu Apr 11 18:57:59 +0000 2013', 'default_profile': true, 'description': 'Technology consulting: expert advice on cloud-based/hosted solutions, telecommunications, and Information Technology.', 'favourites_count': 65, 'followers_count': 91, 'friends_count': 128, 'id': 1345066141, 'lang': 'en', 'listed_count': 135, 'name': 'Hosted Authority', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_image_url': 'http://pbs.twimg.com/profile_images/3507702463/5ad8616bf940f47e0e88fff478cc9983_normal.png', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'HostedAuthority', 'statuses_count': 2967}, 'user_mentions': [{'id': 105949998, 'name': 'Masergy', 'screen_name': 'MASERGY'}]}, {'created_at': 'Fri Dec 01 22:09:05 +0000 2017', 'hashtags': [{'text': 'automation'}, {'text': 'entrepreneur'}], 'id': 936718824145072128, 'id_str': '936718824145072128', 'lang': 'en', 'media': [{'display_url': 'pic.twitter.com/Rds89788F1', 'expanded_url': 'https://twitter.com/KennethOKing/status/936718824145072128/photo/1', 'id': 936718820869251073, 'media_url': 'http://pbs.twimg.com/media/DP_kzfxVoAEMBvO.jpg', 'media_url_https': 'https://pbs.twimg.com/media/DP_kzfxVoAEMBvO.jpg', 'sizes': {'large': {'h': 577, 'resize': 'fit', 'w': 1024}, 'medium': {'h': 577, 'resize': 'fit', 'w': 1024}, 'small': {'h': 383, 'resize': 'fit', 'w': 680}, 'thumb': {'h': 150, 'resize': 'crop', 'w': 150}}, 'type': 'photo', 'url': 'https://t.co/Rds89788F1'}], 'source': '<a href="http://ridder.co" rel="nofollow">Ridder: turn sharing into growth</a>', 'text': 'Automation: Business Processes Made Easy via @trackmysubs #automation #entrepreneur https://t.co/WRAxrEQ08N https://t.co/Rds89788F1', 'urls': [{'expanded_url': 'http://www.trackmysubs.com.ridder.co/D8G7Vw', 'url': 'https://t.co/WRAxrEQ08N'}], 'user': {'created_at': 'Sat May 11 07:26:35 +0000 2013', 'description': 'Founder of The Implant Marketing HUB \ud83c\udfc6\ud83c\udfc5 ... I Help Dentist Bring in Highly “Qualified" Patients For Dental Implants Every Month. Click Below To Learn More:', 'favourites_count': 655, 'followers_count': 4373, 'friends_count': 3946, 'geo_enabled': true, 'id': 1420035781, 'lang': 'en', 'listed_count': 72, 'location': 'Jersey City, NJ', 'name': 'Kenneth O. King', 'profile_background_color': '131516', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/378800000023980702/381d7a0c38e9f1393a73843b110f46e7.jpeg', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/1420035781/1510014040', 'profile_image_url': 'http://pbs.twimg.com/profile_images/774081947647684609/RokWS8nf_normal.jpg', 'profile_link_color': '9D582E', 'profile_sidebar_fill_color': 'EFEFEF', 'profile_text_color': '333333', 'screen_name': 'KennethOKing', 'statuses_count': 2286, 'time_zone': 'Arizona', 'url': 'https://t.co/lGGaX56C0D', 'utc_offset': -25200}, 'user_mentions': [{'id': 845996155934715908, 'name': 'TrackMySubs', 'screen_name': 'TrackMySubs'}]}, {'created_at': 'Fri Dec 01 22:08:56 +0000 2017', 'hashtags': [{'text': 'CloudMusings'}], 'id': 936718785876291587, 'id_str': '936718785876291587', 'lang': 'en', 'media': [{'display_url': 'pic.twitter.com/NF3kTCJQfL', 'expanded_url': 'https://twitter.com/Kevin_Jackson/status/936597036467494914/photo/1', 'id': 936597032814252033, 'media_url': 'http://pbs.twimg.com/media/DP92Cf6UEAEczDQ.jpg', 'media_url_https': 'https://pbs.twimg.com/media/DP92Cf6UEAEczDQ.jpg', 'sizes': {'large': {'h': 482, 'resize': 'fit', 'w': 724}, 'medium': {'h': 482, 'resize': 'fit', 'w': 724}, 'small': {'h': 453, 'resize': 'fit', 'w': 680}, 'thumb': {'h': 150, 'resize': 'crop', 'w': 150}}, 'type': 'photo', 'url': 'https://t.co/NF3kTCJQfL'}], 'retweet_count': 69, 'retweeted_status': {'created_at': 'Fri Dec 01 14:05:09 +0000 2017', 'favorite_count': 1, 'hashtags': [{'text': 'CloudMusings'}], 'id': 936597036467494914, 'id_str': '936597036467494914', 'lang': 'en', 'media': [{'display_url': 'pic.twitter.com/NF3kTCJQfL', 'expanded_url': 'https://twitter.com/Kevin_Jackson/status/936597036467494914/photo/1', 'id': 936597032814252033, 'media_url': 'http://pbs.twimg.com/media/DP92Cf6UEAEczDQ.jpg', 'media_url_https': 'https://pbs.twimg.com/media/DP92Cf6UEAEczDQ.jpg', 'sizes': {'large': {'h': 482, 'resize': 'fit', 'w': 724}, 'medium': {'h': 482, 'resize': 'fit', 'w': 724}, 'small': {'h': 453, 'resize': 'fit', 'w': 680}, 'thumb': {'h': 150, 'resize': 'crop', 'w': 150}}, 'type': 'photo', 'url': 'https://t.co/NF3kTCJQfL'}], 'retweet_count': 69, 'source': '<a href="https://dlvrit.com/" rel="nofollow">dlvr.it</a>', 'text': 'Robotic Automation Promises to Enhance Enterprise Workflow https://t.co/1XWU3ChQeU #CloudMusings https://t.co/NF3kTCJQfL', 'urls': [{'expanded_url': 'http://dlvr.it/Q3q70y', 'url': 'https://t.co/1XWU3ChQeU'}], 'user': {'created_at': 'Fri Dec 05 15:42:24 +0000 2008', 'description': 'Technology #Author #Consultant #Instructor #CloudComputing, #Cybersecurity, #CognitiveComputing #ThoughtLeader @GovCloud Network', 'favourites_count': 4349, 'followers_count': 107169, 'friends_count': 20722, 'geo_enabled': true, 'id': 17899712, 'lang': 'en', 'listed_count': 1040, 'location': 'Virginia, USA', 'name': 'Kevin L. Jackson', 'profile_background_color': '59BEE4', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/378800000101672144/d097204c7151071751b35dfec09134b7.jpeg', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/17899712/1511747707', 'profile_image_url': 'http://pbs.twimg.com/profile_images/934963964378693632/OAD_1I1o_normal.jpg', 'profile_link_color': '8FCAE0', 'profile_sidebar_fill_color': '191F22', 'profile_text_color': '4BB7DF', 'screen_name': 'Kevin_Jackson', 'statuses_count': 30493, 'time_zone': 'Eastern Time (US & Canada)', 'url': 'https://t.co/Kfr5Ta5zAZ', 'utc_offset': -18000}, 'user_mentions': []}, 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': 'RT @Kevin_Jackson: Robotic Automation Promises to Enhance Enterprise Workflow https://t.co/1XWU3ChQeU #CloudMusings https://t.co/NF3kTCJQfL', 'urls': [{'expanded_url': 'http://dlvr.it/Q3q70y', 'url': 'https://t.co/1XWU3ChQeU'}], 'user': {'created_at': 'Fri Apr 24 00:54:05 +0000 2009', 'description': 'dreamer', 'favourites_count': 20, 'followers_count': 49, 'friends_count': 202, 'id': 34791150, 'lang': 'en', 'location': 'Tusca, CL', 'name': 'Andrea Lara', 'profile_background_color': '000000', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme5/bg.gif', 'profile_image_url': 'http://pbs.twimg.com/profile_images/1390559483/254937_2120604855580_1259576923_32610138_3592145_n_normal.jpg', 'profile_link_color': '4A913C', 'profile_sidebar_fill_color': '000000', 'profile_text_color': '000000', 'screen_name': 'lazyandrea', 'statuses_count': 89, 'time_zone': 'Atlantic Time (Canada)', 'utc_offset': -14400}, 'user_mentions': [{'id': 17899712, 'name': 'Kevin L. Jackson', 'screen_name': 'Kevin_Jackson'}]}, {'created_at': 'Fri Dec 01 22:08:24 +0000 2017', 'hashtags': [], 'id': 936718649175478273, 'id_str': '936718649175478273', 'lang': 'en', 'retweet_count': 140, 'retweeted_status': {'created_at': 'Thu Nov 30 15:45:53 +0000 2017', 'favorite_count': 158, 'hashtags': [], 'id': 936260001093500928, 'id_str': '936260001093500928', 'lang': 'en', 'retweet_count': 140, 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': 'Share of current work hours w/ potential for automation by 2030\n \nJapan 26%\nGermany 24%\nUS 23%\nChina 16%\nIndia 9%\n \nGlobal 15%\n \n(McKinsey)', 'urls': [], 'user': {'created_at': 'Tue Jul 28 02:23:28 +0000 2009', 'description': "political scientist, author, prof at nyu, columnist at time, president @eurasiagroup. if you lived here, you'd be home now.", 'favourites_count': 411, 'followers_count': 339244, 'friends_count': 1192, 'id': 60783724, 'lang': 'en', 'listed_count': 7482, 'name': 'ian bremmer', 'profile_background_color': '022330', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme15/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/60783724/1510920762', 'profile_image_url': 'http://pbs.twimg.com/profile_images/935214204658900992/vGPSlT2T_normal.jpg', 'profile_link_color': '3489B3', 'profile_sidebar_fill_color': 'C0DFEC', 'profile_text_color': '333333', 'screen_name': 'ianbremmer', 'statuses_count': 27492, 'time_zone': 'Eastern Time (US & Canada)', 'url': 'https://t.co/RyT2ScT8cy', 'utc_offset': -18000, 'verified': true}, 'user_mentions': []}, 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': 'RT @ianbremmer: Share of current work hours w/ potential for automation by 2030\n \nJapan 26%\nGermany 24%\nUS 23%\nChina 16%\nIndia 9%\n \nGlobal…', 'urls': [], 'user': {'created_at': 'Fri Feb 03 09:04:31 +0000 2012', 'description': 'Sci-fic Author, book1: "Tora-Bora Mountains", Future ebook: "Honeybee story and immortality" https://t.co/QDjirmik5O', 'favourites_count': 5511, 'followers_count': 1900, 'friends_count': 2590, 'id': 481892917, 'lang': 'en', 'listed_count': 30, 'location': 'Israel', 'name': 'Hadas Moosazadeh', 'profile_background_color': '000000', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme6/bg.gif', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/481892917/1510914518', 'profile_image_url': 'http://pbs.twimg.com/profile_images/934344430009704448/YcFVqgrx_normal.jpg', 'profile_link_color': '1B95E0', 'profile_sidebar_fill_color': '000000', 'profile_text_color': '000000', 'screen_name': 'HadasMoosazadeh', 'statuses_count': 10004, 'time_zone': 'Baghdad', 'url': 'https://t.co/4zoMCmmVPV', 'utc_offset': 10800}, 'user_mentions': [{'id': 60783724, 'name': 'ian bremmer', 'screen_name': 'ianbremmer'}]}, {'created_at': 'Fri Dec 01 22:08:20 +0000 2017', 'hashtags': [], 'id': 936718632498888704, 'id_str': '936718632498888704', 'lang': 'en', 'source': '<a href="https://ifttt.com" rel="nofollow">IFTTT</a>', 'text': 'Why Marketing Automation Is The Future of Digital For Brands https://t.co/6mg9lQLjWx\nAngela Baker Angela Baker… https://t.co/yYxOkyYrKT', 'truncated': true, 'urls': [{'expanded_url': 'https://buff.ly/2Awhu17', 'url': 'https://t.co/6mg9lQLjWx'}, {'expanded_url': 'https://twitter.com/i/web/status/936718632498888704', 'url': 'https://t.co/yYxOkyYrKT'}], 'user': {'created_at': 'Sat Oct 18 20:53:53 +0000 2014', 'default_profile': true, 'description': '#cryptocurrency #bitcoin #shitcoins #altcoins #socialmedia avid trader #commodities #forex', 'favourites_count': 379, 'followers_count': 2038, 'friends_count': 1751, 'id': 2863493491, 'lang': 'en', 'listed_count': 434, 'name': 'Lie Todd', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_image_url': 'http://pbs.twimg.com/profile_images/717280371415523328/KVnrbLXM_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'LieTodd', 'statuses_count': 58166}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:08:14 +0000 2017', 'favorite_count': 1, 'hashtags': [{'text': 'ArtificialIntelligence'}, {'text': 'ai'}, {'text': 'bigdata'}, {'text': 'testing'}, {'text': 'hacking'}, {'text': 'automation'}], 'id': 936718609933524992, 'id_str': '936718609933524992', 'lang': 'en', 'retweet_count': 1, 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': 'Bringing AI to Automated Testing\n#ArtificialIntelligence #ai #bigdata #testing #hacking #automation… https://t.co/kEIAtBe0FY', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936718609933524992', 'url': 'https://t.co/kEIAtBe0FY'}], 'user': {'created_at': 'Wed Jan 25 16:39:36 +0000 2017', 'default_profile': true, 'description': '#Data #Engineer, Strategy Development Consultant and All Around Data Guy #deeplearning #machinelearning #datascience #tech #management\n\nhttps://t.co/IyXxokwXg8', 'favourites_count': 5502, 'followers_count': 12758, 'friends_count': 13265, 'id': 824295666784423937, 'lang': 'en', 'listed_count': 212, 'location': 'Seattle, WA', 'name': 'SeattleDataGuy', 'profile_background_color': 'F5F8FA', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/824295666784423937/1485622326', 'profile_image_url': 'http://pbs.twimg.com/profile_images/830696404624379904/g9Lfd_l7_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'SeattleDataGuy', 'statuses_count': 7962, 'url': 'https://t.co/MrhFZjSWZy'}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:08:11 +0000 2017', 'hashtags': [], 'id': 936718594909511680, 'id_str': '936718594909511680', 'lang': 'und', 'source': '<a href="https://www.snaphop.com" rel="nofollow">RecruitingHop</a>', 'text': 'Test Automation Engineer - AZMSC https://t.co/NzqIG0zq1Y', 'urls': [{'expanded_url': 'https://goo.gl/LBSQ1K', 'url': 'https://t.co/NzqIG0zq1Y'}], 'user': {'created_at': 'Fri Jul 19 18:14:26 +0000 2013', 'description': 'Posting all of our IT jobs across the country! Follow our main account @MATRIXResources for content.', 'favourites_count': 1, 'followers_count': 162, 'friends_count': 28, 'geo_enabled': true, 'id': 1606502299, 'lang': 'en', 'listed_count': 33, 'location': 'Nationwide', 'name': 'MATRIX Hot Jobs', 'profile_background_color': '000000', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme14/bg.gif', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/1606502299/1451413551', 'profile_image_url': 'http://pbs.twimg.com/profile_images/681903995099701248/m0OjAYre_normal.jpg', 'profile_link_color': '0A5CA1', 'profile_sidebar_fill_color': '000000', 'profile_text_color': '000000', 'screen_name': 'MATRIXHotJobs', 'statuses_count': 45570, 'url': 'http://t.co/BPMckgbfYT'}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:08:08 +0000 2017', 'hashtags': [], 'id': 936718584872660992, 'id_str': '936718584872660992', 'lang': 'en', 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': "'Robot makers boosting Chinese output to fuel automation shift' - https://t.co/m6YlqgodmO via @NAR", 'urls': [{'expanded_url': 'http://s.nikkei.com/2zVxOcv', 'url': 'https://t.co/m6YlqgodmO'}], 'user': {'created_at': 'Fri Mar 27 21:28:59 +0000 2009', 'default_profile': true, 'description': 'Telecare, Telehealth, digital health, Telemedicine, mHealth, AI/VR, health tech news from around the world + UK health, housing & care', 'favourites_count': 56, 'followers_count': 9986, 'friends_count': 7953, 'id': 27102150, 'lang': 'en', 'listed_count': 740, 'location': 'Kent, England', 'name': 'Mike Clark', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_image_url': 'http://pbs.twimg.com/profile_images/378800000811661595/685ba8411b33f0e01fc2e316c12ae516_normal.jpeg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'clarkmike', 'statuses_count': 61619, 'time_zone': 'London'}, 'user_mentions': [{'id': 436429668, 'name': 'Nikkei Asian Review', 'screen_name': 'NAR'}]}, {'created_at': 'Fri Dec 01 22:08:04 +0000 2017', 'hashtags': [{'text': 'automation'}], 'id': 936718566942035974, 'id_str': '936718566942035974', 'lang': 'en', 'media': [{'display_url': 'pic.twitter.com/zv81BF3kxR', 'expanded_url': 'https://twitter.com/CourtneyBedore/status/936718566942035974/photo/1', 'id': 936718564911751168, 'media_url': 'http://pbs.twimg.com/media/DP_kkmQUIAAvvsa.jpg', 'media_url_https': 'https://pbs.twimg.com/media/DP_kkmQUIAAvvsa.jpg', 'sizes': {'large': {'h': 1372, 'resize': 'fit', 'w': 1200}, 'medium': {'h': 1200, 'resize': 'fit', 'w': 1050}, 'small': {'h': 680, 'resize': 'fit', 'w': 595}, 'thumb': {'h': 150, 'resize': 'crop', 'w': 150}}, 'type': 'photo', 'url': 'https://t.co/zv81BF3kxR'}], 'source': '<a href="http://choosejarvis.com" rel="nofollow">Choose Jarvis</a>', 'text': 'Things you need to Automate in your Small Business: https://t.co/Kr0CtXgPN0\n#automation https://t.co/zv81BF3kxR', 'urls': [{'expanded_url': 'http://jrv.is/2fjLJdz', 'url': 'https://t.co/Kr0CtXgPN0'}], 'user': {'created_at': 'Wed May 13 14:59:47 +0000 2015', 'description': 'Helping entrepreneurs & small business owners to make their business more efficient with automation, sales funnels and strategy. Infusionsoft Certified Partner.', 'favourites_count': 115, 'followers_count': 288, 'friends_count': 199, 'id': 3251781983, 'lang': 'en', 'listed_count': 155, 'location': 'Canada', 'name': 'Courtney Bedore', 'profile_background_color': '000000', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/3251781983/1483467756', 'profile_image_url': 'http://pbs.twimg.com/profile_images/816344814694395905/NA1Cx-DB_normal.jpg', 'profile_link_color': '0D1B40', 'profile_sidebar_fill_color': '000000', 'profile_text_color': '000000', 'screen_name': 'CourtneyBedore', 'statuses_count': 11187, 'time_zone': 'Eastern Time (US & Canada)', 'url': 'https://t.co/woLn9WBEBL', 'utc_offset': -18000}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:07:56 +0000 2017', 'hashtags': [{'text': 'cybersecurity'}, {'text': 'automation'}, {'text': 'Security'}], 'id': 936718534998134785, 'id_str': '936718534998134785', 'lang': 'en', 'media': [{'display_url': 'pic.twitter.com/7HOG7TR45i', 'expanded_url': 'https://twitter.com/MASERGY/status/936648661563510784/photo/1', 'id': 936648658820399105, 'media_url': 'http://pbs.twimg.com/media/DP-k_hxWAAEprJX.jpg', 'media_url_https': 'https://pbs.twimg.com/media/DP-k_hxWAAEprJX.jpg', 'sizes': {'large': {'h': 467, 'resize': 'fit', 'w': 700}, 'medium': {'h': 467, 'resize': 'fit', 'w': 700}, 'small': {'h': 454, 'resize': 'fit', 'w': 680}, 'thumb': {'h': 150, 'resize': 'crop', 'w': 150}}, 'type': 'photo', 'url': 'https://t.co/7HOG7TR45i'}], 'source': '<a href="http://gaggleamp.com/twit/" rel="nofollow">GaggleAMP</a>', 'text': 'RT @MASERGY: The future of #cybersecurity part II: The need for #automation! https://t.co/1tsc86rue2 #Security https://t.co/7HOG7TR45i', 'urls': [{'expanded_url': 'http://gag.gl/RcW8Ga', 'url': 'https://t.co/1tsc86rue2'}], 'user': {'created_at': 'Thu Jul 24 18:34:22 +0000 2014', 'default_profile': true, 'favourites_count': 4, 'followers_count': 44, 'friends_count': 122, 'id': 2677739844, 'lang': 'en', 'listed_count': 99, 'location': 'Massachusetts, USA', 'name': 'Dustin Puccio', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_image_url': 'http://pbs.twimg.com/profile_images/654032835288924160/2XrcTjYY_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'DustinPuccio', 'statuses_count': 2673, 'url': 'https://t.co/lgthfhgkJv'}, 'user_mentions': [{'id': 105949998, 'name': 'Masergy', 'screen_name': 'MASERGY'}]}, {'created_at': 'Fri Dec 01 22:07:55 +0000 2017', 'hashtags': [], 'id': 936718529306427392, 'id_str': '936718529306427392', 'lang': 'en', 'possibly_sensitive': true, 'source': '<a href="http://www.google.com/" rel="nofollow">Google</a>', 'text': 'States see potential in intelligent automation, <b>blockchain</b>: HHS officials in Georgia… https://t.co/e5oghRWsB6', 'urls': [{'expanded_url': 'https://goo.gl/fb/yT9RQG', 'url': 'https://t.co/e5oghRWsB6'}], 'user': {'created_at': 'Sat Jul 09 16:08:42 +0000 2016', 'default_profile': true, 'description': 'today in #3Dprint\n#hadronscollider\n#medtech\n#cinema\n#technology\n#syntheticbiology\n#trends\n#VR\n#music\n#artificialintelligence\n#theater\n#cryptocurrency\n#art', 'favourites_count': 1, 'followers_count': 7690, 'friends_count': 6237, 'id': 751810315759693824, 'lang': 'es', 'listed_count': 22, 'location': 'america', 'name': 'americaearmoney', 'profile_background_color': 'F5F8FA', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/751810315759693824/1468094966', 'profile_image_url': 'http://pbs.twimg.com/profile_images/751890422306263040/M9bayHTx_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'americearnmoney', 'statuses_count': 14131, 'time_zone': 'Eastern Time (US & Canada)', 'utc_offset': -18000}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:07:49 +0000 2017', 'hashtags': [{'text': 'Automation'}, {'text': 'Robot'}, {'text': 'Agile'}], 'id': 936718503826087937, 'id_str': '936718503826087937', 'lang': 'en', 'retweet_count': 3, 'retweeted_status': {'created_at': 'Thu Nov 23 12:25:00 +0000 2017', 'favorite_count': 1, 'hashtags': [{'text': 'Automation'}, {'text': 'Robot'}, {'text': 'Agile'}], 'id': 933672731127693313, 'id_str': '933672731127693313', 'lang': 'en', 'retweet_count': 3, 'source': '<a href="https://about.twitter.com/products/tweetdeck" rel="nofollow">TweetDeck</a>', 'text': "Saurabh Shrihar will present his session 'Unified #Automation Using #Robot Framework for GxP Development in #Agile'… https://t.co/uewINA9mud", 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/933672731127693313', 'url': 'https://t.co/uewINA9mud'}], 'user': {'created_at': 'Mon Oct 03 08:49:18 +0000 2016', 'description': 'Official Twitter of UKSTAR - a new EuroSTAR #SoftwareTesting Conference\ud83d\udc82 12-13 March 2018 \ud83c\uddec\ud83c\udde7155 Bishopsgate, Liverpool St., London', 'favourites_count': 1040, 'followers_count': 498, 'friends_count': 191, 'id': 782865094829105153, 'lang': 'en', 'listed_count': 48, 'location': 'London, England', 'name': 'UKSTAR', 'profile_background_color': '000000', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/782865094829105153/1508226508', 'profile_image_url': 'http://pbs.twimg.com/profile_images/874957047107866624/WtpEWuDp_normal.jpg', 'profile_link_color': '91D2FA', 'profile_sidebar_fill_color': '000000', 'profile_text_color': '000000', 'screen_name': 'UKSTARconf', 'statuses_count': 3547, 'time_zone': 'Dublin', 'url': 'https://t.co/xU5eKYfMRl'}, 'user_mentions': []}, 'source': '<a href="http://twitter.com/download/android" rel="nofollow">Twitter for Android</a>', 'text': "RT @UKSTARconf: Saurabh Shrihar will present his session 'Unified #Automation Using #Robot Framework for GxP Development in #Agile' at #UKS…", 'urls': [], 'user': {'created_at': 'Thu Sep 30 10:41:32 +0000 2010', 'description': 'Testconsultant @CapgeminiNL #Testautomation #QualityAssurance #RobotFramework #Efficiency adviseur @deNBTP', 'favourites_count': 43, 'followers_count': 71, 'friends_count': 112, 'id': 196973275, 'lang': 'en', 'listed_count': 1, 'location': 'The Netherlands ', 'name': 'Elout van Leeuwen', 'profile_background_color': '1A1B1F', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme9/bg.gif', 'profile_image_url': 'http://pbs.twimg.com/profile_images/443687930964357120/vV3nW3lT_normal.jpeg', 'profile_link_color': '2FC2EF', 'profile_sidebar_fill_color': '252429', 'profile_text_color': '666666', 'screen_name': 'EloutvL', 'statuses_count': 762, 'time_zone': 'Amsterdam', 'url': 'https://t.co/XqmkZiRoq6', 'utc_offset': 3600}, 'user_mentions': [{'id': 782865094829105153, 'name': 'UKSTAR', 'screen_name': 'UKSTARconf'}]}, {'created_at': 'Fri Dec 01 22:07:41 +0000 2017', 'hashtags': [{'text': 'eBook'}, {'text': 'sales'}, {'text': 'marketing'}, {'text': 'content'}], 'id': 936718471072763904, 'id_str': '936718471072763904', 'lang': 'en', 'media': [{'display_url': 'pic.twitter.com/ZiqENTIwOf', 'expanded_url': 'https://twitter.com/studiohyperset/status/936718471072763904/photo/1', 'id': 936718469202153475, 'media_url': 'http://pbs.twimg.com/media/DP_kfBtXkAMDRFE.jpg', 'media_url_https': 'https://pbs.twimg.com/media/DP_kfBtXkAMDRFE.jpg', 'sizes': {'large': {'h': 400, 'resize': 'fit', 'w': 800}, 'medium': {'h': 400, 'resize': 'fit', 'w': 800}, 'small': {'h': 340, 'resize': 'fit', 'w': 680}, 'thumb': {'h': 150, 'resize': 'crop', 'w': 150}}, 'type': 'photo', 'url': 'https://t.co/ZiqENTIwOf'}], 'source': '<a href="http://www.hubspot.com/" rel="nofollow">HubSpot</a>', 'text': 'This #eBook is a personal trainer for your website. https://t.co/EVlYguwECW #sales #marketing #content https://t.co/ZiqENTIwOf', 'urls': [{'expanded_url': 'https://hubs.ly/H09gYl-0', 'url': 'https://t.co/EVlYguwECW'}], 'user': {'created_at': 'Sun Mar 21 01:15:25 +0000 2010', 'description': 'Engaging solutions for complex challenges.', 'favourites_count': 773, 'followers_count': 869, 'friends_count': 2641, 'geo_enabled': true, 'id': 124911513, 'lang': 'en', 'listed_count': 332, 'location': 'Huntington Beach, CA', 'name': 'Studio Hyperset', 'profile_background_color': '131516', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme14/bg.gif', 'profile_background_tile': true, 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/124911513/1496773541', 'profile_image_url': 'http://pbs.twimg.com/profile_images/765029210/Logo2.0_normal.png', 'profile_link_color': '009999', 'profile_sidebar_fill_color': 'EFEFEF', 'profile_text_color': '333333', 'screen_name': 'studiohyperset', 'statuses_count': 4177, 'time_zone': 'Pacific Time (US & Canada)', 'url': 'https://t.co/KIAhegvAuv', 'utc_offset': -28800}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:07:40 +0000 2017', 'hashtags': [], 'id': 936718466500972544, 'id_str': '936718466500972544', 'lang': 'en', 'quoted_status_id': 936671583070023681, 'quoted_status_id_str': '936671583070023681', 'retweet_count': 11, 'retweeted_status': {'created_at': 'Fri Dec 01 19:06:55 +0000 2017', 'favorite_count': 22, 'hashtags': [], 'id': 936672980146335744, 'id_str': '936672980146335744', 'lang': 'en', 'quoted_status': {'created_at': 'Fri Dec 01 19:01:22 +0000 2017', 'favorite_count': 20, 'hashtags': [], 'id': 936671583070023681, 'id_str': '936671583070023681', 'lang': 'en', 'retweet_count': 22, 'source': '<a href="http://bufferapp.com" rel="nofollow">Buffer</a>', 'text': 'The Robot Invasion Is Coming\n\nA new study suggests that 800 million jobs could be at risk worldwide by 2030:… https://t.co/N4tdDy8cAj', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936671583070023681', 'url': 'https://t.co/N4tdDy8cAj'}], 'user': {'created_at': 'Wed Mar 28 22:39:21 +0000 2007', 'description': 'Official Twitter feed for the Fast Company business media brand; inspiring readers to think beyond traditional boundaries & create the future of business.', 'favourites_count': 7657, 'followers_count': 2318705, 'friends_count': 4017, 'geo_enabled': true, 'id': 2735591, 'lang': 'en', 'listed_count': 44622, 'location': 'New York, NY', 'name': 'Fast Company', 'profile_background_color': 'FFFFFF', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/425029708/2048x1600-fc-twitter-backgrd.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/2735591/1510956770', 'profile_image_url': 'http://pbs.twimg.com/profile_images/875769219400351744/ib7iIvRF_normal.jpg', 'profile_link_color': '9AB2B4', 'profile_sidebar_fill_color': 'CCCCCC', 'profile_text_color': '000000', 'screen_name': 'FastCompany', 'statuses_count': 173659, 'time_zone': 'Eastern Time (US & Canada)', 'url': 'http://t.co/GBtvUq9rZp', 'utc_offset': -18000, 'verified': true}, 'user_mentions': []}, 'quoted_status_id': 936671583070023681, 'quoted_status_id_str': '936671583070023681', 'retweet_count': 11, 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': 'Much reporting about automation misses the key point - @McKinsey_MGI also forecast work creation that can offset di… https://t.co/RNpcnQ3yzc', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936672980146335744', 'url': 'https://t.co/RNpcnQ3yzc'}], 'user': {'created_at': 'Fri Feb 20 08:36:41 +0000 2009', 'default_profile': true, 'description': 'Public policy research @Uber, with focus on (the future of) work. Brit in SF. Previously: @Coadec, @DFID_UK, @DCMS. Views my own.', 'favourites_count': 10545, 'followers_count': 4893, 'friends_count': 3563, 'geo_enabled': true, 'id': 21383965, 'lang': 'en', 'listed_count': 324, 'location': 'San Francisco, CA', 'name': 'Guy Levin', 'profile_background_color': 'C0DEED', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme1/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/21383965/1506391031', 'profile_image_url': 'http://pbs.twimg.com/profile_images/750314933498351616/wb-C397l_normal.jpg', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'guy_levin', 'statuses_count': 17598, 'time_zone': 'Pacific Time (US & Canada)', 'utc_offset': -28800}, 'user_mentions': [{'id': 348659640, 'name': 'McKinsey Global Inst', 'screen_name': 'McKinsey_MGI'}]}, 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': 'RT @guy_levin: Much reporting about automation misses the key point - @McKinsey_MGI also forecast work creation that can offset displacemen…', 'urls': [], 'user': {'created_at': 'Fri Dec 03 00:06:34 +0000 2010', 'description': 'B.Sc & M.Sc @MaritimeCollege \ud83c\uddfa\ud83c\uddec UNAA COUNCIL MEMBER\nBreaking Barriers- Vice President', 'favourites_count': 14910, 'followers_count': 439, 'friends_count': 747, 'geo_enabled': true, 'id': 222288273, 'lang': 'en', 'listed_count': 4, 'location': 'Throgs Neck, Bronx', 'name': 'Amooti', 'profile_background_color': '022330', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme15/bg.png', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/222288273/1465223558', 'profile_image_url': 'http://pbs.twimg.com/profile_images/901297971266019330/RLkB-wxn_normal.jpg', 'profile_link_color': '0084B4', 'profile_sidebar_fill_color': 'C0DFEC', 'profile_text_color': '333333', 'screen_name': 'Timkazinduka', 'statuses_count': 57756, 'time_zone': 'Central Time (US & Canada)', 'utc_offset': -21600}, 'user_mentions': [{'id': 21383965, 'name': 'Guy Levin', 'screen_name': 'guy_levin'}, {'id': 348659640, 'name': 'McKinsey Global Inst', 'screen_name': 'McKinsey_MGI'}]}, {'created_at': 'Fri Dec 01 22:07:33 +0000 2017', 'hashtags': [], 'id': 936718438097149953, 'id_str': '936718438097149953', 'lang': 'en', 'source': '<a href="http://twitter.com" rel="nofollow">Twitter Web Client</a>', 'text': 'Data to share in Twitter is: 12/1/2017 10:06:57 PM', 'urls': [], 'user': {'created_at': 'Sun Jul 30 07:08:31 +0000 2017', 'default_profile': true, 'default_profile_image': true, 'followers_count': 1, 'id': 891556090722353152, 'lang': 'he', 'name': 'automation_pbUS', 'profile_background_color': 'F5F8FA', 'profile_image_url': 'http://abs.twimg.com/sticky/default_profile_images/default_profile_normal.png', 'profile_link_color': '1DA1F2', 'profile_sidebar_fill_color': 'DDEEF6', 'profile_text_color': '333333', 'screen_name': 'automation_pbUS', 'statuses_count': 896}, 'user_mentions': []}, {'created_at': 'Fri Dec 01 22:07:25 +0000 2017', 'hashtags': [], 'id': 936718403737407489, 'id_str': '936718403737407489', 'lang': 'en', 'retweet_count': 81, 'retweeted_status': {'created_at': 'Fri Dec 01 06:03:23 +0000 2017', 'favorite_count': 309, 'hashtags': [], 'id': 936475797648326656, 'id_str': '936475797648326656', 'lang': 'en', 'retweet_count': 81, 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': 'AlI gotta say is it’s a good thing we’re about to make billionaires invincible at the same time media companies con… https://t.co/QpaS84g3Ln', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936475797648326656', 'url': 'https://t.co/QpaS84g3Ln'}], 'user': {'created_at': 'Sat Aug 11 16:36:14 +0000 2007', 'description': 'writer at midnight / adult swim / the onion / the art of the deal: the movie / the fake news with ted nelms', 'favourites_count': 28232, 'followers_count': 29085, 'friends_count': 1277, 'geo_enabled': true, 'id': 8126322, 'lang': 'en', 'listed_count': 1005, 'location': 'los angeles ', 'name': 'Joe R', 'profile_background_color': '1A1B1F', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme9/bg.gif', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/8126322/1482126803', 'profile_image_url': 'http://pbs.twimg.com/profile_images/815651058370236416/ujwY9QXT_normal.jpg', 'profile_link_color': '2FC2EF', 'profile_sidebar_fill_color': '252429', 'profile_text_color': '666666', 'screen_name': 'Randazzoj', 'statuses_count': 63057, 'time_zone': 'Pacific Time (US & Canada)', 'url': 'https://t.co/t934FoJ5b5', 'utc_offset': -28800, 'verified': true}, 'user_mentions': []}, 'source': '<a href="http://twitter.com/download/iphone" rel="nofollow">Twitter for iPhone</a>', 'text': 'RT @Randazzoj: AlI gotta say is it’s a good thing we’re about to make billionaires invincible at the same time media companies consolidate…', 'urls': [], 'user': {'created_at': 'Fri Dec 18 22:43:58 +0000 2009', 'description': 'It’s later than you think.', 'favourites_count': 8531, 'followers_count': 207, 'friends_count': 433, 'geo_enabled': true, 'id': 97764102, 'lang': 'en', 'name': 'M̩ichael', 'profile_background_color': '8B542B', 'profile_background_image_url': 'http://pbs.twimg.com/profile_background_images/425823328/Pavomuticus.jpg', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/97764102/1480137423', 'profile_image_url': 'http://pbs.twimg.com/profile_images/933895406882381824/H4IDrJUx_normal.jpg', 'profile_link_color': '9D582E', 'profile_sidebar_fill_color': 'EADEAA', 'profile_text_color': '333333', 'screen_name': 'DasMuchomas', 'statuses_count': 12325, 'time_zone': 'Mountain Time (US & Canada)', 'utc_offset': -25200}, 'user_mentions': [{'id': 8126322, 'name': 'Joe R', 'screen_name': 'Randazzoj'}]}, {'created_at': 'Fri Dec 01 22:07:16 +0000 2017', 'hashtags': [], 'id': 936718365044944896, 'id_str': '936718365044944896', 'lang': 'en', 'source': '<a href="http://www.facebook.com/twitter" rel="nofollow">Facebook</a>', 'text': 'If your integration tests fail because of core flaws in the software, then you should have done more unit testing..… https://t.co/QFTaOcOpxD', 'truncated': true, 'urls': [{'expanded_url': 'https://twitter.com/i/web/status/936718365044944896', 'url': 'https://t.co/QFTaOcOpxD'}], 'user': {'created_at': 'Tue Aug 09 22:34:17 +0000 2011', 'description': 'Ranting about software development, security, IoT and automotive. Shutterbug. RT != endorsement. #StaticAnalysis #iot #infosec #cybersecurity #appsec #swsec', 'favourites_count': 177, 'followers_count': 5873, 'friends_count': 598, 'geo_enabled': true, 'id': 351927492, 'lang': 'en', 'listed_count': 333, 'location': 'Los Angeles', 'name': 'The Code Curmudgeon', 'profile_background_color': '000000', 'profile_background_image_url': 'http://abs.twimg.com/images/themes/theme14/bg.gif', 'profile_banner_url': 'https://pbs.twimg.com/profile_banners/351927492/1466024505', 'profile_image_url': 'http://pbs.twimg.com/profile_images/743185200893427712/2a1CKaVi_normal.jpg', 'profile_link_color': 'DDDDDD', 'profile_sidebar_fill_color': '000000', 'profile_text_color': '000000', 'screen_name': 'CodeCurmudgeon', 'statuses_count': 6968, 'time_zone': 'Pacific Time (US & Canada)', 'url': 'http://t.co/UqdlvvZimc', 'utc_offset': -28800}, 'user_mentions': []}] |
#
# PySNMP MIB module ENTERASYS-DIAGNOSTIC-MESSAGE-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/ENTERASYS-DIAGNOSTIC-MESSAGE-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 18:48:52 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
Integer, ObjectIdentifier, OctetString = mibBuilder.importSymbols("ASN1", "Integer", "ObjectIdentifier", "OctetString")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsUnion, SingleValueConstraint, ValueSizeConstraint, ValueRangeConstraint, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "SingleValueConstraint", "ValueSizeConstraint", "ValueRangeConstraint", "ConstraintsIntersection")
etsysModules, = mibBuilder.importSymbols("ENTERASYS-MIB-NAMES", "etsysModules")
SnmpAdminString, = mibBuilder.importSymbols("SNMP-FRAMEWORK-MIB", "SnmpAdminString")
NotificationGroup, ObjectGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ObjectGroup", "ModuleCompliance")
TimeTicks, iso, Counter64, IpAddress, Unsigned32, NotificationType, Integer32, Gauge32, MibIdentifier, ObjectIdentity, ModuleIdentity, MibScalar, MibTable, MibTableRow, MibTableColumn, Counter32, Bits = mibBuilder.importSymbols("SNMPv2-SMI", "TimeTicks", "iso", "Counter64", "IpAddress", "Unsigned32", "NotificationType", "Integer32", "Gauge32", "MibIdentifier", "ObjectIdentity", "ModuleIdentity", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Counter32", "Bits")
TextualConvention, DateAndTime, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DateAndTime", "DisplayString")
etsysDiagnosticMessageMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13))
etsysDiagnosticMessageMIB.setRevisions(('2003-01-10 21:17', '2002-06-07 14:28', '2001-12-03 19:51', '2001-08-08 00:00',))
if mibBuilder.loadTexts: etsysDiagnosticMessageMIB.setLastUpdated('200304252048Z')
if mibBuilder.loadTexts: etsysDiagnosticMessageMIB.setOrganization('Enterasys Networks')
class LongAdminString(TextualConvention, OctetString):
reference = 'RFC2571 (An Architecture for Describing SNMP Management Frameworks)'
status = 'current'
displayHint = '1024a'
subtypeSpec = OctetString.subtypeSpec + ValueSizeConstraint(0, 1024)
etsysDiagnosticMessage = MibIdentifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 1))
etsysDiagnosticMessageDetails = MibIdentifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 2))
etsysDiagnosticMessageCount = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: etsysDiagnosticMessageCount.setStatus('current')
etsysDiagnosticMessageChanges = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: etsysDiagnosticMessageChanges.setStatus('current')
etsysDiagnosticMessageTable = MibTable((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 1, 3), )
if mibBuilder.loadTexts: etsysDiagnosticMessageTable.setStatus('current')
etsysDiagnosticMessageEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 1, 3, 1), ).setIndexNames((0, "ENTERASYS-DIAGNOSTIC-MESSAGE-MIB", "etsysDiagnosticMessageIndex"))
if mibBuilder.loadTexts: etsysDiagnosticMessageEntry.setStatus('current')
etsysDiagnosticMessageIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 1, 3, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 4294967295)))
if mibBuilder.loadTexts: etsysDiagnosticMessageIndex.setStatus('current')
etsysDiagnosticMessageTime = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 1, 3, 1, 2), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: etsysDiagnosticMessageTime.setStatus('current')
etsysDiagnosticMessageType = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 1, 3, 1, 3), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: etsysDiagnosticMessageType.setStatus('current')
etsysDiagnosticMessageSummary = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 1, 3, 1, 4), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readonly")
if mibBuilder.loadTexts: etsysDiagnosticMessageSummary.setStatus('current')
etsysDiagnosticMessageFWRevision = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 1, 3, 1, 5), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: etsysDiagnosticMessageFWRevision.setStatus('current')
etsysDiagnosticMessageStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 1, 3, 1, 6), Bits().clone(namedValues=NamedValues(("etsysDiagnosticMessageBadChecksum", 0)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: etsysDiagnosticMessageStatus.setStatus('current')
etsysDiagnosticMessageDetailsTable = MibTable((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 2, 1), )
if mibBuilder.loadTexts: etsysDiagnosticMessageDetailsTable.setStatus('current')
etsysDiagnosticMessageDetailsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 2, 1, 1), ).setIndexNames((0, "ENTERASYS-DIAGNOSTIC-MESSAGE-MIB", "etsysDiagnosticMessageIndex"), (0, "ENTERASYS-DIAGNOSTIC-MESSAGE-MIB", "etsysDiagnosticMessageDetailsIndex"))
if mibBuilder.loadTexts: etsysDiagnosticMessageDetailsEntry.setStatus('current')
etsysDiagnosticMessageDetailsIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 2, 1, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 1024)))
if mibBuilder.loadTexts: etsysDiagnosticMessageDetailsIndex.setStatus('current')
etsysDiagnosticMessageDetailsText = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 2, 1, 1, 2), LongAdminString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: etsysDiagnosticMessageDetailsText.setStatus('current')
etsysDiagnosticMessageDetailsStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 2, 1, 1, 3), Bits().clone(namedValues=NamedValues(("etsysDiagnosticMessageLastSegment", 0)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: etsysDiagnosticMessageDetailsStatus.setStatus('current')
etsysDiagnosticMessageConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 3))
etsysDiagnosticMessageGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 3, 1))
etsysDiagnosticMessageCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 3, 2))
etsysDiagnosticMessageGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 3, 1, 1)).setObjects(("ENTERASYS-DIAGNOSTIC-MESSAGE-MIB", "etsysDiagnosticMessageCount"), ("ENTERASYS-DIAGNOSTIC-MESSAGE-MIB", "etsysDiagnosticMessageChanges"), ("ENTERASYS-DIAGNOSTIC-MESSAGE-MIB", "etsysDiagnosticMessageTime"), ("ENTERASYS-DIAGNOSTIC-MESSAGE-MIB", "etsysDiagnosticMessageType"), ("ENTERASYS-DIAGNOSTIC-MESSAGE-MIB", "etsysDiagnosticMessageSummary"), ("ENTERASYS-DIAGNOSTIC-MESSAGE-MIB", "etsysDiagnosticMessageFWRevision"), ("ENTERASYS-DIAGNOSTIC-MESSAGE-MIB", "etsysDiagnosticMessageStatus"), ("ENTERASYS-DIAGNOSTIC-MESSAGE-MIB", "etsysDiagnosticMessageDetailsText"), ("ENTERASYS-DIAGNOSTIC-MESSAGE-MIB", "etsysDiagnosticMessageDetailsStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
etsysDiagnosticMessageGroup = etsysDiagnosticMessageGroup.setStatus('current')
etsysDiagnosticMessageCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 3, 2, 1)).setObjects(("ENTERASYS-DIAGNOSTIC-MESSAGE-MIB", "etsysDiagnosticMessageGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
etsysDiagnosticMessageCompliance = etsysDiagnosticMessageCompliance.setStatus('current')
mibBuilder.exportSymbols("ENTERASYS-DIAGNOSTIC-MESSAGE-MIB", etsysDiagnosticMessageConformance=etsysDiagnosticMessageConformance, LongAdminString=LongAdminString, etsysDiagnosticMessageChanges=etsysDiagnosticMessageChanges, etsysDiagnosticMessageStatus=etsysDiagnosticMessageStatus, etsysDiagnosticMessageCompliances=etsysDiagnosticMessageCompliances, etsysDiagnosticMessageMIB=etsysDiagnosticMessageMIB, etsysDiagnosticMessageDetailsIndex=etsysDiagnosticMessageDetailsIndex, etsysDiagnosticMessageDetailsEntry=etsysDiagnosticMessageDetailsEntry, etsysDiagnosticMessageTable=etsysDiagnosticMessageTable, etsysDiagnosticMessageDetails=etsysDiagnosticMessageDetails, etsysDiagnosticMessageEntry=etsysDiagnosticMessageEntry, etsysDiagnosticMessageGroups=etsysDiagnosticMessageGroups, etsysDiagnosticMessageSummary=etsysDiagnosticMessageSummary, etsysDiagnosticMessageType=etsysDiagnosticMessageType, etsysDiagnosticMessageDetailsStatus=etsysDiagnosticMessageDetailsStatus, etsysDiagnosticMessageDetailsText=etsysDiagnosticMessageDetailsText, etsysDiagnosticMessageTime=etsysDiagnosticMessageTime, etsysDiagnosticMessageDetailsTable=etsysDiagnosticMessageDetailsTable, etsysDiagnosticMessageFWRevision=etsysDiagnosticMessageFWRevision, PYSNMP_MODULE_ID=etsysDiagnosticMessageMIB, etsysDiagnosticMessageGroup=etsysDiagnosticMessageGroup, etsysDiagnosticMessage=etsysDiagnosticMessage, etsysDiagnosticMessageIndex=etsysDiagnosticMessageIndex, etsysDiagnosticMessageCount=etsysDiagnosticMessageCount, etsysDiagnosticMessageCompliance=etsysDiagnosticMessageCompliance)
| (integer, object_identifier, octet_string) = mibBuilder.importSymbols('ASN1', 'Integer', 'ObjectIdentifier', 'OctetString')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(constraints_union, single_value_constraint, value_size_constraint, value_range_constraint, constraints_intersection) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsUnion', 'SingleValueConstraint', 'ValueSizeConstraint', 'ValueRangeConstraint', 'ConstraintsIntersection')
(etsys_modules,) = mibBuilder.importSymbols('ENTERASYS-MIB-NAMES', 'etsysModules')
(snmp_admin_string,) = mibBuilder.importSymbols('SNMP-FRAMEWORK-MIB', 'SnmpAdminString')
(notification_group, object_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ObjectGroup', 'ModuleCompliance')
(time_ticks, iso, counter64, ip_address, unsigned32, notification_type, integer32, gauge32, mib_identifier, object_identity, module_identity, mib_scalar, mib_table, mib_table_row, mib_table_column, counter32, bits) = mibBuilder.importSymbols('SNMPv2-SMI', 'TimeTicks', 'iso', 'Counter64', 'IpAddress', 'Unsigned32', 'NotificationType', 'Integer32', 'Gauge32', 'MibIdentifier', 'ObjectIdentity', 'ModuleIdentity', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Counter32', 'Bits')
(textual_convention, date_and_time, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DateAndTime', 'DisplayString')
etsys_diagnostic_message_mib = module_identity((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13))
etsysDiagnosticMessageMIB.setRevisions(('2003-01-10 21:17', '2002-06-07 14:28', '2001-12-03 19:51', '2001-08-08 00:00'))
if mibBuilder.loadTexts:
etsysDiagnosticMessageMIB.setLastUpdated('200304252048Z')
if mibBuilder.loadTexts:
etsysDiagnosticMessageMIB.setOrganization('Enterasys Networks')
class Longadminstring(TextualConvention, OctetString):
reference = 'RFC2571 (An Architecture for Describing SNMP Management Frameworks)'
status = 'current'
display_hint = '1024a'
subtype_spec = OctetString.subtypeSpec + value_size_constraint(0, 1024)
etsys_diagnostic_message = mib_identifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 1))
etsys_diagnostic_message_details = mib_identifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 2))
etsys_diagnostic_message_count = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
etsysDiagnosticMessageCount.setStatus('current')
etsys_diagnostic_message_changes = mib_scalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
etsysDiagnosticMessageChanges.setStatus('current')
etsys_diagnostic_message_table = mib_table((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 1, 3))
if mibBuilder.loadTexts:
etsysDiagnosticMessageTable.setStatus('current')
etsys_diagnostic_message_entry = mib_table_row((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 1, 3, 1)).setIndexNames((0, 'ENTERASYS-DIAGNOSTIC-MESSAGE-MIB', 'etsysDiagnosticMessageIndex'))
if mibBuilder.loadTexts:
etsysDiagnosticMessageEntry.setStatus('current')
etsys_diagnostic_message_index = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 1, 3, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 4294967295)))
if mibBuilder.loadTexts:
etsysDiagnosticMessageIndex.setStatus('current')
etsys_diagnostic_message_time = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 1, 3, 1, 2), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
etsysDiagnosticMessageTime.setStatus('current')
etsys_diagnostic_message_type = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 1, 3, 1, 3), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
etsysDiagnosticMessageType.setStatus('current')
etsys_diagnostic_message_summary = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 1, 3, 1, 4), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
etsysDiagnosticMessageSummary.setStatus('current')
etsys_diagnostic_message_fw_revision = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 1, 3, 1, 5), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
etsysDiagnosticMessageFWRevision.setStatus('current')
etsys_diagnostic_message_status = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 1, 3, 1, 6), bits().clone(namedValues=named_values(('etsysDiagnosticMessageBadChecksum', 0)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
etsysDiagnosticMessageStatus.setStatus('current')
etsys_diagnostic_message_details_table = mib_table((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 2, 1))
if mibBuilder.loadTexts:
etsysDiagnosticMessageDetailsTable.setStatus('current')
etsys_diagnostic_message_details_entry = mib_table_row((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 2, 1, 1)).setIndexNames((0, 'ENTERASYS-DIAGNOSTIC-MESSAGE-MIB', 'etsysDiagnosticMessageIndex'), (0, 'ENTERASYS-DIAGNOSTIC-MESSAGE-MIB', 'etsysDiagnosticMessageDetailsIndex'))
if mibBuilder.loadTexts:
etsysDiagnosticMessageDetailsEntry.setStatus('current')
etsys_diagnostic_message_details_index = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 2, 1, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 1024)))
if mibBuilder.loadTexts:
etsysDiagnosticMessageDetailsIndex.setStatus('current')
etsys_diagnostic_message_details_text = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 2, 1, 1, 2), long_admin_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
etsysDiagnosticMessageDetailsText.setStatus('current')
etsys_diagnostic_message_details_status = mib_table_column((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 2, 1, 1, 3), bits().clone(namedValues=named_values(('etsysDiagnosticMessageLastSegment', 0)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
etsysDiagnosticMessageDetailsStatus.setStatus('current')
etsys_diagnostic_message_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 3))
etsys_diagnostic_message_groups = mib_identifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 3, 1))
etsys_diagnostic_message_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 3, 2))
etsys_diagnostic_message_group = object_group((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 3, 1, 1)).setObjects(('ENTERASYS-DIAGNOSTIC-MESSAGE-MIB', 'etsysDiagnosticMessageCount'), ('ENTERASYS-DIAGNOSTIC-MESSAGE-MIB', 'etsysDiagnosticMessageChanges'), ('ENTERASYS-DIAGNOSTIC-MESSAGE-MIB', 'etsysDiagnosticMessageTime'), ('ENTERASYS-DIAGNOSTIC-MESSAGE-MIB', 'etsysDiagnosticMessageType'), ('ENTERASYS-DIAGNOSTIC-MESSAGE-MIB', 'etsysDiagnosticMessageSummary'), ('ENTERASYS-DIAGNOSTIC-MESSAGE-MIB', 'etsysDiagnosticMessageFWRevision'), ('ENTERASYS-DIAGNOSTIC-MESSAGE-MIB', 'etsysDiagnosticMessageStatus'), ('ENTERASYS-DIAGNOSTIC-MESSAGE-MIB', 'etsysDiagnosticMessageDetailsText'), ('ENTERASYS-DIAGNOSTIC-MESSAGE-MIB', 'etsysDiagnosticMessageDetailsStatus'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
etsys_diagnostic_message_group = etsysDiagnosticMessageGroup.setStatus('current')
etsys_diagnostic_message_compliance = module_compliance((1, 3, 6, 1, 4, 1, 5624, 1, 2, 13, 3, 2, 1)).setObjects(('ENTERASYS-DIAGNOSTIC-MESSAGE-MIB', 'etsysDiagnosticMessageGroup'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
etsys_diagnostic_message_compliance = etsysDiagnosticMessageCompliance.setStatus('current')
mibBuilder.exportSymbols('ENTERASYS-DIAGNOSTIC-MESSAGE-MIB', etsysDiagnosticMessageConformance=etsysDiagnosticMessageConformance, LongAdminString=LongAdminString, etsysDiagnosticMessageChanges=etsysDiagnosticMessageChanges, etsysDiagnosticMessageStatus=etsysDiagnosticMessageStatus, etsysDiagnosticMessageCompliances=etsysDiagnosticMessageCompliances, etsysDiagnosticMessageMIB=etsysDiagnosticMessageMIB, etsysDiagnosticMessageDetailsIndex=etsysDiagnosticMessageDetailsIndex, etsysDiagnosticMessageDetailsEntry=etsysDiagnosticMessageDetailsEntry, etsysDiagnosticMessageTable=etsysDiagnosticMessageTable, etsysDiagnosticMessageDetails=etsysDiagnosticMessageDetails, etsysDiagnosticMessageEntry=etsysDiagnosticMessageEntry, etsysDiagnosticMessageGroups=etsysDiagnosticMessageGroups, etsysDiagnosticMessageSummary=etsysDiagnosticMessageSummary, etsysDiagnosticMessageType=etsysDiagnosticMessageType, etsysDiagnosticMessageDetailsStatus=etsysDiagnosticMessageDetailsStatus, etsysDiagnosticMessageDetailsText=etsysDiagnosticMessageDetailsText, etsysDiagnosticMessageTime=etsysDiagnosticMessageTime, etsysDiagnosticMessageDetailsTable=etsysDiagnosticMessageDetailsTable, etsysDiagnosticMessageFWRevision=etsysDiagnosticMessageFWRevision, PYSNMP_MODULE_ID=etsysDiagnosticMessageMIB, etsysDiagnosticMessageGroup=etsysDiagnosticMessageGroup, etsysDiagnosticMessage=etsysDiagnosticMessage, etsysDiagnosticMessageIndex=etsysDiagnosticMessageIndex, etsysDiagnosticMessageCount=etsysDiagnosticMessageCount, etsysDiagnosticMessageCompliance=etsysDiagnosticMessageCompliance) |
x:str = "Hello"
y:str = "World"
z:str = ""
z = x + y
z = x[0]
x = y = z
| x: str = 'Hello'
y: str = 'World'
z: str = ''
z = x + y
z = x[0]
x = y = z |
lines = open('input.txt', 'r').readlines()
# part one
grid = dict()
for line in lines:
# extract coord
(x1, y1, x2, y2) = [int(coord) for coord_string in line.split(" -> ") for coord in coord_string.split(",")]
# parallel to x-axis
if x1 == x2:
for y in range(min(y1,y2), max(y1,y2)+1):
if (x1, y) not in grid:
grid[(x1, y)] = 0
grid[(x1, y)] += 1
# parallel to y-axis
elif y1 == y2:
for x in range(min(x1, x2), max(x1, x2)+1):
if (x, y1) not in grid:
grid[(x, y1)] = 0
grid[(x, y1)] += 1
highest_count = 0
for val in grid.values():
if val >= 2:
highest_count += 1
print(highest_count)
# part two
grid = dict()
for line in lines:
(x1, y1, x2, y2) = [int(coord) for coord_string in line.split(" -> ") for coord in coord_string.split(",")]
# parallel to x-axis
if x1 == x2:
for y in range(min(y1, y2), max(y1, y2) + 1):
if (x1, y) not in grid:
grid[(x1, y)] = 0
grid[(x1, y)] += 1
# parallel to y-axis
elif y1 == y2:
for x in range(min(x1, x2), max(x1, x2) + 1):
if (x, y1) not in grid:
grid[(x, y1)] = 0
grid[(x, y1)] += 1
else:
# check for diagonal
for diag_counter in range(0, max(x1, x2)-min(x1, x2)+1):
signX = -1 if x1 > x2 else 1 # determine direction to move
signY = -1 if y1 > y2 else 1 # determine direction to move
x = x1 + signX * diag_counter
y = y1 + signY * diag_counter
if (x,y) not in grid:
grid[(x,y)] = 0
grid[(x,y)] += 1
highest_count = 0
for val in grid.values():
if val >= 2:
highest_count += 1
print(highest_count)
| lines = open('input.txt', 'r').readlines()
grid = dict()
for line in lines:
(x1, y1, x2, y2) = [int(coord) for coord_string in line.split(' -> ') for coord in coord_string.split(',')]
if x1 == x2:
for y in range(min(y1, y2), max(y1, y2) + 1):
if (x1, y) not in grid:
grid[x1, y] = 0
grid[x1, y] += 1
elif y1 == y2:
for x in range(min(x1, x2), max(x1, x2) + 1):
if (x, y1) not in grid:
grid[x, y1] = 0
grid[x, y1] += 1
highest_count = 0
for val in grid.values():
if val >= 2:
highest_count += 1
print(highest_count)
grid = dict()
for line in lines:
(x1, y1, x2, y2) = [int(coord) for coord_string in line.split(' -> ') for coord in coord_string.split(',')]
if x1 == x2:
for y in range(min(y1, y2), max(y1, y2) + 1):
if (x1, y) not in grid:
grid[x1, y] = 0
grid[x1, y] += 1
elif y1 == y2:
for x in range(min(x1, x2), max(x1, x2) + 1):
if (x, y1) not in grid:
grid[x, y1] = 0
grid[x, y1] += 1
else:
for diag_counter in range(0, max(x1, x2) - min(x1, x2) + 1):
sign_x = -1 if x1 > x2 else 1
sign_y = -1 if y1 > y2 else 1
x = x1 + signX * diag_counter
y = y1 + signY * diag_counter
if (x, y) not in grid:
grid[x, y] = 0
grid[x, y] += 1
highest_count = 0
for val in grid.values():
if val >= 2:
highest_count += 1
print(highest_count) |
query = input('Pick a number less than the magnitude of 10^8. Note- any multiple of 7 will give an unusual answer. Use a number that is not a multiple '
'of 7 for the best results. ')
print('\nYou have picked the number ' + str(query) + '. To demonstrate the cyclic nature of the number 142857, let\'s '
'begin by multiplying ' + str(query) + ' and 142857.')
var1 = 142857 * query
if len(str(var1)) == 6:
print('\nThis gives us a result of ' + str(var1) + ', which is a permutation of 142857.')
#FIGURE OUT HOW TO STOP CODE HERE
def last6(num):
return int(str(num)[len(str(num)) - 6::])
def firstNums(num):
return int(str(num)[:len(str(num)) - 6])
result = (firstNums(var1) + last6(var1))
print('\nThis gives us the result ' + str(var1) + '.')
print('\nNext, we add the last 6 digits, which are ' + str(last6(var1)) + ', to the remaining digits in front, which in '
'this case is ' + str(firstNums(var1)) + '.')
if 0 != query % 7:
print('\nThis gives us a result of ' + str(result) + ', which is a permutation of 142857.')
else:
print('\nThis gives us a result of ' + str(result) + ', which is not a permutation of 142857! Any multiple of 7 will '
'cause a result of a repeating sequence of 9s. ')
| query = input('Pick a number less than the magnitude of 10^8. Note- any multiple of 7 will give an unusual answer. Use a number that is not a multiple of 7 for the best results. ')
print('\nYou have picked the number ' + str(query) + ". To demonstrate the cyclic nature of the number 142857, let's begin by multiplying " + str(query) + ' and 142857.')
var1 = 142857 * query
if len(str(var1)) == 6:
print('\nThis gives us a result of ' + str(var1) + ', which is a permutation of 142857.')
def last6(num):
return int(str(num)[len(str(num)) - 6:])
def first_nums(num):
return int(str(num)[:len(str(num)) - 6])
result = first_nums(var1) + last6(var1)
print('\nThis gives us the result ' + str(var1) + '.')
print('\nNext, we add the last 6 digits, which are ' + str(last6(var1)) + ', to the remaining digits in front, which in this case is ' + str(first_nums(var1)) + '.')
if 0 != query % 7:
print('\nThis gives us a result of ' + str(result) + ', which is a permutation of 142857.')
else:
print('\nThis gives us a result of ' + str(result) + ', which is not a permutation of 142857! Any multiple of 7 will cause a result of a repeating sequence of 9s. ') |
# This program displays a person's
# name and address
print('Kate Austen')
print('123 Full Circle Drive')
print('Ashville, NC 28899') | print('Kate Austen')
print('123 Full Circle Drive')
print('Ashville, NC 28899') |
# Inserting a new node in DLL at end
# 7 step procedure
#Node class
class Node:
def __init__(self, next = None, prev = None, data = None):
self.next = next
self.prev = prev
self.data = data
#DLL class
class DoublyLinkedList:
def __init__(self):
self.head = None
def append(self, new_data):
#1. allocate new node 2. put in the data
new_node = Node(data = new_data)
last = self.head
#3. make next of last node as null, as it will be inserted at end
new_node.next = None
#4. is list is empty make new node as head of the list
if self.head is None:
new_node.prev = None
self.head = new_node
return
#5. else traverse till the last point
while (last.next is not None):
last = last.next
#6. change the next of last node
last.next = new_node
#change prev of new node
new_node.pev = last
| class Node:
def __init__(self, next=None, prev=None, data=None):
self.next = next
self.prev = prev
self.data = data
class Doublylinkedlist:
def __init__(self):
self.head = None
def append(self, new_data):
new_node = node(data=new_data)
last = self.head
new_node.next = None
if self.head is None:
new_node.prev = None
self.head = new_node
return
while last.next is not None:
last = last.next
last.next = new_node
new_node.pev = last |
a = 0
a += 5 #Suma en asignacion
a -= 10 #Resta en asignacion
a *= 2 #Producto de asignacion
a /= 2 #Division de asignacion
a %= 2 #Modulo de asinacion
a **= 10
numero_magico = 12345679
numero_usuario = int(input("Numero entre 1 y 9: "))
numero_usuario *= 9
numero_magico *= numero_usuario
print (numero_magico)
| a = 0
a += 5
a -= 10
a *= 2
a /= 2
a %= 2
a **= 10
numero_magico = 12345679
numero_usuario = int(input('Numero entre 1 y 9: '))
numero_usuario *= 9
numero_magico *= numero_usuario
print(numero_magico) |
'''Faca um Programa que leia um numero de 0 a 9999 e mostre na tela cada um dos gigitos separados
Ex: 1834
4 Unidades , 3 Dezenas , 8 Centenas , 1 Milhar
'''
numero = input('Digite um Numero de O a 9999: ')
print('\033[31m {} \033[m,Unidades '.format(numero[3]))
print('\033[32m {} \033[m,Dezenas '.format(numero[2]))
print('\033[33m {} \033[m, Centenas '.format(numero[1]))
print('\033[34m {} \033[m, Milhar '.format(numero[0])) | """Faca um Programa que leia um numero de 0 a 9999 e mostre na tela cada um dos gigitos separados
Ex: 1834
4 Unidades , 3 Dezenas , 8 Centenas , 1 Milhar
"""
numero = input('Digite um Numero de O a 9999: ')
print('\x1b[31m {} \x1b[m,Unidades '.format(numero[3]))
print('\x1b[32m {} \x1b[m,Dezenas '.format(numero[2]))
print('\x1b[33m {} \x1b[m, Centenas '.format(numero[1]))
print('\x1b[34m {} \x1b[m, Milhar '.format(numero[0])) |
# import pytest
class TestNameSpace:
def test___call__(self): # synced
assert True
def test___len__(self): # synced
assert True
def test___getitem__(self): # synced
assert True
def test___setitem__(self): # synced
assert True
def test___delitem__(self): # synced
assert True
def test___iter__(self): # synced
assert True
def test___contains__(self): # synced
assert True
| class Testnamespace:
def test___call__(self):
assert True
def test___len__(self):
assert True
def test___getitem__(self):
assert True
def test___setitem__(self):
assert True
def test___delitem__(self):
assert True
def test___iter__(self):
assert True
def test___contains__(self):
assert True |
"""Constants for the Govee BLE HCI monitor sensor integration."""
DOMAIN = "govee_ble"
SCANNER = "scanner"
EVENT_DEVICE_ADDED_TO_REGISTRY = f"{DOMAIN}_device_added_to_registry"
| """Constants for the Govee BLE HCI monitor sensor integration."""
domain = 'govee_ble'
scanner = 'scanner'
event_device_added_to_registry = f'{DOMAIN}_device_added_to_registry' |
def part_1():
for i in input:
if (2020-i) in input:
return (2020-i)*i
def part_2():
for i in range(len(input)):
for j in range(i, len(input)):
if (2020 - input[i] - input[j]) in input:
return (2020-input[i]-input[j]) * input[i] * input[j]
if __name__ == "__main__":
input = [1825,1944,1802,1676,1921,1652,1710,1952,1932,1934,1823,1732,1795,1681,1706,1697,1919,1695,2007,1889,1942,961,1868,1878,1723,416,1875,1831,1890,1654,1956,1827,973,1947,1688,1680,1808,1998,1794,1552,1935,1693,1824,1711,1766,1668,1968,1884,217,2003,1869,1658,1953,1829,1984,2005,1973,428,1957,1925,1719,1797,321,1804,1971,922,1976,1863,2008,1806,1833,1809,1707,1954,1811,1815,1915,1799,1917,1664,1937,1775,1685,1756,1940,1660,1859,1916,1989,1763,1994,1716,1689,1866,1708,1670,1982,1870,1847,1627,1819,1786,1828,1640,1699,1722,1737,1882,1666,1871,1703,1770,1623,1837,1636,1655,1930,1739,1810,1805,1861,1922,1993,1896,1760,2002,1779,1633,1972,1856,1641,1718,2004,1730,1826,1923,1753,1735,660,1988,1796,1990,1720,1626,1788,1700,942,1902,1943,1758,1839,1924,938,1634,1724,1983,1683,1687,1904,1907,1757,2001,1910,1849,1781,1981,1743,1851,2009,619,1898,1891,1751,1765,1959,1888,1894,1759,389,1964,1900,1742,1672,1969,1978,1933,1906,1807,1867,1838,1960,1814,1950,1918,1726,1986,1746,2006,1949,1784]
print(part_1())
print(part_2()) | def part_1():
for i in input:
if 2020 - i in input:
return (2020 - i) * i
def part_2():
for i in range(len(input)):
for j in range(i, len(input)):
if 2020 - input[i] - input[j] in input:
return (2020 - input[i] - input[j]) * input[i] * input[j]
if __name__ == '__main__':
input = [1825, 1944, 1802, 1676, 1921, 1652, 1710, 1952, 1932, 1934, 1823, 1732, 1795, 1681, 1706, 1697, 1919, 1695, 2007, 1889, 1942, 961, 1868, 1878, 1723, 416, 1875, 1831, 1890, 1654, 1956, 1827, 973, 1947, 1688, 1680, 1808, 1998, 1794, 1552, 1935, 1693, 1824, 1711, 1766, 1668, 1968, 1884, 217, 2003, 1869, 1658, 1953, 1829, 1984, 2005, 1973, 428, 1957, 1925, 1719, 1797, 321, 1804, 1971, 922, 1976, 1863, 2008, 1806, 1833, 1809, 1707, 1954, 1811, 1815, 1915, 1799, 1917, 1664, 1937, 1775, 1685, 1756, 1940, 1660, 1859, 1916, 1989, 1763, 1994, 1716, 1689, 1866, 1708, 1670, 1982, 1870, 1847, 1627, 1819, 1786, 1828, 1640, 1699, 1722, 1737, 1882, 1666, 1871, 1703, 1770, 1623, 1837, 1636, 1655, 1930, 1739, 1810, 1805, 1861, 1922, 1993, 1896, 1760, 2002, 1779, 1633, 1972, 1856, 1641, 1718, 2004, 1730, 1826, 1923, 1753, 1735, 660, 1988, 1796, 1990, 1720, 1626, 1788, 1700, 942, 1902, 1943, 1758, 1839, 1924, 938, 1634, 1724, 1983, 1683, 1687, 1904, 1907, 1757, 2001, 1910, 1849, 1781, 1981, 1743, 1851, 2009, 619, 1898, 1891, 1751, 1765, 1959, 1888, 1894, 1759, 389, 1964, 1900, 1742, 1672, 1969, 1978, 1933, 1906, 1807, 1867, 1838, 1960, 1814, 1950, 1918, 1726, 1986, 1746, 2006, 1949, 1784]
print(part_1())
print(part_2()) |
# https://leetcode.com/problems/max-increase-to-keep-city-skyline/description/
# input: grid = [[3,0,8,4],[2,4,5,7],[9,2,6,3],[0,3,1,0]]
# output: 35
def build_top_or_bottom(grid):
top_or_bottom = []
for i in range(len(grid[0])):
highest_building = 0
for j in range(len(grid)):
if grid[j][i] > highest_building:
highest_building = grid[j][i]
top_or_bottom.append(highest_building)
return top_or_bottom
def build_left_or_right(grid):
left_or_right = []
for line in grid:
highest_building = 0
for building_height in line:
if building_height > highest_building:
highest_building = building_height
left_or_right.append(highest_building)
return left_or_right
def max_increase_keeping_skyline(grid):
top_or_bottom = build_top_or_bottom(grid)
left_or_right = build_left_or_right(grid)
increased_number = 0
for i in range(len(grid)):
for j in range(len(grid[i])):
if left_or_right[i] < top_or_bottom[j]:
increased_number += (left_or_right[i] - grid[i][j])
else:
increased_number += (top_or_bottom[j] - grid[i][j])
return increased_number
print(max_increase_keeping_skyline([[3,0,8,4],[2,4,5,7],[9,2,6,3],[0,3,1,0]]))
| def build_top_or_bottom(grid):
top_or_bottom = []
for i in range(len(grid[0])):
highest_building = 0
for j in range(len(grid)):
if grid[j][i] > highest_building:
highest_building = grid[j][i]
top_or_bottom.append(highest_building)
return top_or_bottom
def build_left_or_right(grid):
left_or_right = []
for line in grid:
highest_building = 0
for building_height in line:
if building_height > highest_building:
highest_building = building_height
left_or_right.append(highest_building)
return left_or_right
def max_increase_keeping_skyline(grid):
top_or_bottom = build_top_or_bottom(grid)
left_or_right = build_left_or_right(grid)
increased_number = 0
for i in range(len(grid)):
for j in range(len(grid[i])):
if left_or_right[i] < top_or_bottom[j]:
increased_number += left_or_right[i] - grid[i][j]
else:
increased_number += top_or_bottom[j] - grid[i][j]
return increased_number
print(max_increase_keeping_skyline([[3, 0, 8, 4], [2, 4, 5, 7], [9, 2, 6, 3], [0, 3, 1, 0]])) |
lines = open("day 13/Toon D - Python/input", "r").readlines()
coordinates = [[int(coor) for coor in line.replace('\n', '').split(',')]
for line in lines if "," in line]
folds = [line[11:].replace('\n', '').split('=')
for line in lines if '=' in line]
for element in folds:
element[1] = int(element[1])
def fold(coordinates, direction, position):
new_coordinates = []
for coordinate in coordinates:
if direction == 'x':
if coordinate[0] > position:
new_coordinates.append(
[(position * 2) - coordinate[0], coordinate[1]])
else:
new_coordinates.append(coordinate)
if direction == 'y':
if coordinate[1] > position:
new_coordinates.append(
[coordinate[0], (position * 2) - coordinate[1]])
else:
new_coordinates.append(coordinate)
present = set()
result = []
for coordinate in new_coordinates:
if str(coordinate) not in present:
present.add(str(coordinate))
result.append(coordinate)
return result
print("part 1: %i" % len(fold(coordinates, folds[0][0], folds[0][1])))
result = coordinates
for fold_element in folds:
result = fold(result, fold_element[0], fold_element[1])
x_max = max([coordinate[0] for coordinate in result])
y_max = max([coordinate[1] for coordinate in result])
present = set([str(coordinate) for coordinate in result])
for y in range(y_max+1):
row = ''
for x in range(x_max+1):
if str([x, y]) in present:
row += '#'
else:
row += ' '
print(row)
| lines = open('day 13/Toon D - Python/input', 'r').readlines()
coordinates = [[int(coor) for coor in line.replace('\n', '').split(',')] for line in lines if ',' in line]
folds = [line[11:].replace('\n', '').split('=') for line in lines if '=' in line]
for element in folds:
element[1] = int(element[1])
def fold(coordinates, direction, position):
new_coordinates = []
for coordinate in coordinates:
if direction == 'x':
if coordinate[0] > position:
new_coordinates.append([position * 2 - coordinate[0], coordinate[1]])
else:
new_coordinates.append(coordinate)
if direction == 'y':
if coordinate[1] > position:
new_coordinates.append([coordinate[0], position * 2 - coordinate[1]])
else:
new_coordinates.append(coordinate)
present = set()
result = []
for coordinate in new_coordinates:
if str(coordinate) not in present:
present.add(str(coordinate))
result.append(coordinate)
return result
print('part 1: %i' % len(fold(coordinates, folds[0][0], folds[0][1])))
result = coordinates
for fold_element in folds:
result = fold(result, fold_element[0], fold_element[1])
x_max = max([coordinate[0] for coordinate in result])
y_max = max([coordinate[1] for coordinate in result])
present = set([str(coordinate) for coordinate in result])
for y in range(y_max + 1):
row = ''
for x in range(x_max + 1):
if str([x, y]) in present:
row += '#'
else:
row += ' '
print(row) |
# -*- coding: utf-8 -*-
"""
Created on Wed Dec 23 19:16:26 2020
@author: crtom
GRID = 600*600
GRID 6x6 = 36 pieces
100x100 per square
one piece is 80x80 + margin = 100x100
"""
# create a list of touple positions
grid_touple_list = []
grid_pixel_pos_list = []
card_position_list = []
for y in range(0, 6):
for x in range(0, 6):
grid_touple_list.append((x,y))
grid_pixel_pos_list.append((x*100, y*100))
card_position_list.append(((x*100) + 10, (y*100) + 10))
# for x in range(0, 600, 100):
# for y in range(0, 600, 100):
# grid_pixel_pos_list.append((x, y))
# card_position_list.append((x + 10, y + 10))
print(grid_touple_list)
print(grid_pixel_pos_list)
print(card_position_list) | """
Created on Wed Dec 23 19:16:26 2020
@author: crtom
GRID = 600*600
GRID 6x6 = 36 pieces
100x100 per square
one piece is 80x80 + margin = 100x100
"""
grid_touple_list = []
grid_pixel_pos_list = []
card_position_list = []
for y in range(0, 6):
for x in range(0, 6):
grid_touple_list.append((x, y))
grid_pixel_pos_list.append((x * 100, y * 100))
card_position_list.append((x * 100 + 10, y * 100 + 10))
print(grid_touple_list)
print(grid_pixel_pos_list)
print(card_position_list) |
expected_output = {
'ids': {
'1': {
'no_of_failures': 11,
'no_of_success': 0,
'probe_id': 1,
'return_code': 'Timeout',
'rtt_stats': 'NoConnection/Busy/Timeout',
'start_time': '07:10:18 UTC Fri Oct 22 2021'
},
'2': {
'delay': '3239998/3240718/3240998',
'destination': '10.50.10.100',
'no_of_failures': 0,
'no_of_success': 46,
'oper_id': 60988531,
'probe_id': 2,
'return_code': 'OK',
'start_time': '07:11:18 UTC Fri Oct 22 2021'
},
'3': {
'delay': '3239/3240/3240',
'destination': '10.50.10.100',
'no_of_failures': 0,
'no_of_success': 24,
'oper_id': 393146530,
'probe_id': 3,
'return_code': 'OK',
'start_time': '07:11:19 UTC Fri Oct 22 2021'
},
'50': {
'no_of_failures': 0,
'no_of_success': 24,
'probe_id': 50,
'return_code': 'OK',
'rtt_stats': '6 milliseconds',
'start_time': '07:11:19 UTC Fri Oct 22 2021'
},
'51': {
'no_of_failures': 0,
'no_of_success': 47,
'probe_id': 51,
'return_code': 'OK',
'rtt_stats': '11 milliseconds',
'start_time': '07:11:19 UTC Fri Oct 22 2021'
},
'52': {
'no_of_failures': 0,
'no_of_success': 24,
'probe_id': 52,
'return_code': 'OK',
'rtt_stats': '11 milliseconds',
'start_time': '07:11:19 UTC Fri Oct 22 2021'
},
'53': {
'no_of_failures': 23,
'no_of_success': 0,
'probe_id': 53,
'return_code': 'No',
'rtt_stats': 'NoConnection/Busy/Timeout',
'start_time': '07:10:19 UTC Fri Oct 22 2021'
},
'54': {
'no_of_failures': 24,
'no_of_success': 0,
'probe_id': 54,
'return_code': 'Socket',
'rtt_stats': '0 milliseconds',
'start_time': '07:11:19 UTC Fri Oct 22 2021'
},
'100': {
'no_of_failures': 0,
'no_of_success': 23,
'probe_id': 100,
'return_code': 'OK',
'rtt_stats': '1 milliseconds',
'start_time': '07:11:08 UTC Fri Oct 22 2021'
},
}
} | expected_output = {'ids': {'1': {'no_of_failures': 11, 'no_of_success': 0, 'probe_id': 1, 'return_code': 'Timeout', 'rtt_stats': 'NoConnection/Busy/Timeout', 'start_time': '07:10:18 UTC Fri Oct 22 2021'}, '2': {'delay': '3239998/3240718/3240998', 'destination': '10.50.10.100', 'no_of_failures': 0, 'no_of_success': 46, 'oper_id': 60988531, 'probe_id': 2, 'return_code': 'OK', 'start_time': '07:11:18 UTC Fri Oct 22 2021'}, '3': {'delay': '3239/3240/3240', 'destination': '10.50.10.100', 'no_of_failures': 0, 'no_of_success': 24, 'oper_id': 393146530, 'probe_id': 3, 'return_code': 'OK', 'start_time': '07:11:19 UTC Fri Oct 22 2021'}, '50': {'no_of_failures': 0, 'no_of_success': 24, 'probe_id': 50, 'return_code': 'OK', 'rtt_stats': '6 milliseconds', 'start_time': '07:11:19 UTC Fri Oct 22 2021'}, '51': {'no_of_failures': 0, 'no_of_success': 47, 'probe_id': 51, 'return_code': 'OK', 'rtt_stats': '11 milliseconds', 'start_time': '07:11:19 UTC Fri Oct 22 2021'}, '52': {'no_of_failures': 0, 'no_of_success': 24, 'probe_id': 52, 'return_code': 'OK', 'rtt_stats': '11 milliseconds', 'start_time': '07:11:19 UTC Fri Oct 22 2021'}, '53': {'no_of_failures': 23, 'no_of_success': 0, 'probe_id': 53, 'return_code': 'No', 'rtt_stats': 'NoConnection/Busy/Timeout', 'start_time': '07:10:19 UTC Fri Oct 22 2021'}, '54': {'no_of_failures': 24, 'no_of_success': 0, 'probe_id': 54, 'return_code': 'Socket', 'rtt_stats': '0 milliseconds', 'start_time': '07:11:19 UTC Fri Oct 22 2021'}, '100': {'no_of_failures': 0, 'no_of_success': 23, 'probe_id': 100, 'return_code': 'OK', 'rtt_stats': '1 milliseconds', 'start_time': '07:11:08 UTC Fri Oct 22 2021'}}} |
#! /usr/bin/env/python3
# -*- coding: utf-8 -*-
first_line = set(sorted(''.join([a for a in input() if a.isalnum()])))
second_line = set(sorted(''.join([a for a in input() if a.isalnum()])))
print(first_line)
print(second_line)
for i in second_line:
if i not in first_line:
print("We can't do it")
break
else:
print("We can do it")
| first_line = set(sorted(''.join([a for a in input() if a.isalnum()])))
second_line = set(sorted(''.join([a for a in input() if a.isalnum()])))
print(first_line)
print(second_line)
for i in second_line:
if i not in first_line:
print("We can't do it")
break
else:
print('We can do it') |
#!/usr/bin/env python
# -------------------------------------------
# Compass Data object, corresponds to Compass_Data.h in old code
# -------------------------------------------
class CompassData:
def __init__(self, head=0):
self.heading = head
self.pitch = 0
self.roll = 0
self.temperature = 0
self.check_sum = 0
| class Compassdata:
def __init__(self, head=0):
self.heading = head
self.pitch = 0
self.roll = 0
self.temperature = 0
self.check_sum = 0 |
class Pessoa:
species = 'Human'
age = None
def __init__(self, name, sex):
self.sex = sex
self.name = name
def p_data(self):
print(
f'''
{self.name}
{self.age}
{self.species}
{self.sex}''')
class Elder(Pessoa):
age = '>60'
class Adult(Pessoa):
age = '18 to 59'
class Teenager(Pessoa):
age = '13 to 17'
class Child(Pessoa):
age = '0 to 12'
tilburi = Adult('Tilburi', 'Male')
chuck = Teenager('Chuck', 'Female')
gabo = Child('Gabo', 'Male')
tilburi.p_data()
chuck.p_data()
gabo.p_data()
| class Pessoa:
species = 'Human'
age = None
def __init__(self, name, sex):
self.sex = sex
self.name = name
def p_data(self):
print(f'\n{self.name}\n{self.age}\n{self.species}\n{self.sex}')
class Elder(Pessoa):
age = '>60'
class Adult(Pessoa):
age = '18 to 59'
class Teenager(Pessoa):
age = '13 to 17'
class Child(Pessoa):
age = '0 to 12'
tilburi = adult('Tilburi', 'Male')
chuck = teenager('Chuck', 'Female')
gabo = child('Gabo', 'Male')
tilburi.p_data()
chuck.p_data()
gabo.p_data() |
class Solution:
def findWords(self, words: List[str]) -> List[str]:
first, second, third = set("qwertyuiop"), set("asdfghjkl"), set("zxcvbnm")
result = []
for word in words:
first_letter = word[0].lower()
group = first
if first_letter in second:
group = second
elif first_letter in third:
group = third
for letter in word:
letter = letter.lower()
if letter not in group:
break
else:
result.append(word)
return result
| class Solution:
def find_words(self, words: List[str]) -> List[str]:
(first, second, third) = (set('qwertyuiop'), set('asdfghjkl'), set('zxcvbnm'))
result = []
for word in words:
first_letter = word[0].lower()
group = first
if first_letter in second:
group = second
elif first_letter in third:
group = third
for letter in word:
letter = letter.lower()
if letter not in group:
break
else:
result.append(word)
return result |
L = [[0]*5 for i in range(3)]
n = int(input())
for i in range(n):
I = list(map(int,input().split()))
for j in range(3):
L[j][I[j]]+=1
for i in range(3):
L[i][0] = L[i][1]*1 + L[i][2]*2 + L[i][3]*3
L[i][4] = i+1
L.sort(key = lambda t: (-t[0], -t[3], -t[2], -t[1]))
if len(L) > 1 and L[0][:-1] == L[1][:-1]:
print(0, L[0][0])
else:
print(L[0][4], L[0][0]) | l = [[0] * 5 for i in range(3)]
n = int(input())
for i in range(n):
i = list(map(int, input().split()))
for j in range(3):
L[j][I[j]] += 1
for i in range(3):
L[i][0] = L[i][1] * 1 + L[i][2] * 2 + L[i][3] * 3
L[i][4] = i + 1
L.sort(key=lambda t: (-t[0], -t[3], -t[2], -t[1]))
if len(L) > 1 and L[0][:-1] == L[1][:-1]:
print(0, L[0][0])
else:
print(L[0][4], L[0][0]) |
def part1():
with open('07_input.txt', 'r') as f:
lines = f.read().split('\n')
visited = []
acc = 0
ip = 0
while True:
if str(ip) in visited:
break
else:
visited.append(str(ip))
op, arg = lines[ip].split(' ')
if op == 'acc':
acc += int(arg)
ip += 1
elif op == 'nop':
ip += 1
continue
elif op == 'jmp':
ip = ip + int(arg)
else:
break
print(acc)
part1()
| def part1():
with open('07_input.txt', 'r') as f:
lines = f.read().split('\n')
visited = []
acc = 0
ip = 0
while True:
if str(ip) in visited:
break
else:
visited.append(str(ip))
(op, arg) = lines[ip].split(' ')
if op == 'acc':
acc += int(arg)
ip += 1
elif op == 'nop':
ip += 1
continue
elif op == 'jmp':
ip = ip + int(arg)
else:
break
print(acc)
part1() |
class Leaderboard:
def __init__(self):
self.scores = defaultdict()
def addScore(self, playerId: int, score: int) -> None:
if playerId not in self.scores:
self.scores[playerId] = 0
self.scores[playerId] += score
def top(self, K: int) -> int:
values = [v for _, v in sorted(self.scores.items(), key=lambda item: item[1])]
values.sort(reverse=True)
total, i = 0, 0
while i < K:
total += values[i]
i += 1
return total
def reset(self, playerId: int) -> None:
self.scores[playerId] = 0
| class Leaderboard:
def __init__(self):
self.scores = defaultdict()
def add_score(self, playerId: int, score: int) -> None:
if playerId not in self.scores:
self.scores[playerId] = 0
self.scores[playerId] += score
def top(self, K: int) -> int:
values = [v for (_, v) in sorted(self.scores.items(), key=lambda item: item[1])]
values.sort(reverse=True)
(total, i) = (0, 0)
while i < K:
total += values[i]
i += 1
return total
def reset(self, playerId: int) -> None:
self.scores[playerId] = 0 |
# -*- coding: utf-8 -*-
"""
Created on Wed Nov 11 01:46:31 2020
@author: ucobiz
"""
class Student:
"""This is a class for a student"""
MAX_ID_LENGTH = 4
numStudents = 0
def __init__(self, name, age, gpa):
"""Constructor for a student"""
self.full_name = name
self.age = age
self.gpa = gpa
def get_age(self):
"""Method to get an age for a student
return an age
"""
return self.age | """
Created on Wed Nov 11 01:46:31 2020
@author: ucobiz
"""
class Student:
"""This is a class for a student"""
max_id_length = 4
num_students = 0
def __init__(self, name, age, gpa):
"""Constructor for a student"""
self.full_name = name
self.age = age
self.gpa = gpa
def get_age(self):
"""Method to get an age for a student
return an age
"""
return self.age |
class Book:
def __init__(self, name, author, pages):
self.name = name
self.author = author
self.pages = pages
def name(self):
return self.name
def author(self):
return self.name
def pages(self):
return self.name
book = Book("My Book", "Me", 200)
print(book.name)
print(book.author)
print(book.pages)
| class Book:
def __init__(self, name, author, pages):
self.name = name
self.author = author
self.pages = pages
def name(self):
return self.name
def author(self):
return self.name
def pages(self):
return self.name
book = book('My Book', 'Me', 200)
print(book.name)
print(book.author)
print(book.pages) |
"""
Anthropometry formulas for determining heights of the body and its parts
Winter, David A. Biomechanics and Motor Control of Human Movement. New York, N.Y.: Wiley, 2009. Print.
"""
def height_from_height_eyes(segment_length):
"""
Calculates body height based on the height of the eyes from the ground
args:
segment_length (float): height of the eyes from the ground
Returns:
float: total body height
"""
if segment_length <= 0:
raise ValueError('segment_length must be > 0')
return segment_length / 0.936
def height_from_height_head(segment_length):
"""
Calculates body height based on the height of the head (up to the bottom of the chin) from the ground
args:
segment_length (float): height of the head (up to the bottom of the chin)
Returns:
float: total body height
"""
if segment_length <= 0:
raise ValueError('segment_length must be > 0')
return segment_length / 0.870
def height_from_height_shoulders(segment_length):
"""
Calculates body height based on the height of the shoulders from the ground
args:
segment_length (float): height of the shoulders
Returns:
float: total body height
"""
if segment_length <= 0:
raise ValueError('segment_length must be > 0')
return segment_length / 0.818
def height_from_height_chest(segment_length):
"""
Calculates body height based on the height of the chest (equal to the nipples) from the ground
args:
segment_length (float): height of the chest (equal to the nipples)
Returns:
float: total body height
"""
if segment_length <= 0:
raise ValueError('segment_length must be > 0')
return segment_length / 0.720
def height_from_height_elbow(segment_length):
"""
Calculates body height based on the height of the elbows from the ground
args:
segment_length (float): height of the elbows
Returns:
float: total body height
"""
if segment_length <= 0:
raise ValueError('segment_length must be > 0')
return segment_length / 0.630
def height_from_height_wrist(segment_length):
"""
Calculates body height based on the height of the elbows from the ground
args:
segment_length (float): height of the wrists
Returns:
float: total body height
"""
if segment_length <= 0:
raise ValueError('segment_length must be > 0')
return segment_length / 0.485
def height_from_height_fingertip(segment_length):
"""
Calculates body height based on the height of the fingertips from the ground
args:
segment_length (float): height of the fingertips
Returns:
float: total body height
"""
if segment_length <= 0:
raise ValueError('segment_length must be > 0')
return segment_length / 0.377
def height_from_height_hips(segment_length):
"""
Calculates body height based on the height of the hips from the ground
args:
segment_length (float): height of the hips
Returns:
float: total body height
"""
if segment_length <= 0:
raise ValueError('segment_length must be > 0')
return segment_length / 0.530
def height_from_height_buttocks(segment_length):
"""
Calculates body height based on the height of the buttocks from the ground
args:
segment_length (float): height of the buttocks
Returns:
float: total body height
"""
if segment_length <= 0:
raise ValueError('segment_length must be > 0')
return segment_length / 0.485
def height_from_height_knee(segment_length):
"""
Calculates body height based on the height of the knees from the ground
args:
segment_length (float): height of the knees
Returns:
float: total body height
"""
if segment_length <= 0:
raise ValueError('segment_length must be > 0')
return segment_length / 0.285
def height_from_height_ankle(segment_length):
"""
Calculates body height based on the height of the ankles from the ground
args:
segment_length (float): height of the ankles
Returns:
float: total body height
"""
if segment_length <= 0:
raise ValueError('segment_length must be > 0')
return segment_length / 0.039
def height_from_head_length(segment_length):
"""
Calculates body height based on the height of the head
args:
segment_length (float): vertical length of head
Returns:
float: total body height
"""
if segment_length <= 0:
raise ValueError('segment_length must be > 0')
return segment_length / 0.130
def height_from_shoulder_distance(segment_length):
"""
Calculates body height based on the horizontal distance from the center of the chest to the shoulder
args:
segment_length (float): horizontal distance from the center of the chest to the shoulder
Returns:
float: total body height
"""
if segment_length <= 0:
raise ValueError('segment_length must be > 0')
return segment_length / 0.129
def height_from_shoulder_width(segment_length):
"""
Calculates body height based on the width of the shoulders
args:
segment_length (float): width of the shoulders
Returns:
float: total body height
"""
if segment_length <= 0:
raise ValueError('segment_length must be > 0')
return segment_length / 0.259
def height_from_hips_width(segment_length):
"""
Calculates body height based on the horizontal width of the hips
args:
segment_length (float): width of the hips
Returns:
float: total body height
"""
if segment_length <= 0:
raise ValueError('segment_length must be > 0')
return segment_length / 0.191
def height_from_nipple_width(segment_length):
"""
Calculates body height based on the horizontal distance between nipples
args:
segment_length (float): horizontal distance between nipples
Returns:
float: total body height
"""
if segment_length <= 0:
raise ValueError('segment_length must be > 0')
return segment_length / 0.174
def height_from_foot_width(segment_length):
"""
Calculates body height based on the foot breadth
args:
segment_length (float): breadth of the foot
Returns:
float: total body height
"""
if segment_length <= 0:
raise ValueError('segment_length must be > 0')
return segment_length / 0.055
def height_from_foot_length(segment_length):
"""
Calculates body height based on the foot length
args:
segment_length (float): length of foot
Returns:
float: total body height
"""
if segment_length <= 0:
raise ValueError('segment_length must be > 0')
return segment_length / 0.152
def height_from_humerus_length(segment_length):
"""
Calculates body height based on the humerus (shoulder to elbow) length
args:
segment_length (float): length of humerus (shoulder to end of elbow)
Returns:
float: total body height
"""
if segment_length <= 0:
raise ValueError('segment_length must be > 0')
return segment_length / 0.186
def height_from_forearm_length(segment_length):
"""
Calculates body height based on the forearm length (elbow to wrist)
args:
segment_length (float): length of forearm
Returns:
float: total body height
"""
if segment_length <= 0:
raise ValueError('segment_length must be > 0')
return segment_length / 0.146
def height_from_hand_length(segment_length):
"""
Calculates body height based on the hand length (wrist to fingertips)
args:
segment_length (float): length of length of hand
Returns:
float: total body height
"""
if segment_length <= 0:
raise ValueError('segment_length must be > 0')
return segment_length / 0.108
def height_from_upperbody_length(segment_length):
"""
Calculates body height based on the upper body length (top of head to bottom of torso)
args:
segment_length (float): length of upper body
Returns:
float: total body height
"""
if segment_length <= 0:
raise ValueError('segment_length must be > 0')
return segment_length / 0.520
class Segment(object):
def __init__(self, body_height):
if body_height <= 0:
raise ValueError('body_height must be > 0')
self.body_height = body_height
def height_eyes(self):
"""
Calculates the height of the eyes from the ground based on the body height
Returns:
float: height of the eyes from the ground
"""
return 0.936 * self.body_height
def height_head(self):
"""
Calculates the height of the head (up to the bottom of the chin) from the ground based on the body height
Returns:
float: height of the head (bottom of chin) from the ground
"""
return 0.870 * self.body_height
def height_shoulders(self):
"""
Calculates the height of the shoulders from the ground based on the body height
Returns:
float: height of the shoulders from the ground
"""
return 0.818 * self.body_height
def height_chest(self):
"""
Calculates the height of the chest (equal to the nipples) from the ground based on the body height
Returns:
float: height of the chest (equal to nipples) from the ground
"""
return 0.720 * self.body_height
def height_elbow(self):
"""
Calculates the height of the elbows from the ground based on the body height
Returns:
float: height of the elbow from the ground
"""
return 0.630 * self.body_height
def height_wrist(self):
"""
Calculates the height of the wrists from the ground based on the body height
Returns:
float: height of the wrists from the ground
"""
return 0.485 * self.body_height
def height_fingertip(self):
"""
Calculates the height of the fingertips from the ground based on the body height
Returns:
float: height of the fingertips from the ground
"""
return 0.377 * self.body_height
def height_hips(self):
"""
Calculates the height of the hips from the ground based on the body height
Returns:
float: height of the hips from the ground
"""
return 0.530 * self.body_height
def height_buttocks(self):
"""
Calculates the height of the buttocks from the ground based on the body height
Returns:
float: height of the buttocks from the ground
"""
return 0.485 * self.body_height
def height_knee(self):
"""
Calculates the height of the knees from the ground based on the body height
Returns:
float: height of the knees from the ground
"""
return 0.285 * self.body_height
def height_ankle(self):
"""
Calculates the height of the ankles from the ground based on the body height
Returns:
float: height of theankles from the ground
"""
return 0.039 * self.body_height
def head_height(self):
"""
Calculates the height of the head based on the body height
Returns:
float: vertical height of the head
"""
return 0.130 * self.body_height
def shoulder_distance(self):
"""
Calculates the horizontal distance from the center of the chest to the shoulder based on the body height
Returns:
float: horizontal distance from the center of the chest to the shoulder
"""
return 0.129 * self.body_height
def shoulder_width(self):
"""
Calculates the width of the shoulders based on the body height
Returns:
float: shoulder width
"""
return 0.259 * self.body_height
def hips_width(self):
"""
Calculates the horizontal width of the hips based on the body height
Returns:
float: width of the hips
"""
return 0.191 * self.body_height
def nipple_width(self):
"""
Calculates the horizontal distance between nipples based on the body height
Returns:
float: horizontal distance between nipples
"""
return 0.174 * self.body_height
def foot_width(self):
"""
Calculates the foot breadth based on the body height
Returns:
float: width of the foot
"""
return 0.055 * self.body_height
def foot_length(self):
"""
Calculates the foot length based on the body height
Returns:
float: length of the foot
"""
return 0.152 * self.body_height
def humerus_length(self):
"""
Calculates the humerus (shoulder to elbow) length based on the body height
Returns:
float: length of the humerus
"""
return 0.186 * self.body_height
def forearm_length(self):
"""
Calculates the forearm length (elbow to wrist) based on the body height
Returns:
float: length of the forearm
"""
return 0.146 * self.body_height
def hand_length(self):
"""
Calculates the hand length (wrist to fingertips) based on the body height
Returns:
float: length of the hand
"""
return 0.108 * self.body_height
def upperbody_length(self):
"""
Calculates the upper body length (top of head to bottom of torso) based on the body height
Returns:
float: length of the upper body
"""
return 0.520 * self.body_height
| """
Anthropometry formulas for determining heights of the body and its parts
Winter, David A. Biomechanics and Motor Control of Human Movement. New York, N.Y.: Wiley, 2009. Print.
"""
def height_from_height_eyes(segment_length):
"""
Calculates body height based on the height of the eyes from the ground
args:
segment_length (float): height of the eyes from the ground
Returns:
float: total body height
"""
if segment_length <= 0:
raise value_error('segment_length must be > 0')
return segment_length / 0.936
def height_from_height_head(segment_length):
"""
Calculates body height based on the height of the head (up to the bottom of the chin) from the ground
args:
segment_length (float): height of the head (up to the bottom of the chin)
Returns:
float: total body height
"""
if segment_length <= 0:
raise value_error('segment_length must be > 0')
return segment_length / 0.87
def height_from_height_shoulders(segment_length):
"""
Calculates body height based on the height of the shoulders from the ground
args:
segment_length (float): height of the shoulders
Returns:
float: total body height
"""
if segment_length <= 0:
raise value_error('segment_length must be > 0')
return segment_length / 0.818
def height_from_height_chest(segment_length):
"""
Calculates body height based on the height of the chest (equal to the nipples) from the ground
args:
segment_length (float): height of the chest (equal to the nipples)
Returns:
float: total body height
"""
if segment_length <= 0:
raise value_error('segment_length must be > 0')
return segment_length / 0.72
def height_from_height_elbow(segment_length):
"""
Calculates body height based on the height of the elbows from the ground
args:
segment_length (float): height of the elbows
Returns:
float: total body height
"""
if segment_length <= 0:
raise value_error('segment_length must be > 0')
return segment_length / 0.63
def height_from_height_wrist(segment_length):
"""
Calculates body height based on the height of the elbows from the ground
args:
segment_length (float): height of the wrists
Returns:
float: total body height
"""
if segment_length <= 0:
raise value_error('segment_length must be > 0')
return segment_length / 0.485
def height_from_height_fingertip(segment_length):
"""
Calculates body height based on the height of the fingertips from the ground
args:
segment_length (float): height of the fingertips
Returns:
float: total body height
"""
if segment_length <= 0:
raise value_error('segment_length must be > 0')
return segment_length / 0.377
def height_from_height_hips(segment_length):
"""
Calculates body height based on the height of the hips from the ground
args:
segment_length (float): height of the hips
Returns:
float: total body height
"""
if segment_length <= 0:
raise value_error('segment_length must be > 0')
return segment_length / 0.53
def height_from_height_buttocks(segment_length):
"""
Calculates body height based on the height of the buttocks from the ground
args:
segment_length (float): height of the buttocks
Returns:
float: total body height
"""
if segment_length <= 0:
raise value_error('segment_length must be > 0')
return segment_length / 0.485
def height_from_height_knee(segment_length):
"""
Calculates body height based on the height of the knees from the ground
args:
segment_length (float): height of the knees
Returns:
float: total body height
"""
if segment_length <= 0:
raise value_error('segment_length must be > 0')
return segment_length / 0.285
def height_from_height_ankle(segment_length):
"""
Calculates body height based on the height of the ankles from the ground
args:
segment_length (float): height of the ankles
Returns:
float: total body height
"""
if segment_length <= 0:
raise value_error('segment_length must be > 0')
return segment_length / 0.039
def height_from_head_length(segment_length):
"""
Calculates body height based on the height of the head
args:
segment_length (float): vertical length of head
Returns:
float: total body height
"""
if segment_length <= 0:
raise value_error('segment_length must be > 0')
return segment_length / 0.13
def height_from_shoulder_distance(segment_length):
"""
Calculates body height based on the horizontal distance from the center of the chest to the shoulder
args:
segment_length (float): horizontal distance from the center of the chest to the shoulder
Returns:
float: total body height
"""
if segment_length <= 0:
raise value_error('segment_length must be > 0')
return segment_length / 0.129
def height_from_shoulder_width(segment_length):
"""
Calculates body height based on the width of the shoulders
args:
segment_length (float): width of the shoulders
Returns:
float: total body height
"""
if segment_length <= 0:
raise value_error('segment_length must be > 0')
return segment_length / 0.259
def height_from_hips_width(segment_length):
"""
Calculates body height based on the horizontal width of the hips
args:
segment_length (float): width of the hips
Returns:
float: total body height
"""
if segment_length <= 0:
raise value_error('segment_length must be > 0')
return segment_length / 0.191
def height_from_nipple_width(segment_length):
"""
Calculates body height based on the horizontal distance between nipples
args:
segment_length (float): horizontal distance between nipples
Returns:
float: total body height
"""
if segment_length <= 0:
raise value_error('segment_length must be > 0')
return segment_length / 0.174
def height_from_foot_width(segment_length):
"""
Calculates body height based on the foot breadth
args:
segment_length (float): breadth of the foot
Returns:
float: total body height
"""
if segment_length <= 0:
raise value_error('segment_length must be > 0')
return segment_length / 0.055
def height_from_foot_length(segment_length):
"""
Calculates body height based on the foot length
args:
segment_length (float): length of foot
Returns:
float: total body height
"""
if segment_length <= 0:
raise value_error('segment_length must be > 0')
return segment_length / 0.152
def height_from_humerus_length(segment_length):
"""
Calculates body height based on the humerus (shoulder to elbow) length
args:
segment_length (float): length of humerus (shoulder to end of elbow)
Returns:
float: total body height
"""
if segment_length <= 0:
raise value_error('segment_length must be > 0')
return segment_length / 0.186
def height_from_forearm_length(segment_length):
"""
Calculates body height based on the forearm length (elbow to wrist)
args:
segment_length (float): length of forearm
Returns:
float: total body height
"""
if segment_length <= 0:
raise value_error('segment_length must be > 0')
return segment_length / 0.146
def height_from_hand_length(segment_length):
"""
Calculates body height based on the hand length (wrist to fingertips)
args:
segment_length (float): length of length of hand
Returns:
float: total body height
"""
if segment_length <= 0:
raise value_error('segment_length must be > 0')
return segment_length / 0.108
def height_from_upperbody_length(segment_length):
"""
Calculates body height based on the upper body length (top of head to bottom of torso)
args:
segment_length (float): length of upper body
Returns:
float: total body height
"""
if segment_length <= 0:
raise value_error('segment_length must be > 0')
return segment_length / 0.52
class Segment(object):
def __init__(self, body_height):
if body_height <= 0:
raise value_error('body_height must be > 0')
self.body_height = body_height
def height_eyes(self):
"""
Calculates the height of the eyes from the ground based on the body height
Returns:
float: height of the eyes from the ground
"""
return 0.936 * self.body_height
def height_head(self):
"""
Calculates the height of the head (up to the bottom of the chin) from the ground based on the body height
Returns:
float: height of the head (bottom of chin) from the ground
"""
return 0.87 * self.body_height
def height_shoulders(self):
"""
Calculates the height of the shoulders from the ground based on the body height
Returns:
float: height of the shoulders from the ground
"""
return 0.818 * self.body_height
def height_chest(self):
"""
Calculates the height of the chest (equal to the nipples) from the ground based on the body height
Returns:
float: height of the chest (equal to nipples) from the ground
"""
return 0.72 * self.body_height
def height_elbow(self):
"""
Calculates the height of the elbows from the ground based on the body height
Returns:
float: height of the elbow from the ground
"""
return 0.63 * self.body_height
def height_wrist(self):
"""
Calculates the height of the wrists from the ground based on the body height
Returns:
float: height of the wrists from the ground
"""
return 0.485 * self.body_height
def height_fingertip(self):
"""
Calculates the height of the fingertips from the ground based on the body height
Returns:
float: height of the fingertips from the ground
"""
return 0.377 * self.body_height
def height_hips(self):
"""
Calculates the height of the hips from the ground based on the body height
Returns:
float: height of the hips from the ground
"""
return 0.53 * self.body_height
def height_buttocks(self):
"""
Calculates the height of the buttocks from the ground based on the body height
Returns:
float: height of the buttocks from the ground
"""
return 0.485 * self.body_height
def height_knee(self):
"""
Calculates the height of the knees from the ground based on the body height
Returns:
float: height of the knees from the ground
"""
return 0.285 * self.body_height
def height_ankle(self):
"""
Calculates the height of the ankles from the ground based on the body height
Returns:
float: height of theankles from the ground
"""
return 0.039 * self.body_height
def head_height(self):
"""
Calculates the height of the head based on the body height
Returns:
float: vertical height of the head
"""
return 0.13 * self.body_height
def shoulder_distance(self):
"""
Calculates the horizontal distance from the center of the chest to the shoulder based on the body height
Returns:
float: horizontal distance from the center of the chest to the shoulder
"""
return 0.129 * self.body_height
def shoulder_width(self):
"""
Calculates the width of the shoulders based on the body height
Returns:
float: shoulder width
"""
return 0.259 * self.body_height
def hips_width(self):
"""
Calculates the horizontal width of the hips based on the body height
Returns:
float: width of the hips
"""
return 0.191 * self.body_height
def nipple_width(self):
"""
Calculates the horizontal distance between nipples based on the body height
Returns:
float: horizontal distance between nipples
"""
return 0.174 * self.body_height
def foot_width(self):
"""
Calculates the foot breadth based on the body height
Returns:
float: width of the foot
"""
return 0.055 * self.body_height
def foot_length(self):
"""
Calculates the foot length based on the body height
Returns:
float: length of the foot
"""
return 0.152 * self.body_height
def humerus_length(self):
"""
Calculates the humerus (shoulder to elbow) length based on the body height
Returns:
float: length of the humerus
"""
return 0.186 * self.body_height
def forearm_length(self):
"""
Calculates the forearm length (elbow to wrist) based on the body height
Returns:
float: length of the forearm
"""
return 0.146 * self.body_height
def hand_length(self):
"""
Calculates the hand length (wrist to fingertips) based on the body height
Returns:
float: length of the hand
"""
return 0.108 * self.body_height
def upperbody_length(self):
"""
Calculates the upper body length (top of head to bottom of torso) based on the body height
Returns:
float: length of the upper body
"""
return 0.52 * self.body_height |
##
# .port
##
"""
Platform specific modules.
The subject of each module should be the feature and the target platform.
This is done to keep modules small and descriptive.
These modules are for internal use only.
"""
__docformat__ = 'reStructuredText'
| """
Platform specific modules.
The subject of each module should be the feature and the target platform.
This is done to keep modules small and descriptive.
These modules are for internal use only.
"""
__docformat__ = 'reStructuredText' |
x = input("Give me a number: ")
y = input ("Give me a word: ")
out = "Output: "+str(x)+" "+str(y)
if x == 0 or x > 1:
if y[-2:] ==('ly'):
out = out [:-1]+'ies'
elif y[-2:] == "us":
out = out[:-2]+"i"
elif y[-2:] == "sh" or y[-2:] == "ch":
out += "es"
else:
out +="s"
print (out)
| x = input('Give me a number: ')
y = input('Give me a word: ')
out = 'Output: ' + str(x) + ' ' + str(y)
if x == 0 or x > 1:
if y[-2:] == 'ly':
out = out[:-1] + 'ies'
elif y[-2:] == 'us':
out = out[:-2] + 'i'
elif y[-2:] == 'sh' or y[-2:] == 'ch':
out += 'es'
else:
out += 's'
print(out) |
class MarkdownEmitter(object):
def initialize(self, filename, title, author, date):
self.file = open(filename, "w")
self.file.write(title)
self.file.write("\n======================================================================\n\n")
self.file.write("## %s (%s) ##" % (author, date))
def emit_category(self, category):
self.file.write("\n## %s\n\n" % category)
def emit_header(self, num, meter, author):
if author == "":
self.file.write("**%s**. (%s) \n" %
(num, meter))
else:
self.file.write("**%s**. (%s) _%s_ \n" %
(num, meter, author))
def emit_footer(self):
pass
def emit_stanza(self, stanza):
self.file.write("%s %s \n" % (stanza.num, stanza[0]))
for line in stanza[1:]:
self.file.write("%s \n" % line)
self.file.write("\n")
def finalize(self):
self.file.close()
| class Markdownemitter(object):
def initialize(self, filename, title, author, date):
self.file = open(filename, 'w')
self.file.write(title)
self.file.write('\n======================================================================\n\n')
self.file.write('## %s (%s) ##' % (author, date))
def emit_category(self, category):
self.file.write('\n## %s\n\n' % category)
def emit_header(self, num, meter, author):
if author == '':
self.file.write('**%s**. (%s) \n' % (num, meter))
else:
self.file.write('**%s**. (%s) _%s_ \n' % (num, meter, author))
def emit_footer(self):
pass
def emit_stanza(self, stanza):
self.file.write('%s %s \n' % (stanza.num, stanza[0]))
for line in stanza[1:]:
self.file.write('%s \n' % line)
self.file.write('\n')
def finalize(self):
self.file.close() |
n = int(input())
t = list(map(int, input().split()))
m = int(input())
drink = [tuple(map(int, input().split())) for _ in range(m)]
for i in range(m):
ans = 0
for j in range(n):
if drink[i][0] == j + 1:
ans += drink[i][1]
else:
ans += t[j]
print(ans)
| n = int(input())
t = list(map(int, input().split()))
m = int(input())
drink = [tuple(map(int, input().split())) for _ in range(m)]
for i in range(m):
ans = 0
for j in range(n):
if drink[i][0] == j + 1:
ans += drink[i][1]
else:
ans += t[j]
print(ans) |
#!/usr/bin/env python
'''
Name : APO Config, apoconfig.py
Author: Nickalas Reynolds
Date : Fall 2017
Misc : Config File for apo output
'''
config={
'pprint' : True,\
'commentline' : '#',\
'includefields': True,\
'header' : '',\
'interfielddelimiter': ' ',\
'intrafielddelimiter': ['',':',':',''],\
'fields' : ['Name','RA','Dec','Magnitude'],\
'fieldprefix': ['','','','Magntitude='],\
'fieldsuffix': ['','','',''],\
'customend' : '',\
'customfield': ["Telescope Home",98,30,"CSys=Mount; RotType=Mount; RotAng=0"],\
}
| """
Name : APO Config, apoconfig.py
Author: Nickalas Reynolds
Date : Fall 2017
Misc : Config File for apo output
"""
config = {'pprint': True, 'commentline': '#', 'includefields': True, 'header': '', 'interfielddelimiter': ' ', 'intrafielddelimiter': ['', ':', ':', ''], 'fields': ['Name', 'RA', 'Dec', 'Magnitude'], 'fieldprefix': ['', '', '', 'Magntitude='], 'fieldsuffix': ['', '', '', ''], 'customend': '', 'customfield': ['Telescope Home', 98, 30, 'CSys=Mount; RotType=Mount; RotAng=0']} |
def open_file(file):
with open(file) as f:
data = [x.strip() for x in f.readlines()]
return data
def get_gama_eps_in_str(data):
gamma = ''
eps = ''
for i in range(len(data[0])):
bit_value = 0
for j in range(len(data)):
bit_value += int(data[j][i])
max_occurance_bit = bit_value // (len(data) // 2)
gamma += str(max_occurance_bit)
eps += str(1 - max_occurance_bit)
return gamma, eps
def day3_a(data):
gamma, eps = get_gama_eps_in_str(data)
gamma = int(gamma, 2)
eps = int(eps, 2)
print(gamma * eps)
def bit_criteria_1(rows, i):
value = sum([int(x[i]) for x in rows]) / len(rows)
return '0' if value < 0.5 else '1'
def bit_criteria_2(rows, i):
value = sum([int(x[i]) for x in rows]) / len(rows)
return '1' if value < 0.5 else '0'
def look_for_values(data, filtering_crit):
filtered_data = data
for i in range(len(data[0])):
gamma_eps = filtering_crit(filtered_data, i)
filtered_data = [x for x in filtered_data if x[i] == gamma_eps]
if len(filtered_data) == 1:
break
return filtered_data[0]
def day3_b(data):
o_rating = look_for_values(data, bit_criteria_1)
co2_rating = look_for_values(data, bit_criteria_2)
o_rating = int(o_rating, 2)
co2_rating = int(co2_rating, 2)
print(o_rating * co2_rating)
if __name__ == '__main__':
data = open_file('inputs/day3.txt')
# day3_a(data)
day3_b(data)
| def open_file(file):
with open(file) as f:
data = [x.strip() for x in f.readlines()]
return data
def get_gama_eps_in_str(data):
gamma = ''
eps = ''
for i in range(len(data[0])):
bit_value = 0
for j in range(len(data)):
bit_value += int(data[j][i])
max_occurance_bit = bit_value // (len(data) // 2)
gamma += str(max_occurance_bit)
eps += str(1 - max_occurance_bit)
return (gamma, eps)
def day3_a(data):
(gamma, eps) = get_gama_eps_in_str(data)
gamma = int(gamma, 2)
eps = int(eps, 2)
print(gamma * eps)
def bit_criteria_1(rows, i):
value = sum([int(x[i]) for x in rows]) / len(rows)
return '0' if value < 0.5 else '1'
def bit_criteria_2(rows, i):
value = sum([int(x[i]) for x in rows]) / len(rows)
return '1' if value < 0.5 else '0'
def look_for_values(data, filtering_crit):
filtered_data = data
for i in range(len(data[0])):
gamma_eps = filtering_crit(filtered_data, i)
filtered_data = [x for x in filtered_data if x[i] == gamma_eps]
if len(filtered_data) == 1:
break
return filtered_data[0]
def day3_b(data):
o_rating = look_for_values(data, bit_criteria_1)
co2_rating = look_for_values(data, bit_criteria_2)
o_rating = int(o_rating, 2)
co2_rating = int(co2_rating, 2)
print(o_rating * co2_rating)
if __name__ == '__main__':
data = open_file('inputs/day3.txt')
day3_b(data) |
class SiteType:
def __init__(self):
pass
Communication = "CommunicationSite"
Team = "TeamSite"
| class Sitetype:
def __init__(self):
pass
communication = 'CommunicationSite'
team = 'TeamSite' |
"""
Given a string num which represents an integer, return true if num is a strobogrammatic number.
A strobogrammatic number is a number that looks the same when rotated 180 degrees (looked at upside down).
Example 1:
Input: num = "69"
Output: true
Example 2:
Input: num = "88"
Output: true
Example 3:
Input: num = "962"
Output: false
"""
class Solution:
"""
Build rotated string and compare with the source string. Strobogrammatic strings shall equal.
Runtime: 28 ms, faster than 80.88% of Python3
Memory Usage: 14.3 MB, less than 12.53% of Python3
Time / Space complexity: O(n)
"""
def isStrobogrammatic(self, num: str) -> bool:
strob = {"0": "0", "1": "1", "6": "9", "9": "6", "8": "8"}
rev_num = list()
for n in num:
if n in strob:
rev_num.append(strob[n])
else:
return False
return num == "".join(reversed(rev_num))
class Solution2:
"""
Two-pointers approach
Runtime: 28 ms, faster than 80.88% of Python3
Memory Usage: 14 MB, less than 99.05% of Python3
Time complexity: O(n) as we need to check all the digits in num
Space complexity: O(1) as we use constant extra space for "strob" dict
"""
def isStrobogrammatic(self, num: str) -> bool:
strob = {"0": "0", "1": "1", "6": "9", "9": "6", "8": "8"}
i, j = 0, len(num) - 1
while i <= j:
if num[i] not in strob or strob[num[i]] != num[j]:
return False
i += 1
j -= 1
return True
if __name__ == '__main__':
solutions = [Solution(), Solution2()]
tc = (
("69", True),
("88", True),
("962", False),
("1", True),
("2", False),
("101", True),
)
for s in solutions:
for inp, exp in tc:
res = s.isStrobogrammatic(inp)
assert res is exp, f"{s.__class__.__name__}: for input {inp} expected {exp}, got {res}"
| """
Given a string num which represents an integer, return true if num is a strobogrammatic number.
A strobogrammatic number is a number that looks the same when rotated 180 degrees (looked at upside down).
Example 1:
Input: num = "69"
Output: true
Example 2:
Input: num = "88"
Output: true
Example 3:
Input: num = "962"
Output: false
"""
class Solution:
"""
Build rotated string and compare with the source string. Strobogrammatic strings shall equal.
Runtime: 28 ms, faster than 80.88% of Python3
Memory Usage: 14.3 MB, less than 12.53% of Python3
Time / Space complexity: O(n)
"""
def is_strobogrammatic(self, num: str) -> bool:
strob = {'0': '0', '1': '1', '6': '9', '9': '6', '8': '8'}
rev_num = list()
for n in num:
if n in strob:
rev_num.append(strob[n])
else:
return False
return num == ''.join(reversed(rev_num))
class Solution2:
"""
Two-pointers approach
Runtime: 28 ms, faster than 80.88% of Python3
Memory Usage: 14 MB, less than 99.05% of Python3
Time complexity: O(n) as we need to check all the digits in num
Space complexity: O(1) as we use constant extra space for "strob" dict
"""
def is_strobogrammatic(self, num: str) -> bool:
strob = {'0': '0', '1': '1', '6': '9', '9': '6', '8': '8'}
(i, j) = (0, len(num) - 1)
while i <= j:
if num[i] not in strob or strob[num[i]] != num[j]:
return False
i += 1
j -= 1
return True
if __name__ == '__main__':
solutions = [solution(), solution2()]
tc = (('69', True), ('88', True), ('962', False), ('1', True), ('2', False), ('101', True))
for s in solutions:
for (inp, exp) in tc:
res = s.isStrobogrammatic(inp)
assert res is exp, f'{s.__class__.__name__}: for input {inp} expected {exp}, got {res}' |
#
# PySNMP MIB module CXOperatingSystem-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/CXOperatingSystem-MIB
# Produced by pysmi-0.3.4 at Wed May 1 12:33:16 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, Integer, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "OctetString", "Integer", "ObjectIdentifier")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ValueSizeConstraint, ConstraintsUnion, SingleValueConstraint, ConstraintsIntersection, ValueRangeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "ConstraintsUnion", "SingleValueConstraint", "ConstraintsIntersection", "ValueRangeConstraint")
cxOperatingSystem, = mibBuilder.importSymbols("CXProduct-SMI", "cxOperatingSystem")
ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup")
Gauge32, ModuleIdentity, Bits, MibIdentifier, Unsigned32, IpAddress, NotificationType, iso, Counter64, ObjectIdentity, MibScalar, MibTable, MibTableRow, MibTableColumn, Counter32, TimeTicks, Integer32 = mibBuilder.importSymbols("SNMPv2-SMI", "Gauge32", "ModuleIdentity", "Bits", "MibIdentifier", "Unsigned32", "IpAddress", "NotificationType", "iso", "Counter64", "ObjectIdentity", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Counter32", "TimeTicks", "Integer32")
DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention")
cxOsParameter = MibIdentifier((1, 3, 6, 1, 4, 1, 495, 2, 1, 5, 5, 1))
cxOsNbBufs = MibScalar((1, 3, 6, 1, 4, 1, 495, 2, 1, 5, 5, 1, 1), Integer32().clone(1200)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cxOsNbBufs.setStatus('mandatory')
if mibBuilder.loadTexts: cxOsNbBufs.setDescription('Determines the total number of data buffers to be created within the system. System heap memory is reduced as the number of buffers is increased. Range of Values: Depends on amount of installed system DRAM, as well as on requirements made by software during initialization. Cannot be set to a value larger than the one chosen for object cxOsNbSystemMsg. Default Value: 1200')
cxOsBufSize = MibScalar((1, 3, 6, 1, 4, 1, 495, 2, 1, 5, 5, 1, 2), Integer32().clone(292)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cxOsBufSize.setStatus('mandatory')
if mibBuilder.loadTexts: cxOsBufSize.setDescription('Determines the size in bytes of each data buffer. Range of Values: 1 to 65535 Note: The maximum usable size depends on amount of installed system DRAM, as well as on requirements made by software during initialization. Default Value: 292.')
cxOsNbBufsAvail = MibScalar((1, 3, 6, 1, 4, 1, 495, 2, 1, 5, 5, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cxOsNbBufsAvail.setStatus('mandatory')
if mibBuilder.loadTexts: cxOsNbBufsAvail.setDescription('Displays the number of data buffers that has actually been created. If you want to change the number of buffers you must change cxOsNbBufs. Range of Values: Depends on amount of installed system DRAM, as well as on requirements made by software during initialization.')
cxOsNbBufsFree = MibScalar((1, 3, 6, 1, 4, 1, 495, 2, 1, 5, 5, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cxOsNbBufsFree.setStatus('mandatory')
if mibBuilder.loadTexts: cxOsNbBufsFree.setDescription('Displays the number of data buffers that are currently free within the system. Range of Values: Depends on amount of installed system DRAM, as well as on requirements made by software during initialization.')
cxOsNbSystemMsg = MibScalar((1, 3, 6, 1, 4, 1, 495, 2, 1, 5, 5, 1, 16), Integer32().clone(1320)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cxOsNbSystemMsg.setStatus('mandatory')
if mibBuilder.loadTexts: cxOsNbSystemMsg.setDescription('Determines the number of message buffers defined in the system. One or more data buffers may be attached to a message buffer. Cannot be set to a value smaller than the value of object cxOsNbBufs. Range of Values: from the total number of buffers in the system to 65535 Default Value: 1320')
cxOsNbSystemMsgFree = MibScalar((1, 3, 6, 1, 4, 1, 495, 2, 1, 5, 5, 1, 17), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cxOsNbSystemMsgFree.setStatus('mandatory')
if mibBuilder.loadTexts: cxOsNbSystemMsgFree.setDescription('Displays the number of message buffers currently free in the system. Range of Values:from the total number of buffers in the system to 65535.')
cxOsOptions = MibScalar((1, 3, 6, 1, 4, 1, 495, 2, 1, 5, 5, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("data", 1), ("inst", 2), ("data-inst", 3), ("pipeline", 4), ("p-data", 5), ("p-inst", 6), ("p-data-inst", 7), ("none", 8))).clone('p-data-inst')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cxOsOptions.setStatus('mandatory')
if mibBuilder.loadTexts: cxOsOptions.setDescription('Used for engineering testing only. Used to control data cache, instruction cache and pipeline features. Default value: p-data-inst')
mibBuilder.exportSymbols("CXOperatingSystem-MIB", cxOsOptions=cxOsOptions, cxOsNbBufs=cxOsNbBufs, cxOsParameter=cxOsParameter, cxOsBufSize=cxOsBufSize, cxOsNbSystemMsg=cxOsNbSystemMsg, cxOsNbBufsAvail=cxOsNbBufsAvail, cxOsNbSystemMsgFree=cxOsNbSystemMsgFree, cxOsNbBufsFree=cxOsNbBufsFree)
| (octet_string, integer, object_identifier) = mibBuilder.importSymbols('ASN1', 'OctetString', 'Integer', 'ObjectIdentifier')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(value_size_constraint, constraints_union, single_value_constraint, constraints_intersection, value_range_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueSizeConstraint', 'ConstraintsUnion', 'SingleValueConstraint', 'ConstraintsIntersection', 'ValueRangeConstraint')
(cx_operating_system,) = mibBuilder.importSymbols('CXProduct-SMI', 'cxOperatingSystem')
(module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup')
(gauge32, module_identity, bits, mib_identifier, unsigned32, ip_address, notification_type, iso, counter64, object_identity, mib_scalar, mib_table, mib_table_row, mib_table_column, counter32, time_ticks, integer32) = mibBuilder.importSymbols('SNMPv2-SMI', 'Gauge32', 'ModuleIdentity', 'Bits', 'MibIdentifier', 'Unsigned32', 'IpAddress', 'NotificationType', 'iso', 'Counter64', 'ObjectIdentity', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Counter32', 'TimeTicks', 'Integer32')
(display_string, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention')
cx_os_parameter = mib_identifier((1, 3, 6, 1, 4, 1, 495, 2, 1, 5, 5, 1))
cx_os_nb_bufs = mib_scalar((1, 3, 6, 1, 4, 1, 495, 2, 1, 5, 5, 1, 1), integer32().clone(1200)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cxOsNbBufs.setStatus('mandatory')
if mibBuilder.loadTexts:
cxOsNbBufs.setDescription('Determines the total number of data buffers to be created within the system. System heap memory is reduced as the number of buffers is increased. Range of Values: Depends on amount of installed system DRAM, as well as on requirements made by software during initialization. Cannot be set to a value larger than the one chosen for object cxOsNbSystemMsg. Default Value: 1200')
cx_os_buf_size = mib_scalar((1, 3, 6, 1, 4, 1, 495, 2, 1, 5, 5, 1, 2), integer32().clone(292)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cxOsBufSize.setStatus('mandatory')
if mibBuilder.loadTexts:
cxOsBufSize.setDescription('Determines the size in bytes of each data buffer. Range of Values: 1 to 65535 Note: The maximum usable size depends on amount of installed system DRAM, as well as on requirements made by software during initialization. Default Value: 292.')
cx_os_nb_bufs_avail = mib_scalar((1, 3, 6, 1, 4, 1, 495, 2, 1, 5, 5, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cxOsNbBufsAvail.setStatus('mandatory')
if mibBuilder.loadTexts:
cxOsNbBufsAvail.setDescription('Displays the number of data buffers that has actually been created. If you want to change the number of buffers you must change cxOsNbBufs. Range of Values: Depends on amount of installed system DRAM, as well as on requirements made by software during initialization.')
cx_os_nb_bufs_free = mib_scalar((1, 3, 6, 1, 4, 1, 495, 2, 1, 5, 5, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cxOsNbBufsFree.setStatus('mandatory')
if mibBuilder.loadTexts:
cxOsNbBufsFree.setDescription('Displays the number of data buffers that are currently free within the system. Range of Values: Depends on amount of installed system DRAM, as well as on requirements made by software during initialization.')
cx_os_nb_system_msg = mib_scalar((1, 3, 6, 1, 4, 1, 495, 2, 1, 5, 5, 1, 16), integer32().clone(1320)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cxOsNbSystemMsg.setStatus('mandatory')
if mibBuilder.loadTexts:
cxOsNbSystemMsg.setDescription('Determines the number of message buffers defined in the system. One or more data buffers may be attached to a message buffer. Cannot be set to a value smaller than the value of object cxOsNbBufs. Range of Values: from the total number of buffers in the system to 65535 Default Value: 1320')
cx_os_nb_system_msg_free = mib_scalar((1, 3, 6, 1, 4, 1, 495, 2, 1, 5, 5, 1, 17), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cxOsNbSystemMsgFree.setStatus('mandatory')
if mibBuilder.loadTexts:
cxOsNbSystemMsgFree.setDescription('Displays the number of message buffers currently free in the system. Range of Values:from the total number of buffers in the system to 65535.')
cx_os_options = mib_scalar((1, 3, 6, 1, 4, 1, 495, 2, 1, 5, 5, 1, 18), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('data', 1), ('inst', 2), ('data-inst', 3), ('pipeline', 4), ('p-data', 5), ('p-inst', 6), ('p-data-inst', 7), ('none', 8))).clone('p-data-inst')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
cxOsOptions.setStatus('mandatory')
if mibBuilder.loadTexts:
cxOsOptions.setDescription('Used for engineering testing only. Used to control data cache, instruction cache and pipeline features. Default value: p-data-inst')
mibBuilder.exportSymbols('CXOperatingSystem-MIB', cxOsOptions=cxOsOptions, cxOsNbBufs=cxOsNbBufs, cxOsParameter=cxOsParameter, cxOsBufSize=cxOsBufSize, cxOsNbSystemMsg=cxOsNbSystemMsg, cxOsNbBufsAvail=cxOsNbBufsAvail, cxOsNbSystemMsgFree=cxOsNbSystemMsgFree, cxOsNbBufsFree=cxOsNbBufsFree) |
#!/usr/bin/env python3
# ~*~ coding: utf-8 ~*~
# Now modify the grades program from section Dictionaries so that it uses
# file I/O to keep a record of the students.
assignments = ['hw ch 1', 'hw ch 2', 'quiz ', 'hw ch 3', 'test']
students = { }
def load_grades(gradesfile):
inputfile = open(gradesfile, "r")
grades = [ ]
while True:
student_and_grade = inputfile.readline()
student_and_grade = student_and_grade[:-1]
if not student_and_grade:
break
else:
studentname, studentgrades = student_and_grade.split(",")
studentgrades = studentgrades.split(" ")
students[studentname] = studentgrades
inputfile.close()
print("Grades loaded.")
def save_grades(gradesfile):
outputfile = open(gradesfile, "w")
for k, v in students.items():
outputfile.write(k + ",")
for x in v:
outputfile.write(str(x) + " ")
outputfile.write("\n")
outputfile.close()
print("Grades saved.")
def print_menu():
print("1. Add student")
print("2. Remove student")
print("3. Load grades")
print("4. Record grade")
print("5. Print grades")
print("6. Save grades")
print("7. Print Menu")
print("9. Quit")
def print_all_grades():
if students:
keys = sorted(students.keys())
print('\t', end=' ')
for x in assignments:
print(x, '\t', end=' ')
print()
for x in keys:
print(x, '\t', end=' ')
grades = students[x]
print_grades(grades)
else:
print("There are no grades to print.")
def print_grades(grades):
for x in grades:
print(x, '\t', end=' ')
print()
print_menu()
menu_choice = 0
while menu_choice != 9:
print()
menu_choice = int(input("Menu Choice: "))
if menu_choice == 1:
name = input("Student to add: ")
students[name] = [0] * len(assignments)
elif menu_choice == 2:
name = input("Student to remove: ")
if name in students:
del students[name]
else:
print("Student:", name, "not found")
elif menu_choice == 3:
gradesfile = input("Load grades from which file? ")
load_grades(gradesfile)
elif menu_choice == 4:
print("Record Grade")
name = input("Student: ")
if name in students:
grades = students[name]
print("Type in the number of the grade to record")
print("Type a 0 (zero) to exit")
for i,x in enumerate(assignments):
print(i + 1, x, '\t', end=' ')
print()
print_grades(grades)
which = 1234
while which != -1:
which = int(input("Change which Grade: "))
which -= 1
if 0 <= which < len(grades):
grade = input("Grade: ") # Change from float(input()) to input() to avoid an error when savi
grades[which] = grade
elif which != -1:
print("Invalid Grade Number")
else:
print("Student not found")
elif menu_choice == 5:
print_all_grades()
elif menu_choice == 6:
gradesfile = input("Save grades to which file? ")
save_grades(gradesfile)
elif menu_choice != 9:
print_menu()
| assignments = ['hw ch 1', 'hw ch 2', 'quiz ', 'hw ch 3', 'test']
students = {}
def load_grades(gradesfile):
inputfile = open(gradesfile, 'r')
grades = []
while True:
student_and_grade = inputfile.readline()
student_and_grade = student_and_grade[:-1]
if not student_and_grade:
break
else:
(studentname, studentgrades) = student_and_grade.split(',')
studentgrades = studentgrades.split(' ')
students[studentname] = studentgrades
inputfile.close()
print('Grades loaded.')
def save_grades(gradesfile):
outputfile = open(gradesfile, 'w')
for (k, v) in students.items():
outputfile.write(k + ',')
for x in v:
outputfile.write(str(x) + ' ')
outputfile.write('\n')
outputfile.close()
print('Grades saved.')
def print_menu():
print('1. Add student')
print('2. Remove student')
print('3. Load grades')
print('4. Record grade')
print('5. Print grades')
print('6. Save grades')
print('7. Print Menu')
print('9. Quit')
def print_all_grades():
if students:
keys = sorted(students.keys())
print('\t', end=' ')
for x in assignments:
print(x, '\t', end=' ')
print()
for x in keys:
print(x, '\t', end=' ')
grades = students[x]
print_grades(grades)
else:
print('There are no grades to print.')
def print_grades(grades):
for x in grades:
print(x, '\t', end=' ')
print()
print_menu()
menu_choice = 0
while menu_choice != 9:
print()
menu_choice = int(input('Menu Choice: '))
if menu_choice == 1:
name = input('Student to add: ')
students[name] = [0] * len(assignments)
elif menu_choice == 2:
name = input('Student to remove: ')
if name in students:
del students[name]
else:
print('Student:', name, 'not found')
elif menu_choice == 3:
gradesfile = input('Load grades from which file? ')
load_grades(gradesfile)
elif menu_choice == 4:
print('Record Grade')
name = input('Student: ')
if name in students:
grades = students[name]
print('Type in the number of the grade to record')
print('Type a 0 (zero) to exit')
for (i, x) in enumerate(assignments):
print(i + 1, x, '\t', end=' ')
print()
print_grades(grades)
which = 1234
while which != -1:
which = int(input('Change which Grade: '))
which -= 1
if 0 <= which < len(grades):
grade = input('Grade: ')
grades[which] = grade
elif which != -1:
print('Invalid Grade Number')
else:
print('Student not found')
elif menu_choice == 5:
print_all_grades()
elif menu_choice == 6:
gradesfile = input('Save grades to which file? ')
save_grades(gradesfile)
elif menu_choice != 9:
print_menu() |
class Solution:
def containsDuplicate(self, nums: list) -> bool:
hs = set()
for n in nums:
if n not in hs:
hs.add(n)
else:
return True
return False | class Solution:
def contains_duplicate(self, nums: list) -> bool:
hs = set()
for n in nums:
if n not in hs:
hs.add(n)
else:
return True
return False |
"""
Actions module for cumulus.
Will be responsible for running the different actions,
create, update and delete.
"""
| """
Actions module for cumulus.
Will be responsible for running the different actions,
create, update and delete.
""" |
# The file containing all the group API methods
def change_group_name():
row = db(db.group_data.id == request.vars.group_id).select().first()
row.update_record(group_name = request.vars.group_name)
return "ok"
def add_group():
t_id = db.group_data.insert(
group_owner = request.vars.group_owner,
group_name = request.vars.group_name,
)
r = db(db.group_data.id == t_id).select().first()
return response.json(dict(group_data=dict(
id = r.id,
group_owner = r.group_owner,
group_name = r.group_name,
members = r.members,
surf_session = r.surf_session
)))
def delete_all_group_data():
"Deletes all groups from the table"
db(db.group_data.id > -1).delete()
return "ok"
def delete_group():
db(db.group_data.id == request.vars.group_id).delete()
return "ok"
def get_groups():
groups = []
user = db(db.user_data.user_id == request.vars.user_id).select().first()
if user.groups is not None:
for r in user.groups:
group = db(db.group_data.id == r).select().first()
t = dict(
id = group.id,
group_owner = group.group_owner,
group_name = group.group_name,
members = group.members,
surf_session = group.surf_session
)
groups.append(t)
for r in db(db.group_data.group_owner == request.vars.group_owner).select():
t = dict(
id = r.id,
group_owner = r.group_owner,
group_name = r.group_name,
members = r.members,
surf_session = r.surf_session
)
groups.append(t)
return response.json(dict(
groups = groups
))
def get_group():
r = db(db.group_data.id == request.vars.group_id).select().first()
return response.json(dict(group=dict(
id = r.id,
group_owner = r.group_owner,
group_name = r.group_name,
members = r.members,
surf_session = r.surf_session
)))
def edit_group_session():
r = db(db.group_data.id == request.vars.group_id).select().first()
r.update_record(surf_session=request.vars.session)
return "ok"
def invite_member():
r = db(db.user_data.email == request.vars.invitee).select().first()
group_id = int(request.vars.group_id) if request.vars.group_id is not None else -1
if r.notifications is not None:
if group_id not in r.notifications:
r.notifications.append(request.vars.group_id)
r.update_record()
else:
r.update_record(notifications=[request.vars.group_id])
return "ok"
def add_to_group():
r = db(db.group_data.id == request.vars.group_id).select().first()
u = db(db.user_data.user_id == request.vars.user_id).select().first()
if r.members is not None:
r.members.append(request.vars.guest)
r.update_record()
if u.groups is not None:
u.groups.append(request.vars.group_id)
u.update_record()
else:
u.update_record(groups=[request.vars.group_id])
else:
r.update_record(members=[request.vars.guest])
if u.groups is not None:
u.groups.append(request.vars.group_id)
u.update_record()
else:
u.update_record(groups=[request.vars.group_id])
def leave_group():
r = db(db.group_data.id == request.vars.group_id).select().first()
u = db(db.user_data.user_id == request.vars.user_id).select().first()
for idx, mem in enumerate(r.members):
if mem == request.vars.member:
r.members.pop(idx)
r.update_record()
group_id = int(request.vars.group_id) if request.vars.group_id is not None else -1
for index, group in enumerate(u.groups):
# group = int(group) if group is not None else -1
if group == group_id:
u.groups.pop(index)
u.update_record()
return "ok"
def calculate_group_skill():
group = db(db.group_data.group_name == request.vars.group).select().first()
owner = db(db.user_data.email == group.group_owner).select().first()
skill_level = 0
counter = 0
print("owner skill lvl: ", owner.skill_level)
if owner.skill_level == 'Beginner':
skill_level = 1
elif owner.skill_level == 'Intermediate':
skill_level = 2
elif owner.skill_level == 'Advanced':
skill_level = 3
elif owner.skill_level == 'Expert':
skill_level = 4
counter = counter + 1
if group.members is None:
return skill_level
for idx, mem in enumerate(group.members):
user = db(db.user_data.email == mem).select().first()
print("users skill lvl: ", user.skill_level)
if user.skill_level == 'Beginner':
skill_level += 1
elif user.skill_level == 'Intermediate':
skill_level += 2
elif user.skill_level == 'Advanced':
skill_level += 3
elif user.skill_level == 'Expert':
skill_level += 4
counter = counter + 1
print("unrounded skill:", skill_level)
skill_level = round(skill_level/counter)
print("rounded skill:", skill_level)
return skill_level | def change_group_name():
row = db(db.group_data.id == request.vars.group_id).select().first()
row.update_record(group_name=request.vars.group_name)
return 'ok'
def add_group():
t_id = db.group_data.insert(group_owner=request.vars.group_owner, group_name=request.vars.group_name)
r = db(db.group_data.id == t_id).select().first()
return response.json(dict(group_data=dict(id=r.id, group_owner=r.group_owner, group_name=r.group_name, members=r.members, surf_session=r.surf_session)))
def delete_all_group_data():
"""Deletes all groups from the table"""
db(db.group_data.id > -1).delete()
return 'ok'
def delete_group():
db(db.group_data.id == request.vars.group_id).delete()
return 'ok'
def get_groups():
groups = []
user = db(db.user_data.user_id == request.vars.user_id).select().first()
if user.groups is not None:
for r in user.groups:
group = db(db.group_data.id == r).select().first()
t = dict(id=group.id, group_owner=group.group_owner, group_name=group.group_name, members=group.members, surf_session=group.surf_session)
groups.append(t)
for r in db(db.group_data.group_owner == request.vars.group_owner).select():
t = dict(id=r.id, group_owner=r.group_owner, group_name=r.group_name, members=r.members, surf_session=r.surf_session)
groups.append(t)
return response.json(dict(groups=groups))
def get_group():
r = db(db.group_data.id == request.vars.group_id).select().first()
return response.json(dict(group=dict(id=r.id, group_owner=r.group_owner, group_name=r.group_name, members=r.members, surf_session=r.surf_session)))
def edit_group_session():
r = db(db.group_data.id == request.vars.group_id).select().first()
r.update_record(surf_session=request.vars.session)
return 'ok'
def invite_member():
r = db(db.user_data.email == request.vars.invitee).select().first()
group_id = int(request.vars.group_id) if request.vars.group_id is not None else -1
if r.notifications is not None:
if group_id not in r.notifications:
r.notifications.append(request.vars.group_id)
r.update_record()
else:
r.update_record(notifications=[request.vars.group_id])
return 'ok'
def add_to_group():
r = db(db.group_data.id == request.vars.group_id).select().first()
u = db(db.user_data.user_id == request.vars.user_id).select().first()
if r.members is not None:
r.members.append(request.vars.guest)
r.update_record()
if u.groups is not None:
u.groups.append(request.vars.group_id)
u.update_record()
else:
u.update_record(groups=[request.vars.group_id])
else:
r.update_record(members=[request.vars.guest])
if u.groups is not None:
u.groups.append(request.vars.group_id)
u.update_record()
else:
u.update_record(groups=[request.vars.group_id])
def leave_group():
r = db(db.group_data.id == request.vars.group_id).select().first()
u = db(db.user_data.user_id == request.vars.user_id).select().first()
for (idx, mem) in enumerate(r.members):
if mem == request.vars.member:
r.members.pop(idx)
r.update_record()
group_id = int(request.vars.group_id) if request.vars.group_id is not None else -1
for (index, group) in enumerate(u.groups):
if group == group_id:
u.groups.pop(index)
u.update_record()
return 'ok'
def calculate_group_skill():
group = db(db.group_data.group_name == request.vars.group).select().first()
owner = db(db.user_data.email == group.group_owner).select().first()
skill_level = 0
counter = 0
print('owner skill lvl: ', owner.skill_level)
if owner.skill_level == 'Beginner':
skill_level = 1
elif owner.skill_level == 'Intermediate':
skill_level = 2
elif owner.skill_level == 'Advanced':
skill_level = 3
elif owner.skill_level == 'Expert':
skill_level = 4
counter = counter + 1
if group.members is None:
return skill_level
for (idx, mem) in enumerate(group.members):
user = db(db.user_data.email == mem).select().first()
print('users skill lvl: ', user.skill_level)
if user.skill_level == 'Beginner':
skill_level += 1
elif user.skill_level == 'Intermediate':
skill_level += 2
elif user.skill_level == 'Advanced':
skill_level += 3
elif user.skill_level == 'Expert':
skill_level += 4
counter = counter + 1
print('unrounded skill:', skill_level)
skill_level = round(skill_level / counter)
print('rounded skill:', skill_level)
return skill_level |
'''
This contains the entity definition for three contiguous numbers.
This would be useful for something like a phone number area code.
'''
THREE_DIGIT_PATTERN = [[['NUM'], ['NUM'], ['NUM']]]
ENTITY_DEFINITION = {
'patterns': THREE_DIGIT_PATTERN,
'spacing': {
'default': '',
}
}
| """
This contains the entity definition for three contiguous numbers.
This would be useful for something like a phone number area code.
"""
three_digit_pattern = [[['NUM'], ['NUM'], ['NUM']]]
entity_definition = {'patterns': THREE_DIGIT_PATTERN, 'spacing': {'default': ''}} |
# -*- coding:utf-8 -*-
# https://leetcode.com/problems/maximal-rectangle/description/
class Solution(object):
def maximalRectangle(self, matrix):
"""
:type matrix: List[List[str]]
:rtype: int
"""
def largestRectangleArea(heights):
ret = 0
ascent_heights = []
ascent_idxs = []
n = len(heights)
for idx, height in enumerate(heights):
if not ascent_heights or ascent_heights[-1] < height:
ascent_heights.append(height)
ascent_idxs.append(idx)
elif ascent_heights[-1] > height:
while ascent_heights and ascent_heights[-1] > height:
_height = ascent_heights.pop()
_idx = ascent_idxs.pop()
ret = max(ret, _height * (idx - _idx))
ascent_heights.append(height)
ascent_idxs.append(_idx)
while ascent_heights:
ret = max(ret, ascent_heights.pop() * (n - ascent_idxs.pop()))
return ret
if not matrix:
return 0
row = len(matrix)
col = len(matrix[0])
ret = 0
heights = [0 for i in range(col)]
for i in range(row):
for j in range(col):
if matrix[i][j] == '1':
heights[j] += 1
else:
heights[j] = 0
ret = max(ret, largestRectangleArea(heights))
return ret | class Solution(object):
def maximal_rectangle(self, matrix):
"""
:type matrix: List[List[str]]
:rtype: int
"""
def largest_rectangle_area(heights):
ret = 0
ascent_heights = []
ascent_idxs = []
n = len(heights)
for (idx, height) in enumerate(heights):
if not ascent_heights or ascent_heights[-1] < height:
ascent_heights.append(height)
ascent_idxs.append(idx)
elif ascent_heights[-1] > height:
while ascent_heights and ascent_heights[-1] > height:
_height = ascent_heights.pop()
_idx = ascent_idxs.pop()
ret = max(ret, _height * (idx - _idx))
ascent_heights.append(height)
ascent_idxs.append(_idx)
while ascent_heights:
ret = max(ret, ascent_heights.pop() * (n - ascent_idxs.pop()))
return ret
if not matrix:
return 0
row = len(matrix)
col = len(matrix[0])
ret = 0
heights = [0 for i in range(col)]
for i in range(row):
for j in range(col):
if matrix[i][j] == '1':
heights[j] += 1
else:
heights[j] = 0
ret = max(ret, largest_rectangle_area(heights))
return ret |
#def jogar():
print(40 * "*")
print("Bem vindo ao jogo da FORCA")
print(40 * "*")
palavra_secreta = 'banana'
enforcou = False
acertou = False
while not enforcou and not acertou:
chute = input("Qual letra? ")
print('jogando...')
# if __name__ == "main":
# jogar()
| print(40 * '*')
print('Bem vindo ao jogo da FORCA')
print(40 * '*')
palavra_secreta = 'banana'
enforcou = False
acertou = False
while not enforcou and (not acertou):
chute = input('Qual letra? ')
print('jogando...') |
num = 7
step = 2
begin = 41
num *= step
for i in range(begin, begin+num, step):
print(i, end=',')
| num = 7
step = 2
begin = 41
num *= step
for i in range(begin, begin + num, step):
print(i, end=',') |
campaign = {
'type': ['object', 'null'],
'properties': {
'asset_id': {'type': 'integer'},
'asset_name': {'type': 'string'},
'modified_time': {'type': 'string'},
'version_number': {'type': 'integer'},
}
}
owner = {
'type': ['object', 'null'],
'properties': {
'asset_id': {'type': 'integer'},
'first_name': {'type': 'string'},
'last_name': {'type': 'string'},
'modified_time': {'type': 'string'},
}
}
transactional_mailing = {
'type': 'object',
'properties': {
'id': {
'type': 'integer',
'description': 'The asset_id of this mailing',
},
'approved': {'type': 'boolean'},
'asset_name': {'type': 'string'},
'campaign': campaign,
'channel': {'type': 'string'},
'compliance': {'type': 'boolean'},
'mailing_priority': {'type': 'string'},
'mailing_server_group': {'type': 'string'},
'mailing_status': {'type': 'string'},
'modified_time': {'type': 'string'},
'owner': owner,
'target': {
'type': ['object', 'null'],
'properties': {
'asset_id': {'type': 'integer'},
'asset_name': {'type': 'string'},
}
},
'version_number': {'type': 'integer'}
}
}
internal_datasource = {
'type': 'object',
'properties': {
'id': {
'type': 'integer',
'description': 'The asset_id of this mailing',
},
'asset_name': {'type': 'string'},
'asset_url': {'type': 'string'},
'campaign': campaign,
'cloud_sync': {'type': 'boolean'},
'data_source_stat': {
'type': 'object',
'properties': {
'num_total_rec': {'type': 'integer'}
}
},
'modified_time': {'type': 'string'},
'owner': owner,
'version_number': {'type': 'integer'}
}
}
extension_datasource = internal_datasource
source = {
'type': ['object', 'null'],
'properties': {
'asset_id': {'type': 'integer'},
'asset_name': {'type': 'string'},
'data_source_type': {'type': 'string'},
'version_number': {'type': 'integer'},
'modified_time': {'type': 'string'},
}
}
program = {
'type': 'object',
'properties': {
'id': {
'type': 'integer',
'description': 'The asset_id of this mailing',
},
'asset_name': {'type': 'string'},
'asset_url': {'type': 'string'},
'campaign': campaign,
'modified_time': {'type': 'string'},
'owner': owner,
'primary_source': source,
'program_data_source': source,
'status': {'type': 'string'},
'type': {'type': 'string'},
}
}
endpoint_to_schema_mapping = {
'programs': program,
'mailings/transactional': transactional_mailing,
'data-sources/internal': internal_datasource,
'data-sources/extension': extension_datasource,
}
| campaign = {'type': ['object', 'null'], 'properties': {'asset_id': {'type': 'integer'}, 'asset_name': {'type': 'string'}, 'modified_time': {'type': 'string'}, 'version_number': {'type': 'integer'}}}
owner = {'type': ['object', 'null'], 'properties': {'asset_id': {'type': 'integer'}, 'first_name': {'type': 'string'}, 'last_name': {'type': 'string'}, 'modified_time': {'type': 'string'}}}
transactional_mailing = {'type': 'object', 'properties': {'id': {'type': 'integer', 'description': 'The asset_id of this mailing'}, 'approved': {'type': 'boolean'}, 'asset_name': {'type': 'string'}, 'campaign': campaign, 'channel': {'type': 'string'}, 'compliance': {'type': 'boolean'}, 'mailing_priority': {'type': 'string'}, 'mailing_server_group': {'type': 'string'}, 'mailing_status': {'type': 'string'}, 'modified_time': {'type': 'string'}, 'owner': owner, 'target': {'type': ['object', 'null'], 'properties': {'asset_id': {'type': 'integer'}, 'asset_name': {'type': 'string'}}}, 'version_number': {'type': 'integer'}}}
internal_datasource = {'type': 'object', 'properties': {'id': {'type': 'integer', 'description': 'The asset_id of this mailing'}, 'asset_name': {'type': 'string'}, 'asset_url': {'type': 'string'}, 'campaign': campaign, 'cloud_sync': {'type': 'boolean'}, 'data_source_stat': {'type': 'object', 'properties': {'num_total_rec': {'type': 'integer'}}}, 'modified_time': {'type': 'string'}, 'owner': owner, 'version_number': {'type': 'integer'}}}
extension_datasource = internal_datasource
source = {'type': ['object', 'null'], 'properties': {'asset_id': {'type': 'integer'}, 'asset_name': {'type': 'string'}, 'data_source_type': {'type': 'string'}, 'version_number': {'type': 'integer'}, 'modified_time': {'type': 'string'}}}
program = {'type': 'object', 'properties': {'id': {'type': 'integer', 'description': 'The asset_id of this mailing'}, 'asset_name': {'type': 'string'}, 'asset_url': {'type': 'string'}, 'campaign': campaign, 'modified_time': {'type': 'string'}, 'owner': owner, 'primary_source': source, 'program_data_source': source, 'status': {'type': 'string'}, 'type': {'type': 'string'}}}
endpoint_to_schema_mapping = {'programs': program, 'mailings/transactional': transactional_mailing, 'data-sources/internal': internal_datasource, 'data-sources/extension': extension_datasource} |
# Note that the performance of the solutions below will not be great,
# since we use python lists here, while linked lists would be a better
# structure to use for such recursive solutions.
#
# Note also that such implementations are prone to stack overflow, since
# when recursion is used as a substitute for a loop, the recursion depth
# can become pretty large.
# 1.A.1 - List filtering
def list_filter(lst, pred):
if not lst:
return []
fst, *rest = lst
if pred(fst):
return [fst] + list_filter(rest, pred)
else:
return list_filter(rest, pred)
# 1.A.2 - Consecutive elements runs lengths
def count_runs(lst):
if not lst:
return []
else:
fst, *rest = lst
for index, elem in enumerate(rest):
if elem != fst:
return [index + 1] + count_runs(rest[index:])
return [len(lst)]
# 1.A.3 - Positions of a subsequence in a list
def sequence_position(lst, seq, start=0):
if not seq or not lst or len(seq) > len(lst) - start:
return []
if lst[start : len(seq) + start] == seq:
return [start] + sequence_position(lst, seq, start + 1)
else:
return sequence_position(lst, seq, start + 1) | def list_filter(lst, pred):
if not lst:
return []
(fst, *rest) = lst
if pred(fst):
return [fst] + list_filter(rest, pred)
else:
return list_filter(rest, pred)
def count_runs(lst):
if not lst:
return []
else:
(fst, *rest) = lst
for (index, elem) in enumerate(rest):
if elem != fst:
return [index + 1] + count_runs(rest[index:])
return [len(lst)]
def sequence_position(lst, seq, start=0):
if not seq or not lst or len(seq) > len(lst) - start:
return []
if lst[start:len(seq) + start] == seq:
return [start] + sequence_position(lst, seq, start + 1)
else:
return sequence_position(lst, seq, start + 1) |
### Group the People Given the Group Size They Belong To - Solution
class Solution:
def groupThePeople(self, groupSizes: List[int]) -> List[List[int]]:
id_and_person = collections.defaultdict(list)
for person, id_ in enumerate(groupSizes):
id_and_person[id_].append(person)
final_group = tuple(val[i:i+key] for key, val in id_and_person.items() for i in range(0, len(val), key))
return final_group | class Solution:
def group_the_people(self, groupSizes: List[int]) -> List[List[int]]:
id_and_person = collections.defaultdict(list)
for (person, id_) in enumerate(groupSizes):
id_and_person[id_].append(person)
final_group = tuple((val[i:i + key] for (key, val) in id_and_person.items() for i in range(0, len(val), key)))
return final_group |
def cost_d(channel, amount):
return channel["outpol"]["base"] * 1000 + amount * channel["outpol"]["rate"]
def dist_d(channel, amount):
return 1
| def cost_d(channel, amount):
return channel['outpol']['base'] * 1000 + amount * channel['outpol']['rate']
def dist_d(channel, amount):
return 1 |
# Funcoes
# escopos dentro e fora
def funcao():
# escopo local
n1 = 4
print(f'N1 dentro vale {n1}')
n1 = 2
# escopo global
funcao()
print(f'N1 global vale {n1}')
| def funcao():
n1 = 4
print(f'N1 dentro vale {n1}')
n1 = 2
funcao()
print(f'N1 global vale {n1}') |
class EmptySubjectStorage:
def is_concurrency_safe(self):
return False
def is_persistent(self):
return False
def load(self):
return {}, {}
def store(self, inserts=[], updates=[], deletes=[]):
pass
def set(self, prop, old_value_default=None):
return None, None
def get(self, prop):
return None
def delete(self, prop):
pass
def get_ext_props(self):
return {}
def flush(self):
return self
| class Emptysubjectstorage:
def is_concurrency_safe(self):
return False
def is_persistent(self):
return False
def load(self):
return ({}, {})
def store(self, inserts=[], updates=[], deletes=[]):
pass
def set(self, prop, old_value_default=None):
return (None, None)
def get(self, prop):
return None
def delete(self, prop):
pass
def get_ext_props(self):
return {}
def flush(self):
return self |
#
# PySNMP MIB module HH3C-FC-FLOGIN-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/HH3C-FC-FLOGIN-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 19:13:56 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
Integer, OctetString, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "Integer", "OctetString", "ObjectIdentifier")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsIntersection, ConstraintsUnion, SingleValueConstraint, ValueSizeConstraint, ValueRangeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsIntersection", "ConstraintsUnion", "SingleValueConstraint", "ValueSizeConstraint", "ValueRangeConstraint")
Hh3cFcRxMTU, Hh3cFcClassOfServices, Hh3cFcBbCredit, Hh3cFcNameId, Hh3cFcAddressId = mibBuilder.importSymbols("HH3C-FC-TC-MIB", "Hh3cFcRxMTU", "Hh3cFcClassOfServices", "Hh3cFcBbCredit", "Hh3cFcNameId", "Hh3cFcAddressId")
hh3cVsanIndex, hh3cSan = mibBuilder.importSymbols("HH3C-VSAN-MIB", "hh3cVsanIndex", "hh3cSan")
ifIndex, = mibBuilder.importSymbols("IF-MIB", "ifIndex")
ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup")
Bits, ModuleIdentity, NotificationType, Counter64, IpAddress, Counter32, MibScalar, MibTable, MibTableRow, MibTableColumn, ObjectIdentity, Integer32, Unsigned32, TimeTicks, MibIdentifier, iso, Gauge32 = mibBuilder.importSymbols("SNMPv2-SMI", "Bits", "ModuleIdentity", "NotificationType", "Counter64", "IpAddress", "Counter32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "ObjectIdentity", "Integer32", "Unsigned32", "TimeTicks", "MibIdentifier", "iso", "Gauge32")
DisplayString, TextualConvention, TruthValue = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention", "TruthValue")
hh3cFcFLogin = ModuleIdentity((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3))
hh3cFcFLogin.setRevisions(('2013-02-27 11:00',))
if mibBuilder.loadTexts: hh3cFcFLogin.setLastUpdated('201302271100Z')
if mibBuilder.loadTexts: hh3cFcFLogin.setOrganization('Hangzhou H3C Tech. Co., Ltd.')
hh3cFcFLoginMibObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1))
hh3cFcFLoginTable = MibTable((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1, 1), )
if mibBuilder.loadTexts: hh3cFcFLoginTable.setStatus('current')
hh3cFcFLoginEntry = MibTableRow((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "HH3C-VSAN-MIB", "hh3cVsanIndex"), (0, "HH3C-FC-FLOGIN-MIB", "hh3cFcFLoginIndex"))
if mibBuilder.loadTexts: hh3cFcFLoginEntry.setStatus('current')
hh3cFcFLoginIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1, 1, 1, 1), Hh3cFcAddressId())
if mibBuilder.loadTexts: hh3cFcFLoginIndex.setStatus('current')
hh3cFcFLoginPortNodeWWN = MibTableColumn((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1, 1, 1, 2), Hh3cFcNameId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hh3cFcFLoginPortNodeWWN.setStatus('current')
hh3cFcFLoginPortWWN = MibTableColumn((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1, 1, 1, 3), Hh3cFcNameId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hh3cFcFLoginPortWWN.setStatus('current')
hh3cFcFLoginPortFcId = MibTableColumn((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1, 1, 1, 4), Hh3cFcAddressId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hh3cFcFLoginPortFcId.setStatus('current')
hh3cFcFLoginRxBbCredit = MibTableColumn((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1, 1, 1, 5), Hh3cFcBbCredit()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hh3cFcFLoginRxBbCredit.setStatus('current')
hh3cFcFLoginTxBbCredit = MibTableColumn((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1, 1, 1, 6), Hh3cFcBbCredit()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hh3cFcFLoginTxBbCredit.setStatus('current')
hh3cFcFLoginClass2RxMTU = MibTableColumn((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1, 1, 1, 7), Hh3cFcRxMTU()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hh3cFcFLoginClass2RxMTU.setStatus('current')
hh3cFcFLoginClass3RxMTU = MibTableColumn((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1, 1, 1, 8), Hh3cFcRxMTU()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hh3cFcFLoginClass3RxMTU.setStatus('current')
hh3cFcFLoginSuppClassRequested = MibTableColumn((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1, 1, 1, 9), Hh3cFcClassOfServices()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hh3cFcFLoginSuppClassRequested.setStatus('current')
hh3cFcFLoginClass2ReqAgreed = MibTableColumn((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1, 1, 1, 10), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hh3cFcFLoginClass2ReqAgreed.setStatus('current')
hh3cFcFLoginClass3ReqAgreed = MibTableColumn((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1, 1, 1, 11), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hh3cFcFLoginClass3ReqAgreed.setStatus('current')
mibBuilder.exportSymbols("HH3C-FC-FLOGIN-MIB", hh3cFcFLoginClass2ReqAgreed=hh3cFcFLoginClass2ReqAgreed, hh3cFcFLoginClass3ReqAgreed=hh3cFcFLoginClass3ReqAgreed, PYSNMP_MODULE_ID=hh3cFcFLogin, hh3cFcFLoginTxBbCredit=hh3cFcFLoginTxBbCredit, hh3cFcFLoginTable=hh3cFcFLoginTable, hh3cFcFLoginPortWWN=hh3cFcFLoginPortWWN, hh3cFcFLoginIndex=hh3cFcFLoginIndex, hh3cFcFLoginPortNodeWWN=hh3cFcFLoginPortNodeWWN, hh3cFcFLoginEntry=hh3cFcFLoginEntry, hh3cFcFLoginRxBbCredit=hh3cFcFLoginRxBbCredit, hh3cFcFLoginClass2RxMTU=hh3cFcFLoginClass2RxMTU, hh3cFcFLogin=hh3cFcFLogin, hh3cFcFLoginSuppClassRequested=hh3cFcFLoginSuppClassRequested, hh3cFcFLoginMibObjects=hh3cFcFLoginMibObjects, hh3cFcFLoginPortFcId=hh3cFcFLoginPortFcId, hh3cFcFLoginClass3RxMTU=hh3cFcFLoginClass3RxMTU)
| (integer, octet_string, object_identifier) = mibBuilder.importSymbols('ASN1', 'Integer', 'OctetString', 'ObjectIdentifier')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(constraints_intersection, constraints_union, single_value_constraint, value_size_constraint, value_range_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsIntersection', 'ConstraintsUnion', 'SingleValueConstraint', 'ValueSizeConstraint', 'ValueRangeConstraint')
(hh3c_fc_rx_mtu, hh3c_fc_class_of_services, hh3c_fc_bb_credit, hh3c_fc_name_id, hh3c_fc_address_id) = mibBuilder.importSymbols('HH3C-FC-TC-MIB', 'Hh3cFcRxMTU', 'Hh3cFcClassOfServices', 'Hh3cFcBbCredit', 'Hh3cFcNameId', 'Hh3cFcAddressId')
(hh3c_vsan_index, hh3c_san) = mibBuilder.importSymbols('HH3C-VSAN-MIB', 'hh3cVsanIndex', 'hh3cSan')
(if_index,) = mibBuilder.importSymbols('IF-MIB', 'ifIndex')
(module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup')
(bits, module_identity, notification_type, counter64, ip_address, counter32, mib_scalar, mib_table, mib_table_row, mib_table_column, object_identity, integer32, unsigned32, time_ticks, mib_identifier, iso, gauge32) = mibBuilder.importSymbols('SNMPv2-SMI', 'Bits', 'ModuleIdentity', 'NotificationType', 'Counter64', 'IpAddress', 'Counter32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'ObjectIdentity', 'Integer32', 'Unsigned32', 'TimeTicks', 'MibIdentifier', 'iso', 'Gauge32')
(display_string, textual_convention, truth_value) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention', 'TruthValue')
hh3c_fc_f_login = module_identity((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3))
hh3cFcFLogin.setRevisions(('2013-02-27 11:00',))
if mibBuilder.loadTexts:
hh3cFcFLogin.setLastUpdated('201302271100Z')
if mibBuilder.loadTexts:
hh3cFcFLogin.setOrganization('Hangzhou H3C Tech. Co., Ltd.')
hh3c_fc_f_login_mib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1))
hh3c_fc_f_login_table = mib_table((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1, 1))
if mibBuilder.loadTexts:
hh3cFcFLoginTable.setStatus('current')
hh3c_fc_f_login_entry = mib_table_row((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'HH3C-VSAN-MIB', 'hh3cVsanIndex'), (0, 'HH3C-FC-FLOGIN-MIB', 'hh3cFcFLoginIndex'))
if mibBuilder.loadTexts:
hh3cFcFLoginEntry.setStatus('current')
hh3c_fc_f_login_index = mib_table_column((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1, 1, 1, 1), hh3c_fc_address_id())
if mibBuilder.loadTexts:
hh3cFcFLoginIndex.setStatus('current')
hh3c_fc_f_login_port_node_wwn = mib_table_column((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1, 1, 1, 2), hh3c_fc_name_id()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hh3cFcFLoginPortNodeWWN.setStatus('current')
hh3c_fc_f_login_port_wwn = mib_table_column((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1, 1, 1, 3), hh3c_fc_name_id()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hh3cFcFLoginPortWWN.setStatus('current')
hh3c_fc_f_login_port_fc_id = mib_table_column((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1, 1, 1, 4), hh3c_fc_address_id()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hh3cFcFLoginPortFcId.setStatus('current')
hh3c_fc_f_login_rx_bb_credit = mib_table_column((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1, 1, 1, 5), hh3c_fc_bb_credit()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hh3cFcFLoginRxBbCredit.setStatus('current')
hh3c_fc_f_login_tx_bb_credit = mib_table_column((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1, 1, 1, 6), hh3c_fc_bb_credit()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hh3cFcFLoginTxBbCredit.setStatus('current')
hh3c_fc_f_login_class2_rx_mtu = mib_table_column((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1, 1, 1, 7), hh3c_fc_rx_mtu()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hh3cFcFLoginClass2RxMTU.setStatus('current')
hh3c_fc_f_login_class3_rx_mtu = mib_table_column((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1, 1, 1, 8), hh3c_fc_rx_mtu()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hh3cFcFLoginClass3RxMTU.setStatus('current')
hh3c_fc_f_login_supp_class_requested = mib_table_column((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1, 1, 1, 9), hh3c_fc_class_of_services()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hh3cFcFLoginSuppClassRequested.setStatus('current')
hh3c_fc_f_login_class2_req_agreed = mib_table_column((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1, 1, 1, 10), truth_value()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hh3cFcFLoginClass2ReqAgreed.setStatus('current')
hh3c_fc_f_login_class3_req_agreed = mib_table_column((1, 3, 6, 1, 4, 1, 25506, 2, 127, 3, 1, 1, 1, 11), truth_value()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hh3cFcFLoginClass3ReqAgreed.setStatus('current')
mibBuilder.exportSymbols('HH3C-FC-FLOGIN-MIB', hh3cFcFLoginClass2ReqAgreed=hh3cFcFLoginClass2ReqAgreed, hh3cFcFLoginClass3ReqAgreed=hh3cFcFLoginClass3ReqAgreed, PYSNMP_MODULE_ID=hh3cFcFLogin, hh3cFcFLoginTxBbCredit=hh3cFcFLoginTxBbCredit, hh3cFcFLoginTable=hh3cFcFLoginTable, hh3cFcFLoginPortWWN=hh3cFcFLoginPortWWN, hh3cFcFLoginIndex=hh3cFcFLoginIndex, hh3cFcFLoginPortNodeWWN=hh3cFcFLoginPortNodeWWN, hh3cFcFLoginEntry=hh3cFcFLoginEntry, hh3cFcFLoginRxBbCredit=hh3cFcFLoginRxBbCredit, hh3cFcFLoginClass2RxMTU=hh3cFcFLoginClass2RxMTU, hh3cFcFLogin=hh3cFcFLogin, hh3cFcFLoginSuppClassRequested=hh3cFcFLoginSuppClassRequested, hh3cFcFLoginMibObjects=hh3cFcFLoginMibObjects, hh3cFcFLoginPortFcId=hh3cFcFLoginPortFcId, hh3cFcFLoginClass3RxMTU=hh3cFcFLoginClass3RxMTU) |
def desenha(linha):
while linha > 0:
coluna = 1
while coluna <= linha:
print('*', end = "")
coluna = coluna + 1
print()
linha = linha - 1
desenha(5) | def desenha(linha):
while linha > 0:
coluna = 1
while coluna <= linha:
print('*', end='')
coluna = coluna + 1
print()
linha = linha - 1
desenha(5) |
class TerminationCondition:
"""
Abstract class.
"""
def should_terminate(self, population):
"""
Executed by EvolutionEngine to determine when to end process. Returns True if evolution process should be
terminated.
:param population: Population
:return: boolean
"""
raise NotImplementedError()
| class Terminationcondition:
"""
Abstract class.
"""
def should_terminate(self, population):
"""
Executed by EvolutionEngine to determine when to end process. Returns True if evolution process should be
terminated.
:param population: Population
:return: boolean
"""
raise not_implemented_error() |
# Momijigaoka | Unfamiliar Hillside
if sm.getFieldID() == 807040100:
sm.warp(807000000, 1)
else:
sm.warp(807040100, 0) | if sm.getFieldID() == 807040100:
sm.warp(807000000, 1)
else:
sm.warp(807040100, 0) |
if __name__ == '__main__':
n = int(input())
for i in range(n):
print(i*i)
'''
==>range(lower_limit , upper_limit , incerment / Decrement)
lower_limit is inclusive
upper_limit is not included
==>range(upper_limit)
''' | if __name__ == '__main__':
n = int(input())
for i in range(n):
print(i * i)
'\n==>range(lower_limit , upper_limit , incerment / Decrement)\nlower_limit is inclusive\nupper_limit is not included\n\n==>range(upper_limit)\n' |
def get_token(fi='dont.mess.with.me'):
with open(fi, 'r') as f:
return f.readline().strip()
t = get_token() | def get_token(fi='dont.mess.with.me'):
with open(fi, 'r') as f:
return f.readline().strip()
t = get_token() |
choices = ['1', '2', '3', '4', '5', '6', '7', '8', '9']
print('\n')
print('|' + choices[0] + '|' + choices[1] + '|' + choices[2] + '|')
print('----------')
print('|' + choices[3] + '|' + choices[4] + '|' + choices[5] + '|')
print('----------')
print('|' + choices[6] + '|' + choices[7] + '|' + choices[8] + '|')
| choices = ['1', '2', '3', '4', '5', '6', '7', '8', '9']
print('\n')
print('|' + choices[0] + '|' + choices[1] + '|' + choices[2] + '|')
print('----------')
print('|' + choices[3] + '|' + choices[4] + '|' + choices[5] + '|')
print('----------')
print('|' + choices[6] + '|' + choices[7] + '|' + choices[8] + '|') |
class Solution:
def majorityElement(self, nums: list[int]) -> int:
current = 0
count = 0
for num in nums:
if count == 0:
current = num
count = 1
continue
if num == current:
count += 1
else:
count -= 1
return current
tests = [
(
([3, 2, 3],),
3,
),
(
([2, 2, 1, 1, 1, 2, 2],),
2,
),
]
| class Solution:
def majority_element(self, nums: list[int]) -> int:
current = 0
count = 0
for num in nums:
if count == 0:
current = num
count = 1
continue
if num == current:
count += 1
else:
count -= 1
return current
tests = [(([3, 2, 3],), 3), (([2, 2, 1, 1, 1, 2, 2],), 2)] |
#
# Binomial heap (Python)
#
# Copyright (c) 2018 Project Nayuki. (MIT License)
# https://www.nayuki.io/page/binomial-heap
#
# Permission is hereby granted, free of charge, to any person obtaining a copy of
# this software and associated documentation files (the "Software"), to deal in
# the Software without restriction, including without limitation the rights to
# use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of
# the Software, and to permit persons to whom the Software is furnished to do so,
# subject to the following conditions:
# - The above copyright notice and this permission notice shall be included in
# all copies or substantial portions of the Software.
# - The Software is provided "as is", without warranty of any kind, express or
# implied, including but not limited to the warranties of merchantability,
# fitness for a particular purpose and noninfringement. In no event shall the
# authors or copyright holders be liable for any claim, damages or other
# liability, whether in an action of contract, tort or otherwise, arising from,
# out of or in connection with the Software or the use or other dealings in the
# Software.
#
class BinomialTree:
def __init__(self, key):
self.key = key
self.children = []
self.order = 0
def add_at_end(self, t):
self.children.append(t)
self.order = self.order + 1
class BinomialHeap:
def __init__(self):
self.trees = []
def extract_min(self):
if self.trees == []:
return None
smallest_node = self.trees[0]
for tree in self.trees:
if tree.key < smallest_node.key:
smallest_node = tree
self.trees.remove(smallest_node)
h = BinomialHeap()
h.trees = smallest_node.children
self.merge(h)
return smallest_node.key
def get_min(self):
if self.trees == []:
return None
least = self.trees[0].key
for tree in self.trees:
if tree.key < least:
least = tree.key
return least
def combine_roots(self, h):
self.trees.extend(h.trees)
self.trees.sort(key=lambda tree: tree.order)
def merge(self, h):
self.combine_roots(h)
if self.trees == []:
return
i = 0
while i < len(self.trees) - 1:
current = self.trees[i]
after = self.trees[i + 1]
if current.order == after.order:
if (i + 1 < len(self.trees) - 1
and self.trees[i + 2].order == after.order):
after_after = self.trees[i + 2]
if after.key < after_after.key:
after.add_at_end(after_after)
del self.trees[i + 2]
else:
after_after.add_at_end(after)
del self.trees[i + 1]
else:
if current.key < after.key:
current.add_at_end(after)
del self.trees[i + 1]
else:
after.add_at_end(current)
del self.trees[i]
i = i + 1
def insert(self, key):
g = BinomialHeap()
g.trees.append(BinomialTree(key))
self.merge(g)
| class Binomialtree:
def __init__(self, key):
self.key = key
self.children = []
self.order = 0
def add_at_end(self, t):
self.children.append(t)
self.order = self.order + 1
class Binomialheap:
def __init__(self):
self.trees = []
def extract_min(self):
if self.trees == []:
return None
smallest_node = self.trees[0]
for tree in self.trees:
if tree.key < smallest_node.key:
smallest_node = tree
self.trees.remove(smallest_node)
h = binomial_heap()
h.trees = smallest_node.children
self.merge(h)
return smallest_node.key
def get_min(self):
if self.trees == []:
return None
least = self.trees[0].key
for tree in self.trees:
if tree.key < least:
least = tree.key
return least
def combine_roots(self, h):
self.trees.extend(h.trees)
self.trees.sort(key=lambda tree: tree.order)
def merge(self, h):
self.combine_roots(h)
if self.trees == []:
return
i = 0
while i < len(self.trees) - 1:
current = self.trees[i]
after = self.trees[i + 1]
if current.order == after.order:
if i + 1 < len(self.trees) - 1 and self.trees[i + 2].order == after.order:
after_after = self.trees[i + 2]
if after.key < after_after.key:
after.add_at_end(after_after)
del self.trees[i + 2]
else:
after_after.add_at_end(after)
del self.trees[i + 1]
elif current.key < after.key:
current.add_at_end(after)
del self.trees[i + 1]
else:
after.add_at_end(current)
del self.trees[i]
i = i + 1
def insert(self, key):
g = binomial_heap()
g.trees.append(binomial_tree(key))
self.merge(g) |
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
"""
Created on Sat Jan 20 21:08:16 2018
@author: aarontallman
"""
#import data_collection
#import model_building
#import game_player
| """
Created on Sat Jan 20 21:08:16 2018
@author: aarontallman
""" |
class NotFoundException(Exception):
pass
class ExistsException(Exception):
pass
class InvalidFilter(Exception):
pass
class IncorrectFormatException(Exception):
pass
| class Notfoundexception(Exception):
pass
class Existsexception(Exception):
pass
class Invalidfilter(Exception):
pass
class Incorrectformatexception(Exception):
pass |
# uncompyle6 version 2.9.10
# Python bytecode 2.7 (62211)
# Decompiled from: Python 3.6.0b2 (default, Oct 11 2016, 05:27:10)
# [GCC 6.2.0 20161005]
# Embedded file name: audit.py
ERR_AUDIT_SUCCESS = 0
ERR_AUDIT_DISABLE_FAILED = 1
ERR_AUDIT_ENABLE_FAILED = 2
ERR_AUDIT_UNKNOWN_TYPE = 3
ERR_AUDIT_EXCEPTION = 4
ERR_AUDIT_PROCESS_NOT_FOUND = 5
ERR_AUDIT_OPEN_PROCESS_FAILED = 6
ERR_AUDIT_MODULE_BASE_NOT_FOUND = 7
ERR_AUDIT_READ_MEMORY_FAILED = 8
ERR_AUDIT_MEMORY_ALLOC_FAILED = 9
ERR_AUDIT_PATTERN_MATCH_FAILED = 10
ERR_AUDIT_MODIFY_PROTECTION_FAILED = 11
ERR_AUDIT_FAILED_VALUE_READ = 12
ERR_AUDIT_FAILED_VALUE_WRITE = 13
ERR_AUDIT_VALUE_UNEXPECTED = 14
ERR_AUDIT_INVALID_PARAMETER = 15
errorStrings = {ERR_AUDIT_DISABLE_FAILED: 'Disable of auditing failed',
ERR_AUDIT_ENABLE_FAILED: 'Enable of auditing failed',
ERR_AUDIT_UNKNOWN_TYPE: 'Unknown audit type',
ERR_AUDIT_EXCEPTION: 'Exception thrown attempting to modify auditing',
ERR_AUDIT_PROCESS_NOT_FOUND: 'Process for audit change not found',
ERR_AUDIT_OPEN_PROCESS_FAILED: 'Unable to open auditing process using all known methods',
ERR_AUDIT_MODULE_BASE_NOT_FOUND: 'Base for necessary auditing dll not found',
ERR_AUDIT_READ_MEMORY_FAILED: 'Read of audit related process memory failed',
ERR_AUDIT_MEMORY_ALLOC_FAILED: 'Memory allocation failed',
ERR_AUDIT_PATTERN_MATCH_FAILED: 'Pattern match of code failed',
ERR_AUDIT_MODIFY_PROTECTION_FAILED: 'Change of memory protection failed',
ERR_AUDIT_FAILED_VALUE_READ: 'Read of memory value needed for audit changes failed',
ERR_AUDIT_FAILED_VALUE_WRITE: 'Write of memory value needed for audit changes failed',
ERR_AUDIT_VALUE_UNEXPECTED: 'Unexpected value found in memory (** This may indicate that auditing has already been patched **)',
ERR_AUDIT_INVALID_PARAMETER: 'Invalid parameter'
} | err_audit_success = 0
err_audit_disable_failed = 1
err_audit_enable_failed = 2
err_audit_unknown_type = 3
err_audit_exception = 4
err_audit_process_not_found = 5
err_audit_open_process_failed = 6
err_audit_module_base_not_found = 7
err_audit_read_memory_failed = 8
err_audit_memory_alloc_failed = 9
err_audit_pattern_match_failed = 10
err_audit_modify_protection_failed = 11
err_audit_failed_value_read = 12
err_audit_failed_value_write = 13
err_audit_value_unexpected = 14
err_audit_invalid_parameter = 15
error_strings = {ERR_AUDIT_DISABLE_FAILED: 'Disable of auditing failed', ERR_AUDIT_ENABLE_FAILED: 'Enable of auditing failed', ERR_AUDIT_UNKNOWN_TYPE: 'Unknown audit type', ERR_AUDIT_EXCEPTION: 'Exception thrown attempting to modify auditing', ERR_AUDIT_PROCESS_NOT_FOUND: 'Process for audit change not found', ERR_AUDIT_OPEN_PROCESS_FAILED: 'Unable to open auditing process using all known methods', ERR_AUDIT_MODULE_BASE_NOT_FOUND: 'Base for necessary auditing dll not found', ERR_AUDIT_READ_MEMORY_FAILED: 'Read of audit related process memory failed', ERR_AUDIT_MEMORY_ALLOC_FAILED: 'Memory allocation failed', ERR_AUDIT_PATTERN_MATCH_FAILED: 'Pattern match of code failed', ERR_AUDIT_MODIFY_PROTECTION_FAILED: 'Change of memory protection failed', ERR_AUDIT_FAILED_VALUE_READ: 'Read of memory value needed for audit changes failed', ERR_AUDIT_FAILED_VALUE_WRITE: 'Write of memory value needed for audit changes failed', ERR_AUDIT_VALUE_UNEXPECTED: 'Unexpected value found in memory (** This may indicate that auditing has already been patched **)', ERR_AUDIT_INVALID_PARAMETER: 'Invalid parameter'} |
print(1+42
+246
+287
+728
+1434
+1673
+1880
+4264
+6237
+9799
+9855
+18330
+21352
+21385
+24856
+36531
+39990
+46655
+57270
+66815
+92664
+125255
+156570
+182665
+208182
+212949
+242879
+273265
+380511
+391345
+411558
+539560
+627215
+693160
+730145
+741096
+773224
+814463
+931722
+992680
+1069895
+1087009
+1143477
+1166399
+1422577
+1592935
+1815073
+2281255
+2544697
+2713880
+2722005
+2828385
+3054232
+3132935
+3145240
+3188809
+3508456
+4026280
+4647985
+4730879
+5024488
+5054015
+5143945
+5260710
+5938515
+6128024
+6236705
+6366767
+6956927
+6996904
+7133672
+7174440+7538934
+7736646
+7818776
+8292583
+8429967
+8504595
+8795423+9026087
+9963071
+11477130
+11538505
+11725560
+12158135
+12939480
+12948776
+13495720
+13592118
+13736408
+15203889
+15857471
+16149848
+16436490
+16487415
+16909849
+18391401
+18422120
+20549528
+20813976
+20871649
+21251412
+22713455
+23250645
+23630711
+24738935
+26338473
+26343030
+26594568
+28113048
+29429144
+29778762
+29973414
+30666090
+30915027
+34207446
+34741889
+34968983
+35721896
+37113593
+37343065
+38598255
+39256230
+42021720
+44935590
+45795688
+45798935
+48988758
+49375521
+51516049
+51912289
+52867081
+56215914
+59748234
+61116363
+62158134
+63286535) | print(1 + 42 + 246 + 287 + 728 + 1434 + 1673 + 1880 + 4264 + 6237 + 9799 + 9855 + 18330 + 21352 + 21385 + 24856 + 36531 + 39990 + 46655 + 57270 + 66815 + 92664 + 125255 + 156570 + 182665 + 208182 + 212949 + 242879 + 273265 + 380511 + 391345 + 411558 + 539560 + 627215 + 693160 + 730145 + 741096 + 773224 + 814463 + 931722 + 992680 + 1069895 + 1087009 + 1143477 + 1166399 + 1422577 + 1592935 + 1815073 + 2281255 + 2544697 + 2713880 + 2722005 + 2828385 + 3054232 + 3132935 + 3145240 + 3188809 + 3508456 + 4026280 + 4647985 + 4730879 + 5024488 + 5054015 + 5143945 + 5260710 + 5938515 + 6128024 + 6236705 + 6366767 + 6956927 + 6996904 + 7133672 + 7174440 + 7538934 + 7736646 + 7818776 + 8292583 + 8429967 + 8504595 + 8795423 + 9026087 + 9963071 + 11477130 + 11538505 + 11725560 + 12158135 + 12939480 + 12948776 + 13495720 + 13592118 + 13736408 + 15203889 + 15857471 + 16149848 + 16436490 + 16487415 + 16909849 + 18391401 + 18422120 + 20549528 + 20813976 + 20871649 + 21251412 + 22713455 + 23250645 + 23630711 + 24738935 + 26338473 + 26343030 + 26594568 + 28113048 + 29429144 + 29778762 + 29973414 + 30666090 + 30915027 + 34207446 + 34741889 + 34968983 + 35721896 + 37113593 + 37343065 + 38598255 + 39256230 + 42021720 + 44935590 + 45795688 + 45798935 + 48988758 + 49375521 + 51516049 + 51912289 + 52867081 + 56215914 + 59748234 + 61116363 + 62158134 + 63286535) |
"""Classes for handling modeling protocols.
"""
class Step(object):
"""A single step in a :class:`Protocol`.
This class describes a generic step in a modeling protocol. In most
cases, a more specific subclass should be used, such as
:class:`TemplateSearchStep`, :class:`ModelingStep`, or
:class:`ModelSelectionStep`.
:param input_data: Any objects that this step takes as input.
Any individual :class:`modelcif.data.Data` object (such as
a template structure, target sequence, alignment, or model
coordinates) can be given here, or a group of such objects (as a
:class:`modelcif.data.DataGroup` object) can be passed.
:type input_data: :class:`modelcif.data.DataGroup`
or :class:`modelcif.data.Data`
:param output_data: Any objects that this step creates as output,
similarly to ``input_data``.
:type output_data: :class:`modelcif.data.DataGroup`
or :class:`modelcif.data.Data`
:param str name: A short name for this step.
:param str details: Longer description of this step.
:param software: The software that was employed in this modeling step.
:type software: :class:`modelcif.Software`
or :class:`modelcif.SoftwareGroup`
"""
method_type = "other"
def __init__(self, input_data, output_data, name=None, details=None,
software=None):
self.input_data, self.output_data = input_data, output_data
self.name, self.details, self.software = name, details, software
class TemplateSearchStep(Step):
"""A modeling protocol step that searches for templates.
See :class:`Step` for more details."""
method_type = "template search"
class ModelingStep(Step):
"""A modeling protocol step that generates model coordinates.
See :class:`Step` for more details."""
method_type = "modeling"
class ModelSelectionStep(Step):
"""A modeling protocol step that filters candidates to select models.
See :class:`Step` for more details."""
method_type = "model selection"
class Protocol(object):
"""A modeling protocol.
Each protocol consists of a number of protocol steps."""
def __init__(self):
#: All modeling steps (:class:`Step` objects)
self.steps = []
| """Classes for handling modeling protocols.
"""
class Step(object):
"""A single step in a :class:`Protocol`.
This class describes a generic step in a modeling protocol. In most
cases, a more specific subclass should be used, such as
:class:`TemplateSearchStep`, :class:`ModelingStep`, or
:class:`ModelSelectionStep`.
:param input_data: Any objects that this step takes as input.
Any individual :class:`modelcif.data.Data` object (such as
a template structure, target sequence, alignment, or model
coordinates) can be given here, or a group of such objects (as a
:class:`modelcif.data.DataGroup` object) can be passed.
:type input_data: :class:`modelcif.data.DataGroup`
or :class:`modelcif.data.Data`
:param output_data: Any objects that this step creates as output,
similarly to ``input_data``.
:type output_data: :class:`modelcif.data.DataGroup`
or :class:`modelcif.data.Data`
:param str name: A short name for this step.
:param str details: Longer description of this step.
:param software: The software that was employed in this modeling step.
:type software: :class:`modelcif.Software`
or :class:`modelcif.SoftwareGroup`
"""
method_type = 'other'
def __init__(self, input_data, output_data, name=None, details=None, software=None):
(self.input_data, self.output_data) = (input_data, output_data)
(self.name, self.details, self.software) = (name, details, software)
class Templatesearchstep(Step):
"""A modeling protocol step that searches for templates.
See :class:`Step` for more details."""
method_type = 'template search'
class Modelingstep(Step):
"""A modeling protocol step that generates model coordinates.
See :class:`Step` for more details."""
method_type = 'modeling'
class Modelselectionstep(Step):
"""A modeling protocol step that filters candidates to select models.
See :class:`Step` for more details."""
method_type = 'model selection'
class Protocol(object):
"""A modeling protocol.
Each protocol consists of a number of protocol steps."""
def __init__(self):
self.steps = [] |
features = [
{"name": "ntp", "ordered": True, "section": ["ntp server "]},
{"name": "vlan", "ordered": True, "section": ["vlan "]},
]
| features = [{'name': 'ntp', 'ordered': True, 'section': ['ntp server ']}, {'name': 'vlan', 'ordered': True, 'section': ['vlan ']}] |
backpack = False
dollars = .50
if backpack and dollars >= 1.0:
print('Ride the bus!')
| backpack = False
dollars = 0.5
if backpack and dollars >= 1.0:
print('Ride the bus!') |
t = int(input())
for i in range(t):
n, a, b, k = map(int, input().split())
f = 0
c = max(a, b)
d = min(a, b)
if c % d != 0:
f = n//c + n//d - 2 * (n//(c*d))
if c % d == 0:
f = n//d - n//c
if k <= f:
print("Win")
else:
print("Lose")
| t = int(input())
for i in range(t):
(n, a, b, k) = map(int, input().split())
f = 0
c = max(a, b)
d = min(a, b)
if c % d != 0:
f = n // c + n // d - 2 * (n // (c * d))
if c % d == 0:
f = n // d - n // c
if k <= f:
print('Win')
else:
print('Lose') |
#!/usr/bin/env python3
# Author : Chris Azzara
# Purpose : Repeatedly ask user to input an IP address and add it to a list.
# If the user enters in 10.10.3.1 or 10.20.5.2, warn user not to use this IP
# If the user enters a 'q', exit the loop and display the list of IP Addresses
# This script assumes the user will enter a valid IPv4 address
# Prompt to display to user
menu = "Enter in an IP Address or type 'q' to quit!\n"
ip_addrs = []
choice = '' # choice is initially empty
while choice.lower() != 'q': # As long as 'choice' isn't 'q' the loop will continue
choice = input(menu)
if choice == '10.10.3.1':
print("Error: That is the Gateway's IP address")
elif choice == '10.20.5.2':
print("Error: That is the DNS server's IP address")
elif choice != 'q': # We don't want the 'q' to be appended to the list
ip_addrs.append(choice)
else:
print("Here is the list of IPs: ")
print(ip_addrs)
print("Script Exiting...")
| menu = "Enter in an IP Address or type 'q' to quit!\n"
ip_addrs = []
choice = ''
while choice.lower() != 'q':
choice = input(menu)
if choice == '10.10.3.1':
print("Error: That is the Gateway's IP address")
elif choice == '10.20.5.2':
print("Error: That is the DNS server's IP address")
elif choice != 'q':
ip_addrs.append(choice)
else:
print('Here is the list of IPs: ')
print(ip_addrs)
print('Script Exiting...') |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.