content
stringlengths
7
1.05M
class SignalGenerator: """ Signal generator class It creates different signals depending on the events it's given. Examplee of an events list: [ { "start": { "value": 10 } }, { "step": { "cycle": 100, "value": 0 } }, { "ramp_up": { "cycle": 200, "value": 0.01 # increase in output per cycle } }, { "ramp_down": { "cycle": 300, "value": 0.02 # increase in output per cycle } }, { "pause": { "cycle": 350 } } ] """ def __init__(self, events, **kwargs): self.events = events self.current_value = [0] self.cycles_with_events = self.get_cycles_with_events() self.current_event = None # set initial value if one is given for el in events: if "start" in el: self.current_value[0] = el["start"]["value"] def reset(self): self.current_value = self.current_value[0:1] self.current_event = None def get_cycles_with_events(self): """ Return a list with which cycles an event change will occur. """ cycles = [] for el in self.events: for key in el: if type(el[key]) == dict and "cycle" in el[key]: cycles.append(el[key]["cycle"]) return cycles if len(cycles) > 0 else None def calculate(self, cycle): """ Calculates the next value and adds it to the memory """ # at first cycle just return the initial value if cycle == 0: self.current_value.append(self.current_value[0]) return self.current_value[0] # update current event if self.cycles_with_events: if cycle in self.cycles_with_events: self.current_event = self.get_event_by_cycle(cycle) # run current event if self.current_event: key = list(self.current_event)[0] updater = getattr(self, key, None) if callable(updater): updater() else: self.current_value.append(self.current_value[-1]) return self.current_value[-1] def get_event_by_cycle(self, cycle): """ Find the type of event based on a given cycle """ for el in self.events: for key in el: if type(el[key]) == dict and "cycle" in el[key]: if el[key]["cycle"] == cycle: return el # event functions def step(self): """ Create a step as the next value and adds it to the memory """ value = self.current_event["step"]["value"] self.current_value.append(value) def ramp_up(self): """ Ramps up the next value and adds it to the memory """ value = self.current_event["ramp_up"]["value"] self.current_value.append(self.current_value[-1] + value) def ramp_down(self): """ Ramps down the next value and adds it to the memory """ value = self.current_event["ramp_down"]["value"] self.current_value.append(self.current_value[-1] - value) def pause(self): """ Maintain the current value and adds it to the memory """ # no need to update the current value self.current_value.append(self.current_value[-1]) pass
############################################################################### # Copyright (c) 2017-2020 Koren Lev (Cisco Systems), # # Yaron Yogev (Cisco Systems), Ilia Abashin (Cisco Systems) and others # # # # All rights reserved. This program and the accompanying materials # # are made available under the terms of the Apache License, Version 2.0 # # which accompanies this distribution, and is available at # # http://www.apache.org/licenses/LICENSE-2.0 # ############################################################################### HOST = { "config" : { "metadata_proxy_socket" : "/opt/stack/data/neutron/metadata_proxy", "nova_metadata_ip" : "192.168.20.14", "log_agent_heartbeats" : False }, "environment" : "Devstack-VPP-2", "host" : "ubuntu0", "host_type" : [ "Controller", "Compute", "Network" ], "id" : "ubuntu0", "id_path" : "/Devstack-VPP-2/Devstack-VPP-2-regions/RegionOne/RegionOne-availability_zones/nova/ubuntu0", "ip_address" : "192.168.20.14", "name" : "ubuntu0", "name_path" : "/Devstack-VPP-2/Regions/RegionOne/Availability Zones/nova/ubuntu0", "object_name" : "ubuntu0", "os_id" : "1", "parent_id" : "nova", "parent_type" : "availability_zone", "services" : { "nova-conductor" : { "available" : True, "active" : True, "updated_at" : "2016-08-30T09:18:58.000000" }, "nova-scheduler" : { "available" : True, "active" : True, "updated_at" : "2016-08-30T09:18:54.000000" }, "nova-consoleauth" : { "available" : True, "active" : True, "updated_at" : "2016-08-30T09:18:54.000000" } }, "show_in_tree" : True, "type" : "host", "zone" : "nova" } WRONG_HOST = { "show_in_tree" : True, "type" : "host", "zone" : "nova" } VCONNECTORS_FOLDER = { "create_object" : True, "environment" : "Mirantis-Liberty-Xiaocong", "id" : "node-6.cisco.com-vconnectors", "id_path" : "/Mirantis-Liberty-Xiaocong/Mirantis-Liberty-Xiaocong-regions/RegionOne/RegionOne-availability_zones/internal/node-6.cisco.com/node-6.cisco.com-vconnectors", "name" : "vConnectors", "name_path" : "/Mirantis-Liberty-Xiaocong/Regions/RegionOne/Availability Zones/internal/node-6.cisco.com/vConnectors", "object_name" : "vConnectors", "parent_id" : "node-6.cisco.com", "parent_type" : "host", "show_in_tree" : True, "text" : "vConnectors", "type" : "vconnectors_folder" } VCONNECTORS = [ { "bd_id": "5678", "host": "ubuntu0", "id": "ubuntu0-vconnector-5678", "interfaces": { "name": { "hardware": "VirtualEthernet0/0/8", "id": "15", "mac_address": "fa:16:3e:d1:98:73", "name": "VirtualEthernet0/0/8", "state": "up" } }, "interfaces_names": [ "TenGigabitEthernetc/0/0", "VirtualEthernet0/0/0", "VirtualEthernet0/0/1", "VirtualEthernet0/0/2", "VirtualEthernet0/0/3", "VirtualEthernet0/0/4", "VirtualEthernet0/0/5", "VirtualEthernet0/0/6", "VirtualEthernet0/0/7", "VirtualEthernet0/0/8" ], "name": "bridge-domain-5678" } ]
@fields({"dollars": Int, "cents": Int}) class Cash: dollars = 0 cents = 0 def add_dollars(self, dollars): self.dollars += dollars def get_cash()->Cash: c = Cash() c.add_dollars(3.14159) return c get_cash()
# Definition for singly-linked list. # class ListNode(object): # def __init__(self, x): # self.val = x # self.next = None class Solution(object): def reverseList(self, head): """ :type head: ListNode :rtype: ListNode """ node_list = [] if head == None: return None while head: node_list.append(head) head = head.next for i in range(len(node_list) - 1, -1, -1): if i == 0: node_list[i].next = None else: node_list[i].next = node_list[i - 1] start = len(node_list) - 1 return node_list[start]
@client.command() async def button(ctx): await ctx.channel.send( "Rol Almak İçin Butonlara Tıkla!", components = [ Button(style=ButtonStyle.blue, label="Rol Al") ] ) res = await client.wait_for("button_click") if res.channel == ctx.channel: role = discord.utils.get(ctx.guild.roles, id = RolID) #buraya butona basinca alinacak rolün ID'sini girin await res.author.add_roles(role) await res.respond( type=4, content=f"{res.component.label} Tıklandı" ) #discord-components modülü gereklidir
""" Problem 40 ========== An irrational decimal fraction is created by concatenating the positive integers: 0.123456789101112131415161718192021... It can be seen that the 12th digit of the fractional part is 1. If dn represents the nth digit of the fractional part, find the value of the following expression. d1 × d10 × d100 × d1000 × d10000 × d100000 × d1000000 """ def iter_digits(n): """Gives the digits of n as an iterator""" digits = [] while n != 0: digits.append(n % 10) n //= 10 return reversed(digits) def digit_sequence(limit): """Iterator for the sequence of the concatenated digits of the natural numbers""" i = 0 n = 1 while i < limit: for digit in iter_digits(n): yield digit i += 1 if i >= limit: break n += 1 def mutiply_values(iterable, indexes): """Mutliplies the values of the iterable given by a list of indexes""" indexes = set(indexes) product = 1 for i, x in enumerate(iterable): if i in indexes: product *= x indexes.remove(i) if len(indexes) == 0: break return product def main(): indexes = [10**i - 1 for i in range(7)] result = mutiply_values(digit_sequence(1000000), indexes) print(result) if __name__ == "__main__": main()
""" Given a string, find the longest palindromic contiguous substring. If there are more than one with the maximum length, return any one. For example, the longest palindromic substring of "aabcdcb" is "bcdcb". The longest palindromic substring of "bananas" is "anana". """ def longest_palindromic_substring(text: str) -> str: """ Dynamic Programming. Time Complexity: O(n*n) Space Complexity: O(n*n) """ length = len(text) if length < 2: return text dp = [[1] * length for _ in range(length)] max_start, max_end, max_len = 0, 0, 1 for str_len in range(1, length): start = 0 for end in range(start + str_len, length): if text[start] == text[end]: if start == end - 1: dp[start][end] = 2 else: dp[start][end] = dp[start + 1][end - 1] + 2 if dp[start][end] > max_len: max_len = end - start + 1 max_start = start max_end = end else: dp[start][end] = max(dp[start + 1][end], dp[start][end - 1]) start += 1 return text[max_start: max_end + 1] if __name__ == "__main__": assert longest_palindromic_substring("aabcdcb") == "bcdcb" assert longest_palindromic_substring("bananas") == "anana"
def retorno(): res=input('Deseja executar o programa novamente?[s/n] ') if(res=='s' or res=='S'): verificar() else: print('Processo finalizado!') pass def cabecalho(texto): print('-'*40) print(' '*10+texto+' '*15) print('-'*40) pass def verificar(): try: cabecalho('Controle de Dados') val=int(input('Digite um valor inteiro: ')) except: print('Dados inseridos são invalidos!') retorno() else: print('O valor digitado é {} o antecessor {} e o sucessor é {}'.format(val,val-1,val+1)) retorno() pass verificar()
n = int(input()) k = int(input()) x = int(input()) y = int(input()) if n > k: print(x * k + (n - k) * y) else: print(x * n)
class BrawlerNotFound(Exception): """Exception raised when a Brawler can't be found from given partial name. """
class Player(object): def __init__(self, player_id, region_id): self.player_id = player_id self.region_id = region_id self.inventory = [] def tick(self): for item in inventory: item.tick()
motorcycles = ['honda', 'yamaha', 'suzuki'] print(motorcycles) motorcycles[0] = 'ducati' print(motorcycles)
def headers(token): return { 'Authorization': f'Bearer {token}', 'content-type': 'application/json'} flight_data = { "name": "American airline"} user_data = { 'email': 'myadminss@example.com', 'username': 'myadminss', 'is_staff': True, "password":"education", }
""" sphinxcontrib.autohttp ~~~~~~~~~~~~~~~~~~~~~~ The sphinx.ext.autodoc-style HTTP API reference builder for sphinxcontrib.httpdomain. :copyright: Copyright 2011 by Hong Minhee :license: BSD, see LICENSE for details. """
# It's a BST! class TreeNode: def __init__(self, x): self.val = x self.left = None self.right = None class Solution: def lowestCommonAncestor(self, root, p, q): s, b = sorted([p.val, q.val]) while not s <= root.val <= b: root = root.left if s <= root.val else root.right return root if __name__ == "__main__": l1 = TreeNode(6) l2 = TreeNode(2) l3 = TreeNode(8) l4 = TreeNode(0) l5 = TreeNode(4) l6 = TreeNode(7) l7 = TreeNode(9) l8 = TreeNode(3) l9 = TreeNode(5) l1.left = l2 l1.right = l3 l2.left = l4 l2.right = l5 l3.left = l6 l3.right = l7 l5.left = l8 l5.right = l9 s = Solution() print(s.lowestCommonAncestor(l1, l2, l5).val)
print('{} DESAFIO 47 {}\n'.format('='*10, '='*10)) print('Abaixo estão todos os números pares de 1 à 50: ') for c in range(1, 51): if(c % 2 == 0): print('{}'.format(c), end=' ')
''' This problem was asked by Google. Given k sorted singly linked lists, write a function to merge all the lists into one sorted singly linked list. It has already been solved in: https://github.com/loghmanb/daily-coding-problem/blob/master/google_merge_k_sorted_list.py '''
# Your task is to add up letters to one letter. # The function will be given a variable amount of arguments, each one being a letter to add. # https://www.codewars.com/kata/5d50e3914861a500121e1958 # https://www.codewars.com/kata/5d50e3914861a500121e1958/solutions/python def add_letters(*letters): char_num = 0 for character in letters: char_num = char_num + ord(character) - 96 if (char_num == 0 or char_num % 26 == 0): return "z" else: return chr(char_num % 26 + 96) print(add_letters('z')) # Best clever def add_letters_clever(*letters): return chr( (sum(ord(c)-96 for c in letters)-1)%26 + 97) # Nice num = 'abcdefghijklmnopqrstuvwxyz' def add_letters_nice(*letters): x = 0 x = sum(num.index(i)+1 for i in letters) while x-1 > 25: x -= 26 return num[x-1]
class City: def __init__(self, name): self.name = name self.routes = {} def add_route(self, city, price_info): self.routes[city] = price_info atlanta = City("Atlanta") boston = City("Boston") chicago = City("Chicago") denver = City("Denver") el_paso = City("El Paso") atlanta.add_route(boston, 100) atlanta.add_route(denver, 160) boston.add_route(chicago, 120) boston.add_route(denver, 180) chicago.add_route(el_paso, 80) denver.add_route(chicago, 40) denver.add_route(el_paso, 140) def dijkstra(starting_city, other_cities): routes_from_city = {starting_city: [0, starting_city]} for city in other_cities: routes_from_city[city] = [None, None] visited_cities = [] current_city = starting_city while current_city: visited_cities.append(current_city) for city, price_info in current_city.routes.items(): if routes_from_city[city][0] is None or \ routes_from_city[city][0] > price_info + routes_from_city[current_city][0]: routes_from_city[city] = [price_info + routes_from_city[current_city][0], current_city] current_city = None cheapest_route_from_current_city = None for city, routes_info in routes_from_city.items(): if city is starting_city or routes_info[0] is None or city in visited_cities: pass elif cheapest_route_from_current_city is None or routes_info[0] < cheapest_route_from_current_city: cheapest_route_from_current_city = routes_info[0] current_city = city return routes_from_city routes = dijkstra(atlanta, [boston, chicago, denver, el_paso]) for city_to_print, route_to_print in routes.items(): print("{0} : {1}".format(city_to_print.name, route_to_print[0]))
def replacePi(s): if(len(s) <= 2): return s if(s[0] == "p" and s[1] == "i"): print("3.14",end='') replacePi(s[2:]) else : print(s[0],end="") replacePi(s[1:]) s = input() replacePi(s)
msg = 'Olá, Mundo!' print(msg) print('Hello World!') print('Felipe Schmaedecke')
def format_sentence(sent): sent_text = sent["sent_text"] sent_start, _ = sent["sent_span"] fmt_text = str(sent_text) for mention_text, mention_start, mention_end in sorted(sent["mentions"], key=lambda x: x[1], reverse=True): mention_start, mention_end = mention_start - sent_start, mention_end - sent_start fmt_text = fmt_text[:mention_start] + f"<b>{mention_text}</b>" + fmt_text[mention_end:] return f'<span class="selected_sentence">{fmt_text}</span>' def format_text(text, sentences): fmt_text = str(text) for sent in sentences[::-1]: sent_start, sent_end = sent["sent_span"] fmt_text = fmt_text[:sent_start] + format_sentence(sent) + fmt_text[sent_end:] return fmt_text.replace("\n", "<br>")
# assign table and gis_input file required column names mid_col = 'model_id' gid_col = 'gauge_id' asgn_mid_col = 'assigned_model_id' asgn_gid_col = 'assigned_gauge_id' down_mid_col = 'downstream_model_id' reason_col = 'reason' area_col = 'drain_area' order_col = 'stream_order' # name of some of the files produced by the algorithm cluster_count_file = 'best-fit-cluster-count.json' cal_nc_name = 'calibrated_simulated_flow.nc' sim_ts_pickle = 'sim_time_series.pickle' # metrics computed on validation sets metric_list = ["ME", 'MAE', "RMSE", "NRMSE (Mean)", "MAPE", "NSE", "KGE (2012)"] metric_nc_name_list = ['ME', 'MAE', 'RMSE', 'NRMSE', 'MAPE', 'NSE', 'KGE2012']
__all__ = ["aobject"] class aobject(object): """ Base class for objects with an async ``__init__`` method. Creating an instance of ``aobject`` requires awaiting, e.g. ``await aobject()``. """ async def __new__(cls, *a, **kw): instance = super().__new__(cls) await instance.__init__(*a, **kw) return instance async def __init__(self): pass
# # PySNMP MIB module SNMPv2-TC-v1 (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/SNMPv2-TC-v1 # Produced by pysmi-0.3.4 at Wed May 1 11:31:22 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, SingleValueConstraint, ConstraintsIntersection, ValueRangeConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "SingleValueConstraint", "ConstraintsIntersection", "ValueRangeConstraint", "ConstraintsUnion") NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance") Counter64, Bits, ObjectIdentity, Counter32, Integer32, ModuleIdentity, MibScalar, MibTable, MibTableRow, MibTableColumn, IpAddress, Unsigned32, TimeTicks, NotificationType, MibIdentifier, Gauge32, iso = mibBuilder.importSymbols("SNMPv2-SMI", "Counter64", "Bits", "ObjectIdentity", "Counter32", "Integer32", "ModuleIdentity", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "IpAddress", "Unsigned32", "TimeTicks", "NotificationType", "MibIdentifier", "Gauge32", "iso") TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString") class DisplayString(OctetString): subtypeSpec = OctetString.subtypeSpec + ValueSizeConstraint(0, 255) class PhysAddress(OctetString): pass class MacAddress(OctetString): subtypeSpec = OctetString.subtypeSpec + ValueSizeConstraint(6, 6) fixedLength = 6 class TruthValue(Integer32): subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2)) namedValues = NamedValues(("true", 1), ("false", 2)) class TestAndIncr(Integer32): subtypeSpec = Integer32.subtypeSpec + ValueRangeConstraint(0, 2147483647) class AutonomousType(ObjectIdentifier): pass class InstancePointer(ObjectIdentifier): pass class VariablePointer(ObjectIdentifier): pass class RowPointer(ObjectIdentifier): pass class RowStatus(Integer32): subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6)) namedValues = NamedValues(("active", 1), ("notInService", 2), ("notReady", 3), ("createAndGo", 4), ("createAndWait", 5), ("destroy", 6)) class TimeStamp(TimeTicks): pass class TimeInterval(Integer32): subtypeSpec = Integer32.subtypeSpec + ValueRangeConstraint(0, 2147483647) class DateAndTime(OctetString): subtypeSpec = OctetString.subtypeSpec + ValueSizeConstraint(11, 11) fixedLength = 11 class StorageType(Integer32): subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5)) namedValues = NamedValues(("other", 1), ("volatile", 2), ("nonVolatile", 3), ("permanent", 4), ("readOnly", 5)) class TDomain(ObjectIdentifier): pass class TAddress(OctetString): subtypeSpec = OctetString.subtypeSpec + ValueSizeConstraint(1, 255) mibBuilder.exportSymbols("SNMPv2-TC-v1", TestAndIncr=TestAndIncr, TimeInterval=TimeInterval, MacAddress=MacAddress, RowStatus=RowStatus, StorageType=StorageType, TDomain=TDomain, RowPointer=RowPointer, VariablePointer=VariablePointer, DateAndTime=DateAndTime, DisplayString=DisplayString, TruthValue=TruthValue, PhysAddress=PhysAddress, AutonomousType=AutonomousType, TimeStamp=TimeStamp, TAddress=TAddress, InstancePointer=InstancePointer)
"""Constants used by pysysbot.""" VERSION = '0.3.0' AUTHOR_EMAIL = "Fabian Affolter <fabian@affolter-engineering.ch>"
n = int(input()) people = [] for i in range(n): a, b = input().split() people.append((int(a), b, i)) people.sort(key=lambda x:(x[0], x[2])) for p in people: print(p[0], p[1])
#https://leetcode.com/problems/last-substring-in-lexicographical-order/discuss/369191/JavaScript-with-Explanation-no-substring-comparison-fast-O(n)-time-O(1)-space.-(Credit-to-nate17) def lastSubstring(input): start = end = 0 skip = 1 while (skip+end) < len(input): if input[start+end] == input[skip+end]: end += 1 elif input[start+end] < input[skip+end]: start = max(start+end+1,skip) skip = start+1 end= 0 elif input[start+end] > input[skip+end]: skip = skip+end+1 end=0 return input[start:] print(lastSubstring('zyxbzyxc'))
# ============================================================================= # Python examples - if else # ============================================================================= seq = [1,2,3] if len(seq) == 0: print("sequence is empty") elif len(seq) == 1: print("sequence contains one element") else: print("sequence contains several elements") # ----------------------------------------------------------------------------- # If shorthand (Ternary operator) # ----------------------------------------------------------------------------- a = 5 b = 3 x = 10 if a > b else 1 # better readable y = a > b and 10 or 1 # style more like java or other languages print(x) print(y) # ============================================================================= # The end.
class StatcordException(Exception): def __init__(self, *args, **kwargs): super().__init__(*args, **kwargs) class RequestFailure(StatcordException): def __init__(self, status: int, response: str): super().__init__("{}: {}".format(status, response))
def get_paths(root, format='jpg', paths_count=None): path_i = 0 paths = [] for path in root.glob(f'**/*.{format}'): if path_i == paths_count: break paths.append(path) path_i += 1 return paths def get_train_val_paths(root, format='jpg', val_size=0.2, paths_count=None): paths = get_paths(root, format=format, paths_count=paths_count) if paths_count is None: paths_count = len(paths) val_count = int(val_size * paths_count) train_count = paths_count - val_count return paths[:train_count], paths[train_count:]
def a64l(s): """ An implementation of a64l as from the c stdlib. Convert between a radix-64 ASCII string and a 32-bit integer. '.' (dot) for 0, '/' for 1, '0' through '9' for [2,11], 'A' through 'Z' for [12,37], and 'a' through 'z' for [38,63]. TODO: do some implementations use '' instead of '.' for 0? >>> a64l('.') 0 >>> a64l('ZZZZZZ') 40359057765L #only the first 6 chars are significant >>> a64l('ZZZZZZ.') 40359057765L >>> a64l('A') 12 >>> a64l('Chris') 951810894 """ MASK = 0xffffffff BITSPERCHAR = 6 orda, ordZ, ordA, ord9, ord0 = ord('a'), ord('Z'), ord('A'), ord('9'), ord('0') r = 0 for shift, c in enumerate(s[:6]): c = ord(c) if c > ordZ: c -= orda - ordZ - 1 if c > ord9: c -= ordA - ord9 - 1 r = (r | ((c - (ord0 - 2)) << (shift * BITSPERCHAR))) & MASK return r
# Definition for a binary tree node. # class TreeNode: # def __init__(self, val=0, left=None, right=None): # self.val = val # self.left = left # self.right = right class Solution: def flatten(self, root: TreeNode) -> None: """ Do not return anything, modify root in-place instead. """ cur = root while cur: if cur.left: predecessor = cur.left next = cur.left while predecessor.right: predecessor = predecessor.right predecessor.right = cur.right cur.left = None cur.right = next cur = cur.right
example_dict = { 65: "integer", "1": "fake integer", 3.14: "float", "3.14": "fake float", 0.345: "float 2", ".345": "fake float 2", 123.0: "float 3", "123.": " fake float 3", "false_": False, "true_": True, False: False, True: True, -3.0: "float negative", "-3.1": "fake float negative", "negative": -45, "float_negative": -56.67, "a": { "a": [1, 3, 4, {"nullable": None, "nullable_2": None}], "b": { "f": 3, "g": 4, "x": { "y": { "z": [ {"w": 7, "foo": "bar"}, {"w": 9, "field": False}, {"w": 9.87, "g": [1, 4], "field": [1, 4], "3": [1, 4]}, ] } }, "j": [{"t": None, "w": None}, [{}, {"w": "test"}, {"w": 90}]], }, }, "c": 4, "as-9": 2, "tt": {"aa": [1, 4]}, }
# Things like files are called resources. They are gicen by the operating system and # have to be disposed of after being done with. # We have to close files for instance fd = open("with.py", "r") print(fd.readline()) fd.close() # In order to do this a bit more automatic you can use with with open("with.py", "r") as f: # do stuff with f here print(f.readline()) # f is closed automatically here
_base_ = [ '../_base_/models/faster_rcnn_r50_fpn.py', '../_base_/datasets/coco_detection.py', '../_base_/schedules/schedule_180k.py', '../_base_/default_runtime.py' ] evaluation = dict(interval=20000, metric='bbox') checkpoint_config = dict(by_epoch=False, interval=20000) work_dir = 'work_dirs/coco/faster_rcnn/faster_rcnn_r50_fpn_4x2_180k_coco'
class Interactions: current_os = -1 logger = None def __init__(self, current_os, logger, comfun): self.current_os = current_os self.logger = logger self.comfun = comfun def print_info(self): self.logger.raw("This is interaction with 3dsmax") # common interactions def schema_item_double_click(self, param): self.max_open_scene(param) def task_item_double_click(self, param): self.max_open_scene(param) def open_setup(self, param): self.max_open_scene(param) def save_setup(self, param): self.save_current_scene_as(param) def save_setup_as_next_version(self, param): self.save_current_scene_as(param) # max interactions def max_open_scene(self, file): pass def max_import_ani(self, objects, dir): pass def max_import_cam(self, objects, file_or_dir): pass def max_import_obj(self, objects, file_or_dir): pass def max_simulate(self, ts, te, objects_names, cache_dir): pass def max_render(self, ts, te, out_file=""): pass def max_save_scene(self, file): pass def save_current_scene_as(self, file): pass
string1 = "he's " string2 = "probably " string3 = "going to " string4 = "get fired " string5 = "today " print(string1 + string2 + string3 + string4 + string5) print("he's " "probably " "going to " "get fired " "today") print (string1 * 5) print ("he's " * 5) print ("hello " * 5 + "4") print("hello " * (5 + 4)) today = "wednesday" print("day" in today) #true print("wednes" in today) #true print ("fri" in today) #False print ("eagle" in today) #false
def subarraySort(array): min_ascending_anomaly_number = float('inf') max_descending_anomaly_number = float('-inf') i, j = 1, len(array) - 2 while i < len(array) and j > - 1: if array[i] < array[i - 1]: min_ascending_anomaly_number = min(array[i], min_ascending_anomaly_number) if array[j] > array[j + 1]: max_descending_anomaly_number = max(array[j], max_descending_anomaly_number) i += 1 j -= 1 if min_ascending_anomaly_number == float('inf'): return [-1, -1] subarray_left_idx, subarray_right_idx = 0, len(array) - 1 while array[subarray_left_idx] <= min_ascending_anomaly_number: subarray_left_idx += 1 while array[subarray_right_idx] >= max_descending_anomaly_number: subarray_right_idx -= 1 return [subarray_left_idx, subarray_right_idx] print(subarraySort([1, 2, 4, 7, 10, 11, 7, 12, 6, 7, 16, 18, 19]))
# python3 def last_digit_of_the_sum_of_fibonacci_numbers_naive(n): assert 0 <= n <= 10 ** 18 if n <= 1: return n fibonacci_numbers = [0] * (n + 1) fibonacci_numbers[0] = 0 fibonacci_numbers[1] = 1 for i in range(2, n + 1): fibonacci_numbers[i] = fibonacci_numbers[i - 2] + fibonacci_numbers[i - 1] return sum(fibonacci_numbers) % 10 def last_digit_of_the_sum_of_fibonacci_numbers(n): assert 0 <= n <= 10 ** 18 prev, curr = 0, 1 if 2 > n >= 0: return n s = 1 n_remainder = n % 60 if 2 > n_remainder >= 0: return n_remainder for _ in range(n_remainder - 1): prev, curr = curr, (prev + curr) % 10 s += (curr % 10) s = s % 10 return s if __name__ == '__main__': input_n = int(input()) print(last_digit_of_the_sum_of_fibonacci_numbers(input_n))
# File: Bridge.py # Description: Assignment 09 | Bridge # Student Name: Matthew Maxwell # Student UT EID: mrm5632 # Course Name: CS 313E # Unique Number: 50205 # Date Created: 09-30-2019 # Date Last Modified: 10-01-2019 # read file in, return data set of test cases def readFile(): myFile = open("bridge.txt", "r") lines = [line.strip() for line in myFile] numCases = int(lines[0]) lines = lines[2:] dataSet = [] for i in range(numCases): dataItem = [] for j in range(int(lines[0])): dataItem.append(int(lines[j + 1])) lines = lines[int(lines[0]) + 2:] dataItem.sort() dataSet.append(dataItem) myFile.close() return(dataSet) # simple recursive function to find total lowest crossing time def fastBridgeCross(people): # if there is one or two people, return highest time if(len(people) <= 2): return(people[len(people) - 1]) # if there are three people, return the sum of all three elif(len(people) == 3): return(sum(people)) # if there are >3 people, then compute movements for the slowest two people to get to the other side, then call function again without two slowest people else: return(fastBridgeCross(people[:-2]) + people[0] + (people[1] * 2) + people[-1]) def main(): myDataSet = readFile() [print(fastBridgeCross(item), "\n") for item in myDataSet] main()
# TYPE OF OPERATORS IN PYTHON # Arithmetic # Assignment # Comparison # Logical # Membership # Identity # Bitwise # Arithmetic operators: Used to perform arithmetic operations between variables # +, -, *, /, %, **, // x = 10 y = 20 # Arithmetic Operators print('Arithmetic Operators') print(x+y) print(x-y) print(x*y) print(x**y) print(x/y) print(x//y) # Shows the int value, taking out the decimals print(x%y) # Assignment operators # Are used to assign values # Operator | Example # = | x = 10 # += | x += 10 # -= | x -= 10 # *= | x *= 10 # %= | x %= 10 # **= | x **= 10 # //= | x //= 10 # |= | x |= 10 # ^= | x ^= 10 # &= | x &= 10 print() print('Assignment operators') x = 100 x += 10 # Is equal to x = x + 10 a = 5 # Assigning the value '5' to the variable a += 5 print(a) a **= 5 print(a) print() print('Comparison Operators') # Comparison operators # Used to compare two values # == Equal # != Not Equal # > Greater than # < Less than # >= Greater than or equal # <= Less than or equal val = 10 num1 = 20 compare = val == num1 print(compare) print() print('Logical Operators') # Logical Operators # Used to combine conditional statements # Conditional statements print('Conditional statements') if val == num1: print('equal') elif val > num1: print('greater') else: print('smaller') x = 10 print(x > 10 and x > 5) print(x > 8 and x > 5) not(x > 10 and x > 5) # Get the opposite value of the statement print() print('Identity Operators') # Identity Operators # Used to compare objects # We have: IS and IS NOT # IS: Returns true if both variables are same object # IS NOT: Returns true if both variables are not same object list1 = [10, 20, 30] list2 = [10, 20, 30] x = list1 print(x is list1) print(list1 is list2) # False because they are not the same object, same type, but not same objects print(list1 is not list2) # Even though they have the same values, they are not the same object print() print('Membership operators') # Memebership operators # Used to check if a sequence is present in an object # We have: IN and NOT IN # IN: Returns true if a sequence with the specified value is present in the object # NOT IN: Returns true if a sequence with the specified value is not present in the object print(x in list1) print(list1 in list2) print(10 in list1) print([10, 20, 30] in list2) # Only recognizes one value in the list of values inside the variable list1.append('banana') print('banana' in list1) list1 = [10, 20, 30] list2 = [10, 20, 30] print(list1 == list2) print(list1 is list2) # False because they are two different objects print() print('Bitwise operators') # Bitwise operators # Used to compare binary numbers # & Bitwise AND: Sets each bit to 1 if both bits are 1 # | Bitwise OR: Sets each bit to 1 if one of the bits is 1 # ^ Bitwise XOR: Sets each bit to 1 if only one of the bits is 1 # ~ Bitwise NOT: Inverts all bits # << Left Shift: Shift left by pushing in zeroes from the right and let the leftmost bits fell off # >> Right Shift: Shifgt right by pushing copies of the leftmost bit in from the left, and let the rightmost bit fall off print(10 & 12) # 1010 1100: 1000 print(10 | 12) # 1010 1100: 1110 print("{0:b}".format(8)) # Print parameter as binary print('right shift') print(10 >> 2) # We are right shifting 2 bits, so instead of '1010' we have '10' print('left shift') print(10 << 2) # It adds two 00 to the right, so instead of '1010' now it is '101000'
# You are given a two-digit integer n. Return the sum of its digits. # Example # For n = 29, the output should be # addTwoDigits(n) = 11. def addTwoDigits(n): sum1 = 0 for i in str(n): sum1 += int(i) return sum1 print(addTwoDigits(29))
# 숫자의 표현 def solution(n): answer = 0 for i in range(1, n+1): if n%i==0 and i%2==1: answer+=1 return answer ''' 정확성 테스트 테스트 1 〉 통과 (0.00ms, 10.2MB) 테스트 2 〉 통과 (0.05ms, 10MB) 테스트 3 〉 통과 (0.04ms, 10.2MB) 테스트 4 〉 통과 (0.04ms, 10.1MB) 테스트 5 〉 통과 (0.02ms, 10.2MB) 테스트 6 〉 통과 (0.01ms, 10.2MB) 테스트 7 〉 통과 (0.03ms, 10.1MB) 테스트 8 〉 통과 (0.02ms, 10.3MB) 테스트 9 〉 통과 (0.01ms, 10.2MB) 테스트 10 〉 통과 (0.07ms, 10.2MB) 테스트 11 〉 통과 (0.06ms, 10.1MB) 테스트 12 〉 통과 (0.04ms, 10.1MB) 테스트 13 〉 통과 (0.05ms, 10.2MB) 테스트 14 〉 통과 (0.03ms, 10.3MB) 효율성 테스트 테스트 1 〉 통과 (0.84ms, 10.1MB) 테스트 2 〉 통과 (0.53ms, 10.2MB) 테스트 3 〉 통과 (0.60ms, 10.1MB) 테스트 4 〉 통과 (0.62ms, 10.2MB) 테스트 5 〉 통과 (0.71ms, 10.2MB) 테스트 6 〉 통과 (0.77ms, 10.2MB) '''
# $Id: md1.py,v 1.8 2020/04/22 21:39:41 baaden Exp baaden $ # Script (c) 2020 by Marc Baaden, <baaden@smplinux.de> # # UnityMol python script to visualize the Covid-19 spike protein # activate specific commands to simplify interactive raytracing of the scene doRT = False; absolutePath = "C:/Users/ME/fair_covid_molvisexp/ex3_mdtraj/" inVR = UnityMolMain.inVR() #Useful when recording a long video Application.runInBackground = True UnityMolMain.allowIDLE = False if(doRT): bg_color("gray") #Avoid pre-computing surfaces for memory and perf purpose UnityMolMain.disableSurfaceThread = True #Start raytracing mdoe UnityMolMain.raytracingMode = True #Set screen resolution, mandatory for recording in raytracing mode Screen.SetResolution(1920, 1080, False) # Color definitions bleu1 = ColorUtility.TryParseHtmlString("#6baed6")[1] bleu2 = ColorUtility.TryParseHtmlString("#3182bd")[1] bleu3 = ColorUtility.TryParseHtmlString("#08519c")[1] vert1 = ColorUtility.TryParseHtmlString("#74c476")[1] vert2 = ColorUtility.TryParseHtmlString("#31a354")[1] vert3 = ColorUtility.TryParseHtmlString("#006d2c")[1] oran1 = ColorUtility.TryParseHtmlString("#fd8d3c")[1] # Start clean reset() clearAnnotations() annotationStatus = False setMouseMoveSpeed(5) s = load(absolutePath+"bp151.pdb") loadTraj("bp151", absolutePath+"bp151.xtc") s.trajPlayer.smoothing = True if inVR: centerOnStructure("bp151") else: #fetch(PDBId="6cs2", usemmCIF=True, readHetm=True, forceDSSP=False, showDefaultRep=True, modelsAsTraj=True, center=False) #setStructurePositionRotation("bp151", Vector3(0.0000, 0.0000, 0.0000), Vector3(0.0000, 0.0000, 0.0000)) #Save parent position setMolParentTransform( Vector3(0.1509, 0.0289, -2.3742), Vector3(0.0064, 0.0064, 0.0064), Vector3(11.1974, 316.3117, 184.7349), Vector3(0.1375, 0.0250, -2.3702) ) #setMolParentTransform( Vector3(0.1196, 0.1039, -2.1867), Vector3(0.0064, 0.0064, 0.0064), Vector3(11.1974, 316.3117, 184.7349), Vector3(0.1062, 0.1000, -2.1827) ) # draw an outline around the objects enableOutline() # add depth cueing #setDepthCueingDensity(1.00) #setDepthCueingStart(-1.94) #enableDepthCueing() # hide user interface #GameObject.Find("CanvasMainUI/CloseUI").GetComponent("Button").onClick.Invoke(); # hide python console #GameObject.Find("ConsolePython_Autocomplete/Canvas/CloseUI").GetComponent("Button").onClick.Invoke(); hideSelection("bp151_protein_or_nucleic", "c") showHideHydrogensInSelection("bp151_not_protein_nucleic") setHyperBallMetaphore("bp151_not_protein_nucleic", "Licorice", True) # helper function to reset and reload after the script has been modified def restart(): reset() loadScript(absolutePath+"md1.py") # helper function to toggle a selname/reptype from hidden to visible and vice versa def toggleRep(repName,repType): if(areRepresentationsOn(repName,repType)): hideSelection(repName, repType) else: showSelection(repName, repType) ### ### Define first example view in terms of the representations, the viewpoint and the annotations ### SRBD=select("resnum 597:900 and protein", "SRBD") ACE=select("resnum 0:596 and protein", "ACE") def rep1(): print("Representation of the overall ectodomain") #showBoundingBox("6cs2") showSelection("SRBD", "c") colorSelection("SRBD", "c", bleu3) showSelection("ACE", "c") colorSelection("ACE", "c", oran1) #select("(resnum 154 65 155 10 157 141 539 124 524 76 77 83 143 1 162 121 16 74 161 17 13 143 335 20 173 19 168 23 339 337 117 169 27 166 and protein) or resname UNK7", "ITF") select("byres ((around 3.5 ACE) and protein and not ACE)","ITF1") setUpdateSelectionTraj("ITF1", True) showSelection("ITF1", "hb") select("byres ((around 3.5 SRBD) and protein and not SRBD)","ITF2") setUpdateSelectionTraj("ITF2", True) showSelection("ITF2", "hb") clearSelections() rep1() def rep1off(): hideSelection("SRBD") hideSelection("ACE") hideSelection("ITF1") hideSelection("ITF2") clearSelections() # define a helper function to orient the system nicely def view1(): #setStructurePositionRotation("6cs2", Vector3(0.0000, 0.0000, 0.0000), Vector3(0.0000, 0.0000, 0.0000)) setMolParentTransform( Vector3(-1.1592, 1.0424, -0.2460), Vector3(0.0064, 0.0064, 0.0064), Vector3(87.2821, 97.7300, 270.5491), Vector3(0.0000, 0.0000, -1.5500) ) return;
def a(x): if x == 1: print("x is 1") else: print("x is not 1")
class Solution(object): def guessNumber(self, n: int) -> int: """ # The guess API is already defined. # @param num, your guess # @return -1 if my number is lower, 1 if my number is higher, otherwise return 0 # def guess(num: int) -> int: """ low = 1 high = n + 1 mid = low + ((high - low)/2) res = guess(mid) while (res != 0): if res == 1: low = mid elif res == -1: high = mid mid = low + ((high - low)/2) res = guess(mid) return int(mid)
def mergeSort(lst, start, end): if start < end: mid = start + (end - start) // 2 mergeSort(lst, start, mid) mergeSort(lst, mid + 1, end) merge(lst, start, end, mid) def merge(lst, start, end, mid): temp = lst[start: end + 1] left = 0 right = mid + 1 - start index = start while left <= mid - start and right <= end - start: if temp[left] < temp[right]: lst[index] = temp[left] left += 1 else: lst[index] = temp[right] right += 1 index += 1 # no need to copy right half since right half is already in the correct place while left <= mid - start: lst[index] = temp[left] index += 1 left += 1 if __name__ == '__main__': l = [5, 4, 3, 2, 1] mergeSort(l, 0, 4) print(l) ''' dummy merge sort, copy at first def mergeSortMain(lst): temp = lst[:] mergeSort(lst, 0, len(lst) - 1, temp) def mergeSort(lst, left, right, temp): if left < right: mid = left + (right - left) // 2 mergeSort(lst, left, mid, temp) mergeSort(lst, mid + 1, right, temp) merge(lst, left, right, mid, temp) def merge(lst, left, right, mid, temp): for i in range(left, right + 1): temp[i] = lst[i] left_index = left right_index = mid + 1 while left_index <= mid and right_index <= right: if temp[left_index] < temp[right_index]: lst[left] = temp[left_index] left_index += 1 else: lst[left] = temp[right_index] right_index += 1 left += 1 while left_index <= mid: lst[left] = temp[left_index] left += 1 left_index += 1 l = [5,4,3,2,1] mergeSortMain(l) print(l) ''' ''' Time O(n logn). logn levels, each level merge the n elements Space O(n) extra Space '''
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())
""" 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))
# 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))
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"
''' 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()
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))
''' 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))
''' 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
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>{}&lt{}, {}'.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)
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
# 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
# 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")
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 == []
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))
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
dados = list() pessoa = list() media = list() while True: dados.append(input('Digite seu nome: ')) dados.append(input('Digite a 1° nota: ')) dados.append(input('Digite a 2° nota: ')) pessoa.append(dados[:]) dados.clear() c = input('Deseja continuar: ').upper() if c in 'NAO NOP NA NAH NAUM NO NÃO': break for c, i in enumerate(pessoa): cal = (int(i[1]) + int(i[2])) / 2 media.append(cal) #print(f'{c} {i[0]} {media[c]}') print(f'{c} ', end=' ') print(f'{i[0]}', end=' ') print(f'{media[c]}') nota = int(input('Deseja ver a nota de qual aluno? (999 interrompe): ')) while True: if nota != 999: print(f'você escolheu as notas de {pessoa[nota][0]} e as notas foram: {pessoa[nota][1]}, {pessoa[nota][2]} ') nota = int(input('Deseja ver a nota de qual aluno? (999 interrompe): ')) if nota == 999: print('obrigado') break
## 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
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()
# -*- 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 """
class Solution: def countElements(self, arr: List[int]) -> int: table = set(arr) return sum(x + 1 in table for x in arr)
'''Faça um programa que leia um número qualquer e mostre o seu fatorial. Ex: 5! = 5x4x3x2x1=120''' escolha=int(input('Digite um número: ')) fatorial=escolha fat=1 while fatorial!=1: fat=fat*fatorial fatorial-=1 print('{}!={}'.format(escolha,fat))
#!/usr/bin/python3 ''' Geralmente é o código que chama a funcao, e nao a funcao em si, que sabe como tratar uma execao. Portanto, normalmente você verá uma instruo raise em uma função e as instruções try e excepton no código que chama a funcao. Exemplo ''' def boxPrint(symbol, width, height): # Funcao que imprime uma caixa na tela if len(symbol) != 1: raise Exception('Symbol must be a single character string.') if width <= 2: raise Exception('Width must be a greater than 2.') if height <= 2: raise Exception('Height must be greater than 2') print(symbol * width) for i in range(height - 2): print(symbol + (' ' * (width - 2)) + symbol) print(symbol * width) # Armazenando os parametros das tuplas em variaveis simples for sym, w, h in (('*', 4, 4), ('0', 20, 5), ('x', 1, 3), ('ZZ', 3, 3)): try: # Testando funcao no bloco try # Executando a funcao com os parametros recebidos boxPrint(sym, w, h) # Caso ocorra alguma execao except Exception as err: # A Excecao retorna em raise Exception sera armazenada na variavel err # Dessa forma conseguindo imprimir a mensagem a baixo, mais o retorno # Da execacao que ocorreu na funcao print('An Exception happened: ' + str(err)) # Fonte # Livro Automatiando tarefas maçantes com python, capitulo 10 pos 6424
# 토너먼트 카드 게임 test_cases = int(input().strip()) def rock_scissor_paper(cards, s1, s2): card1 = cards[s1] card2 = cards[s2] if card1 == card2: return s1 if card1 == 1: if card2 == 2: return s2 else: return s1 elif card1 == 2: if card2 == 1: return s1 else: return s2 else: if card2 == 1: return s2 else: return s1 def tournament(cards, students): if len(students) <= 1: return students[0] start = 0 end = len(students) - 1 mid = (start + end) // 2 s1 = tournament(cards, students[:mid + 1]) s2 = tournament(cards, students[mid + 1:]) return rock_scissor_paper(cards, s1, s2) for t in range(1, test_cases + 1): n = int(input().strip()) cards = list(map(int, input().strip().split())) students = [i for i in range(n)] result = tournament(cards, students) print('#{} {}'.format(t, result + 1))
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))
# 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]
# # 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)
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}))
# 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
# Union of list 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)
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 generateWholeBodyMotion(cs, cfg, fullBody=None, viewer=None): raise NotImplemented("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)
[ {"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 &amp; 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 &amp; gov'ts must promote women in STEM...Over the coming decades, technologies such as automation &amp; 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 =&gt; 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&amp;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&amp;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 &amp; 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 &amp; 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 &amp; 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 &amp; 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, &lt;b&gt;blockchain&lt;/b&gt;: 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": []} ]
# # 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)
#Faça um programa que leia o peso de cinco pessoas. No final, mostre qual foi o maior e o menor peso lidos. print(f'{"="*30}') print(f'{"Analisador de peso":^30}') print(f'{"="*30}') pmaior = 0 pmenor = 0 n = int(input('Quer analisar o peso de quantas pessoas? ')) for c in range(0, n): p = float(input(f'Peso da {c+1}º pessoa: ')) if c == 1: pmaior = p pmenor = p else: if p > pmaior: pmaior = p if p < pmenor: pmenor = p print(f'O maior peso foi {pmaior}') print(f'O menor peso foi {pmenor}')
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)
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. ')
# This program displays a person's # name and address print('Kate Austen') print('123 Full Circle Drive') print('Ashville, NC 28899')
# Desafio 007 - Desenvolva um programa que leia as duas notas de um aluno, calcule e mostr a sua média. nota1 = float(input('Digite a primeira nota: ')) nota2 = float(input('Digite a segunda nota: ')) media = (nota1 + nota2)/2 print('A média entre {:.1f} e {:.1f} foi {:.1f}'.format(nota1, nota2, media)) # alternativa 1 - evitando a criação de variável para economizar memória nota1 = float(input('Digite a primeira nota: ')) nota2 = float(input('Digite a segunda nota: ')) print('A média entre {:.2f} e {:.2f} foi {:.2f}'.format(nota1, nota2, ((nota1 + nota2)/2)))
# 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
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)
'''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]))
# 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
"""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"
# Datos # planetas = { 'Mercurio': (57910000, 4880, 0.241, 58.6, 0.06), 'Venus': (108200000,12000, 0.72, 243, 0.82), 'Tierra': (149600000, 12756, 1, 1, 1), 'Marte': (227940000, 6794, 1.52, 1.03, 0.11), 'Júpiter': (778833000, 142984, 5.20, 0.414, 318), 'Saturno': (1429400000, 120536, 9.55, 0.426, 95), 'Urano': (2870990000, 51118, 19.22, 0.718, 14.16), 'Neptuno': (4504300000, 49492, 30.66, 0.6745, 17.2) } # Preguntas # # 1 lista = [] # Se crea una lista de tuplas para ordenar utilizando el criterio de tuplas for planeta in planetas: _, diametro, _, _, _ = planetas[planeta] lista.append((diametro, planeta)) lista.sort() # Orden ascendente lista.reverse() # Orden descendente # Mostrar los planetas for _, planeta in lista: print(planeta) # 2 lista2 = [] # Misma idea anterior, pero guardando la informacion de rotacion for planeta in planetas: _, _, _, rotacion, _ = planetas[planeta] lista2.append((rotacion, planeta)) lista2.sort() # Orden ascendente # Mostrar el planeta print("Planeta con menor período de rotación:", lista2[0][1])
""" 现实世界 虚拟世界 客观事物 -抽象化-> 类 -实例化-> 对象 奔驰汽车 汽车类 汽车对象 宝马汽车 品牌 奔驰 车牌号 京C... 颜色 白色 .... ... """ class Wife: """ 抽象的老婆类(概念) """ # 数据(通过构造函数创建) def __init__(self, name, height=160, weight=100): # print(id(self)) # 实例变量 self.name = name self.height = height self.weight = weight # 行为 def play(self): print(self.name + "在玩耍") tc = Wife("铁锤", 190, 200) # print(id(tc)) print(tc.name) tc.play() ch = Wife("翠花", 160, 100) print(ch.name) ch.play()