content
stringlengths 7
1.05M
| fixed_cases
stringlengths 1
1.28M
|
|---|---|
LIMIT_STATEMENT = "LIMIT {last} OFFSET {offset}"
SUBTREES = """
SELECT keyword_tree.fingerprint, keyword, library, status, arguments, call_index
FROM keyword_tree
JOIN tree_hierarchy ON tree_hierarchy.subtree=keyword_tree.fingerprint
WHERE tree_hierarchy.fingerprint=%(fingerprint)s
ORDER BY call_index::int;
"""
TEAM_NAMES = "SELECT DISTINCT team FROM test_series ORDER BY team"
# Build status is aggregated from test cases statuses.
# Due to reruns only the last execution of a test case is considered.
# Last execution is determined primarily by test start_time if that exists
# otherwise by archiving order i.e. test_run_id
def test_series(by_teams=False, series=None, team=None):
return """
WITH last_builds as (
SELECT series,
max(build_number) as build_number,
count(*) as build_count
FROM test_series_mapping
{series_filter}
GROUP BY series
)
SELECT id, name, team, build_count as builds,
build_number as last_build,
CASE WHEN build_id IS NULL THEN build_number::text ELSE build_id END as last_build_id,
min(generated) as last_generated,
min(imported_at) as last_imported,
min(status) as last_status,
min(start_time) as last_started,
CASE WHEN min(start_time) IS NOT NULL THEN min(start_time) ELSE min(imported_at) END as sorting_value
FROM (
SELECT DISTINCT ON (tsm.series, test_id)
tsm.series, build_count, tsm.build_number, build_id,
generated, imported_at,
test_result.status
FROM last_builds
JOIN test_series_mapping as tsm ON last_builds.series=tsm.series
AND last_builds.build_number=tsm.build_number
JOIN test_result ON tsm.test_run_id=test_result.test_run_id
JOIN test_run ON test_run.id=tsm.test_run_id
WHERE NOT test_run.ignored
ORDER BY tsm.series, test_id, start_time DESC, test_result.test_run_id DESC
) AS final_test_results
JOIN test_series ON test_series.id=final_test_results.series
JOIN (
SELECT tsm.series, min(start_time) as start_time
FROM last_builds
JOIN test_series_mapping as tsm ON last_builds.series=tsm.series
AND last_builds.build_number=tsm.build_number
JOIN suite_result ON tsm.test_run_id=suite_result.test_run_id
GROUP BY tsm.series
) AS last_build_start_times ON test_series.id=last_build_start_times.series
{team_filter}
GROUP BY id, name, team, build_count, build_number, build_id
ORDER BY {team_sorting} sorting_value
""".format(team_sorting="team," if by_teams else '', # nosec
series_filter='WHERE series={}'.format(int(series)) if series else '', # nosec
team_filter='WHERE team=%(team)s' if team else '')
def test_run_ids(series=None, build_num=None, start_from=None, last=None, offset=0):
filters = []
if series:
filters.append("series={series_id}".format(series_id=int(series)))
if build_num:
filters.append("build_number={}".format(int(build_num)))
elif last:
filters.append("build_number IN ({})".format(build_numbers(series, start_from, last, offset)))
return """
SELECT test_run_id
FROM test_series_mapping as tsm
JOIN test_run ON test_run.id=tsm.test_run_id
WHERE NOT ignored
{filters}
ORDER BY build_number, test_run_id
""".format(filters='AND ' + ' AND '.join(filters) if filters else '') # nosec
def build_numbers(series, start_from=None, last=None, offset=0):
return """
SELECT build_number
FROM (
SELECT DISTINCT build_number
FROM test_series_mapping as tsm
JOIN test_run ON test_run.id=tsm.test_run_id
WHERE series={series}
{starting_filter}
AND NOT ignored
) as build_numbers
ORDER BY build_number DESC
{limit}
""".format(series=int(series), # nosec
limit=LIMIT_STATEMENT.format(last=int(last), offset=int(offset)) if last else '',
starting_filter="AND build_number <= {}".format(int(start_from)) if start_from else '')
def builds(series, build_number=None, start_from=None, last=None, offset=0, reverse=False):
if build_number:
build_filter = "AND build_number={}".format(int(build_number))
elif start_from or last:
build_filter = "AND build_number IN ({})".format(build_numbers(series, start_from, last, offset))
else:
build_filter = ""
return """
SELECT team, name,
build_number,
CASE WHEN build_id IS NULL THEN build_number::text ELSE build_id END as build_id,
array_agg(test_run_id) as test_runs,
min(status) as status,
min(imported_at) as archiving_time,
min(generated) as generation_time,
min(start_time) as start_time
FROM (
SELECT team, name,
build_number, build_id,
test_run.id as test_run_id,
min(test_run.imported_at) as imported_at,
min(test_run.generated) as generated,
-- Status can be aggregated by min because of FAIL, PASS, SKIP are in alphabetical order
min(test_statuses.status) as status,
-- The starting timestamp is from the suite timestamps
min(suite_result.start_time) as start_time
FROM test_series_mapping as tsm
JOIN test_series ON test_series.id=tsm.series
JOIN test_run ON test_run.id=tsm.test_run_id
JOIN suite_result ON suite_result.test_run_id=test_run.id
JOIN (
SELECT DISTINCT ON (build_id, test_id)
test_result.test_run_id, status
FROM test_result
JOIN test_series_mapping as tsm ON tsm.test_run_id=test_result.test_run_id
WHERE tsm.series={series}
ORDER BY build_id, test_id, start_time DESC, test_result.test_run_id DESC
) AS test_statuses ON tsm.test_run_id=test_statuses.test_run_id
WHERE tsm.series={series} and NOT test_run.ignored
{build_filter}
GROUP BY team, name, build_number, build_id, test_run.id
ORDER BY build_number, test_run.id
) AS test_runs
GROUP BY team, name, build_number, build_id
ORDER BY build_number {order};
""".format(series=int(series), # nosec
build_filter=build_filter,
order='ASC' if reverse else 'DESC')
def suite_result_info(series, build_num, suite):
return """
SELECT array_agg(test_result.test_run_id ORDER BY test_result.start_time DESC) as test_runs,
array_agg(test_result.status ORDER BY test_result.start_time DESC) as statuses,
suite.id as suite_id,
suite.name as suite_name,
suite.full_name as suite_full_name,
suite.repository as suite_repository,
test_case.id as id,
test_case.name as name,
test_case.full_name as full_name
FROM suite_result
JOIN suite ON suite_result.suite_id=suite.id
JOIN test_case ON test_case.suite_id=suite.id
JOIN test_result ON test_result.test_id=test_case.id
AND test_result.test_run_id=suite_result.test_run_id
WHERE suite_result.suite_id={suite_id}
AND test_result.test_run_id IN ({test_run_ids})
GROUP BY suite.id, suite.name, suite.full_name,
test_case.id, test_case.name, test_case.full_name
ORDER BY test_case.name;
""".format(test_run_ids=test_run_ids(series, build_num), suite_id=int(suite)) # nosec
def build_metadata(series, build_num):
return """
SELECT DISTINCT ON (suite_metadata.name, suite_metadata.value)
suite_metadata.name as metadata_name,
suite_metadata.value as metadata_value,
suite_metadata.suite_id,
suite_metadata.test_run_id
FROM suite_metadata
JOIN suite ON suite.id=suite_metadata.suite_id
WHERE test_run_id IN ({test_run_ids})
ORDER BY suite_metadata.name, suite_metadata.value, suite.full_name
""".format(test_run_ids=test_run_ids(series, build_num=build_num)) # nosec
def status_counts(series, start_from, last, offset=0):
return """
SELECT sum(total)::int as tests_total,
sum(passed)::int as tests_passed,
sum(failed)::int as tests_failed,
sum(skipped)::int as tests_skipped,
sum(other)::int as tests_other,
count(*) as suites_total,
count(nullif(status !~ '^PASS', true)) as suites_passed,
count(nullif(status !~ '^FAIL', true)) as suites_failed,
count(nullif(status !~ '^SKIP', true)) as suites_skipped,
count(nullif(status ~ '^((SKIP)|(PASS)|(FAIL))', true)) as suites_other,
min(build_start_time) as build_start_time,
build_id,
build_number
FROM (
SELECT
count(*) as total,
count(nullif(status !~ '^PASS', true)) as passed,
count(nullif(status !~ '^FAIL', true)) as failed,
count(nullif(status !~ '^SKIP', true)) as skipped,
count(nullif(status ~ '^((SKIP)|(PASS)|(FAIL))', true)) as other,
min(status) as status,
min(test_run_start_time) as build_start_time,
build_id,
build_number
FROM (
SELECT DISTINCT ON (test_case.id, build_number)
test_case.suite_id,
test_result.test_id,
test_result.status,
test_run_times.start_time as test_run_start_time,
CASE WHEN build_id IS NULL THEN build_number::text ELSE build_id END as build_id,
build_number
FROM test_result
JOIN test_case ON test_case.id=test_result.test_id
JOIN test_run ON test_run.id=test_result.test_run_id
JOIN (
SELECT min(start_time) as start_time, test_run_id
FROM suite_result
WHERE test_run_id IN ({test_run_ids})
GROUP BY test_run_id
) AS test_run_times ON test_run_times.test_run_id=test_result.test_run_id
JOIN test_series_mapping as tsm ON test_run.id=tsm.test_run_id
AND tsm.series={series}
WHERE NOT test_run.ignored
AND test_run.id IN ({test_run_ids})
ORDER BY test_case.id, build_number, test_result.start_time DESC, test_result.test_run_id DESC
) AS status_per_test
GROUP BY suite_id, build_number, build_id
) AS status_per_suite
GROUP BY build_number, build_id
ORDER BY build_number DESC
""".format(series=int(series), # nosec
test_run_ids=test_run_ids(series, start_from=start_from, last=last, offset=offset))
def history_page_data(series, start_from, last, offset=0):
return """
SELECT build_number,
suite_id,
suite_name,
suite_full_name,
suite_repository,
id,
name,
full_name,
test_run_id,
status,
start_time,
elapsed,
tags,
failure_log_level,
failure_message,
failure_timestamp
FROM (
SELECT DISTINCT ON (suite.id, test_results.id, build_number)
tsm.build_number,
suite.id as suite_id, suite.name as suite_name, suite.full_name as suite_full_name,
suite.repository as suite_repository,
suite_result.test_run_id as suite_test_run_id,
suite_result.start_time as suite_start_time,
test_results.id as id, test_results.name as name, test_results.full_name as full_name,
test_results._test_run_id as test_run_id,
test_results.status as status,
-- test_results.setup_status as setup_status,
-- test_results.execution_status as execution_status,
-- test_results.teardown_status as teardown_status,
-- test_results.fingerprint as fingerprint,
-- test_results.setup_fingerprint as setup_fingerprint,
-- test_results.execution_fingerprint as execution_fingerprint,
-- test_results.teardown_fingerprint as teardown_fingerprint,
test_results.start_time as start_time,
test_results.elapsed as elapsed,
-- test_results.setup_elapsed as setup_elapsed,
-- test_results.execution_elapsed as execution_elapsed,
-- test_results.teardown_elapsed as teardown_elapsed,
CASE WHEN tags IS NULL THEN '{array_literal}' ELSE tags END as tags,
log_messages.log_level as failure_log_level,
log_messages.message as failure_message,
log_messages.timestamp as failure_timestamp
FROM suite_result
JOIN suite ON suite.id=suite_result.suite_id
JOIN test_run ON test_run.id=suite_result.test_run_id
JOIN test_series_mapping as tsm ON test_run.id=tsm.test_run_id
AND tsm.series={series}
LEFT OUTER JOIN (
SELECT DISTINCT ON (test_case.id, build_number) *, test_result.test_run_id as _test_run_id
FROM test_result
JOIN test_case ON test_case.id=test_result.test_id
JOIN test_series_mapping as tsm ON test_result.test_run_id=tsm.test_run_id
AND tsm.series={series}
WHERE test_result.test_run_id IN ({test_run_ids})
ORDER BY test_case.id, build_number DESC, start_time DESC, test_result.test_run_id DESC
) as test_results ON test_results.suite_id=suite.id
AND test_results.build_number=tsm.build_number
LEFT OUTER JOIN (
SELECT array_agg(tag ORDER BY tag) as tags, test_id, test_run_id
FROM test_tag
WHERE test_run_id IN ({test_run_ids})
GROUP BY test_id, test_run_id
) as test_tags ON test_tags.test_id=test_results.test_id
AND test_tags.test_run_id=test_results._test_run_id
LEFT OUTER JOIN (
SELECT DISTINCT ON (test_run_id, test_id)
test_run_id, test_id, log_level, message, timestamp
FROM log_message
WHERE test_run_id IN ({test_run_ids})
AND test_id IS NOT NULL
AND log_level IN ('ERROR', 'FAIL')
ORDER BY test_run_id, test_id, timestamp DESC, id DESC
) as log_messages ON log_messages.test_id=test_results.test_id
AND log_messages.test_run_id=test_results._test_run_id
WHERE suite_result.test_run_id IN ({test_run_ids})
AND NOT ignored
ORDER BY suite_id, test_results.id, build_number DESC, suite_start_time DESC, suite_test_run_id DESC
) AS results
ORDER BY suite_full_name, full_name, build_number DESC;
""".format(array_literal='{}', # nosec
series=int(series),
test_run_ids=test_run_ids(series, start_from=start_from, last=last, offset=offset))
def simple_build_results_data(series, build_number):
return """
SELECT suite_id,
suite_name,
suite_full_name,
suite_repository,
id,
name,
full_name,
test_run_id,
status,
setup_status,
execution_status,
teardown_status,
start_time,
fingerprint,
setup_fingerprint,
execution_fingerprint,
teardown_fingerprint,
elapsed,
setup_elapsed,
execution_elapsed,
teardown_elapsed
FROM (
SELECT DISTINCT ON (suite.id, test_results.id)
suite.id as suite_id, suite.name as suite_name, suite.full_name as suite_full_name,
suite.repository as suite_repository,
suite_result.test_run_id as suite_test_run_id,
suite_result.start_time as suite_start_time,
test_results.id as id, test_results.name as name, test_results.full_name as full_name,
test_results._test_run_id as test_run_id,
test_results.status as status,
test_results.setup_status as setup_status,
test_results.execution_status as execution_status,
test_results.teardown_status as teardown_status,
test_results.start_time as start_time,
test_results.fingerprint as fingerprint,
test_results.setup_fingerprint as setup_fingerprint,
test_results.execution_fingerprint as execution_fingerprint,
test_results.teardown_fingerprint as teardown_fingerprint,
test_results.elapsed as elapsed,
test_results.setup_elapsed as setup_elapsed,
test_results.execution_elapsed as execution_elapsed,
test_results.teardown_elapsed as teardown_elapsed
FROM suite_result
JOIN suite ON suite.id=suite_result.suite_id
JOIN test_run ON test_run.id=suite_result.test_run_id
LEFT OUTER JOIN (
SELECT DISTINCT ON (test_case.id) *, test_result.test_run_id as _test_run_id
FROM test_result
JOIN test_case ON test_case.id=test_result.test_id
WHERE test_result.test_run_id IN ({test_run_ids})
ORDER BY test_case.id, start_time DESC, test_result.test_run_id DESC
) as test_results ON test_results.suite_id=suite.id
WHERE suite_result.test_run_id IN ({test_run_ids})
AND NOT ignored
ORDER BY suite_id, test_results.id, suite_start_time DESC, suite_test_run_id DESC
) AS results
ORDER BY suite_full_name, full_name;
""".format(test_run_ids=test_run_ids(series, build_num=build_number)) # nosec
def suite_result(series, build_number, suite):
return """
SELECT *
FROM (
SELECT DISTINCT ON (suite.id, test_results.id)
suite.id as suite_id, suite.name as suite_name, suite.full_name as suite_full_name,
suite.repository as suite_repository,
suite_result.test_run_id as suite_test_run_id,
suite_result.start_time as suite_start_time,
test_results.id as id, test_results.name as name, test_results.full_name as full_name,
test_results._test_run_id as test_run_id,
test_results.status as status,
test_results.setup_status as setup_status,
test_results.execution_status as execution_status,
test_results.teardown_status as teardown_status,
test_results.fingerprint as fingerprint,
test_results.setup_fingerprint as setup_fingerprint,
test_results.execution_fingerprint as execution_fingerprint,
test_results.teardown_fingerprint as teardown_fingerprint,
test_results.start_time as start_time,
test_results.elapsed as elapsed,
test_results.setup_elapsed as setup_elapsed,
test_results.execution_elapsed as execution_elapsed,
test_results.teardown_elapsed as teardown_elapsed,
CASE WHEN tags IS NULL THEN '{array_literal}' ELSE tags END as tags,
log_messages.log_level as failure_log_level,
log_messages.message as failure_message,
log_messages.timestamp as failure_timestamp
FROM suite_result
JOIN suite ON suite.id=suite_result.suite_id
JOIN test_run ON test_run.id=suite_result.test_run_id
JOIN test_series_mapping as tsm ON test_run.id=tsm.test_run_id
AND tsm.series={series}
LEFT OUTER JOIN (
SELECT DISTINCT ON (test_case.id) *, test_result.test_run_id as _test_run_id
FROM test_result
JOIN test_case ON test_case.id=test_result.test_id
JOIN test_series_mapping as tsm ON test_result.test_run_id=tsm.test_run_id
AND tsm.series={series}
WHERE test_result.test_run_id IN ({test_run_ids})
ORDER BY test_case.id, start_time DESC, test_result.test_run_id DESC
) as test_results ON test_results.suite_id=suite.id
LEFT OUTER JOIN (
SELECT array_agg(tag ORDER BY tag) as tags, test_id, test_run_id
FROM test_tag
WHERE test_run_id IN ({test_run_ids})
GROUP BY test_id, test_run_id
) as test_tags ON test_tags.test_id=test_results.test_id
AND test_tags.test_run_id=test_results._test_run_id
LEFT OUTER JOIN (
SELECT DISTINCT ON (test_run_id, test_id)
test_run_id, test_id, log_level, message, timestamp
FROM log_message
WHERE test_run_id IN ({test_run_ids})
AND test_id IS NOT NULL
AND log_level IN ('ERROR', 'FAIL')
ORDER BY test_run_id, test_id, timestamp DESC, id DESC
) as log_messages ON log_messages.test_id=test_results.test_id
AND log_messages.test_run_id=test_results._test_run_id
WHERE suite_result.test_run_id IN ({test_run_ids})
AND suite_result.suite_id={suite_id}
AND NOT ignored
ORDER BY suite_id, test_results.id, suite_start_time DESC, suite_test_run_id DESC
) AS results
ORDER BY suite_full_name, full_name;
""".format(array_literal='{}', # nosec
series=int(series),
suite_id=int(suite),
test_run_ids=test_run_ids(series, build_num=build_number))
def log_messages(test_run_id, suite_id=None, test_id=None):
return """
SELECT *
FROM log_message
WHERE test_run_id={test_run_id}
AND {test_filter}
{suite_filter}
ORDER BY timestamp, id
""".format(test_run_id=int(test_run_id), # nosec
suite_filter="AND suite_id={}".format(int(suite_id)) if suite_id else '',
test_filter="test_id={}".format(int(test_id)) if test_id else 'test_id IS NULL')
def most_stable_tests(series, start_from, last, offset, limit, limit_offset, stable):
return """
SELECT suite_id, suite_name, suite_full_name,
test_id, test_name, test_full_name,
count(nullif(status !~ '^FAIL', true)) as fails_in_window,
sum(failiness) as instability
FROM (
SELECT *,
CASE WHEN status = 'FAIL'
THEN 1.0/sqrt(ROW_NUMBER() OVER (PARTITION BY test_id ORDER BY build_number DESC))
ELSE 0
END as failiness
FROM (
SELECT DISTINCT ON (test_case.id, build_number)
suite.id as suite_id,
suite.name as suite_name,
suite.full_name as suite_full_name,
test_case.id as test_id,
test_case.name as test_name,
test_case.full_name as test_full_name,
test_result.status,
build_number
FROM test_result
JOIN test_case ON test_case.id=test_result.test_id
JOIN suite ON suite.id=test_case.suite_id
JOIN test_run ON test_run.id=test_result.test_run_id
JOIN test_series_mapping as tsm ON test_run.id=tsm.test_run_id
AND tsm.series={series}
WHERE NOT test_run.ignored
AND test_run.id IN ({test_run_ids})
ORDER BY test_case.id, build_number, test_result.start_time DESC, test_result.test_run_id DESC
) AS last_results
) AS failiness_contributions
GROUP BY suite_id, suite_name, suite_full_name, test_id, test_name, test_full_name
ORDER BY instability {order}
LIMIT {limit} OFFSET {limit_offset};
""".format(series=int(series), # nosec
test_run_ids=test_run_ids(series, start_from=start_from, last=last, offset=offset),
limit=int(limit),
limit_offset=int(limit_offset),
order="ASC" if stable else "DESC")
def keyword_analysis(series, build_number):
return """
WITH total_elapsed AS (
SELECT sum(top_suite_elapsed) as total
FROM (
SELECT max(elapsed) as top_suite_elapsed
FROM suite_result
WHERE test_run_id IN ({test_run_ids})
GROUP BY test_run_id
) AS foo
)
SELECT tree.library, tree.keyword,
sum(cumulative_execution_time)::real/total_elapsed.total*100 as percent,
min(min_execution_time) as min,
sum(cumulative_execution_time)/sum(calls) as avg,
max(max_execution_time) as max,
sum(cumulative_execution_time) as total,
sum(calls) as calls,
count(*) versions,
max(max_call_depth) as max_call_depth
FROM keyword_statistics as stat
JOIN keyword_tree as tree ON tree.fingerprint=stat.fingerprint
CROSS JOIN total_elapsed
WHERE test_run_id IN ({test_run_ids})
GROUP BY tree.library, tree.keyword, total_elapsed.total
ORDER BY total DESC
""".format(test_run_ids=test_run_ids(series, build_num=build_number))
|
limit_statement = 'LIMIT {last} OFFSET {offset}'
subtrees = '\nSELECT keyword_tree.fingerprint, keyword, library, status, arguments, call_index\nFROM keyword_tree\nJOIN tree_hierarchy ON tree_hierarchy.subtree=keyword_tree.fingerprint\nWHERE tree_hierarchy.fingerprint=%(fingerprint)s\nORDER BY call_index::int;\n'
team_names = 'SELECT DISTINCT team FROM test_series ORDER BY team'
def test_series(by_teams=False, series=None, team=None):
return '\nWITH last_builds as (\n SELECT series,\n max(build_number) as build_number,\n count(*) as build_count\n FROM test_series_mapping\n {series_filter}\n GROUP BY series\n)\nSELECT id, name, team, build_count as builds,\n build_number as last_build,\n CASE WHEN build_id IS NULL THEN build_number::text ELSE build_id END as last_build_id,\n min(generated) as last_generated,\n min(imported_at) as last_imported,\n min(status) as last_status,\n min(start_time) as last_started,\n CASE WHEN min(start_time) IS NOT NULL THEN min(start_time) ELSE min(imported_at) END as sorting_value\nFROM (\n SELECT DISTINCT ON (tsm.series, test_id)\n tsm.series, build_count, tsm.build_number, build_id,\n generated, imported_at,\n test_result.status\n FROM last_builds\n JOIN test_series_mapping as tsm ON last_builds.series=tsm.series\n AND last_builds.build_number=tsm.build_number\n JOIN test_result ON tsm.test_run_id=test_result.test_run_id\n JOIN test_run ON test_run.id=tsm.test_run_id\n WHERE NOT test_run.ignored\n ORDER BY tsm.series, test_id, start_time DESC, test_result.test_run_id DESC\n) AS final_test_results\nJOIN test_series ON test_series.id=final_test_results.series\nJOIN (\n SELECT tsm.series, min(start_time) as start_time\n FROM last_builds\n JOIN test_series_mapping as tsm ON last_builds.series=tsm.series\n AND last_builds.build_number=tsm.build_number\n JOIN suite_result ON tsm.test_run_id=suite_result.test_run_id\n GROUP BY tsm.series\n) AS last_build_start_times ON test_series.id=last_build_start_times.series\n{team_filter}\nGROUP BY id, name, team, build_count, build_number, build_id\nORDER BY {team_sorting} sorting_value\n'.format(team_sorting='team,' if by_teams else '', series_filter='WHERE series={}'.format(int(series)) if series else '', team_filter='WHERE team=%(team)s' if team else '')
def test_run_ids(series=None, build_num=None, start_from=None, last=None, offset=0):
filters = []
if series:
filters.append('series={series_id}'.format(series_id=int(series)))
if build_num:
filters.append('build_number={}'.format(int(build_num)))
elif last:
filters.append('build_number IN ({})'.format(build_numbers(series, start_from, last, offset)))
return '\nSELECT test_run_id\nFROM test_series_mapping as tsm\nJOIN test_run ON test_run.id=tsm.test_run_id\nWHERE NOT ignored\n{filters}\nORDER BY build_number, test_run_id\n'.format(filters='AND ' + ' AND '.join(filters) if filters else '')
def build_numbers(series, start_from=None, last=None, offset=0):
return '\nSELECT build_number\nFROM (\n SELECT DISTINCT build_number\n FROM test_series_mapping as tsm\n JOIN test_run ON test_run.id=tsm.test_run_id\n WHERE series={series}\n {starting_filter}\n AND NOT ignored\n) as build_numbers\nORDER BY build_number DESC\n{limit}\n'.format(series=int(series), limit=LIMIT_STATEMENT.format(last=int(last), offset=int(offset)) if last else '', starting_filter='AND build_number <= {}'.format(int(start_from)) if start_from else '')
def builds(series, build_number=None, start_from=None, last=None, offset=0, reverse=False):
if build_number:
build_filter = 'AND build_number={}'.format(int(build_number))
elif start_from or last:
build_filter = 'AND build_number IN ({})'.format(build_numbers(series, start_from, last, offset))
else:
build_filter = ''
return '\nSELECT team, name,\n build_number,\n CASE WHEN build_id IS NULL THEN build_number::text ELSE build_id END as build_id,\n array_agg(test_run_id) as test_runs,\n min(status) as status,\n min(imported_at) as archiving_time,\n min(generated) as generation_time,\n min(start_time) as start_time\nFROM (\n SELECT team, name,\n build_number, build_id,\n test_run.id as test_run_id,\n min(test_run.imported_at) as imported_at,\n min(test_run.generated) as generated,\n -- Status can be aggregated by min because of FAIL, PASS, SKIP are in alphabetical order\n min(test_statuses.status) as status,\n -- The starting timestamp is from the suite timestamps\n min(suite_result.start_time) as start_time\n FROM test_series_mapping as tsm\n JOIN test_series ON test_series.id=tsm.series\n JOIN test_run ON test_run.id=tsm.test_run_id\n JOIN suite_result ON suite_result.test_run_id=test_run.id\n JOIN (\n SELECT DISTINCT ON (build_id, test_id)\n test_result.test_run_id, status\n FROM test_result\n JOIN test_series_mapping as tsm ON tsm.test_run_id=test_result.test_run_id\n WHERE tsm.series={series}\n ORDER BY build_id, test_id, start_time DESC, test_result.test_run_id DESC\n ) AS test_statuses ON tsm.test_run_id=test_statuses.test_run_id\n WHERE tsm.series={series} and NOT test_run.ignored\n {build_filter}\n GROUP BY team, name, build_number, build_id, test_run.id\n ORDER BY build_number, test_run.id\n) AS test_runs\nGROUP BY team, name, build_number, build_id\nORDER BY build_number {order};\n'.format(series=int(series), build_filter=build_filter, order='ASC' if reverse else 'DESC')
def suite_result_info(series, build_num, suite):
return '\nSELECT array_agg(test_result.test_run_id ORDER BY test_result.start_time DESC) as test_runs,\n array_agg(test_result.status ORDER BY test_result.start_time DESC) as statuses,\n suite.id as suite_id,\n suite.name as suite_name,\n suite.full_name as suite_full_name,\n suite.repository as suite_repository,\n test_case.id as id,\n test_case.name as name,\n test_case.full_name as full_name\nFROM suite_result\nJOIN suite ON suite_result.suite_id=suite.id\nJOIN test_case ON test_case.suite_id=suite.id\nJOIN test_result ON test_result.test_id=test_case.id\n AND test_result.test_run_id=suite_result.test_run_id\nWHERE suite_result.suite_id={suite_id}\n AND test_result.test_run_id IN ({test_run_ids})\nGROUP BY suite.id, suite.name, suite.full_name,\n test_case.id, test_case.name, test_case.full_name\nORDER BY test_case.name;\n'.format(test_run_ids=test_run_ids(series, build_num), suite_id=int(suite))
def build_metadata(series, build_num):
return '\nSELECT DISTINCT ON (suite_metadata.name, suite_metadata.value)\n suite_metadata.name as metadata_name,\n suite_metadata.value as metadata_value,\n suite_metadata.suite_id,\n suite_metadata.test_run_id\nFROM suite_metadata\nJOIN suite ON suite.id=suite_metadata.suite_id\nWHERE test_run_id IN ({test_run_ids})\nORDER BY suite_metadata.name, suite_metadata.value, suite.full_name\n'.format(test_run_ids=test_run_ids(series, build_num=build_num))
def status_counts(series, start_from, last, offset=0):
return "\nSELECT sum(total)::int as tests_total,\n sum(passed)::int as tests_passed,\n sum(failed)::int as tests_failed,\n sum(skipped)::int as tests_skipped,\n sum(other)::int as tests_other,\n count(*) as suites_total,\n count(nullif(status !~ '^PASS', true)) as suites_passed,\n count(nullif(status !~ '^FAIL', true)) as suites_failed,\n count(nullif(status !~ '^SKIP', true)) as suites_skipped,\n count(nullif(status ~ '^((SKIP)|(PASS)|(FAIL))', true)) as suites_other,\n min(build_start_time) as build_start_time,\n build_id,\n build_number\nFROM (\n SELECT\n count(*) as total,\n count(nullif(status !~ '^PASS', true)) as passed,\n count(nullif(status !~ '^FAIL', true)) as failed,\n count(nullif(status !~ '^SKIP', true)) as skipped,\n count(nullif(status ~ '^((SKIP)|(PASS)|(FAIL))', true)) as other,\n min(status) as status,\n min(test_run_start_time) as build_start_time,\n build_id,\n build_number\n FROM (\n SELECT DISTINCT ON (test_case.id, build_number)\n test_case.suite_id,\n test_result.test_id,\n test_result.status,\n test_run_times.start_time as test_run_start_time,\n CASE WHEN build_id IS NULL THEN build_number::text ELSE build_id END as build_id,\n build_number\n FROM test_result\n JOIN test_case ON test_case.id=test_result.test_id\n JOIN test_run ON test_run.id=test_result.test_run_id\n JOIN (\n SELECT min(start_time) as start_time, test_run_id\n FROM suite_result\n WHERE test_run_id IN ({test_run_ids})\n GROUP BY test_run_id\n ) AS test_run_times ON test_run_times.test_run_id=test_result.test_run_id\n JOIN test_series_mapping as tsm ON test_run.id=tsm.test_run_id\n AND tsm.series={series}\n WHERE NOT test_run.ignored\n AND test_run.id IN ({test_run_ids})\n ORDER BY test_case.id, build_number, test_result.start_time DESC, test_result.test_run_id DESC\n ) AS status_per_test\n GROUP BY suite_id, build_number, build_id\n) AS status_per_suite\nGROUP BY build_number, build_id\nORDER BY build_number DESC\n".format(series=int(series), test_run_ids=test_run_ids(series, start_from=start_from, last=last, offset=offset))
def history_page_data(series, start_from, last, offset=0):
return "\nSELECT build_number,\n suite_id,\n suite_name,\n suite_full_name,\n suite_repository,\n id,\n name,\n full_name,\n test_run_id,\n status,\n start_time,\n elapsed,\n tags,\n failure_log_level,\n failure_message,\n failure_timestamp\nFROM (\n SELECT DISTINCT ON (suite.id, test_results.id, build_number)\n tsm.build_number,\n suite.id as suite_id, suite.name as suite_name, suite.full_name as suite_full_name,\n suite.repository as suite_repository,\n suite_result.test_run_id as suite_test_run_id,\n suite_result.start_time as suite_start_time,\n\n test_results.id as id, test_results.name as name, test_results.full_name as full_name,\n test_results._test_run_id as test_run_id,\n test_results.status as status,\n -- test_results.setup_status as setup_status,\n -- test_results.execution_status as execution_status,\n -- test_results.teardown_status as teardown_status,\n -- test_results.fingerprint as fingerprint,\n -- test_results.setup_fingerprint as setup_fingerprint,\n -- test_results.execution_fingerprint as execution_fingerprint,\n -- test_results.teardown_fingerprint as teardown_fingerprint,\n test_results.start_time as start_time,\n test_results.elapsed as elapsed,\n -- test_results.setup_elapsed as setup_elapsed,\n -- test_results.execution_elapsed as execution_elapsed,\n -- test_results.teardown_elapsed as teardown_elapsed,\n CASE WHEN tags IS NULL THEN '{array_literal}' ELSE tags END as tags,\n log_messages.log_level as failure_log_level,\n log_messages.message as failure_message,\n log_messages.timestamp as failure_timestamp\n FROM suite_result\n JOIN suite ON suite.id=suite_result.suite_id\n JOIN test_run ON test_run.id=suite_result.test_run_id\n JOIN test_series_mapping as tsm ON test_run.id=tsm.test_run_id\n AND tsm.series={series}\n LEFT OUTER JOIN (\n SELECT DISTINCT ON (test_case.id, build_number) *, test_result.test_run_id as _test_run_id\n FROM test_result\n JOIN test_case ON test_case.id=test_result.test_id\n JOIN test_series_mapping as tsm ON test_result.test_run_id=tsm.test_run_id\n AND tsm.series={series}\n WHERE test_result.test_run_id IN ({test_run_ids})\n ORDER BY test_case.id, build_number DESC, start_time DESC, test_result.test_run_id DESC\n ) as test_results ON test_results.suite_id=suite.id\n AND test_results.build_number=tsm.build_number\n LEFT OUTER JOIN (\n SELECT array_agg(tag ORDER BY tag) as tags, test_id, test_run_id\n FROM test_tag\n WHERE test_run_id IN ({test_run_ids})\n GROUP BY test_id, test_run_id\n ) as test_tags ON test_tags.test_id=test_results.test_id\n AND test_tags.test_run_id=test_results._test_run_id\n LEFT OUTER JOIN (\n SELECT DISTINCT ON (test_run_id, test_id)\n test_run_id, test_id, log_level, message, timestamp\n FROM log_message\n WHERE test_run_id IN ({test_run_ids})\n AND test_id IS NOT NULL\n AND log_level IN ('ERROR', 'FAIL')\n ORDER BY test_run_id, test_id, timestamp DESC, id DESC\n ) as log_messages ON log_messages.test_id=test_results.test_id\n AND log_messages.test_run_id=test_results._test_run_id\n WHERE suite_result.test_run_id IN ({test_run_ids})\n AND NOT ignored\n ORDER BY suite_id, test_results.id, build_number DESC, suite_start_time DESC, suite_test_run_id DESC\n) AS results\nORDER BY suite_full_name, full_name, build_number DESC;\n".format(array_literal='{}', series=int(series), test_run_ids=test_run_ids(series, start_from=start_from, last=last, offset=offset))
def simple_build_results_data(series, build_number):
return '\nSELECT suite_id,\n suite_name,\n suite_full_name,\n suite_repository,\n id,\n name,\n full_name,\n test_run_id,\n status,\n setup_status,\n execution_status,\n teardown_status,\n start_time,\n fingerprint,\n setup_fingerprint,\n execution_fingerprint,\n teardown_fingerprint,\n elapsed,\n setup_elapsed,\n execution_elapsed,\n teardown_elapsed\nFROM (\n SELECT DISTINCT ON (suite.id, test_results.id)\n suite.id as suite_id, suite.name as suite_name, suite.full_name as suite_full_name,\n suite.repository as suite_repository,\n suite_result.test_run_id as suite_test_run_id,\n suite_result.start_time as suite_start_time,\n\n test_results.id as id, test_results.name as name, test_results.full_name as full_name,\n test_results._test_run_id as test_run_id,\n test_results.status as status,\n test_results.setup_status as setup_status,\n test_results.execution_status as execution_status,\n test_results.teardown_status as teardown_status,\n test_results.start_time as start_time,\n test_results.fingerprint as fingerprint,\n test_results.setup_fingerprint as setup_fingerprint,\n test_results.execution_fingerprint as execution_fingerprint,\n test_results.teardown_fingerprint as teardown_fingerprint,\n test_results.elapsed as elapsed,\n test_results.setup_elapsed as setup_elapsed,\n test_results.execution_elapsed as execution_elapsed,\n test_results.teardown_elapsed as teardown_elapsed\n FROM suite_result\n JOIN suite ON suite.id=suite_result.suite_id\n JOIN test_run ON test_run.id=suite_result.test_run_id\n LEFT OUTER JOIN (\n SELECT DISTINCT ON (test_case.id) *, test_result.test_run_id as _test_run_id\n FROM test_result\n JOIN test_case ON test_case.id=test_result.test_id\n WHERE test_result.test_run_id IN ({test_run_ids})\n ORDER BY test_case.id, start_time DESC, test_result.test_run_id DESC\n ) as test_results ON test_results.suite_id=suite.id\n WHERE suite_result.test_run_id IN ({test_run_ids})\n AND NOT ignored\n ORDER BY suite_id, test_results.id, suite_start_time DESC, suite_test_run_id DESC\n) AS results\nORDER BY suite_full_name, full_name;\n'.format(test_run_ids=test_run_ids(series, build_num=build_number))
def suite_result(series, build_number, suite):
return "\nSELECT *\nFROM (\n SELECT DISTINCT ON (suite.id, test_results.id)\n suite.id as suite_id, suite.name as suite_name, suite.full_name as suite_full_name,\n suite.repository as suite_repository,\n suite_result.test_run_id as suite_test_run_id,\n suite_result.start_time as suite_start_time,\n\n test_results.id as id, test_results.name as name, test_results.full_name as full_name,\n test_results._test_run_id as test_run_id,\n test_results.status as status,\n test_results.setup_status as setup_status,\n test_results.execution_status as execution_status,\n test_results.teardown_status as teardown_status,\n test_results.fingerprint as fingerprint,\n test_results.setup_fingerprint as setup_fingerprint,\n test_results.execution_fingerprint as execution_fingerprint,\n test_results.teardown_fingerprint as teardown_fingerprint,\n test_results.start_time as start_time,\n test_results.elapsed as elapsed,\n test_results.setup_elapsed as setup_elapsed,\n test_results.execution_elapsed as execution_elapsed,\n test_results.teardown_elapsed as teardown_elapsed,\n CASE WHEN tags IS NULL THEN '{array_literal}' ELSE tags END as tags,\n log_messages.log_level as failure_log_level,\n log_messages.message as failure_message,\n log_messages.timestamp as failure_timestamp\n FROM suite_result\n JOIN suite ON suite.id=suite_result.suite_id\n JOIN test_run ON test_run.id=suite_result.test_run_id\n JOIN test_series_mapping as tsm ON test_run.id=tsm.test_run_id\n AND tsm.series={series}\n LEFT OUTER JOIN (\n SELECT DISTINCT ON (test_case.id) *, test_result.test_run_id as _test_run_id\n FROM test_result\n JOIN test_case ON test_case.id=test_result.test_id\n JOIN test_series_mapping as tsm ON test_result.test_run_id=tsm.test_run_id\n AND tsm.series={series}\n WHERE test_result.test_run_id IN ({test_run_ids})\n ORDER BY test_case.id, start_time DESC, test_result.test_run_id DESC\n ) as test_results ON test_results.suite_id=suite.id\n LEFT OUTER JOIN (\n SELECT array_agg(tag ORDER BY tag) as tags, test_id, test_run_id\n FROM test_tag\n WHERE test_run_id IN ({test_run_ids})\n GROUP BY test_id, test_run_id\n ) as test_tags ON test_tags.test_id=test_results.test_id\n AND test_tags.test_run_id=test_results._test_run_id\n LEFT OUTER JOIN (\n SELECT DISTINCT ON (test_run_id, test_id)\n test_run_id, test_id, log_level, message, timestamp\n FROM log_message\n WHERE test_run_id IN ({test_run_ids})\n AND test_id IS NOT NULL\n AND log_level IN ('ERROR', 'FAIL')\n ORDER BY test_run_id, test_id, timestamp DESC, id DESC\n ) as log_messages ON log_messages.test_id=test_results.test_id\n AND log_messages.test_run_id=test_results._test_run_id\n WHERE suite_result.test_run_id IN ({test_run_ids})\n AND suite_result.suite_id={suite_id}\n AND NOT ignored\n ORDER BY suite_id, test_results.id, suite_start_time DESC, suite_test_run_id DESC\n) AS results\nORDER BY suite_full_name, full_name;\n".format(array_literal='{}', series=int(series), suite_id=int(suite), test_run_ids=test_run_ids(series, build_num=build_number))
def log_messages(test_run_id, suite_id=None, test_id=None):
return '\nSELECT *\nFROM log_message\nWHERE test_run_id={test_run_id}\n AND {test_filter}\n {suite_filter}\nORDER BY timestamp, id\n'.format(test_run_id=int(test_run_id), suite_filter='AND suite_id={}'.format(int(suite_id)) if suite_id else '', test_filter='test_id={}'.format(int(test_id)) if test_id else 'test_id IS NULL')
def most_stable_tests(series, start_from, last, offset, limit, limit_offset, stable):
return "\nSELECT suite_id, suite_name, suite_full_name,\n test_id, test_name, test_full_name,\n count(nullif(status !~ '^FAIL', true)) as fails_in_window,\n sum(failiness) as instability\nFROM (\n SELECT *,\n CASE WHEN status = 'FAIL'\n THEN 1.0/sqrt(ROW_NUMBER() OVER (PARTITION BY test_id ORDER BY build_number DESC))\n ELSE 0\n END as failiness\n\n FROM (\n SELECT DISTINCT ON (test_case.id, build_number)\n suite.id as suite_id,\n suite.name as suite_name,\n suite.full_name as suite_full_name,\n test_case.id as test_id,\n test_case.name as test_name,\n test_case.full_name as test_full_name,\n test_result.status,\n build_number\n FROM test_result\n JOIN test_case ON test_case.id=test_result.test_id\n JOIN suite ON suite.id=test_case.suite_id\n JOIN test_run ON test_run.id=test_result.test_run_id\n JOIN test_series_mapping as tsm ON test_run.id=tsm.test_run_id\n AND tsm.series={series}\n WHERE NOT test_run.ignored\n AND test_run.id IN ({test_run_ids})\n ORDER BY test_case.id, build_number, test_result.start_time DESC, test_result.test_run_id DESC\n ) AS last_results\n) AS failiness_contributions\nGROUP BY suite_id, suite_name, suite_full_name, test_id, test_name, test_full_name\nORDER BY instability {order}\nLIMIT {limit} OFFSET {limit_offset};\n".format(series=int(series), test_run_ids=test_run_ids(series, start_from=start_from, last=last, offset=offset), limit=int(limit), limit_offset=int(limit_offset), order='ASC' if stable else 'DESC')
def keyword_analysis(series, build_number):
return '\nWITH total_elapsed AS (\n SELECT sum(top_suite_elapsed) as total\n FROM (\n SELECT max(elapsed) as top_suite_elapsed\n FROM suite_result\n WHERE test_run_id IN ({test_run_ids})\n GROUP BY test_run_id\n ) AS foo\n)\nSELECT tree.library, tree.keyword,\n sum(cumulative_execution_time)::real/total_elapsed.total*100 as percent,\n min(min_execution_time) as min,\n sum(cumulative_execution_time)/sum(calls) as avg,\n max(max_execution_time) as max,\n sum(cumulative_execution_time) as total,\n sum(calls) as calls,\n count(*) versions,\n max(max_call_depth) as max_call_depth\nFROM keyword_statistics as stat\nJOIN keyword_tree as tree ON tree.fingerprint=stat.fingerprint\nCROSS JOIN total_elapsed\nWHERE test_run_id IN ({test_run_ids})\nGROUP BY tree.library, tree.keyword, total_elapsed.total\nORDER BY total DESC\n'.format(test_run_ids=test_run_ids(series, build_num=build_number))
|
n = int(input())
space = n-1
for i in range(n):
for k in range(space):
print(" ",end="")
for j in range(i+1):
print("* ",end="")
print()
space -= 1
|
n = int(input())
space = n - 1
for i in range(n):
for k in range(space):
print(' ', end='')
for j in range(i + 1):
print('* ', end='')
print()
space -= 1
|
type = 'MMDetector'
config = '/home/linkinpark213/Source/mmdetection/configs/faster_rcnn/faster_rcnn_x101_64x4d_fpn_1x_coco.py'
checkpoint = 'https://open-mmlab.s3.ap-northeast-2.amazonaws.com/mmdetection/v2.0/faster_rcnn/faster_rcnn_x101_64x4d_fpn_1x_coco/faster_rcnn_x101_64x4d_fpn_1x_coco_20200204-833ee192.pth'
conf_threshold = 0.5
|
type = 'MMDetector'
config = '/home/linkinpark213/Source/mmdetection/configs/faster_rcnn/faster_rcnn_x101_64x4d_fpn_1x_coco.py'
checkpoint = 'https://open-mmlab.s3.ap-northeast-2.amazonaws.com/mmdetection/v2.0/faster_rcnn/faster_rcnn_x101_64x4d_fpn_1x_coco/faster_rcnn_x101_64x4d_fpn_1x_coco_20200204-833ee192.pth'
conf_threshold = 0.5
|
def add_voxelizer_parameters(parser):
parser.add_argument(
"--voxelizer_factory",
choices=[
"occupancy_grid",
"tsdf_grid",
"image"
],
default="occupancy_grid",
help="The voxelizer factory to be used (default=occupancy_grid)"
)
parser.add_argument(
"--grid_shape",
type=lambda x: tuple(map(int, x.split(","))),
default="32,32,32",
help="The dimensionality of the voxel grid (default=(32, 32, 32)"
)
parser.add_argument(
"--save_voxels_to",
default=None,
help="Path to save the voxelised input to the network"
)
parser.add_argument(
"--image_shape",
type=lambda x: tuple(map(int, x.split(","))),
default="3,137,137",
help="The dimensionality of the voxel grid (default=(3,137,137)"
)
def add_training_parameters(parser):
"""Add arguments to a parser that are related with the training of the
network.
"""
parser.add_argument(
"--epochs",
type=int,
default=150,
help="Number of times to iterate over the dataset (default=150)"
)
parser.add_argument(
"--steps_per_epoch",
type=int,
default=500,
help=("Total number of steps (batches of samples) before declaring one"
" epoch finished and starting the next epoch (default=500)")
)
parser.add_argument(
"--batch_size",
type=int,
default=32,
help="Number of samples in a batch (default=32)"
)
parser.add_argument(
"--lr",
type=float,
default=1e-3,
help="Learning rate (default 1e-3)"
)
parser.add_argument(
"--lr_epochs",
type=lambda x: map(int, x.split(",")),
default="500,1000,1500",
help="Training epochs with diminishing learning rate"
)
parser.add_argument(
"--lr_factor",
type=float,
default=1.0,
help=("Factor according to which the learning rate will be diminished"
" (default=None)")
)
parser.add_argument(
"--optimizer",
choices=["Adam", "SGD"],
default="Adam",
help="The optimizer to be used (default=Adam)"
)
parser.add_argument(
"--momentum",
type=float,
default=0.9,
help=("Parameter used to update momentum in case of SGD optimizer"
" (default=0.9)")
)
def add_dataset_parameters(parser):
parser.add_argument(
"--dataset_type",
default="shapenet_quad",
choices=[
"shapenet_quad",
"shapenet_v1",
"shapenet_v2",
"surreal_bodies",
"dynamic_faust"
],
help="The type of the dataset type to be used"
)
parser.add_argument(
"--n_points_from_mesh",
type=int,
default=1000,
help="The maximum number of points sampled from mesh (default=1000)"
)
parser.add_argument(
"--model_tags",
type=lambda x: x.split(":"),
default=[],
help="The tags to the model to be used for testing",
)
def add_nn_parameters(parser):
"""Add arguments to control the design of the neural network architecture.
"""
parser.add_argument(
"--architecture",
choices=["tulsiani", "octnet", "resnet18"],
default="tulsiani",
help="Choose the architecture to train"
)
parser.add_argument(
"--train_with_bernoulli",
action="store_true",
help="Learn the Bernoulli priors during training"
)
parser.add_argument(
"--make_dense",
action="store_true",
help="When true use an additional FC before its regressor"
)
def add_regularizer_parameters(parser):
parser.add_argument(
"--regularizer_type",
choices=[
"bernoulli_regularizer",
"entropy_bernoulli_regularizer",
"parsimony_regularizer",
"overlapping_regularizer",
"sparsity_regularizer"
],
nargs="+",
default=[],
help=("The type of the regularizer on the shapes to be used"
" (default=None)")
)
parser.add_argument(
"--bernoulli_regularizer_weight",
type=float,
default=0.0,
help=("The importance of the regularization term on Bernoulli priors"
" (default=0.0)")
)
parser.add_argument(
"--maximum_number_of_primitives",
type=int,
default=5000,
help=("The maximum number of primitives in the predicted shape "
" (default=5000)")
)
parser.add_argument(
"--minimum_number_of_primitives",
type=int,
default=5,
help=("The minimum number of primitives in the predicted shape "
" (default=5)")
)
parser.add_argument(
"--entropy_bernoulli_regularizer_weight",
type=float,
default=0.0,
help=("The importance of the regularizer term on the entropy of"
" the bernoullis (default=0.0)")
)
parser.add_argument(
"--sparsity_regularizer_weight",
type=float,
default=0.0,
help="The weight on the sparsity regularizer (default=0.0)"
)
parser.add_argument(
"--parsimony_regularizer_weight",
type=float,
default=0.0,
help="The weight on the parsimony regularizer (default=0.0)"
)
parser.add_argument(
"--overlapping_regularizer_weight",
type=float,
default=0.0,
help="The weight on the overlapping regularizer (default=0.0)"
)
parser.add_argument(
"--enable_regularizer_after_epoch",
type=int,
default=0,
help="Epoch after which regularizer is enabled (default=10)"
)
parser.add_argument(
"--w1",
type=float,
default=0.005,
help="The weight on the first term of the sparsity regularizer (default=0.005)"
)
parser.add_argument(
"--w2",
type=float,
default=0.005,
help="The weight on the second term of the sparsity regularizer (default=0.005)"
)
def add_sq_mesh_sampler_parameters(parser):
parser.add_argument(
"--D_eta",
type=float,
default=0.05,
help="Step along the eta (default=0.05)"
)
parser.add_argument(
"--D_omega",
type=float,
default=0.05,
help="Step along the omega (default=0.05)"
)
parser.add_argument(
"--n_points_from_sq_mesh",
type=int,
default=180,
help="Number of points to sample from the mesh of the SQ (default=180)"
)
def add_gaussian_noise_layer_parameters(parser):
parser.add_argument(
"--add_gaussian_noise",
action="store_true",
help="Add Gaussian noise in the layers"
)
parser.add_argument(
"--mu",
type=float,
default=0.0,
help="Mean value of the Gaussian distribution"
)
parser.add_argument(
"--sigma",
type=float,
default=0.001,
help="Standard deviation of the Gaussian distribution"
)
def add_loss_parameters(parser):
parser.add_argument(
"--prim_to_pcl_loss_weight",
default=1.0,
type=float,
help=("The importance of the primitive-to-pointcloud loss in the "
"final loss (default = 1.0)")
)
parser.add_argument(
"--pcl_to_prim_loss_weight",
default=1.0,
type=float,
help=("The importance of the pointcloud-to-primitive loss in the "
"final loss (default = 1.0)")
)
def add_loss_options_parameters(parser):
parser.add_argument(
"--use_sq",
action="store_true",
help="Use Superquadrics as geometric primitives"
)
parser.add_argument(
"--use_cuboids",
action="store_true",
help="Use cuboids as geometric primitives"
)
parser.add_argument(
"--use_chamfer",
action="store_true",
help="Use the chamfer distance"
)
def voxelizer_shape(args):
if args.voxelizer_factory == "occupancy_grid":
return args.grid_shape
elif args.voxelizer_factory == "image":
return args.image_shape
elif args.voxelizer_factory == "tsdf_grid":
return (args.resolution,)*3
def get_loss_weights(args):
args = vars(args)
loss_weights = {
"pcl_to_prim_weight": args.get("pcl_to_prim_loss_weight", 1.0),
"prim_to_pcl_weight": args.get("prim_to_pcl_loss_weight", 1.0),
}
return loss_weights
def get_loss_options(args):
loss_weights = get_loss_weights(args)
args = vars(args)
# Create a dicitionary with the loss options based on the input arguments
loss_options = {
"use_sq": args.get("use_sq", False),
"use_cuboids": args.get("use_cuboids", False),
"use_chamfer": args.get("use_chamfer", False),
"loss_weights": loss_weights
}
return loss_options
|
def add_voxelizer_parameters(parser):
parser.add_argument('--voxelizer_factory', choices=['occupancy_grid', 'tsdf_grid', 'image'], default='occupancy_grid', help='The voxelizer factory to be used (default=occupancy_grid)')
parser.add_argument('--grid_shape', type=lambda x: tuple(map(int, x.split(','))), default='32,32,32', help='The dimensionality of the voxel grid (default=(32, 32, 32)')
parser.add_argument('--save_voxels_to', default=None, help='Path to save the voxelised input to the network')
parser.add_argument('--image_shape', type=lambda x: tuple(map(int, x.split(','))), default='3,137,137', help='The dimensionality of the voxel grid (default=(3,137,137)')
def add_training_parameters(parser):
"""Add arguments to a parser that are related with the training of the
network.
"""
parser.add_argument('--epochs', type=int, default=150, help='Number of times to iterate over the dataset (default=150)')
parser.add_argument('--steps_per_epoch', type=int, default=500, help='Total number of steps (batches of samples) before declaring one epoch finished and starting the next epoch (default=500)')
parser.add_argument('--batch_size', type=int, default=32, help='Number of samples in a batch (default=32)')
parser.add_argument('--lr', type=float, default=0.001, help='Learning rate (default 1e-3)')
parser.add_argument('--lr_epochs', type=lambda x: map(int, x.split(',')), default='500,1000,1500', help='Training epochs with diminishing learning rate')
parser.add_argument('--lr_factor', type=float, default=1.0, help='Factor according to which the learning rate will be diminished (default=None)')
parser.add_argument('--optimizer', choices=['Adam', 'SGD'], default='Adam', help='The optimizer to be used (default=Adam)')
parser.add_argument('--momentum', type=float, default=0.9, help='Parameter used to update momentum in case of SGD optimizer (default=0.9)')
def add_dataset_parameters(parser):
parser.add_argument('--dataset_type', default='shapenet_quad', choices=['shapenet_quad', 'shapenet_v1', 'shapenet_v2', 'surreal_bodies', 'dynamic_faust'], help='The type of the dataset type to be used')
parser.add_argument('--n_points_from_mesh', type=int, default=1000, help='The maximum number of points sampled from mesh (default=1000)')
parser.add_argument('--model_tags', type=lambda x: x.split(':'), default=[], help='The tags to the model to be used for testing')
def add_nn_parameters(parser):
"""Add arguments to control the design of the neural network architecture.
"""
parser.add_argument('--architecture', choices=['tulsiani', 'octnet', 'resnet18'], default='tulsiani', help='Choose the architecture to train')
parser.add_argument('--train_with_bernoulli', action='store_true', help='Learn the Bernoulli priors during training')
parser.add_argument('--make_dense', action='store_true', help='When true use an additional FC before its regressor')
def add_regularizer_parameters(parser):
parser.add_argument('--regularizer_type', choices=['bernoulli_regularizer', 'entropy_bernoulli_regularizer', 'parsimony_regularizer', 'overlapping_regularizer', 'sparsity_regularizer'], nargs='+', default=[], help='The type of the regularizer on the shapes to be used (default=None)')
parser.add_argument('--bernoulli_regularizer_weight', type=float, default=0.0, help='The importance of the regularization term on Bernoulli priors (default=0.0)')
parser.add_argument('--maximum_number_of_primitives', type=int, default=5000, help='The maximum number of primitives in the predicted shape (default=5000)')
parser.add_argument('--minimum_number_of_primitives', type=int, default=5, help='The minimum number of primitives in the predicted shape (default=5)')
parser.add_argument('--entropy_bernoulli_regularizer_weight', type=float, default=0.0, help='The importance of the regularizer term on the entropy of the bernoullis (default=0.0)')
parser.add_argument('--sparsity_regularizer_weight', type=float, default=0.0, help='The weight on the sparsity regularizer (default=0.0)')
parser.add_argument('--parsimony_regularizer_weight', type=float, default=0.0, help='The weight on the parsimony regularizer (default=0.0)')
parser.add_argument('--overlapping_regularizer_weight', type=float, default=0.0, help='The weight on the overlapping regularizer (default=0.0)')
parser.add_argument('--enable_regularizer_after_epoch', type=int, default=0, help='Epoch after which regularizer is enabled (default=10)')
parser.add_argument('--w1', type=float, default=0.005, help='The weight on the first term of the sparsity regularizer (default=0.005)')
parser.add_argument('--w2', type=float, default=0.005, help='The weight on the second term of the sparsity regularizer (default=0.005)')
def add_sq_mesh_sampler_parameters(parser):
parser.add_argument('--D_eta', type=float, default=0.05, help='Step along the eta (default=0.05)')
parser.add_argument('--D_omega', type=float, default=0.05, help='Step along the omega (default=0.05)')
parser.add_argument('--n_points_from_sq_mesh', type=int, default=180, help='Number of points to sample from the mesh of the SQ (default=180)')
def add_gaussian_noise_layer_parameters(parser):
parser.add_argument('--add_gaussian_noise', action='store_true', help='Add Gaussian noise in the layers')
parser.add_argument('--mu', type=float, default=0.0, help='Mean value of the Gaussian distribution')
parser.add_argument('--sigma', type=float, default=0.001, help='Standard deviation of the Gaussian distribution')
def add_loss_parameters(parser):
parser.add_argument('--prim_to_pcl_loss_weight', default=1.0, type=float, help='The importance of the primitive-to-pointcloud loss in the final loss (default = 1.0)')
parser.add_argument('--pcl_to_prim_loss_weight', default=1.0, type=float, help='The importance of the pointcloud-to-primitive loss in the final loss (default = 1.0)')
def add_loss_options_parameters(parser):
parser.add_argument('--use_sq', action='store_true', help='Use Superquadrics as geometric primitives')
parser.add_argument('--use_cuboids', action='store_true', help='Use cuboids as geometric primitives')
parser.add_argument('--use_chamfer', action='store_true', help='Use the chamfer distance')
def voxelizer_shape(args):
if args.voxelizer_factory == 'occupancy_grid':
return args.grid_shape
elif args.voxelizer_factory == 'image':
return args.image_shape
elif args.voxelizer_factory == 'tsdf_grid':
return (args.resolution,) * 3
def get_loss_weights(args):
args = vars(args)
loss_weights = {'pcl_to_prim_weight': args.get('pcl_to_prim_loss_weight', 1.0), 'prim_to_pcl_weight': args.get('prim_to_pcl_loss_weight', 1.0)}
return loss_weights
def get_loss_options(args):
loss_weights = get_loss_weights(args)
args = vars(args)
loss_options = {'use_sq': args.get('use_sq', False), 'use_cuboids': args.get('use_cuboids', False), 'use_chamfer': args.get('use_chamfer', False), 'loss_weights': loss_weights}
return loss_options
|
def describe_pet(animal_type, pet_name='virgil'):
"""Display info about Virgil"""
print(f"\nI have a {animal_type}.")
print(f"My {animal_type}'s name is {pet_name.title()}")
describe_pet('dog', 'virgil')
describe_pet('hamster', 'harry')
describe_pet(pet_name='garfield', animal_type='cat')
describe_pet('dog')
|
def describe_pet(animal_type, pet_name='virgil'):
"""Display info about Virgil"""
print(f'\nI have a {animal_type}.')
print(f"My {animal_type}'s name is {pet_name.title()}")
describe_pet('dog', 'virgil')
describe_pet('hamster', 'harry')
describe_pet(pet_name='garfield', animal_type='cat')
describe_pet('dog')
|
j = 1
while j <= 9:
i = 1
while i <= j:
print(f'{i}*{j}={i*j}' , end='\t')
i += 1
j += 1
print()
|
j = 1
while j <= 9:
i = 1
while i <= j:
print(f'{i}*{j}={i * j}', end='\t')
i += 1
j += 1
print()
|
# This Document class simulates the HTML DOM document object.
class Document:
def __init__(self, window):
self.window = window
self.created_elements_index = 0 # This property is required to ensure that every created HTML element can be accessed using a unique reference.
def getElementById(self, id): # This method simulates the document.getElementById() JavaScript method
# that returns the element that has the ID attribute with the specified value.
# Furthermore an HTML_Element object is created including all methods/(properties) related to an HTML element.
return HTML_Element(self.window, "document.getElementById('" + id + "')")
def createElement(self, tagName): # This method is similar to the document.createElement() JavaScript method
# that creates an Element Node with the specified name.
# A created HTML_Element object including all methods/(properties) related to an HTML element is returned.
# To create an element that can be referenced,
# the element is added to the Python.Created_Elements_references object as a new property.
# If the HTML element no longer needs to be accessed, the respective property of the Python.Created_Elements_references object should be deleted.
# Therefore, the deleteReference_command parameter of the __init__ function is given the JavaScript code to be executed
# when creating an HTML_Element object to delete the respective property of the Python.Created_Elements_references object.
self.created_elements_index += 1
self.window.execute('Python.Created_Elements_references.e' + str(self.created_elements_index) + ' = document.createElement("' + self.specialchars(tagName) + '");')
return HTML_Element(self.window, 'Python.Created_Elements_references.e' + str(self.created_elements_index), 'delete Python.Created_Elements_references.e' + str(self.created_elements_index))
def specialchars(self, s):
s = s.replace("\\", "\\\\")
return s.replace('"', '\\"')
# This class includes all methods/(properties) related to an HTML element.
class HTML_Element:
def __init__(self, window, element, deleteReference_command=None):
self.window = window # The Window object is required to communicate with JavaScript.
self.element = element # This property contains the JavaScript code to access the HTML element.
self.deleteReference_command = deleteReference_command # This property is needed in case an HTML element is created.
# It contains the JavaScript code to delete the respective property
# of the Python.Created_Elements_references object so that the
# HTML element can no longer be accessed.
# In the following way, simulated JavaScript HTML DOM attributes can be added to this class:
# @property
# async def attribute(self):
# return await self.window.get(self.element + ".attribute;")
# @attribute.setter
# def attribute(self, val):
# self.window.execute(self.element + '.attribute = "' + self.specialchars(val) + '";')
# It changes/returns the value of an element.
@property
async def value(self):
return await self.window.get(self.element + ".value;")
@value.setter
def value(self, val):
self.window.execute(self.element + '.value = "' + self.specialchars(val) + '";')
# It changes/returns the inner HTML of an element.
@property
async def innerHTML(self):
return await self.window.get(self.element + ".innerHTML;")
@innerHTML.setter
def innerHTML(self, val):
self.window.execute(self.element + '.innerHTML = "' + self.specialchars(val) + '";')
# This method makes it easy to access the attributes of HTML elements that have not yet been simulated in this class.
async def attribute(self, attr, val=None):
if val == None:
return await self.window.get(self.element + "." + self.specialchars(attr) + ";")
else:
self.window.execute(self.element + '.' + attr + ' = "' + self.specialchars(val) + '";')
# This method changes the attribute value of an HTML element.
def setAttribute(self, attr, val):
self.window.execute(self.element + '.setAttribute("' + self.specialchars(attr) + '", "' + self.specialchars(val) + '");')
# The HTML element is added to the body.
def append_this_to_body(self):
self.window.execute('document.body.appendChild(' + self.element + ');')
# In case an HTML element has been created, JavaScript code is passed during the initialization of the HTML_Element object
# allowing to delete the respective property of the Python.Created_Elements_references object
# so that the HTML element can no longer be accessed.
def deleteReference(self):
if self.deleteReference_command != None:
self.window.execute(self.deleteReference_command)
def specialchars(self, s):
s = s.replace("\\", "\\\\")
return s.replace('"', '\\"')
|
class Document:
def __init__(self, window):
self.window = window
self.created_elements_index = 0
def get_element_by_id(self, id):
return html__element(self.window, "document.getElementById('" + id + "')")
def create_element(self, tagName):
self.created_elements_index += 1
self.window.execute('Python.Created_Elements_references.e' + str(self.created_elements_index) + ' = document.createElement("' + self.specialchars(tagName) + '");')
return html__element(self.window, 'Python.Created_Elements_references.e' + str(self.created_elements_index), 'delete Python.Created_Elements_references.e' + str(self.created_elements_index))
def specialchars(self, s):
s = s.replace('\\', '\\\\')
return s.replace('"', '\\"')
class Html_Element:
def __init__(self, window, element, deleteReference_command=None):
self.window = window
self.element = element
self.deleteReference_command = deleteReference_command
@property
async def value(self):
return await self.window.get(self.element + '.value;')
@value.setter
def value(self, val):
self.window.execute(self.element + '.value = "' + self.specialchars(val) + '";')
@property
async def innerHTML(self):
return await self.window.get(self.element + '.innerHTML;')
@innerHTML.setter
def inner_html(self, val):
self.window.execute(self.element + '.innerHTML = "' + self.specialchars(val) + '";')
async def attribute(self, attr, val=None):
if val == None:
return await self.window.get(self.element + '.' + self.specialchars(attr) + ';')
else:
self.window.execute(self.element + '.' + attr + ' = "' + self.specialchars(val) + '";')
def set_attribute(self, attr, val):
self.window.execute(self.element + '.setAttribute("' + self.specialchars(attr) + '", "' + self.specialchars(val) + '");')
def append_this_to_body(self):
self.window.execute('document.body.appendChild(' + self.element + ');')
def delete_reference(self):
if self.deleteReference_command != None:
self.window.execute(self.deleteReference_command)
def specialchars(self, s):
s = s.replace('\\', '\\\\')
return s.replace('"', '\\"')
|
LOAD_HUB_FROM_EXT_TEMP = """
insert into {{ params.hub_name }}
select
ext.*
from {{ params.hub_name }}_ext ext
left join {{ params.hub_name }} h
on h.{{ params.pk_name }} = ext.{{ params.pk_name }}
where
h.{{ params.pk_name }} is null
and ext.load_dtm::time > '{{ params.from_dtm }}';
"""
LOAD_LINK_FROM_EXT_TEMP = """
"""
LOAD_SAT_FROM_EXT_TEMP = """
insert into {{ params.sat_name }}
select
t.*
from
(
select
ext.*
,md5({% for col in params.hash_diff_cols %}
{{ col }} ||
{% endfor %}
'') hash_diff
from {{ params.sat_name }}_ext ext
where ext.load_dtm::time > '{{ params.from_dtm }}'
) t
left join {{ params.sat_name }} s
on s.hash_diff = t.hash_diff
where
s.hash_diff is null
;
"""
UPDATE_COUNTRY_SCORING = """
CREATE OR REPLACE VIEW data_vault.country_scoring_test_data_1 as
select distinct
mapp.iso as iso,
cast('{pd.Timestamp.now()}' as timestamp) as load_dtm,
mapp.country_eng as country,
rrm.country as country_ru,
rrm.tnved,
rdm.comtrade_feat_1 as import_bulk_volume,
import_from_russia as import_from_russia,
rdm.av_tariff as average_tariff, rrm.barrier,
rdm.common_import_part,
rrm.exp_good_nisha,
{{ fts_w_1 }}*fts_feat_1_rate + {{ fts_w_2 }}*fts_feat_2_rate + {{ fts_w_3 }}*fts_feat_3_rate +
{{ comtrade_w_1 }}*comtrade_feat_1_rate + {{ comtrade_w_1 }}*comtrade_feat_2_rate +
{{ h_index_w }}*h_index_rate + {{ av_tariff_w }}*av_tariff_rate + {{ pokrytie_merami_w }}*pokrytie_merami_rate +
{{ transport_w }}*transport_place_rate + {{ pred_gdp_w }}*pred_gdp_rate +{{ pred_imp_w }}*pred_import_rate +
{{ easy_bus_w }}*easy_doing_business_rate + quota_rate + exp_good_nisha_rate + exp_potential_rate + polit_coef_rate
as score
from data_vault.country_scoring_result_rating_dm rrm
join data_vault.country_scoring_result_dm_1 as rdm
on rrm.country = rdm.country and rrm.tnved = rdm.tnved
join data_vault.country_scoring_mapper as mapp
on lower(mapp.country_ru) = lower(rrm.country)
where common_import_part_flg != 1;
"""
|
load_hub_from_ext_temp = "\ninsert into {{ params.hub_name }}\nselect\n ext.*\nfrom {{ params.hub_name }}_ext ext\nleft join {{ params.hub_name }} h\n on h.{{ params.pk_name }} = ext.{{ params.pk_name }}\nwhere\n h.{{ params.pk_name }} is null\n and ext.load_dtm::time > '{{ params.from_dtm }}';\n"
load_link_from_ext_temp = '\n\n'
load_sat_from_ext_temp = "\ninsert into {{ params.sat_name }}\nselect\n t.*\nfrom\n(\n select\n ext.*\n ,md5({% for col in params.hash_diff_cols %}\n {{ col }} ||\n {% endfor %}\n '') hash_diff\n from {{ params.sat_name }}_ext ext\n where ext.load_dtm::time > '{{ params.from_dtm }}'\n) t\nleft join {{ params.sat_name }} s\n on s.hash_diff = t.hash_diff\nwhere\n s.hash_diff is null\n;\n"
update_country_scoring = "\nCREATE OR REPLACE VIEW data_vault.country_scoring_test_data_1 as\n select distinct\n mapp.iso as iso,\n cast('{pd.Timestamp.now()}' as timestamp) as load_dtm,\n mapp.country_eng as country,\n rrm.country as country_ru,\n rrm.tnved,\n rdm.comtrade_feat_1 as import_bulk_volume,\n import_from_russia as import_from_russia,\n rdm.av_tariff as average_tariff, rrm.barrier,\n rdm.common_import_part,\n rrm.exp_good_nisha,\n {{ fts_w_1 }}*fts_feat_1_rate + {{ fts_w_2 }}*fts_feat_2_rate + {{ fts_w_3 }}*fts_feat_3_rate +\n {{ comtrade_w_1 }}*comtrade_feat_1_rate + {{ comtrade_w_1 }}*comtrade_feat_2_rate +\n {{ h_index_w }}*h_index_rate + {{ av_tariff_w }}*av_tariff_rate + {{ pokrytie_merami_w }}*pokrytie_merami_rate +\n {{ transport_w }}*transport_place_rate + {{ pred_gdp_w }}*pred_gdp_rate +{{ pred_imp_w }}*pred_import_rate +\n {{ easy_bus_w }}*easy_doing_business_rate + quota_rate + exp_good_nisha_rate + exp_potential_rate + polit_coef_rate\n as score\n from data_vault.country_scoring_result_rating_dm rrm\n join data_vault.country_scoring_result_dm_1 as rdm\n on rrm.country = rdm.country and rrm.tnved = rdm.tnved\n join data_vault.country_scoring_mapper as mapp\n on lower(mapp.country_ru) = lower(rrm.country)\n where common_import_part_flg != 1;\n"
|
# Resample and tidy china: china_annual
china_annual = china.resample('A').last().pct_change(10).dropna()
# Resample and tidy us: us_annual
us_annual = us.resample('A').last().pct_change(10).dropna()
# Concatenate china_annual and us_annual: gdp
gdp = pd.concat([china_annual,us_annual],join='inner',axis=1)
# Resample gdp and print
print(gdp.resample('10A').last())
|
china_annual = china.resample('A').last().pct_change(10).dropna()
us_annual = us.resample('A').last().pct_change(10).dropna()
gdp = pd.concat([china_annual, us_annual], join='inner', axis=1)
print(gdp.resample('10A').last())
|
train = dict(
batch_size=10,
num_workers=4,
use_amp=True,
num_epochs=100,
num_iters=30000,
epoch_based=True,
lr=0.0001,
optimizer=dict(
mode="adamw",
set_to_none=True,
group_mode="r3", # ['trick', 'r3', 'all', 'finetune'],
cfg=dict(),
),
grad_acc_step=1,
sche_usebatch=True,
scheduler=dict(
warmup=dict(
num_iters=0,
),
mode="poly",
cfg=dict(
lr_decay=0.9,
min_coef=0.001,
),
),
save_num_models=1,
ms=dict(
enable=False,
extra_scales=[0.75, 1.25, 1.5],
),
grad_clip=dict(
enable=False,
mode="value", # or 'norm'
cfg=dict(),
),
ema=dict(
enable=False,
cmp_with_origin=True,
force_cpu=False,
decay=0.9998,
),
)
|
train = dict(batch_size=10, num_workers=4, use_amp=True, num_epochs=100, num_iters=30000, epoch_based=True, lr=0.0001, optimizer=dict(mode='adamw', set_to_none=True, group_mode='r3', cfg=dict()), grad_acc_step=1, sche_usebatch=True, scheduler=dict(warmup=dict(num_iters=0), mode='poly', cfg=dict(lr_decay=0.9, min_coef=0.001)), save_num_models=1, ms=dict(enable=False, extra_scales=[0.75, 1.25, 1.5]), grad_clip=dict(enable=False, mode='value', cfg=dict()), ema=dict(enable=False, cmp_with_origin=True, force_cpu=False, decay=0.9998))
|
def simple_game(builder):
return builder. \
room(
name='the testing room',
description=
"""
It's a room with a Pythonista writing test cases.
There is a locked drawer with a key on top.
You need to get to the production server room
at the North exit, but management has stationed a
guard to to stop you.
"""
). \
room(
name='the production room',
description='Room with production servers',
final_room=True
). \
exit(
name='North',
description='The north exit',
from_room='the testing room',
to_room='the production room',
locked=True
). \
exit(
name='South',
description='The south exit',
from_room='the production room',
to_room='the testing room',
locked=False
). \
item(
name='TPS Report',
description="""A report explaining how to test a text-based
adventure game""",
use_message="""You read the report to the guard blocking the North.
He falls asleep allowing you to go through.""",
in_room='the testing room',
unlocks='North',
locked=True
). \
item(
name='Drawer Key',
description='An old metal key to the TPS report drawer',
use_message='You put the key in the lock',
in_room='the testing room',
unlocks='TPS Report', locked=False
). \
start_in('the testing room').build()
def save_internet_game(builder):
return builder. \
room(
name='Building 7',
description=
"""
As anyone who has watched "The IT Crowd" knows, the Internet
is contained entirely within a small, black, weightless box.
It is kept in the Stata Center and watched over by elite
Computer Science elders.
Unfortunately, one day, a MIT Professor named Jack Danielson,
enraged by the nth time a student asked him for help developing
a web app without even a simple object model for planning,
stole the Internet from the Stata Center.
You run into Building 7, and bar the door, blocking out the angry
rioters blaming anyone associated with MIT for the resulting
collapse of civilization. You have taken a recording of Prof.
Danielson's actions, and it drops from your hands onto the
floor as you bolt the door. You must find the Internet and return
it to its home, so that the world may be mended.
"""
). \
room(
name='Building 3',
description=
"""
Building 3 of MIT is deserted. The only thing there is a small
piece of paper on which someone has scrawled a series of five numbers.
"""
). \
room(
name='Building 10 Lobby',
description=
"""
The lobby for Building 10. There is an elevator leading up to
the 10-250 lecture hall, where several MIT students are hiding,
but the elevator is locked.
"""
). \
room(
name='Building 4 Athena Cluster',
description=
"""
A computer cluster. With no Internet, these computers are not
very useful...
In the back of the room, on a desk, you see a key.
"""
). \
room(
name='Lecture Hall 10-250',
description=
"""
You see several students on their laptops. Professor
Jack Danielson is standing at the front, giving a lecture.
Interestingly, one student appears to see no issue with the idea
of dropping nontrivial sums of money for a MIT education,
only to spend lecture browsing Facebook on their Macbook Air.
"How are you connected to the Internet?" you ask.
"It's wireless, silly!" he replies.
"""
). \
room(
name='Stata Center',
description=
"""
You see a pedestal, where a small black box could fit...
"""
). \
room(
name='Stata Center Roof',
description=
"""
On this roof, you meet a hooded man.
"I am the caretaker of the Internet, and I was rendered powerless
as it was stolen. If it was not for your help, I might have died.
But now you have saved us!"
He presses a button on the wall, and the Internet lights up again.
It shines so brightly that it can be seen from a 50 mile radius.
The world is now back online! The rioting mobs outside quiet,
and disperse.
The man remarks:
"What a delight the Internet is! If only I could be so grossly
incadescent!"
""",
final_room=True
). \
exit(
name='East Doorway',
description='The doorway from Building 7 to Building 3',
from_room='Building 7',
to_room='Building 3',
locked=False
). \
exit(
name='West Doorway',
description='The doorway from Building 3 to Building 7',
from_room='Building 3',
to_room='Building 7',
locked=False
). \
exit(
name='Entry to Building 10',
description='A wide entry into Building 10',
from_room='Building 3',
to_room='Building 10 Lobby',
locked=False
). \
exit(
name='Building 10 West Exit',
description='An exit from Building 10 to Building 3',
from_room='Building 10 Lobby',
to_room='Building 3',
locked=False
). \
exit(
name='Up Elevator',
description='The elevator in Building 10, going up from the lobby',
from_room='Building 10 Lobby',
to_room='Lecture Hall 10-250',
locked=True
). \
exit(
name='Down Elevator',
description='The elevator in Building 10, going down from 10-250',
from_room='Lecture Hall 10-250',
to_room='Building 10 Lobby',
locked=False
). \
exit(
name='Door to Athena Cluster',
description='An Athena cluster door with a combination lock',
from_room='Building 10 Lobby',
to_room='Building 4 Athena Cluster',
locked=True
). \
exit(
name='Door out of Athena Cluster',
description='The exit from the Athena cluster',
from_room='Building 4 Athena Cluster',
to_room='Building 10 Lobby',
locked=False
). \
exit(
name='Hallway to Stata',
description='A long empty hallway to the Stata Center',
from_room='Building 10 Lobby',
to_room='Stata Center',
locked=False
). \
exit(
name='Hallway to Building 10',
description='A long empty hallway leading back to Building 10',
from_room='Stata Center',
to_room='Building 10 Lobby',
locked=False
). \
exit(
name='Stairs to Stata Roof',
description='A winding staircase to the roof of the Stata Center',
from_room='Stata Center',
to_room='Stata Center Roof',
locked=True
). \
item(
name='Internet',
description='A small weightless black box. Handle with care.',
use_message=
"""
You place the Internet in the slot. The door to the stairs
opens. You should go up and have it turned on.
""",
in_room='Lecture Hall 10-250',
unlocks='Stairs to Stata Roof',
locked=True
). \
item(
name='Recording',
description=
"""
A tape from a security camera, showing Prof. Danielson's
theft of the Internet from the Stata center. You need this
as evidence that he is the one responsible.
""",
use_message=
"""
You brandish the tape. Prof. Danielson says, "Yes, I admit I
stole the Internet, but you deserved it! You people shouldn't
be allowed to write anything that runs on it until you learn
to plan things out!" He holds up the box, running on battery
power, and points to it as he speaks.
You attempt to reason with him: "Yes, planning is useful, and
people should do it more, but that doesn't justify wrecking
the technology that holds up modern civilization!"
The Professor remains unconvinced. At that moment, the battery
on the Internet dies. Murmurings are heard from the crowd of students.
"Hey! I'm getting signal not found errors!"
They point at the Professor.
"He's responsible! GET HIM!"
Professor Danielson drops the Internet and runs out of the room,
with the mob of students in hot pursuit.
""",
in_room='Building 7',
unlocks='Internet',
locked=False
). \
item(
name='Athena Cluster Combination',
description='A piece of paper with the numbers 27182',
use_message='You entered the combo, and opened the door.',
in_room='Building 3',
unlocks='Door to Athena Cluster',
locked=False
). \
item(
name='Elevator Key',
description='An old rusty key',
use_message='You turned the key in the lock, opening the elevator.',
in_room='Building 4 Athena Cluster',
unlocks='Up Elevator',
locked=False
).start_in('Building 7').build()
|
def simple_game(builder):
return builder.room(name='the testing room', description="\n It's a room with a Pythonista writing test cases.\n There is a locked drawer with a key on top.\n You need to get to the production server room\n at the North exit, but management has stationed a \n guard to to stop you.\n ").room(name='the production room', description='Room with production servers', final_room=True).exit(name='North', description='The north exit', from_room='the testing room', to_room='the production room', locked=True).exit(name='South', description='The south exit', from_room='the production room', to_room='the testing room', locked=False).item(name='TPS Report', description='A report explaining how to test a text-based\n adventure game', use_message='You read the report to the guard blocking the North.\n He falls asleep allowing you to go through.', in_room='the testing room', unlocks='North', locked=True).item(name='Drawer Key', description='An old metal key to the TPS report drawer', use_message='You put the key in the lock', in_room='the testing room', unlocks='TPS Report', locked=False).start_in('the testing room').build()
def save_internet_game(builder):
return builder.room(name='Building 7', description='\n As anyone who has watched "The IT Crowd" knows, the Internet\n is contained entirely within a small, black, weightless box.\n It is kept in the Stata Center and watched over by elite\n Computer Science elders.\n\n Unfortunately, one day, a MIT Professor named Jack Danielson,\n enraged by the nth time a student asked him for help developing\n a web app without even a simple object model for planning,\n stole the Internet from the Stata Center.\n\n You run into Building 7, and bar the door, blocking out the angry\n rioters blaming anyone associated with MIT for the resulting\n collapse of civilization. You have taken a recording of Prof.\n Danielson\'s actions, and it drops from your hands onto the\n floor as you bolt the door. You must find the Internet and return\n it to its home, so that the world may be mended.\n ').room(name='Building 3', description='\n Building 3 of MIT is deserted. The only thing there is a small\n piece of paper on which someone has scrawled a series of five numbers.\n ').room(name='Building 10 Lobby', description='\n The lobby for Building 10. There is an elevator leading up to\n the 10-250 lecture hall, where several MIT students are hiding,\n but the elevator is locked.\n ').room(name='Building 4 Athena Cluster', description='\n A computer cluster. With no Internet, these computers are not\n very useful...\n\n In the back of the room, on a desk, you see a key.\n ').room(name='Lecture Hall 10-250', description='\n You see several students on their laptops. Professor\n Jack Danielson is standing at the front, giving a lecture.\n\n Interestingly, one student appears to see no issue with the idea\n of dropping nontrivial sums of money for a MIT education,\n only to spend lecture browsing Facebook on their Macbook Air.\n\n "How are you connected to the Internet?" you ask.\n "It\'s wireless, silly!" he replies.\n ').room(name='Stata Center', description='\n You see a pedestal, where a small black box could fit...\n ').room(name='Stata Center Roof', description='\n On this roof, you meet a hooded man.\n\n "I am the caretaker of the Internet, and I was rendered powerless\n as it was stolen. If it was not for your help, I might have died.\n But now you have saved us!"\n\n He presses a button on the wall, and the Internet lights up again.\n It shines so brightly that it can be seen from a 50 mile radius.\n The world is now back online! The rioting mobs outside quiet,\n and disperse.\n\n The man remarks:\n "What a delight the Internet is! If only I could be so grossly\n incadescent!"\n ', final_room=True).exit(name='East Doorway', description='The doorway from Building 7 to Building 3', from_room='Building 7', to_room='Building 3', locked=False).exit(name='West Doorway', description='The doorway from Building 3 to Building 7', from_room='Building 3', to_room='Building 7', locked=False).exit(name='Entry to Building 10', description='A wide entry into Building 10', from_room='Building 3', to_room='Building 10 Lobby', locked=False).exit(name='Building 10 West Exit', description='An exit from Building 10 to Building 3', from_room='Building 10 Lobby', to_room='Building 3', locked=False).exit(name='Up Elevator', description='The elevator in Building 10, going up from the lobby', from_room='Building 10 Lobby', to_room='Lecture Hall 10-250', locked=True).exit(name='Down Elevator', description='The elevator in Building 10, going down from 10-250', from_room='Lecture Hall 10-250', to_room='Building 10 Lobby', locked=False).exit(name='Door to Athena Cluster', description='An Athena cluster door with a combination lock', from_room='Building 10 Lobby', to_room='Building 4 Athena Cluster', locked=True).exit(name='Door out of Athena Cluster', description='The exit from the Athena cluster', from_room='Building 4 Athena Cluster', to_room='Building 10 Lobby', locked=False).exit(name='Hallway to Stata', description='A long empty hallway to the Stata Center', from_room='Building 10 Lobby', to_room='Stata Center', locked=False).exit(name='Hallway to Building 10', description='A long empty hallway leading back to Building 10', from_room='Stata Center', to_room='Building 10 Lobby', locked=False).exit(name='Stairs to Stata Roof', description='A winding staircase to the roof of the Stata Center', from_room='Stata Center', to_room='Stata Center Roof', locked=True).item(name='Internet', description='A small weightless black box. Handle with care.', use_message='\n You place the Internet in the slot. The door to the stairs\n opens. You should go up and have it turned on.\n ', in_room='Lecture Hall 10-250', unlocks='Stairs to Stata Roof', locked=True).item(name='Recording', description="\n A tape from a security camera, showing Prof. Danielson's\n theft of the Internet from the Stata center. You need this\n as evidence that he is the one responsible.\n ", use_message='\n You brandish the tape. Prof. Danielson says, "Yes, I admit I\n stole the Internet, but you deserved it! You people shouldn\'t\n be allowed to write anything that runs on it until you learn\n to plan things out!" He holds up the box, running on battery\n power, and points to it as he speaks.\n\n You attempt to reason with him: "Yes, planning is useful, and\n people should do it more, but that doesn\'t justify wrecking\n the technology that holds up modern civilization!"\n\n The Professor remains unconvinced. At that moment, the battery\n on the Internet dies. Murmurings are heard from the crowd of students.\n\n "Hey! I\'m getting signal not found errors!"\n They point at the Professor.\n "He\'s responsible! GET HIM!"\n\n Professor Danielson drops the Internet and runs out of the room,\n with the mob of students in hot pursuit.\n ', in_room='Building 7', unlocks='Internet', locked=False).item(name='Athena Cluster Combination', description='A piece of paper with the numbers 27182', use_message='You entered the combo, and opened the door.', in_room='Building 3', unlocks='Door to Athena Cluster', locked=False).item(name='Elevator Key', description='An old rusty key', use_message='You turned the key in the lock, opening the elevator.', in_room='Building 4 Athena Cluster', unlocks='Up Elevator', locked=False).start_in('Building 7').build()
|
examples = [
{
"file": "FILENAME",
"info": [
{
"turn_num": 1,
"user": "USER QUERY",
"system": "HUMAN RESPONSE",
"HDSA": "HDSA RESPONSE",
"MarCo": "MarCo RESPONSE",
"MarCo vs. system":
{
"Readability":
["Tie", "MarCo", "System"],
"Completion":
["MarCo", "MarCo", "Tie"]
}
},
...
]
}
]
|
examples = [{'file': 'FILENAME', 'info': [{'turn_num': 1, 'user': 'USER QUERY', 'system': 'HUMAN RESPONSE', 'HDSA': 'HDSA RESPONSE', 'MarCo': 'MarCo RESPONSE', 'MarCo vs. system': {'Readability': ['Tie', 'MarCo', 'System'], 'Completion': ['MarCo', 'MarCo', 'Tie']}}, ...]}]
|
# ____ _____
# | _ \ __ _ _ |_ _| __ __ _ ___ ___ _ __
# | |_) / _` | | | || || '__/ _` |/ __/ _ \ '__|
# | _ < (_| | |_| || || | | (_| | (_| __/ |
# |_| \_\__,_|\__, ||_||_| \__,_|\___\___|_|
# |___/
#
VERSION = (0, 0, 1)
__version__ = '.'.join(map(str, VERSION))
|
version = (0, 0, 1)
__version__ = '.'.join(map(str, VERSION))
|
A, B = map(int, input().split())
result = 0
for i in range(A, B + 1):
if (A + B + i) % 3 == 0:
result += 1
print(result)
|
(a, b) = map(int, input().split())
result = 0
for i in range(A, B + 1):
if (A + B + i) % 3 == 0:
result += 1
print(result)
|
# -*- coding: utf-8 -*-
class Graph(object):
r"""Graph.
This class described the graph data structure.
"""
pass
class DirectedGraph(Graph):
r"""Directed Graph.
This class described the directed graph data structure.
The graph is described using a dictionary.
graph = {node: [[parent nodes], [child nodes]]}
"""
class Root(object):
pass
def __init__(self):
self._root = self.Root()
self._graph = {self._root: []}
def addNode(self, parent, node):
"""
Add a node to the graph.
"""
pass
def getParents(self, node):
"""
Return the parent nodes of the given node.
"""
pass
def getChildren(self, node):
"""
Return the child nodes of the given node.
"""
pass
class DirectedAcyclicGraph(DirectedGraph):
"""Directed Acyclic Graph.
In this data structure, cycles are not allowed.
"""
def __init__(self):
super(DirectedAcyclicGraph, self).__init__()
|
class Graph(object):
"""Graph.
This class described the graph data structure.
"""
pass
class Directedgraph(Graph):
"""Directed Graph.
This class described the directed graph data structure.
The graph is described using a dictionary.
graph = {node: [[parent nodes], [child nodes]]}
"""
class Root(object):
pass
def __init__(self):
self._root = self.Root()
self._graph = {self._root: []}
def add_node(self, parent, node):
"""
Add a node to the graph.
"""
pass
def get_parents(self, node):
"""
Return the parent nodes of the given node.
"""
pass
def get_children(self, node):
"""
Return the child nodes of the given node.
"""
pass
class Directedacyclicgraph(DirectedGraph):
"""Directed Acyclic Graph.
In this data structure, cycles are not allowed.
"""
def __init__(self):
super(DirectedAcyclicGraph, self).__init__()
|
# Search in Rotated Sorted Array: https://leetcode.com/problems/search-in-rotated-sorted-array/
# There is an integer array nums sorted in ascending order (with distinct values).
# Prior to being passed to your function, nums is rotated at an unknown pivot index k (0 <= k < nums.length) such that the resulting array is [nums[k], nums[k+1], ..., nums[n-1], nums[0], nums[1], ..., nums[k-1]] (0-indexed). For example, [0,1,2,4,5,6,7] might be rotated at pivot index 3 and become [4,5,6,7,0,1,2].
# Given the array nums after the rotation and an integer target, return the index of target if it is in nums, or -1 if it is not in nums.
# You must write an algorithm with O(log n) runtime complexity.
# Okay the simplest solution to this problem is to do a simple linear search which would take o(n) and is trivial
# so to improve on this normally what we do is a binary search because it is shifted there is probably a slight
# difference
# Actually you can quickly determine if you are including a part of the switch by comparing the first value in you search
# to the middle if the start is < mid point then you know it is sorted and you can continually normally
# otherwise y ou know that there was a switch and you need to go the opposite direction
class Solution:
def search(self, nums, target):
start, end = 0, len(nums) - 1
while start <= end:
mid = start + (end - start) // 2
if nums[mid] == target:
return mid
# if we have a normal bs then we know that
elif nums[mid] >= nums[start]:
# Check if our target is between start and mid
# Or if it is in the previous section as we rotated across
if target >= nums[start] and target < nums[mid]:
end = mid - 1
else:
start = mid + 1
# other wise we know we need to search in rotated across area
else:
if target <= nums[end] and target > nums[mid]:
start = mid + 1
else:
end = mid - 1
# if we didn't find the value return -1
return -1
# This problem seemed really hard at first but honestly since we know that it is a normal binary search if we look at the start and mid point we can
# quickly revert this to an almost normal implementation of the binary search algo
# This should run in o(log(n)) time and o(1) space as we are cutting the array in half every time and storing no information outside of that array
# Score Card
# Did I need hints? Slightly I kept messing up the moving of the start and end points
# Did you finish within 30 min? 22
# Was the solution optimal? Yup this runs in o(n+m) time in worst case and uses o(1) space
# Were there any bugs? See my hints
# 4 4 5 3 = 4
|
class Solution:
def search(self, nums, target):
(start, end) = (0, len(nums) - 1)
while start <= end:
mid = start + (end - start) // 2
if nums[mid] == target:
return mid
elif nums[mid] >= nums[start]:
if target >= nums[start] and target < nums[mid]:
end = mid - 1
else:
start = mid + 1
elif target <= nums[end] and target > nums[mid]:
start = mid + 1
else:
end = mid - 1
return -1
|
def init_logger(logger_type, data):
logger_profile = []
log_header = 'run_time,read_time,'
# what sesnors are we logging?
for k, v in data.items():
if(data[k]['device'] != ''): # check to see if our device is setup
for kk, vv in data[k]['sensors'].items():
if(data[k]['sensors'][kk]['read'] == True and data[k]['sensors'][kk]['log_on'] == True):
log_header += data[k]['sensors'][kk]['log_name'] + ","
logger_profile.append((k,'sensors',kk))
print(log_header.strip(","))
return logger_profile
def logger(logger_profile, data, start_read, end_read):
log = ''
i = 0
log += ("{0:0.4f},{1:0.4f},").format(start_read, end_read)
for x in logger_profile:
if(type(data[x[0]][x[1]][x[2]]['value']) is tuple or type(data[x[0]][x[1]][x[2]]['value']) is map):
y = list(data[x[0]][x[1]][x[2]]['value'])
# this isnt the best thing to do here, lets clean it up later
log += (data[x[0]][x[1]][x[2]]['log_format'] + ",").format(y[0], y[1], y[2])
elif(type(data[x[0]][x[1]][x[2]]['value']) is int):
log += ("{},").format(data[x[0]][x[1]][x[2]]['value'])
else:
log += (data[x[0]][x[1]][x[2]]['log_format'] + ",").format(data[x[0]][x[1]][x[2]]['value'])
print(log.strip(","))
|
def init_logger(logger_type, data):
logger_profile = []
log_header = 'run_time,read_time,'
for (k, v) in data.items():
if data[k]['device'] != '':
for (kk, vv) in data[k]['sensors'].items():
if data[k]['sensors'][kk]['read'] == True and data[k]['sensors'][kk]['log_on'] == True:
log_header += data[k]['sensors'][kk]['log_name'] + ','
logger_profile.append((k, 'sensors', kk))
print(log_header.strip(','))
return logger_profile
def logger(logger_profile, data, start_read, end_read):
log = ''
i = 0
log += '{0:0.4f},{1:0.4f},'.format(start_read, end_read)
for x in logger_profile:
if type(data[x[0]][x[1]][x[2]]['value']) is tuple or type(data[x[0]][x[1]][x[2]]['value']) is map:
y = list(data[x[0]][x[1]][x[2]]['value'])
log += (data[x[0]][x[1]][x[2]]['log_format'] + ',').format(y[0], y[1], y[2])
elif type(data[x[0]][x[1]][x[2]]['value']) is int:
log += '{},'.format(data[x[0]][x[1]][x[2]]['value'])
else:
log += (data[x[0]][x[1]][x[2]]['log_format'] + ',').format(data[x[0]][x[1]][x[2]]['value'])
print(log.strip(','))
|
class Solution(object):
def XXX(self, root):
def dfs(node, num, ret):
if node is None:
return num
num += 1
return max(dfs(node.left, num, ret), dfs(node.right, num, ret))
num -= 1
return dfs(root, 0, 0)
|
class Solution(object):
def xxx(self, root):
def dfs(node, num, ret):
if node is None:
return num
num += 1
return max(dfs(node.left, num, ret), dfs(node.right, num, ret))
num -= 1
return dfs(root, 0, 0)
|
# Copyright 2012 Kevin Gillette. All rights reserved.
# Use of this source code is governed by a BSD-style
# license that can be found in the LICENSE file.
_ord = "0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz-_"
_table = dict((c, i) for i, c in enumerate(_ord))
def encode(n, len=0):
out = ""
while n > 0 or len > 0:
out = _ord[n & 63] + out
n >>= 6
len -= 1
return out
def decode(input):
n = 0
for c in input:
c = _table.get(c)
if c is None:
raise ValueError("Invalid character in input: " + c)
n = n << 6 | c
return n
|
_ord = '0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz-_'
_table = dict(((c, i) for (i, c) in enumerate(_ord)))
def encode(n, len=0):
out = ''
while n > 0 or len > 0:
out = _ord[n & 63] + out
n >>= 6
len -= 1
return out
def decode(input):
n = 0
for c in input:
c = _table.get(c)
if c is None:
raise value_error('Invalid character in input: ' + c)
n = n << 6 | c
return n
|
# -*- coding: utf-8 -*-
# Part of Odoo. See LICENSE file for full copyright and licensing details.
{
'name': 'Send SMS to Visitor with leads',
'category': 'Website/Website',
'sequence': 54,
'summary': 'Allows to send sms to website visitor that have lead',
'version': '1.0',
'description': """Allows to send sms to website visitor if the visitor is linked to a lead.""",
'depends': ['website_sms', 'crm'],
'data': [],
'installable': True,
'auto_install': True,
}
|
{'name': 'Send SMS to Visitor with leads', 'category': 'Website/Website', 'sequence': 54, 'summary': 'Allows to send sms to website visitor that have lead', 'version': '1.0', 'description': 'Allows to send sms to website visitor if the visitor is linked to a lead.', 'depends': ['website_sms', 'crm'], 'data': [], 'installable': True, 'auto_install': True}
|
class User:
def __init__(self,name):
self.name=name
def show(self):
print(self.name)
user =User("ada66")
user.show()
|
class User:
def __init__(self, name):
self.name = name
def show(self):
print(self.name)
user = user('ada66')
user.show()
|
def merge(left, right):
results = []
while(len(left) and len(right)):
if left[0] < right[0]:
results.append(left.pop(0))
print(left)
else:
results.append(right.pop(0))
print(right)
return [*results, *left, *right]
print(merge([3, 8, 12], [5, 10, 15]))
def merge_sort(arr):
if len(arr) == 1:
return arr
center = len(arr) // 2
print(center)
left = arr[0: center]
right = arr[center:]
print(left, right)
return merge(merge_sort(left), merge_sort(right))
print(merge_sort([22, 3, 15, 13, 822, 14, 15, 22, 75,]))
|
def merge(left, right):
results = []
while len(left) and len(right):
if left[0] < right[0]:
results.append(left.pop(0))
print(left)
else:
results.append(right.pop(0))
print(right)
return [*results, *left, *right]
print(merge([3, 8, 12], [5, 10, 15]))
def merge_sort(arr):
if len(arr) == 1:
return arr
center = len(arr) // 2
print(center)
left = arr[0:center]
right = arr[center:]
print(left, right)
return merge(merge_sort(left), merge_sort(right))
print(merge_sort([22, 3, 15, 13, 822, 14, 15, 22, 75]))
|
SIZE = 400
END_SCORE = 4000
GRID_LEN = 3
WINAT = 2048
GRID_PADDING = 10
CHROMOSOME_LEN = pow(GRID_LEN, 4) + 4*GRID_LEN*GRID_LEN + 1*(pow(GRID_LEN, 4))
TOURNAMENT_SELECTION_SIZE = 4
MUTATION_RATE = 0.4
NUMBER_OF_ELITE_CHROMOSOMES = 4
POPULATION_SIZE = 10
GEN_MAX = 10000
DONOTHINGINPUT_MAX = 5
BACKGROUND_COLOR_GAME = "#92877d"
BACKGROUND_COLOR_CELL_EMPTY = "#9e948a"
FONT = ("Verdana", 40, "bold")
KEY_UP_ALT = "\'\\uf700\'"
KEY_DOWN_ALT = "\'\\uf701\'"
KEY_LEFT_ALT = "\'\\uf702\'"
KEY_RIGHT_ALT = "\'\\uf703\'"
KEY_UP = 'w'
KEY_DOWN = 's'
KEY_LEFT = 'a'
KEY_RIGHT = 'd'
KEY_BACK = 'b'
KEY_J = "'j'"
KEY_K = "'k'"
KEY_L = "'l'"
KEY_H = "'h'"
|
size = 400
end_score = 4000
grid_len = 3
winat = 2048
grid_padding = 10
chromosome_len = pow(GRID_LEN, 4) + 4 * GRID_LEN * GRID_LEN + 1 * pow(GRID_LEN, 4)
tournament_selection_size = 4
mutation_rate = 0.4
number_of_elite_chromosomes = 4
population_size = 10
gen_max = 10000
donothinginput_max = 5
background_color_game = '#92877d'
background_color_cell_empty = '#9e948a'
font = ('Verdana', 40, 'bold')
key_up_alt = "'\\uf700'"
key_down_alt = "'\\uf701'"
key_left_alt = "'\\uf702'"
key_right_alt = "'\\uf703'"
key_up = 'w'
key_down = 's'
key_left = 'a'
key_right = 'd'
key_back = 'b'
key_j = "'j'"
key_k = "'k'"
key_l = "'l'"
key_h = "'h'"
|
#!/usr/bin/env python
'''
ch8q2a1.py
Function1 = obtain_os_version -- process the show version output and return the OS version (Version 15.0(1)M4) else return None.
Looking for line such as:
Cisco IOS Software, C880 Software (C880DATA-UNIVERSALK9-M), Version 15.0(1)M4, RELEASE SOFTWARE (fc1)
'''
def obtain_os_version(show_ver_file):
' Return OS Version or None '
os_version = None
show_ver_list = show_ver_file.split('\n')
for line in show_ver_list:
if "Cisco IOS Software" in line:
os_version = line.split(', ')[2]
return os_version
return os_version
|
"""
ch8q2a1.py
Function1 = obtain_os_version -- process the show version output and return the OS version (Version 15.0(1)M4) else return None.
Looking for line such as:
Cisco IOS Software, C880 Software (C880DATA-UNIVERSALK9-M), Version 15.0(1)M4, RELEASE SOFTWARE (fc1)
"""
def obtain_os_version(show_ver_file):
""" Return OS Version or None """
os_version = None
show_ver_list = show_ver_file.split('\n')
for line in show_ver_list:
if 'Cisco IOS Software' in line:
os_version = line.split(', ')[2]
return os_version
return os_version
|
# 5
# / \
# 3 7
# / \ / \
# 2 4 6 8
tree = Node(5)
insert(tree, Node(3))
insert(tree, Node(2))
insert(tree, Node(4))
insert(tree, Node(7))
insert(tree, Node(6))
insert(tree, Node(8))
# 5 3 2 4 7 6 8
preorder(tree)
|
tree = node(5)
insert(tree, node(3))
insert(tree, node(2))
insert(tree, node(4))
insert(tree, node(7))
insert(tree, node(6))
insert(tree, node(8))
preorder(tree)
|
# Copyright (C) 2021 The Android Open Source Project
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
#
# These examples are taken from the TensorFlow specification:
#
# https://www.tensorflow.org/api_docs/cc/class/tensorflow/ops/mirror-pad
def test(name, input_dims, input_values, paddings, mode, output_dims, output_values):
t = Input("t", ("TENSOR_FLOAT32", input_dims))
paddings = Parameter("paddings", ("TENSOR_INT32", [len(input_dims), 2]), paddings)
output = Output("output", ("TENSOR_FLOAT32", output_dims))
model = Model().Operation("MIRROR_PAD", t, paddings, mode).To(output)
quant8_asymm_type = ("TENSOR_QUANT8_ASYMM", 0.5, 4)
quant8_asymm = DataTypeConverter(name="quant8_asymm").Identify({
t: quant8_asymm_type,
output: quant8_asymm_type,
})
quant8_asymm_signed_type = ("TENSOR_QUANT8_ASYMM_SIGNED", 0.25, -9)
quant8_asymm_signed = DataTypeConverter(name="quant8_asymm_signed").Identify({
t: quant8_asymm_signed_type,
output: quant8_asymm_signed_type,
})
Example({
t: input_values,
output: output_values,
}, model=model, name=name).AddVariations("float16", quant8_asymm, quant8_asymm_signed, "int32")
test("summary",
[2, 3], [1, 2, 3, # input_dims, input_values
4, 5, 6],
[1, 1, # paddings
2, 2],
1, # mode = SYMMETRIC
[4, 7], [2, 1, 1, 2, 3, 3, 2, # output_dims, output_values
2, 1, 1, 2, 3, 3, 2,
5, 4, 4, 5, 6, 6, 5,
5, 4, 4, 5, 6, 6, 5])
test("mode_reflect",
[3], [1, 2, 3], # input_dims, input_values
[0, 2], # paddings
0, # mode = REFLECT
[5], [1, 2, 3, 2, 1]) # output_dims, output_values
test("mode_symmetric",
[3], [1, 2, 3], # input_dims, input_values
[0, 2], # paddings
1, # mode = SYMMETRIC
[5], [1, 2, 3, 3, 2]) # output_dims, output_values
|
def test(name, input_dims, input_values, paddings, mode, output_dims, output_values):
t = input('t', ('TENSOR_FLOAT32', input_dims))
paddings = parameter('paddings', ('TENSOR_INT32', [len(input_dims), 2]), paddings)
output = output('output', ('TENSOR_FLOAT32', output_dims))
model = model().Operation('MIRROR_PAD', t, paddings, mode).To(output)
quant8_asymm_type = ('TENSOR_QUANT8_ASYMM', 0.5, 4)
quant8_asymm = data_type_converter(name='quant8_asymm').Identify({t: quant8_asymm_type, output: quant8_asymm_type})
quant8_asymm_signed_type = ('TENSOR_QUANT8_ASYMM_SIGNED', 0.25, -9)
quant8_asymm_signed = data_type_converter(name='quant8_asymm_signed').Identify({t: quant8_asymm_signed_type, output: quant8_asymm_signed_type})
example({t: input_values, output: output_values}, model=model, name=name).AddVariations('float16', quant8_asymm, quant8_asymm_signed, 'int32')
test('summary', [2, 3], [1, 2, 3, 4, 5, 6], [1, 1, 2, 2], 1, [4, 7], [2, 1, 1, 2, 3, 3, 2, 2, 1, 1, 2, 3, 3, 2, 5, 4, 4, 5, 6, 6, 5, 5, 4, 4, 5, 6, 6, 5])
test('mode_reflect', [3], [1, 2, 3], [0, 2], 0, [5], [1, 2, 3, 2, 1])
test('mode_symmetric', [3], [1, 2, 3], [0, 2], 1, [5], [1, 2, 3, 3, 2])
|
class SemanticException(Exception):
def __init__(self, message, token=None):
if token is None:
super(SemanticException, self).__init__(message)
else:
super(SemanticException, self).__init__(message + ': ' + token.__str__())
|
class Semanticexception(Exception):
def __init__(self, message, token=None):
if token is None:
super(SemanticException, self).__init__(message)
else:
super(SemanticException, self).__init__(message + ': ' + token.__str__())
|
keys = {
"x" :"x",
"y" :"y",
"l" :"left",
"left" :"left",
"r" :"right",
"right" :"right",
"t" :"top",
"top" :"top",
"b" :"bottom",
"bottom":"bottom",
"w" :"width",
"width" :"width",
"h" :"height",
"height":"height",
"a" :"align",
"align" :"align",
"d" :"dock",
"dock" :"dock"
}
align_values_reversed = {
"TopLeft":"tl,lt,topleft,lefttop",
"Top":"t,top",
"TopRight":"tr,rt,topright,righttop",
"Right":"r,right",
"BottomRight":"br,rb,bottomright,rightbottom",
"Bottom":"b,bottom",
"BottomLeft":"bl,lb,bottomleft,leftbottom",
"Left":"l,left",
"Center":"c,center",
}
def GenerateAlignValue():
global align_values_reversed
d = {}
for k in align_values_reversed:
for v in align_values_reversed[k].split(","):
d[v] = k
return d;
def ComputeHash(s):
s = s.upper()
h = 0
index = 0
for k in s:
ch_id = (ord(k)-ord('A'))+1
#h = h * 2 + ch_id
h = h + ch_id + index
index+=2
#h += ch_id
return h
def ComputeHashes(d_list):
d = {}
for k in d_list:
h = ComputeHash(k)
if not h in d:
d[h] = d_list[k]
if d[h]!=d_list[k]:
print("Colission: key:'"+k+"' mapped to '"+d_list[k]+"' has the same hash as keys mapped to '"+d[h]+"' !")
return None
return d
def CreateKeys():
res = ComputeHashes(keys)
if not res: return
d = {}
for k in keys:
d[keys[k]] = 1
s = "constexpr unsigned char LAYOUT_KEY_NONE = 0;\n"
v = 1;
idx = 1
for k in d:
s += "constexpr unsigned short LAYOUT_KEY_"+k.upper()+" = %d;\n"%(idx);
s += "constexpr unsigned short LAYOUT_FLAG_"+k.upper()+" = 0x%04X;\n"%(v);
v *= 2
idx+=1
s += "\n"
s += "constexpr unsigned char _layout_translate_map_["+str(max(res)+1)+"] = {"
for h in range(0,max(res)+1):
if h in res:
s += "LAYOUT_KEY_"+res[h].upper()+","
else:
s += "LAYOUT_KEY_NONE,"
s = s[:-1] + "};\n"
s += "\n";
s += "inline unsigned char HashToLayoutKey(unsigned int hash) {\n";
s += " if (hash>="+str(max(res)+1)+") return LAYOUT_KEY_NONE;\n";
s += " return _layout_translate_map_[hash];\n"
s += "};\n"
return s
def CreateAlignValues():
av = GenerateAlignValue()
res = ComputeHashes(av)
if not res: return
s = ""
#s += "/* HASH VALUES FOR ALIGN:\n"
#for h in res:
# s += " %s => %d\n"%(res[h],h)
#s += "*/\n"
s += "constexpr unsigned char _align_translate_map_["+str(max(res)+1)+"] = {"
for h in range(0,max(res)+1):
if h in res:
s += "(unsigned char)Alignament::"+res[h]+","
else:
s += "0xFF,"
s = s[:-1] + "};\n"
s += "\n";
s += "inline bool HashToAlignament(unsigned int hash, Alignament & align) {\n";
s += " if (hash>="+str(max(res)+1)+") return false;\n";
s += " auto ch = _align_translate_map_[hash];\n";
s += " if (ch == 0xFF) return false;\n";
s += " align = static_cast<Alignament>(ch);\n";
s += " return true;\n"
s += "};\n"
return s
s = "\n//========================================="
s += "\n// THIS CODE WAS AUTOMATICALLY GENERATED !"
s += "\n//========================================="
s += "\n"
s += "\n"+CreateKeys()
s += "\n"
s += "\n"+CreateAlignValues()
s += "\n"
s += "\n//========================================="
s += "\n// END OF AUTOMATICALLY GENERATED CODE"
s += "\n//========================================="
s += "\n"
print(s)
|
keys = {'x': 'x', 'y': 'y', 'l': 'left', 'left': 'left', 'r': 'right', 'right': 'right', 't': 'top', 'top': 'top', 'b': 'bottom', 'bottom': 'bottom', 'w': 'width', 'width': 'width', 'h': 'height', 'height': 'height', 'a': 'align', 'align': 'align', 'd': 'dock', 'dock': 'dock'}
align_values_reversed = {'TopLeft': 'tl,lt,topleft,lefttop', 'Top': 't,top', 'TopRight': 'tr,rt,topright,righttop', 'Right': 'r,right', 'BottomRight': 'br,rb,bottomright,rightbottom', 'Bottom': 'b,bottom', 'BottomLeft': 'bl,lb,bottomleft,leftbottom', 'Left': 'l,left', 'Center': 'c,center'}
def generate_align_value():
global align_values_reversed
d = {}
for k in align_values_reversed:
for v in align_values_reversed[k].split(','):
d[v] = k
return d
def compute_hash(s):
s = s.upper()
h = 0
index = 0
for k in s:
ch_id = ord(k) - ord('A') + 1
h = h + ch_id + index
index += 2
return h
def compute_hashes(d_list):
d = {}
for k in d_list:
h = compute_hash(k)
if not h in d:
d[h] = d_list[k]
if d[h] != d_list[k]:
print("Colission: key:'" + k + "' mapped to '" + d_list[k] + "' has the same hash as keys mapped to '" + d[h] + "' !")
return None
return d
def create_keys():
res = compute_hashes(keys)
if not res:
return
d = {}
for k in keys:
d[keys[k]] = 1
s = 'constexpr unsigned char LAYOUT_KEY_NONE = 0;\n'
v = 1
idx = 1
for k in d:
s += 'constexpr unsigned short LAYOUT_KEY_' + k.upper() + ' = %d;\n' % idx
s += 'constexpr unsigned short LAYOUT_FLAG_' + k.upper() + ' = 0x%04X;\n' % v
v *= 2
idx += 1
s += '\n'
s += 'constexpr unsigned char _layout_translate_map_[' + str(max(res) + 1) + '] = {'
for h in range(0, max(res) + 1):
if h in res:
s += 'LAYOUT_KEY_' + res[h].upper() + ','
else:
s += 'LAYOUT_KEY_NONE,'
s = s[:-1] + '};\n'
s += '\n'
s += 'inline unsigned char HashToLayoutKey(unsigned int hash) {\n'
s += '\tif (hash>=' + str(max(res) + 1) + ') return LAYOUT_KEY_NONE;\n'
s += '\treturn _layout_translate_map_[hash];\n'
s += '};\n'
return s
def create_align_values():
av = generate_align_value()
res = compute_hashes(av)
if not res:
return
s = ''
s += 'constexpr unsigned char _align_translate_map_[' + str(max(res) + 1) + '] = {'
for h in range(0, max(res) + 1):
if h in res:
s += '(unsigned char)Alignament::' + res[h] + ','
else:
s += '0xFF,'
s = s[:-1] + '};\n'
s += '\n'
s += 'inline bool HashToAlignament(unsigned int hash, Alignament & align) {\n'
s += '\tif (hash>=' + str(max(res) + 1) + ') return false;\n'
s += '\tauto ch = _align_translate_map_[hash];\n'
s += '\tif (ch == 0xFF) return false;\n'
s += '\talign = static_cast<Alignament>(ch);\n'
s += '\treturn true;\n'
s += '};\n'
return s
s = '\n//========================================='
s += '\n// THIS CODE WAS AUTOMATICALLY GENERATED !'
s += '\n//========================================='
s += '\n'
s += '\n' + create_keys()
s += '\n'
s += '\n' + create_align_values()
s += '\n'
s += '\n//========================================='
s += '\n// END OF AUTOMATICALLY GENERATED CODE'
s += '\n//========================================='
s += '\n'
print(s)
|
# this contains some predefined pair outputs .
def fixedpair(inp):
if inp == "who?":
pair = "I am TS3000."
elif inp == "who ?" :
pair = "I m bitch"
return pair
|
def fixedpair(inp):
if inp == 'who?':
pair = 'I am TS3000.'
elif inp == 'who ?':
pair = 'I m bitch'
return pair
|
class PlanCircuit(APIObject, IDisposable):
""" An object that represents an enclosed area in a plan view within the Autodesk Revit project. """
def Dispose(self):
""" Dispose(self: APIObject,A_0: bool) """
pass
def GetPointInside(self):
"""
GetPointInside(self: PlanCircuit) -> UV
Returns a point inside the circuit.
"""
pass
def ReleaseManagedResources(self, *args):
""" ReleaseManagedResources(self: APIObject) """
pass
def ReleaseUnmanagedResources(self, *args):
""" ReleaseUnmanagedResources(self: APIObject) """
pass
def __enter__(self, *args):
""" __enter__(self: IDisposable) -> object """
pass
def __exit__(self, *args):
""" __exit__(self: IDisposable,exc_type: object,exc_value: object,exc_back: object) """
pass
def __init__(self, *args):
""" x.__init__(...) initializes x; see x.__class__.__doc__ for signaturex.__init__(...) initializes x; see x.__class__.__doc__ for signaturex.__init__(...) initializes x; see x.__class__.__doc__ for signature """
pass
Area = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""The enclosed area of the circuit.
Get: Area(self: PlanCircuit) -> float
"""
IsRoomLocated = property(
lambda self: object(), lambda self, v: None, lambda self: None
)
"""Reports whether there is a room located in this circuit.
Get: IsRoomLocated(self: PlanCircuit) -> bool
"""
SideNum = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""The number of sides in the circuit.
Get: SideNum(self: PlanCircuit) -> int
"""
|
class Plancircuit(APIObject, IDisposable):
""" An object that represents an enclosed area in a plan view within the Autodesk Revit project. """
def dispose(self):
""" Dispose(self: APIObject,A_0: bool) """
pass
def get_point_inside(self):
"""
GetPointInside(self: PlanCircuit) -> UV
Returns a point inside the circuit.
"""
pass
def release_managed_resources(self, *args):
""" ReleaseManagedResources(self: APIObject) """
pass
def release_unmanaged_resources(self, *args):
""" ReleaseUnmanagedResources(self: APIObject) """
pass
def __enter__(self, *args):
""" __enter__(self: IDisposable) -> object """
pass
def __exit__(self, *args):
""" __exit__(self: IDisposable,exc_type: object,exc_value: object,exc_back: object) """
pass
def __init__(self, *args):
""" x.__init__(...) initializes x; see x.__class__.__doc__ for signaturex.__init__(...) initializes x; see x.__class__.__doc__ for signaturex.__init__(...) initializes x; see x.__class__.__doc__ for signature """
pass
area = property(lambda self: object(), lambda self, v: None, lambda self: None)
'The enclosed area of the circuit.\n\n\n\nGet: Area(self: PlanCircuit) -> float\n\n\n\n'
is_room_located = property(lambda self: object(), lambda self, v: None, lambda self: None)
'Reports whether there is a room located in this circuit.\n\n\n\nGet: IsRoomLocated(self: PlanCircuit) -> bool\n\n\n\n'
side_num = property(lambda self: object(), lambda self, v: None, lambda self: None)
'The number of sides in the circuit.\n\n\n\nGet: SideNum(self: PlanCircuit) -> int\n\n\n\n'
|
'''
05 - Putting a list of dates in order
Much like numbers and strings, date objects in Python can be put
in order. Earlier dates come before later ones, and so we can sort
a list of date objects from earliest to latest.
What if our Florida hurricane dates had been scrambled? We've gone
ahead and shuffled them so they're in random order and saved the
results as dates_scrambled. Your job is to put them back in chronological
order, and then print the first and last dates from this sorted list.
Instructions:
- Print the first and last dates in dates_scrambled.
- Sort dates_scrambled using Python's built-in sorted() method, and save the
results to dates_ordered.
- Print the first and last dates in dates_ordered.
'''
# Print the first and last scrambled dates
print(dates_scrambled[0])
print(dates_scrambled[-1])
# Put the dates in order
dates_ordered = sorted(dates_scrambled)
# Print the first and last ordered dates
print(dates_ordered[0])
print(dates_ordered[-1])
|
"""
05 - Putting a list of dates in order
Much like numbers and strings, date objects in Python can be put
in order. Earlier dates come before later ones, and so we can sort
a list of date objects from earliest to latest.
What if our Florida hurricane dates had been scrambled? We've gone
ahead and shuffled them so they're in random order and saved the
results as dates_scrambled. Your job is to put them back in chronological
order, and then print the first and last dates from this sorted list.
Instructions:
- Print the first and last dates in dates_scrambled.
- Sort dates_scrambled using Python's built-in sorted() method, and save the
results to dates_ordered.
- Print the first and last dates in dates_ordered.
"""
print(dates_scrambled[0])
print(dates_scrambled[-1])
dates_ordered = sorted(dates_scrambled)
print(dates_ordered[0])
print(dates_ordered[-1])
|
_base_ = ['./rretinanet_obb_r50_fpn_1x_dota_v3.py']
# switch data path in '../_base_/datasets/dota1_0.py'
angle_version = 'v3'
img_norm_cfg = dict(
mean=[123.675, 116.28, 103.53], std=[58.395, 57.12, 57.375], to_rgb=True)
train_pipeline = [
dict(type='LoadImageFromFile'),
dict(type='LoadAnnotations', with_bbox=True),
dict(type='RResize', img_scale=(1024, 1024)),
dict(
type='RRandomFlip',
flip_ratio=[0.25, 0.25, 0.25],
direction=['horizontal', 'vertical', 'diagonal'],
version=angle_version),
dict(
type='PolyRandomRotate',
rotate_ratio=0.5,
angles_range=180,
auto_bound=False,
version=angle_version),
dict(type='Normalize', **img_norm_cfg),
dict(type='Pad', size_divisor=32),
dict(type='DefaultFormatBundle'),
dict(type='Collect', keys=['img', 'gt_bboxes', 'gt_labels'])
]
data = dict(train=dict(pipeline=train_pipeline))
|
_base_ = ['./rretinanet_obb_r50_fpn_1x_dota_v3.py']
angle_version = 'v3'
img_norm_cfg = dict(mean=[123.675, 116.28, 103.53], std=[58.395, 57.12, 57.375], to_rgb=True)
train_pipeline = [dict(type='LoadImageFromFile'), dict(type='LoadAnnotations', with_bbox=True), dict(type='RResize', img_scale=(1024, 1024)), dict(type='RRandomFlip', flip_ratio=[0.25, 0.25, 0.25], direction=['horizontal', 'vertical', 'diagonal'], version=angle_version), dict(type='PolyRandomRotate', rotate_ratio=0.5, angles_range=180, auto_bound=False, version=angle_version), dict(type='Normalize', **img_norm_cfg), dict(type='Pad', size_divisor=32), dict(type='DefaultFormatBundle'), dict(type='Collect', keys=['img', 'gt_bboxes', 'gt_labels'])]
data = dict(train=dict(pipeline=train_pipeline))
|
# O(n) time | O(n) space
# Iterative solution 2
def spiralTraverse(array):
result = []
startRow, endRow = 0, len(array) - 1
startCol, endCol = 0, len(array[0]) - 1
while startRow <= endRow and startCol <= endCol:
for col in range(startCol, endCol + 1):
result.append(array[startRow][col])
for row in range(startRow + 1, endRow + 1):
result.append(array[row][endCol])
if startRow == endRow or startCol == endCol:
break
for col in reversed(range(startCol, endCol)):
result.append(array[endRow][col])
for row in reversed(range(startRow + 1, endRow)):
result.append(array[row][startCol])
startRow += 1
startCol += 1
endRow -= 1
endCol -= 1
return result
# O(n) time | O(n) space
# Recursive solution
def spiralTraverse(array):
result = []
spiralTraverseHelper(array, 0, len(array) - 1, 0,
len(array[0]) - 1, result)
return result
def spiralTraverseHelper(array, startRow, endRow, startCol, endCol, result):
if startRow > endRow or startCol > endCol:
return
for col in range(startCol, endCol + 1):
result.append(array[startRow][col])
for row in range(startRow + 1, endRow + 1):
result.append(array[row][endCol])
if startRow == endRow or startCol == endCol:
return
for col in reversed(range(startCol, endCol)):
result.append(array[endRow][col])
for row in reversed(range(startRow + 1, endRow)):
result.append(array[row][startCol])
spiralTraverseHelper(array, startRow + 1, endRow - 1,
startCol + 1, endCol - 1, result)
# O(n) time | O(n) space
# Iterative solution 1
def spiralTraverse(array):
result = []
minRow, maxRow = 0, len(array) - 1
min_col, max_col = 0, len(array[0]) - 1
row, col = 0, 0
while minRow <= maxRow and min_col <= max_col:
while col <= max_col:
result.append(array[row][col])
col += 1
minRow += 1
row = minRow
col = max_col
while row <= maxRow:
result.append(array[row][col])
row += 1
max_col -= 1
col = max_col
row = maxRow
if not (minRow <= maxRow and min_col <= max_col):
break
while col >= min_col:
result.append(array[row][col])
col -= 1
maxRow -= 1
row = maxRow
col = min_col
while row >= minRow:
result.append(array[row][col])
row -= 1
min_col += 1
col = min_col
row = minRow
return result
|
def spiral_traverse(array):
result = []
(start_row, end_row) = (0, len(array) - 1)
(start_col, end_col) = (0, len(array[0]) - 1)
while startRow <= endRow and startCol <= endCol:
for col in range(startCol, endCol + 1):
result.append(array[startRow][col])
for row in range(startRow + 1, endRow + 1):
result.append(array[row][endCol])
if startRow == endRow or startCol == endCol:
break
for col in reversed(range(startCol, endCol)):
result.append(array[endRow][col])
for row in reversed(range(startRow + 1, endRow)):
result.append(array[row][startCol])
start_row += 1
start_col += 1
end_row -= 1
end_col -= 1
return result
def spiral_traverse(array):
result = []
spiral_traverse_helper(array, 0, len(array) - 1, 0, len(array[0]) - 1, result)
return result
def spiral_traverse_helper(array, startRow, endRow, startCol, endCol, result):
if startRow > endRow or startCol > endCol:
return
for col in range(startCol, endCol + 1):
result.append(array[startRow][col])
for row in range(startRow + 1, endRow + 1):
result.append(array[row][endCol])
if startRow == endRow or startCol == endCol:
return
for col in reversed(range(startCol, endCol)):
result.append(array[endRow][col])
for row in reversed(range(startRow + 1, endRow)):
result.append(array[row][startCol])
spiral_traverse_helper(array, startRow + 1, endRow - 1, startCol + 1, endCol - 1, result)
def spiral_traverse(array):
result = []
(min_row, max_row) = (0, len(array) - 1)
(min_col, max_col) = (0, len(array[0]) - 1)
(row, col) = (0, 0)
while minRow <= maxRow and min_col <= max_col:
while col <= max_col:
result.append(array[row][col])
col += 1
min_row += 1
row = minRow
col = max_col
while row <= maxRow:
result.append(array[row][col])
row += 1
max_col -= 1
col = max_col
row = maxRow
if not (minRow <= maxRow and min_col <= max_col):
break
while col >= min_col:
result.append(array[row][col])
col -= 1
max_row -= 1
row = maxRow
col = min_col
while row >= minRow:
result.append(array[row][col])
row -= 1
min_col += 1
col = min_col
row = minRow
return result
|
class MinStack:
def __init__(self):
"""
initialize your data structure here.
"""
self.stack = []
self.helper = []
def push(self, x: int) -> None:
self.stack.append(x)
if not self.helper or x <= self.helper[-1]:
self.helper.append(x)
def pop(self) -> None:
top = self.stack.pop()
if self.helper and top == self.helper[-1]:
self.helper.pop()
return top
def top(self) -> int:
return self.stack[-1]
def getMin(self) -> int:
return self.helper[-1]
|
class Minstack:
def __init__(self):
"""
initialize your data structure here.
"""
self.stack = []
self.helper = []
def push(self, x: int) -> None:
self.stack.append(x)
if not self.helper or x <= self.helper[-1]:
self.helper.append(x)
def pop(self) -> None:
top = self.stack.pop()
if self.helper and top == self.helper[-1]:
self.helper.pop()
return top
def top(self) -> int:
return self.stack[-1]
def get_min(self) -> int:
return self.helper[-1]
|
"""Return empty resources block."""
def GenerateConfig(_):
return """resources:"""
|
"""Return empty resources block."""
def generate_config(_):
return 'resources:'
|
for i in range(5):
ans = 0
coins = []
for i in range(int(input())):
coins.append(int(input()))
avg = sum(coins) // len(coins)
for i in coins:
ans += abs(avg - i)
print(ans // 2)
|
for i in range(5):
ans = 0
coins = []
for i in range(int(input())):
coins.append(int(input()))
avg = sum(coins) // len(coins)
for i in coins:
ans += abs(avg - i)
print(ans // 2)
|
"""
Given an integer, write an algorithm to convert it to hexadecimal. For negative integer, two's complement method is used.
Note:
All letters in hexadecimal (a-f) must be in lowercase.
The hexadecimal string must not contain extra leading 0s.
If the number is zero, it is represented by a single zero character '0'; otherwise,
the first character in the hexadecimal string will not be the zero character.
The given number is guaranteed to fit within the range of a 32-bit signed integer.
You must not use any method provided by the library which converts/formats the number to hex directly.
Example 1:
Input:
26
Output:
"1a"
Example 2:
Input:
-1
Output:
"ffffffff"
"""
class Solution(object):
def toHex(self, num):
"""
:type num: int
:rtype: str
"""
if 0 == num:
return "0"
# both OK
mapping = dict(zip(range(0, 16), "0123456789abcdef"))
mapping = "0123456789abcdef"
if num < 0:
num += 2 ** 32
remains = []
while num:
remains.append(mapping[num % 16])
num /= 16
return "".join(remains[::-1])
|
"""
Given an integer, write an algorithm to convert it to hexadecimal. For negative integer, two's complement method is used.
Note:
All letters in hexadecimal (a-f) must be in lowercase.
The hexadecimal string must not contain extra leading 0s.
If the number is zero, it is represented by a single zero character '0'; otherwise,
the first character in the hexadecimal string will not be the zero character.
The given number is guaranteed to fit within the range of a 32-bit signed integer.
You must not use any method provided by the library which converts/formats the number to hex directly.
Example 1:
Input:
26
Output:
"1a"
Example 2:
Input:
-1
Output:
"ffffffff"
"""
class Solution(object):
def to_hex(self, num):
"""
:type num: int
:rtype: str
"""
if 0 == num:
return '0'
mapping = dict(zip(range(0, 16), '0123456789abcdef'))
mapping = '0123456789abcdef'
if num < 0:
num += 2 ** 32
remains = []
while num:
remains.append(mapping[num % 16])
num /= 16
return ''.join(remains[::-1])
|
app_name = 'app004'
urlpatterns = [
]
|
app_name = 'app004'
urlpatterns = []
|
#
# PySNMP MIB module ZHONE-DISMAN-TRACEROUTE-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/ZHONE-DISMAN-TRACEROUTE-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 21:41:14 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)
#
ObjectIdentifier, Integer, OctetString = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "Integer", "OctetString")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
SingleValueConstraint, ValueRangeConstraint, ValueSizeConstraint, ConstraintsIntersection, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "SingleValueConstraint", "ValueRangeConstraint", "ValueSizeConstraint", "ConstraintsIntersection", "ConstraintsUnion")
InterfaceIndexOrZero, = mibBuilder.importSymbols("IF-MIB", "InterfaceIndexOrZero")
InetAddress, InetAddressType = mibBuilder.importSymbols("INET-ADDRESS-MIB", "InetAddress", "InetAddressType")
SnmpAdminString, = mibBuilder.importSymbols("SNMP-FRAMEWORK-MIB", "SnmpAdminString")
ModuleCompliance, ObjectGroup, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "ObjectGroup", "NotificationGroup")
MibScalar, MibTable, MibTableRow, MibTableColumn, Gauge32, IpAddress, mib_2, TimeTicks, Unsigned32, ModuleIdentity, ObjectIdentity, Counter32, NotificationType, Integer32, iso, Bits, Counter64, MibIdentifier = mibBuilder.importSymbols("SNMPv2-SMI", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Gauge32", "IpAddress", "mib-2", "TimeTicks", "Unsigned32", "ModuleIdentity", "ObjectIdentity", "Counter32", "NotificationType", "Integer32", "iso", "Bits", "Counter64", "MibIdentifier")
RowStatus, StorageType, DisplayString, TextualConvention, TruthValue, DateAndTime = mibBuilder.importSymbols("SNMPv2-TC", "RowStatus", "StorageType", "DisplayString", "TextualConvention", "TruthValue", "DateAndTime")
OperationResponseStatus, = mibBuilder.importSymbols("ZHONE-DISMAN-PING-MIB", "OperationResponseStatus")
zhoneIp, = mibBuilder.importSymbols("Zhone", "zhoneIp")
zhoneTraceRouteMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20))
zhoneTraceRouteMIB.setRevisions(('2000-09-21 00:00',))
if mibBuilder.loadTexts: zhoneTraceRouteMIB.setLastUpdated('200009210000Z')
if mibBuilder.loadTexts: zhoneTraceRouteMIB.setOrganization('IETF Distributed Management Working Group')
zhoneTraceRouteNotifications = MibIdentifier((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 0))
zhoneTraceRouteObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1))
zhoneTraceRouteConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 2))
zhoneTraceRouteImplementationTypeDomains = MibIdentifier((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 3))
zhoneTraceRouteUsingUdpProbes = ObjectIdentity((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 3, 1))
if mibBuilder.loadTexts: zhoneTraceRouteUsingUdpProbes.setStatus('current')
zhoneTraceRouteMaxConcurrentRequests = MibScalar((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 1), Unsigned32().clone(10)).setUnits('requests').setMaxAccess("readwrite")
if mibBuilder.loadTexts: zhoneTraceRouteMaxConcurrentRequests.setStatus('current')
zhoneTraceRouteCtlIndexNext = MibScalar((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: zhoneTraceRouteCtlIndexNext.setStatus('current')
zhoneTraceRouteCtlTable = MibTable((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3), )
if mibBuilder.loadTexts: zhoneTraceRouteCtlTable.setStatus('current')
zhoneTraceRouteCtlEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1), ).setIndexNames((0, "ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlIndex"))
if mibBuilder.loadTexts: zhoneTraceRouteCtlEntry.setStatus('current')
zhoneTraceRouteCtlIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: zhoneTraceRouteCtlIndex.setStatus('current')
zhoneTraceRouteCtlTargetAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 2), InetAddressType().clone('ipv4')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: zhoneTraceRouteCtlTargetAddressType.setStatus('current')
zhoneTraceRouteCtlTargetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 3), InetAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: zhoneTraceRouteCtlTargetAddress.setStatus('current')
zhoneTraceRouteCtlByPassRouteTable = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 4), TruthValue().clone('false')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: zhoneTraceRouteCtlByPassRouteTable.setStatus('current')
zhoneTraceRouteCtlDataSize = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 65507))).setUnits('octets').setMaxAccess("readcreate")
if mibBuilder.loadTexts: zhoneTraceRouteCtlDataSize.setStatus('current')
zhoneTraceRouteCtlTimeOut = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 60)).clone(3)).setUnits('seconds').setMaxAccess("readcreate")
if mibBuilder.loadTexts: zhoneTraceRouteCtlTimeOut.setStatus('current')
zhoneTraceRouteCtlProbesPerHop = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 10)).clone(3)).setUnits('probes').setMaxAccess("readcreate")
if mibBuilder.loadTexts: zhoneTraceRouteCtlProbesPerHop.setStatus('current')
zhoneTraceRouteCtlPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535)).clone(33434)).setUnits('UDP Port').setMaxAccess("readcreate")
if mibBuilder.loadTexts: zhoneTraceRouteCtlPort.setStatus('current')
zhoneTraceRouteCtlMaxTtl = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 9), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 255)).clone(30)).setUnits('time-to-live value').setMaxAccess("readcreate")
if mibBuilder.loadTexts: zhoneTraceRouteCtlMaxTtl.setStatus('current')
zhoneTraceRouteCtlDSField = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 10), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: zhoneTraceRouteCtlDSField.setStatus('current')
zhoneTraceRouteCtlSourceAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 11), InetAddressType().clone('unknown')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: zhoneTraceRouteCtlSourceAddressType.setStatus('current')
zhoneTraceRouteCtlSourceAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 12), InetAddress().clone(hexValue="0")).setMaxAccess("readcreate")
if mibBuilder.loadTexts: zhoneTraceRouteCtlSourceAddress.setStatus('current')
zhoneTraceRouteCtlIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 13), InterfaceIndexOrZero()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: zhoneTraceRouteCtlIfIndex.setStatus('current')
zhoneTraceRouteCtlMiscOptions = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 14), SnmpAdminString().clone(hexValue="0")).setMaxAccess("readcreate")
if mibBuilder.loadTexts: zhoneTraceRouteCtlMiscOptions.setStatus('current')
zhoneTraceRouteCtlMaxFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 15), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 255)).clone(5)).setUnits('timeouts').setMaxAccess("readcreate")
if mibBuilder.loadTexts: zhoneTraceRouteCtlMaxFailures.setStatus('current')
zhoneTraceRouteCtlDontFragment = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 16), TruthValue().clone('false')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: zhoneTraceRouteCtlDontFragment.setStatus('current')
zhoneTraceRouteCtlInitialTtl = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 17), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 255)).clone(1)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: zhoneTraceRouteCtlInitialTtl.setStatus('current')
zhoneTraceRouteCtlFrequency = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 18), Unsigned32()).setUnits('seconds').setMaxAccess("readcreate")
if mibBuilder.loadTexts: zhoneTraceRouteCtlFrequency.setStatus('current')
zhoneTraceRouteCtlStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 19), StorageType().clone('nonVolatile')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: zhoneTraceRouteCtlStorageType.setStatus('current')
zhoneTraceRouteCtlAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2))).clone('disabled')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: zhoneTraceRouteCtlAdminStatus.setStatus('current')
zhoneTraceRouteCtlDescr = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 21), SnmpAdminString().clone(hexValue="0")).setMaxAccess("readcreate")
if mibBuilder.loadTexts: zhoneTraceRouteCtlDescr.setStatus('current')
zhoneTraceRouteCtlMaxRows = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 22), Unsigned32().clone(50)).setUnits('rows').setMaxAccess("readcreate")
if mibBuilder.loadTexts: zhoneTraceRouteCtlMaxRows.setStatus('current')
zhoneTraceRouteCtlTrapGeneration = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 23), Bits().clone(namedValues=NamedValues(("pathChange", 0), ("testFailure", 1), ("testCompletion", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: zhoneTraceRouteCtlTrapGeneration.setStatus('current')
zhoneTraceRouteCtlCreateHopsEntries = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 24), TruthValue().clone('false')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: zhoneTraceRouteCtlCreateHopsEntries.setStatus('current')
zhoneTraceRouteCtlType = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 25), ObjectIdentifier().clone((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 3, 1))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: zhoneTraceRouteCtlType.setStatus('current')
zhoneTraceRouteCtlRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 26), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: zhoneTraceRouteCtlRowStatus.setStatus('current')
zhoneTraceRouteResultsTable = MibTable((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 4), )
if mibBuilder.loadTexts: zhoneTraceRouteResultsTable.setStatus('current')
zhoneTraceRouteResultsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 4, 1), ).setIndexNames((0, "ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlIndex"))
if mibBuilder.loadTexts: zhoneTraceRouteResultsEntry.setStatus('current')
zhoneTraceRouteResultsOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 4, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: zhoneTraceRouteResultsOperStatus.setStatus('current')
zhoneTraceRouteResultsCurHopCount = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 4, 1, 2), Gauge32()).setUnits('hops').setMaxAccess("readonly")
if mibBuilder.loadTexts: zhoneTraceRouteResultsCurHopCount.setStatus('current')
zhoneTraceRouteResultsCurProbeCount = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 4, 1, 3), Gauge32()).setUnits('probes').setMaxAccess("readonly")
if mibBuilder.loadTexts: zhoneTraceRouteResultsCurProbeCount.setStatus('current')
zhoneTraceRouteResultsIpTgtAddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 4, 1, 4), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: zhoneTraceRouteResultsIpTgtAddrType.setStatus('current')
zhoneTraceRouteResultsIpTgtAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 4, 1, 5), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: zhoneTraceRouteResultsIpTgtAddr.setStatus('current')
zhoneTraceRouteResultsTestAttempts = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 4, 1, 6), Unsigned32()).setUnits('tests').setMaxAccess("readonly")
if mibBuilder.loadTexts: zhoneTraceRouteResultsTestAttempts.setStatus('current')
zhoneTraceRouteResultsTestSuccesses = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 4, 1, 7), Unsigned32()).setUnits('tests').setMaxAccess("readonly")
if mibBuilder.loadTexts: zhoneTraceRouteResultsTestSuccesses.setStatus('current')
zhoneTraceRouteResultsLastGoodPath = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 4, 1, 8), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: zhoneTraceRouteResultsLastGoodPath.setStatus('current')
zhoneTraceRouteHopsTable = MibTable((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 5), )
if mibBuilder.loadTexts: zhoneTraceRouteHopsTable.setStatus('current')
zhoneTraceRouteHopsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 5, 1), ).setIndexNames((0, "ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlIndex"), (0, "ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteHopsHopIndex"))
if mibBuilder.loadTexts: zhoneTraceRouteHopsEntry.setStatus('current')
zhoneTraceRouteHopsHopIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 5, 1, 1), Unsigned32())
if mibBuilder.loadTexts: zhoneTraceRouteHopsHopIndex.setStatus('current')
zhoneTraceRouteHopsIpTgtAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 5, 1, 2), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: zhoneTraceRouteHopsIpTgtAddressType.setStatus('current')
zhoneTraceRouteHopsIpTgtAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 5, 1, 3), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: zhoneTraceRouteHopsIpTgtAddress.setStatus('current')
zhoneTraceRouteHopsMinRtt = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 5, 1, 4), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: zhoneTraceRouteHopsMinRtt.setStatus('current')
zhoneTraceRouteHopsMaxRtt = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 5, 1, 5), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: zhoneTraceRouteHopsMaxRtt.setStatus('current')
zhoneTraceRouteHopsAverageRtt = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 5, 1, 6), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: zhoneTraceRouteHopsAverageRtt.setStatus('current')
zhoneTraceRouteHopsRttSumOfSquares = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 5, 1, 7), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: zhoneTraceRouteHopsRttSumOfSquares.setStatus('current')
zhoneTraceRouteHopsSentProbes = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 5, 1, 8), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: zhoneTraceRouteHopsSentProbes.setStatus('current')
zhoneTraceRouteHopsProbeResponses = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 5, 1, 9), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: zhoneTraceRouteHopsProbeResponses.setStatus('current')
zhoneTraceRouteHopsLastGoodProbe = MibTableColumn((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 5, 1, 10), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: zhoneTraceRouteHopsLastGoodProbe.setStatus('current')
zhoneTraceRoutePathChange = NotificationType((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 0, 1)).setObjects(("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteResultsIpTgtAddr"))
if mibBuilder.loadTexts: zhoneTraceRoutePathChange.setStatus('current')
zhoneTraceRouteTestFailed = NotificationType((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 0, 2)).setObjects(("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteResultsIpTgtAddr"))
if mibBuilder.loadTexts: zhoneTraceRouteTestFailed.setStatus('current')
zhoneTraceRouteTestCompleted = NotificationType((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 0, 3)).setObjects(("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteResultsIpTgtAddr"))
if mibBuilder.loadTexts: zhoneTraceRouteTestCompleted.setStatus('current')
zhoneTraceRouteGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 2, 1))
zhoneTraceRouteGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 2, 1, 1)).setObjects(("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteMaxConcurrentRequests"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlTargetAddressType"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlTargetAddress"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlByPassRouteTable"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlDataSize"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlTimeOut"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlProbesPerHop"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlPort"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlMaxTtl"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlDSField"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlSourceAddressType"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlSourceAddress"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlIfIndex"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlMiscOptions"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlMaxFailures"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlDontFragment"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlInitialTtl"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlFrequency"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlStorageType"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlAdminStatus"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlMaxRows"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlTrapGeneration"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlDescr"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlCreateHopsEntries"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlType"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteCtlRowStatus"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteResultsOperStatus"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteResultsCurHopCount"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteResultsCurProbeCount"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteResultsIpTgtAddrType"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteResultsIpTgtAddr"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteResultsTestAttempts"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteResultsTestSuccesses"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
zhoneTraceRouteGroup = zhoneTraceRouteGroup.setStatus('current')
zhoneTraceRouteTimeStampGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 2, 1, 2)).setObjects(("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteResultsLastGoodPath"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
zhoneTraceRouteTimeStampGroup = zhoneTraceRouteTimeStampGroup.setStatus('current')
zhoneTraceRouteNotificationsGroup = NotificationGroup((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 2, 1, 3)).setObjects(("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRoutePathChange"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteTestFailed"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteTestCompleted"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
zhoneTraceRouteNotificationsGroup = zhoneTraceRouteNotificationsGroup.setStatus('current')
zhoneTraceRouteHopsTableGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 2, 1, 4)).setObjects(("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteHopsIpTgtAddressType"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteHopsIpTgtAddress"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteHopsMinRtt"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteHopsMaxRtt"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteHopsAverageRtt"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteHopsRttSumOfSquares"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteHopsSentProbes"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteHopsProbeResponses"), ("ZHONE-DISMAN-TRACEROUTE-MIB", "zhoneTraceRouteHopsLastGoodProbe"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
zhoneTraceRouteHopsTableGroup = zhoneTraceRouteHopsTableGroup.setStatus('current')
mibBuilder.exportSymbols("ZHONE-DISMAN-TRACEROUTE-MIB", zhoneTraceRouteMaxConcurrentRequests=zhoneTraceRouteMaxConcurrentRequests, zhoneTraceRouteResultsLastGoodPath=zhoneTraceRouteResultsLastGoodPath, zhoneTraceRouteResultsIpTgtAddrType=zhoneTraceRouteResultsIpTgtAddrType, zhoneTraceRouteHopsTable=zhoneTraceRouteHopsTable, zhoneTraceRouteCtlDataSize=zhoneTraceRouteCtlDataSize, zhoneTraceRouteCtlIfIndex=zhoneTraceRouteCtlIfIndex, zhoneTraceRouteCtlDescr=zhoneTraceRouteCtlDescr, zhoneTraceRouteCtlSourceAddress=zhoneTraceRouteCtlSourceAddress, zhoneTraceRouteHopsHopIndex=zhoneTraceRouteHopsHopIndex, zhoneTraceRouteHopsEntry=zhoneTraceRouteHopsEntry, zhoneTraceRouteResultsIpTgtAddr=zhoneTraceRouteResultsIpTgtAddr, zhoneTraceRouteHopsProbeResponses=zhoneTraceRouteHopsProbeResponses, zhoneTraceRouteNotificationsGroup=zhoneTraceRouteNotificationsGroup, zhoneTraceRouteCtlDSField=zhoneTraceRouteCtlDSField, zhoneTraceRouteHopsTableGroup=zhoneTraceRouteHopsTableGroup, zhoneTraceRouteImplementationTypeDomains=zhoneTraceRouteImplementationTypeDomains, zhoneTraceRouteCtlType=zhoneTraceRouteCtlType, zhoneTraceRouteHopsSentProbes=zhoneTraceRouteHopsSentProbes, zhoneTraceRouteCtlSourceAddressType=zhoneTraceRouteCtlSourceAddressType, zhoneTraceRouteResultsEntry=zhoneTraceRouteResultsEntry, zhoneTraceRouteCtlTrapGeneration=zhoneTraceRouteCtlTrapGeneration, zhoneTraceRouteCtlTimeOut=zhoneTraceRouteCtlTimeOut, zhoneTraceRouteCtlTable=zhoneTraceRouteCtlTable, zhoneTraceRouteResultsCurHopCount=zhoneTraceRouteResultsCurHopCount, zhoneTraceRouteTimeStampGroup=zhoneTraceRouteTimeStampGroup, zhoneTraceRouteHopsLastGoodProbe=zhoneTraceRouteHopsLastGoodProbe, zhoneTraceRouteCtlFrequency=zhoneTraceRouteCtlFrequency, PYSNMP_MODULE_ID=zhoneTraceRouteMIB, zhoneTraceRouteHopsMinRtt=zhoneTraceRouteHopsMinRtt, zhoneTraceRouteHopsIpTgtAddressType=zhoneTraceRouteHopsIpTgtAddressType, zhoneTraceRouteHopsMaxRtt=zhoneTraceRouteHopsMaxRtt, zhoneTraceRouteObjects=zhoneTraceRouteObjects, zhoneTraceRouteCtlMaxFailures=zhoneTraceRouteCtlMaxFailures, zhoneTraceRouteCtlAdminStatus=zhoneTraceRouteCtlAdminStatus, zhoneTraceRouteCtlByPassRouteTable=zhoneTraceRouteCtlByPassRouteTable, zhoneTraceRouteCtlInitialTtl=zhoneTraceRouteCtlInitialTtl, zhoneTraceRouteCtlTargetAddressType=zhoneTraceRouteCtlTargetAddressType, zhoneTraceRouteCtlMaxTtl=zhoneTraceRouteCtlMaxTtl, zhoneTraceRouteCtlMiscOptions=zhoneTraceRouteCtlMiscOptions, zhoneTraceRouteResultsOperStatus=zhoneTraceRouteResultsOperStatus, zhoneTraceRouteResultsTestSuccesses=zhoneTraceRouteResultsTestSuccesses, zhoneTraceRouteHopsAverageRtt=zhoneTraceRouteHopsAverageRtt, zhoneTraceRouteConformance=zhoneTraceRouteConformance, zhoneTraceRouteCtlProbesPerHop=zhoneTraceRouteCtlProbesPerHop, zhoneTraceRouteTestFailed=zhoneTraceRouteTestFailed, zhoneTraceRouteMIB=zhoneTraceRouteMIB, zhoneTraceRouteGroups=zhoneTraceRouteGroups, zhoneTraceRouteTestCompleted=zhoneTraceRouteTestCompleted, zhoneTraceRouteResultsTestAttempts=zhoneTraceRouteResultsTestAttempts, zhoneTraceRouteCtlTargetAddress=zhoneTraceRouteCtlTargetAddress, zhoneTraceRouteCtlStorageType=zhoneTraceRouteCtlStorageType, zhoneTraceRouteUsingUdpProbes=zhoneTraceRouteUsingUdpProbes, zhoneTraceRouteResultsCurProbeCount=zhoneTraceRouteResultsCurProbeCount, zhoneTraceRouteCtlEntry=zhoneTraceRouteCtlEntry, zhoneTraceRouteCtlIndex=zhoneTraceRouteCtlIndex, zhoneTraceRouteGroup=zhoneTraceRouteGroup, zhoneTraceRoutePathChange=zhoneTraceRoutePathChange, zhoneTraceRouteNotifications=zhoneTraceRouteNotifications, zhoneTraceRouteCtlPort=zhoneTraceRouteCtlPort, zhoneTraceRouteCtlMaxRows=zhoneTraceRouteCtlMaxRows, zhoneTraceRouteHopsRttSumOfSquares=zhoneTraceRouteHopsRttSumOfSquares, zhoneTraceRouteCtlIndexNext=zhoneTraceRouteCtlIndexNext, zhoneTraceRouteCtlDontFragment=zhoneTraceRouteCtlDontFragment, zhoneTraceRouteCtlRowStatus=zhoneTraceRouteCtlRowStatus, zhoneTraceRouteHopsIpTgtAddress=zhoneTraceRouteHopsIpTgtAddress, zhoneTraceRouteResultsTable=zhoneTraceRouteResultsTable, zhoneTraceRouteCtlCreateHopsEntries=zhoneTraceRouteCtlCreateHopsEntries)
|
(object_identifier, integer, octet_string) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'Integer', 'OctetString')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(single_value_constraint, value_range_constraint, value_size_constraint, constraints_intersection, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'SingleValueConstraint', 'ValueRangeConstraint', 'ValueSizeConstraint', 'ConstraintsIntersection', 'ConstraintsUnion')
(interface_index_or_zero,) = mibBuilder.importSymbols('IF-MIB', 'InterfaceIndexOrZero')
(inet_address, inet_address_type) = mibBuilder.importSymbols('INET-ADDRESS-MIB', 'InetAddress', 'InetAddressType')
(snmp_admin_string,) = mibBuilder.importSymbols('SNMP-FRAMEWORK-MIB', 'SnmpAdminString')
(module_compliance, object_group, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'ObjectGroup', 'NotificationGroup')
(mib_scalar, mib_table, mib_table_row, mib_table_column, gauge32, ip_address, mib_2, time_ticks, unsigned32, module_identity, object_identity, counter32, notification_type, integer32, iso, bits, counter64, mib_identifier) = mibBuilder.importSymbols('SNMPv2-SMI', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Gauge32', 'IpAddress', 'mib-2', 'TimeTicks', 'Unsigned32', 'ModuleIdentity', 'ObjectIdentity', 'Counter32', 'NotificationType', 'Integer32', 'iso', 'Bits', 'Counter64', 'MibIdentifier')
(row_status, storage_type, display_string, textual_convention, truth_value, date_and_time) = mibBuilder.importSymbols('SNMPv2-TC', 'RowStatus', 'StorageType', 'DisplayString', 'TextualConvention', 'TruthValue', 'DateAndTime')
(operation_response_status,) = mibBuilder.importSymbols('ZHONE-DISMAN-PING-MIB', 'OperationResponseStatus')
(zhone_ip,) = mibBuilder.importSymbols('Zhone', 'zhoneIp')
zhone_trace_route_mib = module_identity((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20))
zhoneTraceRouteMIB.setRevisions(('2000-09-21 00:00',))
if mibBuilder.loadTexts:
zhoneTraceRouteMIB.setLastUpdated('200009210000Z')
if mibBuilder.loadTexts:
zhoneTraceRouteMIB.setOrganization('IETF Distributed Management Working Group')
zhone_trace_route_notifications = mib_identifier((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 0))
zhone_trace_route_objects = mib_identifier((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1))
zhone_trace_route_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 2))
zhone_trace_route_implementation_type_domains = mib_identifier((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 3))
zhone_trace_route_using_udp_probes = object_identity((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 3, 1))
if mibBuilder.loadTexts:
zhoneTraceRouteUsingUdpProbes.setStatus('current')
zhone_trace_route_max_concurrent_requests = mib_scalar((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 1), unsigned32().clone(10)).setUnits('requests').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
zhoneTraceRouteMaxConcurrentRequests.setStatus('current')
zhone_trace_route_ctl_index_next = mib_scalar((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
zhoneTraceRouteCtlIndexNext.setStatus('current')
zhone_trace_route_ctl_table = mib_table((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3))
if mibBuilder.loadTexts:
zhoneTraceRouteCtlTable.setStatus('current')
zhone_trace_route_ctl_entry = mib_table_row((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1)).setIndexNames((0, 'ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlIndex'))
if mibBuilder.loadTexts:
zhoneTraceRouteCtlEntry.setStatus('current')
zhone_trace_route_ctl_index = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
zhoneTraceRouteCtlIndex.setStatus('current')
zhone_trace_route_ctl_target_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 2), inet_address_type().clone('ipv4')).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
zhoneTraceRouteCtlTargetAddressType.setStatus('current')
zhone_trace_route_ctl_target_address = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 3), inet_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
zhoneTraceRouteCtlTargetAddress.setStatus('current')
zhone_trace_route_ctl_by_pass_route_table = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 4), truth_value().clone('false')).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
zhoneTraceRouteCtlByPassRouteTable.setStatus('current')
zhone_trace_route_ctl_data_size = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 65507))).setUnits('octets').setMaxAccess('readcreate')
if mibBuilder.loadTexts:
zhoneTraceRouteCtlDataSize.setStatus('current')
zhone_trace_route_ctl_time_out = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 60)).clone(3)).setUnits('seconds').setMaxAccess('readcreate')
if mibBuilder.loadTexts:
zhoneTraceRouteCtlTimeOut.setStatus('current')
zhone_trace_route_ctl_probes_per_hop = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 10)).clone(3)).setUnits('probes').setMaxAccess('readcreate')
if mibBuilder.loadTexts:
zhoneTraceRouteCtlProbesPerHop.setStatus('current')
zhone_trace_route_ctl_port = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 8), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 65535)).clone(33434)).setUnits('UDP Port').setMaxAccess('readcreate')
if mibBuilder.loadTexts:
zhoneTraceRouteCtlPort.setStatus('current')
zhone_trace_route_ctl_max_ttl = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 9), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 255)).clone(30)).setUnits('time-to-live value').setMaxAccess('readcreate')
if mibBuilder.loadTexts:
zhoneTraceRouteCtlMaxTtl.setStatus('current')
zhone_trace_route_ctl_ds_field = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 10), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
zhoneTraceRouteCtlDSField.setStatus('current')
zhone_trace_route_ctl_source_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 11), inet_address_type().clone('unknown')).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
zhoneTraceRouteCtlSourceAddressType.setStatus('current')
zhone_trace_route_ctl_source_address = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 12), inet_address().clone(hexValue='0')).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
zhoneTraceRouteCtlSourceAddress.setStatus('current')
zhone_trace_route_ctl_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 13), interface_index_or_zero()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
zhoneTraceRouteCtlIfIndex.setStatus('current')
zhone_trace_route_ctl_misc_options = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 14), snmp_admin_string().clone(hexValue='0')).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
zhoneTraceRouteCtlMiscOptions.setStatus('current')
zhone_trace_route_ctl_max_failures = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 15), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 255)).clone(5)).setUnits('timeouts').setMaxAccess('readcreate')
if mibBuilder.loadTexts:
zhoneTraceRouteCtlMaxFailures.setStatus('current')
zhone_trace_route_ctl_dont_fragment = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 16), truth_value().clone('false')).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
zhoneTraceRouteCtlDontFragment.setStatus('current')
zhone_trace_route_ctl_initial_ttl = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 17), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 255)).clone(1)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
zhoneTraceRouteCtlInitialTtl.setStatus('current')
zhone_trace_route_ctl_frequency = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 18), unsigned32()).setUnits('seconds').setMaxAccess('readcreate')
if mibBuilder.loadTexts:
zhoneTraceRouteCtlFrequency.setStatus('current')
zhone_trace_route_ctl_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 19), storage_type().clone('nonVolatile')).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
zhoneTraceRouteCtlStorageType.setStatus('current')
zhone_trace_route_ctl_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 20), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2))).clone('disabled')).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
zhoneTraceRouteCtlAdminStatus.setStatus('current')
zhone_trace_route_ctl_descr = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 21), snmp_admin_string().clone(hexValue='0')).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
zhoneTraceRouteCtlDescr.setStatus('current')
zhone_trace_route_ctl_max_rows = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 22), unsigned32().clone(50)).setUnits('rows').setMaxAccess('readcreate')
if mibBuilder.loadTexts:
zhoneTraceRouteCtlMaxRows.setStatus('current')
zhone_trace_route_ctl_trap_generation = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 23), bits().clone(namedValues=named_values(('pathChange', 0), ('testFailure', 1), ('testCompletion', 2)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
zhoneTraceRouteCtlTrapGeneration.setStatus('current')
zhone_trace_route_ctl_create_hops_entries = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 24), truth_value().clone('false')).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
zhoneTraceRouteCtlCreateHopsEntries.setStatus('current')
zhone_trace_route_ctl_type = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 25), object_identifier().clone((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 3, 1))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
zhoneTraceRouteCtlType.setStatus('current')
zhone_trace_route_ctl_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 3, 1, 26), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
zhoneTraceRouteCtlRowStatus.setStatus('current')
zhone_trace_route_results_table = mib_table((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 4))
if mibBuilder.loadTexts:
zhoneTraceRouteResultsTable.setStatus('current')
zhone_trace_route_results_entry = mib_table_row((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 4, 1)).setIndexNames((0, 'ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlIndex'))
if mibBuilder.loadTexts:
zhoneTraceRouteResultsEntry.setStatus('current')
zhone_trace_route_results_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 4, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
zhoneTraceRouteResultsOperStatus.setStatus('current')
zhone_trace_route_results_cur_hop_count = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 4, 1, 2), gauge32()).setUnits('hops').setMaxAccess('readonly')
if mibBuilder.loadTexts:
zhoneTraceRouteResultsCurHopCount.setStatus('current')
zhone_trace_route_results_cur_probe_count = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 4, 1, 3), gauge32()).setUnits('probes').setMaxAccess('readonly')
if mibBuilder.loadTexts:
zhoneTraceRouteResultsCurProbeCount.setStatus('current')
zhone_trace_route_results_ip_tgt_addr_type = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 4, 1, 4), inet_address_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
zhoneTraceRouteResultsIpTgtAddrType.setStatus('current')
zhone_trace_route_results_ip_tgt_addr = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 4, 1, 5), inet_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
zhoneTraceRouteResultsIpTgtAddr.setStatus('current')
zhone_trace_route_results_test_attempts = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 4, 1, 6), unsigned32()).setUnits('tests').setMaxAccess('readonly')
if mibBuilder.loadTexts:
zhoneTraceRouteResultsTestAttempts.setStatus('current')
zhone_trace_route_results_test_successes = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 4, 1, 7), unsigned32()).setUnits('tests').setMaxAccess('readonly')
if mibBuilder.loadTexts:
zhoneTraceRouteResultsTestSuccesses.setStatus('current')
zhone_trace_route_results_last_good_path = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 4, 1, 8), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
zhoneTraceRouteResultsLastGoodPath.setStatus('current')
zhone_trace_route_hops_table = mib_table((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 5))
if mibBuilder.loadTexts:
zhoneTraceRouteHopsTable.setStatus('current')
zhone_trace_route_hops_entry = mib_table_row((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 5, 1)).setIndexNames((0, 'ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlIndex'), (0, 'ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteHopsHopIndex'))
if mibBuilder.loadTexts:
zhoneTraceRouteHopsEntry.setStatus('current')
zhone_trace_route_hops_hop_index = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 5, 1, 1), unsigned32())
if mibBuilder.loadTexts:
zhoneTraceRouteHopsHopIndex.setStatus('current')
zhone_trace_route_hops_ip_tgt_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 5, 1, 2), inet_address_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
zhoneTraceRouteHopsIpTgtAddressType.setStatus('current')
zhone_trace_route_hops_ip_tgt_address = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 5, 1, 3), inet_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
zhoneTraceRouteHopsIpTgtAddress.setStatus('current')
zhone_trace_route_hops_min_rtt = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 5, 1, 4), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
zhoneTraceRouteHopsMinRtt.setStatus('current')
zhone_trace_route_hops_max_rtt = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 5, 1, 5), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
zhoneTraceRouteHopsMaxRtt.setStatus('current')
zhone_trace_route_hops_average_rtt = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 5, 1, 6), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
zhoneTraceRouteHopsAverageRtt.setStatus('current')
zhone_trace_route_hops_rtt_sum_of_squares = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 5, 1, 7), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
zhoneTraceRouteHopsRttSumOfSquares.setStatus('current')
zhone_trace_route_hops_sent_probes = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 5, 1, 8), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
zhoneTraceRouteHopsSentProbes.setStatus('current')
zhone_trace_route_hops_probe_responses = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 5, 1, 9), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
zhoneTraceRouteHopsProbeResponses.setStatus('current')
zhone_trace_route_hops_last_good_probe = mib_table_column((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 1, 5, 1, 10), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
zhoneTraceRouteHopsLastGoodProbe.setStatus('current')
zhone_trace_route_path_change = notification_type((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 0, 1)).setObjects(('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteResultsIpTgtAddr'))
if mibBuilder.loadTexts:
zhoneTraceRoutePathChange.setStatus('current')
zhone_trace_route_test_failed = notification_type((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 0, 2)).setObjects(('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteResultsIpTgtAddr'))
if mibBuilder.loadTexts:
zhoneTraceRouteTestFailed.setStatus('current')
zhone_trace_route_test_completed = notification_type((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 0, 3)).setObjects(('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteResultsIpTgtAddr'))
if mibBuilder.loadTexts:
zhoneTraceRouteTestCompleted.setStatus('current')
zhone_trace_route_groups = mib_identifier((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 2, 1))
zhone_trace_route_group = object_group((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 2, 1, 1)).setObjects(('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteMaxConcurrentRequests'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlTargetAddressType'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlTargetAddress'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlByPassRouteTable'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlDataSize'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlTimeOut'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlProbesPerHop'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlPort'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlMaxTtl'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlDSField'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlSourceAddressType'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlSourceAddress'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlIfIndex'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlMiscOptions'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlMaxFailures'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlDontFragment'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlInitialTtl'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlFrequency'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlStorageType'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlAdminStatus'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlMaxRows'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlTrapGeneration'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlDescr'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlCreateHopsEntries'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlType'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteCtlRowStatus'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteResultsOperStatus'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteResultsCurHopCount'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteResultsCurProbeCount'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteResultsIpTgtAddrType'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteResultsIpTgtAddr'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteResultsTestAttempts'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteResultsTestSuccesses'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
zhone_trace_route_group = zhoneTraceRouteGroup.setStatus('current')
zhone_trace_route_time_stamp_group = object_group((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 2, 1, 2)).setObjects(('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteResultsLastGoodPath'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
zhone_trace_route_time_stamp_group = zhoneTraceRouteTimeStampGroup.setStatus('current')
zhone_trace_route_notifications_group = notification_group((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 2, 1, 3)).setObjects(('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRoutePathChange'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteTestFailed'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteTestCompleted'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
zhone_trace_route_notifications_group = zhoneTraceRouteNotificationsGroup.setStatus('current')
zhone_trace_route_hops_table_group = object_group((1, 3, 6, 1, 4, 1, 5504, 4, 1, 20, 2, 1, 4)).setObjects(('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteHopsIpTgtAddressType'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteHopsIpTgtAddress'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteHopsMinRtt'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteHopsMaxRtt'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteHopsAverageRtt'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteHopsRttSumOfSquares'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteHopsSentProbes'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteHopsProbeResponses'), ('ZHONE-DISMAN-TRACEROUTE-MIB', 'zhoneTraceRouteHopsLastGoodProbe'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
zhone_trace_route_hops_table_group = zhoneTraceRouteHopsTableGroup.setStatus('current')
mibBuilder.exportSymbols('ZHONE-DISMAN-TRACEROUTE-MIB', zhoneTraceRouteMaxConcurrentRequests=zhoneTraceRouteMaxConcurrentRequests, zhoneTraceRouteResultsLastGoodPath=zhoneTraceRouteResultsLastGoodPath, zhoneTraceRouteResultsIpTgtAddrType=zhoneTraceRouteResultsIpTgtAddrType, zhoneTraceRouteHopsTable=zhoneTraceRouteHopsTable, zhoneTraceRouteCtlDataSize=zhoneTraceRouteCtlDataSize, zhoneTraceRouteCtlIfIndex=zhoneTraceRouteCtlIfIndex, zhoneTraceRouteCtlDescr=zhoneTraceRouteCtlDescr, zhoneTraceRouteCtlSourceAddress=zhoneTraceRouteCtlSourceAddress, zhoneTraceRouteHopsHopIndex=zhoneTraceRouteHopsHopIndex, zhoneTraceRouteHopsEntry=zhoneTraceRouteHopsEntry, zhoneTraceRouteResultsIpTgtAddr=zhoneTraceRouteResultsIpTgtAddr, zhoneTraceRouteHopsProbeResponses=zhoneTraceRouteHopsProbeResponses, zhoneTraceRouteNotificationsGroup=zhoneTraceRouteNotificationsGroup, zhoneTraceRouteCtlDSField=zhoneTraceRouteCtlDSField, zhoneTraceRouteHopsTableGroup=zhoneTraceRouteHopsTableGroup, zhoneTraceRouteImplementationTypeDomains=zhoneTraceRouteImplementationTypeDomains, zhoneTraceRouteCtlType=zhoneTraceRouteCtlType, zhoneTraceRouteHopsSentProbes=zhoneTraceRouteHopsSentProbes, zhoneTraceRouteCtlSourceAddressType=zhoneTraceRouteCtlSourceAddressType, zhoneTraceRouteResultsEntry=zhoneTraceRouteResultsEntry, zhoneTraceRouteCtlTrapGeneration=zhoneTraceRouteCtlTrapGeneration, zhoneTraceRouteCtlTimeOut=zhoneTraceRouteCtlTimeOut, zhoneTraceRouteCtlTable=zhoneTraceRouteCtlTable, zhoneTraceRouteResultsCurHopCount=zhoneTraceRouteResultsCurHopCount, zhoneTraceRouteTimeStampGroup=zhoneTraceRouteTimeStampGroup, zhoneTraceRouteHopsLastGoodProbe=zhoneTraceRouteHopsLastGoodProbe, zhoneTraceRouteCtlFrequency=zhoneTraceRouteCtlFrequency, PYSNMP_MODULE_ID=zhoneTraceRouteMIB, zhoneTraceRouteHopsMinRtt=zhoneTraceRouteHopsMinRtt, zhoneTraceRouteHopsIpTgtAddressType=zhoneTraceRouteHopsIpTgtAddressType, zhoneTraceRouteHopsMaxRtt=zhoneTraceRouteHopsMaxRtt, zhoneTraceRouteObjects=zhoneTraceRouteObjects, zhoneTraceRouteCtlMaxFailures=zhoneTraceRouteCtlMaxFailures, zhoneTraceRouteCtlAdminStatus=zhoneTraceRouteCtlAdminStatus, zhoneTraceRouteCtlByPassRouteTable=zhoneTraceRouteCtlByPassRouteTable, zhoneTraceRouteCtlInitialTtl=zhoneTraceRouteCtlInitialTtl, zhoneTraceRouteCtlTargetAddressType=zhoneTraceRouteCtlTargetAddressType, zhoneTraceRouteCtlMaxTtl=zhoneTraceRouteCtlMaxTtl, zhoneTraceRouteCtlMiscOptions=zhoneTraceRouteCtlMiscOptions, zhoneTraceRouteResultsOperStatus=zhoneTraceRouteResultsOperStatus, zhoneTraceRouteResultsTestSuccesses=zhoneTraceRouteResultsTestSuccesses, zhoneTraceRouteHopsAverageRtt=zhoneTraceRouteHopsAverageRtt, zhoneTraceRouteConformance=zhoneTraceRouteConformance, zhoneTraceRouteCtlProbesPerHop=zhoneTraceRouteCtlProbesPerHop, zhoneTraceRouteTestFailed=zhoneTraceRouteTestFailed, zhoneTraceRouteMIB=zhoneTraceRouteMIB, zhoneTraceRouteGroups=zhoneTraceRouteGroups, zhoneTraceRouteTestCompleted=zhoneTraceRouteTestCompleted, zhoneTraceRouteResultsTestAttempts=zhoneTraceRouteResultsTestAttempts, zhoneTraceRouteCtlTargetAddress=zhoneTraceRouteCtlTargetAddress, zhoneTraceRouteCtlStorageType=zhoneTraceRouteCtlStorageType, zhoneTraceRouteUsingUdpProbes=zhoneTraceRouteUsingUdpProbes, zhoneTraceRouteResultsCurProbeCount=zhoneTraceRouteResultsCurProbeCount, zhoneTraceRouteCtlEntry=zhoneTraceRouteCtlEntry, zhoneTraceRouteCtlIndex=zhoneTraceRouteCtlIndex, zhoneTraceRouteGroup=zhoneTraceRouteGroup, zhoneTraceRoutePathChange=zhoneTraceRoutePathChange, zhoneTraceRouteNotifications=zhoneTraceRouteNotifications, zhoneTraceRouteCtlPort=zhoneTraceRouteCtlPort, zhoneTraceRouteCtlMaxRows=zhoneTraceRouteCtlMaxRows, zhoneTraceRouteHopsRttSumOfSquares=zhoneTraceRouteHopsRttSumOfSquares, zhoneTraceRouteCtlIndexNext=zhoneTraceRouteCtlIndexNext, zhoneTraceRouteCtlDontFragment=zhoneTraceRouteCtlDontFragment, zhoneTraceRouteCtlRowStatus=zhoneTraceRouteCtlRowStatus, zhoneTraceRouteHopsIpTgtAddress=zhoneTraceRouteHopsIpTgtAddress, zhoneTraceRouteResultsTable=zhoneTraceRouteResultsTable, zhoneTraceRouteCtlCreateHopsEntries=zhoneTraceRouteCtlCreateHopsEntries)
|
# Given a list of intervals,
# merge all the overlapping intervals to produce a list that has only mutually exclusive intervals.
# Example:
# Intervals: [[1,4], [2,5], [7,9]]
# Output: [[1,5], [7,9]]
# Explanation: Since the first two intervals [1,4] and [2,5] overlap, we merged them into one [1,5].
# O(N) for merge O(NlogN) for sorting -> O(NlogN)
# space:O(N)
class Interval:
def __init__(self, start, end) -> None:
self.start = start
self.end = end
def print_interval(self):
print("[" + str(self.start) + "," + str(self.end) + "]", end='')
def merge_intervals(arr):
intervals = []
for i in arr:
intervals.append(Interval(i[0], i[1]))
if len(intervals) < 2:
return intervals
intervals.sort(key = lambda x: x.start)
merged_intervals = []
start = intervals[0].start
end = intervals[0].end
for i in range(1, len(intervals)):
interval = intervals[i]
if interval.start <= end:
end = max(interval.end, end)
else:
merged_intervals.append(Interval(start, end))
start = interval.start
end = interval.end
merged_intervals.append(Interval(start, end))
return merged_intervals
for i in merge_intervals([[1,4], [2,5], [7,9]]):
i.print_interval()
print()
for i in merge_intervals([[6,7], [2,4], [5,9]]):
i.print_interval()
print()
for i in merge_intervals([[1,4], [2,6], [3,5]]):
i.print_interval()
print()
|
class Interval:
def __init__(self, start, end) -> None:
self.start = start
self.end = end
def print_interval(self):
print('[' + str(self.start) + ',' + str(self.end) + ']', end='')
def merge_intervals(arr):
intervals = []
for i in arr:
intervals.append(interval(i[0], i[1]))
if len(intervals) < 2:
return intervals
intervals.sort(key=lambda x: x.start)
merged_intervals = []
start = intervals[0].start
end = intervals[0].end
for i in range(1, len(intervals)):
interval = intervals[i]
if interval.start <= end:
end = max(interval.end, end)
else:
merged_intervals.append(interval(start, end))
start = interval.start
end = interval.end
merged_intervals.append(interval(start, end))
return merged_intervals
for i in merge_intervals([[1, 4], [2, 5], [7, 9]]):
i.print_interval()
print()
for i in merge_intervals([[6, 7], [2, 4], [5, 9]]):
i.print_interval()
print()
for i in merge_intervals([[1, 4], [2, 6], [3, 5]]):
i.print_interval()
print()
|
class AlignmentType:
@property
def _alignment_type(self):
return self.record_type
|
class Alignmenttype:
@property
def _alignment_type(self):
return self.record_type
|
"""
Write a function called sed that takes as arguments a pattern string, a replacement string,
and two filenames; it should read the first file and write the contents into the second file
(creating it if necessary). If the pattern string appears anywhere in the file, it should be
replaced with the replacement string.
If an error occurs while opening, reading, writing or closing files, your program should
catch the exception, print an error message, and exit.
"""
def sed(pattern: str, replacement: str, source: str, dest: str) -> None:
try:
src_file = open(source, 'r')
dest_file = open(dest, 'w')
replaced = src_file.read().replace(pattern, replacement)
dest_file.write(replaced)
src_file.close()
dest_file.close()
except:
print("An error occured while reading or writing the file.")
if __name__ == '__main__':
sed('zymology', 'vitor', 'think-python-2e-exercises/words.txt', 'think-python-2e-exercises/new_text.txt')
|
"""
Write a function called sed that takes as arguments a pattern string, a replacement string,
and two filenames; it should read the first file and write the contents into the second file
(creating it if necessary). If the pattern string appears anywhere in the file, it should be
replaced with the replacement string.
If an error occurs while opening, reading, writing or closing files, your program should
catch the exception, print an error message, and exit.
"""
def sed(pattern: str, replacement: str, source: str, dest: str) -> None:
try:
src_file = open(source, 'r')
dest_file = open(dest, 'w')
replaced = src_file.read().replace(pattern, replacement)
dest_file.write(replaced)
src_file.close()
dest_file.close()
except:
print('An error occured while reading or writing the file.')
if __name__ == '__main__':
sed('zymology', 'vitor', 'think-python-2e-exercises/words.txt', 'think-python-2e-exercises/new_text.txt')
|
def reverse_number(n):
r = 0
while n > 0:
r *= 10
r += n % 10
n //= 10
return r
def isPrime(n):
flag = False
if(n > 1):
for i in range(2, n):
if(n % i == 0):
flag = True
break
return flag
n = int(input())
flag = False
if(isPrime(n)):
print(n,"is not an Emirp number")
else:
flag = True
if(flag == True):
x = reverse_number(n)
if(isPrime(x)):
print(n,"is not an Emirp number")
else:
print(n,"is an Emirp number")
|
def reverse_number(n):
r = 0
while n > 0:
r *= 10
r += n % 10
n //= 10
return r
def is_prime(n):
flag = False
if n > 1:
for i in range(2, n):
if n % i == 0:
flag = True
break
return flag
n = int(input())
flag = False
if is_prime(n):
print(n, 'is not an Emirp number')
else:
flag = True
if flag == True:
x = reverse_number(n)
if is_prime(x):
print(n, 'is not an Emirp number')
else:
print(n, 'is an Emirp number')
|
#
# PySNMP MIB module HPN-ICF-L4RDT-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/HPN-ICF-L4RDT-MIB
# Produced by pysmi-0.3.4 at Wed May 1 13:39:34 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
OctetString, ObjectIdentifier, Integer = mibBuilder.importSymbols("ASN1", "OctetString", "ObjectIdentifier", "Integer")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsUnion, ValueSizeConstraint, SingleValueConstraint, ValueRangeConstraint, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "ValueSizeConstraint", "SingleValueConstraint", "ValueRangeConstraint", "ConstraintsIntersection")
hpnicfCommon, = mibBuilder.importSymbols("HPN-ICF-OID-MIB", "hpnicfCommon")
NotificationGroup, ObjectGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ObjectGroup", "ModuleCompliance")
Counter64, MibScalar, MibTable, MibTableRow, MibTableColumn, Bits, NotificationType, Gauge32, MibIdentifier, Unsigned32, IpAddress, Integer32, iso, ModuleIdentity, Counter32, TimeTicks, ObjectIdentity = mibBuilder.importSymbols("SNMPv2-SMI", "Counter64", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Bits", "NotificationType", "Gauge32", "MibIdentifier", "Unsigned32", "IpAddress", "Integer32", "iso", "ModuleIdentity", "Counter32", "TimeTicks", "ObjectIdentity")
MacAddress, RowStatus, DisplayString, TextualConvention, TruthValue = mibBuilder.importSymbols("SNMPv2-TC", "MacAddress", "RowStatus", "DisplayString", "TextualConvention", "TruthValue")
hpnicfL4Redirect = ModuleIdentity((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10))
if mibBuilder.loadTexts: hpnicfL4Redirect.setLastUpdated('200409210000Z')
if mibBuilder.loadTexts: hpnicfL4Redirect.setOrganization('')
if mibBuilder.loadTexts: hpnicfL4Redirect.setContactInfo('')
if mibBuilder.loadTexts: hpnicfL4Redirect.setDescription('See description above')
hpnicfL4RedirectCacheTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 1), )
if mibBuilder.loadTexts: hpnicfL4RedirectCacheTable.setStatus('current')
if mibBuilder.loadTexts: hpnicfL4RedirectCacheTable.setDescription('This table contains an entry for each Web Cache device that this unit is aware of.')
hpnicfL4RedirectCacheEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 1, 1), ).setIndexNames((0, "HPN-ICF-L4RDT-MIB", "hpnicfL4RedirectCacheIpAddress"))
if mibBuilder.loadTexts: hpnicfL4RedirectCacheEntry.setStatus('current')
if mibBuilder.loadTexts: hpnicfL4RedirectCacheEntry.setDescription('Each row specifies a known Web Cache device.')
hpnicfL4RedirectCacheIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 1, 1, 1), IpAddress())
if mibBuilder.loadTexts: hpnicfL4RedirectCacheIpAddress.setStatus('current')
if mibBuilder.loadTexts: hpnicfL4RedirectCacheIpAddress.setDescription('This object specifies the IP address of the Web Cache device.')
hpnicfL4RedirectCacheRedirectionStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("disabledNotRedirecting", 1), ("enabledNoHealthChecker", 2), ("enabledHealthChecking", 3), ("enabledHealthCheckOKNotRedirecting", 4), ("enabledHealthCheckFailed", 5), ("enabledRedirecting", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfL4RedirectCacheRedirectionStatus.setStatus('current')
if mibBuilder.loadTexts: hpnicfL4RedirectCacheRedirectionStatus.setDescription('This object returns the current state of traffic redirection to the cache. If redirection is disabled, this object shall return disabledNotRedirecting(1). If a unit cannot be selected to perform the cache health check, this object shall return enabledNoHealthChecker(2). If the software is determining if the cache is able to do redirection(this will happen when the redirection state transitions from disabled to enabled), this object shall return enabledHealthChecking(3). If the cache health check succeeded but the hardware is unable to support redirection to the cache port, this object shall return enabledHealthCheckOKNotRedirecting(4). If the latest health check of the cache has failed, this object shall return enabledHealthCheckFailed(5). If the cache is in use and traffic is being redirected to it, this object shall return enabledRedirecting(6). The default value is disabledNotRedirecting(1).')
hpnicfL4RedirectCachePort = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 1, 1, 3), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfL4RedirectCachePort.setStatus('current')
if mibBuilder.loadTexts: hpnicfL4RedirectCachePort.setDescription('This object stores the ifIndex that identifies the port or link aggregation which provides the connection that leads to the cache. If only manual cache configuration is supported, this value must be supplied. The method of cache configuration can be ascertained by the presence or absence of the L4 manual cache configuration id within the 3com-352 MIB. The default value is 0.')
hpnicfL4RedirectCacheRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 1, 1, 4), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfL4RedirectCacheRowStatus.setStatus('current')
if mibBuilder.loadTexts: hpnicfL4RedirectCacheRowStatus.setDescription('This object is used to create and remove Web Cache entries. The following are the valid values that may be written to RowStatus: Writing createAndGo(4) to the RowStatus of a non-existent row shall create a row with default values and shall set the row to active(1). If the row already exists, it shall be an error. Writing createAndWait(5) to the RowStatus of a non-existent row shall create a row with default values and shall set the row to notInService(2). If the row already exists, it shall be an error. Writing active(1) to the RowStatus of an existing row shall change the value of that row to active(1). Writing active(1) to the RowStatus of an existing row that is already active(1) shall not cause an error, the row shall remain active(1). If the row does not exist, it shall be an error. Writing notInService(2) to the RowStatus of an existing row shall change the value of that row to notInService(2). Writing notInService(2) to the RowStatus of an existing row that is already notInService(2) shall not cause an error, the row shall remain notInService(2). If the row does not exist, it shall be an error. Writing destroy(6) to the RowStatus of a non-existent row shall be an error. If the row exists, it shall be removed. Writing notReady(3) to the RowStatus of a non-existent row or to an existent row shall be an error. If the user does not supply values for the necessary objects, default values will be supplied. Attempts to create more entries than the hardware can support shall be rejected.')
hpnicfL4RedirectCacheMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 1, 1, 5), MacAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfL4RedirectCacheMacAddress.setStatus('current')
if mibBuilder.loadTexts: hpnicfL4RedirectCacheMacAddress.setDescription('This object defines the MAC address of the attached Web cache device. If only manual configuration of the cache is supported, this value must be supplied. The method of cache configuration can be ascertained by the presence or absence of the L4 manual cache configuration id within the 3com-352 MIB. The default value is 0.')
hpnicfL4RedirectCacheVlan = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 1, 1, 6), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfL4RedirectCacheVlan.setStatus('current')
if mibBuilder.loadTexts: hpnicfL4RedirectCacheVlan.setDescription('This object specifies the VLAN which the cache port belongs to.')
hpnicfL4RedirectCacheTcpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 1, 1, 7), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfL4RedirectCacheTcpPort.setStatus('current')
if mibBuilder.loadTexts: hpnicfL4RedirectCacheTcpPort.setDescription('This object specifies the TCP port number that is being redirected ')
hpnicfL4RedirectIpExclusionTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 2), )
if mibBuilder.loadTexts: hpnicfL4RedirectIpExclusionTable.setStatus('current')
if mibBuilder.loadTexts: hpnicfL4RedirectIpExclusionTable.setDescription('This table lists the IP addresses and subnetworks that Web Cache redirection is not supported for. Some devices may not support addition to this table.')
hpnicfL4RedirectIpExclusionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 2, 1), ).setIndexNames((0, "HPN-ICF-L4RDT-MIB", "hpnicfL4RedirectIpExclusionIpAddress"))
if mibBuilder.loadTexts: hpnicfL4RedirectIpExclusionEntry.setStatus('current')
if mibBuilder.loadTexts: hpnicfL4RedirectIpExclusionEntry.setDescription('Each row contains an IP address or a IP subnetwork that is being excluded from the redirection.')
hpnicfL4RedirectIpExclusionIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 2, 1, 1), IpAddress())
if mibBuilder.loadTexts: hpnicfL4RedirectIpExclusionIpAddress.setStatus('current')
if mibBuilder.loadTexts: hpnicfL4RedirectIpExclusionIpAddress.setDescription('This object specifies the IP address or the subnetwork address that is to be excluded.')
hpnicfL4RedirectIpExclusionMaskLen = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfL4RedirectIpExclusionMaskLen.setStatus('current')
if mibBuilder.loadTexts: hpnicfL4RedirectIpExclusionMaskLen.setDescription('This object provides the number of bits in the subnetwork mask. This mask shall be applied to the excludeIP address to determine the subnetwork that is to be excluded. A value of 32 implies that the excludeIP address refers to an individual host. The default value is 32.')
hpnicfL4RedirectIpExclusionRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 2, 1, 3), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfL4RedirectIpExclusionRowStatus.setStatus('current')
if mibBuilder.loadTexts: hpnicfL4RedirectIpExclusionRowStatus.setDescription('This object is used to add rows to the Exclusion Table. The following are the valid values that may be written to RowStatus: Writing createAndGo(4) to the RowStatus of a non-existent row shall create a new row. The new row shall be active(1). If the row exists, it shall be an error. Writing createAndWait(5) to the RowStatus of a non-existent row or to an existent row shall be an error. Writing active(1) to the RowStatus of an existing row shall change the value of that row to active(1). Writing active(1) to the RowStatus of an existing row that is already active(1) shall not cause an error, the row shall remain active(1). If the row does not exist, it shall be an error. Writing notInService(2) to the RowStatus of an existing row shall change the value of that row to notInService(2). Writing notInService(2) to the RowStatus of an existing row that is already notInService(2) shall not cause an error, the row shall remain notInService(2). If the row does not exist, it shall be an error. Writing destroy(6) to the RowStatus of a non-existent row shall be an error. If the row exists, it shall be removed. Writing notReady(3) to the RowStatus of a non-existent row or to an existent row shall be an error. Attempts to create more entries than the hardware can support shall be rejected.')
hpnicfL4RedirectVlanTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 3), )
if mibBuilder.loadTexts: hpnicfL4RedirectVlanTable.setStatus('current')
if mibBuilder.loadTexts: hpnicfL4RedirectVlanTable.setDescription('This table contains a row for each VLAN of the packet which need to be redirected to the Web cache.')
hpnicfL4RedirectVlanEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 3, 1), ).setIndexNames((0, "HPN-ICF-L4RDT-MIB", "hpnicfL4RedirectVlanID"))
if mibBuilder.loadTexts: hpnicfL4RedirectVlanEntry.setStatus('current')
if mibBuilder.loadTexts: hpnicfL4RedirectVlanEntry.setDescription('Each row specifies a VLAN of the packet which need to be redirected to the Web cache.')
hpnicfL4RedirectVlanID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 3, 1, 1), Integer32())
if mibBuilder.loadTexts: hpnicfL4RedirectVlanID.setStatus('current')
if mibBuilder.loadTexts: hpnicfL4RedirectVlanID.setDescription('This object specifies the VLAN ID of the packet which need to be redirected to the Web cache.')
hpnicfL4RedirectVlanRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 3, 1, 2), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpnicfL4RedirectVlanRowStatus.setStatus('current')
if mibBuilder.loadTexts: hpnicfL4RedirectVlanRowStatus.setDescription('This object allows ports to be added and removed from the table. The following are the valid values that may be written to RowStatus: Writing createAndGo(4) to the RowStatus of a non-existent row shall create a new row. The new row shall be active(1). If the row exists, it shall be an error. Writing createAndWait(5) to the RowStatus of a non-existent row or to an existent row shall be an error. Writing active(1) to the RowStatus of an existing row shall change the value of that row to active(1). Writing active(1) to the RowStatus of an existing row that is already active(1) shall not cause an error, the row shall remain active(1). If the row does not exist, it shall be an error. Writing notInService(2) to the RowStatus of a non-existent row or to an existent row shall be an error. Writing destroy(6) to the RowStatus of a non-existent row shall be an error. If the row exists, it shall be removed. Writing notReady(3) to the RowStatus of a non-existent row or to an existent row shall be an error. Attempts to create more entries than the hardware can support shall be rejected.')
hpnicfL4RedirectInformationString = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfL4RedirectInformationString.setStatus('current')
if mibBuilder.loadTexts: hpnicfL4RedirectInformationString.setDescription('This object shall contain the string generated as a result of a Layer 4 Redirection configuration. It shall contain either a string describing successful configuration or a string describing unsuccessful configuration. This length of this string shall be no longer than 80 characters.')
hpnicfL4RedirectFreeCacheEntries = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfL4RedirectFreeCacheEntries.setStatus('current')
if mibBuilder.loadTexts: hpnicfL4RedirectFreeCacheEntries.setDescription('This object indicates the number of entries that may still be added to the hpnicfL4RedirectCacheTable.')
hpnicfL4RedirectFreeIpExclusionEntries = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfL4RedirectFreeIpExclusionEntries.setStatus('current')
if mibBuilder.loadTexts: hpnicfL4RedirectFreeIpExclusionEntries.setDescription('This object indicates the number of entries that may still be added to the hpnicfL4RedirectIpExclusionTable.')
hpnicfL4RedirectFreeVlanEntries = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpnicfL4RedirectFreeVlanEntries.setStatus('current')
if mibBuilder.loadTexts: hpnicfL4RedirectFreeVlanEntries.setDescription('This object indicates the number of entries that may still be added to the hpnicfL4RedirectVlanTable.')
mibBuilder.exportSymbols("HPN-ICF-L4RDT-MIB", hpnicfL4RedirectCacheEntry=hpnicfL4RedirectCacheEntry, hpnicfL4RedirectVlanEntry=hpnicfL4RedirectVlanEntry, hpnicfL4RedirectFreeVlanEntries=hpnicfL4RedirectFreeVlanEntries, hpnicfL4RedirectFreeCacheEntries=hpnicfL4RedirectFreeCacheEntries, hpnicfL4RedirectIpExclusionMaskLen=hpnicfL4RedirectIpExclusionMaskLen, hpnicfL4RedirectCacheTcpPort=hpnicfL4RedirectCacheTcpPort, hpnicfL4RedirectFreeIpExclusionEntries=hpnicfL4RedirectFreeIpExclusionEntries, hpnicfL4RedirectIpExclusionRowStatus=hpnicfL4RedirectIpExclusionRowStatus, PYSNMP_MODULE_ID=hpnicfL4Redirect, hpnicfL4RedirectCachePort=hpnicfL4RedirectCachePort, hpnicfL4RedirectCacheRedirectionStatus=hpnicfL4RedirectCacheRedirectionStatus, hpnicfL4RedirectIpExclusionEntry=hpnicfL4RedirectIpExclusionEntry, hpnicfL4RedirectCacheIpAddress=hpnicfL4RedirectCacheIpAddress, hpnicfL4RedirectCacheTable=hpnicfL4RedirectCacheTable, hpnicfL4Redirect=hpnicfL4Redirect, hpnicfL4RedirectCacheRowStatus=hpnicfL4RedirectCacheRowStatus, hpnicfL4RedirectVlanID=hpnicfL4RedirectVlanID, hpnicfL4RedirectInformationString=hpnicfL4RedirectInformationString, hpnicfL4RedirectIpExclusionTable=hpnicfL4RedirectIpExclusionTable, hpnicfL4RedirectCacheVlan=hpnicfL4RedirectCacheVlan, hpnicfL4RedirectIpExclusionIpAddress=hpnicfL4RedirectIpExclusionIpAddress, hpnicfL4RedirectVlanTable=hpnicfL4RedirectVlanTable, hpnicfL4RedirectVlanRowStatus=hpnicfL4RedirectVlanRowStatus, hpnicfL4RedirectCacheMacAddress=hpnicfL4RedirectCacheMacAddress)
|
(octet_string, object_identifier, integer) = mibBuilder.importSymbols('ASN1', 'OctetString', 'ObjectIdentifier', 'Integer')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(constraints_union, value_size_constraint, single_value_constraint, value_range_constraint, constraints_intersection) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsUnion', 'ValueSizeConstraint', 'SingleValueConstraint', 'ValueRangeConstraint', 'ConstraintsIntersection')
(hpnicf_common,) = mibBuilder.importSymbols('HPN-ICF-OID-MIB', 'hpnicfCommon')
(notification_group, object_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ObjectGroup', 'ModuleCompliance')
(counter64, mib_scalar, mib_table, mib_table_row, mib_table_column, bits, notification_type, gauge32, mib_identifier, unsigned32, ip_address, integer32, iso, module_identity, counter32, time_ticks, object_identity) = mibBuilder.importSymbols('SNMPv2-SMI', 'Counter64', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Bits', 'NotificationType', 'Gauge32', 'MibIdentifier', 'Unsigned32', 'IpAddress', 'Integer32', 'iso', 'ModuleIdentity', 'Counter32', 'TimeTicks', 'ObjectIdentity')
(mac_address, row_status, display_string, textual_convention, truth_value) = mibBuilder.importSymbols('SNMPv2-TC', 'MacAddress', 'RowStatus', 'DisplayString', 'TextualConvention', 'TruthValue')
hpnicf_l4_redirect = module_identity((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10))
if mibBuilder.loadTexts:
hpnicfL4Redirect.setLastUpdated('200409210000Z')
if mibBuilder.loadTexts:
hpnicfL4Redirect.setOrganization('')
if mibBuilder.loadTexts:
hpnicfL4Redirect.setContactInfo('')
if mibBuilder.loadTexts:
hpnicfL4Redirect.setDescription('See description above')
hpnicf_l4_redirect_cache_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 1))
if mibBuilder.loadTexts:
hpnicfL4RedirectCacheTable.setStatus('current')
if mibBuilder.loadTexts:
hpnicfL4RedirectCacheTable.setDescription('This table contains an entry for each Web Cache device that this unit is aware of.')
hpnicf_l4_redirect_cache_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 1, 1)).setIndexNames((0, 'HPN-ICF-L4RDT-MIB', 'hpnicfL4RedirectCacheIpAddress'))
if mibBuilder.loadTexts:
hpnicfL4RedirectCacheEntry.setStatus('current')
if mibBuilder.loadTexts:
hpnicfL4RedirectCacheEntry.setDescription('Each row specifies a known Web Cache device.')
hpnicf_l4_redirect_cache_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 1, 1, 1), ip_address())
if mibBuilder.loadTexts:
hpnicfL4RedirectCacheIpAddress.setStatus('current')
if mibBuilder.loadTexts:
hpnicfL4RedirectCacheIpAddress.setDescription('This object specifies the IP address of the Web Cache device.')
hpnicf_l4_redirect_cache_redirection_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('disabledNotRedirecting', 1), ('enabledNoHealthChecker', 2), ('enabledHealthChecking', 3), ('enabledHealthCheckOKNotRedirecting', 4), ('enabledHealthCheckFailed', 5), ('enabledRedirecting', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfL4RedirectCacheRedirectionStatus.setStatus('current')
if mibBuilder.loadTexts:
hpnicfL4RedirectCacheRedirectionStatus.setDescription('This object returns the current state of traffic redirection to the cache. If redirection is disabled, this object shall return disabledNotRedirecting(1). If a unit cannot be selected to perform the cache health check, this object shall return enabledNoHealthChecker(2). If the software is determining if the cache is able to do redirection(this will happen when the redirection state transitions from disabled to enabled), this object shall return enabledHealthChecking(3). If the cache health check succeeded but the hardware is unable to support redirection to the cache port, this object shall return enabledHealthCheckOKNotRedirecting(4). If the latest health check of the cache has failed, this object shall return enabledHealthCheckFailed(5). If the cache is in use and traffic is being redirected to it, this object shall return enabledRedirecting(6). The default value is disabledNotRedirecting(1).')
hpnicf_l4_redirect_cache_port = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 1, 1, 3), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfL4RedirectCachePort.setStatus('current')
if mibBuilder.loadTexts:
hpnicfL4RedirectCachePort.setDescription('This object stores the ifIndex that identifies the port or link aggregation which provides the connection that leads to the cache. If only manual cache configuration is supported, this value must be supplied. The method of cache configuration can be ascertained by the presence or absence of the L4 manual cache configuration id within the 3com-352 MIB. The default value is 0.')
hpnicf_l4_redirect_cache_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 1, 1, 4), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfL4RedirectCacheRowStatus.setStatus('current')
if mibBuilder.loadTexts:
hpnicfL4RedirectCacheRowStatus.setDescription('This object is used to create and remove Web Cache entries. The following are the valid values that may be written to RowStatus: Writing createAndGo(4) to the RowStatus of a non-existent row shall create a row with default values and shall set the row to active(1). If the row already exists, it shall be an error. Writing createAndWait(5) to the RowStatus of a non-existent row shall create a row with default values and shall set the row to notInService(2). If the row already exists, it shall be an error. Writing active(1) to the RowStatus of an existing row shall change the value of that row to active(1). Writing active(1) to the RowStatus of an existing row that is already active(1) shall not cause an error, the row shall remain active(1). If the row does not exist, it shall be an error. Writing notInService(2) to the RowStatus of an existing row shall change the value of that row to notInService(2). Writing notInService(2) to the RowStatus of an existing row that is already notInService(2) shall not cause an error, the row shall remain notInService(2). If the row does not exist, it shall be an error. Writing destroy(6) to the RowStatus of a non-existent row shall be an error. If the row exists, it shall be removed. Writing notReady(3) to the RowStatus of a non-existent row or to an existent row shall be an error. If the user does not supply values for the necessary objects, default values will be supplied. Attempts to create more entries than the hardware can support shall be rejected.')
hpnicf_l4_redirect_cache_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 1, 1, 5), mac_address()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfL4RedirectCacheMacAddress.setStatus('current')
if mibBuilder.loadTexts:
hpnicfL4RedirectCacheMacAddress.setDescription('This object defines the MAC address of the attached Web cache device. If only manual configuration of the cache is supported, this value must be supplied. The method of cache configuration can be ascertained by the presence or absence of the L4 manual cache configuration id within the 3com-352 MIB. The default value is 0.')
hpnicf_l4_redirect_cache_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 1, 1, 6), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfL4RedirectCacheVlan.setStatus('current')
if mibBuilder.loadTexts:
hpnicfL4RedirectCacheVlan.setDescription('This object specifies the VLAN which the cache port belongs to.')
hpnicf_l4_redirect_cache_tcp_port = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 1, 1, 7), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfL4RedirectCacheTcpPort.setStatus('current')
if mibBuilder.loadTexts:
hpnicfL4RedirectCacheTcpPort.setDescription('This object specifies the TCP port number that is being redirected ')
hpnicf_l4_redirect_ip_exclusion_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 2))
if mibBuilder.loadTexts:
hpnicfL4RedirectIpExclusionTable.setStatus('current')
if mibBuilder.loadTexts:
hpnicfL4RedirectIpExclusionTable.setDescription('This table lists the IP addresses and subnetworks that Web Cache redirection is not supported for. Some devices may not support addition to this table.')
hpnicf_l4_redirect_ip_exclusion_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 2, 1)).setIndexNames((0, 'HPN-ICF-L4RDT-MIB', 'hpnicfL4RedirectIpExclusionIpAddress'))
if mibBuilder.loadTexts:
hpnicfL4RedirectIpExclusionEntry.setStatus('current')
if mibBuilder.loadTexts:
hpnicfL4RedirectIpExclusionEntry.setDescription('Each row contains an IP address or a IP subnetwork that is being excluded from the redirection.')
hpnicf_l4_redirect_ip_exclusion_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 2, 1, 1), ip_address())
if mibBuilder.loadTexts:
hpnicfL4RedirectIpExclusionIpAddress.setStatus('current')
if mibBuilder.loadTexts:
hpnicfL4RedirectIpExclusionIpAddress.setDescription('This object specifies the IP address or the subnetwork address that is to be excluded.')
hpnicf_l4_redirect_ip_exclusion_mask_len = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 2, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfL4RedirectIpExclusionMaskLen.setStatus('current')
if mibBuilder.loadTexts:
hpnicfL4RedirectIpExclusionMaskLen.setDescription('This object provides the number of bits in the subnetwork mask. This mask shall be applied to the excludeIP address to determine the subnetwork that is to be excluded. A value of 32 implies that the excludeIP address refers to an individual host. The default value is 32.')
hpnicf_l4_redirect_ip_exclusion_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 2, 1, 3), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfL4RedirectIpExclusionRowStatus.setStatus('current')
if mibBuilder.loadTexts:
hpnicfL4RedirectIpExclusionRowStatus.setDescription('This object is used to add rows to the Exclusion Table. The following are the valid values that may be written to RowStatus: Writing createAndGo(4) to the RowStatus of a non-existent row shall create a new row. The new row shall be active(1). If the row exists, it shall be an error. Writing createAndWait(5) to the RowStatus of a non-existent row or to an existent row shall be an error. Writing active(1) to the RowStatus of an existing row shall change the value of that row to active(1). Writing active(1) to the RowStatus of an existing row that is already active(1) shall not cause an error, the row shall remain active(1). If the row does not exist, it shall be an error. Writing notInService(2) to the RowStatus of an existing row shall change the value of that row to notInService(2). Writing notInService(2) to the RowStatus of an existing row that is already notInService(2) shall not cause an error, the row shall remain notInService(2). If the row does not exist, it shall be an error. Writing destroy(6) to the RowStatus of a non-existent row shall be an error. If the row exists, it shall be removed. Writing notReady(3) to the RowStatus of a non-existent row or to an existent row shall be an error. Attempts to create more entries than the hardware can support shall be rejected.')
hpnicf_l4_redirect_vlan_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 3))
if mibBuilder.loadTexts:
hpnicfL4RedirectVlanTable.setStatus('current')
if mibBuilder.loadTexts:
hpnicfL4RedirectVlanTable.setDescription('This table contains a row for each VLAN of the packet which need to be redirected to the Web cache.')
hpnicf_l4_redirect_vlan_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 3, 1)).setIndexNames((0, 'HPN-ICF-L4RDT-MIB', 'hpnicfL4RedirectVlanID'))
if mibBuilder.loadTexts:
hpnicfL4RedirectVlanEntry.setStatus('current')
if mibBuilder.loadTexts:
hpnicfL4RedirectVlanEntry.setDescription('Each row specifies a VLAN of the packet which need to be redirected to the Web cache.')
hpnicf_l4_redirect_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 3, 1, 1), integer32())
if mibBuilder.loadTexts:
hpnicfL4RedirectVlanID.setStatus('current')
if mibBuilder.loadTexts:
hpnicfL4RedirectVlanID.setDescription('This object specifies the VLAN ID of the packet which need to be redirected to the Web cache.')
hpnicf_l4_redirect_vlan_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 3, 1, 2), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
hpnicfL4RedirectVlanRowStatus.setStatus('current')
if mibBuilder.loadTexts:
hpnicfL4RedirectVlanRowStatus.setDescription('This object allows ports to be added and removed from the table. The following are the valid values that may be written to RowStatus: Writing createAndGo(4) to the RowStatus of a non-existent row shall create a new row. The new row shall be active(1). If the row exists, it shall be an error. Writing createAndWait(5) to the RowStatus of a non-existent row or to an existent row shall be an error. Writing active(1) to the RowStatus of an existing row shall change the value of that row to active(1). Writing active(1) to the RowStatus of an existing row that is already active(1) shall not cause an error, the row shall remain active(1). If the row does not exist, it shall be an error. Writing notInService(2) to the RowStatus of a non-existent row or to an existent row shall be an error. Writing destroy(6) to the RowStatus of a non-existent row shall be an error. If the row exists, it shall be removed. Writing notReady(3) to the RowStatus of a non-existent row or to an existent row shall be an error. Attempts to create more entries than the hardware can support shall be rejected.')
hpnicf_l4_redirect_information_string = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfL4RedirectInformationString.setStatus('current')
if mibBuilder.loadTexts:
hpnicfL4RedirectInformationString.setDescription('This object shall contain the string generated as a result of a Layer 4 Redirection configuration. It shall contain either a string describing successful configuration or a string describing unsuccessful configuration. This length of this string shall be no longer than 80 characters.')
hpnicf_l4_redirect_free_cache_entries = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfL4RedirectFreeCacheEntries.setStatus('current')
if mibBuilder.loadTexts:
hpnicfL4RedirectFreeCacheEntries.setDescription('This object indicates the number of entries that may still be added to the hpnicfL4RedirectCacheTable.')
hpnicf_l4_redirect_free_ip_exclusion_entries = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfL4RedirectFreeIpExclusionEntries.setStatus('current')
if mibBuilder.loadTexts:
hpnicfL4RedirectFreeIpExclusionEntries.setDescription('This object indicates the number of entries that may still be added to the hpnicfL4RedirectIpExclusionTable.')
hpnicf_l4_redirect_free_vlan_entries = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 10, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpnicfL4RedirectFreeVlanEntries.setStatus('current')
if mibBuilder.loadTexts:
hpnicfL4RedirectFreeVlanEntries.setDescription('This object indicates the number of entries that may still be added to the hpnicfL4RedirectVlanTable.')
mibBuilder.exportSymbols('HPN-ICF-L4RDT-MIB', hpnicfL4RedirectCacheEntry=hpnicfL4RedirectCacheEntry, hpnicfL4RedirectVlanEntry=hpnicfL4RedirectVlanEntry, hpnicfL4RedirectFreeVlanEntries=hpnicfL4RedirectFreeVlanEntries, hpnicfL4RedirectFreeCacheEntries=hpnicfL4RedirectFreeCacheEntries, hpnicfL4RedirectIpExclusionMaskLen=hpnicfL4RedirectIpExclusionMaskLen, hpnicfL4RedirectCacheTcpPort=hpnicfL4RedirectCacheTcpPort, hpnicfL4RedirectFreeIpExclusionEntries=hpnicfL4RedirectFreeIpExclusionEntries, hpnicfL4RedirectIpExclusionRowStatus=hpnicfL4RedirectIpExclusionRowStatus, PYSNMP_MODULE_ID=hpnicfL4Redirect, hpnicfL4RedirectCachePort=hpnicfL4RedirectCachePort, hpnicfL4RedirectCacheRedirectionStatus=hpnicfL4RedirectCacheRedirectionStatus, hpnicfL4RedirectIpExclusionEntry=hpnicfL4RedirectIpExclusionEntry, hpnicfL4RedirectCacheIpAddress=hpnicfL4RedirectCacheIpAddress, hpnicfL4RedirectCacheTable=hpnicfL4RedirectCacheTable, hpnicfL4Redirect=hpnicfL4Redirect, hpnicfL4RedirectCacheRowStatus=hpnicfL4RedirectCacheRowStatus, hpnicfL4RedirectVlanID=hpnicfL4RedirectVlanID, hpnicfL4RedirectInformationString=hpnicfL4RedirectInformationString, hpnicfL4RedirectIpExclusionTable=hpnicfL4RedirectIpExclusionTable, hpnicfL4RedirectCacheVlan=hpnicfL4RedirectCacheVlan, hpnicfL4RedirectIpExclusionIpAddress=hpnicfL4RedirectIpExclusionIpAddress, hpnicfL4RedirectVlanTable=hpnicfL4RedirectVlanTable, hpnicfL4RedirectVlanRowStatus=hpnicfL4RedirectVlanRowStatus, hpnicfL4RedirectCacheMacAddress=hpnicfL4RedirectCacheMacAddress)
|
"""
file access support
"""
def backup_one_line(fd):
"""
Moves the file pointer to right after the previous newline in an ASCII file
@param fd :
@type fd : file descriptor
Notes
=====
It ignores the current character in case it is a newline.
"""
index = -2
c = ""
while c != "\n":
fd.seek(index,2)
c = fd.read(1)
index -= 1
def get_last_line(fd):
"""
Gets the last line in an ASCII file.
This is useful for getting the last line in a very large ASCII file.
It also reports of the last line was completed with a newline or interrupted.
@param fd :
@type fd : file descriptor
"""
fd.seek(-1,2)
clast = fd.read(1)
if clast == "\n":
complete_line = True
else:
complete_line = False
backup_one_line(fd)
line = fd.readline()
return (complete_line, line)
|
"""
file access support
"""
def backup_one_line(fd):
"""
Moves the file pointer to right after the previous newline in an ASCII file
@param fd :
@type fd : file descriptor
Notes
=====
It ignores the current character in case it is a newline.
"""
index = -2
c = ''
while c != '\n':
fd.seek(index, 2)
c = fd.read(1)
index -= 1
def get_last_line(fd):
"""
Gets the last line in an ASCII file.
This is useful for getting the last line in a very large ASCII file.
It also reports of the last line was completed with a newline or interrupted.
@param fd :
@type fd : file descriptor
"""
fd.seek(-1, 2)
clast = fd.read(1)
if clast == '\n':
complete_line = True
else:
complete_line = False
backup_one_line(fd)
line = fd.readline()
return (complete_line, line)
|
"""
Error types
"""
class AlreadyBoundError(Exception):
"""
Raised if a factory is already bound to a name.
"""
pass
class CyclicGraphError(Exception):
"""
Raised if a graph has a cycle.
"""
pass
class LockedGraphError(Exception):
"""
Raised when attempting to create a component in a locked object graph.
"""
pass
class NotBoundError(Exception):
"""
Raised if not factory is bound to a name.
"""
pass
class ValidationError(Exception):
"""
Raised if a configuration value fails validation.
"""
pass
|
"""
Error types
"""
class Alreadybounderror(Exception):
"""
Raised if a factory is already bound to a name.
"""
pass
class Cyclicgrapherror(Exception):
"""
Raised if a graph has a cycle.
"""
pass
class Lockedgrapherror(Exception):
"""
Raised when attempting to create a component in a locked object graph.
"""
pass
class Notbounderror(Exception):
"""
Raised if not factory is bound to a name.
"""
pass
class Validationerror(Exception):
"""
Raised if a configuration value fails validation.
"""
pass
|
"""
Ratiorg got statues of different sizes as a present from CodeMaster for his birthday, each statue having an non-negative integer size.
Since he likes to make things perfect, he wants to arrange them from smallest to largest so that each statue will be bigger than the previous one exactly by 1.
He may need some additional statues to be able to accomplish that. Help him figure out the minimum number of additional statues needed.
"""
def solution(statues):
sorted_statues = sorted(statues)
pointer = 0
while pointer != len(sorted_statues) - 1:
if (sorted_statues[pointer + 1] - sorted_statues[pointer]) > 1:
sorted_statues.insert(pointer + 1, sorted_statues[pointer] + 1)
pointer += 1
return len(sorted_statues) - len(statues)
|
"""
Ratiorg got statues of different sizes as a present from CodeMaster for his birthday, each statue having an non-negative integer size.
Since he likes to make things perfect, he wants to arrange them from smallest to largest so that each statue will be bigger than the previous one exactly by 1.
He may need some additional statues to be able to accomplish that. Help him figure out the minimum number of additional statues needed.
"""
def solution(statues):
sorted_statues = sorted(statues)
pointer = 0
while pointer != len(sorted_statues) - 1:
if sorted_statues[pointer + 1] - sorted_statues[pointer] > 1:
sorted_statues.insert(pointer + 1, sorted_statues[pointer] + 1)
pointer += 1
return len(sorted_statues) - len(statues)
|
# -*- coding: utf-8 -*-
# @Time : 2021/1/3
# @Author : handsomezhou
DB_SUFFIX = "db"
DB_SUFFIX_WITH_FULL_STOP = ".db"
|
db_suffix = 'db'
db_suffix_with_full_stop = '.db'
|
t = int(input())
while t:
N = int(input())
A = list(map(int, input().split()))
l = []
for i in range(N):
for j in range(i+1, N):
l.append(A[i]+A[j])
c = l.count(max(l))
print(c/len(l))
t = t-1
|
t = int(input())
while t:
n = int(input())
a = list(map(int, input().split()))
l = []
for i in range(N):
for j in range(i + 1, N):
l.append(A[i] + A[j])
c = l.count(max(l))
print(c / len(l))
t = t - 1
|
#
# Licensed under the Apache License, Version 2.0 (the "License"); you may
# not use this file except in compliance with the License. You may obtain
# a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
# License for the specific language governing permissions and limitations
# under the License.
EMAIL = 'test@example.com'
DISPLAYNAME = "john smith"
ID = "1324"
IDP = 'https://test.idp'
class TestShibWrapper(object):
def __init__(self, app, mail=EMAIL):
self.app = app
self.mail = mail
def __call__(self, environ, start_response):
environ['mail'] = self.mail
environ['displayName'] = DISPLAYNAME
environ['persistent-id'] = ID
environ['Shib-Identity-Provider'] = IDP
return self.app(environ, start_response)
|
email = 'test@example.com'
displayname = 'john smith'
id = '1324'
idp = 'https://test.idp'
class Testshibwrapper(object):
def __init__(self, app, mail=EMAIL):
self.app = app
self.mail = mail
def __call__(self, environ, start_response):
environ['mail'] = self.mail
environ['displayName'] = DISPLAYNAME
environ['persistent-id'] = ID
environ['Shib-Identity-Provider'] = IDP
return self.app(environ, start_response)
|
def remove_reads_in_other_fastq(input_fastq, remove_fastq, out_file_name):
out = open(out_file_name, "w")
# Get seq ids to remove
remove_ids = set()
i = 0
for line in open(remove_fastq):
if i % 500000 == 0:
print(i)
i += 1
if line.startswith("@"):
remove_ids.add(line)
i = 0
write_line = True
for line in open(input_fastq):
if i % 100000 == 0:
print(i)
i += 1
line = line.replace("/1", "")
if line.startswith("@"):
if line in remove_ids:
write_line = False
else:
write_line = True
if write_line:
out.writelines(["%s" % line])
if __name__ == "__main__":
remove_reads_in_other_fastq("orig.fastq", "filtered_outside_mhc.fastq", "final.fastq")
|
def remove_reads_in_other_fastq(input_fastq, remove_fastq, out_file_name):
out = open(out_file_name, 'w')
remove_ids = set()
i = 0
for line in open(remove_fastq):
if i % 500000 == 0:
print(i)
i += 1
if line.startswith('@'):
remove_ids.add(line)
i = 0
write_line = True
for line in open(input_fastq):
if i % 100000 == 0:
print(i)
i += 1
line = line.replace('/1', '')
if line.startswith('@'):
if line in remove_ids:
write_line = False
else:
write_line = True
if write_line:
out.writelines(['%s' % line])
if __name__ == '__main__':
remove_reads_in_other_fastq('orig.fastq', 'filtered_outside_mhc.fastq', 'final.fastq')
|
magic_number = 3
#Your code here...
while True:
guess = int(input("Enter a guess: "))
if guess == magic_number:
print("You got it!")
break
elif guess > magic_number:
print("Too high!")
else:
print("Too low!")
|
magic_number = 3
while True:
guess = int(input('Enter a guess: '))
if guess == magic_number:
print('You got it!')
break
elif guess > magic_number:
print('Too high!')
else:
print('Too low!')
|
# -*- coding: utf-8 -*-
"""Chart.js script."""
JS_SCRIPT = r'''
/*!
* Chart.js
* http://chartjs.org/
* Version: 2.7.1
*
* Copyright 2017 Nick Downie
* Released under the MIT license
* https://github.com/chartjs/Chart.js/blob/master/LICENSE.md
*/
!function(t){if("object"==typeof exports&&"undefined"!=typeof module)module.exports=t();else if("function"==typeof define&&define.amd)define([],t);else{("undefined"!=typeof window?window:"undefined"!=typeof global?global:"undefined"!=typeof self?self:this).Chart=t()}}(function(){return function t(e,n,i){function a(o,s){if(!n[o]){if(!e[o]){var l="function"==typeof require&&require;if(!s&&l)return l(o,!0);if(r)return r(o,!0);var u=new Error("Cannot find module '"+o+"'");throw u.code="MODULE_NOT_FOUND",u}var d=n[o]={exports:{}};e[o][0].call(d.exports,function(t){var n=e[o][1][t];return a(n||t)},d,d.exports,t,e,n,i)}return n[o].exports}for(var r="function"==typeof require&&require,o=0;o<i.length;o++)a(i[o]);return a}({1:[function(t,e,n){function i(t){if(t){var e=[0,0,0],n=1,i=t.match(/^#([a-fA-F0-9]{3})$/i);if(i){i=i[1];for(a=0;a<e.length;a++)e[a]=parseInt(i[a]+i[a],16)}else if(i=t.match(/^#([a-fA-F0-9]{6})$/i)){i=i[1];for(a=0;a<e.length;a++)e[a]=parseInt(i.slice(2*a,2*a+2),16)}else if(i=t.match(/^rgba?\(\s*([+-]?\d+)\s*,\s*([+-]?\d+)\s*,\s*([+-]?\d+)\s*(?:,\s*([+-]?[\d\.]+)\s*)?\)$/i)){for(a=0;a<e.length;a++)e[a]=parseInt(i[a+1]);n=parseFloat(i[4])}else if(i=t.match(/^rgba?\(\s*([+-]?[\d\.]+)\%\s*,\s*([+-]?[\d\.]+)\%\s*,\s*([+-]?[\d\.]+)\%\s*(?:,\s*([+-]?[\d\.]+)\s*)?\)$/i)){for(a=0;a<e.length;a++)e[a]=Math.round(2.55*parseFloat(i[a+1]));n=parseFloat(i[4])}else if(i=t.match(/(\w+)/)){if("transparent"==i[1])return[0,0,0,0];if(!(e=c[i[1]]))return}for(var a=0;a<e.length;a++)e[a]=u(e[a],0,255);return n=n||0==n?u(n,0,1):1,e[3]=n,e}}function a(t){if(t){var e=t.match(/^hsla?\(\s*([+-]?\d+)(?:deg)?\s*,\s*([+-]?[\d\.]+)%\s*,\s*([+-]?[\d\.]+)%\s*(?:,\s*([+-]?[\d\.]+)\s*)?\)/);if(e){var n=parseFloat(e[4]);return[u(parseInt(e[1]),0,360),u(parseFloat(e[2]),0,100),u(parseFloat(e[3]),0,100),u(isNaN(n)?1:n,0,1)]}}}function r(t){if(t){var e=t.match(/^hwb\(\s*([+-]?\d+)(?:deg)?\s*,\s*([+-]?[\d\.]+)%\s*,\s*([+-]?[\d\.]+)%\s*(?:,\s*([+-]?[\d\.]+)\s*)?\)/);if(e){var n=parseFloat(e[4]);return[u(parseInt(e[1]),0,360),u(parseFloat(e[2]),0,100),u(parseFloat(e[3]),0,100),u(isNaN(n)?1:n,0,1)]}}}function o(t,e){return void 0===e&&(e=void 0!==t[3]?t[3]:1),"rgba("+t[0]+", "+t[1]+", "+t[2]+", "+e+")"}function s(t,e){return"rgba("+Math.round(t[0]/255*100)+"%, "+Math.round(t[1]/255*100)+"%, "+Math.round(t[2]/255*100)+"%, "+(e||t[3]||1)+")"}function l(t,e){return void 0===e&&(e=void 0!==t[3]?t[3]:1),"hsla("+t[0]+", "+t[1]+"%, "+t[2]+"%, "+e+")"}function u(t,e,n){return Math.min(Math.max(e,t),n)}function d(t){var e=t.toString(16).toUpperCase();return e.length<2?"0"+e:e}var c=t(5);e.exports={getRgba:i,getHsla:a,getRgb:function(t){var e=i(t);return e&&e.slice(0,3)},getHsl:function(t){var e=a(t);return e&&e.slice(0,3)},getHwb:r,getAlpha:function(t){var e=i(t);return e?e[3]:(e=a(t))?e[3]:(e=r(t))?e[3]:void 0},hexString:function(t){return"#"+d(t[0])+d(t[1])+d(t[2])},rgbString:function(t,e){return e<1||t[3]&&t[3]<1?o(t,e):"rgb("+t[0]+", "+t[1]+", "+t[2]+")"},rgbaString:o,percentString:function(t,e){return e<1||t[3]&&t[3]<1?s(t,e):"rgb("+Math.round(t[0]/255*100)+"%, "+Math.round(t[1]/255*100)+"%, "+Math.round(t[2]/255*100)+"%)"},percentaString:s,hslString:function(t,e){return e<1||t[3]&&t[3]<1?l(t,e):"hsl("+t[0]+", "+t[1]+"%, "+t[2]+"%)"},hslaString:l,hwbString:function(t,e){return void 0===e&&(e=void 0!==t[3]?t[3]:1),"hwb("+t[0]+", "+t[1]+"%, "+t[2]+"%"+(void 0!==e&&1!==e?", "+e:"")+")"},keyword:function(t){return h[t.slice(0,3)]}};var h={};for(var f in c)h[c[f]]=f},{5:5}],2:[function(t,e,n){var i=t(4),a=t(1),r=function(t){if(t instanceof r)return t;if(!(this instanceof r))return new r(t);this.valid=!1,this.values={rgb:[0,0,0],hsl:[0,0,0],hsv:[0,0,0],hwb:[0,0,0],cmyk:[0,0,0,0],alpha:1};var e;"string"==typeof t?(e=a.getRgba(t))?this.setValues("rgb",e):(e=a.getHsla(t))?this.setValues("hsl",e):(e=a.getHwb(t))&&this.setValues("hwb",e):"object"==typeof t&&(void 0!==(e=t).r||void 0!==e.red?this.setValues("rgb",e):void 0!==e.l||void 0!==e.lightness?this.setValues("hsl",e):void 0!==e.v||void 0!==e.value?this.setValues("hsv",e):void 0!==e.w||void 0!==e.whiteness?this.setValues("hwb",e):void 0===e.c&&void 0===e.cyan||this.setValues("cmyk",e))};r.prototype={isValid:function(){return this.valid},rgb:function(){return this.setSpace("rgb",arguments)},hsl:function(){return this.setSpace("hsl",arguments)},hsv:function(){return this.setSpace("hsv",arguments)},hwb:function(){return this.setSpace("hwb",arguments)},cmyk:function(){return this.setSpace("cmyk",arguments)},rgbArray:function(){return this.values.rgb},hslArray:function(){return this.values.hsl},hsvArray:function(){return this.values.hsv},hwbArray:function(){var t=this.values;return 1!==t.alpha?t.hwb.concat([t.alpha]):t.hwb},cmykArray:function(){return this.values.cmyk},rgbaArray:function(){var t=this.values;return t.rgb.concat([t.alpha])},hslaArray:function(){var t=this.values;return t.hsl.concat([t.alpha])},alpha:function(t){return void 0===t?this.values.alpha:(this.setValues("alpha",t),this)},red:function(t){return this.setChannel("rgb",0,t)},green:function(t){return this.setChannel("rgb",1,t)},blue:function(t){return this.setChannel("rgb",2,t)},hue:function(t){return t&&(t=(t%=360)<0?360+t:t),this.setChannel("hsl",0,t)},saturation:function(t){return this.setChannel("hsl",1,t)},lightness:function(t){return this.setChannel("hsl",2,t)},saturationv:function(t){return this.setChannel("hsv",1,t)},whiteness:function(t){return this.setChannel("hwb",1,t)},blackness:function(t){return this.setChannel("hwb",2,t)},value:function(t){return this.setChannel("hsv",2,t)},cyan:function(t){return this.setChannel("cmyk",0,t)},magenta:function(t){return this.setChannel("cmyk",1,t)},yellow:function(t){return this.setChannel("cmyk",2,t)},black:function(t){return this.setChannel("cmyk",3,t)},hexString:function(){return a.hexString(this.values.rgb)},rgbString:function(){return a.rgbString(this.values.rgb,this.values.alpha)},rgbaString:function(){return a.rgbaString(this.values.rgb,this.values.alpha)},percentString:function(){return a.percentString(this.values.rgb,this.values.alpha)},hslString:function(){return a.hslString(this.values.hsl,this.values.alpha)},hslaString:function(){return a.hslaString(this.values.hsl,this.values.alpha)},hwbString:function(){return a.hwbString(this.values.hwb,this.values.alpha)},keyword:function(){return a.keyword(this.values.rgb,this.values.alpha)},rgbNumber:function(){var t=this.values.rgb;return t[0]<<16|t[1]<<8|t[2]},luminosity:function(){for(var t=this.values.rgb,e=[],n=0;n<t.length;n++){var i=t[n]/255;e[n]=i<=.03928?i/12.92:Math.pow((i+.055)/1.055,2.4)}return.2126*e[0]+.7152*e[1]+.0722*e[2]},contrast:function(t){var e=this.luminosity(),n=t.luminosity();return e>n?(e+.05)/(n+.05):(n+.05)/(e+.05)},level:function(t){var e=this.contrast(t);return e>=7.1?"AAA":e>=4.5?"AA":""},dark:function(){var t=this.values.rgb;return(299*t[0]+587*t[1]+114*t[2])/1e3<128},light:function(){return!this.dark()},negate:function(){for(var t=[],e=0;e<3;e++)t[e]=255-this.values.rgb[e];return this.setValues("rgb",t),this},lighten:function(t){var e=this.values.hsl;return e[2]+=e[2]*t,this.setValues("hsl",e),this},darken:function(t){var e=this.values.hsl;return e[2]-=e[2]*t,this.setValues("hsl",e),this},saturate:function(t){var e=this.values.hsl;return e[1]+=e[1]*t,this.setValues("hsl",e),this},desaturate:function(t){var e=this.values.hsl;return e[1]-=e[1]*t,this.setValues("hsl",e),this},whiten:function(t){var e=this.values.hwb;return e[1]+=e[1]*t,this.setValues("hwb",e),this},blacken:function(t){var e=this.values.hwb;return e[2]+=e[2]*t,this.setValues("hwb",e),this},greyscale:function(){var t=this.values.rgb,e=.3*t[0]+.59*t[1]+.11*t[2];return this.setValues("rgb",[e,e,e]),this},clearer:function(t){var e=this.values.alpha;return this.setValues("alpha",e-e*t),this},opaquer:function(t){var e=this.values.alpha;return this.setValues("alpha",e+e*t),this},rotate:function(t){var e=this.values.hsl,n=(e[0]+t)%360;return e[0]=n<0?360+n:n,this.setValues("hsl",e),this},mix:function(t,e){var n=this,i=t,a=void 0===e?.5:e,r=2*a-1,o=n.alpha()-i.alpha(),s=((r*o==-1?r:(r+o)/(1+r*o))+1)/2,l=1-s;return this.rgb(s*n.red()+l*i.red(),s*n.green()+l*i.green(),s*n.blue()+l*i.blue()).alpha(n.alpha()*a+i.alpha()*(1-a))},toJSON:function(){return this.rgb()},clone:function(){var t,e,n=new r,i=this.values,a=n.values;for(var o in i)i.hasOwnProperty(o)&&(t=i[o],"[object Array]"===(e={}.toString.call(t))?a[o]=t.slice(0):"[object Number]"===e?a[o]=t:console.error("unexpected color value:",t));return n}},r.prototype.spaces={rgb:["red","green","blue"],hsl:["hue","saturation","lightness"],hsv:["hue","saturation","value"],hwb:["hue","whiteness","blackness"],cmyk:["cyan","magenta","yellow","black"]},r.prototype.maxes={rgb:[255,255,255],hsl:[360,100,100],hsv:[360,100,100],hwb:[360,100,100],cmyk:[100,100,100,100]},r.prototype.getValues=function(t){for(var e=this.values,n={},i=0;i<t.length;i++)n[t.charAt(i)]=e[t][i];return 1!==e.alpha&&(n.a=e.alpha),n},r.prototype.setValues=function(t,e){var n,a=this.values,r=this.spaces,o=this.maxes,s=1;if(this.valid=!0,"alpha"===t)s=e;else if(e.length)a[t]=e.slice(0,t.length),s=e[t.length];else if(void 0!==e[t.charAt(0)]){for(n=0;n<t.length;n++)a[t][n]=e[t.charAt(n)];s=e.a}else if(void 0!==e[r[t][0]]){var l=r[t];for(n=0;n<t.length;n++)a[t][n]=e[l[n]];s=e.alpha}if(a.alpha=Math.max(0,Math.min(1,void 0===s?a.alpha:s)),"alpha"===t)return!1;var u;for(n=0;n<t.length;n++)u=Math.max(0,Math.min(o[t][n],a[t][n])),a[t][n]=Math.round(u);for(var d in r)d!==t&&(a[d]=i[t][d](a[t]));return!0},r.prototype.setSpace=function(t,e){var n=e[0];return void 0===n?this.getValues(t):("number"==typeof n&&(n=Array.prototype.slice.call(e)),this.setValues(t,n),this)},r.prototype.setChannel=function(t,e,n){var i=this.values[t];return void 0===n?i[e]:n===i[e]?this:(i[e]=n,this.setValues(t,i),this)},"undefined"!=typeof window&&(window.Color=r),e.exports=r},{1:1,4:4}],3:[function(t,e,n){function i(t){var e,n,i,a=t[0]/255,r=t[1]/255,o=t[2]/255,s=Math.min(a,r,o),l=Math.max(a,r,o),u=l-s;return l==s?e=0:a==l?e=(r-o)/u:r==l?e=2+(o-a)/u:o==l&&(e=4+(a-r)/u),(e=Math.min(60*e,360))<0&&(e+=360),i=(s+l)/2,n=l==s?0:i<=.5?u/(l+s):u/(2-l-s),[e,100*n,100*i]}function a(t){var e,n,i,a=t[0],r=t[1],o=t[2],s=Math.min(a,r,o),l=Math.max(a,r,o),u=l-s;return n=0==l?0:u/l*1e3/10,l==s?e=0:a==l?e=(r-o)/u:r==l?e=2+(o-a)/u:o==l&&(e=4+(a-r)/u),(e=Math.min(60*e,360))<0&&(e+=360),i=l/255*1e3/10,[e,n,i]}function o(t){var e=t[0],n=t[1],a=t[2];return[i(t)[0],100*(1/255*Math.min(e,Math.min(n,a))),100*(a=1-1/255*Math.max(e,Math.max(n,a)))]}function s(t){var e,n,i,a,r=t[0]/255,o=t[1]/255,s=t[2]/255;return a=Math.min(1-r,1-o,1-s),e=(1-r-a)/(1-a)||0,n=(1-o-a)/(1-a)||0,i=(1-s-a)/(1-a)||0,[100*e,100*n,100*i,100*a]}function l(t){return S[JSON.stringify(t)]}function u(t){var e=t[0]/255,n=t[1]/255,i=t[2]/255;return[100*(.4124*(e=e>.04045?Math.pow((e+.055)/1.055,2.4):e/12.92)+.3576*(n=n>.04045?Math.pow((n+.055)/1.055,2.4):n/12.92)+.1805*(i=i>.04045?Math.pow((i+.055)/1.055,2.4):i/12.92)),100*(.2126*e+.7152*n+.0722*i),100*(.0193*e+.1192*n+.9505*i)]}function d(t){var e,n,i,a=u(t),r=a[0],o=a[1],s=a[2];return r/=95.047,o/=100,s/=108.883,r=r>.008856?Math.pow(r,1/3):7.787*r+16/116,o=o>.008856?Math.pow(o,1/3):7.787*o+16/116,s=s>.008856?Math.pow(s,1/3):7.787*s+16/116,e=116*o-16,n=500*(r-o),i=200*(o-s),[e,n,i]}function c(t){var e,n,i,a,r,o=t[0]/360,s=t[1]/100,l=t[2]/100;if(0==s)return r=255*l,[r,r,r];e=2*l-(n=l<.5?l*(1+s):l+s-l*s),a=[0,0,0];for(var u=0;u<3;u++)(i=o+1/3*-(u-1))<0&&i++,i>1&&i--,r=6*i<1?e+6*(n-e)*i:2*i<1?n:3*i<2?e+(n-e)*(2/3-i)*6:e,a[u]=255*r;return a}function h(t){var e=t[0]/60,n=t[1]/100,i=t[2]/100,a=Math.floor(e)%6,r=e-Math.floor(e),o=255*i*(1-n),s=255*i*(1-n*r),l=255*i*(1-n*(1-r)),i=255*i;switch(a){case 0:return[i,l,o];case 1:return[s,i,o];case 2:return[o,i,l];case 3:return[o,s,i];case 4:return[l,o,i];case 5:return[i,o,s]}}function f(t){var e,n,i,a,o=t[0]/360,s=t[1]/100,l=t[2]/100,u=s+l;switch(u>1&&(s/=u,l/=u),e=Math.floor(6*o),n=1-l,i=6*o-e,0!=(1&e)&&(i=1-i),a=s+i*(n-s),e){default:case 6:case 0:r=n,g=a,b=s;break;case 1:r=a,g=n,b=s;break;case 2:r=s,g=n,b=a;break;case 3:r=s,g=a,b=n;break;case 4:r=a,g=s,b=n;break;case 5:r=n,g=s,b=a}return[255*r,255*g,255*b]}function m(t){var e,n,i,a=t[0]/100,r=t[1]/100,o=t[2]/100,s=t[3]/100;return e=1-Math.min(1,a*(1-s)+s),n=1-Math.min(1,r*(1-s)+s),i=1-Math.min(1,o*(1-s)+s),[255*e,255*n,255*i]}function p(t){var e,n,i,a=t[0]/100,r=t[1]/100,o=t[2]/100;return e=3.2406*a+-1.5372*r+-.4986*o,n=-.9689*a+1.8758*r+.0415*o,i=.0557*a+-.204*r+1.057*o,e=e>.0031308?1.055*Math.pow(e,1/2.4)-.055:e*=12.92,n=n>.0031308?1.055*Math.pow(n,1/2.4)-.055:n*=12.92,i=i>.0031308?1.055*Math.pow(i,1/2.4)-.055:i*=12.92,e=Math.min(Math.max(0,e),1),n=Math.min(Math.max(0,n),1),i=Math.min(Math.max(0,i),1),[255*e,255*n,255*i]}function v(t){var e,n,i,a=t[0],r=t[1],o=t[2];return a/=95.047,r/=100,o/=108.883,a=a>.008856?Math.pow(a,1/3):7.787*a+16/116,r=r>.008856?Math.pow(r,1/3):7.787*r+16/116,o=o>.008856?Math.pow(o,1/3):7.787*o+16/116,e=116*r-16,n=500*(a-r),i=200*(r-o),[e,n,i]}function y(t){var e,n,i,a,r=t[0],o=t[1],s=t[2];return r<=8?a=(n=100*r/903.3)/100*7.787+16/116:(n=100*Math.pow((r+16)/116,3),a=Math.pow(n/100,1/3)),e=e/95.047<=.008856?e=95.047*(o/500+a-16/116)/7.787:95.047*Math.pow(o/500+a,3),i=i/108.883<=.008859?i=108.883*(a-s/200-16/116)/7.787:108.883*Math.pow(a-s/200,3),[e,n,i]}function x(t){var e,n,i,a=t[0],r=t[1],o=t[2];return e=Math.atan2(o,r),(n=360*e/2/Math.PI)<0&&(n+=360),i=Math.sqrt(r*r+o*o),[a,i,n]}function _(t){return p(y(t))}function k(t){var e,n,i,a=t[0],r=t[1];return i=t[2]/360*2*Math.PI,e=r*Math.cos(i),n=r*Math.sin(i),[a,e,n]}function w(t){return M[t]}e.exports={rgb2hsl:i,rgb2hsv:a,rgb2hwb:o,rgb2cmyk:s,rgb2keyword:l,rgb2xyz:u,rgb2lab:d,rgb2lch:function(t){return x(d(t))},hsl2rgb:c,hsl2hsv:function(t){var e,n,i=t[0],a=t[1]/100,r=t[2]/100;return 0===r?[0,0,0]:(r*=2,a*=r<=1?r:2-r,n=(r+a)/2,e=2*a/(r+a),[i,100*e,100*n])},hsl2hwb:function(t){return o(c(t))},hsl2cmyk:function(t){return s(c(t))},hsl2keyword:function(t){return l(c(t))},hsv2rgb:h,hsv2hsl:function(t){var e,n,i=t[0],a=t[1]/100,r=t[2]/100;return n=(2-a)*r,e=a*r,e/=n<=1?n:2-n,e=e||0,n/=2,[i,100*e,100*n]},hsv2hwb:function(t){return o(h(t))},hsv2cmyk:function(t){return s(h(t))},hsv2keyword:function(t){return l(h(t))},hwb2rgb:f,hwb2hsl:function(t){return i(f(t))},hwb2hsv:function(t){return a(f(t))},hwb2cmyk:function(t){return s(f(t))},hwb2keyword:function(t){return l(f(t))},cmyk2rgb:m,cmyk2hsl:function(t){return i(m(t))},cmyk2hsv:function(t){return a(m(t))},cmyk2hwb:function(t){return o(m(t))},cmyk2keyword:function(t){return l(m(t))},keyword2rgb:w,keyword2hsl:function(t){return i(w(t))},keyword2hsv:function(t){return a(w(t))},keyword2hwb:function(t){return o(w(t))},keyword2cmyk:function(t){return s(w(t))},keyword2lab:function(t){return d(w(t))},keyword2xyz:function(t){return u(w(t))},xyz2rgb:p,xyz2lab:v,xyz2lch:function(t){return x(v(t))},lab2xyz:y,lab2rgb:_,lab2lch:x,lch2lab:k,lch2xyz:function(t){return y(k(t))},lch2rgb:function(t){return _(k(t))}};var M={aliceblue:[240,248,255],antiquewhite:[250,235,215],aqua:[0,255,255],aquamarine:[127,255,212],azure:[240,255,255],beige:[245,245,220],bisque:[255,228,196],black:[0,0,0],blanchedalmond:[255,235,205],blue:[0,0,255],blueviolet:[138,43,226],brown:[165,42,42],burlywood:[222,184,135],cadetblue:[95,158,160],chartreuse:[127,255,0],chocolate:[210,105,30],coral:[255,127,80],cornflowerblue:[100,149,237],cornsilk:[255,248,220],crimson:[220,20,60],cyan:[0,255,255],darkblue:[0,0,139],darkcyan:[0,139,139],darkgoldenrod:[184,134,11],darkgray:[169,169,169],darkgreen:[0,100,0],darkgrey:[169,169,169],darkkhaki:[189,183,107],darkmagenta:[139,0,139],darkolivegreen:[85,107,47],darkorange:[255,140,0],darkorchid:[153,50,204],darkred:[139,0,0],darksalmon:[233,150,122],darkseagreen:[143,188,143],darkslateblue:[72,61,139],darkslategray:[47,79,79],darkslategrey:[47,79,79],darkturquoise:[0,206,209],darkviolet:[148,0,211],deeppink:[255,20,147],deepskyblue:[0,191,255],dimgray:[105,105,105],dimgrey:[105,105,105],dodgerblue:[30,144,255],firebrick:[178,34,34],floralwhite:[255,250,240],forestgreen:[34,139,34],fuchsia:[255,0,255],gainsboro:[220,220,220],ghostwhite:[248,248,255],gold:[255,215,0],goldenrod:[218,165,32],gray:[128,128,128],green:[0,128,0],greenyellow:[173,255,47],grey:[128,128,128],honeydew:[240,255,240],hotpink:[255,105,180],indianred:[205,92,92],indigo:[75,0,130],ivory:[255,255,240],khaki:[240,230,140],lavender:[230,230,250],lavenderblush:[255,240,245],lawngreen:[124,252,0],lemonchiffon:[255,250,205],lightblue:[173,216,230],lightcoral:[240,128,128],lightcyan:[224,255,255],lightgoldenrodyellow:[250,250,210],lightgray:[211,211,211],lightgreen:[144,238,144],lightgrey:[211,211,211],lightpink:[255,182,193],lightsalmon:[255,160,122],lightseagreen:[32,178,170],lightskyblue:[135,206,250],lightslategray:[119,136,153],lightslategrey:[119,136,153],lightsteelblue:[176,196,222],lightyellow:[255,255,224],lime:[0,255,0],limegreen:[50,205,50],linen:[250,240,230],magenta:[255,0,255],maroon:[128,0,0],mediumaquamarine:[102,205,170],mediumblue:[0,0,205],mediumorchid:[186,85,211],mediumpurple:[147,112,219],mediumseagreen:[60,179,113],mediumslateblue:[123,104,238],mediumspringgreen:[0,250,154],mediumturquoise:[72,209,204],mediumvioletred:[199,21,133],midnightblue:[25,25,112],mintcream:[245,255,250],mistyrose:[255,228,225],moccasin:[255,228,181],navajowhite:[255,222,173],navy:[0,0,128],oldlace:[253,245,230],olive:[128,128,0],olivedrab:[107,142,35],orange:[255,165,0],orangered:[255,69,0],orchid:[218,112,214],palegoldenrod:[238,232,170],palegreen:[152,251,152],paleturquoise:[175,238,238],palevioletred:[219,112,147],papayawhip:[255,239,213],peachpuff:[255,218,185],peru:[205,133,63],pink:[255,192,203],plum:[221,160,221],powderblue:[176,224,230],purple:[128,0,128],rebeccapurple:[102,51,153],red:[255,0,0],rosybrown:[188,143,143],royalblue:[65,105,225],saddlebrown:[139,69,19],salmon:[250,128,114],sandybrown:[244,164,96],seagreen:[46,139,87],seashell:[255,245,238],sienna:[160,82,45],silver:[192,192,192],skyblue:[135,206,235],slateblue:[106,90,205],slategray:[112,128,144],slategrey:[112,128,144],snow:[255,250,250],springgreen:[0,255,127],steelblue:[70,130,180],tan:[210,180,140],teal:[0,128,128],thistle:[216,191,216],tomato:[255,99,71],turquoise:[64,224,208],violet:[238,130,238],wheat:[245,222,179],white:[255,255,255],whitesmoke:[245,245,245],yellow:[255,255,0],yellowgreen:[154,205,50]},S={};for(var D in M)S[JSON.stringify(M[D])]=D},{}],4:[function(t,e,n){var i=t(3),a=function(){return new u};for(var r in i){a[r+"Raw"]=function(t){return function(e){return"number"==typeof e&&(e=Array.prototype.slice.call(arguments)),i[t](e)}}(r);var o=/(\w+)2(\w+)/.exec(r),s=o[1],l=o[2];(a[s]=a[s]||{})[l]=a[r]=function(t){return function(e){"number"==typeof e&&(e=Array.prototype.slice.call(arguments));var n=i[t](e);if("string"==typeof n||void 0===n)return n;for(var a=0;a<n.length;a++)n[a]=Math.round(n[a]);return n}}(r)}var u=function(){this.convs={}};u.prototype.routeSpace=function(t,e){var n=e[0];return void 0===n?this.getValues(t):("number"==typeof n&&(n=Array.prototype.slice.call(e)),this.setValues(t,n))},u.prototype.setValues=function(t,e){return this.space=t,this.convs={},this.convs[t]=e,this},u.prototype.getValues=function(t){var e=this.convs[t];if(!e){var n=this.space,i=this.convs[n];e=a[n][t](i),this.convs[t]=e}return e},["rgb","hsl","hsv","cmyk","keyword"].forEach(function(t){u.prototype[t]=function(e){return this.routeSpace(t,arguments)}}),e.exports=a},{3:3}],5:[function(t,e,n){"use strict";e.exports={aliceblue:[240,248,255],antiquewhite:[250,235,215],aqua:[0,255,255],aquamarine:[127,255,212],azure:[240,255,255],beige:[245,245,220],bisque:[255,228,196],black:[0,0,0],blanchedalmond:[255,235,205],blue:[0,0,255],blueviolet:[138,43,226],brown:[165,42,42],burlywood:[222,184,135],cadetblue:[95,158,160],chartreuse:[127,255,0],chocolate:[210,105,30],coral:[255,127,80],cornflowerblue:[100,149,237],cornsilk:[255,248,220],crimson:[220,20,60],cyan:[0,255,255],darkblue:[0,0,139],darkcyan:[0,139,139],darkgoldenrod:[184,134,11],darkgray:[169,169,169],darkgreen:[0,100,0],darkgrey:[169,169,169],darkkhaki:[189,183,107],darkmagenta:[139,0,139],darkolivegreen:[85,107,47],darkorange:[255,140,0],darkorchid:[153,50,204],darkred:[139,0,0],darksalmon:[233,150,122],darkseagreen:[143,188,143],darkslateblue:[72,61,139],darkslategray:[47,79,79],darkslategrey:[47,79,79],darkturquoise:[0,206,209],darkviolet:[148,0,211],deeppink:[255,20,147],deepskyblue:[0,191,255],dimgray:[105,105,105],dimgrey:[105,105,105],dodgerblue:[30,144,255],firebrick:[178,34,34],floralwhite:[255,250,240],forestgreen:[34,139,34],fuchsia:[255,0,255],gainsboro:[220,220,220],ghostwhite:[248,248,255],gold:[255,215,0],goldenrod:[218,165,32],gray:[128,128,128],green:[0,128,0],greenyellow:[173,255,47],grey:[128,128,128],honeydew:[240,255,240],hotpink:[255,105,180],indianred:[205,92,92],indigo:[75,0,130],ivory:[255,255,240],khaki:[240,230,140],lavender:[230,230,250],lavenderblush:[255,240,245],lawngreen:[124,252,0],lemonchiffon:[255,250,205],lightblue:[173,216,230],lightcoral:[240,128,128],lightcyan:[224,255,255],lightgoldenrodyellow:[250,250,210],lightgray:[211,211,211],lightgreen:[144,238,144],lightgrey:[211,211,211],lightpink:[255,182,193],lightsalmon:[255,160,122],lightseagreen:[32,178,170],lightskyblue:[135,206,250],lightslategray:[119,136,153],lightslategrey:[119,136,153],lightsteelblue:[176,196,222],lightyellow:[255,255,224],lime:[0,255,0],limegreen:[50,205,50],linen:[250,240,230],magenta:[255,0,255],maroon:[128,0,0],mediumaquamarine:[102,205,170],mediumblue:[0,0,205],mediumorchid:[186,85,211],mediumpurple:[147,112,219],mediumseagreen:[60,179,113],mediumslateblue:[123,104,238],mediumspringgreen:[0,250,154],mediumturquoise:[72,209,204],mediumvioletred:[199,21,133],midnightblue:[25,25,112],mintcream:[245,255,250],mistyrose:[255,228,225],moccasin:[255,228,181],navajowhite:[255,222,173],navy:[0,0,128],oldlace:[253,245,230],olive:[128,128,0],olivedrab:[107,142,35],orange:[255,165,0],orangered:[255,69,0],orchid:[218,112,214],palegoldenrod:[238,232,170],palegreen:[152,251,152],paleturquoise:[175,238,238],palevioletred:[219,112,147],papayawhip:[255,239,213],peachpuff:[255,218,185],peru:[205,133,63],pink:[255,192,203],plum:[221,160,221],powderblue:[176,224,230],purple:[128,0,128],rebeccapurple:[102,51,153],red:[255,0,0],rosybrown:[188,143,143],royalblue:[65,105,225],saddlebrown:[139,69,19],salmon:[250,128,114],sandybrown:[244,164,96],seagreen:[46,139,87],seashell:[255,245,238],sienna:[160,82,45],silver:[192,192,192],skyblue:[135,206,235],slateblue:[106,90,205],slategray:[112,128,144],slategrey:[112,128,144],snow:[255,250,250],springgreen:[0,255,127],steelblue:[70,130,180],tan:[210,180,140],teal:[0,128,128],thistle:[216,191,216],tomato:[255,99,71],turquoise:[64,224,208],violet:[238,130,238],wheat:[245,222,179],white:[255,255,255],whitesmoke:[245,245,245],yellow:[255,255,0],yellowgreen:[154,205,50]}},{}],6:[function(t,e,n){!function(t,i){"object"==typeof n&&void 0!==e?e.exports=i():t.moment=i()}(this,function(){"use strict";function n(){return xe.apply(null,arguments)}function i(t){return t instanceof Array||"[object Array]"===Object.prototype.toString.call(t)}function a(t){return null!=t&&"[object Object]"===Object.prototype.toString.call(t)}function r(t){var e;for(e in t)return!1;return!0}function o(t){return void 0===t}function s(t){return"number"==typeof t||"[object Number]"===Object.prototype.toString.call(t)}function l(t){return t instanceof Date||"[object Date]"===Object.prototype.toString.call(t)}function u(t,e){var n,i=[];for(n=0;n<t.length;++n)i.push(e(t[n],n));return i}function d(t,e){return Object.prototype.hasOwnProperty.call(t,e)}function c(t,e){for(var n in e)d(e,n)&&(t[n]=e[n]);return d(e,"toString")&&(t.toString=e.toString),d(e,"valueOf")&&(t.valueOf=e.valueOf),t}function h(t,e,n,i){return Yt(t,e,n,i,!0).utc()}function f(){return{empty:!1,unusedTokens:[],unusedInput:[],overflow:-2,charsLeftOver:0,nullInput:!1,invalidMonth:null,invalidFormat:!1,userInvalidated:!1,iso:!1,parsedDateParts:[],meridiem:null,rfc2822:!1,weekdayMismatch:!1}}function g(t){return null==t._pf&&(t._pf=f()),t._pf}function m(t){if(null==t._isValid){var e=g(t),n=ke.call(e.parsedDateParts,function(t){return null!=t}),i=!isNaN(t._d.getTime())&&e.overflow<0&&!e.empty&&!e.invalidMonth&&!e.invalidWeekday&&!e.nullInput&&!e.invalidFormat&&!e.userInvalidated&&(!e.meridiem||e.meridiem&&n);if(t._strict&&(i=i&&0===e.charsLeftOver&&0===e.unusedTokens.length&&void 0===e.bigHour),null!=Object.isFrozen&&Object.isFrozen(t))return i;t._isValid=i}return t._isValid}function p(t){var e=h(NaN);return null!=t?c(g(e),t):g(e).userInvalidated=!0,e}function v(t,e){var n,i,a;if(o(e._isAMomentObject)||(t._isAMomentObject=e._isAMomentObject),o(e._i)||(t._i=e._i),o(e._f)||(t._f=e._f),o(e._l)||(t._l=e._l),o(e._strict)||(t._strict=e._strict),o(e._tzm)||(t._tzm=e._tzm),o(e._isUTC)||(t._isUTC=e._isUTC),o(e._offset)||(t._offset=e._offset),o(e._pf)||(t._pf=g(e)),o(e._locale)||(t._locale=e._locale),we.length>0)for(n=0;n<we.length;n++)o(a=e[i=we[n]])||(t[i]=a);return t}function y(t){v(this,t),this._d=new Date(null!=t._d?t._d.getTime():NaN),this.isValid()||(this._d=new Date(NaN)),!1===Me&&(Me=!0,n.updateOffset(this),Me=!1)}function b(t){return t instanceof y||null!=t&&null!=t._isAMomentObject}function x(t){return t<0?Math.ceil(t)||0:Math.floor(t)}function _(t){var e=+t,n=0;return 0!==e&&isFinite(e)&&(n=x(e)),n}function k(t,e,n){var i,a=Math.min(t.length,e.length),r=Math.abs(t.length-e.length),o=0;for(i=0;i<a;i++)(n&&t[i]!==e[i]||!n&&_(t[i])!==_(e[i]))&&o++;return o+r}function w(t){!1===n.suppressDeprecationWarnings&&"undefined"!=typeof console&&console.warn&&console.warn("Deprecation warning: "+t)}function M(t,e){var i=!0;return c(function(){if(null!=n.deprecationHandler&&n.deprecationHandler(null,t),i){for(var a,r=[],o=0;o<arguments.length;o++){if(a="","object"==typeof arguments[o]){a+="\n["+o+"] ";for(var s in arguments[0])a+=s+": "+arguments[0][s]+", ";a=a.slice(0,-2)}else a=arguments[o];r.push(a)}w(t+"\nArguments: "+Array.prototype.slice.call(r).join("")+"\n"+(new Error).stack),i=!1}return e.apply(this,arguments)},e)}function S(t,e){null!=n.deprecationHandler&&n.deprecationHandler(t,e),Se[t]||(w(e),Se[t]=!0)}function D(t){return t instanceof Function||"[object Function]"===Object.prototype.toString.call(t)}function C(t,e){var n,i=c({},t);for(n in e)d(e,n)&&(a(t[n])&&a(e[n])?(i[n]={},c(i[n],t[n]),c(i[n],e[n])):null!=e[n]?i[n]=e[n]:delete i[n]);for(n in t)d(t,n)&&!d(e,n)&&a(t[n])&&(i[n]=c({},i[n]));return i}function P(t){null!=t&&this.set(t)}function T(t,e){var n=t.toLowerCase();Te[n]=Te[n+"s"]=Te[e]=t}function A(t){return"string"==typeof t?Te[t]||Te[t.toLowerCase()]:void 0}function I(t){var e,n,i={};for(n in t)d(t,n)&&(e=A(n))&&(i[e]=t[n]);return i}function O(t,e){Ae[t]=e}function F(t){var e=[];for(var n in t)e.push({unit:n,priority:Ae[n]});return e.sort(function(t,e){return t.priority-e.priority}),e}function R(t,e){return function(i){return null!=i?(W(this,t,i),n.updateOffset(this,e),this):L(this,t)}}function L(t,e){return t.isValid()?t._d["get"+(t._isUTC?"UTC":"")+e]():NaN}function W(t,e,n){t.isValid()&&t._d["set"+(t._isUTC?"UTC":"")+e](n)}function Y(t,e,n){var i=""+Math.abs(t),a=e-i.length;return(t>=0?n?"+":"":"-")+Math.pow(10,Math.max(0,a)).toString().substr(1)+i}function N(t,e,n,i){var a=i;"string"==typeof i&&(a=function(){return this[i]()}),t&&(Re[t]=a),e&&(Re[e[0]]=function(){return Y(a.apply(this,arguments),e[1],e[2])}),n&&(Re[n]=function(){return this.localeData().ordinal(a.apply(this,arguments),t)})}function z(t){return t.match(/\[[\s\S]/)?t.replace(/^\[|\]$/g,""):t.replace(/\\/g,"")}function B(t){var e,n,i=t.match(Ie);for(e=0,n=i.length;e<n;e++)Re[i[e]]?i[e]=Re[i[e]]:i[e]=z(i[e]);return function(e){var a,r="";for(a=0;a<n;a++)r+=D(i[a])?i[a].call(e,t):i[a];return r}}function V(t,e){return t.isValid()?(e=H(e,t.localeData()),Fe[e]=Fe[e]||B(e),Fe[e](t)):t.localeData().invalidDate()}function H(t,e){var n=5;for(Oe.lastIndex=0;n>=0&&Oe.test(t);)t=t.replace(Oe,function(t){return e.longDateFormat(t)||t}),Oe.lastIndex=0,n-=1;return t}function E(t,e,n){Ke[t]=D(e)?e:function(t,i){return t&&n?n:e}}function j(t,e){return d(Ke,t)?Ke[t](e._strict,e._locale):new RegExp(U(t))}function U(t){return q(t.replace("\\","").replace(/\\(\[)|\\(\])|\[([^\]\[]*)\]|\\(.)/g,function(t,e,n,i,a){return e||n||i||a}))}function q(t){return t.replace(/[-\/\\^$*+?.()|[\]{}]/g,"\\$&")}function G(t,e){var n,i=e;for("string"==typeof t&&(t=[t]),s(e)&&(i=function(t,n){n[e]=_(t)}),n=0;n<t.length;n++)Qe[t[n]]=i}function Z(t,e){G(t,function(t,n,i,a){i._w=i._w||{},e(t,i._w,i,a)})}function X(t,e,n){null!=e&&d(Qe,t)&&Qe[t](e,n._a,n,t)}function J(t,e){return new Date(Date.UTC(t,e+1,0)).getUTCDate()}function K(t,e,n){var i,a,r,o=t.toLocaleLowerCase();if(!this._monthsParse)for(this._monthsParse=[],this._longMonthsParse=[],this._shortMonthsParse=[],i=0;i<12;++i)r=h([2e3,i]),this._shortMonthsParse[i]=this.monthsShort(r,"").toLocaleLowerCase(),this._longMonthsParse[i]=this.months(r,"").toLocaleLowerCase();return n?"MMM"===e?-1!==(a=un.call(this._shortMonthsParse,o))?a:null:-1!==(a=un.call(this._longMonthsParse,o))?a:null:"MMM"===e?-1!==(a=un.call(this._shortMonthsParse,o))?a:-1!==(a=un.call(this._longMonthsParse,o))?a:null:-1!==(a=un.call(this._longMonthsParse,o))?a:-1!==(a=un.call(this._shortMonthsParse,o))?a:null}function Q(t,e){var n;if(!t.isValid())return t;if("string"==typeof e)if(/^\d+$/.test(e))e=_(e);else if(e=t.localeData().monthsParse(e),!s(e))return t;return n=Math.min(t.date(),J(t.year(),e)),t._d["set"+(t._isUTC?"UTC":"")+"Month"](e,n),t}function $(t){return null!=t?(Q(this,t),n.updateOffset(this,!0),this):L(this,"Month")}function tt(){function t(t,e){return e.length-t.length}var e,n,i=[],a=[],r=[];for(e=0;e<12;e++)n=h([2e3,e]),i.push(this.monthsShort(n,"")),a.push(this.months(n,"")),r.push(this.months(n,"")),r.push(this.monthsShort(n,""));for(i.sort(t),a.sort(t),r.sort(t),e=0;e<12;e++)i[e]=q(i[e]),a[e]=q(a[e]);for(e=0;e<24;e++)r[e]=q(r[e]);this._monthsRegex=new RegExp("^("+r.join("|")+")","i"),this._monthsShortRegex=this._monthsRegex,this._monthsStrictRegex=new RegExp("^("+a.join("|")+")","i"),this._monthsShortStrictRegex=new RegExp("^("+i.join("|")+")","i")}function et(t){return nt(t)?366:365}function nt(t){return t%4==0&&t%100!=0||t%400==0}function it(t,e,n,i,a,r,o){var s=new Date(t,e,n,i,a,r,o);return t<100&&t>=0&&isFinite(s.getFullYear())&&s.setFullYear(t),s}function at(t){var e=new Date(Date.UTC.apply(null,arguments));return t<100&&t>=0&&isFinite(e.getUTCFullYear())&&e.setUTCFullYear(t),e}function rt(t,e,n){var i=7+e-n;return-((7+at(t,0,i).getUTCDay()-e)%7)+i-1}function ot(t,e,n,i,a){var r,o,s=1+7*(e-1)+(7+n-i)%7+rt(t,i,a);return s<=0?o=et(r=t-1)+s:s>et(t)?(r=t+1,o=s-et(t)):(r=t,o=s),{year:r,dayOfYear:o}}function st(t,e,n){var i,a,r=rt(t.year(),e,n),o=Math.floor((t.dayOfYear()-r-1)/7)+1;return o<1?i=o+lt(a=t.year()-1,e,n):o>lt(t.year(),e,n)?(i=o-lt(t.year(),e,n),a=t.year()+1):(a=t.year(),i=o),{week:i,year:a}}function lt(t,e,n){var i=rt(t,e,n),a=rt(t+1,e,n);return(et(t)-i+a)/7}function ut(t,e){return"string"!=typeof t?t:isNaN(t)?"number"==typeof(t=e.weekdaysParse(t))?t:null:parseInt(t,10)}function dt(t,e){return"string"==typeof t?e.weekdaysParse(t)%7||7:isNaN(t)?null:t}function ct(t,e,n){var i,a,r,o=t.toLocaleLowerCase();if(!this._weekdaysParse)for(this._weekdaysParse=[],this._shortWeekdaysParse=[],this._minWeekdaysParse=[],i=0;i<7;++i)r=h([2e3,1]).day(i),this._minWeekdaysParse[i]=this.weekdaysMin(r,"").toLocaleLowerCase(),this._shortWeekdaysParse[i]=this.weekdaysShort(r,"").toLocaleLowerCase(),this._weekdaysParse[i]=this.weekdays(r,"").toLocaleLowerCase();return n?"dddd"===e?-1!==(a=un.call(this._weekdaysParse,o))?a:null:"ddd"===e?-1!==(a=un.call(this._shortWeekdaysParse,o))?a:null:-1!==(a=un.call(this._minWeekdaysParse,o))?a:null:"dddd"===e?-1!==(a=un.call(this._weekdaysParse,o))?a:-1!==(a=un.call(this._shortWeekdaysParse,o))?a:-1!==(a=un.call(this._minWeekdaysParse,o))?a:null:"ddd"===e?-1!==(a=un.call(this._shortWeekdaysParse,o))?a:-1!==(a=un.call(this._weekdaysParse,o))?a:-1!==(a=un.call(this._minWeekdaysParse,o))?a:null:-1!==(a=un.call(this._minWeekdaysParse,o))?a:-1!==(a=un.call(this._weekdaysParse,o))?a:-1!==(a=un.call(this._shortWeekdaysParse,o))?a:null}function ht(){function t(t,e){return e.length-t.length}var e,n,i,a,r,o=[],s=[],l=[],u=[];for(e=0;e<7;e++)n=h([2e3,1]).day(e),i=this.weekdaysMin(n,""),a=this.weekdaysShort(n,""),r=this.weekdays(n,""),o.push(i),s.push(a),l.push(r),u.push(i),u.push(a),u.push(r);for(o.sort(t),s.sort(t),l.sort(t),u.sort(t),e=0;e<7;e++)s[e]=q(s[e]),l[e]=q(l[e]),u[e]=q(u[e]);this._weekdaysRegex=new RegExp("^("+u.join("|")+")","i"),this._weekdaysShortRegex=this._weekdaysRegex,this._weekdaysMinRegex=this._weekdaysRegex,this._weekdaysStrictRegex=new RegExp("^("+l.join("|")+")","i"),this._weekdaysShortStrictRegex=new RegExp("^("+s.join("|")+")","i"),this._weekdaysMinStrictRegex=new RegExp("^("+o.join("|")+")","i")}function ft(){return this.hours()%12||12}function gt(t,e){N(t,0,0,function(){return this.localeData().meridiem(this.hours(),this.minutes(),e)})}function mt(t,e){return e._meridiemParse}function pt(t){return t?t.toLowerCase().replace("_","-"):t}function vt(t){for(var e,n,i,a,r=0;r<t.length;){for(e=(a=pt(t[r]).split("-")).length,n=(n=pt(t[r+1]))?n.split("-"):null;e>0;){if(i=yt(a.slice(0,e).join("-")))return i;if(n&&n.length>=e&&k(a,n,!0)>=e-1)break;e--}r++}return null}function yt(n){var i=null;if(!Sn[n]&&void 0!==e&&e&&e.exports)try{i=kn._abbr,t("./locale/"+n),bt(i)}catch(t){}return Sn[n]}function bt(t,e){var n;return t&&(n=o(e)?_t(t):xt(t,e))&&(kn=n),kn._abbr}function xt(t,e){if(null!==e){var n=Mn;if(e.abbr=t,null!=Sn[t])S("defineLocaleOverride","use moment.updateLocale(localeName, config) to change an existing locale. moment.defineLocale(localeName, config) should only be used for creating a new locale See http://momentjs.com/guides/#/warnings/define-locale/ for more info."),n=Sn[t]._config;else if(null!=e.parentLocale){if(null==Sn[e.parentLocale])return Dn[e.parentLocale]||(Dn[e.parentLocale]=[]),Dn[e.parentLocale].push({name:t,config:e}),null;n=Sn[e.parentLocale]._config}return Sn[t]=new P(C(n,e)),Dn[t]&&Dn[t].forEach(function(t){xt(t.name,t.config)}),bt(t),Sn[t]}return delete Sn[t],null}function _t(t){var e;if(t&&t._locale&&t._locale._abbr&&(t=t._locale._abbr),!t)return kn;if(!i(t)){if(e=yt(t))return e;t=[t]}return vt(t)}function kt(t){var e,n=t._a;return n&&-2===g(t).overflow&&(e=n[tn]<0||n[tn]>11?tn:n[en]<1||n[en]>J(n[$e],n[tn])?en:n[nn]<0||n[nn]>24||24===n[nn]&&(0!==n[an]||0!==n[rn]||0!==n[on])?nn:n[an]<0||n[an]>59?an:n[rn]<0||n[rn]>59?rn:n[on]<0||n[on]>999?on:-1,g(t)._overflowDayOfYear&&(e<$e||e>en)&&(e=en),g(t)._overflowWeeks&&-1===e&&(e=sn),g(t)._overflowWeekday&&-1===e&&(e=ln),g(t).overflow=e),t}function wt(t){var e,n,i,a,r,o,s=t._i,l=Cn.exec(s)||Pn.exec(s);if(l){for(g(t).iso=!0,e=0,n=An.length;e<n;e++)if(An[e][1].exec(l[1])){a=An[e][0],i=!1!==An[e][2];break}if(null==a)return void(t._isValid=!1);if(l[3]){for(e=0,n=In.length;e<n;e++)if(In[e][1].exec(l[3])){r=(l[2]||" ")+In[e][0];break}if(null==r)return void(t._isValid=!1)}if(!i&&null!=r)return void(t._isValid=!1);if(l[4]){if(!Tn.exec(l[4]))return void(t._isValid=!1);o="Z"}t._f=a+(r||"")+(o||""),At(t)}else t._isValid=!1}function Mt(t){var e,n,i,a,r,o,s,l,u={" GMT":" +0000"," EDT":" -0400"," EST":" -0500"," CDT":" -0500"," CST":" -0600"," MDT":" -0600"," MST":" -0700"," PDT":" -0700"," PST":" -0800"};if(e=t._i.replace(/\([^\)]*\)|[\n\t]/g," ").replace(/(\s\s+)/g," ").replace(/^\s|\s$/g,""),n=Fn.exec(e)){if(i=n[1]?"ddd"+(5===n[1].length?", ":" "):"",a="D MMM "+(n[2].length>10?"YYYY ":"YY "),r="HH:mm"+(n[4]?":ss":""),n[1]){var d=["Sun","Mon","Tue","Wed","Thu","Fri","Sat"][new Date(n[2]).getDay()];if(n[1].substr(0,3)!==d)return g(t).weekdayMismatch=!0,void(t._isValid=!1)}switch(n[5].length){case 2:s=0===l?" +0000":((l="YXWVUTSRQPONZABCDEFGHIKLM".indexOf(n[5][1].toUpperCase())-12)<0?" -":" +")+(""+l).replace(/^-?/,"0").match(/..$/)[0]+"00";break;case 4:s=u[n[5]];break;default:s=u[" GMT"]}n[5]=s,t._i=n.splice(1).join(""),o=" ZZ",t._f=i+a+r+o,At(t),g(t).rfc2822=!0}else t._isValid=!1}function St(t){var e=On.exec(t._i);null===e?(wt(t),!1===t._isValid&&(delete t._isValid,Mt(t),!1===t._isValid&&(delete t._isValid,n.createFromInputFallback(t)))):t._d=new Date(+e[1])}function Dt(t,e,n){return null!=t?t:null!=e?e:n}function Ct(t){var e=new Date(n.now());return t._useUTC?[e.getUTCFullYear(),e.getUTCMonth(),e.getUTCDate()]:[e.getFullYear(),e.getMonth(),e.getDate()]}function Pt(t){var e,n,i,a,r=[];if(!t._d){for(i=Ct(t),t._w&&null==t._a[en]&&null==t._a[tn]&&Tt(t),null!=t._dayOfYear&&(a=Dt(t._a[$e],i[$e]),(t._dayOfYear>et(a)||0===t._dayOfYear)&&(g(t)._overflowDayOfYear=!0),n=at(a,0,t._dayOfYear),t._a[tn]=n.getUTCMonth(),t._a[en]=n.getUTCDate()),e=0;e<3&&null==t._a[e];++e)t._a[e]=r[e]=i[e];for(;e<7;e++)t._a[e]=r[e]=null==t._a[e]?2===e?1:0:t._a[e];24===t._a[nn]&&0===t._a[an]&&0===t._a[rn]&&0===t._a[on]&&(t._nextDay=!0,t._a[nn]=0),t._d=(t._useUTC?at:it).apply(null,r),null!=t._tzm&&t._d.setUTCMinutes(t._d.getUTCMinutes()-t._tzm),t._nextDay&&(t._a[nn]=24)}}function Tt(t){var e,n,i,a,r,o,s,l;if(null!=(e=t._w).GG||null!=e.W||null!=e.E)r=1,o=4,n=Dt(e.GG,t._a[$e],st(Nt(),1,4).year),i=Dt(e.W,1),((a=Dt(e.E,1))<1||a>7)&&(l=!0);else{r=t._locale._week.dow,o=t._locale._week.doy;var u=st(Nt(),r,o);n=Dt(e.gg,t._a[$e],u.year),i=Dt(e.w,u.week),null!=e.d?((a=e.d)<0||a>6)&&(l=!0):null!=e.e?(a=e.e+r,(e.e<0||e.e>6)&&(l=!0)):a=r}i<1||i>lt(n,r,o)?g(t)._overflowWeeks=!0:null!=l?g(t)._overflowWeekday=!0:(s=ot(n,i,a,r,o),t._a[$e]=s.year,t._dayOfYear=s.dayOfYear)}function At(t){if(t._f!==n.ISO_8601)if(t._f!==n.RFC_2822){t._a=[],g(t).empty=!0;var e,i,a,r,o,s=""+t._i,l=s.length,u=0;for(a=H(t._f,t._locale).match(Ie)||[],e=0;e<a.length;e++)r=a[e],(i=(s.match(j(r,t))||[])[0])&&((o=s.substr(0,s.indexOf(i))).length>0&&g(t).unusedInput.push(o),s=s.slice(s.indexOf(i)+i.length),u+=i.length),Re[r]?(i?g(t).empty=!1:g(t).unusedTokens.push(r),X(r,i,t)):t._strict&&!i&&g(t).unusedTokens.push(r);g(t).charsLeftOver=l-u,s.length>0&&g(t).unusedInput.push(s),t._a[nn]<=12&&!0===g(t).bigHour&&t._a[nn]>0&&(g(t).bigHour=void 0),g(t).parsedDateParts=t._a.slice(0),g(t).meridiem=t._meridiem,t._a[nn]=It(t._locale,t._a[nn],t._meridiem),Pt(t),kt(t)}else Mt(t);else wt(t)}function It(t,e,n){var i;return null==n?e:null!=t.meridiemHour?t.meridiemHour(e,n):null!=t.isPM?((i=t.isPM(n))&&e<12&&(e+=12),i||12!==e||(e=0),e):e}function Ot(t){var e,n,i,a,r;if(0===t._f.length)return g(t).invalidFormat=!0,void(t._d=new Date(NaN));for(a=0;a<t._f.length;a++)r=0,e=v({},t),null!=t._useUTC&&(e._useUTC=t._useUTC),e._f=t._f[a],At(e),m(e)&&(r+=g(e).charsLeftOver,r+=10*g(e).unusedTokens.length,g(e).score=r,(null==i||r<i)&&(i=r,n=e));c(t,n||e)}function Ft(t){if(!t._d){var e=I(t._i);t._a=u([e.year,e.month,e.day||e.date,e.hour,e.minute,e.second,e.millisecond],function(t){return t&&parseInt(t,10)}),Pt(t)}}function Rt(t){var e=new y(kt(Lt(t)));return e._nextDay&&(e.add(1,"d"),e._nextDay=void 0),e}function Lt(t){var e=t._i,n=t._f;return t._locale=t._locale||_t(t._l),null===e||void 0===n&&""===e?p({nullInput:!0}):("string"==typeof e&&(t._i=e=t._locale.preparse(e)),b(e)?new y(kt(e)):(l(e)?t._d=e:i(n)?Ot(t):n?At(t):Wt(t),m(t)||(t._d=null),t))}function Wt(t){var e=t._i;o(e)?t._d=new Date(n.now()):l(e)?t._d=new Date(e.valueOf()):"string"==typeof e?St(t):i(e)?(t._a=u(e.slice(0),function(t){return parseInt(t,10)}),Pt(t)):a(e)?Ft(t):s(e)?t._d=new Date(e):n.createFromInputFallback(t)}function Yt(t,e,n,o,s){var l={};return!0!==n&&!1!==n||(o=n,n=void 0),(a(t)&&r(t)||i(t)&&0===t.length)&&(t=void 0),l._isAMomentObject=!0,l._useUTC=l._isUTC=s,l._l=n,l._i=t,l._f=e,l._strict=o,Rt(l)}function Nt(t,e,n,i){return Yt(t,e,n,i,!1)}function zt(t,e){var n,a;if(1===e.length&&i(e[0])&&(e=e[0]),!e.length)return Nt();for(n=e[0],a=1;a<e.length;++a)e[a].isValid()&&!e[a][t](n)||(n=e[a]);return n}function Bt(t){for(var e in t)if(-1===Wn.indexOf(e)||null!=t[e]&&isNaN(t[e]))return!1;for(var n=!1,i=0;i<Wn.length;++i)if(t[Wn[i]]){if(n)return!1;parseFloat(t[Wn[i]])!==_(t[Wn[i]])&&(n=!0)}return!0}function Vt(t){var e=I(t),n=e.year||0,i=e.quarter||0,a=e.month||0,r=e.week||0,o=e.day||0,s=e.hour||0,l=e.minute||0,u=e.second||0,d=e.millisecond||0;this._isValid=Bt(e),this._milliseconds=+d+1e3*u+6e4*l+1e3*s*60*60,this._days=+o+7*r,this._months=+a+3*i+12*n,this._data={},this._locale=_t(),this._bubble()}function Ht(t){return t instanceof Vt}function Et(t){return t<0?-1*Math.round(-1*t):Math.round(t)}function jt(t,e){N(t,0,0,function(){var t=this.utcOffset(),n="+";return t<0&&(t=-t,n="-"),n+Y(~~(t/60),2)+e+Y(~~t%60,2)})}function Ut(t,e){var n=(e||"").match(t);if(null===n)return null;var i=((n[n.length-1]||[])+"").match(Yn)||["-",0,0],a=60*i[1]+_(i[2]);return 0===a?0:"+"===i[0]?a:-a}function qt(t,e){var i,a;return e._isUTC?(i=e.clone(),a=(b(t)||l(t)?t.valueOf():Nt(t).valueOf())-i.valueOf(),i._d.setTime(i._d.valueOf()+a),n.updateOffset(i,!1),i):Nt(t).local()}function Gt(t){return 15*-Math.round(t._d.getTimezoneOffset()/15)}function Zt(){return!!this.isValid()&&(this._isUTC&&0===this._offset)}function Xt(t,e){var n,i,a,r=t,o=null;return Ht(t)?r={ms:t._milliseconds,d:t._days,M:t._months}:s(t)?(r={},e?r[e]=t:r.milliseconds=t):(o=Nn.exec(t))?(n="-"===o[1]?-1:1,r={y:0,d:_(o[en])*n,h:_(o[nn])*n,m:_(o[an])*n,s:_(o[rn])*n,ms:_(Et(1e3*o[on]))*n}):(o=zn.exec(t))?(n="-"===o[1]?-1:1,r={y:Jt(o[2],n),M:Jt(o[3],n),w:Jt(o[4],n),d:Jt(o[5],n),h:Jt(o[6],n),m:Jt(o[7],n),s:Jt(o[8],n)}):null==r?r={}:"object"==typeof r&&("from"in r||"to"in r)&&(a=Qt(Nt(r.from),Nt(r.to)),(r={}).ms=a.milliseconds,r.M=a.months),i=new Vt(r),Ht(t)&&d(t,"_locale")&&(i._locale=t._locale),i}function Jt(t,e){var n=t&&parseFloat(t.replace(",","."));return(isNaN(n)?0:n)*e}function Kt(t,e){var n={milliseconds:0,months:0};return n.months=e.month()-t.month()+12*(e.year()-t.year()),t.clone().add(n.months,"M").isAfter(e)&&--n.months,n.milliseconds=+e-+t.clone().add(n.months,"M"),n}function Qt(t,e){var n;return t.isValid()&&e.isValid()?(e=qt(e,t),t.isBefore(e)?n=Kt(t,e):((n=Kt(e,t)).milliseconds=-n.milliseconds,n.months=-n.months),n):{milliseconds:0,months:0}}function $t(t,e){return function(n,i){var a,r;return null===i||isNaN(+i)||(S(e,"moment()."+e+"(period, number) is deprecated. Please use moment()."+e+"(number, period). See http://momentjs.com/guides/#/warnings/add-inverted-param/ for more info."),r=n,n=i,i=r),n="string"==typeof n?+n:n,a=Xt(n,i),te(this,a,t),this}}function te(t,e,i,a){var r=e._milliseconds,o=Et(e._days),s=Et(e._months);t.isValid()&&(a=null==a||a,r&&t._d.setTime(t._d.valueOf()+r*i),o&&W(t,"Date",L(t,"Date")+o*i),s&&Q(t,L(t,"Month")+s*i),a&&n.updateOffset(t,o||s))}function ee(t,e){var n,i=12*(e.year()-t.year())+(e.month()-t.month()),a=t.clone().add(i,"months");return n=e-a<0?(e-a)/(a-t.clone().add(i-1,"months")):(e-a)/(t.clone().add(i+1,"months")-a),-(i+n)||0}function ne(t){var e;return void 0===t?this._locale._abbr:(null!=(e=_t(t))&&(this._locale=e),this)}function ie(){return this._locale}function ae(t,e){N(0,[t,t.length],0,e)}function re(t,e,n,i,a){var r;return null==t?st(this,i,a).year:(r=lt(t,i,a),e>r&&(e=r),oe.call(this,t,e,n,i,a))}function oe(t,e,n,i,a){var r=ot(t,e,n,i,a),o=at(r.year,0,r.dayOfYear);return this.year(o.getUTCFullYear()),this.month(o.getUTCMonth()),this.date(o.getUTCDate()),this}function se(t){return t}function le(t,e,n,i){var a=_t(),r=h().set(i,e);return a[n](r,t)}function ue(t,e,n){if(s(t)&&(e=t,t=void 0),t=t||"",null!=e)return le(t,e,n,"month");var i,a=[];for(i=0;i<12;i++)a[i]=le(t,i,n,"month");return a}function de(t,e,n,i){"boolean"==typeof t?(s(e)&&(n=e,e=void 0),e=e||""):(n=e=t,t=!1,s(e)&&(n=e,e=void 0),e=e||"");var a=_t(),r=t?a._week.dow:0;if(null!=n)return le(e,(n+r)%7,i,"day");var o,l=[];for(o=0;o<7;o++)l[o]=le(e,(o+r)%7,i,"day");return l}function ce(t,e,n,i){var a=Xt(e,n);return t._milliseconds+=i*a._milliseconds,t._days+=i*a._days,t._months+=i*a._months,t._bubble()}function he(t){return t<0?Math.floor(t):Math.ceil(t)}function fe(t){return 4800*t/146097}function ge(t){return 146097*t/4800}function me(t){return function(){return this.as(t)}}function pe(t){return function(){return this.isValid()?this._data[t]:NaN}}function ve(t,e,n,i,a){return a.relativeTime(e||1,!!n,t,i)}function ye(t,e,n){var i=Xt(t).abs(),a=hi(i.as("s")),r=hi(i.as("m")),o=hi(i.as("h")),s=hi(i.as("d")),l=hi(i.as("M")),u=hi(i.as("y")),d=a<=fi.ss&&["s",a]||a<fi.s&&["ss",a]||r<=1&&["m"]||r<fi.m&&["mm",r]||o<=1&&["h"]||o<fi.h&&["hh",o]||s<=1&&["d"]||s<fi.d&&["dd",s]||l<=1&&["M"]||l<fi.M&&["MM",l]||u<=1&&["y"]||["yy",u];return d[2]=e,d[3]=+t>0,d[4]=n,ve.apply(null,d)}function be(){if(!this.isValid())return this.localeData().invalidDate();var t,e,n,i=gi(this._milliseconds)/1e3,a=gi(this._days),r=gi(this._months);e=x((t=x(i/60))/60),i%=60,t%=60;var o=n=x(r/12),s=r%=12,l=a,u=e,d=t,c=i,h=this.asSeconds();return h?(h<0?"-":"")+"P"+(o?o+"Y":"")+(s?s+"M":"")+(l?l+"D":"")+(u||d||c?"T":"")+(u?u+"H":"")+(d?d+"M":"")+(c?c+"S":""):"P0D"}var xe,_e,ke=_e=Array.prototype.some?Array.prototype.some:function(t){for(var e=Object(this),n=e.length>>>0,i=0;i<n;i++)if(i in e&&t.call(this,e[i],i,e))return!0;return!1},we=n.momentProperties=[],Me=!1,Se={};n.suppressDeprecationWarnings=!1,n.deprecationHandler=null;var De,Ce,Pe=De=Object.keys?Object.keys:function(t){var e,n=[];for(e in t)d(t,e)&&n.push(e);return n},Te={},Ae={},Ie=/(\[[^\[]*\])|(\\)?([Hh]mm(ss)?|Mo|MM?M?M?|Do|DDDo|DD?D?D?|ddd?d?|do?|w[o|w]?|W[o|W]?|Qo?|YYYYYY|YYYYY|YYYY|YY|gg(ggg?)?|GG(GGG?)?|e|E|a|A|hh?|HH?|kk?|mm?|ss?|S{1,9}|x|X|zz?|ZZ?|.)/g,Oe=/(\[[^\[]*\])|(\\)?(LTS|LT|LL?L?L?|l{1,4})/g,Fe={},Re={},Le=/\d/,We=/\d\d/,Ye=/\d{3}/,Ne=/\d{4}/,ze=/[+-]?\d{6}/,Be=/\d\d?/,Ve=/\d\d\d\d?/,He=/\d\d\d\d\d\d?/,Ee=/\d{1,3}/,je=/\d{1,4}/,Ue=/[+-]?\d{1,6}/,qe=/\d+/,Ge=/[+-]?\d+/,Ze=/Z|[+-]\d\d:?\d\d/gi,Xe=/Z|[+-]\d\d(?::?\d\d)?/gi,Je=/[0-9]*['a-z\u00A0-\u05FF\u0700-\uD7FF\uF900-\uFDCF\uFDF0-\uFFEF]+|[\u0600-\u06FF\/]+(\s*?[\u0600-\u06FF]+){1,2}/i,Ke={},Qe={},$e=0,tn=1,en=2,nn=3,an=4,rn=5,on=6,sn=7,ln=8,un=Ce=Array.prototype.indexOf?Array.prototype.indexOf:function(t){var e;for(e=0;e<this.length;++e)if(this[e]===t)return e;return-1};N("M",["MM",2],"Mo",function(){return this.month()+1}),N("MMM",0,0,function(t){return this.localeData().monthsShort(this,t)}),N("MMMM",0,0,function(t){return this.localeData().months(this,t)}),T("month","M"),O("month",8),E("M",Be),E("MM",Be,We),E("MMM",function(t,e){return e.monthsShortRegex(t)}),E("MMMM",function(t,e){return e.monthsRegex(t)}),G(["M","MM"],function(t,e){e[tn]=_(t)-1}),G(["MMM","MMMM"],function(t,e,n,i){var a=n._locale.monthsParse(t,i,n._strict);null!=a?e[tn]=a:g(n).invalidMonth=t});var dn=/D[oD]?(\[[^\[\]]*\]|\s)+MMMM?/,cn="January_February_March_April_May_June_July_August_September_October_November_December".split("_"),hn="Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),fn=Je,gn=Je;N("Y",0,0,function(){var t=this.year();return t<=9999?""+t:"+"+t}),N(0,["YY",2],0,function(){return this.year()%100}),N(0,["YYYY",4],0,"year"),N(0,["YYYYY",5],0,"year"),N(0,["YYYYYY",6,!0],0,"year"),T("year","y"),O("year",1),E("Y",Ge),E("YY",Be,We),E("YYYY",je,Ne),E("YYYYY",Ue,ze),E("YYYYYY",Ue,ze),G(["YYYYY","YYYYYY"],$e),G("YYYY",function(t,e){e[$e]=2===t.length?n.parseTwoDigitYear(t):_(t)}),G("YY",function(t,e){e[$e]=n.parseTwoDigitYear(t)}),G("Y",function(t,e){e[$e]=parseInt(t,10)}),n.parseTwoDigitYear=function(t){return _(t)+(_(t)>68?1900:2e3)};var mn=R("FullYear",!0);N("w",["ww",2],"wo","week"),N("W",["WW",2],"Wo","isoWeek"),T("week","w"),T("isoWeek","W"),O("week",5),O("isoWeek",5),E("w",Be),E("ww",Be,We),E("W",Be),E("WW",Be,We),Z(["w","ww","W","WW"],function(t,e,n,i){e[i.substr(0,1)]=_(t)});N("d",0,"do","day"),N("dd",0,0,function(t){return this.localeData().weekdaysMin(this,t)}),N("ddd",0,0,function(t){return this.localeData().weekdaysShort(this,t)}),N("dddd",0,0,function(t){return this.localeData().weekdays(this,t)}),N("e",0,0,"weekday"),N("E",0,0,"isoWeekday"),T("day","d"),T("weekday","e"),T("isoWeekday","E"),O("day",11),O("weekday",11),O("isoWeekday",11),E("d",Be),E("e",Be),E("E",Be),E("dd",function(t,e){return e.weekdaysMinRegex(t)}),E("ddd",function(t,e){return e.weekdaysShortRegex(t)}),E("dddd",function(t,e){return e.weekdaysRegex(t)}),Z(["dd","ddd","dddd"],function(t,e,n,i){var a=n._locale.weekdaysParse(t,i,n._strict);null!=a?e.d=a:g(n).invalidWeekday=t}),Z(["d","e","E"],function(t,e,n,i){e[i]=_(t)});var pn="Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),vn="Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),yn="Su_Mo_Tu_We_Th_Fr_Sa".split("_"),bn=Je,xn=Je,_n=Je;N("H",["HH",2],0,"hour"),N("h",["hh",2],0,ft),N("k",["kk",2],0,function(){return this.hours()||24}),N("hmm",0,0,function(){return""+ft.apply(this)+Y(this.minutes(),2)}),N("hmmss",0,0,function(){return""+ft.apply(this)+Y(this.minutes(),2)+Y(this.seconds(),2)}),N("Hmm",0,0,function(){return""+this.hours()+Y(this.minutes(),2)}),N("Hmmss",0,0,function(){return""+this.hours()+Y(this.minutes(),2)+Y(this.seconds(),2)}),gt("a",!0),gt("A",!1),T("hour","h"),O("hour",13),E("a",mt),E("A",mt),E("H",Be),E("h",Be),E("k",Be),E("HH",Be,We),E("hh",Be,We),E("kk",Be,We),E("hmm",Ve),E("hmmss",He),E("Hmm",Ve),E("Hmmss",He),G(["H","HH"],nn),G(["k","kk"],function(t,e,n){var i=_(t);e[nn]=24===i?0:i}),G(["a","A"],function(t,e,n){n._isPm=n._locale.isPM(t),n._meridiem=t}),G(["h","hh"],function(t,e,n){e[nn]=_(t),g(n).bigHour=!0}),G("hmm",function(t,e,n){var i=t.length-2;e[nn]=_(t.substr(0,i)),e[an]=_(t.substr(i)),g(n).bigHour=!0}),G("hmmss",function(t,e,n){var i=t.length-4,a=t.length-2;e[nn]=_(t.substr(0,i)),e[an]=_(t.substr(i,2)),e[rn]=_(t.substr(a)),g(n).bigHour=!0}),G("Hmm",function(t,e,n){var i=t.length-2;e[nn]=_(t.substr(0,i)),e[an]=_(t.substr(i))}),G("Hmmss",function(t,e,n){var i=t.length-4,a=t.length-2;e[nn]=_(t.substr(0,i)),e[an]=_(t.substr(i,2)),e[rn]=_(t.substr(a))});var kn,wn=R("Hours",!0),Mn={calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},longDateFormat:{LTS:"h:mm:ss A",LT:"h:mm A",L:"MM/DD/YYYY",LL:"MMMM D, YYYY",LLL:"MMMM D, YYYY h:mm A",LLLL:"dddd, MMMM D, YYYY h:mm A"},invalidDate:"Invalid date",ordinal:"%d",dayOfMonthOrdinalParse:/\d{1,2}/,relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},months:cn,monthsShort:hn,week:{dow:0,doy:6},weekdays:pn,weekdaysMin:yn,weekdaysShort:vn,meridiemParse:/[ap]\.?m?\.?/i},Sn={},Dn={},Cn=/^\s*((?:[+-]\d{6}|\d{4})-(?:\d\d-\d\d|W\d\d-\d|W\d\d|\d\d\d|\d\d))(?:(T| )(\d\d(?::\d\d(?::\d\d(?:[.,]\d+)?)?)?)([\+\-]\d\d(?::?\d\d)?|\s*Z)?)?$/,Pn=/^\s*((?:[+-]\d{6}|\d{4})(?:\d\d\d\d|W\d\d\d|W\d\d|\d\d\d|\d\d))(?:(T| )(\d\d(?:\d\d(?:\d\d(?:[.,]\d+)?)?)?)([\+\-]\d\d(?::?\d\d)?|\s*Z)?)?$/,Tn=/Z|[+-]\d\d(?::?\d\d)?/,An=[["YYYYYY-MM-DD",/[+-]\d{6}-\d\d-\d\d/],["YYYY-MM-DD",/\d{4}-\d\d-\d\d/],["GGGG-[W]WW-E",/\d{4}-W\d\d-\d/],["GGGG-[W]WW",/\d{4}-W\d\d/,!1],["YYYY-DDD",/\d{4}-\d{3}/],["YYYY-MM",/\d{4}-\d\d/,!1],["YYYYYYMMDD",/[+-]\d{10}/],["YYYYMMDD",/\d{8}/],["GGGG[W]WWE",/\d{4}W\d{3}/],["GGGG[W]WW",/\d{4}W\d{2}/,!1],["YYYYDDD",/\d{7}/]],In=[["HH:mm:ss.SSSS",/\d\d:\d\d:\d\d\.\d+/],["HH:mm:ss,SSSS",/\d\d:\d\d:\d\d,\d+/],["HH:mm:ss",/\d\d:\d\d:\d\d/],["HH:mm",/\d\d:\d\d/],["HHmmss.SSSS",/\d\d\d\d\d\d\.\d+/],["HHmmss,SSSS",/\d\d\d\d\d\d,\d+/],["HHmmss",/\d\d\d\d\d\d/],["HHmm",/\d\d\d\d/],["HH",/\d\d/]],On=/^\/?Date\((\-?\d+)/i,Fn=/^((?:Mon|Tue|Wed|Thu|Fri|Sat|Sun),?\s)?(\d?\d\s(?:Jan|Feb|Mar|Apr|May|Jun|Jul|Aug|Sep|Oct|Nov|Dec)\s(?:\d\d)?\d\d\s)(\d\d:\d\d)(\:\d\d)?(\s(?:UT|GMT|[ECMP][SD]T|[A-IK-Za-ik-z]|[+-]\d{4}))$/;n.createFromInputFallback=M("value provided is not in a recognized RFC2822 or ISO format. moment construction falls back to js Date(), which is not reliable across all browsers and versions. Non RFC2822/ISO date formats are discouraged and will be removed in an upcoming major release. Please refer to http://momentjs.com/guides/#/warnings/js-date/ for more info.",function(t){t._d=new Date(t._i+(t._useUTC?" UTC":""))}),n.ISO_8601=function(){},n.RFC_2822=function(){};var Rn=M("moment().min is deprecated, use moment.max instead. http://momentjs.com/guides/#/warnings/min-max/",function(){var t=Nt.apply(null,arguments);return this.isValid()&&t.isValid()?t<this?this:t:p()}),Ln=M("moment().max is deprecated, use moment.min instead. http://momentjs.com/guides/#/warnings/min-max/",function(){var t=Nt.apply(null,arguments);return this.isValid()&&t.isValid()?t>this?this:t:p()}),Wn=["year","quarter","month","week","day","hour","minute","second","millisecond"];jt("Z",":"),jt("ZZ",""),E("Z",Xe),E("ZZ",Xe),G(["Z","ZZ"],function(t,e,n){n._useUTC=!0,n._tzm=Ut(Xe,t)});var Yn=/([\+\-]|\d\d)/gi;n.updateOffset=function(){};var Nn=/^(\-)?(?:(\d*)[. ])?(\d+)\:(\d+)(?:\:(\d+)(\.\d*)?)?$/,zn=/^(-)?P(?:(-?[0-9,.]*)Y)?(?:(-?[0-9,.]*)M)?(?:(-?[0-9,.]*)W)?(?:(-?[0-9,.]*)D)?(?:T(?:(-?[0-9,.]*)H)?(?:(-?[0-9,.]*)M)?(?:(-?[0-9,.]*)S)?)?$/;Xt.fn=Vt.prototype,Xt.invalid=function(){return Xt(NaN)};var Bn=$t(1,"add"),Vn=$t(-1,"subtract");n.defaultFormat="YYYY-MM-DDTHH:mm:ssZ",n.defaultFormatUtc="YYYY-MM-DDTHH:mm:ss[Z]";var Hn=M("moment().lang() is deprecated. Instead, use moment().localeData() to get the language configuration. Use moment().locale() to change languages.",function(t){return void 0===t?this.localeData():this.locale(t)});N(0,["gg",2],0,function(){return this.weekYear()%100}),N(0,["GG",2],0,function(){return this.isoWeekYear()%100}),ae("gggg","weekYear"),ae("ggggg","weekYear"),ae("GGGG","isoWeekYear"),ae("GGGGG","isoWeekYear"),T("weekYear","gg"),T("isoWeekYear","GG"),O("weekYear",1),O("isoWeekYear",1),E("G",Ge),E("g",Ge),E("GG",Be,We),E("gg",Be,We),E("GGGG",je,Ne),E("gggg",je,Ne),E("GGGGG",Ue,ze),E("ggggg",Ue,ze),Z(["gggg","ggggg","GGGG","GGGGG"],function(t,e,n,i){e[i.substr(0,2)]=_(t)}),Z(["gg","GG"],function(t,e,i,a){e[a]=n.parseTwoDigitYear(t)}),N("Q",0,"Qo","quarter"),T("quarter","Q"),O("quarter",7),E("Q",Le),G("Q",function(t,e){e[tn]=3*(_(t)-1)}),N("D",["DD",2],"Do","date"),T("date","D"),O("date",9),E("D",Be),E("DD",Be,We),E("Do",function(t,e){return t?e._dayOfMonthOrdinalParse||e._ordinalParse:e._dayOfMonthOrdinalParseLenient}),G(["D","DD"],en),G("Do",function(t,e){e[en]=_(t.match(Be)[0],10)});var En=R("Date",!0);N("DDD",["DDDD",3],"DDDo","dayOfYear"),T("dayOfYear","DDD"),O("dayOfYear",4),E("DDD",Ee),E("DDDD",Ye),G(["DDD","DDDD"],function(t,e,n){n._dayOfYear=_(t)}),N("m",["mm",2],0,"minute"),T("minute","m"),O("minute",14),E("m",Be),E("mm",Be,We),G(["m","mm"],an);var jn=R("Minutes",!1);N("s",["ss",2],0,"second"),T("second","s"),O("second",15),E("s",Be),E("ss",Be,We),G(["s","ss"],rn);var Un=R("Seconds",!1);N("S",0,0,function(){return~~(this.millisecond()/100)}),N(0,["SS",2],0,function(){return~~(this.millisecond()/10)}),N(0,["SSS",3],0,"millisecond"),N(0,["SSSS",4],0,function(){return 10*this.millisecond()}),N(0,["SSSSS",5],0,function(){return 100*this.millisecond()}),N(0,["SSSSSS",6],0,function(){return 1e3*this.millisecond()}),N(0,["SSSSSSS",7],0,function(){return 1e4*this.millisecond()}),N(0,["SSSSSSSS",8],0,function(){return 1e5*this.millisecond()}),N(0,["SSSSSSSSS",9],0,function(){return 1e6*this.millisecond()}),T("millisecond","ms"),O("millisecond",16),E("S",Ee,Le),E("SS",Ee,We),E("SSS",Ee,Ye);var qn;for(qn="SSSS";qn.length<=9;qn+="S")E(qn,qe);for(qn="S";qn.length<=9;qn+="S")G(qn,function(t,e){e[on]=_(1e3*("0."+t))});var Gn=R("Milliseconds",!1);N("z",0,0,"zoneAbbr"),N("zz",0,0,"zoneName");var Zn=y.prototype;Zn.add=Bn,Zn.calendar=function(t,e){var i=t||Nt(),a=qt(i,this).startOf("day"),r=n.calendarFormat(this,a)||"sameElse",o=e&&(D(e[r])?e[r].call(this,i):e[r]);return this.format(o||this.localeData().calendar(r,this,Nt(i)))},Zn.clone=function(){return new y(this)},Zn.diff=function(t,e,n){var i,a,r,o;return this.isValid()&&(i=qt(t,this)).isValid()?(a=6e4*(i.utcOffset()-this.utcOffset()),"year"===(e=A(e))||"month"===e||"quarter"===e?(o=ee(this,i),"quarter"===e?o/=3:"year"===e&&(o/=12)):(r=this-i,o="second"===e?r/1e3:"minute"===e?r/6e4:"hour"===e?r/36e5:"day"===e?(r-a)/864e5:"week"===e?(r-a)/6048e5:r),n?o:x(o)):NaN},Zn.endOf=function(t){return void 0===(t=A(t))||"millisecond"===t?this:("date"===t&&(t="day"),this.startOf(t).add(1,"isoWeek"===t?"week":t).subtract(1,"ms"))},Zn.format=function(t){t||(t=this.isUtc()?n.defaultFormatUtc:n.defaultFormat);var e=V(this,t);return this.localeData().postformat(e)},Zn.from=function(t,e){return this.isValid()&&(b(t)&&t.isValid()||Nt(t).isValid())?Xt({to:this,from:t}).locale(this.locale()).humanize(!e):this.localeData().invalidDate()},Zn.fromNow=function(t){return this.from(Nt(),t)},Zn.to=function(t,e){return this.isValid()&&(b(t)&&t.isValid()||Nt(t).isValid())?Xt({from:this,to:t}).locale(this.locale()).humanize(!e):this.localeData().invalidDate()},Zn.toNow=function(t){return this.to(Nt(),t)},Zn.get=function(t){return t=A(t),D(this[t])?this[t]():this},Zn.invalidAt=function(){return g(this).overflow},Zn.isAfter=function(t,e){var n=b(t)?t:Nt(t);return!(!this.isValid()||!n.isValid())&&("millisecond"===(e=A(o(e)?"millisecond":e))?this.valueOf()>n.valueOf():n.valueOf()<this.clone().startOf(e).valueOf())},Zn.isBefore=function(t,e){var n=b(t)?t:Nt(t);return!(!this.isValid()||!n.isValid())&&("millisecond"===(e=A(o(e)?"millisecond":e))?this.valueOf()<n.valueOf():this.clone().endOf(e).valueOf()<n.valueOf())},Zn.isBetween=function(t,e,n,i){return("("===(i=i||"()")[0]?this.isAfter(t,n):!this.isBefore(t,n))&&(")"===i[1]?this.isBefore(e,n):!this.isAfter(e,n))},Zn.isSame=function(t,e){var n,i=b(t)?t:Nt(t);return!(!this.isValid()||!i.isValid())&&("millisecond"===(e=A(e||"millisecond"))?this.valueOf()===i.valueOf():(n=i.valueOf(),this.clone().startOf(e).valueOf()<=n&&n<=this.clone().endOf(e).valueOf()))},Zn.isSameOrAfter=function(t,e){return this.isSame(t,e)||this.isAfter(t,e)},Zn.isSameOrBefore=function(t,e){return this.isSame(t,e)||this.isBefore(t,e)},Zn.isValid=function(){return m(this)},Zn.lang=Hn,Zn.locale=ne,Zn.localeData=ie,Zn.max=Ln,Zn.min=Rn,Zn.parsingFlags=function(){return c({},g(this))},Zn.set=function(t,e){if("object"==typeof t)for(var n=F(t=I(t)),i=0;i<n.length;i++)this[n[i].unit](t[n[i].unit]);else if(t=A(t),D(this[t]))return this[t](e);return this},Zn.startOf=function(t){switch(t=A(t)){case"year":this.month(0);case"quarter":case"month":this.date(1);case"week":case"isoWeek":case"day":case"date":this.hours(0);case"hour":this.minutes(0);case"minute":this.seconds(0);case"second":this.milliseconds(0)}return"week"===t&&this.weekday(0),"isoWeek"===t&&this.isoWeekday(1),"quarter"===t&&this.month(3*Math.floor(this.month()/3)),this},Zn.subtract=Vn,Zn.toArray=function(){var t=this;return[t.year(),t.month(),t.date(),t.hour(),t.minute(),t.second(),t.millisecond()]},Zn.toObject=function(){var t=this;return{years:t.year(),months:t.month(),date:t.date(),hours:t.hours(),minutes:t.minutes(),seconds:t.seconds(),milliseconds:t.milliseconds()}},Zn.toDate=function(){return new Date(this.valueOf())},Zn.toISOString=function(){if(!this.isValid())return null;var t=this.clone().utc();return t.year()<0||t.year()>9999?V(t,"YYYYYY-MM-DD[T]HH:mm:ss.SSS[Z]"):D(Date.prototype.toISOString)?this.toDate().toISOString():V(t,"YYYY-MM-DD[T]HH:mm:ss.SSS[Z]")},Zn.inspect=function(){if(!this.isValid())return"moment.invalid(/* "+this._i+" */)";var t="moment",e="";this.isLocal()||(t=0===this.utcOffset()?"moment.utc":"moment.parseZone",e="Z");var n="["+t+'("]',i=0<=this.year()&&this.year()<=9999?"YYYY":"YYYYYY",a=e+'[")]';return this.format(n+i+"-MM-DD[T]HH:mm:ss.SSS"+a)},Zn.toJSON=function(){return this.isValid()?this.toISOString():null},Zn.toString=function(){return this.clone().locale("en").format("ddd MMM DD YYYY HH:mm:ss [GMT]ZZ")},Zn.unix=function(){return Math.floor(this.valueOf()/1e3)},Zn.valueOf=function(){return this._d.valueOf()-6e4*(this._offset||0)},Zn.creationData=function(){return{input:this._i,format:this._f,locale:this._locale,isUTC:this._isUTC,strict:this._strict}},Zn.year=mn,Zn.isLeapYear=function(){return nt(this.year())},Zn.weekYear=function(t){return re.call(this,t,this.week(),this.weekday(),this.localeData()._week.dow,this.localeData()._week.doy)},Zn.isoWeekYear=function(t){return re.call(this,t,this.isoWeek(),this.isoWeekday(),1,4)},Zn.quarter=Zn.quarters=function(t){return null==t?Math.ceil((this.month()+1)/3):this.month(3*(t-1)+this.month()%3)},Zn.month=$,Zn.daysInMonth=function(){return J(this.year(),this.month())},Zn.week=Zn.weeks=function(t){var e=this.localeData().week(this);return null==t?e:this.add(7*(t-e),"d")},Zn.isoWeek=Zn.isoWeeks=function(t){var e=st(this,1,4).week;return null==t?e:this.add(7*(t-e),"d")},Zn.weeksInYear=function(){var t=this.localeData()._week;return lt(this.year(),t.dow,t.doy)},Zn.isoWeeksInYear=function(){return lt(this.year(),1,4)},Zn.date=En,Zn.day=Zn.days=function(t){if(!this.isValid())return null!=t?this:NaN;var e=this._isUTC?this._d.getUTCDay():this._d.getDay();return null!=t?(t=ut(t,this.localeData()),this.add(t-e,"d")):e},Zn.weekday=function(t){if(!this.isValid())return null!=t?this:NaN;var e=(this.day()+7-this.localeData()._week.dow)%7;return null==t?e:this.add(t-e,"d")},Zn.isoWeekday=function(t){if(!this.isValid())return null!=t?this:NaN;if(null!=t){var e=dt(t,this.localeData());return this.day(this.day()%7?e:e-7)}return this.day()||7},Zn.dayOfYear=function(t){var e=Math.round((this.clone().startOf("day")-this.clone().startOf("year"))/864e5)+1;return null==t?e:this.add(t-e,"d")},Zn.hour=Zn.hours=wn,Zn.minute=Zn.minutes=jn,Zn.second=Zn.seconds=Un,Zn.millisecond=Zn.milliseconds=Gn,Zn.utcOffset=function(t,e,i){var a,r=this._offset||0;if(!this.isValid())return null!=t?this:NaN;if(null!=t){if("string"==typeof t){if(null===(t=Ut(Xe,t)))return this}else Math.abs(t)<16&&!i&&(t*=60);return!this._isUTC&&e&&(a=Gt(this)),this._offset=t,this._isUTC=!0,null!=a&&this.add(a,"m"),r!==t&&(!e||this._changeInProgress?te(this,Xt(t-r,"m"),1,!1):this._changeInProgress||(this._changeInProgress=!0,n.updateOffset(this,!0),this._changeInProgress=null)),this}return this._isUTC?r:Gt(this)},Zn.utc=function(t){return this.utcOffset(0,t)},Zn.local=function(t){return this._isUTC&&(this.utcOffset(0,t),this._isUTC=!1,t&&this.subtract(Gt(this),"m")),this},Zn.parseZone=function(){if(null!=this._tzm)this.utcOffset(this._tzm,!1,!0);else if("string"==typeof this._i){var t=Ut(Ze,this._i);null!=t?this.utcOffset(t):this.utcOffset(0,!0)}return this},Zn.hasAlignedHourOffset=function(t){return!!this.isValid()&&(t=t?Nt(t).utcOffset():0,(this.utcOffset()-t)%60==0)},Zn.isDST=function(){return this.utcOffset()>this.clone().month(0).utcOffset()||this.utcOffset()>this.clone().month(5).utcOffset()},Zn.isLocal=function(){return!!this.isValid()&&!this._isUTC},Zn.isUtcOffset=function(){return!!this.isValid()&&this._isUTC},Zn.isUtc=Zt,Zn.isUTC=Zt,Zn.zoneAbbr=function(){return this._isUTC?"UTC":""},Zn.zoneName=function(){return this._isUTC?"Coordinated Universal Time":""},Zn.dates=M("dates accessor is deprecated. Use date instead.",En),Zn.months=M("months accessor is deprecated. Use month instead",$),Zn.years=M("years accessor is deprecated. Use year instead",mn),Zn.zone=M("moment().zone is deprecated, use moment().utcOffset instead. http://momentjs.com/guides/#/warnings/zone/",function(t,e){return null!=t?("string"!=typeof t&&(t=-t),this.utcOffset(t,e),this):-this.utcOffset()}),Zn.isDSTShifted=M("isDSTShifted is deprecated. See http://momentjs.com/guides/#/warnings/dst-shifted/ for more information",function(){if(!o(this._isDSTShifted))return this._isDSTShifted;var t={};if(v(t,this),(t=Lt(t))._a){var e=t._isUTC?h(t._a):Nt(t._a);this._isDSTShifted=this.isValid()&&k(t._a,e.toArray())>0}else this._isDSTShifted=!1;return this._isDSTShifted});var Xn=P.prototype;Xn.calendar=function(t,e,n){var i=this._calendar[t]||this._calendar.sameElse;return D(i)?i.call(e,n):i},Xn.longDateFormat=function(t){var e=this._longDateFormat[t],n=this._longDateFormat[t.toUpperCase()];return e||!n?e:(this._longDateFormat[t]=n.replace(/MMMM|MM|DD|dddd/g,function(t){return t.slice(1)}),this._longDateFormat[t])},Xn.invalidDate=function(){return this._invalidDate},Xn.ordinal=function(t){return this._ordinal.replace("%d",t)},Xn.preparse=se,Xn.postformat=se,Xn.relativeTime=function(t,e,n,i){var a=this._relativeTime[n];return D(a)?a(t,e,n,i):a.replace(/%d/i,t)},Xn.pastFuture=function(t,e){var n=this._relativeTime[t>0?"future":"past"];return D(n)?n(e):n.replace(/%s/i,e)},Xn.set=function(t){var e,n;for(n in t)D(e=t[n])?this[n]=e:this["_"+n]=e;this._config=t,this._dayOfMonthOrdinalParseLenient=new RegExp((this._dayOfMonthOrdinalParse.source||this._ordinalParse.source)+"|"+/\d{1,2}/.source)},Xn.months=function(t,e){return t?i(this._months)?this._months[t.month()]:this._months[(this._months.isFormat||dn).test(e)?"format":"standalone"][t.month()]:i(this._months)?this._months:this._months.standalone},Xn.monthsShort=function(t,e){return t?i(this._monthsShort)?this._monthsShort[t.month()]:this._monthsShort[dn.test(e)?"format":"standalone"][t.month()]:i(this._monthsShort)?this._monthsShort:this._monthsShort.standalone},Xn.monthsParse=function(t,e,n){var i,a,r;if(this._monthsParseExact)return K.call(this,t,e,n);for(this._monthsParse||(this._monthsParse=[],this._longMonthsParse=[],this._shortMonthsParse=[]),i=0;i<12;i++){if(a=h([2e3,i]),n&&!this._longMonthsParse[i]&&(this._longMonthsParse[i]=new RegExp("^"+this.months(a,"").replace(".","")+"$","i"),this._shortMonthsParse[i]=new RegExp("^"+this.monthsShort(a,"").replace(".","")+"$","i")),n||this._monthsParse[i]||(r="^"+this.months(a,"")+"|^"+this.monthsShort(a,""),this._monthsParse[i]=new RegExp(r.replace(".",""),"i")),n&&"MMMM"===e&&this._longMonthsParse[i].test(t))return i;if(n&&"MMM"===e&&this._shortMonthsParse[i].test(t))return i;if(!n&&this._monthsParse[i].test(t))return i}},Xn.monthsRegex=function(t){return this._monthsParseExact?(d(this,"_monthsRegex")||tt.call(this),t?this._monthsStrictRegex:this._monthsRegex):(d(this,"_monthsRegex")||(this._monthsRegex=gn),this._monthsStrictRegex&&t?this._monthsStrictRegex:this._monthsRegex)},Xn.monthsShortRegex=function(t){return this._monthsParseExact?(d(this,"_monthsRegex")||tt.call(this),t?this._monthsShortStrictRegex:this._monthsShortRegex):(d(this,"_monthsShortRegex")||(this._monthsShortRegex=fn),this._monthsShortStrictRegex&&t?this._monthsShortStrictRegex:this._monthsShortRegex)},Xn.week=function(t){return st(t,this._week.dow,this._week.doy).week},Xn.firstDayOfYear=function(){return this._week.doy},Xn.firstDayOfWeek=function(){return this._week.dow},Xn.weekdays=function(t,e){return t?i(this._weekdays)?this._weekdays[t.day()]:this._weekdays[this._weekdays.isFormat.test(e)?"format":"standalone"][t.day()]:i(this._weekdays)?this._weekdays:this._weekdays.standalone},Xn.weekdaysMin=function(t){return t?this._weekdaysMin[t.day()]:this._weekdaysMin},Xn.weekdaysShort=function(t){return t?this._weekdaysShort[t.day()]:this._weekdaysShort},Xn.weekdaysParse=function(t,e,n){var i,a,r;if(this._weekdaysParseExact)return ct.call(this,t,e,n);for(this._weekdaysParse||(this._weekdaysParse=[],this._minWeekdaysParse=[],this._shortWeekdaysParse=[],this._fullWeekdaysParse=[]),i=0;i<7;i++){if(a=h([2e3,1]).day(i),n&&!this._fullWeekdaysParse[i]&&(this._fullWeekdaysParse[i]=new RegExp("^"+this.weekdays(a,"").replace(".",".?")+"$","i"),this._shortWeekdaysParse[i]=new RegExp("^"+this.weekdaysShort(a,"").replace(".",".?")+"$","i"),this._minWeekdaysParse[i]=new RegExp("^"+this.weekdaysMin(a,"").replace(".",".?")+"$","i")),this._weekdaysParse[i]||(r="^"+this.weekdays(a,"")+"|^"+this.weekdaysShort(a,"")+"|^"+this.weekdaysMin(a,""),this._weekdaysParse[i]=new RegExp(r.replace(".",""),"i")),n&&"dddd"===e&&this._fullWeekdaysParse[i].test(t))return i;if(n&&"ddd"===e&&this._shortWeekdaysParse[i].test(t))return i;if(n&&"dd"===e&&this._minWeekdaysParse[i].test(t))return i;if(!n&&this._weekdaysParse[i].test(t))return i}},Xn.weekdaysRegex=function(t){return this._weekdaysParseExact?(d(this,"_weekdaysRegex")||ht.call(this),t?this._weekdaysStrictRegex:this._weekdaysRegex):(d(this,"_weekdaysRegex")||(this._weekdaysRegex=bn),this._weekdaysStrictRegex&&t?this._weekdaysStrictRegex:this._weekdaysRegex)},Xn.weekdaysShortRegex=function(t){return this._weekdaysParseExact?(d(this,"_weekdaysRegex")||ht.call(this),t?this._weekdaysShortStrictRegex:this._weekdaysShortRegex):(d(this,"_weekdaysShortRegex")||(this._weekdaysShortRegex=xn),this._weekdaysShortStrictRegex&&t?this._weekdaysShortStrictRegex:this._weekdaysShortRegex)},Xn.weekdaysMinRegex=function(t){return this._weekdaysParseExact?(d(this,"_weekdaysRegex")||ht.call(this),t?this._weekdaysMinStrictRegex:this._weekdaysMinRegex):(d(this,"_weekdaysMinRegex")||(this._weekdaysMinRegex=_n),this._weekdaysMinStrictRegex&&t?this._weekdaysMinStrictRegex:this._weekdaysMinRegex)},Xn.isPM=function(t){return"p"===(t+"").toLowerCase().charAt(0)},Xn.meridiem=function(t,e,n){return t>11?n?"pm":"PM":n?"am":"AM"},bt("en",{dayOfMonthOrdinalParse:/\d{1,2}(th|st|nd|rd)/,ordinal:function(t){var e=t%10;return t+(1===_(t%100/10)?"th":1===e?"st":2===e?"nd":3===e?"rd":"th")}}),n.lang=M("moment.lang is deprecated. Use moment.locale instead.",bt),n.langData=M("moment.langData is deprecated. Use moment.localeData instead.",_t);var Jn=Math.abs,Kn=me("ms"),Qn=me("s"),$n=me("m"),ti=me("h"),ei=me("d"),ni=me("w"),ii=me("M"),ai=me("y"),ri=pe("milliseconds"),oi=pe("seconds"),si=pe("minutes"),li=pe("hours"),ui=pe("days"),di=pe("months"),ci=pe("years"),hi=Math.round,fi={ss:44,s:45,m:45,h:22,d:26,M:11},gi=Math.abs,mi=Vt.prototype;return mi.isValid=function(){return this._isValid},mi.abs=function(){var t=this._data;return this._milliseconds=Jn(this._milliseconds),this._days=Jn(this._days),this._months=Jn(this._months),t.milliseconds=Jn(t.milliseconds),t.seconds=Jn(t.seconds),t.minutes=Jn(t.minutes),t.hours=Jn(t.hours),t.months=Jn(t.months),t.years=Jn(t.years),this},mi.add=function(t,e){return ce(this,t,e,1)},mi.subtract=function(t,e){return ce(this,t,e,-1)},mi.as=function(t){if(!this.isValid())return NaN;var e,n,i=this._milliseconds;if("month"===(t=A(t))||"year"===t)return e=this._days+i/864e5,n=this._months+fe(e),"month"===t?n:n/12;switch(e=this._days+Math.round(ge(this._months)),t){case"week":return e/7+i/6048e5;case"day":return e+i/864e5;case"hour":return 24*e+i/36e5;case"minute":return 1440*e+i/6e4;case"second":return 86400*e+i/1e3;case"millisecond":return Math.floor(864e5*e)+i;default:throw new Error("Unknown unit "+t)}},mi.asMilliseconds=Kn,mi.asSeconds=Qn,mi.asMinutes=$n,mi.asHours=ti,mi.asDays=ei,mi.asWeeks=ni,mi.asMonths=ii,mi.asYears=ai,mi.valueOf=function(){return this.isValid()?this._milliseconds+864e5*this._days+this._months%12*2592e6+31536e6*_(this._months/12):NaN},mi._bubble=function(){var t,e,n,i,a,r=this._milliseconds,o=this._days,s=this._months,l=this._data;return r>=0&&o>=0&&s>=0||r<=0&&o<=0&&s<=0||(r+=864e5*he(ge(s)+o),o=0,s=0),l.milliseconds=r%1e3,t=x(r/1e3),l.seconds=t%60,e=x(t/60),l.minutes=e%60,n=x(e/60),l.hours=n%24,o+=x(n/24),a=x(fe(o)),s+=a,o-=he(ge(a)),i=x(s/12),s%=12,l.days=o,l.months=s,l.years=i,this},mi.get=function(t){return t=A(t),this.isValid()?this[t+"s"]():NaN},mi.milliseconds=ri,mi.seconds=oi,mi.minutes=si,mi.hours=li,mi.days=ui,mi.weeks=function(){return x(this.days()/7)},mi.months=di,mi.years=ci,mi.humanize=function(t){if(!this.isValid())return this.localeData().invalidDate();var e=this.localeData(),n=ye(this,!t,e);return t&&(n=e.pastFuture(+this,n)),e.postformat(n)},mi.toISOString=be,mi.toString=be,mi.toJSON=be,mi.locale=ne,mi.localeData=ie,mi.toIsoString=M("toIsoString() is deprecated. Please use toISOString() instead (notice the capitals)",be),mi.lang=Hn,N("X",0,0,"unix"),N("x",0,0,"valueOf"),E("x",Ge),E("X",/[+-]?\d+(\.\d{1,3})?/),G("X",function(t,e,n){n._d=new Date(1e3*parseFloat(t,10))}),G("x",function(t,e,n){n._d=new Date(_(t))}),n.version="2.18.1",function(t){xe=t}(Nt),n.fn=Zn,n.min=function(){return zt("isBefore",[].slice.call(arguments,0))},n.max=function(){return zt("isAfter",[].slice.call(arguments,0))},n.now=function(){return Date.now?Date.now():+new Date},n.utc=h,n.unix=function(t){return Nt(1e3*t)},n.months=function(t,e){return ue(t,e,"months")},n.isDate=l,n.locale=bt,n.invalid=p,n.duration=Xt,n.isMoment=b,n.weekdays=function(t,e,n){return de(t,e,n,"weekdays")},n.parseZone=function(){return Nt.apply(null,arguments).parseZone()},n.localeData=_t,n.isDuration=Ht,n.monthsShort=function(t,e){return ue(t,e,"monthsShort")},n.weekdaysMin=function(t,e,n){return de(t,e,n,"weekdaysMin")},n.defineLocale=xt,n.updateLocale=function(t,e){if(null!=e){var n,i=Mn;null!=Sn[t]&&(i=Sn[t]._config),(n=new P(e=C(i,e))).parentLocale=Sn[t],Sn[t]=n,bt(t)}else null!=Sn[t]&&(null!=Sn[t].parentLocale?Sn[t]=Sn[t].parentLocale:null!=Sn[t]&&delete Sn[t]);return Sn[t]},n.locales=function(){return Pe(Sn)},n.weekdaysShort=function(t,e,n){return de(t,e,n,"weekdaysShort")},n.normalizeUnits=A,n.relativeTimeRounding=function(t){return void 0===t?hi:"function"==typeof t&&(hi=t,!0)},n.relativeTimeThreshold=function(t,e){return void 0!==fi[t]&&(void 0===e?fi[t]:(fi[t]=e,"s"===t&&(fi.ss=e-1),!0))},n.calendarFormat=function(t,e){var n=t.diff(e,"days",!0);return n<-6?"sameElse":n<-1?"lastWeek":n<0?"lastDay":n<1?"sameDay":n<2?"nextDay":n<7?"nextWeek":"sameElse"},n.prototype=Zn,n})},{}],7:[function(t,e,n){var i=t(29)();i.helpers=t(45),t(27)(i),i.defaults=t(25),i.Element=t(26),i.elements=t(40),i.Interaction=t(28),i.platform=t(48),t(31)(i),t(22)(i),t(23)(i),t(24)(i),t(30)(i),t(33)(i),t(32)(i),t(35)(i),t(54)(i),t(52)(i),t(53)(i),t(55)(i),t(56)(i),t(57)(i),t(15)(i),t(16)(i),t(17)(i),t(18)(i),t(19)(i),t(20)(i),t(21)(i),t(8)(i),t(9)(i),t(10)(i),t(11)(i),t(12)(i),t(13)(i),t(14)(i);var a=[];a.push(t(49)(i),t(50)(i),t(51)(i)),i.plugins.register(a),i.platform.initialize(),e.exports=i,"undefined"!=typeof window&&(window.Chart=i),i.canvasHelpers=i.helpers.canvas},{10:10,11:11,12:12,13:13,14:14,15:15,16:16,17:17,18:18,19:19,20:20,21:21,22:22,23:23,24:24,25:25,26:26,27:27,28:28,29:29,30:30,31:31,32:32,33:33,35:35,40:40,45:45,48:48,49:49,50:50,51:51,52:52,53:53,54:54,55:55,56:56,57:57,8:8,9:9}],8:[function(t,e,n){"use strict";e.exports=function(t){t.Bar=function(e,n){return n.type="bar",new t(e,n)}}},{}],9:[function(t,e,n){"use strict";e.exports=function(t){t.Bubble=function(e,n){return n.type="bubble",new t(e,n)}}},{}],10:[function(t,e,n){"use strict";e.exports=function(t){t.Doughnut=function(e,n){return n.type="doughnut",new t(e,n)}}},{}],11:[function(t,e,n){"use strict";e.exports=function(t){t.Line=function(e,n){return n.type="line",new t(e,n)}}},{}],12:[function(t,e,n){"use strict";e.exports=function(t){t.PolarArea=function(e,n){return n.type="polarArea",new t(e,n)}}},{}],13:[function(t,e,n){"use strict";e.exports=function(t){t.Radar=function(e,n){return n.type="radar",new t(e,n)}}},{}],14:[function(t,e,n){"use strict";e.exports=function(t){t.Scatter=function(e,n){return n.type="scatter",new t(e,n)}}},{}],15:[function(t,e,n){"use strict";var i=t(25),a=t(40),r=t(45);i._set("bar",{hover:{mode:"label"},scales:{xAxes:[{type:"category",categoryPercentage:.8,barPercentage:.9,offset:!0,gridLines:{offsetGridLines:!0}}],yAxes:[{type:"linear"}]}}),i._set("horizontalBar",{hover:{mode:"index",axis:"y"},scales:{xAxes:[{type:"linear",position:"bottom"}],yAxes:[{position:"left",type:"category",categoryPercentage:.8,barPercentage:.9,offset:!0,gridLines:{offsetGridLines:!0}}]},elements:{rectangle:{borderSkipped:"left"}},tooltips:{callbacks:{title:function(t,e){var n="";return t.length>0&&(t[0].yLabel?n=t[0].yLabel:e.labels.length>0&&t[0].index<e.labels.length&&(n=e.labels[t[0].index])),n},label:function(t,e){return(e.datasets[t.datasetIndex].label||"")+": "+t.xLabel}},mode:"index",axis:"y"}}),e.exports=function(t){t.controllers.bar=t.DatasetController.extend({dataElementType:a.Rectangle,initialize:function(){var e,n=this;t.DatasetController.prototype.initialize.apply(n,arguments),(e=n.getMeta()).stack=n.getDataset().stack,e.bar=!0},update:function(t){var e,n,i=this,a=i.getMeta().data;for(i._ruler=i.getRuler(),e=0,n=a.length;e<n;++e)i.updateElement(a[e],e,t)},updateElement:function(t,e,n){var i=this,a=i.chart,o=i.getMeta(),s=i.getDataset(),l=t.custom||{},u=a.options.elements.rectangle;t._xScale=i.getScaleForId(o.xAxisID),t._yScale=i.getScaleForId(o.yAxisID),t._datasetIndex=i.index,t._index=e,t._model={datasetLabel:s.label,label:a.data.labels[e],borderSkipped:l.borderSkipped?l.borderSkipped:u.borderSkipped,backgroundColor:l.backgroundColor?l.backgroundColor:r.valueAtIndexOrDefault(s.backgroundColor,e,u.backgroundColor),borderColor:l.borderColor?l.borderColor:r.valueAtIndexOrDefault(s.borderColor,e,u.borderColor),borderWidth:l.borderWidth?l.borderWidth:r.valueAtIndexOrDefault(s.borderWidth,e,u.borderWidth)},i.updateElementGeometry(t,e,n),t.pivot()},updateElementGeometry:function(t,e,n){var i=this,a=t._model,r=i.getValueScale(),o=r.getBasePixel(),s=r.isHorizontal(),l=i._ruler||i.getRuler(),u=i.calculateBarValuePixels(i.index,e),d=i.calculateBarIndexPixels(i.index,e,l);a.horizontal=s,a.base=n?o:u.base,a.x=s?n?o:u.head:d.center,a.y=s?d.center:n?o:u.head,a.height=s?d.size:void 0,a.width=s?void 0:d.size},getValueScaleId:function(){return this.getMeta().yAxisID},getIndexScaleId:function(){return this.getMeta().xAxisID},getValueScale:function(){return this.getScaleForId(this.getValueScaleId())},getIndexScale:function(){return this.getScaleForId(this.getIndexScaleId())},getStackCount:function(t){var e,n,i=this,a=i.chart,r=i.getIndexScale().options.stacked,o=void 0===t?a.data.datasets.length:t+1,s=[];for(e=0;e<o;++e)(n=a.getDatasetMeta(e)).bar&&a.isDatasetVisible(e)&&(!1===r||!0===r&&-1===s.indexOf(n.stack)||void 0===r&&(void 0===n.stack||-1===s.indexOf(n.stack)))&&s.push(n.stack);return s.length},getStackIndex:function(t){return this.getStackCount(t)-1},getRuler:function(){var t,e,n=this,i=n.getIndexScale(),a=n.getStackCount(),r=n.index,o=[],s=i.isHorizontal(),l=s?i.left:i.top,u=l+(s?i.width:i.height);for(t=0,e=n.getMeta().data.length;t<e;++t)o.push(i.getPixelForValue(null,t,r));return{pixels:o,start:l,end:u,stackCount:a,scale:i}},calculateBarValuePixels:function(t,e){var n,i,a,r,o,s,l=this,u=l.chart,d=l.getMeta(),c=l.getValueScale(),h=u.data.datasets,f=c.getRightValue(h[t].data[e]),g=c.options.stacked,m=d.stack,p=0;if(g||void 0===g&&void 0!==m)for(n=0;n<t;++n)(i=u.getDatasetMeta(n)).bar&&i.stack===m&&i.controller.getValueScaleId()===c.id&&u.isDatasetVisible(n)&&(a=c.getRightValue(h[n].data[e]),(f<0&&a<0||f>=0&&a>0)&&(p+=a));return r=c.getPixelForValue(p),o=c.getPixelForValue(p+f),s=(o-r)/2,{size:s,base:r,head:o,center:o+s/2}},calculateBarIndexPixels:function(t,e,n){var i,a,o,s,l,u,d=this,c=n.scale.options,h=d.getStackIndex(t),f=n.pixels,g=f[e],m=f.length,p=n.start,v=n.end;return 1===m?(i=g>p?g-p:v-g,a=g<v?v-g:g-p):(e>0&&(i=(g-f[e-1])/2,e===m-1&&(a=i)),e<m-1&&(a=(f[e+1]-g)/2,0===e&&(i=a))),o=i*c.categoryPercentage,s=a*c.categoryPercentage,l=(o+s)/n.stackCount,u=l*c.barPercentage,u=Math.min(r.valueOrDefault(c.barThickness,u),r.valueOrDefault(c.maxBarThickness,1/0)),g-=o,g+=l*h,g+=(l-u)/2,{size:u,base:g,head:g+u,center:g+u/2}},draw:function(){var t=this,e=t.chart,n=t.getValueScale(),i=t.getMeta().data,a=t.getDataset(),o=i.length,s=0;for(r.canvas.clipArea(e.ctx,e.chartArea);s<o;++s)isNaN(n.getRightValue(a.data[s]))||i[s].draw();r.canvas.unclipArea(e.ctx)},setHoverStyle:function(t){var e=this.chart.data.datasets[t._datasetIndex],n=t._index,i=t.custom||{},a=t._model;a.backgroundColor=i.hoverBackgroundColor?i.hoverBackgroundColor:r.valueAtIndexOrDefault(e.hoverBackgroundColor,n,r.getHoverColor(a.backgroundColor)),a.borderColor=i.hoverBorderColor?i.hoverBorderColor:r.valueAtIndexOrDefault(e.hoverBorderColor,n,r.getHoverColor(a.borderColor)),a.borderWidth=i.hoverBorderWidth?i.hoverBorderWidth:r.valueAtIndexOrDefault(e.hoverBorderWidth,n,a.borderWidth)},removeHoverStyle:function(t){var e=this.chart.data.datasets[t._datasetIndex],n=t._index,i=t.custom||{},a=t._model,o=this.chart.options.elements.rectangle;a.backgroundColor=i.backgroundColor?i.backgroundColor:r.valueAtIndexOrDefault(e.backgroundColor,n,o.backgroundColor),a.borderColor=i.borderColor?i.borderColor:r.valueAtIndexOrDefault(e.borderColor,n,o.borderColor),a.borderWidth=i.borderWidth?i.borderWidth:r.valueAtIndexOrDefault(e.borderWidth,n,o.borderWidth)}}),t.controllers.horizontalBar=t.controllers.bar.extend({getValueScaleId:function(){return this.getMeta().xAxisID},getIndexScaleId:function(){return this.getMeta().yAxisID}})}},{25:25,40:40,45:45}],16:[function(t,e,n){"use strict";var i=t(25),a=t(40),r=t(45);i._set("bubble",{hover:{mode:"single"},scales:{xAxes:[{type:"linear",position:"bottom",id:"x-axis-0"}],yAxes:[{type:"linear",position:"left",id:"y-axis-0"}]},tooltips:{callbacks:{title:function(){return""},label:function(t,e){var n=e.datasets[t.datasetIndex].label||"",i=e.datasets[t.datasetIndex].data[t.index];return n+": ("+t.xLabel+", "+t.yLabel+", "+i.r+")"}}}}),e.exports=function(t){t.controllers.bubble=t.DatasetController.extend({dataElementType:a.Point,update:function(t){var e=this,n=e.getMeta().data;r.each(n,function(n,i){e.updateElement(n,i,t)})},updateElement:function(t,e,n){var i=this,a=i.getMeta(),r=t.custom||{},o=i.getScaleForId(a.xAxisID),s=i.getScaleForId(a.yAxisID),l=i._resolveElementOptions(t,e),u=i.getDataset().data[e],d=i.index,c=n?o.getPixelForDecimal(.5):o.getPixelForValue("object"==typeof u?u:NaN,e,d),h=n?s.getBasePixel():s.getPixelForValue(u,e,d);t._xScale=o,t._yScale=s,t._options=l,t._datasetIndex=d,t._index=e,t._model={backgroundColor:l.backgroundColor,borderColor:l.borderColor,borderWidth:l.borderWidth,hitRadius:l.hitRadius,pointStyle:l.pointStyle,radius:n?0:l.radius,skip:r.skip||isNaN(c)||isNaN(h),x:c,y:h},t.pivot()},setHoverStyle:function(t){var e=t._model,n=t._options;e.backgroundColor=r.valueOrDefault(n.hoverBackgroundColor,r.getHoverColor(n.backgroundColor)),e.borderColor=r.valueOrDefault(n.hoverBorderColor,r.getHoverColor(n.borderColor)),e.borderWidth=r.valueOrDefault(n.hoverBorderWidth,n.borderWidth),e.radius=n.radius+n.hoverRadius},removeHoverStyle:function(t){var e=t._model,n=t._options;e.backgroundColor=n.backgroundColor,e.borderColor=n.borderColor,e.borderWidth=n.borderWidth,e.radius=n.radius},_resolveElementOptions:function(t,e){var n,i,a,o=this,s=o.chart,l=s.data.datasets[o.index],u=t.custom||{},d=s.options.elements.point,c=r.options.resolve,h=l.data[e],f={},g={chart:s,dataIndex:e,dataset:l,datasetIndex:o.index},m=["backgroundColor","borderColor","borderWidth","hoverBackgroundColor","hoverBorderColor","hoverBorderWidth","hoverRadius","hitRadius","pointStyle"];for(n=0,i=m.length;n<i;++n)f[a=m[n]]=c([u[a],l[a],d[a]],g,e);return f.radius=c([u.radius,h?h.r:void 0,l.radius,d.radius],g,e),f}})}},{25:25,40:40,45:45}],17:[function(t,e,n){"use strict";var i=t(25),a=t(40),r=t(45);i._set("doughnut",{animation:{animateRotate:!0,animateScale:!1},hover:{mode:"single"},legendCallback:function(t){var e=[];e.push('<ul class="'+t.id+'-legend">');var n=t.data,i=n.datasets,a=n.labels;if(i.length)for(var r=0;r<i[0].data.length;++r)e.push('<li><span style="background-color:'+i[0].backgroundColor[r]+'"></span>'),a[r]&&e.push(a[r]),e.push("</li>");return e.push("</ul>"),e.join("")},legend:{labels:{generateLabels:function(t){var e=t.data;return e.labels.length&&e.datasets.length?e.labels.map(function(n,i){var a=t.getDatasetMeta(0),o=e.datasets[0],s=a.data[i],l=s&&s.custom||{},u=r.valueAtIndexOrDefault,d=t.options.elements.arc;return{text:n,fillStyle:l.backgroundColor?l.backgroundColor:u(o.backgroundColor,i,d.backgroundColor),strokeStyle:l.borderColor?l.borderColor:u(o.borderColor,i,d.borderColor),lineWidth:l.borderWidth?l.borderWidth:u(o.borderWidth,i,d.borderWidth),hidden:isNaN(o.data[i])||a.data[i].hidden,index:i}}):[]}},onClick:function(t,e){var n,i,a,r=e.index,o=this.chart;for(n=0,i=(o.data.datasets||[]).length;n<i;++n)(a=o.getDatasetMeta(n)).data[r]&&(a.data[r].hidden=!a.data[r].hidden);o.update()}},cutoutPercentage:50,rotation:-.5*Math.PI,circumference:2*Math.PI,tooltips:{callbacks:{title:function(){return""},label:function(t,e){var n=e.labels[t.index],i=": "+e.datasets[t.datasetIndex].data[t.index];return r.isArray(n)?(n=n.slice())[0]+=i:n+=i,n}}}}),i._set("pie",r.clone(i.doughnut)),i._set("pie",{cutoutPercentage:0}),e.exports=function(t){t.controllers.doughnut=t.controllers.pie=t.DatasetController.extend({dataElementType:a.Arc,linkScales:r.noop,getRingIndex:function(t){for(var e=0,n=0;n<t;++n)this.chart.isDatasetVisible(n)&&++e;return e},update:function(t){var e=this,n=e.chart,i=n.chartArea,a=n.options,o=a.elements.arc,s=i.right-i.left-o.borderWidth,l=i.bottom-i.top-o.borderWidth,u=Math.min(s,l),d={x:0,y:0},c=e.getMeta(),h=a.cutoutPercentage,f=a.circumference;if(f<2*Math.PI){var g=a.rotation%(2*Math.PI),m=(g+=2*Math.PI*(g>=Math.PI?-1:g<-Math.PI?1:0))+f,p={x:Math.cos(g),y:Math.sin(g)},v={x:Math.cos(m),y:Math.sin(m)},y=g<=0&&m>=0||g<=2*Math.PI&&2*Math.PI<=m,b=g<=.5*Math.PI&&.5*Math.PI<=m||g<=2.5*Math.PI&&2.5*Math.PI<=m,x=g<=-Math.PI&&-Math.PI<=m||g<=Math.PI&&Math.PI<=m,_=g<=.5*-Math.PI&&.5*-Math.PI<=m||g<=1.5*Math.PI&&1.5*Math.PI<=m,k=h/100,w={x:x?-1:Math.min(p.x*(p.x<0?1:k),v.x*(v.x<0?1:k)),y:_?-1:Math.min(p.y*(p.y<0?1:k),v.y*(v.y<0?1:k))},M={x:y?1:Math.max(p.x*(p.x>0?1:k),v.x*(v.x>0?1:k)),y:b?1:Math.max(p.y*(p.y>0?1:k),v.y*(v.y>0?1:k))},S={width:.5*(M.x-w.x),height:.5*(M.y-w.y)};u=Math.min(s/S.width,l/S.height),d={x:-.5*(M.x+w.x),y:-.5*(M.y+w.y)}}n.borderWidth=e.getMaxBorderWidth(c.data),n.outerRadius=Math.max((u-n.borderWidth)/2,0),n.innerRadius=Math.max(h?n.outerRadius/100*h:0,0),n.radiusLength=(n.outerRadius-n.innerRadius)/n.getVisibleDatasetCount(),n.offsetX=d.x*n.outerRadius,n.offsetY=d.y*n.outerRadius,c.total=e.calculateTotal(),e.outerRadius=n.outerRadius-n.radiusLength*e.getRingIndex(e.index),e.innerRadius=Math.max(e.outerRadius-n.radiusLength,0),r.each(c.data,function(n,i){e.updateElement(n,i,t)})},updateElement:function(t,e,n){var i=this,a=i.chart,o=a.chartArea,s=a.options,l=s.animation,u=(o.left+o.right)/2,d=(o.top+o.bottom)/2,c=s.rotation,h=s.rotation,f=i.getDataset(),g=n&&l.animateRotate?0:t.hidden?0:i.calculateCircumference(f.data[e])*(s.circumference/(2*Math.PI)),m=n&&l.animateScale?0:i.innerRadius,p=n&&l.animateScale?0:i.outerRadius,v=r.valueAtIndexOrDefault;r.extend(t,{_datasetIndex:i.index,_index:e,_model:{x:u+a.offsetX,y:d+a.offsetY,startAngle:c,endAngle:h,circumference:g,outerRadius:p,innerRadius:m,label:v(f.label,e,a.data.labels[e])}});var y=t._model;this.removeHoverStyle(t),n&&l.animateRotate||(y.startAngle=0===e?s.rotation:i.getMeta().data[e-1]._model.endAngle,y.endAngle=y.startAngle+y.circumference),t.pivot()},removeHoverStyle:function(e){t.DatasetController.prototype.removeHoverStyle.call(this,e,this.chart.options.elements.arc)},calculateTotal:function(){var t,e=this.getDataset(),n=this.getMeta(),i=0;return r.each(n.data,function(n,a){t=e.data[a],isNaN(t)||n.hidden||(i+=Math.abs(t))}),i},calculateCircumference:function(t){var e=this.getMeta().total;return e>0&&!isNaN(t)?2*Math.PI*(t/e):0},getMaxBorderWidth:function(t){for(var e,n,i=0,a=this.index,r=t.length,o=0;o<r;o++)e=t[o]._model?t[o]._model.borderWidth:0,i=(n=t[o]._chart?t[o]._chart.config.data.datasets[a].hoverBorderWidth:0)>(i=e>i?e:i)?n:i;return i}})}},{25:25,40:40,45:45}],18:[function(t,e,n){"use strict";var i=t(25),a=t(40),r=t(45);i._set("line",{showLines:!0,spanGaps:!1,hover:{mode:"label"},scales:{xAxes:[{type:"category",id:"x-axis-0"}],yAxes:[{type:"linear",id:"y-axis-0"}]}}),e.exports=function(t){function e(t,e){return r.valueOrDefault(t.showLine,e.showLines)}t.controllers.line=t.DatasetController.extend({datasetElementType:a.Line,dataElementType:a.Point,update:function(t){var n,i,a,o=this,s=o.getMeta(),l=s.dataset,u=s.data||[],d=o.chart.options,c=d.elements.line,h=o.getScaleForId(s.yAxisID),f=o.getDataset(),g=e(f,d);for(g&&(a=l.custom||{},void 0!==f.tension&&void 0===f.lineTension&&(f.lineTension=f.tension),l._scale=h,l._datasetIndex=o.index,l._children=u,l._model={spanGaps:f.spanGaps?f.spanGaps:d.spanGaps,tension:a.tension?a.tension:r.valueOrDefault(f.lineTension,c.tension),backgroundColor:a.backgroundColor?a.backgroundColor:f.backgroundColor||c.backgroundColor,borderWidth:a.borderWidth?a.borderWidth:f.borderWidth||c.borderWidth,borderColor:a.borderColor?a.borderColor:f.borderColor||c.borderColor,borderCapStyle:a.borderCapStyle?a.borderCapStyle:f.borderCapStyle||c.borderCapStyle,borderDash:a.borderDash?a.borderDash:f.borderDash||c.borderDash,borderDashOffset:a.borderDashOffset?a.borderDashOffset:f.borderDashOffset||c.borderDashOffset,borderJoinStyle:a.borderJoinStyle?a.borderJoinStyle:f.borderJoinStyle||c.borderJoinStyle,fill:a.fill?a.fill:void 0!==f.fill?f.fill:c.fill,steppedLine:a.steppedLine?a.steppedLine:r.valueOrDefault(f.steppedLine,c.stepped),cubicInterpolationMode:a.cubicInterpolationMode?a.cubicInterpolationMode:r.valueOrDefault(f.cubicInterpolationMode,c.cubicInterpolationMode)},l.pivot()),n=0,i=u.length;n<i;++n)o.updateElement(u[n],n,t);for(g&&0!==l._model.tension&&o.updateBezierControlPoints(),n=0,i=u.length;n<i;++n)u[n].pivot()},getPointBackgroundColor:function(t,e){var n=this.chart.options.elements.point.backgroundColor,i=this.getDataset(),a=t.custom||{};return a.backgroundColor?n=a.backgroundColor:i.pointBackgroundColor?n=r.valueAtIndexOrDefault(i.pointBackgroundColor,e,n):i.backgroundColor&&(n=i.backgroundColor),n},getPointBorderColor:function(t,e){var n=this.chart.options.elements.point.borderColor,i=this.getDataset(),a=t.custom||{};return a.borderColor?n=a.borderColor:i.pointBorderColor?n=r.valueAtIndexOrDefault(i.pointBorderColor,e,n):i.borderColor&&(n=i.borderColor),n},getPointBorderWidth:function(t,e){var n=this.chart.options.elements.point.borderWidth,i=this.getDataset(),a=t.custom||{};return isNaN(a.borderWidth)?!isNaN(i.pointBorderWidth)||r.isArray(i.pointBorderWidth)?n=r.valueAtIndexOrDefault(i.pointBorderWidth,e,n):isNaN(i.borderWidth)||(n=i.borderWidth):n=a.borderWidth,n},updateElement:function(t,e,n){var i,a,o=this,s=o.getMeta(),l=t.custom||{},u=o.getDataset(),d=o.index,c=u.data[e],h=o.getScaleForId(s.yAxisID),f=o.getScaleForId(s.xAxisID),g=o.chart.options.elements.point;void 0!==u.radius&&void 0===u.pointRadius&&(u.pointRadius=u.radius),void 0!==u.hitRadius&&void 0===u.pointHitRadius&&(u.pointHitRadius=u.hitRadius),i=f.getPixelForValue("object"==typeof c?c:NaN,e,d),a=n?h.getBasePixel():o.calculatePointY(c,e,d),t._xScale=f,t._yScale=h,t._datasetIndex=d,t._index=e,t._model={x:i,y:a,skip:l.skip||isNaN(i)||isNaN(a),radius:l.radius||r.valueAtIndexOrDefault(u.pointRadius,e,g.radius),pointStyle:l.pointStyle||r.valueAtIndexOrDefault(u.pointStyle,e,g.pointStyle),backgroundColor:o.getPointBackgroundColor(t,e),borderColor:o.getPointBorderColor(t,e),borderWidth:o.getPointBorderWidth(t,e),tension:s.dataset._model?s.dataset._model.tension:0,steppedLine:!!s.dataset._model&&s.dataset._model.steppedLine,hitRadius:l.hitRadius||r.valueAtIndexOrDefault(u.pointHitRadius,e,g.hitRadius)}},calculatePointY:function(t,e,n){var i,a,r,o=this,s=o.chart,l=o.getMeta(),u=o.getScaleForId(l.yAxisID),d=0,c=0;if(u.options.stacked){for(i=0;i<n;i++)if(a=s.data.datasets[i],"line"===(r=s.getDatasetMeta(i)).type&&r.yAxisID===u.id&&s.isDatasetVisible(i)){var h=Number(u.getRightValue(a.data[e]));h<0?c+=h||0:d+=h||0}var f=Number(u.getRightValue(t));return f<0?u.getPixelForValue(c+f):u.getPixelForValue(d+f)}return u.getPixelForValue(t)},updateBezierControlPoints:function(){function t(t,e,n){return Math.max(Math.min(t,n),e)}var e,n,i,a,o=this,s=o.getMeta(),l=o.chart.chartArea,u=s.data||[];if(s.dataset._model.spanGaps&&(u=u.filter(function(t){return!t._model.skip})),"monotone"===s.dataset._model.cubicInterpolationMode)r.splineCurveMonotone(u);else for(e=0,n=u.length;e<n;++e)i=u[e]._model,a=r.splineCurve(r.previousItem(u,e)._model,i,r.nextItem(u,e)._model,s.dataset._model.tension),i.controlPointPreviousX=a.previous.x,i.controlPointPreviousY=a.previous.y,i.controlPointNextX=a.next.x,i.controlPointNextY=a.next.y;if(o.chart.options.elements.line.capBezierPoints)for(e=0,n=u.length;e<n;++e)(i=u[e]._model).controlPointPreviousX=t(i.controlPointPreviousX,l.left,l.right),i.controlPointPreviousY=t(i.controlPointPreviousY,l.top,l.bottom),i.controlPointNextX=t(i.controlPointNextX,l.left,l.right),i.controlPointNextY=t(i.controlPointNextY,l.top,l.bottom)},draw:function(){var t=this,n=t.chart,i=t.getMeta(),a=i.data||[],o=n.chartArea,s=a.length,l=0;for(r.canvas.clipArea(n.ctx,o),e(t.getDataset(),n.options)&&i.dataset.draw(),r.canvas.unclipArea(n.ctx);l<s;++l)a[l].draw(o)},setHoverStyle:function(t){var e=this.chart.data.datasets[t._datasetIndex],n=t._index,i=t.custom||{},a=t._model;a.radius=i.hoverRadius||r.valueAtIndexOrDefault(e.pointHoverRadius,n,this.chart.options.elements.point.hoverRadius),a.backgroundColor=i.hoverBackgroundColor||r.valueAtIndexOrDefault(e.pointHoverBackgroundColor,n,r.getHoverColor(a.backgroundColor)),a.borderColor=i.hoverBorderColor||r.valueAtIndexOrDefault(e.pointHoverBorderColor,n,r.getHoverColor(a.borderColor)),a.borderWidth=i.hoverBorderWidth||r.valueAtIndexOrDefault(e.pointHoverBorderWidth,n,a.borderWidth)},removeHoverStyle:function(t){var e=this,n=e.chart.data.datasets[t._datasetIndex],i=t._index,a=t.custom||{},o=t._model;void 0!==n.radius&&void 0===n.pointRadius&&(n.pointRadius=n.radius),o.radius=a.radius||r.valueAtIndexOrDefault(n.pointRadius,i,e.chart.options.elements.point.radius),o.backgroundColor=e.getPointBackgroundColor(t,i),o.borderColor=e.getPointBorderColor(t,i),o.borderWidth=e.getPointBorderWidth(t,i)}})}},{25:25,40:40,45:45}],19:[function(t,e,n){"use strict";var i=t(25),a=t(40),r=t(45);i._set("polarArea",{scale:{type:"radialLinear",angleLines:{display:!1},gridLines:{circular:!0},pointLabels:{display:!1},ticks:{beginAtZero:!0}},animation:{animateRotate:!0,animateScale:!0},startAngle:-.5*Math.PI,legendCallback:function(t){var e=[];e.push('<ul class="'+t.id+'-legend">');var n=t.data,i=n.datasets,a=n.labels;if(i.length)for(var r=0;r<i[0].data.length;++r)e.push('<li><span style="background-color:'+i[0].backgroundColor[r]+'"></span>'),a[r]&&e.push(a[r]),e.push("</li>");return e.push("</ul>"),e.join("")},legend:{labels:{generateLabels:function(t){var e=t.data;return e.labels.length&&e.datasets.length?e.labels.map(function(n,i){var a=t.getDatasetMeta(0),o=e.datasets[0],s=a.data[i].custom||{},l=r.valueAtIndexOrDefault,u=t.options.elements.arc;return{text:n,fillStyle:s.backgroundColor?s.backgroundColor:l(o.backgroundColor,i,u.backgroundColor),strokeStyle:s.borderColor?s.borderColor:l(o.borderColor,i,u.borderColor),lineWidth:s.borderWidth?s.borderWidth:l(o.borderWidth,i,u.borderWidth),hidden:isNaN(o.data[i])||a.data[i].hidden,index:i}}):[]}},onClick:function(t,e){var n,i,a,r=e.index,o=this.chart;for(n=0,i=(o.data.datasets||[]).length;n<i;++n)(a=o.getDatasetMeta(n)).data[r].hidden=!a.data[r].hidden;o.update()}},tooltips:{callbacks:{title:function(){return""},label:function(t,e){return e.labels[t.index]+": "+t.yLabel}}}}),e.exports=function(t){t.controllers.polarArea=t.DatasetController.extend({dataElementType:a.Arc,linkScales:r.noop,update:function(t){var e=this,n=e.chart,i=n.chartArea,a=e.getMeta(),o=n.options,s=o.elements.arc,l=Math.min(i.right-i.left,i.bottom-i.top);n.outerRadius=Math.max((l-s.borderWidth/2)/2,0),n.innerRadius=Math.max(o.cutoutPercentage?n.outerRadius/100*o.cutoutPercentage:1,0),n.radiusLength=(n.outerRadius-n.innerRadius)/n.getVisibleDatasetCount(),e.outerRadius=n.outerRadius-n.radiusLength*e.index,e.innerRadius=e.outerRadius-n.radiusLength,a.count=e.countVisibleElements(),r.each(a.data,function(n,i){e.updateElement(n,i,t)})},updateElement:function(t,e,n){for(var i=this,a=i.chart,o=i.getDataset(),s=a.options,l=s.animation,u=a.scale,d=a.data.labels,c=i.calculateCircumference(o.data[e]),h=u.xCenter,f=u.yCenter,g=0,m=i.getMeta(),p=0;p<e;++p)isNaN(o.data[p])||m.data[p].hidden||++g;var v=s.startAngle,y=t.hidden?0:u.getDistanceFromCenterForValue(o.data[e]),b=v+c*g,x=b+(t.hidden?0:c),_=l.animateScale?0:u.getDistanceFromCenterForValue(o.data[e]);r.extend(t,{_datasetIndex:i.index,_index:e,_scale:u,_model:{x:h,y:f,innerRadius:0,outerRadius:n?_:y,startAngle:n&&l.animateRotate?v:b,endAngle:n&&l.animateRotate?v:x,label:r.valueAtIndexOrDefault(d,e,d[e])}}),i.removeHoverStyle(t),t.pivot()},removeHoverStyle:function(e){t.DatasetController.prototype.removeHoverStyle.call(this,e,this.chart.options.elements.arc)},countVisibleElements:function(){var t=this.getDataset(),e=this.getMeta(),n=0;return r.each(e.data,function(e,i){isNaN(t.data[i])||e.hidden||n++}),n},calculateCircumference:function(t){var e=this.getMeta().count;return e>0&&!isNaN(t)?2*Math.PI/e:0}})}},{25:25,40:40,45:45}],20:[function(t,e,n){"use strict";var i=t(25),a=t(40),r=t(45);i._set("radar",{scale:{type:"radialLinear"},elements:{line:{tension:0}}}),e.exports=function(t){t.controllers.radar=t.DatasetController.extend({datasetElementType:a.Line,dataElementType:a.Point,linkScales:r.noop,update:function(t){var e=this,n=e.getMeta(),i=n.dataset,a=n.data,o=i.custom||{},s=e.getDataset(),l=e.chart.options.elements.line,u=e.chart.scale;void 0!==s.tension&&void 0===s.lineTension&&(s.lineTension=s.tension),r.extend(n.dataset,{_datasetIndex:e.index,_scale:u,_children:a,_loop:!0,_model:{tension:o.tension?o.tension:r.valueOrDefault(s.lineTension,l.tension),backgroundColor:o.backgroundColor?o.backgroundColor:s.backgroundColor||l.backgroundColor,borderWidth:o.borderWidth?o.borderWidth:s.borderWidth||l.borderWidth,borderColor:o.borderColor?o.borderColor:s.borderColor||l.borderColor,fill:o.fill?o.fill:void 0!==s.fill?s.fill:l.fill,borderCapStyle:o.borderCapStyle?o.borderCapStyle:s.borderCapStyle||l.borderCapStyle,borderDash:o.borderDash?o.borderDash:s.borderDash||l.borderDash,borderDashOffset:o.borderDashOffset?o.borderDashOffset:s.borderDashOffset||l.borderDashOffset,borderJoinStyle:o.borderJoinStyle?o.borderJoinStyle:s.borderJoinStyle||l.borderJoinStyle}}),n.dataset.pivot(),r.each(a,function(n,i){e.updateElement(n,i,t)},e),e.updateBezierControlPoints()},updateElement:function(t,e,n){var i=this,a=t.custom||{},o=i.getDataset(),s=i.chart.scale,l=i.chart.options.elements.point,u=s.getPointPositionForValue(e,o.data[e]);void 0!==o.radius&&void 0===o.pointRadius&&(o.pointRadius=o.radius),void 0!==o.hitRadius&&void 0===o.pointHitRadius&&(o.pointHitRadius=o.hitRadius),r.extend(t,{_datasetIndex:i.index,_index:e,_scale:s,_model:{x:n?s.xCenter:u.x,y:n?s.yCenter:u.y,tension:a.tension?a.tension:r.valueOrDefault(o.lineTension,i.chart.options.elements.line.tension),radius:a.radius?a.radius:r.valueAtIndexOrDefault(o.pointRadius,e,l.radius),backgroundColor:a.backgroundColor?a.backgroundColor:r.valueAtIndexOrDefault(o.pointBackgroundColor,e,l.backgroundColor),borderColor:a.borderColor?a.borderColor:r.valueAtIndexOrDefault(o.pointBorderColor,e,l.borderColor),borderWidth:a.borderWidth?a.borderWidth:r.valueAtIndexOrDefault(o.pointBorderWidth,e,l.borderWidth),pointStyle:a.pointStyle?a.pointStyle:r.valueAtIndexOrDefault(o.pointStyle,e,l.pointStyle),hitRadius:a.hitRadius?a.hitRadius:r.valueAtIndexOrDefault(o.pointHitRadius,e,l.hitRadius)}}),t._model.skip=a.skip?a.skip:isNaN(t._model.x)||isNaN(t._model.y)},updateBezierControlPoints:function(){var t=this.chart.chartArea,e=this.getMeta();r.each(e.data,function(n,i){var a=n._model,o=r.splineCurve(r.previousItem(e.data,i,!0)._model,a,r.nextItem(e.data,i,!0)._model,a.tension);a.controlPointPreviousX=Math.max(Math.min(o.previous.x,t.right),t.left),a.controlPointPreviousY=Math.max(Math.min(o.previous.y,t.bottom),t.top),a.controlPointNextX=Math.max(Math.min(o.next.x,t.right),t.left),a.controlPointNextY=Math.max(Math.min(o.next.y,t.bottom),t.top),n.pivot()})},setHoverStyle:function(t){var e=this.chart.data.datasets[t._datasetIndex],n=t.custom||{},i=t._index,a=t._model;a.radius=n.hoverRadius?n.hoverRadius:r.valueAtIndexOrDefault(e.pointHoverRadius,i,this.chart.options.elements.point.hoverRadius),a.backgroundColor=n.hoverBackgroundColor?n.hoverBackgroundColor:r.valueAtIndexOrDefault(e.pointHoverBackgroundColor,i,r.getHoverColor(a.backgroundColor)),a.borderColor=n.hoverBorderColor?n.hoverBorderColor:r.valueAtIndexOrDefault(e.pointHoverBorderColor,i,r.getHoverColor(a.borderColor)),a.borderWidth=n.hoverBorderWidth?n.hoverBorderWidth:r.valueAtIndexOrDefault(e.pointHoverBorderWidth,i,a.borderWidth)},removeHoverStyle:function(t){var e=this.chart.data.datasets[t._datasetIndex],n=t.custom||{},i=t._index,a=t._model,o=this.chart.options.elements.point;a.radius=n.radius?n.radius:r.valueAtIndexOrDefault(e.pointRadius,i,o.radius),a.backgroundColor=n.backgroundColor?n.backgroundColor:r.valueAtIndexOrDefault(e.pointBackgroundColor,i,o.backgroundColor),a.borderColor=n.borderColor?n.borderColor:r.valueAtIndexOrDefault(e.pointBorderColor,i,o.borderColor),a.borderWidth=n.borderWidth?n.borderWidth:r.valueAtIndexOrDefault(e.pointBorderWidth,i,o.borderWidth)}})}},{25:25,40:40,45:45}],21:[function(t,e,n){"use strict";t(25)._set("scatter",{hover:{mode:"single"},scales:{xAxes:[{id:"x-axis-1",type:"linear",position:"bottom"}],yAxes:[{id:"y-axis-1",type:"linear",position:"left"}]},showLines:!1,tooltips:{callbacks:{title:function(){return""},label:function(t){return"("+t.xLabel+", "+t.yLabel+")"}}}}),e.exports=function(t){t.controllers.scatter=t.controllers.line}},{25:25}],22:[function(t,e,n){"use strict";var i=t(25),a=t(26),r=t(45);i._set("global",{animation:{duration:1e3,easing:"easeOutQuart",onProgress:r.noop,onComplete:r.noop}}),e.exports=function(t){t.Animation=a.extend({chart:null,currentStep:0,numSteps:60,easing:"",render:null,onAnimationProgress:null,onAnimationComplete:null}),t.animationService={frameDuration:17,animations:[],dropFrames:0,request:null,addAnimation:function(t,e,n,i){var a,r,o=this.animations;for(e.chart=t,i||(t.animating=!0),a=0,r=o.length;a<r;++a)if(o[a].chart===t)return void(o[a]=e);o.push(e),1===o.length&&this.requestAnimationFrame()},cancelAnimation:function(t){var e=r.findIndex(this.animations,function(e){return e.chart===t});-1!==e&&(this.animations.splice(e,1),t.animating=!1)},requestAnimationFrame:function(){var t=this;null===t.request&&(t.request=r.requestAnimFrame.call(window,function(){t.request=null,t.startDigest()}))},startDigest:function(){var t=this,e=Date.now(),n=0;t.dropFrames>1&&(n=Math.floor(t.dropFrames),t.dropFrames=t.dropFrames%1),t.advance(1+n);var i=Date.now();t.dropFrames+=(i-e)/t.frameDuration,t.animations.length>0&&t.requestAnimationFrame()},advance:function(t){for(var e,n,i=this.animations,a=0;a<i.length;)n=(e=i[a]).chart,e.currentStep=(e.currentStep||0)+t,e.currentStep=Math.min(e.currentStep,e.numSteps),r.callback(e.render,[n,e],n),r.callback(e.onAnimationProgress,[e],n),e.currentStep>=e.numSteps?(r.callback(e.onAnimationComplete,[e],n),n.animating=!1,i.splice(a,1)):++a}},Object.defineProperty(t.Animation.prototype,"animationObject",{get:function(){return this}}),Object.defineProperty(t.Animation.prototype,"chartInstance",{get:function(){return this.chart},set:function(t){this.chart=t}})}},{25:25,26:26,45:45}],23:[function(t,e,n){"use strict";var i=t(25),a=t(45),r=t(28),o=t(48);e.exports=function(t){function e(t){var e=(t=t||{}).data=t.data||{};return e.datasets=e.datasets||[],e.labels=e.labels||[],t.options=a.configMerge(i.global,i[t.type],t.options||{}),t}function n(t){var e=t.options;e.scale?t.scale.options=e.scale:e.scales&&e.scales.xAxes.concat(e.scales.yAxes).forEach(function(e){t.scales[e.id].options=e}),t.tooltip._options=e.tooltips}function s(t){return"top"===t||"bottom"===t}var l=t.plugins;t.types={},t.instances={},t.controllers={},a.extend(t.prototype,{construct:function(n,i){var r=this;i=e(i);var s=o.acquireContext(n,i),l=s&&s.canvas,u=l&&l.height,d=l&&l.width;r.id=a.uid(),r.ctx=s,r.canvas=l,r.config=i,r.width=d,r.height=u,r.aspectRatio=u?d/u:null,r.options=i.options,r._bufferedRender=!1,r.chart=r,r.controller=r,t.instances[r.id]=r,Object.defineProperty(r,"data",{get:function(){return r.config.data},set:function(t){r.config.data=t}}),s&&l?(r.initialize(),r.update()):console.error("Failed to create chart: can't acquire context from the given item")},initialize:function(){var t=this;return l.notify(t,"beforeInit"),a.retinaScale(t,t.options.devicePixelRatio),t.bindEvents(),t.options.responsive&&t.resize(!0),t.ensureScalesHaveIDs(),t.buildScales(),t.initToolTip(),l.notify(t,"afterInit"),t},clear:function(){return a.canvas.clear(this),this},stop:function(){return t.animationService.cancelAnimation(this),this},resize:function(t){var e=this,n=e.options,i=e.canvas,r=n.maintainAspectRatio&&e.aspectRatio||null,o=Math.max(0,Math.floor(a.getMaximumWidth(i))),s=Math.max(0,Math.floor(r?o/r:a.getMaximumHeight(i)));if((e.width!==o||e.height!==s)&&(i.width=e.width=o,i.height=e.height=s,i.style.width=o+"px",i.style.height=s+"px",a.retinaScale(e,n.devicePixelRatio),!t)){var u={width:o,height:s};l.notify(e,"resize",[u]),e.options.onResize&&e.options.onResize(e,u),e.stop(),e.update(e.options.responsiveAnimationDuration)}},ensureScalesHaveIDs:function(){var t=this.options,e=t.scales||{},n=t.scale;a.each(e.xAxes,function(t,e){t.id=t.id||"x-axis-"+e}),a.each(e.yAxes,function(t,e){t.id=t.id||"y-axis-"+e}),n&&(n.id=n.id||"scale")},buildScales:function(){var e=this,n=e.options,i=e.scales={},r=[];n.scales&&(r=r.concat((n.scales.xAxes||[]).map(function(t){return{options:t,dtype:"category",dposition:"bottom"}}),(n.scales.yAxes||[]).map(function(t){return{options:t,dtype:"linear",dposition:"left"}}))),n.scale&&r.push({options:n.scale,dtype:"radialLinear",isDefault:!0,dposition:"chartArea"}),a.each(r,function(n){var r=n.options,o=a.valueOrDefault(r.type,n.dtype),l=t.scaleService.getScaleConstructor(o);if(l){s(r.position)!==s(n.dposition)&&(r.position=n.dposition);var u=new l({id:r.id,options:r,ctx:e.ctx,chart:e});i[u.id]=u,u.mergeTicksOptions(),n.isDefault&&(e.scale=u)}}),t.scaleService.addScalesToLayout(this)},buildOrUpdateControllers:function(){var e=this,n=[],i=[];return a.each(e.data.datasets,function(a,r){var o=e.getDatasetMeta(r),s=a.type||e.config.type;if(o.type&&o.type!==s&&(e.destroyDatasetMeta(r),o=e.getDatasetMeta(r)),o.type=s,n.push(o.type),o.controller)o.controller.updateIndex(r);else{var l=t.controllers[o.type];if(void 0===l)throw new Error('"'+o.type+'" is not a chart type.');o.controller=new l(e,r),i.push(o.controller)}},e),i},resetElements:function(){var t=this;a.each(t.data.datasets,function(e,n){t.getDatasetMeta(n).controller.reset()},t)},reset:function(){this.resetElements(),this.tooltip.initialize()},update:function(t){var e=this;if(t&&"object"==typeof t||(t={duration:t,lazy:arguments[1]}),n(e),!1!==l.notify(e,"beforeUpdate")){e.tooltip._data=e.data;var i=e.buildOrUpdateControllers();a.each(e.data.datasets,function(t,n){e.getDatasetMeta(n).controller.buildOrUpdateElements()},e),e.updateLayout(),a.each(i,function(t){t.reset()}),e.updateDatasets(),e.tooltip.initialize(),e.lastActive=[],l.notify(e,"afterUpdate"),e._bufferedRender?e._bufferedRequest={duration:t.duration,easing:t.easing,lazy:t.lazy}:e.render(t)}},updateLayout:function(){var e=this;!1!==l.notify(e,"beforeLayout")&&(t.layoutService.update(this,this.width,this.height),l.notify(e,"afterScaleUpdate"),l.notify(e,"afterLayout"))},updateDatasets:function(){var t=this;if(!1!==l.notify(t,"beforeDatasetsUpdate")){for(var e=0,n=t.data.datasets.length;e<n;++e)t.updateDataset(e);l.notify(t,"afterDatasetsUpdate")}},updateDataset:function(t){var e=this,n=e.getDatasetMeta(t),i={meta:n,index:t};!1!==l.notify(e,"beforeDatasetUpdate",[i])&&(n.controller.update(),l.notify(e,"afterDatasetUpdate",[i]))},render:function(e){var n=this;e&&"object"==typeof e||(e={duration:e,lazy:arguments[1]});var i=e.duration,r=e.lazy;if(!1!==l.notify(n,"beforeRender")){var o=n.options.animation,s=function(t){l.notify(n,"afterRender"),a.callback(o&&o.onComplete,[t],n)};if(o&&(void 0!==i&&0!==i||void 0===i&&0!==o.duration)){var u=new t.Animation({numSteps:(i||o.duration)/16.66,easing:e.easing||o.easing,render:function(t,e){var n=a.easing.effects[e.easing],i=e.currentStep,r=i/e.numSteps;t.draw(n(r),r,i)},onAnimationProgress:o.onProgress,onAnimationComplete:s});t.animationService.addAnimation(n,u,i,r)}else n.draw(),s(new t.Animation({numSteps:0,chart:n}));return n}},draw:function(t){var e=this;e.clear(),a.isNullOrUndef(t)&&(t=1),e.transition(t),!1!==l.notify(e,"beforeDraw",[t])&&(a.each(e.boxes,function(t){t.draw(e.chartArea)},e),e.scale&&e.scale.draw(),e.drawDatasets(t),e._drawTooltip(t),l.notify(e,"afterDraw",[t]))},transition:function(t){for(var e=this,n=0,i=(e.data.datasets||[]).length;n<i;++n)e.isDatasetVisible(n)&&e.getDatasetMeta(n).controller.transition(t);e.tooltip.transition(t)},drawDatasets:function(t){var e=this;if(!1!==l.notify(e,"beforeDatasetsDraw",[t])){for(var n=(e.data.datasets||[]).length-1;n>=0;--n)e.isDatasetVisible(n)&&e.drawDataset(n,t);l.notify(e,"afterDatasetsDraw",[t])}},drawDataset:function(t,e){var n=this,i=n.getDatasetMeta(t),a={meta:i,index:t,easingValue:e};!1!==l.notify(n,"beforeDatasetDraw",[a])&&(i.controller.draw(e),l.notify(n,"afterDatasetDraw",[a]))},_drawTooltip:function(t){var e=this,n=e.tooltip,i={tooltip:n,easingValue:t};!1!==l.notify(e,"beforeTooltipDraw",[i])&&(n.draw(),l.notify(e,"afterTooltipDraw",[i]))},getElementAtEvent:function(t){return r.modes.single(this,t)},getElementsAtEvent:function(t){return r.modes.label(this,t,{intersect:!0})},getElementsAtXAxis:function(t){return r.modes["x-axis"](this,t,{intersect:!0})},getElementsAtEventForMode:function(t,e,n){var i=r.modes[e];return"function"==typeof i?i(this,t,n):[]},getDatasetAtEvent:function(t){return r.modes.dataset(this,t,{intersect:!0})},getDatasetMeta:function(t){var e=this,n=e.data.datasets[t];n._meta||(n._meta={});var i=n._meta[e.id];return i||(i=n._meta[e.id]={type:null,data:[],dataset:null,controller:null,hidden:null,xAxisID:null,yAxisID:null}),i},getVisibleDatasetCount:function(){for(var t=0,e=0,n=this.data.datasets.length;e<n;++e)this.isDatasetVisible(e)&&t++;return t},isDatasetVisible:function(t){var e=this.getDatasetMeta(t);return"boolean"==typeof e.hidden?!e.hidden:!this.data.datasets[t].hidden},generateLegend:function(){return this.options.legendCallback(this)},destroyDatasetMeta:function(t){var e=this.id,n=this.data.datasets[t],i=n._meta&&n._meta[e];i&&(i.controller.destroy(),delete n._meta[e])},destroy:function(){var e,n,i=this,r=i.canvas;for(i.stop(),e=0,n=i.data.datasets.length;e<n;++e)i.destroyDatasetMeta(e);r&&(i.unbindEvents(),a.canvas.clear(i),o.releaseContext(i.ctx),i.canvas=null,i.ctx=null),l.notify(i,"destroy"),delete t.instances[i.id]},toBase64Image:function(){return this.canvas.toDataURL.apply(this.canvas,arguments)},initToolTip:function(){var e=this;e.tooltip=new t.Tooltip({_chart:e,_chartInstance:e,_data:e.data,_options:e.options.tooltips},e)},bindEvents:function(){var t=this,e=t._listeners={},n=function(){t.eventHandler.apply(t,arguments)};a.each(t.options.events,function(i){o.addEventListener(t,i,n),e[i]=n}),t.options.responsive&&(n=function(){t.resize()},o.addEventListener(t,"resize",n),e.resize=n)},unbindEvents:function(){var t=this,e=t._listeners;e&&(delete t._listeners,a.each(e,function(e,n){o.removeEventListener(t,n,e)}))},updateHoverStyle:function(t,e,n){var i,a,r,o=n?"setHoverStyle":"removeHoverStyle";for(a=0,r=t.length;a<r;++a)(i=t[a])&&this.getDatasetMeta(i._datasetIndex).controller[o](i)},eventHandler:function(t){var e=this,n=e.tooltip;if(!1!==l.notify(e,"beforeEvent",[t])){e._bufferedRender=!0,e._bufferedRequest=null;var i=e.handleEvent(t);i|=n&&n.handleEvent(t),l.notify(e,"afterEvent",[t]);var a=e._bufferedRequest;return a?e.render(a):i&&!e.animating&&(e.stop(),e.render(e.options.hover.animationDuration,!0)),e._bufferedRender=!1,e._bufferedRequest=null,e}},handleEvent:function(t){var e=this,n=e.options||{},i=n.hover,r=!1;return e.lastActive=e.lastActive||[],"mouseout"===t.type?e.active=[]:e.active=e.getElementsAtEventForMode(t,i.mode,i),a.callback(n.onHover||n.hover.onHover,[t.native,e.active],e),"mouseup"!==t.type&&"click"!==t.type||n.onClick&&n.onClick.call(e,t.native,e.active),e.lastActive.length&&e.updateHoverStyle(e.lastActive,i.mode,!1),e.active.length&&i.mode&&e.updateHoverStyle(e.active,i.mode,!0),r=!a.arrayEquals(e.active,e.lastActive),e.lastActive=e.active,r}}),t.Controller=t}},{25:25,28:28,45:45,48:48}],24:[function(t,e,n){"use strict";var i=t(45);e.exports=function(t){function e(t,e){t._chartjs?t._chartjs.listeners.push(e):(Object.defineProperty(t,"_chartjs",{configurable:!0,enumerable:!1,value:{listeners:[e]}}),a.forEach(function(e){var n="onData"+e.charAt(0).toUpperCase()+e.slice(1),a=t[e];Object.defineProperty(t,e,{configurable:!0,enumerable:!1,value:function(){var e=Array.prototype.slice.call(arguments),r=a.apply(this,e);return i.each(t._chartjs.listeners,function(t){"function"==typeof t[n]&&t[n].apply(t,e)}),r}})}))}function n(t,e){var n=t._chartjs;if(n){var i=n.listeners,r=i.indexOf(e);-1!==r&&i.splice(r,1),i.length>0||(a.forEach(function(e){delete t[e]}),delete t._chartjs)}}var a=["push","pop","shift","splice","unshift"];t.DatasetController=function(t,e){this.initialize(t,e)},i.extend(t.DatasetController.prototype,{datasetElementType:null,dataElementType:null,initialize:function(t,e){var n=this;n.chart=t,n.index=e,n.linkScales(),n.addElements()},updateIndex:function(t){this.index=t},linkScales:function(){var t=this,e=t.getMeta(),n=t.getDataset();null===e.xAxisID&&(e.xAxisID=n.xAxisID||t.chart.options.scales.xAxes[0].id),null===e.yAxisID&&(e.yAxisID=n.yAxisID||t.chart.options.scales.yAxes[0].id)},getDataset:function(){return this.chart.data.datasets[this.index]},getMeta:function(){return this.chart.getDatasetMeta(this.index)},getScaleForId:function(t){return this.chart.scales[t]},reset:function(){this.update(!0)},destroy:function(){this._data&&n(this._data,this)},createMetaDataset:function(){var t=this,e=t.datasetElementType;return e&&new e({_chart:t.chart,_datasetIndex:t.index})},createMetaData:function(t){var e=this,n=e.dataElementType;return n&&new n({_chart:e.chart,_datasetIndex:e.index,_index:t})},addElements:function(){var t,e,n=this,i=n.getMeta(),a=n.getDataset().data||[],r=i.data;for(t=0,e=a.length;t<e;++t)r[t]=r[t]||n.createMetaData(t);i.dataset=i.dataset||n.createMetaDataset()},addElementAndReset:function(t){var e=this.createMetaData(t);this.getMeta().data.splice(t,0,e),this.updateElement(e,t,!0)},buildOrUpdateElements:function(){var t=this,i=t.getDataset(),a=i.data||(i.data=[]);t._data!==a&&(t._data&&n(t._data,t),e(a,t),t._data=a),t.resyncElements()},update:i.noop,transition:function(t){for(var e=this.getMeta(),n=e.data||[],i=n.length,a=0;a<i;++a)n[a].transition(t);e.dataset&&e.dataset.transition(t)},draw:function(){var t=this.getMeta(),e=t.data||[],n=e.length,i=0;for(t.dataset&&t.dataset.draw();i<n;++i)e[i].draw()},removeHoverStyle:function(t,e){var n=this.chart.data.datasets[t._datasetIndex],a=t._index,r=t.custom||{},o=i.valueAtIndexOrDefault,s=t._model;s.backgroundColor=r.backgroundColor?r.backgroundColor:o(n.backgroundColor,a,e.backgroundColor),s.borderColor=r.borderColor?r.borderColor:o(n.borderColor,a,e.borderColor),s.borderWidth=r.borderWidth?r.borderWidth:o(n.borderWidth,a,e.borderWidth)},setHoverStyle:function(t){var e=this.chart.data.datasets[t._datasetIndex],n=t._index,a=t.custom||{},r=i.valueAtIndexOrDefault,o=i.getHoverColor,s=t._model;s.backgroundColor=a.hoverBackgroundColor?a.hoverBackgroundColor:r(e.hoverBackgroundColor,n,o(s.backgroundColor)),s.borderColor=a.hoverBorderColor?a.hoverBorderColor:r(e.hoverBorderColor,n,o(s.borderColor)),s.borderWidth=a.hoverBorderWidth?a.hoverBorderWidth:r(e.hoverBorderWidth,n,s.borderWidth)},resyncElements:function(){var t=this,e=t.getMeta(),n=t.getDataset().data,i=e.data.length,a=n.length;a<i?e.data.splice(a,i-a):a>i&&t.insertElements(i,a-i)},insertElements:function(t,e){for(var n=0;n<e;++n)this.addElementAndReset(t+n)},onDataPush:function(){this.insertElements(this.getDataset().data.length-1,arguments.length)},onDataPop:function(){this.getMeta().data.pop()},onDataShift:function(){this.getMeta().data.shift()},onDataSplice:function(t,e){this.getMeta().data.splice(t,e),this.insertElements(t,arguments.length-2)},onDataUnshift:function(){this.insertElements(0,arguments.length)}}),t.DatasetController.extend=i.inherits}},{45:45}],25:[function(t,e,n){"use strict";var i=t(45);e.exports={_set:function(t,e){return i.merge(this[t]||(this[t]={}),e)}}},{45:45}],26:[function(t,e,n){"use strict";function i(t,e,n,i){var r,o,s,l,u,d,c,h,f,g=Object.keys(n);for(r=0,o=g.length;r<o;++r)if(s=g[r],d=n[s],e.hasOwnProperty(s)||(e[s]=d),(l=e[s])!==d&&"_"!==s[0]){if(t.hasOwnProperty(s)||(t[s]=l),u=t[s],(c=typeof d)===typeof u)if("string"===c){if((h=a(u)).valid&&(f=a(d)).valid){e[s]=f.mix(h,i).rgbString();continue}}else if("number"===c&&isFinite(u)&&isFinite(d)){e[s]=u+(d-u)*i;continue}e[s]=d}}var a=t(2),r=t(45),o=function(t){r.extend(this,t),this.initialize.apply(this,arguments)};r.extend(o.prototype,{initialize:function(){this.hidden=!1},pivot:function(){var t=this;return t._view||(t._view=r.clone(t._model)),t._start={},t},transition:function(t){var e=this,n=e._model,a=e._start,r=e._view;return n&&1!==t?(r||(r=e._view={}),a||(a=e._start={}),i(a,r,n,t),e):(e._view=n,e._start=null,e)},tooltipPosition:function(){return{x:this._model.x,y:this._model.y}},hasValue:function(){return r.isNumber(this._model.x)&&r.isNumber(this._model.y)}}),o.extend=r.inherits,e.exports=o},{2:2,45:45}],27:[function(t,e,n){"use strict";var i=t(2),a=t(25),r=t(45);e.exports=function(t){function e(t,e,n){var i;return"string"==typeof t?(i=parseInt(t,10),-1!==t.indexOf("%")&&(i=i/100*e.parentNode[n])):i=t,i}function n(t){return void 0!==t&&null!==t&&"none"!==t}function o(t,i,a){var r=document.defaultView,o=t.parentNode,s=r.getComputedStyle(t)[i],l=r.getComputedStyle(o)[i],u=n(s),d=n(l),c=Number.POSITIVE_INFINITY;return u||d?Math.min(u?e(s,t,a):c,d?e(l,o,a):c):"none"}r.configMerge=function(){return r.merge(r.clone(arguments[0]),[].slice.call(arguments,1),{merger:function(e,n,i,a){var o=n[e]||{},s=i[e];"scales"===e?n[e]=r.scaleMerge(o,s):"scale"===e?n[e]=r.merge(o,[t.scaleService.getScaleDefaults(s.type),s]):r._merger(e,n,i,a)}})},r.scaleMerge=function(){return r.merge(r.clone(arguments[0]),[].slice.call(arguments,1),{merger:function(e,n,i,a){if("xAxes"===e||"yAxes"===e){var o,s,l,u=i[e].length;for(n[e]||(n[e]=[]),o=0;o<u;++o)l=i[e][o],s=r.valueOrDefault(l.type,"xAxes"===e?"category":"linear"),o>=n[e].length&&n[e].push({}),!n[e][o].type||l.type&&l.type!==n[e][o].type?r.merge(n[e][o],[t.scaleService.getScaleDefaults(s),l]):r.merge(n[e][o],l)}else r._merger(e,n,i,a)}})},r.where=function(t,e){if(r.isArray(t)&&Array.prototype.filter)return t.filter(e);var n=[];return r.each(t,function(t){e(t)&&n.push(t)}),n},r.findIndex=Array.prototype.findIndex?function(t,e,n){return t.findIndex(e,n)}:function(t,e,n){n=void 0===n?t:n;for(var i=0,a=t.length;i<a;++i)if(e.call(n,t[i],i,t))return i;return-1},r.findNextWhere=function(t,e,n){r.isNullOrUndef(n)&&(n=-1);for(var i=n+1;i<t.length;i++){var a=t[i];if(e(a))return a}},r.findPreviousWhere=function(t,e,n){r.isNullOrUndef(n)&&(n=t.length);for(var i=n-1;i>=0;i--){var a=t[i];if(e(a))return a}},r.isNumber=function(t){return!isNaN(parseFloat(t))&&isFinite(t)},r.almostEquals=function(t,e,n){return Math.abs(t-e)<n},r.almostWhole=function(t,e){var n=Math.round(t);return n-e<t&&n+e>t},r.max=function(t){return t.reduce(function(t,e){return isNaN(e)?t:Math.max(t,e)},Number.NEGATIVE_INFINITY)},r.min=function(t){return t.reduce(function(t,e){return isNaN(e)?t:Math.min(t,e)},Number.POSITIVE_INFINITY)},r.sign=Math.sign?function(t){return Math.sign(t)}:function(t){return 0==(t=+t)||isNaN(t)?t:t>0?1:-1},r.log10=Math.log10?function(t){return Math.log10(t)}:function(t){return Math.log(t)/Math.LN10},r.toRadians=function(t){return t*(Math.PI/180)},r.toDegrees=function(t){return t*(180/Math.PI)},r.getAngleFromPoint=function(t,e){var n=e.x-t.x,i=e.y-t.y,a=Math.sqrt(n*n+i*i),r=Math.atan2(i,n);return r<-.5*Math.PI&&(r+=2*Math.PI),{angle:r,distance:a}},r.distanceBetweenPoints=function(t,e){return Math.sqrt(Math.pow(e.x-t.x,2)+Math.pow(e.y-t.y,2))},r.aliasPixel=function(t){return t%2==0?0:.5},r.splineCurve=function(t,e,n,i){var a=t.skip?e:t,r=e,o=n.skip?e:n,s=Math.sqrt(Math.pow(r.x-a.x,2)+Math.pow(r.y-a.y,2)),l=Math.sqrt(Math.pow(o.x-r.x,2)+Math.pow(o.y-r.y,2)),u=s/(s+l),d=l/(s+l),c=i*(u=isNaN(u)?0:u),h=i*(d=isNaN(d)?0:d);return{previous:{x:r.x-c*(o.x-a.x),y:r.y-c*(o.y-a.y)},next:{x:r.x+h*(o.x-a.x),y:r.y+h*(o.y-a.y)}}},r.EPSILON=Number.EPSILON||1e-14,r.splineCurveMonotone=function(t){var e,n,i,a,o=(t||[]).map(function(t){return{model:t._model,deltaK:0,mK:0}}),s=o.length;for(e=0;e<s;++e)if(!(i=o[e]).model.skip){if(n=e>0?o[e-1]:null,(a=e<s-1?o[e+1]:null)&&!a.model.skip){var l=a.model.x-i.model.x;i.deltaK=0!==l?(a.model.y-i.model.y)/l:0}!n||n.model.skip?i.mK=i.deltaK:!a||a.model.skip?i.mK=n.deltaK:this.sign(n.deltaK)!==this.sign(i.deltaK)?i.mK=0:i.mK=(n.deltaK+i.deltaK)/2}var u,d,c,h;for(e=0;e<s-1;++e)i=o[e],a=o[e+1],i.model.skip||a.model.skip||(r.almostEquals(i.deltaK,0,this.EPSILON)?i.mK=a.mK=0:(u=i.mK/i.deltaK,d=a.mK/i.deltaK,(h=Math.pow(u,2)+Math.pow(d,2))<=9||(c=3/Math.sqrt(h),i.mK=u*c*i.deltaK,a.mK=d*c*i.deltaK)));var f;for(e=0;e<s;++e)(i=o[e]).model.skip||(n=e>0?o[e-1]:null,a=e<s-1?o[e+1]:null,n&&!n.model.skip&&(f=(i.model.x-n.model.x)/3,i.model.controlPointPreviousX=i.model.x-f,i.model.controlPointPreviousY=i.model.y-f*i.mK),a&&!a.model.skip&&(f=(a.model.x-i.model.x)/3,i.model.controlPointNextX=i.model.x+f,i.model.controlPointNextY=i.model.y+f*i.mK))},r.nextItem=function(t,e,n){return n?e>=t.length-1?t[0]:t[e+1]:e>=t.length-1?t[t.length-1]:t[e+1]},r.previousItem=function(t,e,n){return n?e<=0?t[t.length-1]:t[e-1]:e<=0?t[0]:t[e-1]},r.niceNum=function(t,e){var n=Math.floor(r.log10(t)),i=t/Math.pow(10,n);return(e?i<1.5?1:i<3?2:i<7?5:10:i<=1?1:i<=2?2:i<=5?5:10)*Math.pow(10,n)},r.requestAnimFrame="undefined"==typeof window?function(t){t()}:window.requestAnimationFrame||window.webkitRequestAnimationFrame||window.mozRequestAnimationFrame||window.oRequestAnimationFrame||window.msRequestAnimationFrame||function(t){return window.setTimeout(t,1e3/60)},r.getRelativePosition=function(t,e){var n,i,a=t.originalEvent||t,o=t.currentTarget||t.srcElement,s=o.getBoundingClientRect(),l=a.touches;l&&l.length>0?(n=l[0].clientX,i=l[0].clientY):(n=a.clientX,i=a.clientY);var u=parseFloat(r.getStyle(o,"padding-left")),d=parseFloat(r.getStyle(o,"padding-top")),c=parseFloat(r.getStyle(o,"padding-right")),h=parseFloat(r.getStyle(o,"padding-bottom")),f=s.right-s.left-u-c,g=s.bottom-s.top-d-h;return n=Math.round((n-s.left-u)/f*o.width/e.currentDevicePixelRatio),i=Math.round((i-s.top-d)/g*o.height/e.currentDevicePixelRatio),{x:n,y:i}},r.getConstraintWidth=function(t){return o(t,"max-width","clientWidth")},r.getConstraintHeight=function(t){return o(t,"max-height","clientHeight")},r.getMaximumWidth=function(t){var e=t.parentNode;if(!e)return t.clientWidth;var n=parseInt(r.getStyle(e,"padding-left"),10),i=parseInt(r.getStyle(e,"padding-right"),10),a=e.clientWidth-n-i,o=r.getConstraintWidth(t);return isNaN(o)?a:Math.min(a,o)},r.getMaximumHeight=function(t){var e=t.parentNode;if(!e)return t.clientHeight;var n=parseInt(r.getStyle(e,"padding-top"),10),i=parseInt(r.getStyle(e,"padding-bottom"),10),a=e.clientHeight-n-i,o=r.getConstraintHeight(t);return isNaN(o)?a:Math.min(a,o)},r.getStyle=function(t,e){return t.currentStyle?t.currentStyle[e]:document.defaultView.getComputedStyle(t,null).getPropertyValue(e)},r.retinaScale=function(t,e){var n=t.currentDevicePixelRatio=e||window.devicePixelRatio||1;if(1!==n){var i=t.canvas,a=t.height,r=t.width;i.height=a*n,i.width=r*n,t.ctx.scale(n,n),i.style.height=a+"px",i.style.width=r+"px"}},r.fontString=function(t,e,n){return e+" "+t+"px "+n},r.longestText=function(t,e,n,i){var a=(i=i||{}).data=i.data||{},o=i.garbageCollect=i.garbageCollect||[];i.font!==e&&(a=i.data={},o=i.garbageCollect=[],i.font=e),t.font=e;var s=0;r.each(n,function(e){void 0!==e&&null!==e&&!0!==r.isArray(e)?s=r.measureText(t,a,o,s,e):r.isArray(e)&&r.each(e,function(e){void 0===e||null===e||r.isArray(e)||(s=r.measureText(t,a,o,s,e))})});var l=o.length/2;if(l>n.length){for(var u=0;u<l;u++)delete a[o[u]];o.splice(0,l)}return s},r.measureText=function(t,e,n,i,a){var r=e[a];return r||(r=e[a]=t.measureText(a).width,n.push(a)),r>i&&(i=r),i},r.numberOfLabelLines=function(t){var e=1;return r.each(t,function(t){r.isArray(t)&&t.length>e&&(e=t.length)}),e},r.color=i?function(t){return t instanceof CanvasGradient&&(t=a.global.defaultColor),i(t)}:function(t){return console.error("Color.js not found!"),t},r.getHoverColor=function(t){return t instanceof CanvasPattern?t:r.color(t).saturate(.5).darken(.1).rgbString()}}},{2:2,25:25,45:45}],28:[function(t,e,n){"use strict";function i(t,e){return t.native?{x:t.x,y:t.y}:u.getRelativePosition(t,e)}function a(t,e){var n,i,a,r,o;for(i=0,r=t.data.datasets.length;i<r;++i)if(t.isDatasetVisible(i))for(a=0,o=(n=t.getDatasetMeta(i)).data.length;a<o;++a){var s=n.data[a];s._view.skip||e(s)}}function r(t,e){var n=[];return a(t,function(t){t.inRange(e.x,e.y)&&n.push(t)}),n}function o(t,e,n,i){var r=Number.POSITIVE_INFINITY,o=[];return a(t,function(t){if(!n||t.inRange(e.x,e.y)){var a=t.getCenterPoint(),s=i(e,a);s<r?(o=[t],r=s):s===r&&o.push(t)}}),o}function s(t){var e=-1!==t.indexOf("x"),n=-1!==t.indexOf("y");return function(t,i){var a=e?Math.abs(t.x-i.x):0,r=n?Math.abs(t.y-i.y):0;return Math.sqrt(Math.pow(a,2)+Math.pow(r,2))}}function l(t,e,n){var a=i(e,t);n.axis=n.axis||"x";var l=s(n.axis),u=n.intersect?r(t,a):o(t,a,!1,l),d=[];return u.length?(t.data.datasets.forEach(function(e,n){if(t.isDatasetVisible(n)){var i=t.getDatasetMeta(n).data[u[0]._index];i&&!i._view.skip&&d.push(i)}}),d):[]}var u=t(45);e.exports={modes:{single:function(t,e){var n=i(e,t),r=[];return a(t,function(t){if(t.inRange(n.x,n.y))return r.push(t),r}),r.slice(0,1)},label:l,index:l,dataset:function(t,e,n){var a=i(e,t);n.axis=n.axis||"xy";var l=s(n.axis),u=n.intersect?r(t,a):o(t,a,!1,l);return u.length>0&&(u=t.getDatasetMeta(u[0]._datasetIndex).data),u},"x-axis":function(t,e){return l(t,e,{intersect:!1})},point:function(t,e){return r(t,i(e,t))},nearest:function(t,e,n){var a=i(e,t);n.axis=n.axis||"xy";var r=s(n.axis),l=o(t,a,n.intersect,r);return l.length>1&&l.sort(function(t,e){var n=t.getArea()-e.getArea();return 0===n&&(n=t._datasetIndex-e._datasetIndex),n}),l.slice(0,1)},x:function(t,e,n){var r=i(e,t),o=[],s=!1;return a(t,function(t){t.inXRange(r.x)&&o.push(t),t.inRange(r.x,r.y)&&(s=!0)}),n.intersect&&!s&&(o=[]),o},y:function(t,e,n){var r=i(e,t),o=[],s=!1;return a(t,function(t){t.inYRange(r.y)&&o.push(t),t.inRange(r.x,r.y)&&(s=!0)}),n.intersect&&!s&&(o=[]),o}}}},{45:45}],29:[function(t,e,n){"use strict";t(25)._set("global",{responsive:!0,responsiveAnimationDuration:0,maintainAspectRatio:!0,events:["mousemove","mouseout","click","touchstart","touchmove"],hover:{onHover:null,mode:"nearest",intersect:!0,animationDuration:400},onClick:null,defaultColor:"rgba(0,0,0,0.1)",defaultFontColor:"#666",defaultFontFamily:"'Helvetica Neue', 'Helvetica', 'Arial', sans-serif",defaultFontSize:12,defaultFontStyle:"normal",showLines:!0,elements:{},layout:{padding:{top:0,right:0,bottom:0,left:0}}}),e.exports=function(){var t=function(t,e){return this.construct(t,e),this};return t.Chart=t,t}},{25:25}],30:[function(t,e,n){"use strict";var i=t(45);e.exports=function(t){function e(t,e){return i.where(t,function(t){return t.position===e})}function n(t,e){t.forEach(function(t,e){return t._tmpIndex_=e,t}),t.sort(function(t,n){var i=e?n:t,a=e?t:n;return i.weight===a.weight?i._tmpIndex_-a._tmpIndex_:i.weight-a.weight}),t.forEach(function(t){delete t._tmpIndex_})}t.layoutService={defaults:{},addBox:function(t,e){t.boxes||(t.boxes=[]),e.fullWidth=e.fullWidth||!1,e.position=e.position||"top",e.weight=e.weight||0,t.boxes.push(e)},removeBox:function(t,e){var n=t.boxes?t.boxes.indexOf(e):-1;-1!==n&&t.boxes.splice(n,1)},configure:function(t,e,n){for(var i,a=["fullWidth","position","weight"],r=a.length,o=0;o<r;++o)i=a[o],n.hasOwnProperty(i)&&(e[i]=n[i])},update:function(t,a,r){function o(t){var e=i.findNextWhere(D,function(e){return e.box===t});if(e)if(t.isHorizontal()){var n={left:Math.max(I,C),right:Math.max(O,P),top:0,bottom:0};t.update(t.fullWidth?b:M,x/2,n)}else t.update(e.minSize.width,S)}function s(t){t.isHorizontal()?(t.left=t.fullWidth?d:I,t.right=t.fullWidth?a-c:I+M,t.top=B,t.bottom=B+t.height,B=t.bottom):(t.left=z,t.right=z+t.width,t.top=F,t.bottom=F+S,z=t.right)}if(t){var l=t.options.layout||{},u=i.options.toPadding(l.padding),d=u.left,c=u.right,h=u.top,f=u.bottom,g=e(t.boxes,"left"),m=e(t.boxes,"right"),p=e(t.boxes,"top"),v=e(t.boxes,"bottom"),y=e(t.boxes,"chartArea");n(g,!0),n(m,!1),n(p,!0),n(v,!1);var b=a-d-c,x=r-h-f,_=x/2,k=(a-b/2)/(g.length+m.length),w=(r-_)/(p.length+v.length),M=b,S=x,D=[];i.each(g.concat(m,p,v),function(t){var e,n=t.isHorizontal();n?(e=t.update(t.fullWidth?b:M,w),S-=e.height):(e=t.update(k,_),M-=e.width),D.push({horizontal:n,minSize:e,box:t})});var C=0,P=0,T=0,A=0;i.each(p.concat(v),function(t){if(t.getPadding){var e=t.getPadding();C=Math.max(C,e.left),P=Math.max(P,e.right)}}),i.each(g.concat(m),function(t){if(t.getPadding){var e=t.getPadding();T=Math.max(T,e.top),A=Math.max(A,e.bottom)}});var I=d,O=c,F=h,R=f;i.each(g.concat(m),o),i.each(g,function(t){I+=t.width}),i.each(m,function(t){O+=t.width}),i.each(p.concat(v),o),i.each(p,function(t){F+=t.height}),i.each(v,function(t){R+=t.height}),i.each(g.concat(m),function(t){var e=i.findNextWhere(D,function(e){return e.box===t}),n={left:0,right:0,top:F,bottom:R};e&&t.update(e.minSize.width,S,n)}),I=d,O=c,F=h,R=f,i.each(g,function(t){I+=t.width}),i.each(m,function(t){O+=t.width}),i.each(p,function(t){F+=t.height}),i.each(v,function(t){R+=t.height});var L=Math.max(C-I,0);I+=L,O+=Math.max(P-O,0);var W=Math.max(T-F,0);F+=W,R+=Math.max(A-R,0);var Y=r-F-R,N=a-I-O;N===M&&Y===S||(i.each(g,function(t){t.height=Y}),i.each(m,function(t){t.height=Y}),i.each(p,function(t){t.fullWidth||(t.width=N)}),i.each(v,function(t){t.fullWidth||(t.width=N)}),S=Y,M=N);var z=d+L,B=h+W;i.each(g.concat(p),s),z+=M,B+=S,i.each(m,s),i.each(v,s),t.chartArea={left:I,top:F,right:I+M,bottom:F+S},i.each(y,function(e){e.left=t.chartArea.left,e.top=t.chartArea.top,e.right=t.chartArea.right,e.bottom=t.chartArea.bottom,e.update(M,S)})}}}}},{45:45}],31:[function(t,e,n){"use strict";var i=t(25),a=t(26),r=t(45);i._set("global",{plugins:{}}),e.exports=function(t){t.plugins={_plugins:[],_cacheId:0,register:function(t){var e=this._plugins;[].concat(t).forEach(function(t){-1===e.indexOf(t)&&e.push(t)}),this._cacheId++},unregister:function(t){var e=this._plugins;[].concat(t).forEach(function(t){var n=e.indexOf(t);-1!==n&&e.splice(n,1)}),this._cacheId++},clear:function(){this._plugins=[],this._cacheId++},count:function(){return this._plugins.length},getAll:function(){return this._plugins},notify:function(t,e,n){var i,a,r,o,s,l=this.descriptors(t),u=l.length;for(i=0;i<u;++i)if(a=l[i],r=a.plugin,"function"==typeof(s=r[e])&&((o=[t].concat(n||[])).push(a.options),!1===s.apply(r,o)))return!1;return!0},descriptors:function(t){var e=t._plugins||(t._plugins={});if(e.id===this._cacheId)return e.descriptors;var n=[],a=[],o=t&&t.config||{},s=o.options&&o.options.plugins||{};return this._plugins.concat(o.plugins||[]).forEach(function(t){if(-1===n.indexOf(t)){var e=t.id,o=s[e];!1!==o&&(!0===o&&(o=r.clone(i.global.plugins[e])),n.push(t),a.push({plugin:t,options:o||{}}))}}),e.descriptors=a,e.id=this._cacheId,a}},t.pluginService=t.plugins,t.PluginBase=a.extend({})}},{25:25,26:26,45:45}],32:[function(t,e,n){"use strict";function i(t){var e,n,i=[];for(e=0,n=t.length;e<n;++e)i.push(t[e].label);return i}function a(t,e,n){var i=t.getPixelForTick(e);return n&&(i-=0===e?(t.getPixelForTick(1)-i)/2:(i-t.getPixelForTick(e-1))/2),i}var r=t(25),o=t(26),s=t(45),l=t(34);r._set("scale",{display:!0,position:"left",offset:!1,gridLines:{display:!0,color:"rgba(0, 0, 0, 0.1)",lineWidth:1,drawBorder:!0,drawOnChartArea:!0,drawTicks:!0,tickMarkLength:10,zeroLineWidth:1,zeroLineColor:"rgba(0,0,0,0.25)",zeroLineBorderDash:[],zeroLineBorderDashOffset:0,offsetGridLines:!1,borderDash:[],borderDashOffset:0},scaleLabel:{display:!1,labelString:"",lineHeight:1.2,padding:{top:4,bottom:4}},ticks:{beginAtZero:!1,minRotation:0,maxRotation:50,mirror:!1,padding:0,reverse:!1,display:!0,autoSkip:!0,autoSkipPadding:0,labelOffset:0,callback:l.formatters.values,minor:{},major:{}}}),e.exports=function(t){function e(t,e,n){return s.isArray(e)?s.longestText(t,n,e):t.measureText(e).width}function n(t){var e=s.valueOrDefault,n=r.global,i=e(t.fontSize,n.defaultFontSize),a=e(t.fontStyle,n.defaultFontStyle),o=e(t.fontFamily,n.defaultFontFamily);return{size:i,style:a,family:o,font:s.fontString(i,a,o)}}function l(t){return s.options.toLineHeight(s.valueOrDefault(t.lineHeight,1.2),s.valueOrDefault(t.fontSize,r.global.defaultFontSize))}t.Scale=o.extend({getPadding:function(){var t=this;return{left:t.paddingLeft||0,top:t.paddingTop||0,right:t.paddingRight||0,bottom:t.paddingBottom||0}},getTicks:function(){return this._ticks},mergeTicksOptions:function(){var t=this.options.ticks;!1===t.minor&&(t.minor={display:!1}),!1===t.major&&(t.major={display:!1});for(var e in t)"major"!==e&&"minor"!==e&&(void 0===t.minor[e]&&(t.minor[e]=t[e]),void 0===t.major[e]&&(t.major[e]=t[e]))},beforeUpdate:function(){s.callback(this.options.beforeUpdate,[this])},update:function(t,e,n){var i,a,r,o,l,u,d=this;for(d.beforeUpdate(),d.maxWidth=t,d.maxHeight=e,d.margins=s.extend({left:0,right:0,top:0,bottom:0},n),d.longestTextCache=d.longestTextCache||{},d.beforeSetDimensions(),d.setDimensions(),d.afterSetDimensions(),d.beforeDataLimits(),d.determineDataLimits(),d.afterDataLimits(),d.beforeBuildTicks(),l=d.buildTicks()||[],d.afterBuildTicks(),d.beforeTickToLabelConversion(),r=d.convertTicksToLabels(l)||d.ticks,d.afterTickToLabelConversion(),d.ticks=r,i=0,a=r.length;i<a;++i)o=r[i],(u=l[i])?u.label=o:l.push(u={label:o,major:!1});return d._ticks=l,d.beforeCalculateTickRotation(),d.calculateTickRotation(),d.afterCalculateTickRotation(),d.beforeFit(),d.fit(),d.afterFit(),d.afterUpdate(),d.minSize},afterUpdate:function(){s.callback(this.options.afterUpdate,[this])},beforeSetDimensions:function(){s.callback(this.options.beforeSetDimensions,[this])},setDimensions:function(){var t=this;t.isHorizontal()?(t.width=t.maxWidth,t.left=0,t.right=t.width):(t.height=t.maxHeight,t.top=0,t.bottom=t.height),t.paddingLeft=0,t.paddingTop=0,t.paddingRight=0,t.paddingBottom=0},afterSetDimensions:function(){s.callback(this.options.afterSetDimensions,[this])},beforeDataLimits:function(){s.callback(this.options.beforeDataLimits,[this])},determineDataLimits:s.noop,afterDataLimits:function(){s.callback(this.options.afterDataLimits,[this])},beforeBuildTicks:function(){s.callback(this.options.beforeBuildTicks,[this])},buildTicks:s.noop,afterBuildTicks:function(){s.callback(this.options.afterBuildTicks,[this])},beforeTickToLabelConversion:function(){s.callback(this.options.beforeTickToLabelConversion,[this])},convertTicksToLabels:function(){var t=this,e=t.options.ticks;t.ticks=t.ticks.map(e.userCallback||e.callback,this)},afterTickToLabelConversion:function(){s.callback(this.options.afterTickToLabelConversion,[this])},beforeCalculateTickRotation:function(){s.callback(this.options.beforeCalculateTickRotation,[this])},calculateTickRotation:function(){var t=this,e=t.ctx,a=t.options.ticks,r=i(t._ticks),o=n(a);e.font=o.font;var l=a.minRotation||0;if(r.length&&t.options.display&&t.isHorizontal())for(var u,d=s.longestText(e,o.font,r,t.longestTextCache),c=d,h=t.getPixelForTick(1)-t.getPixelForTick(0)-6;c>h&&l<a.maxRotation;){var f=s.toRadians(l);if(u=Math.cos(f),Math.sin(f)*d>t.maxHeight){l--;break}l++,c=u*d}t.labelRotation=l},afterCalculateTickRotation:function(){s.callback(this.options.afterCalculateTickRotation,[this])},beforeFit:function(){s.callback(this.options.beforeFit,[this])},fit:function(){var t=this,a=t.minSize={width:0,height:0},r=i(t._ticks),o=t.options,u=o.ticks,d=o.scaleLabel,c=o.gridLines,h=o.display,f=t.isHorizontal(),g=n(u),m=o.gridLines.tickMarkLength;if(a.width=f?t.isFullWidth()?t.maxWidth-t.margins.left-t.margins.right:t.maxWidth:h&&c.drawTicks?m:0,a.height=f?h&&c.drawTicks?m:0:t.maxHeight,d.display&&h){var p=l(d)+s.options.toPadding(d.padding).height;f?a.height+=p:a.width+=p}if(u.display&&h){var v=s.longestText(t.ctx,g.font,r,t.longestTextCache),y=s.numberOfLabelLines(r),b=.5*g.size,x=t.options.ticks.padding;if(f){t.longestLabelWidth=v;var _=s.toRadians(t.labelRotation),k=Math.cos(_),w=Math.sin(_)*v+g.size*y+b*(y-1)+b;a.height=Math.min(t.maxHeight,a.height+w+x),t.ctx.font=g.font;var M=e(t.ctx,r[0],g.font),S=e(t.ctx,r[r.length-1],g.font);0!==t.labelRotation?(t.paddingLeft="bottom"===o.position?k*M+3:k*b+3,t.paddingRight="bottom"===o.position?k*b+3:k*S+3):(t.paddingLeft=M/2+3,t.paddingRight=S/2+3)}else u.mirror?v=0:v+=x+b,a.width=Math.min(t.maxWidth,a.width+v),t.paddingTop=g.size/2,t.paddingBottom=g.size/2}t.handleMargins(),t.width=a.width,t.height=a.height},handleMargins:function(){var t=this;t.margins&&(t.paddingLeft=Math.max(t.paddingLeft-t.margins.left,0),t.paddingTop=Math.max(t.paddingTop-t.margins.top,0),t.paddingRight=Math.max(t.paddingRight-t.margins.right,0),t.paddingBottom=Math.max(t.paddingBottom-t.margins.bottom,0))},afterFit:function(){s.callback(this.options.afterFit,[this])},isHorizontal:function(){return"top"===this.options.position||"bottom"===this.options.position},isFullWidth:function(){return this.options.fullWidth},getRightValue:function(t){if(s.isNullOrUndef(t))return NaN;if("number"==typeof t&&!isFinite(t))return NaN;if(t)if(this.isHorizontal()){if(void 0!==t.x)return this.getRightValue(t.x)}else if(void 0!==t.y)return this.getRightValue(t.y);return t},getLabelForIndex:s.noop,getPixelForValue:s.noop,getValueForPixel:s.noop,getPixelForTick:function(t){var e=this,n=e.options.offset;if(e.isHorizontal()){var i=(e.width-(e.paddingLeft+e.paddingRight))/Math.max(e._ticks.length-(n?0:1),1),a=i*t+e.paddingLeft;n&&(a+=i/2);var r=e.left+Math.round(a);return r+=e.isFullWidth()?e.margins.left:0}var o=e.height-(e.paddingTop+e.paddingBottom);return e.top+t*(o/(e._ticks.length-1))},getPixelForDecimal:function(t){var e=this;if(e.isHorizontal()){var n=(e.width-(e.paddingLeft+e.paddingRight))*t+e.paddingLeft,i=e.left+Math.round(n);return i+=e.isFullWidth()?e.margins.left:0}return e.top+t*e.height},getBasePixel:function(){return this.getPixelForValue(this.getBaseValue())},getBaseValue:function(){var t=this,e=t.min,n=t.max;return t.beginAtZero?0:e<0&&n<0?n:e>0&&n>0?e:0},_autoSkip:function(t){var e,n,i,a,r=this,o=r.isHorizontal(),l=r.options.ticks.minor,u=t.length,d=s.toRadians(r.labelRotation),c=Math.cos(d),h=r.longestLabelWidth*c,f=[];for(l.maxTicksLimit&&(a=l.maxTicksLimit),o&&(e=!1,(h+l.autoSkipPadding)*u>r.width-(r.paddingLeft+r.paddingRight)&&(e=1+Math.floor((h+l.autoSkipPadding)*u/(r.width-(r.paddingLeft+r.paddingRight)))),a&&u>a&&(e=Math.max(e,Math.floor(u/a)))),n=0;n<u;n++)i=t[n],(e>1&&n%e>0||n%e==0&&n+e>=u)&&n!==u-1&&delete i.label,f.push(i);return f},draw:function(t){var e=this,i=e.options;if(i.display){var o=e.ctx,u=r.global,d=i.ticks.minor,c=i.ticks.major||d,h=i.gridLines,f=i.scaleLabel,g=0!==e.labelRotation,m=e.isHorizontal(),p=d.autoSkip?e._autoSkip(e.getTicks()):e.getTicks(),v=s.valueOrDefault(d.fontColor,u.defaultFontColor),y=n(d),b=s.valueOrDefault(c.fontColor,u.defaultFontColor),x=n(c),_=h.drawTicks?h.tickMarkLength:0,k=s.valueOrDefault(f.fontColor,u.defaultFontColor),w=n(f),M=s.options.toPadding(f.padding),S=s.toRadians(e.labelRotation),D=[],C="right"===i.position?e.left:e.right-_,P="right"===i.position?e.left+_:e.right,T="bottom"===i.position?e.top:e.bottom-_,A="bottom"===i.position?e.top+_:e.bottom;if(s.each(p,function(n,r){if(!s.isNullOrUndef(n.label)){var o,l,c,f,v=n.label;r===e.zeroLineIndex&&i.offset===h.offsetGridLines?(o=h.zeroLineWidth,l=h.zeroLineColor,c=h.zeroLineBorderDash,f=h.zeroLineBorderDashOffset):(o=s.valueAtIndexOrDefault(h.lineWidth,r),l=s.valueAtIndexOrDefault(h.color,r),c=s.valueOrDefault(h.borderDash,u.borderDash),f=s.valueOrDefault(h.borderDashOffset,u.borderDashOffset));var y,b,x,k,w,M,I,O,F,R,L="middle",W="middle",Y=d.padding;if(m){var N=_+Y;"bottom"===i.position?(W=g?"middle":"top",L=g?"right":"center",R=e.top+N):(W=g?"middle":"bottom",L=g?"left":"center",R=e.bottom-N);var z=a(e,r,h.offsetGridLines&&p.length>1);z<e.left&&(l="rgba(0,0,0,0)"),z+=s.aliasPixel(o),F=e.getPixelForTick(r)+d.labelOffset,y=x=w=I=z,b=T,k=A,M=t.top,O=t.bottom}else{var B,V="left"===i.position;d.mirror?(L=V?"left":"right",B=Y):(L=V?"right":"left",B=_+Y),F=V?e.right-B:e.left+B;var H=a(e,r,h.offsetGridLines&&p.length>1);H<e.top&&(l="rgba(0,0,0,0)"),H+=s.aliasPixel(o),R=e.getPixelForTick(r)+d.labelOffset,y=C,x=P,w=t.left,I=t.right,b=k=M=O=H}D.push({tx1:y,ty1:b,tx2:x,ty2:k,x1:w,y1:M,x2:I,y2:O,labelX:F,labelY:R,glWidth:o,glColor:l,glBorderDash:c,glBorderDashOffset:f,rotation:-1*S,label:v,major:n.major,textBaseline:W,textAlign:L})}}),s.each(D,function(t){if(h.display&&(o.save(),o.lineWidth=t.glWidth,o.strokeStyle=t.glColor,o.setLineDash&&(o.setLineDash(t.glBorderDash),o.lineDashOffset=t.glBorderDashOffset),o.beginPath(),h.drawTicks&&(o.moveTo(t.tx1,t.ty1),o.lineTo(t.tx2,t.ty2)),h.drawOnChartArea&&(o.moveTo(t.x1,t.y1),o.lineTo(t.x2,t.y2)),o.stroke(),o.restore()),d.display){o.save(),o.translate(t.labelX,t.labelY),o.rotate(t.rotation),o.font=t.major?x.font:y.font,o.fillStyle=t.major?b:v,o.textBaseline=t.textBaseline,o.textAlign=t.textAlign;var e=t.label;if(s.isArray(e))for(var n=0,i=0;n<e.length;++n)o.fillText(""+e[n],0,i),i+=1.5*y.size;else o.fillText(e,0,0);o.restore()}}),f.display){var I,O,F=0,R=l(f)/2;if(m)I=e.left+(e.right-e.left)/2,O="bottom"===i.position?e.bottom-R-M.bottom:e.top+R+M.top;else{var L="left"===i.position;I=L?e.left+R+M.top:e.right-R-M.top,O=e.top+(e.bottom-e.top)/2,F=L?-.5*Math.PI:.5*Math.PI}o.save(),o.translate(I,O),o.rotate(F),o.textAlign="center",o.textBaseline="middle",o.fillStyle=k,o.font=w.font,o.fillText(f.labelString,0,0),o.restore()}if(h.drawBorder){o.lineWidth=s.valueAtIndexOrDefault(h.lineWidth,0),o.strokeStyle=s.valueAtIndexOrDefault(h.color,0);var W=e.left,Y=e.right,N=e.top,z=e.bottom,B=s.aliasPixel(o.lineWidth);m?(N=z="top"===i.position?e.bottom:e.top,N+=B,z+=B):(W=Y="left"===i.position?e.right:e.left,W+=B,Y+=B),o.beginPath(),o.moveTo(W,N),o.lineTo(Y,z),o.stroke()}}}})}},{25:25,26:26,34:34,45:45}],33:[function(t,e,n){"use strict";var i=t(25),a=t(45);e.exports=function(t){t.scaleService={constructors:{},defaults:{},registerScaleType:function(t,e,n){this.constructors[t]=e,this.defaults[t]=a.clone(n)},getScaleConstructor:function(t){return this.constructors.hasOwnProperty(t)?this.constructors[t]:void 0},getScaleDefaults:function(t){return this.defaults.hasOwnProperty(t)?a.merge({},[i.scale,this.defaults[t]]):{}},updateScaleDefaults:function(t,e){var n=this;n.defaults.hasOwnProperty(t)&&(n.defaults[t]=a.extend(n.defaults[t],e))},addScalesToLayout:function(e){a.each(e.scales,function(n){n.fullWidth=n.options.fullWidth,n.position=n.options.position,n.weight=n.options.weight,t.layoutService.addBox(e,n)})}}}},{25:25,45:45}],34:[function(t,e,n){"use strict";var i=t(45);e.exports={generators:{linear:function(t,e){var n,a=[];if(t.stepSize&&t.stepSize>0)n=t.stepSize;else{var r=i.niceNum(e.max-e.min,!1);n=i.niceNum(r/(t.maxTicks-1),!0)}var o=Math.floor(e.min/n)*n,s=Math.ceil(e.max/n)*n;t.min&&t.max&&t.stepSize&&i.almostWhole((t.max-t.min)/t.stepSize,n/1e3)&&(o=t.min,s=t.max);var l=(s-o)/n;l=i.almostEquals(l,Math.round(l),n/1e3)?Math.round(l):Math.ceil(l),a.push(void 0!==t.min?t.min:o);for(var u=1;u<l;++u)a.push(o+u*n);return a.push(void 0!==t.max?t.max:s),a},logarithmic:function(t,e){var n,a,r=[],o=i.valueOrDefault,s=o(t.min,Math.pow(10,Math.floor(i.log10(e.min)))),l=Math.floor(i.log10(e.max)),u=Math.ceil(e.max/Math.pow(10,l));0===s?(n=Math.floor(i.log10(e.minNotZero)),a=Math.floor(e.minNotZero/Math.pow(10,n)),r.push(s),s=a*Math.pow(10,n)):(n=Math.floor(i.log10(s)),a=Math.floor(s/Math.pow(10,n)));do{r.push(s),10===++a&&(a=1,++n),s=a*Math.pow(10,n)}while(n<l||n===l&&a<u);var d=o(t.max,s);return r.push(d),r}},formatters:{values:function(t){return i.isArray(t)?t:""+t},linear:function(t,e,n){var a=n.length>3?n[2]-n[1]:n[1]-n[0];Math.abs(a)>1&&t!==Math.floor(t)&&(a=t-Math.floor(t));var r=i.log10(Math.abs(a)),o="";if(0!==t){var s=-1*Math.floor(r);s=Math.max(Math.min(s,20),0),o=t.toFixed(s)}else o="0";return o},logarithmic:function(t,e,n){var a=t/Math.pow(10,Math.floor(i.log10(t)));return 0===t?"0":1===a||2===a||5===a||0===e||e===n.length-1?t.toExponential():""}}}},{45:45}],35:[function(t,e,n){"use strict";var i=t(25),a=t(26),r=t(45);i._set("global",{tooltips:{enabled:!0,custom:null,mode:"nearest",position:"average",intersect:!0,backgroundColor:"rgba(0,0,0,0.8)",titleFontStyle:"bold",titleSpacing:2,titleMarginBottom:6,titleFontColor:"#fff",titleAlign:"left",bodySpacing:2,bodyFontColor:"#fff",bodyAlign:"left",footerFontStyle:"bold",footerSpacing:2,footerMarginTop:6,footerFontColor:"#fff",footerAlign:"left",yPadding:6,xPadding:6,caretPadding:2,caretSize:5,cornerRadius:6,multiKeyBackground:"#fff",displayColors:!0,borderColor:"rgba(0,0,0,0)",borderWidth:0,callbacks:{beforeTitle:r.noop,title:function(t,e){var n="",i=e.labels,a=i?i.length:0;if(t.length>0){var r=t[0];r.xLabel?n=r.xLabel:a>0&&r.index<a&&(n=i[r.index])}return n},afterTitle:r.noop,beforeBody:r.noop,beforeLabel:r.noop,label:function(t,e){var n=e.datasets[t.datasetIndex].label||"";return n&&(n+=": "),n+=t.yLabel},labelColor:function(t,e){var n=e.getDatasetMeta(t.datasetIndex).data[t.index]._view;return{borderColor:n.borderColor,backgroundColor:n.backgroundColor}},labelTextColor:function(){return this._options.bodyFontColor},afterLabel:r.noop,afterBody:r.noop,beforeFooter:r.noop,footer:r.noop,afterFooter:r.noop}}}),e.exports=function(t){function e(t,e){var n=r.color(t);return n.alpha(e*n.alpha()).rgbaString()}function n(t,e){return e&&(r.isArray(e)?Array.prototype.push.apply(t,e):t.push(e)),t}function o(t){var e=t._xScale,n=t._yScale||t._scale,i=t._index,a=t._datasetIndex;return{xLabel:e?e.getLabelForIndex(i,a):"",yLabel:n?n.getLabelForIndex(i,a):"",index:i,datasetIndex:a,x:t._model.x,y:t._model.y}}function s(t){var e=i.global,n=r.valueOrDefault;return{xPadding:t.xPadding,yPadding:t.yPadding,xAlign:t.xAlign,yAlign:t.yAlign,bodyFontColor:t.bodyFontColor,_bodyFontFamily:n(t.bodyFontFamily,e.defaultFontFamily),_bodyFontStyle:n(t.bodyFontStyle,e.defaultFontStyle),_bodyAlign:t.bodyAlign,bodyFontSize:n(t.bodyFontSize,e.defaultFontSize),bodySpacing:t.bodySpacing,titleFontColor:t.titleFontColor,_titleFontFamily:n(t.titleFontFamily,e.defaultFontFamily),_titleFontStyle:n(t.titleFontStyle,e.defaultFontStyle),titleFontSize:n(t.titleFontSize,e.defaultFontSize),_titleAlign:t.titleAlign,titleSpacing:t.titleSpacing,titleMarginBottom:t.titleMarginBottom,footerFontColor:t.footerFontColor,_footerFontFamily:n(t.footerFontFamily,e.defaultFontFamily),_footerFontStyle:n(t.footerFontStyle,e.defaultFontStyle),footerFontSize:n(t.footerFontSize,e.defaultFontSize),_footerAlign:t.footerAlign,footerSpacing:t.footerSpacing,footerMarginTop:t.footerMarginTop,caretSize:t.caretSize,cornerRadius:t.cornerRadius,backgroundColor:t.backgroundColor,opacity:0,legendColorBackground:t.multiKeyBackground,displayColors:t.displayColors,borderColor:t.borderColor,borderWidth:t.borderWidth}}function l(t,e){var n=t._chart.ctx,i=2*e.yPadding,a=0,o=e.body,s=o.reduce(function(t,e){return t+e.before.length+e.lines.length+e.after.length},0);s+=e.beforeBody.length+e.afterBody.length;var l=e.title.length,u=e.footer.length,d=e.titleFontSize,c=e.bodyFontSize,h=e.footerFontSize;i+=l*d,i+=l?(l-1)*e.titleSpacing:0,i+=l?e.titleMarginBottom:0,i+=s*c,i+=s?(s-1)*e.bodySpacing:0,i+=u?e.footerMarginTop:0,i+=u*h,i+=u?(u-1)*e.footerSpacing:0;var f=0,g=function(t){a=Math.max(a,n.measureText(t).width+f)};return n.font=r.fontString(d,e._titleFontStyle,e._titleFontFamily),r.each(e.title,g),n.font=r.fontString(c,e._bodyFontStyle,e._bodyFontFamily),r.each(e.beforeBody.concat(e.afterBody),g),f=e.displayColors?c+2:0,r.each(o,function(t){r.each(t.before,g),r.each(t.lines,g),r.each(t.after,g)}),f=0,n.font=r.fontString(h,e._footerFontStyle,e._footerFontFamily),r.each(e.footer,g),a+=2*e.xPadding,{width:a,height:i}}function u(t,e){var n=t._model,i=t._chart,a=t._chart.chartArea,r="center",o="center";n.y<e.height?o="top":n.y>i.height-e.height&&(o="bottom");var s,l,u,d,c,h=(a.left+a.right)/2,f=(a.top+a.bottom)/2;"center"===o?(s=function(t){return t<=h},l=function(t){return t>h}):(s=function(t){return t<=e.width/2},l=function(t){return t>=i.width-e.width/2}),u=function(t){return t+e.width>i.width},d=function(t){return t-e.width<0},c=function(t){return t<=f?"top":"bottom"},s(n.x)?(r="left",u(n.x)&&(r="center",o=c(n.y))):l(n.x)&&(r="right",d(n.x)&&(r="center",o=c(n.y)));var g=t._options;return{xAlign:g.xAlign?g.xAlign:r,yAlign:g.yAlign?g.yAlign:o}}function d(t,e,n){var i=t.x,a=t.y,r=t.caretSize,o=t.caretPadding,s=t.cornerRadius,l=n.xAlign,u=n.yAlign,d=r+o,c=s+o;return"right"===l?i-=e.width:"center"===l&&(i-=e.width/2),"top"===u?a+=d:a-="bottom"===u?e.height+d:e.height/2,"center"===u?"left"===l?i+=d:"right"===l&&(i-=d):"left"===l?i-=c:"right"===l&&(i+=c),{x:i,y:a}}t.Tooltip=a.extend({initialize:function(){this._model=s(this._options),this._lastActive=[]},getTitle:function(){var t=this,e=t._options.callbacks,i=e.beforeTitle.apply(t,arguments),a=e.title.apply(t,arguments),r=e.afterTitle.apply(t,arguments),o=[];return o=n(o,i),o=n(o,a),o=n(o,r)},getBeforeBody:function(){var t=this._options.callbacks.beforeBody.apply(this,arguments);return r.isArray(t)?t:void 0!==t?[t]:[]},getBody:function(t,e){var i=this,a=i._options.callbacks,o=[];return r.each(t,function(t){var r={before:[],lines:[],after:[]};n(r.before,a.beforeLabel.call(i,t,e)),n(r.lines,a.label.call(i,t,e)),n(r.after,a.afterLabel.call(i,t,e)),o.push(r)}),o},getAfterBody:function(){var t=this._options.callbacks.afterBody.apply(this,arguments);return r.isArray(t)?t:void 0!==t?[t]:[]},getFooter:function(){var t=this,e=t._options.callbacks,i=e.beforeFooter.apply(t,arguments),a=e.footer.apply(t,arguments),r=e.afterFooter.apply(t,arguments),o=[];return o=n(o,i),o=n(o,a),o=n(o,r)},update:function(e){var n,i,a=this,c=a._options,h=a._model,f=a._model=s(c),g=a._active,m=a._data,p={xAlign:h.xAlign,yAlign:h.yAlign},v={x:h.x,y:h.y},y={width:h.width,height:h.height},b={x:h.caretX,y:h.caretY};if(g.length){f.opacity=1;var x=[],_=[];b=t.Tooltip.positioners[c.position].call(a,g,a._eventPosition);var k=[];for(n=0,i=g.length;n<i;++n)k.push(o(g[n]));c.filter&&(k=k.filter(function(t){return c.filter(t,m)})),c.itemSort&&(k=k.sort(function(t,e){return c.itemSort(t,e,m)})),r.each(k,function(t){x.push(c.callbacks.labelColor.call(a,t,a._chart)),_.push(c.callbacks.labelTextColor.call(a,t,a._chart))}),f.title=a.getTitle(k,m),f.beforeBody=a.getBeforeBody(k,m),f.body=a.getBody(k,m),f.afterBody=a.getAfterBody(k,m),f.footer=a.getFooter(k,m),f.x=Math.round(b.x),f.y=Math.round(b.y),f.caretPadding=c.caretPadding,f.labelColors=x,f.labelTextColors=_,f.dataPoints=k,v=d(f,y=l(this,f),p=u(this,y))}else f.opacity=0;return f.xAlign=p.xAlign,f.yAlign=p.yAlign,f.x=v.x,f.y=v.y,f.width=y.width,f.height=y.height,f.caretX=b.x,f.caretY=b.y,a._model=f,e&&c.custom&&c.custom.call(a,f),a},drawCaret:function(t,e){var n=this._chart.ctx,i=this._view,a=this.getCaretPosition(t,e,i);n.lineTo(a.x1,a.y1),n.lineTo(a.x2,a.y2),n.lineTo(a.x3,a.y3)},getCaretPosition:function(t,e,n){var i,a,r,o,s,l,u=n.caretSize,d=n.cornerRadius,c=n.xAlign,h=n.yAlign,f=t.x,g=t.y,m=e.width,p=e.height;if("center"===h)s=g+p/2,"left"===c?(a=(i=f)-u,r=i,o=s+u,l=s-u):(a=(i=f+m)+u,r=i,o=s-u,l=s+u);else if("left"===c?(i=(a=f+d+u)-u,r=a+u):"right"===c?(i=(a=f+m-d-u)-u,r=a+u):(i=(a=f+m/2)-u,r=a+u),"top"===h)s=(o=g)-u,l=o;else{s=(o=g+p)+u,l=o;var v=r;r=i,i=v}return{x1:i,x2:a,x3:r,y1:o,y2:s,y3:l}},drawTitle:function(t,n,i,a){var o=n.title;if(o.length){i.textAlign=n._titleAlign,i.textBaseline="top";var s=n.titleFontSize,l=n.titleSpacing;i.fillStyle=e(n.titleFontColor,a),i.font=r.fontString(s,n._titleFontStyle,n._titleFontFamily);var u,d;for(u=0,d=o.length;u<d;++u)i.fillText(o[u],t.x,t.y),t.y+=s+l,u+1===o.length&&(t.y+=n.titleMarginBottom-l)}},drawBody:function(t,n,i,a){var o=n.bodyFontSize,s=n.bodySpacing,l=n.body;i.textAlign=n._bodyAlign,i.textBaseline="top",i.font=r.fontString(o,n._bodyFontStyle,n._bodyFontFamily);var u=0,d=function(e){i.fillText(e,t.x+u,t.y),t.y+=o+s};i.fillStyle=e(n.bodyFontColor,a),r.each(n.beforeBody,d);var c=n.displayColors;u=c?o+2:0,r.each(l,function(s,l){var u=e(n.labelTextColors[l],a);i.fillStyle=u,r.each(s.before,d),r.each(s.lines,function(r){c&&(i.fillStyle=e(n.legendColorBackground,a),i.fillRect(t.x,t.y,o,o),i.lineWidth=1,i.strokeStyle=e(n.labelColors[l].borderColor,a),i.strokeRect(t.x,t.y,o,o),i.fillStyle=e(n.labelColors[l].backgroundColor,a),i.fillRect(t.x+1,t.y+1,o-2,o-2),i.fillStyle=u),d(r)}),r.each(s.after,d)}),u=0,r.each(n.afterBody,d),t.y-=s},drawFooter:function(t,n,i,a){var o=n.footer;o.length&&(t.y+=n.footerMarginTop,i.textAlign=n._footerAlign,i.textBaseline="top",i.fillStyle=e(n.footerFontColor,a),i.font=r.fontString(n.footerFontSize,n._footerFontStyle,n._footerFontFamily),r.each(o,function(e){i.fillText(e,t.x,t.y),t.y+=n.footerFontSize+n.footerSpacing}))},drawBackground:function(t,n,i,a,r){i.fillStyle=e(n.backgroundColor,r),i.strokeStyle=e(n.borderColor,r),i.lineWidth=n.borderWidth;var o=n.xAlign,s=n.yAlign,l=t.x,u=t.y,d=a.width,c=a.height,h=n.cornerRadius;i.beginPath(),i.moveTo(l+h,u),"top"===s&&this.drawCaret(t,a),i.lineTo(l+d-h,u),i.quadraticCurveTo(l+d,u,l+d,u+h),"center"===s&&"right"===o&&this.drawCaret(t,a),i.lineTo(l+d,u+c-h),i.quadraticCurveTo(l+d,u+c,l+d-h,u+c),"bottom"===s&&this.drawCaret(t,a),i.lineTo(l+h,u+c),i.quadraticCurveTo(l,u+c,l,u+c-h),"center"===s&&"left"===o&&this.drawCaret(t,a),i.lineTo(l,u+h),i.quadraticCurveTo(l,u,l+h,u),i.closePath(),i.fill(),n.borderWidth>0&&i.stroke()},draw:function(){var t=this._chart.ctx,e=this._view;if(0!==e.opacity){var n={width:e.width,height:e.height},i={x:e.x,y:e.y},a=Math.abs(e.opacity<.001)?0:e.opacity,r=e.title.length||e.beforeBody.length||e.body.length||e.afterBody.length||e.footer.length;this._options.enabled&&r&&(this.drawBackground(i,e,t,n,a),i.x+=e.xPadding,i.y+=e.yPadding,this.drawTitle(i,e,t,a),this.drawBody(i,e,t,a),this.drawFooter(i,e,t,a))}},handleEvent:function(t){var e=this,n=e._options,i=!1;if(e._lastActive=e._lastActive||[],"mouseout"===t.type?e._active=[]:e._active=e._chart.getElementsAtEventForMode(t,n.mode,n),!(i=!r.arrayEquals(e._active,e._lastActive)))return!1;if(e._lastActive=e._active,n.enabled||n.custom){e._eventPosition={x:t.x,y:t.y};var a=e._model;e.update(!0),e.pivot(),i|=a.x!==e._model.x||a.y!==e._model.y}return i}}),t.Tooltip.positioners={average:function(t){if(!t.length)return!1;var e,n,i=0,a=0,r=0;for(e=0,n=t.length;e<n;++e){var o=t[e];if(o&&o.hasValue()){var s=o.tooltipPosition();i+=s.x,a+=s.y,++r}}return{x:Math.round(i/r),y:Math.round(a/r)}},nearest:function(t,e){var n,i,a,o=e.x,s=e.y,l=Number.POSITIVE_INFINITY;for(n=0,i=t.length;n<i;++n){var u=t[n];if(u&&u.hasValue()){var d=u.getCenterPoint(),c=r.distanceBetweenPoints(e,d);c<l&&(l=c,a=u)}}if(a){var h=a.tooltipPosition();o=h.x,s=h.y}return{x:o,y:s}}}}},{25:25,26:26,45:45}],36:[function(t,e,n){"use strict";var i=t(25),a=t(26),r=t(45);i._set("global",{elements:{arc:{backgroundColor:i.global.defaultColor,borderColor:"#fff",borderWidth:2}}}),e.exports=a.extend({inLabelRange:function(t){var e=this._view;return!!e&&Math.pow(t-e.x,2)<Math.pow(e.radius+e.hoverRadius,2)},inRange:function(t,e){var n=this._view;if(n){for(var i=r.getAngleFromPoint(n,{x:t,y:e}),a=i.angle,o=i.distance,s=n.startAngle,l=n.endAngle;l<s;)l+=2*Math.PI;for(;a>l;)a-=2*Math.PI;for(;a<s;)a+=2*Math.PI;var u=a>=s&&a<=l,d=o>=n.innerRadius&&o<=n.outerRadius;return u&&d}return!1},getCenterPoint:function(){var t=this._view,e=(t.startAngle+t.endAngle)/2,n=(t.innerRadius+t.outerRadius)/2;return{x:t.x+Math.cos(e)*n,y:t.y+Math.sin(e)*n}},getArea:function(){var t=this._view;return Math.PI*((t.endAngle-t.startAngle)/(2*Math.PI))*(Math.pow(t.outerRadius,2)-Math.pow(t.innerRadius,2))},tooltipPosition:function(){var t=this._view,e=t.startAngle+(t.endAngle-t.startAngle)/2,n=(t.outerRadius-t.innerRadius)/2+t.innerRadius;return{x:t.x+Math.cos(e)*n,y:t.y+Math.sin(e)*n}},draw:function(){var t=this._chart.ctx,e=this._view,n=e.startAngle,i=e.endAngle;t.beginPath(),t.arc(e.x,e.y,e.outerRadius,n,i),t.arc(e.x,e.y,e.innerRadius,i,n,!0),t.closePath(),t.strokeStyle=e.borderColor,t.lineWidth=e.borderWidth,t.fillStyle=e.backgroundColor,t.fill(),t.lineJoin="bevel",e.borderWidth&&t.stroke()}})},{25:25,26:26,45:45}],37:[function(t,e,n){"use strict";var i=t(25),a=t(26),r=t(45),o=i.global;i._set("global",{elements:{line:{tension:.4,backgroundColor:o.defaultColor,borderWidth:3,borderColor:o.defaultColor,borderCapStyle:"butt",borderDash:[],borderDashOffset:0,borderJoinStyle:"miter",capBezierPoints:!0,fill:!0}}}),e.exports=a.extend({draw:function(){var t,e,n,i,a=this,s=a._view,l=a._chart.ctx,u=s.spanGaps,d=a._children.slice(),c=o.elements.line,h=-1;for(a._loop&&d.length&&d.push(d[0]),l.save(),l.lineCap=s.borderCapStyle||c.borderCapStyle,l.setLineDash&&l.setLineDash(s.borderDash||c.borderDash),l.lineDashOffset=s.borderDashOffset||c.borderDashOffset,l.lineJoin=s.borderJoinStyle||c.borderJoinStyle,l.lineWidth=s.borderWidth||c.borderWidth,l.strokeStyle=s.borderColor||o.defaultColor,l.beginPath(),h=-1,t=0;t<d.length;++t)e=d[t],n=r.previousItem(d,t),i=e._view,0===t?i.skip||(l.moveTo(i.x,i.y),h=t):(n=-1===h?n:d[h],i.skip||(h!==t-1&&!u||-1===h?l.moveTo(i.x,i.y):r.canvas.lineTo(l,n._view,e._view),h=t));l.stroke(),l.restore()}})},{25:25,26:26,45:45}],38:[function(t,e,n){"use strict";function i(t){var e=this._view;return!!e&&Math.pow(t-e.x,2)<Math.pow(e.radius+e.hitRadius,2)}var a=t(25),r=t(26),o=t(45),s=a.global.defaultColor;a._set("global",{elements:{point:{radius:3,pointStyle:"circle",backgroundColor:s,borderColor:s,borderWidth:1,hitRadius:1,hoverRadius:4,hoverBorderWidth:1}}}),e.exports=r.extend({inRange:function(t,e){var n=this._view;return!!n&&Math.pow(t-n.x,2)+Math.pow(e-n.y,2)<Math.pow(n.hitRadius+n.radius,2)},inLabelRange:i,inXRange:i,inYRange:function(t){var e=this._view;return!!e&&Math.pow(t-e.y,2)<Math.pow(e.radius+e.hitRadius,2)},getCenterPoint:function(){var t=this._view;return{x:t.x,y:t.y}},getArea:function(){return Math.PI*Math.pow(this._view.radius,2)},tooltipPosition:function(){var t=this._view;return{x:t.x,y:t.y,padding:t.radius+t.borderWidth}},draw:function(t){var e=this._view,n=this._model,i=this._chart.ctx,r=e.pointStyle,l=e.radius,u=e.x,d=e.y,c=o.color,h=0;e.skip||(i.strokeStyle=e.borderColor||s,i.lineWidth=o.valueOrDefault(e.borderWidth,a.global.elements.point.borderWidth),i.fillStyle=e.backgroundColor||s,void 0!==t&&(n.x<t.left||1.01*t.right<n.x||n.y<t.top||1.01*t.bottom<n.y)&&(n.x<t.left?h=(u-n.x)/(t.left-n.x):1.01*t.right<n.x?h=(n.x-u)/(n.x-t.right):n.y<t.top?h=(d-n.y)/(t.top-n.y):1.01*t.bottom<n.y&&(h=(n.y-d)/(n.y-t.bottom)),h=Math.round(100*h)/100,i.strokeStyle=c(i.strokeStyle).alpha(h).rgbString(),i.fillStyle=c(i.fillStyle).alpha(h).rgbString()),o.canvas.drawPoint(i,r,l,u,d))}})},{25:25,26:26,45:45}],39:[function(t,e,n){"use strict";function i(t){return void 0!==t._view.width}function a(t){var e,n,a,r,o=t._view;if(i(t)){var s=o.width/2;e=o.x-s,n=o.x+s,a=Math.min(o.y,o.base),r=Math.max(o.y,o.base)}else{var l=o.height/2;e=Math.min(o.x,o.base),n=Math.max(o.x,o.base),a=o.y-l,r=o.y+l}return{left:e,top:a,right:n,bottom:r}}var r=t(25),o=t(26);r._set("global",{elements:{rectangle:{backgroundColor:r.global.defaultColor,borderColor:r.global.defaultColor,borderSkipped:"bottom",borderWidth:0}}}),e.exports=o.extend({draw:function(){function t(t){return v[(y+t)%4]}var e,n,i,a,r,o,s,l=this._chart.ctx,u=this._view,d=u.borderWidth;if(u.horizontal?(e=u.base,n=u.x,i=u.y-u.height/2,a=u.y+u.height/2,r=n>e?1:-1,o=1,s=u.borderSkipped||"left"):(e=u.x-u.width/2,n=u.x+u.width/2,i=u.y,r=1,o=(a=u.base)>i?1:-1,s=u.borderSkipped||"bottom"),d){var c=Math.min(Math.abs(e-n),Math.abs(i-a)),h=(d=d>c?c:d)/2,f=e+("left"!==s?h*r:0),g=n+("right"!==s?-h*r:0),m=i+("top"!==s?h*o:0),p=a+("bottom"!==s?-h*o:0);f!==g&&(i=m,a=p),m!==p&&(e=f,n=g)}l.beginPath(),l.fillStyle=u.backgroundColor,l.strokeStyle=u.borderColor,l.lineWidth=d;var v=[[e,a],[e,i],[n,i],[n,a]],y=["bottom","left","top","right"].indexOf(s,0);-1===y&&(y=0);var b=t(0);l.moveTo(b[0],b[1]);for(var x=1;x<4;x++)b=t(x),l.lineTo(b[0],b[1]);l.fill(),d&&l.stroke()},height:function(){var t=this._view;return t.base-t.y},inRange:function(t,e){var n=!1;if(this._view){var i=a(this);n=t>=i.left&&t<=i.right&&e>=i.top&&e<=i.bottom}return n},inLabelRange:function(t,e){var n=this;if(!n._view)return!1;var r=a(n);return i(n)?t>=r.left&&t<=r.right:e>=r.top&&e<=r.bottom},inXRange:function(t){var e=a(this);return t>=e.left&&t<=e.right},inYRange:function(t){var e=a(this);return t>=e.top&&t<=e.bottom},getCenterPoint:function(){var t,e,n=this._view;return i(this)?(t=n.x,e=(n.y+n.base)/2):(t=(n.x+n.base)/2,e=n.y),{x:t,y:e}},getArea:function(){var t=this._view;return t.width*Math.abs(t.y-t.base)},tooltipPosition:function(){var t=this._view;return{x:t.x,y:t.y}}})},{25:25,26:26}],40:[function(t,e,n){"use strict";e.exports={},e.exports.Arc=t(36),e.exports.Line=t(37),e.exports.Point=t(38),e.exports.Rectangle=t(39)},{36:36,37:37,38:38,39:39}],41:[function(t,e,n){"use strict";var i=t(42),n=e.exports={clear:function(t){t.ctx.clearRect(0,0,t.width,t.height)},roundedRect:function(t,e,n,i,a,r){if(r){var o=Math.min(r,i/2),s=Math.min(r,a/2);t.moveTo(e+o,n),t.lineTo(e+i-o,n),t.quadraticCurveTo(e+i,n,e+i,n+s),t.lineTo(e+i,n+a-s),t.quadraticCurveTo(e+i,n+a,e+i-o,n+a),t.lineTo(e+o,n+a),t.quadraticCurveTo(e,n+a,e,n+a-s),t.lineTo(e,n+s),t.quadraticCurveTo(e,n,e+o,n)}else t.rect(e,n,i,a)},drawPoint:function(t,e,n,i,a){var r,o,s,l,u,d;if(!e||"object"!=typeof e||"[object HTMLImageElement]"!==(r=e.toString())&&"[object HTMLCanvasElement]"!==r){if(!(isNaN(n)||n<=0)){switch(e){default:t.beginPath(),t.arc(i,a,n,0,2*Math.PI),t.closePath(),t.fill();break;case"triangle":t.beginPath(),u=(o=3*n/Math.sqrt(3))*Math.sqrt(3)/2,t.moveTo(i-o/2,a+u/3),t.lineTo(i+o/2,a+u/3),t.lineTo(i,a-2*u/3),t.closePath(),t.fill();break;case"rect":d=1/Math.SQRT2*n,t.beginPath(),t.fillRect(i-d,a-d,2*d,2*d),t.strokeRect(i-d,a-d,2*d,2*d);break;case"rectRounded":var c=n/Math.SQRT2,h=i-c,f=a-c,g=Math.SQRT2*n;t.beginPath(),this.roundedRect(t,h,f,g,g,n/2),t.closePath(),t.fill();break;case"rectRot":d=1/Math.SQRT2*n,t.beginPath(),t.moveTo(i-d,a),t.lineTo(i,a+d),t.lineTo(i+d,a),t.lineTo(i,a-d),t.closePath(),t.fill();break;case"cross":t.beginPath(),t.moveTo(i,a+n),t.lineTo(i,a-n),t.moveTo(i-n,a),t.lineTo(i+n,a),t.closePath();break;case"crossRot":t.beginPath(),s=Math.cos(Math.PI/4)*n,l=Math.sin(Math.PI/4)*n,t.moveTo(i-s,a-l),t.lineTo(i+s,a+l),t.moveTo(i-s,a+l),t.lineTo(i+s,a-l),t.closePath();break;case"star":t.beginPath(),t.moveTo(i,a+n),t.lineTo(i,a-n),t.moveTo(i-n,a),t.lineTo(i+n,a),s=Math.cos(Math.PI/4)*n,l=Math.sin(Math.PI/4)*n,t.moveTo(i-s,a-l),t.lineTo(i+s,a+l),t.moveTo(i-s,a+l),t.lineTo(i+s,a-l),t.closePath();break;case"line":t.beginPath(),t.moveTo(i-n,a),t.lineTo(i+n,a),t.closePath();break;case"dash":t.beginPath(),t.moveTo(i,a),t.lineTo(i+n,a),t.closePath()}t.stroke()}}else t.drawImage(e,i-e.width/2,a-e.height/2,e.width,e.height)},clipArea:function(t,e){t.save(),t.beginPath(),t.rect(e.left,e.top,e.right-e.left,e.bottom-e.top),t.clip()},unclipArea:function(t){t.restore()},lineTo:function(t,e,n,i){if(n.steppedLine)return"after"===n.steppedLine&&!i||"after"!==n.steppedLine&&i?t.lineTo(e.x,n.y):t.lineTo(n.x,e.y),void t.lineTo(n.x,n.y);n.tension?t.bezierCurveTo(i?e.controlPointPreviousX:e.controlPointNextX,i?e.controlPointPreviousY:e.controlPointNextY,i?n.controlPointNextX:n.controlPointPreviousX,i?n.controlPointNextY:n.controlPointPreviousY,n.x,n.y):t.lineTo(n.x,n.y)}};i.clear=n.clear,i.drawRoundedRectangle=function(t){t.beginPath(),n.roundedRect.apply(n,arguments),t.closePath()}},{42:42}],42:[function(t,e,n){"use strict";var i={noop:function(){},uid:function(){var t=0;return function(){return t++}}(),isNullOrUndef:function(t){return null===t||void 0===t},isArray:Array.isArray?Array.isArray:function(t){return"[object Array]"===Object.prototype.toString.call(t)},isObject:function(t){return null!==t&&"[object Object]"===Object.prototype.toString.call(t)},valueOrDefault:function(t,e){return void 0===t?e:t},valueAtIndexOrDefault:function(t,e,n){return i.valueOrDefault(i.isArray(t)?t[e]:t,n)},callback:function(t,e,n){if(t&&"function"==typeof t.call)return t.apply(n,e)},each:function(t,e,n,a){var r,o,s;if(i.isArray(t))if(o=t.length,a)for(r=o-1;r>=0;r--)e.call(n,t[r],r);else for(r=0;r<o;r++)e.call(n,t[r],r);else if(i.isObject(t))for(o=(s=Object.keys(t)).length,r=0;r<o;r++)e.call(n,t[s[r]],s[r])},arrayEquals:function(t,e){var n,a,r,o;if(!t||!e||t.length!==e.length)return!1;for(n=0,a=t.length;n<a;++n)if(r=t[n],o=e[n],r instanceof Array&&o instanceof Array){if(!i.arrayEquals(r,o))return!1}else if(r!==o)return!1;return!0},clone:function(t){if(i.isArray(t))return t.map(i.clone);if(i.isObject(t)){for(var e={},n=Object.keys(t),a=n.length,r=0;r<a;++r)e[n[r]]=i.clone(t[n[r]]);return e}return t},_merger:function(t,e,n,a){var r=e[t],o=n[t];i.isObject(r)&&i.isObject(o)?i.merge(r,o,a):e[t]=i.clone(o)},_mergerIf:function(t,e,n){var a=e[t],r=n[t];i.isObject(a)&&i.isObject(r)?i.mergeIf(a,r):e.hasOwnProperty(t)||(e[t]=i.clone(r))},merge:function(t,e,n){var a,r,o,s,l,u=i.isArray(e)?e:[e],d=u.length;if(!i.isObject(t))return t;for(a=(n=n||{}).merger||i._merger,r=0;r<d;++r)if(e=u[r],i.isObject(e))for(l=0,s=(o=Object.keys(e)).length;l<s;++l)a(o[l],t,e,n);return t},mergeIf:function(t,e){return i.merge(t,e,{merger:i._mergerIf})},extend:function(t){for(var e=1,n=arguments.length;e<n;++e)i.each(arguments[e],function(e,n){t[n]=e});return t},inherits:function(t){var e=this,n=t&&t.hasOwnProperty("constructor")?t.constructor:function(){return e.apply(this,arguments)},a=function(){this.constructor=n};return a.prototype=e.prototype,n.prototype=new a,n.extend=i.inherits,t&&i.extend(n.prototype,t),n.__super__=e.prototype,n}};e.exports=i,i.callCallback=i.callback,i.indexOf=function(t,e,n){return Array.prototype.indexOf.call(t,e,n)},i.getValueOrDefault=i.valueOrDefault,i.getValueAtIndexOrDefault=i.valueAtIndexOrDefault},{}],43:[function(t,e,n){"use strict";var i=t(42),a={linear:function(t){return t},easeInQuad:function(t){return t*t},easeOutQuad:function(t){return-t*(t-2)},easeInOutQuad:function(t){return(t/=.5)<1?.5*t*t:-.5*(--t*(t-2)-1)},easeInCubic:function(t){return t*t*t},easeOutCubic:function(t){return(t-=1)*t*t+1},easeInOutCubic:function(t){return(t/=.5)<1?.5*t*t*t:.5*((t-=2)*t*t+2)},easeInQuart:function(t){return t*t*t*t},easeOutQuart:function(t){return-((t-=1)*t*t*t-1)},easeInOutQuart:function(t){return(t/=.5)<1?.5*t*t*t*t:-.5*((t-=2)*t*t*t-2)},easeInQuint:function(t){return t*t*t*t*t},easeOutQuint:function(t){return(t-=1)*t*t*t*t+1},easeInOutQuint:function(t){return(t/=.5)<1?.5*t*t*t*t*t:.5*((t-=2)*t*t*t*t+2)},easeInSine:function(t){return 1-Math.cos(t*(Math.PI/2))},easeOutSine:function(t){return Math.sin(t*(Math.PI/2))},easeInOutSine:function(t){return-.5*(Math.cos(Math.PI*t)-1)},easeInExpo:function(t){return 0===t?0:Math.pow(2,10*(t-1))},easeOutExpo:function(t){return 1===t?1:1-Math.pow(2,-10*t)},easeInOutExpo:function(t){return 0===t?0:1===t?1:(t/=.5)<1?.5*Math.pow(2,10*(t-1)):.5*(2-Math.pow(2,-10*--t))},easeInCirc:function(t){return t>=1?t:-(Math.sqrt(1-t*t)-1)},easeOutCirc:function(t){return Math.sqrt(1-(t-=1)*t)},easeInOutCirc:function(t){return(t/=.5)<1?-.5*(Math.sqrt(1-t*t)-1):.5*(Math.sqrt(1-(t-=2)*t)+1)},easeInElastic:function(t){var e=1.70158,n=0,i=1;return 0===t?0:1===t?1:(n||(n=.3),i<1?(i=1,e=n/4):e=n/(2*Math.PI)*Math.asin(1/i),-i*Math.pow(2,10*(t-=1))*Math.sin((t-e)*(2*Math.PI)/n))},easeOutElastic:function(t){var e=1.70158,n=0,i=1;return 0===t?0:1===t?1:(n||(n=.3),i<1?(i=1,e=n/4):e=n/(2*Math.PI)*Math.asin(1/i),i*Math.pow(2,-10*t)*Math.sin((t-e)*(2*Math.PI)/n)+1)},easeInOutElastic:function(t){var e=1.70158,n=0,i=1;return 0===t?0:2==(t/=.5)?1:(n||(n=.45),i<1?(i=1,e=n/4):e=n/(2*Math.PI)*Math.asin(1/i),t<1?i*Math.pow(2,10*(t-=1))*Math.sin((t-e)*(2*Math.PI)/n)*-.5:i*Math.pow(2,-10*(t-=1))*Math.sin((t-e)*(2*Math.PI)/n)*.5+1)},easeInBack:function(t){var e=1.70158;return t*t*((e+1)*t-e)},easeOutBack:function(t){var e=1.70158;return(t-=1)*t*((e+1)*t+e)+1},easeInOutBack:function(t){var e=1.70158;return(t/=.5)<1?t*t*((1+(e*=1.525))*t-e)*.5:.5*((t-=2)*t*((1+(e*=1.525))*t+e)+2)},easeInBounce:function(t){return 1-a.easeOutBounce(1-t)},easeOutBounce:function(t){return t<1/2.75?7.5625*t*t:t<2/2.75?7.5625*(t-=1.5/2.75)*t+.75:t<2.5/2.75?7.5625*(t-=2.25/2.75)*t+.9375:7.5625*(t-=2.625/2.75)*t+.984375},easeInOutBounce:function(t){return t<.5?.5*a.easeInBounce(2*t):.5*a.easeOutBounce(2*t-1)+.5}};e.exports={effects:a},i.easingEffects=a},{42:42}],44:[function(t,e,n){"use strict";var i=t(42);e.exports={toLineHeight:function(t,e){var n=(""+t).match(/^(normal|(\d+(?:\.\d+)?)(px|em|%)?)$/);if(!n||"normal"===n[1])return 1.2*e;switch(t=+n[2],n[3]){case"px":return t;case"%":t/=100}return e*t},toPadding:function(t){var e,n,a,r;return i.isObject(t)?(e=+t.top||0,n=+t.right||0,a=+t.bottom||0,r=+t.left||0):e=n=a=r=+t||0,{top:e,right:n,bottom:a,left:r,height:e+a,width:r+n}},resolve:function(t,e,n){var a,r,o;for(a=0,r=t.length;a<r;++a)if(void 0!==(o=t[a])&&(void 0!==e&&"function"==typeof o&&(o=o(e)),void 0!==n&&i.isArray(o)&&(o=o[n]),void 0!==o))return o}}},{42:42}],45:[function(t,e,n){"use strict";e.exports=t(42),e.exports.easing=t(43),e.exports.canvas=t(41),e.exports.options=t(44)},{41:41,42:42,43:43,44:44}],46:[function(t,e,n){e.exports={acquireContext:function(t){return t&&t.canvas&&(t=t.canvas),t&&t.getContext("2d")||null}}},{}],47:[function(t,e,n){"use strict";function i(t,e){var n=p.getStyle(t,e),i=n&&n.match(/^(\d+)(\.\d+)?px$/);return i?Number(i[1]):void 0}function a(t,e){var n=t.style,a=t.getAttribute("height"),r=t.getAttribute("width");if(t[v]={initial:{height:a,width:r,style:{display:n.display,height:n.height,width:n.width}}},n.display=n.display||"block",null===r||""===r){var o=i(t,"width");void 0!==o&&(t.width=o)}if(null===a||""===a)if(""===t.style.height)t.height=t.width/(e.options.aspectRatio||2);else{var s=i(t,"height");void 0!==o&&(t.height=s)}return t}function r(t,e,n){t.addEventListener(e,n,w)}function o(t,e,n){t.removeEventListener(e,n,w)}function s(t,e,n,i,a){return{type:t,chart:e,native:a||null,x:void 0!==n?n:null,y:void 0!==i?i:null}}function l(t,e){var n=k[t.type]||t.type,i=p.getRelativePosition(t,e);return s(n,e,i.x,i.y,t)}function u(t,e){var n=!1,i=[];return function(){i=Array.prototype.slice.call(arguments),e=e||this,n||(n=!0,p.requestAnimFrame.call(window,function(){n=!1,t.apply(e,i)}))}}function d(t){var e=document.createElement("div"),n=y+"size-monitor",i="position:absolute;left:0;top:0;right:0;bottom:0;overflow:hidden;pointer-events:none;visibility:hidden;z-index:-1;";e.style.cssText=i,e.className=n,e.innerHTML='<div class="'+n+'-expand" style="'+i+'"><div style="position:absolute;width:1000000px;height:1000000px;left:0;top:0"></div></div><div class="'+n+'-shrink" style="'+i+'"><div style="position:absolute;width:200%;height:200%;left:0; top:0"></div></div>';var a=e.childNodes[0],o=e.childNodes[1];e._reset=function(){a.scrollLeft=1e6,a.scrollTop=1e6,o.scrollLeft=1e6,o.scrollTop=1e6};var s=function(){e._reset(),t()};return r(a,"scroll",s.bind(a,"expand")),r(o,"scroll",s.bind(o,"shrink")),e}function c(t,e){var n=t[v]||(t[v]={}),i=n.renderProxy=function(t){t.animationName===x&&e()};p.each(_,function(e){r(t,e,i)}),n.reflow=!!t.offsetParent,t.classList.add(b)}function h(t){var e=t[v]||{},n=e.renderProxy;n&&(p.each(_,function(e){o(t,e,n)}),delete e.renderProxy),t.classList.remove(b)}function f(t,e,n){var i=t[v]||(t[v]={}),a=i.resizer=d(u(function(){if(i.resizer)return e(s("resize",n))}));c(t,function(){if(i.resizer){var e=t.parentNode;e&&e!==a.parentNode&&e.insertBefore(a,e.firstChild),a._reset()}})}function g(t){var e=t[v]||{},n=e.resizer;delete e.resizer,h(t),n&&n.parentNode&&n.parentNode.removeChild(n)}function m(t,e){var n=t._style||document.createElement("style");t._style||(t._style=n,e="/* Chart.js */\n"+e,n.setAttribute("type","text/css"),document.getElementsByTagName("head")[0].appendChild(n)),n.appendChild(document.createTextNode(e))}var p=t(45),v="$chartjs",y="chartjs-",b=y+"render-monitor",x=y+"render-animation",_=["animationstart","webkitAnimationStart"],k={touchstart:"mousedown",touchmove:"mousemove",touchend:"mouseup",pointerenter:"mouseenter",pointerdown:"mousedown",pointermove:"mousemove",pointerup:"mouseup",pointerleave:"mouseout",pointerout:"mouseout"},w=!!function(){var t=!1;try{var e=Object.defineProperty({},"passive",{get:function(){t=!0}});window.addEventListener("e",null,e)}catch(t){}return t}()&&{passive:!0};e.exports={_enabled:"undefined"!=typeof window&&"undefined"!=typeof document,initialize:function(){var t="from{opacity:0.99}to{opacity:1}";m(this,"@-webkit-keyframes "+x+"{"+t+"}@keyframes "+x+"{"+t+"}."+b+"{-webkit-animation:"+x+" 0.001s;animation:"+x+" 0.001s;}")},acquireContext:function(t,e){"string"==typeof t?t=document.getElementById(t):t.length&&(t=t[0]),t&&t.canvas&&(t=t.canvas);var n=t&&t.getContext&&t.getContext("2d");return n&&n.canvas===t?(a(t,e),n):null},releaseContext:function(t){var e=t.canvas;if(e[v]){var n=e[v].initial;["height","width"].forEach(function(t){var i=n[t];p.isNullOrUndef(i)?e.removeAttribute(t):e.setAttribute(t,i)}),p.each(n.style||{},function(t,n){e.style[n]=t}),e.width=e.width,delete e[v]}},addEventListener:function(t,e,n){var i=t.canvas;if("resize"!==e){var a=n[v]||(n[v]={});r(i,e,(a.proxies||(a.proxies={}))[t.id+"_"+e]=function(e){n(l(e,t))})}else f(i,n,t)},removeEventListener:function(t,e,n){var i=t.canvas;if("resize"!==e){var a=((n[v]||{}).proxies||{})[t.id+"_"+e];a&&o(i,e,a)}else g(i)}},p.addEvent=r,p.removeEvent=o},{45:45}],48:[function(t,e,n){"use strict";var i=t(45),a=t(46),r=t(47),o=r._enabled?r:a;e.exports=i.extend({initialize:function(){},acquireContext:function(){},releaseContext:function(){},addEventListener:function(){},removeEventListener:function(){}},o)},{45:45,46:46,47:47}],49:[function(t,e,n){"use strict";var i=t(25),a=t(40),r=t(45);i._set("global",{plugins:{filler:{propagate:!0}}}),e.exports=function(){function t(t,e,n){var i,a=t._model||{},r=a.fill;if(void 0===r&&(r=!!a.backgroundColor),!1===r||null===r)return!1;if(!0===r)return"origin";if(i=parseFloat(r,10),isFinite(i)&&Math.floor(i)===i)return"-"!==r[0]&&"+"!==r[0]||(i=e+i),!(i===e||i<0||i>=n)&&i;switch(r){case"bottom":return"start";case"top":return"end";case"zero":return"origin";case"origin":case"start":case"end":return r;default:return!1}}function e(t){var e,n=t.el._model||{},i=t.el._scale||{},a=t.fill,r=null;if(isFinite(a))return null;if("start"===a?r=void 0===n.scaleBottom?i.bottom:n.scaleBottom:"end"===a?r=void 0===n.scaleTop?i.top:n.scaleTop:void 0!==n.scaleZero?r=n.scaleZero:i.getBasePosition?r=i.getBasePosition():i.getBasePixel&&(r=i.getBasePixel()),void 0!==r&&null!==r){if(void 0!==r.x&&void 0!==r.y)return r;if("number"==typeof r&&isFinite(r))return e=i.isHorizontal(),{x:e?r:null,y:e?null:r}}return null}function n(t,e,n){var i,a=t[e].fill,r=[e];if(!n)return a;for(;!1!==a&&-1===r.indexOf(a);){if(!isFinite(a))return a;if(!(i=t[a]))return!1;if(i.visible)return a;r.push(a),a=i.fill}return!1}function o(t){var e=t.fill,n="dataset";return!1===e?null:(isFinite(e)||(n="boundary"),d[n](t))}function s(t){return t&&!t.skip}function l(t,e,n,i,a){var o;if(i&&a){for(t.moveTo(e[0].x,e[0].y),o=1;o<i;++o)r.canvas.lineTo(t,e[o-1],e[o]);for(t.lineTo(n[a-1].x,n[a-1].y),o=a-1;o>0;--o)r.canvas.lineTo(t,n[o],n[o-1],!0)}}function u(t,e,n,i,a,r){var o,u,d,c,h,f,g,m=e.length,p=i.spanGaps,v=[],y=[],b=0,x=0;for(t.beginPath(),o=0,u=m+!!r;o<u;++o)h=n(c=e[d=o%m]._view,d,i),f=s(c),g=s(h),f&&g?(b=v.push(c),x=y.push(h)):b&&x&&(p?(f&&v.push(c),g&&y.push(h)):(l(t,v,y,b,x),b=x=0,v=[],y=[]));l(t,v,y,b,x),t.closePath(),t.fillStyle=a,t.fill()}var d={dataset:function(t){var e=t.fill,n=t.chart,i=n.getDatasetMeta(e),a=i&&n.isDatasetVisible(e)&&i.dataset._children||[],r=a.length||0;return r?function(t,e){return e<r&&a[e]._view||null}:null},boundary:function(t){var e=t.boundary,n=e?e.x:null,i=e?e.y:null;return function(t){return{x:null===n?t.x:n,y:null===i?t.y:i}}}};return{id:"filler",afterDatasetsUpdate:function(i,r){var s,l,u,d,c=(i.data.datasets||[]).length,h=r.propagate,f=[];for(l=0;l<c;++l)d=null,(u=(s=i.getDatasetMeta(l)).dataset)&&u._model&&u instanceof a.Line&&(d={visible:i.isDatasetVisible(l),fill:t(u,l,c),chart:i,el:u}),s.$filler=d,f.push(d);for(l=0;l<c;++l)(d=f[l])&&(d.fill=n(f,l,h),d.boundary=e(d),d.mapper=o(d))},beforeDatasetDraw:function(t,e){var n=e.meta.$filler;if(n){var a=t.ctx,o=n.el,s=o._view,l=o._children||[],d=n.mapper,c=s.backgroundColor||i.global.defaultColor;d&&c&&l.length&&(r.canvas.clipArea(a,t.chartArea),u(a,l,d,s,c,o._loop),r.canvas.unclipArea(a))}}}}},{25:25,40:40,45:45}],50:[function(t,e,n){"use strict";var i=t(25),a=t(26),r=t(45);i._set("global",{legend:{display:!0,position:"top",fullWidth:!0,reverse:!1,weight:1e3,onClick:function(t,e){var n=e.datasetIndex,i=this.chart,a=i.getDatasetMeta(n);a.hidden=null===a.hidden?!i.data.datasets[n].hidden:null,i.update()},onHover:null,labels:{boxWidth:40,padding:10,generateLabels:function(t){var e=t.data;return r.isArray(e.datasets)?e.datasets.map(function(e,n){return{text:e.label,fillStyle:r.isArray(e.backgroundColor)?e.backgroundColor[0]:e.backgroundColor,hidden:!t.isDatasetVisible(n),lineCap:e.borderCapStyle,lineDash:e.borderDash,lineDashOffset:e.borderDashOffset,lineJoin:e.borderJoinStyle,lineWidth:e.borderWidth,strokeStyle:e.borderColor,pointStyle:e.pointStyle,datasetIndex:n}},this):[]}}},legendCallback:function(t){var e=[];e.push('<ul class="'+t.id+'-legend">');for(var n=0;n<t.data.datasets.length;n++)e.push('<li><span style="background-color:'+t.data.datasets[n].backgroundColor+'"></span>'),t.data.datasets[n].label&&e.push(t.data.datasets[n].label),e.push("</li>");return e.push("</ul>"),e.join("")}}),e.exports=function(t){function e(t,e){return t.usePointStyle?e*Math.SQRT2:t.boxWidth}function n(e,n){var i=new t.Legend({ctx:e.ctx,options:n,chart:e});o.configure(e,i,n),o.addBox(e,i),e.legend=i}var o=t.layoutService,s=r.noop;return t.Legend=a.extend({initialize:function(t){r.extend(this,t),this.legendHitBoxes=[],this.doughnutMode=!1},beforeUpdate:s,update:function(t,e,n){var i=this;return i.beforeUpdate(),i.maxWidth=t,i.maxHeight=e,i.margins=n,i.beforeSetDimensions(),i.setDimensions(),i.afterSetDimensions(),i.beforeBuildLabels(),i.buildLabels(),i.afterBuildLabels(),i.beforeFit(),i.fit(),i.afterFit(),i.afterUpdate(),i.minSize},afterUpdate:s,beforeSetDimensions:s,setDimensions:function(){var t=this;t.isHorizontal()?(t.width=t.maxWidth,t.left=0,t.right=t.width):(t.height=t.maxHeight,t.top=0,t.bottom=t.height),t.paddingLeft=0,t.paddingTop=0,t.paddingRight=0,t.paddingBottom=0,t.minSize={width:0,height:0}},afterSetDimensions:s,beforeBuildLabels:s,buildLabels:function(){var t=this,e=t.options.labels||{},n=r.callback(e.generateLabels,[t.chart],t)||[];e.filter&&(n=n.filter(function(n){return e.filter(n,t.chart.data)})),t.options.reverse&&n.reverse(),t.legendItems=n},afterBuildLabels:s,beforeFit:s,fit:function(){var t=this,n=t.options,a=n.labels,o=n.display,s=t.ctx,l=i.global,u=r.valueOrDefault,d=u(a.fontSize,l.defaultFontSize),c=u(a.fontStyle,l.defaultFontStyle),h=u(a.fontFamily,l.defaultFontFamily),f=r.fontString(d,c,h),g=t.legendHitBoxes=[],m=t.minSize,p=t.isHorizontal();if(p?(m.width=t.maxWidth,m.height=o?10:0):(m.width=o?10:0,m.height=t.maxHeight),o)if(s.font=f,p){var v=t.lineWidths=[0],y=t.legendItems.length?d+a.padding:0;s.textAlign="left",s.textBaseline="top",r.each(t.legendItems,function(n,i){var r=e(a,d)+d/2+s.measureText(n.text).width;v[v.length-1]+r+a.padding>=t.width&&(y+=d+a.padding,v[v.length]=t.left),g[i]={left:0,top:0,width:r,height:d},v[v.length-1]+=r+a.padding}),m.height+=y}else{var b=a.padding,x=t.columnWidths=[],_=a.padding,k=0,w=0,M=d+b;r.each(t.legendItems,function(t,n){var i=e(a,d)+d/2+s.measureText(t.text).width;w+M>m.height&&(_+=k+a.padding,x.push(k),k=0,w=0),k=Math.max(k,i),w+=M,g[n]={left:0,top:0,width:i,height:d}}),_+=k,x.push(k),m.width+=_}t.width=m.width,t.height=m.height},afterFit:s,isHorizontal:function(){return"top"===this.options.position||"bottom"===this.options.position},draw:function(){var t=this,n=t.options,a=n.labels,o=i.global,s=o.elements.line,l=t.width,u=t.lineWidths;if(n.display){var d,c=t.ctx,h=r.valueOrDefault,f=h(a.fontColor,o.defaultFontColor),g=h(a.fontSize,o.defaultFontSize),m=h(a.fontStyle,o.defaultFontStyle),p=h(a.fontFamily,o.defaultFontFamily),v=r.fontString(g,m,p);c.textAlign="left",c.textBaseline="middle",c.lineWidth=.5,c.strokeStyle=f,c.fillStyle=f,c.font=v;var y=e(a,g),b=t.legendHitBoxes,x=function(t,e,i){if(!(isNaN(y)||y<=0)){c.save(),c.fillStyle=h(i.fillStyle,o.defaultColor),c.lineCap=h(i.lineCap,s.borderCapStyle),c.lineDashOffset=h(i.lineDashOffset,s.borderDashOffset),c.lineJoin=h(i.lineJoin,s.borderJoinStyle),c.lineWidth=h(i.lineWidth,s.borderWidth),c.strokeStyle=h(i.strokeStyle,o.defaultColor);var a=0===h(i.lineWidth,s.borderWidth);if(c.setLineDash&&c.setLineDash(h(i.lineDash,s.borderDash)),n.labels&&n.labels.usePointStyle){var l=g*Math.SQRT2/2,u=l/Math.SQRT2,d=t+u,f=e+u;r.canvas.drawPoint(c,i.pointStyle,l,d,f)}else a||c.strokeRect(t,e,y,g),c.fillRect(t,e,y,g);c.restore()}},_=function(t,e,n,i){var a=g/2,r=y+a+t,o=e+a;c.fillText(n.text,r,o),n.hidden&&(c.beginPath(),c.lineWidth=2,c.moveTo(r,o),c.lineTo(r+i,o),c.stroke())},k=t.isHorizontal();d=k?{x:t.left+(l-u[0])/2,y:t.top+a.padding,line:0}:{x:t.left+a.padding,y:t.top+a.padding,line:0};var w=g+a.padding;r.each(t.legendItems,function(e,n){var i=c.measureText(e.text).width,r=y+g/2+i,o=d.x,s=d.y;k?o+r>=l&&(s=d.y+=w,d.line++,o=d.x=t.left+(l-u[d.line])/2):s+w>t.bottom&&(o=d.x=o+t.columnWidths[d.line]+a.padding,s=d.y=t.top+a.padding,d.line++),x(o,s,e),b[n].left=o,b[n].top=s,_(o,s,e,i),k?d.x+=r+a.padding:d.y+=w})}},handleEvent:function(t){var e=this,n=e.options,i="mouseup"===t.type?"click":t.type,a=!1;if("mousemove"===i){if(!n.onHover)return}else{if("click"!==i)return;if(!n.onClick)return}var r=t.x,o=t.y;if(r>=e.left&&r<=e.right&&o>=e.top&&o<=e.bottom)for(var s=e.legendHitBoxes,l=0;l<s.length;++l){var u=s[l];if(r>=u.left&&r<=u.left+u.width&&o>=u.top&&o<=u.top+u.height){if("click"===i){n.onClick.call(e,t.native,e.legendItems[l]),a=!0;break}if("mousemove"===i){n.onHover.call(e,t.native,e.legendItems[l]),a=!0;break}}}return a}}),{id:"legend",beforeInit:function(t){var e=t.options.legend;e&&n(t,e)},beforeUpdate:function(t){var e=t.options.legend,a=t.legend;e?(r.mergeIf(e,i.global.legend),a?(o.configure(t,a,e),a.options=e):n(t,e)):a&&(o.removeBox(t,a),delete t.legend)},afterEvent:function(t,e){var n=t.legend;n&&n.handleEvent(e)}}}},{25:25,26:26,45:45}],51:[function(t,e,n){"use strict";var i=t(25),a=t(26),r=t(45);i._set("global",{title:{display:!1,fontStyle:"bold",fullWidth:!0,lineHeight:1.2,padding:10,position:"top",text:"",weight:2e3}}),e.exports=function(t){function e(e,i){var a=new t.Title({ctx:e.ctx,options:i,chart:e});n.configure(e,a,i),n.addBox(e,a),e.titleBlock=a}var n=t.layoutService,o=r.noop;return t.Title=a.extend({initialize:function(t){var e=this;r.extend(e,t),e.legendHitBoxes=[]},beforeUpdate:o,update:function(t,e,n){var i=this;return i.beforeUpdate(),i.maxWidth=t,i.maxHeight=e,i.margins=n,i.beforeSetDimensions(),i.setDimensions(),i.afterSetDimensions(),i.beforeBuildLabels(),i.buildLabels(),i.afterBuildLabels(),i.beforeFit(),i.fit(),i.afterFit(),i.afterUpdate(),i.minSize},afterUpdate:o,beforeSetDimensions:o,setDimensions:function(){var t=this;t.isHorizontal()?(t.width=t.maxWidth,t.left=0,t.right=t.width):(t.height=t.maxHeight,t.top=0,t.bottom=t.height),t.paddingLeft=0,t.paddingTop=0,t.paddingRight=0,t.paddingBottom=0,t.minSize={width:0,height:0}},afterSetDimensions:o,beforeBuildLabels:o,buildLabels:o,afterBuildLabels:o,beforeFit:o,fit:function(){var t=this,e=r.valueOrDefault,n=t.options,a=n.display,o=e(n.fontSize,i.global.defaultFontSize),s=t.minSize,l=r.isArray(n.text)?n.text.length:1,u=r.options.toLineHeight(n.lineHeight,o),d=a?l*u+2*n.padding:0;t.isHorizontal()?(s.width=t.maxWidth,s.height=d):(s.width=d,s.height=t.maxHeight),t.width=s.width,t.height=s.height},afterFit:o,isHorizontal:function(){var t=this.options.position;return"top"===t||"bottom"===t},draw:function(){var t=this,e=t.ctx,n=r.valueOrDefault,a=t.options,o=i.global;if(a.display){var s,l,u,d=n(a.fontSize,o.defaultFontSize),c=n(a.fontStyle,o.defaultFontStyle),h=n(a.fontFamily,o.defaultFontFamily),f=r.fontString(d,c,h),g=r.options.toLineHeight(a.lineHeight,d),m=g/2+a.padding,p=0,v=t.top,y=t.left,b=t.bottom,x=t.right;e.fillStyle=n(a.fontColor,o.defaultFontColor),e.font=f,t.isHorizontal()?(l=y+(x-y)/2,u=v+m,s=x-y):(l="left"===a.position?y+m:x-m,u=v+(b-v)/2,s=b-v,p=Math.PI*("left"===a.position?-.5:.5)),e.save(),e.translate(l,u),e.rotate(p),e.textAlign="center",e.textBaseline="middle";var _=a.text;if(r.isArray(_))for(var k=0,w=0;w<_.length;++w)e.fillText(_[w],0,k,s),k+=g;else e.fillText(_,0,0,s);e.restore()}}}),{id:"title",beforeInit:function(t){var n=t.options.title;n&&e(t,n)},beforeUpdate:function(a){var o=a.options.title,s=a.titleBlock;o?(r.mergeIf(o,i.global.title),s?(n.configure(a,s,o),s.options=o):e(a,o)):s&&(t.layoutService.removeBox(a,s),delete a.titleBlock)}}}},{25:25,26:26,45:45}],52:[function(t,e,n){"use strict";e.exports=function(t){var e=t.Scale.extend({getLabels:function(){var t=this.chart.data;return this.options.labels||(this.isHorizontal()?t.xLabels:t.yLabels)||t.labels},determineDataLimits:function(){var t=this,e=t.getLabels();t.minIndex=0,t.maxIndex=e.length-1;var n;void 0!==t.options.ticks.min&&(n=e.indexOf(t.options.ticks.min),t.minIndex=-1!==n?n:t.minIndex),void 0!==t.options.ticks.max&&(n=e.indexOf(t.options.ticks.max),t.maxIndex=-1!==n?n:t.maxIndex),t.min=e[t.minIndex],t.max=e[t.maxIndex]},buildTicks:function(){var t=this,e=t.getLabels();t.ticks=0===t.minIndex&&t.maxIndex===e.length-1?e:e.slice(t.minIndex,t.maxIndex+1)},getLabelForIndex:function(t,e){var n=this,i=n.chart.data,a=n.isHorizontal();return i.yLabels&&!a?n.getRightValue(i.datasets[e].data[t]):n.ticks[t-n.minIndex]},getPixelForValue:function(t,e){var n,i=this,a=i.options.offset,r=Math.max(i.maxIndex+1-i.minIndex-(a?0:1),1);if(void 0!==t&&null!==t&&(n=i.isHorizontal()?t.x:t.y),void 0!==n||void 0!==t&&isNaN(e)){var o=i.getLabels();t=n||t;var s=o.indexOf(t);e=-1!==s?s:e}if(i.isHorizontal()){var l=i.width/r,u=l*(e-i.minIndex);return a&&(u+=l/2),i.left+Math.round(u)}var d=i.height/r,c=d*(e-i.minIndex);return a&&(c+=d/2),i.top+Math.round(c)},getPixelForTick:function(t){return this.getPixelForValue(this.ticks[t],t+this.minIndex,null)},getValueForPixel:function(t){var e=this,n=e.options.offset,i=Math.max(e._ticks.length-(n?0:1),1),a=e.isHorizontal(),r=(a?e.width:e.height)/i;return t-=a?e.left:e.top,n&&(t-=r/2),(t<=0?0:Math.round(t/r))+e.minIndex},getBasePixel:function(){return this.bottom}});t.scaleService.registerScaleType("category",e,{position:"bottom"})}},{}],53:[function(t,e,n){"use strict";var i=t(25),a=t(45),r=t(34);e.exports=function(t){var e={position:"left",ticks:{callback:r.formatters.linear}},n=t.LinearScaleBase.extend({determineDataLimits:function(){function t(t){return o?t.xAxisID===e.id:t.yAxisID===e.id}var e=this,n=e.options,i=e.chart,r=i.data.datasets,o=e.isHorizontal();e.min=null,e.max=null;var s=n.stacked;if(void 0===s&&a.each(r,function(e,n){if(!s){var a=i.getDatasetMeta(n);i.isDatasetVisible(n)&&t(a)&&void 0!==a.stack&&(s=!0)}}),n.stacked||s){var l={};a.each(r,function(r,o){var s=i.getDatasetMeta(o),u=[s.type,void 0===n.stacked&&void 0===s.stack?o:"",s.stack].join(".");void 0===l[u]&&(l[u]={positiveValues:[],negativeValues:[]});var d=l[u].positiveValues,c=l[u].negativeValues;i.isDatasetVisible(o)&&t(s)&&a.each(r.data,function(t,i){var a=+e.getRightValue(t);isNaN(a)||s.data[i].hidden||(d[i]=d[i]||0,c[i]=c[i]||0,n.relativePoints?d[i]=100:a<0?c[i]+=a:d[i]+=a)})}),a.each(l,function(t){var n=t.positiveValues.concat(t.negativeValues),i=a.min(n),r=a.max(n);e.min=null===e.min?i:Math.min(e.min,i),e.max=null===e.max?r:Math.max(e.max,r)})}else a.each(r,function(n,r){var o=i.getDatasetMeta(r);i.isDatasetVisible(r)&&t(o)&&a.each(n.data,function(t,n){var i=+e.getRightValue(t);isNaN(i)||o.data[n].hidden||(null===e.min?e.min=i:i<e.min&&(e.min=i),null===e.max?e.max=i:i>e.max&&(e.max=i))})});e.min=isFinite(e.min)&&!isNaN(e.min)?e.min:0,e.max=isFinite(e.max)&&!isNaN(e.max)?e.max:1,this.handleTickRangeOptions()},getTickLimit:function(){var t,e=this,n=e.options.ticks;if(e.isHorizontal())t=Math.min(n.maxTicksLimit?n.maxTicksLimit:11,Math.ceil(e.width/50));else{var r=a.valueOrDefault(n.fontSize,i.global.defaultFontSize);t=Math.min(n.maxTicksLimit?n.maxTicksLimit:11,Math.ceil(e.height/(2*r)))}return t},handleDirectionalChanges:function(){this.isHorizontal()||this.ticks.reverse()},getLabelForIndex:function(t,e){return+this.getRightValue(this.chart.data.datasets[e].data[t])},getPixelForValue:function(t){var e,n=this,i=n.start,a=+n.getRightValue(t),r=n.end-i;return n.isHorizontal()?(e=n.left+n.width/r*(a-i),Math.round(e)):(e=n.bottom-n.height/r*(a-i),Math.round(e))},getValueForPixel:function(t){var e=this,n=e.isHorizontal(),i=n?e.width:e.height,a=(n?t-e.left:e.bottom-t)/i;return e.start+(e.end-e.start)*a},getPixelForTick:function(t){return this.getPixelForValue(this.ticksAsNumbers[t])}});t.scaleService.registerScaleType("linear",n,e)}},{25:25,34:34,45:45}],54:[function(t,e,n){"use strict";var i=t(45),a=t(34);e.exports=function(t){var e=i.noop;t.LinearScaleBase=t.Scale.extend({getRightValue:function(e){return"string"==typeof e?+e:t.Scale.prototype.getRightValue.call(this,e)},handleTickRangeOptions:function(){var t=this,e=t.options.ticks;if(e.beginAtZero){var n=i.sign(t.min),a=i.sign(t.max);n<0&&a<0?t.max=0:n>0&&a>0&&(t.min=0)}var r=void 0!==e.min||void 0!==e.suggestedMin,o=void 0!==e.max||void 0!==e.suggestedMax;void 0!==e.min?t.min=e.min:void 0!==e.suggestedMin&&(null===t.min?t.min=e.suggestedMin:t.min=Math.min(t.min,e.suggestedMin)),void 0!==e.max?t.max=e.max:void 0!==e.suggestedMax&&(null===t.max?t.max=e.suggestedMax:t.max=Math.max(t.max,e.suggestedMax)),r!==o&&t.min>=t.max&&(r?t.max=t.min+1:t.min=t.max-1),t.min===t.max&&(t.max++,e.beginAtZero||t.min--)},getTickLimit:e,handleDirectionalChanges:e,buildTicks:function(){var t=this,e=t.options.ticks,n=t.getTickLimit(),r={maxTicks:n=Math.max(2,n),min:e.min,max:e.max,stepSize:i.valueOrDefault(e.fixedStepSize,e.stepSize)},o=t.ticks=a.generators.linear(r,t);t.handleDirectionalChanges(),t.max=i.max(o),t.min=i.min(o),e.reverse?(o.reverse(),t.start=t.max,t.end=t.min):(t.start=t.min,t.end=t.max)},convertTicksToLabels:function(){var e=this;e.ticksAsNumbers=e.ticks.slice(),e.zeroLineIndex=e.ticks.indexOf(0),t.Scale.prototype.convertTicksToLabels.call(e)}})}},{34:34,45:45}],55:[function(t,e,n){"use strict";var i=t(45),a=t(34);e.exports=function(t){var e={position:"left",ticks:{callback:a.formatters.logarithmic}},n=t.Scale.extend({determineDataLimits:function(){function t(t){return l?t.xAxisID===e.id:t.yAxisID===e.id}var e=this,n=e.options,a=n.ticks,r=e.chart,o=r.data.datasets,s=i.valueOrDefault,l=e.isHorizontal();e.min=null,e.max=null,e.minNotZero=null;var u=n.stacked;if(void 0===u&&i.each(o,function(e,n){if(!u){var i=r.getDatasetMeta(n);r.isDatasetVisible(n)&&t(i)&&void 0!==i.stack&&(u=!0)}}),n.stacked||u){var d={};i.each(o,function(a,o){var s=r.getDatasetMeta(o),l=[s.type,void 0===n.stacked&&void 0===s.stack?o:"",s.stack].join(".");r.isDatasetVisible(o)&&t(s)&&(void 0===d[l]&&(d[l]=[]),i.each(a.data,function(t,i){var a=d[l],r=+e.getRightValue(t);isNaN(r)||s.data[i].hidden||(a[i]=a[i]||0,n.relativePoints?a[i]=100:a[i]+=r)}))}),i.each(d,function(t){var n=i.min(t),a=i.max(t);e.min=null===e.min?n:Math.min(e.min,n),e.max=null===e.max?a:Math.max(e.max,a)})}else i.each(o,function(n,a){var o=r.getDatasetMeta(a);r.isDatasetVisible(a)&&t(o)&&i.each(n.data,function(t,n){var i=+e.getRightValue(t);isNaN(i)||o.data[n].hidden||(null===e.min?e.min=i:i<e.min&&(e.min=i),null===e.max?e.max=i:i>e.max&&(e.max=i),0!==i&&(null===e.minNotZero||i<e.minNotZero)&&(e.minNotZero=i))})});e.min=s(a.min,e.min),e.max=s(a.max,e.max),e.min===e.max&&(0!==e.min&&null!==e.min?(e.min=Math.pow(10,Math.floor(i.log10(e.min))-1),e.max=Math.pow(10,Math.floor(i.log10(e.max))+1)):(e.min=1,e.max=10))},buildTicks:function(){var t=this,e=t.options.ticks,n={min:e.min,max:e.max},r=t.ticks=a.generators.logarithmic(n,t);t.isHorizontal()||r.reverse(),t.max=i.max(r),t.min=i.min(r),e.reverse?(r.reverse(),t.start=t.max,t.end=t.min):(t.start=t.min,t.end=t.max)},convertTicksToLabels:function(){this.tickValues=this.ticks.slice(),t.Scale.prototype.convertTicksToLabels.call(this)},getLabelForIndex:function(t,e){return+this.getRightValue(this.chart.data.datasets[e].data[t])},getPixelForTick:function(t){return this.getPixelForValue(this.tickValues[t])},getPixelForValue:function(t){var e,n,a,r=this,o=r.start,s=+r.getRightValue(t),l=r.options.ticks;return r.isHorizontal()?(a=i.log10(r.end)-i.log10(o),0===s?n=r.left:(e=r.width,n=r.left+e/a*(i.log10(s)-i.log10(o)))):(e=r.height,0!==o||l.reverse?0===r.end&&l.reverse?(a=i.log10(r.start)-i.log10(r.minNotZero),n=s===r.end?r.top:s===r.minNotZero?r.top+.02*e:r.top+.02*e+.98*e/a*(i.log10(s)-i.log10(r.minNotZero))):0===s?n=l.reverse?r.top:r.bottom:(a=i.log10(r.end)-i.log10(o),e=r.height,n=r.bottom-e/a*(i.log10(s)-i.log10(o))):(a=i.log10(r.end)-i.log10(r.minNotZero),n=s===o?r.bottom:s===r.minNotZero?r.bottom-.02*e:r.bottom-.02*e-.98*e/a*(i.log10(s)-i.log10(r.minNotZero)))),n},getValueForPixel:function(t){var e,n,a=this,r=i.log10(a.end)-i.log10(a.start);return a.isHorizontal()?(n=a.width,e=a.start*Math.pow(10,(t-a.left)*r/n)):(n=a.height,e=Math.pow(10,(a.bottom-t)*r/n)/a.start),e}});t.scaleService.registerScaleType("logarithmic",n,e)}},{34:34,45:45}],56:[function(t,e,n){"use strict";var i=t(25),a=t(45),r=t(34);e.exports=function(t){function e(t){var e=t.options;return e.angleLines.display||e.pointLabels.display?t.chart.data.labels.length:0}function n(t){var e=t.options.pointLabels,n=a.valueOrDefault(e.fontSize,p.defaultFontSize),i=a.valueOrDefault(e.fontStyle,p.defaultFontStyle),r=a.valueOrDefault(e.fontFamily,p.defaultFontFamily);return{size:n,style:i,family:r,font:a.fontString(n,i,r)}}function o(t,e,n){return a.isArray(n)?{w:a.longestText(t,t.font,n),h:n.length*e+1.5*(n.length-1)*e}:{w:t.measureText(n).width,h:e}}function s(t,e,n,i,a){return t===i||t===a?{start:e-n/2,end:e+n/2}:t<i||t>a?{start:e-n-5,end:e}:{start:e,end:e+n+5}}function l(t){var i,r,l,u=n(t),d=Math.min(t.height/2,t.width/2),c={r:t.width,l:0,t:t.height,b:0},h={};t.ctx.font=u.font,t._pointLabelSizes=[];var f=e(t);for(i=0;i<f;i++){l=t.getPointPosition(i,d),r=o(t.ctx,u.size,t.pointLabels[i]||""),t._pointLabelSizes[i]=r;var g=t.getIndexAngle(i),m=a.toDegrees(g)%360,p=s(m,l.x,r.w,0,180),v=s(m,l.y,r.h,90,270);p.start<c.l&&(c.l=p.start,h.l=g),p.end>c.r&&(c.r=p.end,h.r=g),v.start<c.t&&(c.t=v.start,h.t=g),v.end>c.b&&(c.b=v.end,h.b=g)}t.setReductions(d,c,h)}function u(t){var e=Math.min(t.height/2,t.width/2);t.drawingArea=Math.round(e),t.setCenterPoint(0,0,0,0)}function d(t){return 0===t||180===t?"center":t<180?"left":"right"}function c(t,e,n,i){if(a.isArray(e))for(var r=n.y,o=1.5*i,s=0;s<e.length;++s)t.fillText(e[s],n.x,r),r+=o;else t.fillText(e,n.x,n.y)}function h(t,e,n){90===t||270===t?n.y-=e.h/2:(t>270||t<90)&&(n.y-=e.h)}function f(t){var i=t.ctx,r=a.valueOrDefault,o=t.options,s=o.angleLines,l=o.pointLabels;i.lineWidth=s.lineWidth,i.strokeStyle=s.color;var u=t.getDistanceFromCenterForValue(o.ticks.reverse?t.min:t.max),f=n(t);i.textBaseline="top";for(var g=e(t)-1;g>=0;g--){if(s.display){var m=t.getPointPosition(g,u);i.beginPath(),i.moveTo(t.xCenter,t.yCenter),i.lineTo(m.x,m.y),i.stroke(),i.closePath()}if(l.display){var v=t.getPointPosition(g,u+5),y=r(l.fontColor,p.defaultFontColor);i.font=f.font,i.fillStyle=y;var b=t.getIndexAngle(g),x=a.toDegrees(b);i.textAlign=d(x),h(x,t._pointLabelSizes[g],v),c(i,t.pointLabels[g]||"",v,f.size)}}}function g(t,n,i,r){var o=t.ctx;if(o.strokeStyle=a.valueAtIndexOrDefault(n.color,r-1),o.lineWidth=a.valueAtIndexOrDefault(n.lineWidth,r-1),t.options.gridLines.circular)o.beginPath(),o.arc(t.xCenter,t.yCenter,i,0,2*Math.PI),o.closePath(),o.stroke();else{var s=e(t);if(0===s)return;o.beginPath();var l=t.getPointPosition(0,i);o.moveTo(l.x,l.y);for(var u=1;u<s;u++)l=t.getPointPosition(u,i),o.lineTo(l.x,l.y);o.closePath(),o.stroke()}}function m(t){return a.isNumber(t)?t:0}var p=i.global,v={display:!0,animate:!0,position:"chartArea",angleLines:{display:!0,color:"rgba(0, 0, 0, 0.1)",lineWidth:1},gridLines:{circular:!1},ticks:{showLabelBackdrop:!0,backdropColor:"rgba(255,255,255,0.75)",backdropPaddingY:2,backdropPaddingX:2,callback:r.formatters.linear},pointLabels:{display:!0,fontSize:10,callback:function(t){return t}}},y=t.LinearScaleBase.extend({setDimensions:function(){var t=this,e=t.options,n=e.ticks;t.width=t.maxWidth,t.height=t.maxHeight,t.xCenter=Math.round(t.width/2),t.yCenter=Math.round(t.height/2);var i=a.min([t.height,t.width]),r=a.valueOrDefault(n.fontSize,p.defaultFontSize);t.drawingArea=e.display?i/2-(r/2+n.backdropPaddingY):i/2},determineDataLimits:function(){var t=this,e=t.chart,n=Number.POSITIVE_INFINITY,i=Number.NEGATIVE_INFINITY;a.each(e.data.datasets,function(r,o){if(e.isDatasetVisible(o)){var s=e.getDatasetMeta(o);a.each(r.data,function(e,a){var r=+t.getRightValue(e);isNaN(r)||s.data[a].hidden||(n=Math.min(r,n),i=Math.max(r,i))})}}),t.min=n===Number.POSITIVE_INFINITY?0:n,t.max=i===Number.NEGATIVE_INFINITY?0:i,t.handleTickRangeOptions()},getTickLimit:function(){var t=this.options.ticks,e=a.valueOrDefault(t.fontSize,p.defaultFontSize);return Math.min(t.maxTicksLimit?t.maxTicksLimit:11,Math.ceil(this.drawingArea/(1.5*e)))},convertTicksToLabels:function(){var e=this;t.LinearScaleBase.prototype.convertTicksToLabels.call(e),e.pointLabels=e.chart.data.labels.map(e.options.pointLabels.callback,e)},getLabelForIndex:function(t,e){return+this.getRightValue(this.chart.data.datasets[e].data[t])},fit:function(){this.options.pointLabels.display?l(this):u(this)},setReductions:function(t,e,n){var i=this,a=e.l/Math.sin(n.l),r=Math.max(e.r-i.width,0)/Math.sin(n.r),o=-e.t/Math.cos(n.t),s=-Math.max(e.b-i.height,0)/Math.cos(n.b);a=m(a),r=m(r),o=m(o),s=m(s),i.drawingArea=Math.min(Math.round(t-(a+r)/2),Math.round(t-(o+s)/2)),i.setCenterPoint(a,r,o,s)},setCenterPoint:function(t,e,n,i){var a=this,r=a.width-e-a.drawingArea,o=t+a.drawingArea,s=n+a.drawingArea,l=a.height-i-a.drawingArea;a.xCenter=Math.round((o+r)/2+a.left),a.yCenter=Math.round((s+l)/2+a.top)},getIndexAngle:function(t){return t*(2*Math.PI/e(this))+(this.chart.options&&this.chart.options.startAngle?this.chart.options.startAngle:0)*Math.PI*2/360},getDistanceFromCenterForValue:function(t){var e=this;if(null===t)return 0;var n=e.drawingArea/(e.max-e.min);return e.options.ticks.reverse?(e.max-t)*n:(t-e.min)*n},getPointPosition:function(t,e){var n=this,i=n.getIndexAngle(t)-Math.PI/2;return{x:Math.round(Math.cos(i)*e)+n.xCenter,y:Math.round(Math.sin(i)*e)+n.yCenter}},getPointPositionForValue:function(t,e){return this.getPointPosition(t,this.getDistanceFromCenterForValue(e))},getBasePosition:function(){var t=this,e=t.min,n=t.max;return t.getPointPositionForValue(0,t.beginAtZero?0:e<0&&n<0?n:e>0&&n>0?e:0)},draw:function(){var t=this,e=t.options,n=e.gridLines,i=e.ticks,r=a.valueOrDefault;if(e.display){var o=t.ctx,s=this.getIndexAngle(0),l=r(i.fontSize,p.defaultFontSize),u=r(i.fontStyle,p.defaultFontStyle),d=r(i.fontFamily,p.defaultFontFamily),c=a.fontString(l,u,d);a.each(t.ticks,function(e,a){if(a>0||i.reverse){var u=t.getDistanceFromCenterForValue(t.ticksAsNumbers[a]);if(n.display&&0!==a&&g(t,n,u,a),i.display){var d=r(i.fontColor,p.defaultFontColor);if(o.font=c,o.save(),o.translate(t.xCenter,t.yCenter),o.rotate(s),i.showLabelBackdrop){var h=o.measureText(e).width;o.fillStyle=i.backdropColor,o.fillRect(-h/2-i.backdropPaddingX,-u-l/2-i.backdropPaddingY,h+2*i.backdropPaddingX,l+2*i.backdropPaddingY)}o.textAlign="center",o.textBaseline="middle",o.fillStyle=d,o.fillText(e,0,-u),o.restore()}}}),(e.angleLines.display||e.pointLabels.display)&&f(t)}}});t.scaleService.registerScaleType("radialLinear",y,v)}},{25:25,34:34,45:45}],57:[function(t,e,n){"use strict";function i(t,e){return t-e}function a(t){var e,n,i,a={},r=[];for(e=0,n=t.length;e<n;++e)a[i=t[e]]||(a[i]=!0,r.push(i));return r}function r(t,e,n,i){if("linear"===i||!t.length)return[{time:e,pos:0},{time:n,pos:1}];var a,r,o,s,l,u=[],d=[e];for(a=0,r=t.length;a<r;++a)(s=t[a])>e&&s<n&&d.push(s);for(d.push(n),a=0,r=d.length;a<r;++a)l=d[a+1],o=d[a-1],s=d[a],void 0!==o&&void 0!==l&&Math.round((l+o)/2)===s||u.push({time:s,pos:a/(r-1)});return u}function o(t,e,n){for(var i,a,r,o=0,s=t.length-1;o>=0&&o<=s;){if(i=o+s>>1,a=t[i-1]||null,r=t[i],!a)return{lo:null,hi:r};if(r[e]<n)o=i+1;else{if(!(a[e]>n))return{lo:a,hi:r};s=i-1}}return{lo:r,hi:null}}function s(t,e,n,i){var a=o(t,e,n),r=a.lo?a.hi?a.lo:t[t.length-2]:t[0],s=a.lo?a.hi?a.hi:t[t.length-1]:t[1],l=s[e]-r[e],u=l?(n-r[e])/l:0,d=(s[i]-r[i])*u;return r[i]+d}function l(t,e){var n=e.parser,i=e.parser||e.format;return"function"==typeof n?n(t):"string"==typeof t&&"string"==typeof i?v(t,i):(t instanceof v||(t=v(t)),t.isValid()?t:"function"==typeof i?i(t):t)}function u(t,e){if(b.isNullOrUndef(t))return null;var n=e.options.time,i=l(e.getRightValue(t),n);return i.isValid()?(n.round&&i.startOf(n.round),i.valueOf()):null}function d(t,e,n,i){var a,r,o,s=e-t,l=k[n],u=l.size,d=l.steps;if(!d)return Math.ceil(s/((i||1)*u));for(a=0,r=d.length;a<r&&(o=d[a],!(Math.ceil(s/(u*o))<=i));++a);return o}function c(t,e,n,i){var a,r,o,s=w.length;for(a=w.indexOf(t);a<s-1;++a)if(r=k[w[a]],o=r.steps?r.steps[r.steps.length-1]:_,r.common&&Math.ceil((n-e)/(o*r.size))<=i)return w[a];return w[s-1]}function h(t,e,n,i){var a,r,o=v.duration(v(i).diff(v(n)));for(a=w.length-1;a>=w.indexOf(e);a--)if(r=w[a],k[r].common&&o.as(r)>=t.length)return r;return w[e?w.indexOf(e):0]}function f(t){for(var e=w.indexOf(t)+1,n=w.length;e<n;++e)if(k[w[e]].common)return w[e]}function g(t,e,n,i){var a,r=i.time,o=r.unit||c(r.minUnit,t,e,n),s=f(o),l=b.valueOrDefault(r.stepSize,r.unitStepSize),u="week"===o&&r.isoWeekday,h=i.ticks.major.enabled,g=k[o],m=v(t),p=v(e),y=[];for(l||(l=d(t,e,o,n)),u&&(m=m.isoWeekday(u),p=p.isoWeekday(u)),m=m.startOf(u?"day":o),(p=p.startOf(u?"day":o))<e&&p.add(1,o),a=v(m),h&&s&&!u&&!r.round&&(a.startOf(s),a.add(~~((m-a)/(g.size*l))*l,o));a<p;a.add(l,o))y.push(+a);return y.push(+a),y}function m(t,e,n,i,a){var r,o,l=0,u=0;return a.offset&&e.length&&(a.time.min||(r=e.length>1?e[1]:i,o=e[0],l=(s(t,"time",r,"pos")-s(t,"time",o,"pos"))/2),a.time.max||(r=e[e.length-1],o=e.length>1?e[e.length-2]:n,u=(s(t,"time",r,"pos")-s(t,"time",o,"pos"))/2)),{left:l,right:u}}function p(t,e){var n,i,a,r,o=[];for(n=0,i=t.length;n<i;++n)a=t[n],r=!!e&&a===+v(a).startOf(e),o.push({value:a,major:r});return o}var v=t(6);v="function"==typeof v?v:window.moment;var y=t(25),b=t(45),x=Number.MIN_SAFE_INTEGER||-9007199254740991,_=Number.MAX_SAFE_INTEGER||9007199254740991,k={millisecond:{common:!0,size:1,steps:[1,2,5,10,20,50,100,250,500]},second:{common:!0,size:1e3,steps:[1,2,5,10,30]},minute:{common:!0,size:6e4,steps:[1,2,5,10,30]},hour:{common:!0,size:36e5,steps:[1,2,3,6,12]},day:{common:!0,size:864e5,steps:[1,2,5]},week:{common:!1,size:6048e5,steps:[1,2,3,4]},month:{common:!0,size:2628e6,steps:[1,2,3]},quarter:{common:!1,size:7884e6,steps:[1,2,3,4]},year:{common:!0,size:3154e7}},w=Object.keys(k);e.exports=function(t){var e=t.Scale.extend({initialize:function(){if(!v)throw new Error("Chart.js - Moment.js could not be found! You must include it before Chart.js to use the time scale. Download at https://momentjs.com");this.mergeTicksOptions(),t.Scale.prototype.initialize.call(this)},update:function(){var e=this,n=e.options;return n.time&&n.time.format&&console.warn("options.time.format is deprecated and replaced by options.time.parser."),t.Scale.prototype.update.apply(e,arguments)},getRightValue:function(e){return e&&void 0!==e.t&&(e=e.t),t.Scale.prototype.getRightValue.call(this,e)},determineDataLimits:function(){var t,e,n,r,o,s,l=this,d=l.chart,c=l.options.time,h=_,f=x,g=[],m=[],p=[];for(t=0,n=d.data.labels.length;t<n;++t)p.push(u(d.data.labels[t],l));for(t=0,n=(d.data.datasets||[]).length;t<n;++t)if(d.isDatasetVisible(t))if(o=d.data.datasets[t].data,b.isObject(o[0]))for(m[t]=[],e=0,r=o.length;e<r;++e)s=u(o[e],l),g.push(s),m[t][e]=s;else g.push.apply(g,p),m[t]=p.slice(0);else m[t]=[];p.length&&(p=a(p).sort(i),h=Math.min(h,p[0]),f=Math.max(f,p[p.length-1])),g.length&&(g=a(g).sort(i),h=Math.min(h,g[0]),f=Math.max(f,g[g.length-1])),h=u(c.min,l)||h,f=u(c.max,l)||f,h=h===_?+v().startOf("day"):h,f=f===x?+v().endOf("day")+1:f,l.min=Math.min(h,f),l.max=Math.max(h+1,f),l._horizontal=l.isHorizontal(),l._table=[],l._timestamps={data:g,datasets:m,labels:p}},buildTicks:function(){var t,e,n,i=this,a=i.min,o=i.max,s=i.options,l=s.time,d=[],c=[];switch(s.ticks.source){case"data":d=i._timestamps.data;break;case"labels":d=i._timestamps.labels;break;case"auto":default:d=g(a,o,i.getLabelCapacity(a),s)}for("ticks"===s.bounds&&d.length&&(a=d[0],o=d[d.length-1]),a=u(l.min,i)||a,o=u(l.max,i)||o,t=0,e=d.length;t<e;++t)(n=d[t])>=a&&n<=o&&c.push(n);return i.min=a,i.max=o,i._unit=l.unit||h(c,l.minUnit,i.min,i.max),i._majorUnit=f(i._unit),i._table=r(i._timestamps.data,a,o,s.distribution),i._offsets=m(i._table,c,a,o,s),p(c,i._majorUnit)},getLabelForIndex:function(t,e){var n=this,i=n.chart.data,a=n.options.time,r=i.labels&&t<i.labels.length?i.labels[t]:"",o=i.datasets[e].data[t];return b.isObject(o)&&(r=n.getRightValue(o)),a.tooltipFormat&&(r=l(r,a).format(a.tooltipFormat)),r},tickFormatFunction:function(t,e,n,i){var a=this,r=a.options,o=t.valueOf(),s=r.time.displayFormats,l=s[a._unit],u=a._majorUnit,d=s[u],c=t.clone().startOf(u).valueOf(),h=r.ticks.major,f=h.enabled&&u&&d&&o===c,g=t.format(i||(f?d:l)),m=f?h:r.ticks.minor,p=b.valueOrDefault(m.callback,m.userCallback);return p?p(g,e,n):g},convertTicksToLabels:function(t){var e,n,i=[];for(e=0,n=t.length;e<n;++e)i.push(this.tickFormatFunction(v(t[e].value),e,t));return i},getPixelForOffset:function(t){var e=this,n=e._horizontal?e.width:e.height,i=e._horizontal?e.left:e.top,a=s(e._table,"time",t,"pos");return i+n*(e._offsets.left+a)/(e._offsets.left+1+e._offsets.right)},getPixelForValue:function(t,e,n){var i=this,a=null;if(void 0!==e&&void 0!==n&&(a=i._timestamps.datasets[n][e]),null===a&&(a=u(t,i)),null!==a)return i.getPixelForOffset(a)},getPixelForTick:function(t){var e=this.getTicks();return t>=0&&t<e.length?this.getPixelForOffset(e[t].value):null},getValueForPixel:function(t){var e=this,n=e._horizontal?e.width:e.height,i=e._horizontal?e.left:e.top,a=(n?(t-i)/n:0)*(e._offsets.left+1+e._offsets.left)-e._offsets.right,r=s(e._table,"pos",a,"time");return v(r)},getLabelWidth:function(t){var e=this,n=e.options.ticks,i=e.ctx.measureText(t).width,a=b.toRadians(n.maxRotation),r=Math.cos(a),o=Math.sin(a);return i*r+b.valueOrDefault(n.fontSize,y.global.defaultFontSize)*o},getLabelCapacity:function(t){var e=this,n=e.options.time.displayFormats.millisecond,i=e.tickFormatFunction(v(t),0,[],n),a=e.getLabelWidth(i),r=e.isHorizontal()?e.width:e.height;return Math.floor(r/a)}});t.scaleService.registerScaleType("time",e,{position:"bottom",distribution:"linear",bounds:"data",time:{parser:!1,format:!1,unit:!1,round:!1,displayFormat:!1,isoWeekday:!1,minUnit:"millisecond",displayFormats:{millisecond:"h:mm:ss.SSS a",second:"h:mm:ss a",minute:"h:mm a",hour:"hA",day:"MMM D",week:"ll",month:"MMM YYYY",quarter:"[Q]Q - YYYY",year:"YYYY"}},ticks:{autoSkip:!1,source:"auto",major:{enabled:!1}}})}},{25:25,45:45,6:6}]},{},[7])(7)});
'''
LINE_CHART = '''
<div style="width:{4};margin:15px;">
<canvas id="{3}" width="100" height="100"></canvas>
</div>
<script>
var ctx = document.getElementById("{3}").getContext('2d');
var myChart = new Chart(ctx, {{
type: 'line',
data: {{
labels: {0},
datasets: [{5}]
}},
options: {{
scales: {{
yAxes: [{{
ticks: {{
beginAtZero:false,
}},
scaleLabel: {{
display: true,
labelString: '{1}'
}}
}}],
xAxes: [{{
ticks: {{
beginAtZero:false,
}},
scaleLabel: {{
display: true,
labelString: '{2}'
}}
}}]
}}
}}
}});
</script>
'''
MULTI_AXES_LINE_CHART = '''
<div style="width:{5};margin:15px;">
<canvas id="{4}" width="100" height="100"></canvas>
</div>
<script>
var ctx = document.getElementById("{4}").getContext('2d');
var myChart = new Chart(ctx, {{
type: 'line',
data: {{
labels: {0},
datasets: [{6}]
}},
options: {{
scales: {{
yAxes: [{{
id: 'A',
position: 'left',
ticks: {{
beginAtZero:false,
}},
scaleLabel: {{
display: true,
labelString: '{1}'
}}
}},
{{
id: 'B',
position: 'right',
ticks: {{
beginAtZero:false,
}},
scaleLabel: {{
display: true,
labelString: '{2}'
}}
}}],
xAxes: [{{
ticks: {{
beginAtZero:false,
}},
scaleLabel: {{
display: true,
labelString: '{3}'
}}
}}]
}}
}}
}});
</script>
'''
CHART_DATA = '''
{{
label: '{0}',
fill:false,
data: {1},
borderColor:'{2}',
borderWidth: 1
}}
'''
MULTI_AXES_CHART_DATA = '''
{{
label: '{0}',
fill:false,
data: {1},
borderColor:'{2}',
borderWidth: 1,
yAxisID: {3}
}}
'''
|
"""Chart.js script."""
js_script = '\n/*!\n * Chart.js\n * http://chartjs.org/\n * Version: 2.7.1\n *\n * Copyright 2017 Nick Downie\n * Released under the MIT license\n * https://github.com/chartjs/Chart.js/blob/master/LICENSE.md\n */\n!function(t){if("object"==typeof exports&&"undefined"!=typeof module)module.exports=t();else if("function"==typeof define&&define.amd)define([],t);else{("undefined"!=typeof window?window:"undefined"!=typeof global?global:"undefined"!=typeof self?self:this).Chart=t()}}(function(){return function t(e,n,i){function a(o,s){if(!n[o]){if(!e[o]){var l="function"==typeof require&&require;if(!s&&l)return l(o,!0);if(r)return r(o,!0);var u=new Error("Cannot find module \'"+o+"\'");throw u.code="MODULE_NOT_FOUND",u}var d=n[o]={exports:{}};e[o][0].call(d.exports,function(t){var n=e[o][1][t];return a(n||t)},d,d.exports,t,e,n,i)}return n[o].exports}for(var r="function"==typeof require&&require,o=0;o<i.length;o++)a(i[o]);return a}({1:[function(t,e,n){function i(t){if(t){var e=[0,0,0],n=1,i=t.match(/^#([a-fA-F0-9]{3})$/i);if(i){i=i[1];for(a=0;a<e.length;a++)e[a]=parseInt(i[a]+i[a],16)}else if(i=t.match(/^#([a-fA-F0-9]{6})$/i)){i=i[1];for(a=0;a<e.length;a++)e[a]=parseInt(i.slice(2*a,2*a+2),16)}else if(i=t.match(/^rgba?\\(\\s*([+-]?\\d+)\\s*,\\s*([+-]?\\d+)\\s*,\\s*([+-]?\\d+)\\s*(?:,\\s*([+-]?[\\d\\.]+)\\s*)?\\)$/i)){for(a=0;a<e.length;a++)e[a]=parseInt(i[a+1]);n=parseFloat(i[4])}else if(i=t.match(/^rgba?\\(\\s*([+-]?[\\d\\.]+)\\%\\s*,\\s*([+-]?[\\d\\.]+)\\%\\s*,\\s*([+-]?[\\d\\.]+)\\%\\s*(?:,\\s*([+-]?[\\d\\.]+)\\s*)?\\)$/i)){for(a=0;a<e.length;a++)e[a]=Math.round(2.55*parseFloat(i[a+1]));n=parseFloat(i[4])}else if(i=t.match(/(\\w+)/)){if("transparent"==i[1])return[0,0,0,0];if(!(e=c[i[1]]))return}for(var a=0;a<e.length;a++)e[a]=u(e[a],0,255);return n=n||0==n?u(n,0,1):1,e[3]=n,e}}function a(t){if(t){var e=t.match(/^hsla?\\(\\s*([+-]?\\d+)(?:deg)?\\s*,\\s*([+-]?[\\d\\.]+)%\\s*,\\s*([+-]?[\\d\\.]+)%\\s*(?:,\\s*([+-]?[\\d\\.]+)\\s*)?\\)/);if(e){var n=parseFloat(e[4]);return[u(parseInt(e[1]),0,360),u(parseFloat(e[2]),0,100),u(parseFloat(e[3]),0,100),u(isNaN(n)?1:n,0,1)]}}}function r(t){if(t){var e=t.match(/^hwb\\(\\s*([+-]?\\d+)(?:deg)?\\s*,\\s*([+-]?[\\d\\.]+)%\\s*,\\s*([+-]?[\\d\\.]+)%\\s*(?:,\\s*([+-]?[\\d\\.]+)\\s*)?\\)/);if(e){var n=parseFloat(e[4]);return[u(parseInt(e[1]),0,360),u(parseFloat(e[2]),0,100),u(parseFloat(e[3]),0,100),u(isNaN(n)?1:n,0,1)]}}}function o(t,e){return void 0===e&&(e=void 0!==t[3]?t[3]:1),"rgba("+t[0]+", "+t[1]+", "+t[2]+", "+e+")"}function s(t,e){return"rgba("+Math.round(t[0]/255*100)+"%, "+Math.round(t[1]/255*100)+"%, "+Math.round(t[2]/255*100)+"%, "+(e||t[3]||1)+")"}function l(t,e){return void 0===e&&(e=void 0!==t[3]?t[3]:1),"hsla("+t[0]+", "+t[1]+"%, "+t[2]+"%, "+e+")"}function u(t,e,n){return Math.min(Math.max(e,t),n)}function d(t){var e=t.toString(16).toUpperCase();return e.length<2?"0"+e:e}var c=t(5);e.exports={getRgba:i,getHsla:a,getRgb:function(t){var e=i(t);return e&&e.slice(0,3)},getHsl:function(t){var e=a(t);return e&&e.slice(0,3)},getHwb:r,getAlpha:function(t){var e=i(t);return e?e[3]:(e=a(t))?e[3]:(e=r(t))?e[3]:void 0},hexString:function(t){return"#"+d(t[0])+d(t[1])+d(t[2])},rgbString:function(t,e){return e<1||t[3]&&t[3]<1?o(t,e):"rgb("+t[0]+", "+t[1]+", "+t[2]+")"},rgbaString:o,percentString:function(t,e){return e<1||t[3]&&t[3]<1?s(t,e):"rgb("+Math.round(t[0]/255*100)+"%, "+Math.round(t[1]/255*100)+"%, "+Math.round(t[2]/255*100)+"%)"},percentaString:s,hslString:function(t,e){return e<1||t[3]&&t[3]<1?l(t,e):"hsl("+t[0]+", "+t[1]+"%, "+t[2]+"%)"},hslaString:l,hwbString:function(t,e){return void 0===e&&(e=void 0!==t[3]?t[3]:1),"hwb("+t[0]+", "+t[1]+"%, "+t[2]+"%"+(void 0!==e&&1!==e?", "+e:"")+")"},keyword:function(t){return h[t.slice(0,3)]}};var h={};for(var f in c)h[c[f]]=f},{5:5}],2:[function(t,e,n){var i=t(4),a=t(1),r=function(t){if(t instanceof r)return t;if(!(this instanceof r))return new r(t);this.valid=!1,this.values={rgb:[0,0,0],hsl:[0,0,0],hsv:[0,0,0],hwb:[0,0,0],cmyk:[0,0,0,0],alpha:1};var e;"string"==typeof t?(e=a.getRgba(t))?this.setValues("rgb",e):(e=a.getHsla(t))?this.setValues("hsl",e):(e=a.getHwb(t))&&this.setValues("hwb",e):"object"==typeof t&&(void 0!==(e=t).r||void 0!==e.red?this.setValues("rgb",e):void 0!==e.l||void 0!==e.lightness?this.setValues("hsl",e):void 0!==e.v||void 0!==e.value?this.setValues("hsv",e):void 0!==e.w||void 0!==e.whiteness?this.setValues("hwb",e):void 0===e.c&&void 0===e.cyan||this.setValues("cmyk",e))};r.prototype={isValid:function(){return this.valid},rgb:function(){return this.setSpace("rgb",arguments)},hsl:function(){return this.setSpace("hsl",arguments)},hsv:function(){return this.setSpace("hsv",arguments)},hwb:function(){return this.setSpace("hwb",arguments)},cmyk:function(){return this.setSpace("cmyk",arguments)},rgbArray:function(){return this.values.rgb},hslArray:function(){return this.values.hsl},hsvArray:function(){return this.values.hsv},hwbArray:function(){var t=this.values;return 1!==t.alpha?t.hwb.concat([t.alpha]):t.hwb},cmykArray:function(){return this.values.cmyk},rgbaArray:function(){var t=this.values;return t.rgb.concat([t.alpha])},hslaArray:function(){var t=this.values;return t.hsl.concat([t.alpha])},alpha:function(t){return void 0===t?this.values.alpha:(this.setValues("alpha",t),this)},red:function(t){return this.setChannel("rgb",0,t)},green:function(t){return this.setChannel("rgb",1,t)},blue:function(t){return this.setChannel("rgb",2,t)},hue:function(t){return t&&(t=(t%=360)<0?360+t:t),this.setChannel("hsl",0,t)},saturation:function(t){return this.setChannel("hsl",1,t)},lightness:function(t){return this.setChannel("hsl",2,t)},saturationv:function(t){return this.setChannel("hsv",1,t)},whiteness:function(t){return this.setChannel("hwb",1,t)},blackness:function(t){return this.setChannel("hwb",2,t)},value:function(t){return this.setChannel("hsv",2,t)},cyan:function(t){return this.setChannel("cmyk",0,t)},magenta:function(t){return this.setChannel("cmyk",1,t)},yellow:function(t){return this.setChannel("cmyk",2,t)},black:function(t){return this.setChannel("cmyk",3,t)},hexString:function(){return a.hexString(this.values.rgb)},rgbString:function(){return a.rgbString(this.values.rgb,this.values.alpha)},rgbaString:function(){return a.rgbaString(this.values.rgb,this.values.alpha)},percentString:function(){return a.percentString(this.values.rgb,this.values.alpha)},hslString:function(){return a.hslString(this.values.hsl,this.values.alpha)},hslaString:function(){return a.hslaString(this.values.hsl,this.values.alpha)},hwbString:function(){return a.hwbString(this.values.hwb,this.values.alpha)},keyword:function(){return a.keyword(this.values.rgb,this.values.alpha)},rgbNumber:function(){var t=this.values.rgb;return t[0]<<16|t[1]<<8|t[2]},luminosity:function(){for(var t=this.values.rgb,e=[],n=0;n<t.length;n++){var i=t[n]/255;e[n]=i<=.03928?i/12.92:Math.pow((i+.055)/1.055,2.4)}return.2126*e[0]+.7152*e[1]+.0722*e[2]},contrast:function(t){var e=this.luminosity(),n=t.luminosity();return e>n?(e+.05)/(n+.05):(n+.05)/(e+.05)},level:function(t){var e=this.contrast(t);return e>=7.1?"AAA":e>=4.5?"AA":""},dark:function(){var t=this.values.rgb;return(299*t[0]+587*t[1]+114*t[2])/1e3<128},light:function(){return!this.dark()},negate:function(){for(var t=[],e=0;e<3;e++)t[e]=255-this.values.rgb[e];return this.setValues("rgb",t),this},lighten:function(t){var e=this.values.hsl;return e[2]+=e[2]*t,this.setValues("hsl",e),this},darken:function(t){var e=this.values.hsl;return e[2]-=e[2]*t,this.setValues("hsl",e),this},saturate:function(t){var e=this.values.hsl;return e[1]+=e[1]*t,this.setValues("hsl",e),this},desaturate:function(t){var e=this.values.hsl;return e[1]-=e[1]*t,this.setValues("hsl",e),this},whiten:function(t){var e=this.values.hwb;return e[1]+=e[1]*t,this.setValues("hwb",e),this},blacken:function(t){var e=this.values.hwb;return e[2]+=e[2]*t,this.setValues("hwb",e),this},greyscale:function(){var t=this.values.rgb,e=.3*t[0]+.59*t[1]+.11*t[2];return this.setValues("rgb",[e,e,e]),this},clearer:function(t){var e=this.values.alpha;return this.setValues("alpha",e-e*t),this},opaquer:function(t){var e=this.values.alpha;return this.setValues("alpha",e+e*t),this},rotate:function(t){var e=this.values.hsl,n=(e[0]+t)%360;return e[0]=n<0?360+n:n,this.setValues("hsl",e),this},mix:function(t,e){var n=this,i=t,a=void 0===e?.5:e,r=2*a-1,o=n.alpha()-i.alpha(),s=((r*o==-1?r:(r+o)/(1+r*o))+1)/2,l=1-s;return this.rgb(s*n.red()+l*i.red(),s*n.green()+l*i.green(),s*n.blue()+l*i.blue()).alpha(n.alpha()*a+i.alpha()*(1-a))},toJSON:function(){return this.rgb()},clone:function(){var t,e,n=new r,i=this.values,a=n.values;for(var o in i)i.hasOwnProperty(o)&&(t=i[o],"[object Array]"===(e={}.toString.call(t))?a[o]=t.slice(0):"[object Number]"===e?a[o]=t:console.error("unexpected color value:",t));return n}},r.prototype.spaces={rgb:["red","green","blue"],hsl:["hue","saturation","lightness"],hsv:["hue","saturation","value"],hwb:["hue","whiteness","blackness"],cmyk:["cyan","magenta","yellow","black"]},r.prototype.maxes={rgb:[255,255,255],hsl:[360,100,100],hsv:[360,100,100],hwb:[360,100,100],cmyk:[100,100,100,100]},r.prototype.getValues=function(t){for(var e=this.values,n={},i=0;i<t.length;i++)n[t.charAt(i)]=e[t][i];return 1!==e.alpha&&(n.a=e.alpha),n},r.prototype.setValues=function(t,e){var n,a=this.values,r=this.spaces,o=this.maxes,s=1;if(this.valid=!0,"alpha"===t)s=e;else if(e.length)a[t]=e.slice(0,t.length),s=e[t.length];else if(void 0!==e[t.charAt(0)]){for(n=0;n<t.length;n++)a[t][n]=e[t.charAt(n)];s=e.a}else if(void 0!==e[r[t][0]]){var l=r[t];for(n=0;n<t.length;n++)a[t][n]=e[l[n]];s=e.alpha}if(a.alpha=Math.max(0,Math.min(1,void 0===s?a.alpha:s)),"alpha"===t)return!1;var u;for(n=0;n<t.length;n++)u=Math.max(0,Math.min(o[t][n],a[t][n])),a[t][n]=Math.round(u);for(var d in r)d!==t&&(a[d]=i[t][d](a[t]));return!0},r.prototype.setSpace=function(t,e){var n=e[0];return void 0===n?this.getValues(t):("number"==typeof n&&(n=Array.prototype.slice.call(e)),this.setValues(t,n),this)},r.prototype.setChannel=function(t,e,n){var i=this.values[t];return void 0===n?i[e]:n===i[e]?this:(i[e]=n,this.setValues(t,i),this)},"undefined"!=typeof window&&(window.Color=r),e.exports=r},{1:1,4:4}],3:[function(t,e,n){function i(t){var e,n,i,a=t[0]/255,r=t[1]/255,o=t[2]/255,s=Math.min(a,r,o),l=Math.max(a,r,o),u=l-s;return l==s?e=0:a==l?e=(r-o)/u:r==l?e=2+(o-a)/u:o==l&&(e=4+(a-r)/u),(e=Math.min(60*e,360))<0&&(e+=360),i=(s+l)/2,n=l==s?0:i<=.5?u/(l+s):u/(2-l-s),[e,100*n,100*i]}function a(t){var e,n,i,a=t[0],r=t[1],o=t[2],s=Math.min(a,r,o),l=Math.max(a,r,o),u=l-s;return n=0==l?0:u/l*1e3/10,l==s?e=0:a==l?e=(r-o)/u:r==l?e=2+(o-a)/u:o==l&&(e=4+(a-r)/u),(e=Math.min(60*e,360))<0&&(e+=360),i=l/255*1e3/10,[e,n,i]}function o(t){var e=t[0],n=t[1],a=t[2];return[i(t)[0],100*(1/255*Math.min(e,Math.min(n,a))),100*(a=1-1/255*Math.max(e,Math.max(n,a)))]}function s(t){var e,n,i,a,r=t[0]/255,o=t[1]/255,s=t[2]/255;return a=Math.min(1-r,1-o,1-s),e=(1-r-a)/(1-a)||0,n=(1-o-a)/(1-a)||0,i=(1-s-a)/(1-a)||0,[100*e,100*n,100*i,100*a]}function l(t){return S[JSON.stringify(t)]}function u(t){var e=t[0]/255,n=t[1]/255,i=t[2]/255;return[100*(.4124*(e=e>.04045?Math.pow((e+.055)/1.055,2.4):e/12.92)+.3576*(n=n>.04045?Math.pow((n+.055)/1.055,2.4):n/12.92)+.1805*(i=i>.04045?Math.pow((i+.055)/1.055,2.4):i/12.92)),100*(.2126*e+.7152*n+.0722*i),100*(.0193*e+.1192*n+.9505*i)]}function d(t){var e,n,i,a=u(t),r=a[0],o=a[1],s=a[2];return r/=95.047,o/=100,s/=108.883,r=r>.008856?Math.pow(r,1/3):7.787*r+16/116,o=o>.008856?Math.pow(o,1/3):7.787*o+16/116,s=s>.008856?Math.pow(s,1/3):7.787*s+16/116,e=116*o-16,n=500*(r-o),i=200*(o-s),[e,n,i]}function c(t){var e,n,i,a,r,o=t[0]/360,s=t[1]/100,l=t[2]/100;if(0==s)return r=255*l,[r,r,r];e=2*l-(n=l<.5?l*(1+s):l+s-l*s),a=[0,0,0];for(var u=0;u<3;u++)(i=o+1/3*-(u-1))<0&&i++,i>1&&i--,r=6*i<1?e+6*(n-e)*i:2*i<1?n:3*i<2?e+(n-e)*(2/3-i)*6:e,a[u]=255*r;return a}function h(t){var e=t[0]/60,n=t[1]/100,i=t[2]/100,a=Math.floor(e)%6,r=e-Math.floor(e),o=255*i*(1-n),s=255*i*(1-n*r),l=255*i*(1-n*(1-r)),i=255*i;switch(a){case 0:return[i,l,o];case 1:return[s,i,o];case 2:return[o,i,l];case 3:return[o,s,i];case 4:return[l,o,i];case 5:return[i,o,s]}}function f(t){var e,n,i,a,o=t[0]/360,s=t[1]/100,l=t[2]/100,u=s+l;switch(u>1&&(s/=u,l/=u),e=Math.floor(6*o),n=1-l,i=6*o-e,0!=(1&e)&&(i=1-i),a=s+i*(n-s),e){default:case 6:case 0:r=n,g=a,b=s;break;case 1:r=a,g=n,b=s;break;case 2:r=s,g=n,b=a;break;case 3:r=s,g=a,b=n;break;case 4:r=a,g=s,b=n;break;case 5:r=n,g=s,b=a}return[255*r,255*g,255*b]}function m(t){var e,n,i,a=t[0]/100,r=t[1]/100,o=t[2]/100,s=t[3]/100;return e=1-Math.min(1,a*(1-s)+s),n=1-Math.min(1,r*(1-s)+s),i=1-Math.min(1,o*(1-s)+s),[255*e,255*n,255*i]}function p(t){var e,n,i,a=t[0]/100,r=t[1]/100,o=t[2]/100;return e=3.2406*a+-1.5372*r+-.4986*o,n=-.9689*a+1.8758*r+.0415*o,i=.0557*a+-.204*r+1.057*o,e=e>.0031308?1.055*Math.pow(e,1/2.4)-.055:e*=12.92,n=n>.0031308?1.055*Math.pow(n,1/2.4)-.055:n*=12.92,i=i>.0031308?1.055*Math.pow(i,1/2.4)-.055:i*=12.92,e=Math.min(Math.max(0,e),1),n=Math.min(Math.max(0,n),1),i=Math.min(Math.max(0,i),1),[255*e,255*n,255*i]}function v(t){var e,n,i,a=t[0],r=t[1],o=t[2];return a/=95.047,r/=100,o/=108.883,a=a>.008856?Math.pow(a,1/3):7.787*a+16/116,r=r>.008856?Math.pow(r,1/3):7.787*r+16/116,o=o>.008856?Math.pow(o,1/3):7.787*o+16/116,e=116*r-16,n=500*(a-r),i=200*(r-o),[e,n,i]}function y(t){var e,n,i,a,r=t[0],o=t[1],s=t[2];return r<=8?a=(n=100*r/903.3)/100*7.787+16/116:(n=100*Math.pow((r+16)/116,3),a=Math.pow(n/100,1/3)),e=e/95.047<=.008856?e=95.047*(o/500+a-16/116)/7.787:95.047*Math.pow(o/500+a,3),i=i/108.883<=.008859?i=108.883*(a-s/200-16/116)/7.787:108.883*Math.pow(a-s/200,3),[e,n,i]}function x(t){var e,n,i,a=t[0],r=t[1],o=t[2];return e=Math.atan2(o,r),(n=360*e/2/Math.PI)<0&&(n+=360),i=Math.sqrt(r*r+o*o),[a,i,n]}function _(t){return p(y(t))}function k(t){var e,n,i,a=t[0],r=t[1];return i=t[2]/360*2*Math.PI,e=r*Math.cos(i),n=r*Math.sin(i),[a,e,n]}function w(t){return M[t]}e.exports={rgb2hsl:i,rgb2hsv:a,rgb2hwb:o,rgb2cmyk:s,rgb2keyword:l,rgb2xyz:u,rgb2lab:d,rgb2lch:function(t){return x(d(t))},hsl2rgb:c,hsl2hsv:function(t){var e,n,i=t[0],a=t[1]/100,r=t[2]/100;return 0===r?[0,0,0]:(r*=2,a*=r<=1?r:2-r,n=(r+a)/2,e=2*a/(r+a),[i,100*e,100*n])},hsl2hwb:function(t){return o(c(t))},hsl2cmyk:function(t){return s(c(t))},hsl2keyword:function(t){return l(c(t))},hsv2rgb:h,hsv2hsl:function(t){var e,n,i=t[0],a=t[1]/100,r=t[2]/100;return n=(2-a)*r,e=a*r,e/=n<=1?n:2-n,e=e||0,n/=2,[i,100*e,100*n]},hsv2hwb:function(t){return o(h(t))},hsv2cmyk:function(t){return s(h(t))},hsv2keyword:function(t){return l(h(t))},hwb2rgb:f,hwb2hsl:function(t){return i(f(t))},hwb2hsv:function(t){return a(f(t))},hwb2cmyk:function(t){return s(f(t))},hwb2keyword:function(t){return l(f(t))},cmyk2rgb:m,cmyk2hsl:function(t){return i(m(t))},cmyk2hsv:function(t){return a(m(t))},cmyk2hwb:function(t){return o(m(t))},cmyk2keyword:function(t){return l(m(t))},keyword2rgb:w,keyword2hsl:function(t){return i(w(t))},keyword2hsv:function(t){return a(w(t))},keyword2hwb:function(t){return o(w(t))},keyword2cmyk:function(t){return s(w(t))},keyword2lab:function(t){return d(w(t))},keyword2xyz:function(t){return u(w(t))},xyz2rgb:p,xyz2lab:v,xyz2lch:function(t){return x(v(t))},lab2xyz:y,lab2rgb:_,lab2lch:x,lch2lab:k,lch2xyz:function(t){return y(k(t))},lch2rgb:function(t){return _(k(t))}};var M={aliceblue:[240,248,255],antiquewhite:[250,235,215],aqua:[0,255,255],aquamarine:[127,255,212],azure:[240,255,255],beige:[245,245,220],bisque:[255,228,196],black:[0,0,0],blanchedalmond:[255,235,205],blue:[0,0,255],blueviolet:[138,43,226],brown:[165,42,42],burlywood:[222,184,135],cadetblue:[95,158,160],chartreuse:[127,255,0],chocolate:[210,105,30],coral:[255,127,80],cornflowerblue:[100,149,237],cornsilk:[255,248,220],crimson:[220,20,60],cyan:[0,255,255],darkblue:[0,0,139],darkcyan:[0,139,139],darkgoldenrod:[184,134,11],darkgray:[169,169,169],darkgreen:[0,100,0],darkgrey:[169,169,169],darkkhaki:[189,183,107],darkmagenta:[139,0,139],darkolivegreen:[85,107,47],darkorange:[255,140,0],darkorchid:[153,50,204],darkred:[139,0,0],darksalmon:[233,150,122],darkseagreen:[143,188,143],darkslateblue:[72,61,139],darkslategray:[47,79,79],darkslategrey:[47,79,79],darkturquoise:[0,206,209],darkviolet:[148,0,211],deeppink:[255,20,147],deepskyblue:[0,191,255],dimgray:[105,105,105],dimgrey:[105,105,105],dodgerblue:[30,144,255],firebrick:[178,34,34],floralwhite:[255,250,240],forestgreen:[34,139,34],fuchsia:[255,0,255],gainsboro:[220,220,220],ghostwhite:[248,248,255],gold:[255,215,0],goldenrod:[218,165,32],gray:[128,128,128],green:[0,128,0],greenyellow:[173,255,47],grey:[128,128,128],honeydew:[240,255,240],hotpink:[255,105,180],indianred:[205,92,92],indigo:[75,0,130],ivory:[255,255,240],khaki:[240,230,140],lavender:[230,230,250],lavenderblush:[255,240,245],lawngreen:[124,252,0],lemonchiffon:[255,250,205],lightblue:[173,216,230],lightcoral:[240,128,128],lightcyan:[224,255,255],lightgoldenrodyellow:[250,250,210],lightgray:[211,211,211],lightgreen:[144,238,144],lightgrey:[211,211,211],lightpink:[255,182,193],lightsalmon:[255,160,122],lightseagreen:[32,178,170],lightskyblue:[135,206,250],lightslategray:[119,136,153],lightslategrey:[119,136,153],lightsteelblue:[176,196,222],lightyellow:[255,255,224],lime:[0,255,0],limegreen:[50,205,50],linen:[250,240,230],magenta:[255,0,255],maroon:[128,0,0],mediumaquamarine:[102,205,170],mediumblue:[0,0,205],mediumorchid:[186,85,211],mediumpurple:[147,112,219],mediumseagreen:[60,179,113],mediumslateblue:[123,104,238],mediumspringgreen:[0,250,154],mediumturquoise:[72,209,204],mediumvioletred:[199,21,133],midnightblue:[25,25,112],mintcream:[245,255,250],mistyrose:[255,228,225],moccasin:[255,228,181],navajowhite:[255,222,173],navy:[0,0,128],oldlace:[253,245,230],olive:[128,128,0],olivedrab:[107,142,35],orange:[255,165,0],orangered:[255,69,0],orchid:[218,112,214],palegoldenrod:[238,232,170],palegreen:[152,251,152],paleturquoise:[175,238,238],palevioletred:[219,112,147],papayawhip:[255,239,213],peachpuff:[255,218,185],peru:[205,133,63],pink:[255,192,203],plum:[221,160,221],powderblue:[176,224,230],purple:[128,0,128],rebeccapurple:[102,51,153],red:[255,0,0],rosybrown:[188,143,143],royalblue:[65,105,225],saddlebrown:[139,69,19],salmon:[250,128,114],sandybrown:[244,164,96],seagreen:[46,139,87],seashell:[255,245,238],sienna:[160,82,45],silver:[192,192,192],skyblue:[135,206,235],slateblue:[106,90,205],slategray:[112,128,144],slategrey:[112,128,144],snow:[255,250,250],springgreen:[0,255,127],steelblue:[70,130,180],tan:[210,180,140],teal:[0,128,128],thistle:[216,191,216],tomato:[255,99,71],turquoise:[64,224,208],violet:[238,130,238],wheat:[245,222,179],white:[255,255,255],whitesmoke:[245,245,245],yellow:[255,255,0],yellowgreen:[154,205,50]},S={};for(var D in M)S[JSON.stringify(M[D])]=D},{}],4:[function(t,e,n){var i=t(3),a=function(){return new u};for(var r in i){a[r+"Raw"]=function(t){return function(e){return"number"==typeof e&&(e=Array.prototype.slice.call(arguments)),i[t](e)}}(r);var o=/(\\w+)2(\\w+)/.exec(r),s=o[1],l=o[2];(a[s]=a[s]||{})[l]=a[r]=function(t){return function(e){"number"==typeof e&&(e=Array.prototype.slice.call(arguments));var n=i[t](e);if("string"==typeof n||void 0===n)return n;for(var a=0;a<n.length;a++)n[a]=Math.round(n[a]);return n}}(r)}var u=function(){this.convs={}};u.prototype.routeSpace=function(t,e){var n=e[0];return void 0===n?this.getValues(t):("number"==typeof n&&(n=Array.prototype.slice.call(e)),this.setValues(t,n))},u.prototype.setValues=function(t,e){return this.space=t,this.convs={},this.convs[t]=e,this},u.prototype.getValues=function(t){var e=this.convs[t];if(!e){var n=this.space,i=this.convs[n];e=a[n][t](i),this.convs[t]=e}return e},["rgb","hsl","hsv","cmyk","keyword"].forEach(function(t){u.prototype[t]=function(e){return this.routeSpace(t,arguments)}}),e.exports=a},{3:3}],5:[function(t,e,n){"use strict";e.exports={aliceblue:[240,248,255],antiquewhite:[250,235,215],aqua:[0,255,255],aquamarine:[127,255,212],azure:[240,255,255],beige:[245,245,220],bisque:[255,228,196],black:[0,0,0],blanchedalmond:[255,235,205],blue:[0,0,255],blueviolet:[138,43,226],brown:[165,42,42],burlywood:[222,184,135],cadetblue:[95,158,160],chartreuse:[127,255,0],chocolate:[210,105,30],coral:[255,127,80],cornflowerblue:[100,149,237],cornsilk:[255,248,220],crimson:[220,20,60],cyan:[0,255,255],darkblue:[0,0,139],darkcyan:[0,139,139],darkgoldenrod:[184,134,11],darkgray:[169,169,169],darkgreen:[0,100,0],darkgrey:[169,169,169],darkkhaki:[189,183,107],darkmagenta:[139,0,139],darkolivegreen:[85,107,47],darkorange:[255,140,0],darkorchid:[153,50,204],darkred:[139,0,0],darksalmon:[233,150,122],darkseagreen:[143,188,143],darkslateblue:[72,61,139],darkslategray:[47,79,79],darkslategrey:[47,79,79],darkturquoise:[0,206,209],darkviolet:[148,0,211],deeppink:[255,20,147],deepskyblue:[0,191,255],dimgray:[105,105,105],dimgrey:[105,105,105],dodgerblue:[30,144,255],firebrick:[178,34,34],floralwhite:[255,250,240],forestgreen:[34,139,34],fuchsia:[255,0,255],gainsboro:[220,220,220],ghostwhite:[248,248,255],gold:[255,215,0],goldenrod:[218,165,32],gray:[128,128,128],green:[0,128,0],greenyellow:[173,255,47],grey:[128,128,128],honeydew:[240,255,240],hotpink:[255,105,180],indianred:[205,92,92],indigo:[75,0,130],ivory:[255,255,240],khaki:[240,230,140],lavender:[230,230,250],lavenderblush:[255,240,245],lawngreen:[124,252,0],lemonchiffon:[255,250,205],lightblue:[173,216,230],lightcoral:[240,128,128],lightcyan:[224,255,255],lightgoldenrodyellow:[250,250,210],lightgray:[211,211,211],lightgreen:[144,238,144],lightgrey:[211,211,211],lightpink:[255,182,193],lightsalmon:[255,160,122],lightseagreen:[32,178,170],lightskyblue:[135,206,250],lightslategray:[119,136,153],lightslategrey:[119,136,153],lightsteelblue:[176,196,222],lightyellow:[255,255,224],lime:[0,255,0],limegreen:[50,205,50],linen:[250,240,230],magenta:[255,0,255],maroon:[128,0,0],mediumaquamarine:[102,205,170],mediumblue:[0,0,205],mediumorchid:[186,85,211],mediumpurple:[147,112,219],mediumseagreen:[60,179,113],mediumslateblue:[123,104,238],mediumspringgreen:[0,250,154],mediumturquoise:[72,209,204],mediumvioletred:[199,21,133],midnightblue:[25,25,112],mintcream:[245,255,250],mistyrose:[255,228,225],moccasin:[255,228,181],navajowhite:[255,222,173],navy:[0,0,128],oldlace:[253,245,230],olive:[128,128,0],olivedrab:[107,142,35],orange:[255,165,0],orangered:[255,69,0],orchid:[218,112,214],palegoldenrod:[238,232,170],palegreen:[152,251,152],paleturquoise:[175,238,238],palevioletred:[219,112,147],papayawhip:[255,239,213],peachpuff:[255,218,185],peru:[205,133,63],pink:[255,192,203],plum:[221,160,221],powderblue:[176,224,230],purple:[128,0,128],rebeccapurple:[102,51,153],red:[255,0,0],rosybrown:[188,143,143],royalblue:[65,105,225],saddlebrown:[139,69,19],salmon:[250,128,114],sandybrown:[244,164,96],seagreen:[46,139,87],seashell:[255,245,238],sienna:[160,82,45],silver:[192,192,192],skyblue:[135,206,235],slateblue:[106,90,205],slategray:[112,128,144],slategrey:[112,128,144],snow:[255,250,250],springgreen:[0,255,127],steelblue:[70,130,180],tan:[210,180,140],teal:[0,128,128],thistle:[216,191,216],tomato:[255,99,71],turquoise:[64,224,208],violet:[238,130,238],wheat:[245,222,179],white:[255,255,255],whitesmoke:[245,245,245],yellow:[255,255,0],yellowgreen:[154,205,50]}},{}],6:[function(t,e,n){!function(t,i){"object"==typeof n&&void 0!==e?e.exports=i():t.moment=i()}(this,function(){"use strict";function n(){return xe.apply(null,arguments)}function i(t){return t instanceof Array||"[object Array]"===Object.prototype.toString.call(t)}function a(t){return null!=t&&"[object Object]"===Object.prototype.toString.call(t)}function r(t){var e;for(e in t)return!1;return!0}function o(t){return void 0===t}function s(t){return"number"==typeof t||"[object Number]"===Object.prototype.toString.call(t)}function l(t){return t instanceof Date||"[object Date]"===Object.prototype.toString.call(t)}function u(t,e){var n,i=[];for(n=0;n<t.length;++n)i.push(e(t[n],n));return i}function d(t,e){return Object.prototype.hasOwnProperty.call(t,e)}function c(t,e){for(var n in e)d(e,n)&&(t[n]=e[n]);return d(e,"toString")&&(t.toString=e.toString),d(e,"valueOf")&&(t.valueOf=e.valueOf),t}function h(t,e,n,i){return Yt(t,e,n,i,!0).utc()}function f(){return{empty:!1,unusedTokens:[],unusedInput:[],overflow:-2,charsLeftOver:0,nullInput:!1,invalidMonth:null,invalidFormat:!1,userInvalidated:!1,iso:!1,parsedDateParts:[],meridiem:null,rfc2822:!1,weekdayMismatch:!1}}function g(t){return null==t._pf&&(t._pf=f()),t._pf}function m(t){if(null==t._isValid){var e=g(t),n=ke.call(e.parsedDateParts,function(t){return null!=t}),i=!isNaN(t._d.getTime())&&e.overflow<0&&!e.empty&&!e.invalidMonth&&!e.invalidWeekday&&!e.nullInput&&!e.invalidFormat&&!e.userInvalidated&&(!e.meridiem||e.meridiem&&n);if(t._strict&&(i=i&&0===e.charsLeftOver&&0===e.unusedTokens.length&&void 0===e.bigHour),null!=Object.isFrozen&&Object.isFrozen(t))return i;t._isValid=i}return t._isValid}function p(t){var e=h(NaN);return null!=t?c(g(e),t):g(e).userInvalidated=!0,e}function v(t,e){var n,i,a;if(o(e._isAMomentObject)||(t._isAMomentObject=e._isAMomentObject),o(e._i)||(t._i=e._i),o(e._f)||(t._f=e._f),o(e._l)||(t._l=e._l),o(e._strict)||(t._strict=e._strict),o(e._tzm)||(t._tzm=e._tzm),o(e._isUTC)||(t._isUTC=e._isUTC),o(e._offset)||(t._offset=e._offset),o(e._pf)||(t._pf=g(e)),o(e._locale)||(t._locale=e._locale),we.length>0)for(n=0;n<we.length;n++)o(a=e[i=we[n]])||(t[i]=a);return t}function y(t){v(this,t),this._d=new Date(null!=t._d?t._d.getTime():NaN),this.isValid()||(this._d=new Date(NaN)),!1===Me&&(Me=!0,n.updateOffset(this),Me=!1)}function b(t){return t instanceof y||null!=t&&null!=t._isAMomentObject}function x(t){return t<0?Math.ceil(t)||0:Math.floor(t)}function _(t){var e=+t,n=0;return 0!==e&&isFinite(e)&&(n=x(e)),n}function k(t,e,n){var i,a=Math.min(t.length,e.length),r=Math.abs(t.length-e.length),o=0;for(i=0;i<a;i++)(n&&t[i]!==e[i]||!n&&_(t[i])!==_(e[i]))&&o++;return o+r}function w(t){!1===n.suppressDeprecationWarnings&&"undefined"!=typeof console&&console.warn&&console.warn("Deprecation warning: "+t)}function M(t,e){var i=!0;return c(function(){if(null!=n.deprecationHandler&&n.deprecationHandler(null,t),i){for(var a,r=[],o=0;o<arguments.length;o++){if(a="","object"==typeof arguments[o]){a+="\\n["+o+"] ";for(var s in arguments[0])a+=s+": "+arguments[0][s]+", ";a=a.slice(0,-2)}else a=arguments[o];r.push(a)}w(t+"\\nArguments: "+Array.prototype.slice.call(r).join("")+"\\n"+(new Error).stack),i=!1}return e.apply(this,arguments)},e)}function S(t,e){null!=n.deprecationHandler&&n.deprecationHandler(t,e),Se[t]||(w(e),Se[t]=!0)}function D(t){return t instanceof Function||"[object Function]"===Object.prototype.toString.call(t)}function C(t,e){var n,i=c({},t);for(n in e)d(e,n)&&(a(t[n])&&a(e[n])?(i[n]={},c(i[n],t[n]),c(i[n],e[n])):null!=e[n]?i[n]=e[n]:delete i[n]);for(n in t)d(t,n)&&!d(e,n)&&a(t[n])&&(i[n]=c({},i[n]));return i}function P(t){null!=t&&this.set(t)}function T(t,e){var n=t.toLowerCase();Te[n]=Te[n+"s"]=Te[e]=t}function A(t){return"string"==typeof t?Te[t]||Te[t.toLowerCase()]:void 0}function I(t){var e,n,i={};for(n in t)d(t,n)&&(e=A(n))&&(i[e]=t[n]);return i}function O(t,e){Ae[t]=e}function F(t){var e=[];for(var n in t)e.push({unit:n,priority:Ae[n]});return e.sort(function(t,e){return t.priority-e.priority}),e}function R(t,e){return function(i){return null!=i?(W(this,t,i),n.updateOffset(this,e),this):L(this,t)}}function L(t,e){return t.isValid()?t._d["get"+(t._isUTC?"UTC":"")+e]():NaN}function W(t,e,n){t.isValid()&&t._d["set"+(t._isUTC?"UTC":"")+e](n)}function Y(t,e,n){var i=""+Math.abs(t),a=e-i.length;return(t>=0?n?"+":"":"-")+Math.pow(10,Math.max(0,a)).toString().substr(1)+i}function N(t,e,n,i){var a=i;"string"==typeof i&&(a=function(){return this[i]()}),t&&(Re[t]=a),e&&(Re[e[0]]=function(){return Y(a.apply(this,arguments),e[1],e[2])}),n&&(Re[n]=function(){return this.localeData().ordinal(a.apply(this,arguments),t)})}function z(t){return t.match(/\\[[\\s\\S]/)?t.replace(/^\\[|\\]$/g,""):t.replace(/\\\\/g,"")}function B(t){var e,n,i=t.match(Ie);for(e=0,n=i.length;e<n;e++)Re[i[e]]?i[e]=Re[i[e]]:i[e]=z(i[e]);return function(e){var a,r="";for(a=0;a<n;a++)r+=D(i[a])?i[a].call(e,t):i[a];return r}}function V(t,e){return t.isValid()?(e=H(e,t.localeData()),Fe[e]=Fe[e]||B(e),Fe[e](t)):t.localeData().invalidDate()}function H(t,e){var n=5;for(Oe.lastIndex=0;n>=0&&Oe.test(t);)t=t.replace(Oe,function(t){return e.longDateFormat(t)||t}),Oe.lastIndex=0,n-=1;return t}function E(t,e,n){Ke[t]=D(e)?e:function(t,i){return t&&n?n:e}}function j(t,e){return d(Ke,t)?Ke[t](e._strict,e._locale):new RegExp(U(t))}function U(t){return q(t.replace("\\\\","").replace(/\\\\(\\[)|\\\\(\\])|\\[([^\\]\\[]*)\\]|\\\\(.)/g,function(t,e,n,i,a){return e||n||i||a}))}function q(t){return t.replace(/[-\\/\\\\^$*+?.()|[\\]{}]/g,"\\\\$&")}function G(t,e){var n,i=e;for("string"==typeof t&&(t=[t]),s(e)&&(i=function(t,n){n[e]=_(t)}),n=0;n<t.length;n++)Qe[t[n]]=i}function Z(t,e){G(t,function(t,n,i,a){i._w=i._w||{},e(t,i._w,i,a)})}function X(t,e,n){null!=e&&d(Qe,t)&&Qe[t](e,n._a,n,t)}function J(t,e){return new Date(Date.UTC(t,e+1,0)).getUTCDate()}function K(t,e,n){var i,a,r,o=t.toLocaleLowerCase();if(!this._monthsParse)for(this._monthsParse=[],this._longMonthsParse=[],this._shortMonthsParse=[],i=0;i<12;++i)r=h([2e3,i]),this._shortMonthsParse[i]=this.monthsShort(r,"").toLocaleLowerCase(),this._longMonthsParse[i]=this.months(r,"").toLocaleLowerCase();return n?"MMM"===e?-1!==(a=un.call(this._shortMonthsParse,o))?a:null:-1!==(a=un.call(this._longMonthsParse,o))?a:null:"MMM"===e?-1!==(a=un.call(this._shortMonthsParse,o))?a:-1!==(a=un.call(this._longMonthsParse,o))?a:null:-1!==(a=un.call(this._longMonthsParse,o))?a:-1!==(a=un.call(this._shortMonthsParse,o))?a:null}function Q(t,e){var n;if(!t.isValid())return t;if("string"==typeof e)if(/^\\d+$/.test(e))e=_(e);else if(e=t.localeData().monthsParse(e),!s(e))return t;return n=Math.min(t.date(),J(t.year(),e)),t._d["set"+(t._isUTC?"UTC":"")+"Month"](e,n),t}function $(t){return null!=t?(Q(this,t),n.updateOffset(this,!0),this):L(this,"Month")}function tt(){function t(t,e){return e.length-t.length}var e,n,i=[],a=[],r=[];for(e=0;e<12;e++)n=h([2e3,e]),i.push(this.monthsShort(n,"")),a.push(this.months(n,"")),r.push(this.months(n,"")),r.push(this.monthsShort(n,""));for(i.sort(t),a.sort(t),r.sort(t),e=0;e<12;e++)i[e]=q(i[e]),a[e]=q(a[e]);for(e=0;e<24;e++)r[e]=q(r[e]);this._monthsRegex=new RegExp("^("+r.join("|")+")","i"),this._monthsShortRegex=this._monthsRegex,this._monthsStrictRegex=new RegExp("^("+a.join("|")+")","i"),this._monthsShortStrictRegex=new RegExp("^("+i.join("|")+")","i")}function et(t){return nt(t)?366:365}function nt(t){return t%4==0&&t%100!=0||t%400==0}function it(t,e,n,i,a,r,o){var s=new Date(t,e,n,i,a,r,o);return t<100&&t>=0&&isFinite(s.getFullYear())&&s.setFullYear(t),s}function at(t){var e=new Date(Date.UTC.apply(null,arguments));return t<100&&t>=0&&isFinite(e.getUTCFullYear())&&e.setUTCFullYear(t),e}function rt(t,e,n){var i=7+e-n;return-((7+at(t,0,i).getUTCDay()-e)%7)+i-1}function ot(t,e,n,i,a){var r,o,s=1+7*(e-1)+(7+n-i)%7+rt(t,i,a);return s<=0?o=et(r=t-1)+s:s>et(t)?(r=t+1,o=s-et(t)):(r=t,o=s),{year:r,dayOfYear:o}}function st(t,e,n){var i,a,r=rt(t.year(),e,n),o=Math.floor((t.dayOfYear()-r-1)/7)+1;return o<1?i=o+lt(a=t.year()-1,e,n):o>lt(t.year(),e,n)?(i=o-lt(t.year(),e,n),a=t.year()+1):(a=t.year(),i=o),{week:i,year:a}}function lt(t,e,n){var i=rt(t,e,n),a=rt(t+1,e,n);return(et(t)-i+a)/7}function ut(t,e){return"string"!=typeof t?t:isNaN(t)?"number"==typeof(t=e.weekdaysParse(t))?t:null:parseInt(t,10)}function dt(t,e){return"string"==typeof t?e.weekdaysParse(t)%7||7:isNaN(t)?null:t}function ct(t,e,n){var i,a,r,o=t.toLocaleLowerCase();if(!this._weekdaysParse)for(this._weekdaysParse=[],this._shortWeekdaysParse=[],this._minWeekdaysParse=[],i=0;i<7;++i)r=h([2e3,1]).day(i),this._minWeekdaysParse[i]=this.weekdaysMin(r,"").toLocaleLowerCase(),this._shortWeekdaysParse[i]=this.weekdaysShort(r,"").toLocaleLowerCase(),this._weekdaysParse[i]=this.weekdays(r,"").toLocaleLowerCase();return n?"dddd"===e?-1!==(a=un.call(this._weekdaysParse,o))?a:null:"ddd"===e?-1!==(a=un.call(this._shortWeekdaysParse,o))?a:null:-1!==(a=un.call(this._minWeekdaysParse,o))?a:null:"dddd"===e?-1!==(a=un.call(this._weekdaysParse,o))?a:-1!==(a=un.call(this._shortWeekdaysParse,o))?a:-1!==(a=un.call(this._minWeekdaysParse,o))?a:null:"ddd"===e?-1!==(a=un.call(this._shortWeekdaysParse,o))?a:-1!==(a=un.call(this._weekdaysParse,o))?a:-1!==(a=un.call(this._minWeekdaysParse,o))?a:null:-1!==(a=un.call(this._minWeekdaysParse,o))?a:-1!==(a=un.call(this._weekdaysParse,o))?a:-1!==(a=un.call(this._shortWeekdaysParse,o))?a:null}function ht(){function t(t,e){return e.length-t.length}var e,n,i,a,r,o=[],s=[],l=[],u=[];for(e=0;e<7;e++)n=h([2e3,1]).day(e),i=this.weekdaysMin(n,""),a=this.weekdaysShort(n,""),r=this.weekdays(n,""),o.push(i),s.push(a),l.push(r),u.push(i),u.push(a),u.push(r);for(o.sort(t),s.sort(t),l.sort(t),u.sort(t),e=0;e<7;e++)s[e]=q(s[e]),l[e]=q(l[e]),u[e]=q(u[e]);this._weekdaysRegex=new RegExp("^("+u.join("|")+")","i"),this._weekdaysShortRegex=this._weekdaysRegex,this._weekdaysMinRegex=this._weekdaysRegex,this._weekdaysStrictRegex=new RegExp("^("+l.join("|")+")","i"),this._weekdaysShortStrictRegex=new RegExp("^("+s.join("|")+")","i"),this._weekdaysMinStrictRegex=new RegExp("^("+o.join("|")+")","i")}function ft(){return this.hours()%12||12}function gt(t,e){N(t,0,0,function(){return this.localeData().meridiem(this.hours(),this.minutes(),e)})}function mt(t,e){return e._meridiemParse}function pt(t){return t?t.toLowerCase().replace("_","-"):t}function vt(t){for(var e,n,i,a,r=0;r<t.length;){for(e=(a=pt(t[r]).split("-")).length,n=(n=pt(t[r+1]))?n.split("-"):null;e>0;){if(i=yt(a.slice(0,e).join("-")))return i;if(n&&n.length>=e&&k(a,n,!0)>=e-1)break;e--}r++}return null}function yt(n){var i=null;if(!Sn[n]&&void 0!==e&&e&&e.exports)try{i=kn._abbr,t("./locale/"+n),bt(i)}catch(t){}return Sn[n]}function bt(t,e){var n;return t&&(n=o(e)?_t(t):xt(t,e))&&(kn=n),kn._abbr}function xt(t,e){if(null!==e){var n=Mn;if(e.abbr=t,null!=Sn[t])S("defineLocaleOverride","use moment.updateLocale(localeName, config) to change an existing locale. moment.defineLocale(localeName, config) should only be used for creating a new locale See http://momentjs.com/guides/#/warnings/define-locale/ for more info."),n=Sn[t]._config;else if(null!=e.parentLocale){if(null==Sn[e.parentLocale])return Dn[e.parentLocale]||(Dn[e.parentLocale]=[]),Dn[e.parentLocale].push({name:t,config:e}),null;n=Sn[e.parentLocale]._config}return Sn[t]=new P(C(n,e)),Dn[t]&&Dn[t].forEach(function(t){xt(t.name,t.config)}),bt(t),Sn[t]}return delete Sn[t],null}function _t(t){var e;if(t&&t._locale&&t._locale._abbr&&(t=t._locale._abbr),!t)return kn;if(!i(t)){if(e=yt(t))return e;t=[t]}return vt(t)}function kt(t){var e,n=t._a;return n&&-2===g(t).overflow&&(e=n[tn]<0||n[tn]>11?tn:n[en]<1||n[en]>J(n[$e],n[tn])?en:n[nn]<0||n[nn]>24||24===n[nn]&&(0!==n[an]||0!==n[rn]||0!==n[on])?nn:n[an]<0||n[an]>59?an:n[rn]<0||n[rn]>59?rn:n[on]<0||n[on]>999?on:-1,g(t)._overflowDayOfYear&&(e<$e||e>en)&&(e=en),g(t)._overflowWeeks&&-1===e&&(e=sn),g(t)._overflowWeekday&&-1===e&&(e=ln),g(t).overflow=e),t}function wt(t){var e,n,i,a,r,o,s=t._i,l=Cn.exec(s)||Pn.exec(s);if(l){for(g(t).iso=!0,e=0,n=An.length;e<n;e++)if(An[e][1].exec(l[1])){a=An[e][0],i=!1!==An[e][2];break}if(null==a)return void(t._isValid=!1);if(l[3]){for(e=0,n=In.length;e<n;e++)if(In[e][1].exec(l[3])){r=(l[2]||" ")+In[e][0];break}if(null==r)return void(t._isValid=!1)}if(!i&&null!=r)return void(t._isValid=!1);if(l[4]){if(!Tn.exec(l[4]))return void(t._isValid=!1);o="Z"}t._f=a+(r||"")+(o||""),At(t)}else t._isValid=!1}function Mt(t){var e,n,i,a,r,o,s,l,u={" GMT":" +0000"," EDT":" -0400"," EST":" -0500"," CDT":" -0500"," CST":" -0600"," MDT":" -0600"," MST":" -0700"," PDT":" -0700"," PST":" -0800"};if(e=t._i.replace(/\\([^\\)]*\\)|[\\n\\t]/g," ").replace(/(\\s\\s+)/g," ").replace(/^\\s|\\s$/g,""),n=Fn.exec(e)){if(i=n[1]?"ddd"+(5===n[1].length?", ":" "):"",a="D MMM "+(n[2].length>10?"YYYY ":"YY "),r="HH:mm"+(n[4]?":ss":""),n[1]){var d=["Sun","Mon","Tue","Wed","Thu","Fri","Sat"][new Date(n[2]).getDay()];if(n[1].substr(0,3)!==d)return g(t).weekdayMismatch=!0,void(t._isValid=!1)}switch(n[5].length){case 2:s=0===l?" +0000":((l="YXWVUTSRQPONZABCDEFGHIKLM".indexOf(n[5][1].toUpperCase())-12)<0?" -":" +")+(""+l).replace(/^-?/,"0").match(/..$/)[0]+"00";break;case 4:s=u[n[5]];break;default:s=u[" GMT"]}n[5]=s,t._i=n.splice(1).join(""),o=" ZZ",t._f=i+a+r+o,At(t),g(t).rfc2822=!0}else t._isValid=!1}function St(t){var e=On.exec(t._i);null===e?(wt(t),!1===t._isValid&&(delete t._isValid,Mt(t),!1===t._isValid&&(delete t._isValid,n.createFromInputFallback(t)))):t._d=new Date(+e[1])}function Dt(t,e,n){return null!=t?t:null!=e?e:n}function Ct(t){var e=new Date(n.now());return t._useUTC?[e.getUTCFullYear(),e.getUTCMonth(),e.getUTCDate()]:[e.getFullYear(),e.getMonth(),e.getDate()]}function Pt(t){var e,n,i,a,r=[];if(!t._d){for(i=Ct(t),t._w&&null==t._a[en]&&null==t._a[tn]&&Tt(t),null!=t._dayOfYear&&(a=Dt(t._a[$e],i[$e]),(t._dayOfYear>et(a)||0===t._dayOfYear)&&(g(t)._overflowDayOfYear=!0),n=at(a,0,t._dayOfYear),t._a[tn]=n.getUTCMonth(),t._a[en]=n.getUTCDate()),e=0;e<3&&null==t._a[e];++e)t._a[e]=r[e]=i[e];for(;e<7;e++)t._a[e]=r[e]=null==t._a[e]?2===e?1:0:t._a[e];24===t._a[nn]&&0===t._a[an]&&0===t._a[rn]&&0===t._a[on]&&(t._nextDay=!0,t._a[nn]=0),t._d=(t._useUTC?at:it).apply(null,r),null!=t._tzm&&t._d.setUTCMinutes(t._d.getUTCMinutes()-t._tzm),t._nextDay&&(t._a[nn]=24)}}function Tt(t){var e,n,i,a,r,o,s,l;if(null!=(e=t._w).GG||null!=e.W||null!=e.E)r=1,o=4,n=Dt(e.GG,t._a[$e],st(Nt(),1,4).year),i=Dt(e.W,1),((a=Dt(e.E,1))<1||a>7)&&(l=!0);else{r=t._locale._week.dow,o=t._locale._week.doy;var u=st(Nt(),r,o);n=Dt(e.gg,t._a[$e],u.year),i=Dt(e.w,u.week),null!=e.d?((a=e.d)<0||a>6)&&(l=!0):null!=e.e?(a=e.e+r,(e.e<0||e.e>6)&&(l=!0)):a=r}i<1||i>lt(n,r,o)?g(t)._overflowWeeks=!0:null!=l?g(t)._overflowWeekday=!0:(s=ot(n,i,a,r,o),t._a[$e]=s.year,t._dayOfYear=s.dayOfYear)}function At(t){if(t._f!==n.ISO_8601)if(t._f!==n.RFC_2822){t._a=[],g(t).empty=!0;var e,i,a,r,o,s=""+t._i,l=s.length,u=0;for(a=H(t._f,t._locale).match(Ie)||[],e=0;e<a.length;e++)r=a[e],(i=(s.match(j(r,t))||[])[0])&&((o=s.substr(0,s.indexOf(i))).length>0&&g(t).unusedInput.push(o),s=s.slice(s.indexOf(i)+i.length),u+=i.length),Re[r]?(i?g(t).empty=!1:g(t).unusedTokens.push(r),X(r,i,t)):t._strict&&!i&&g(t).unusedTokens.push(r);g(t).charsLeftOver=l-u,s.length>0&&g(t).unusedInput.push(s),t._a[nn]<=12&&!0===g(t).bigHour&&t._a[nn]>0&&(g(t).bigHour=void 0),g(t).parsedDateParts=t._a.slice(0),g(t).meridiem=t._meridiem,t._a[nn]=It(t._locale,t._a[nn],t._meridiem),Pt(t),kt(t)}else Mt(t);else wt(t)}function It(t,e,n){var i;return null==n?e:null!=t.meridiemHour?t.meridiemHour(e,n):null!=t.isPM?((i=t.isPM(n))&&e<12&&(e+=12),i||12!==e||(e=0),e):e}function Ot(t){var e,n,i,a,r;if(0===t._f.length)return g(t).invalidFormat=!0,void(t._d=new Date(NaN));for(a=0;a<t._f.length;a++)r=0,e=v({},t),null!=t._useUTC&&(e._useUTC=t._useUTC),e._f=t._f[a],At(e),m(e)&&(r+=g(e).charsLeftOver,r+=10*g(e).unusedTokens.length,g(e).score=r,(null==i||r<i)&&(i=r,n=e));c(t,n||e)}function Ft(t){if(!t._d){var e=I(t._i);t._a=u([e.year,e.month,e.day||e.date,e.hour,e.minute,e.second,e.millisecond],function(t){return t&&parseInt(t,10)}),Pt(t)}}function Rt(t){var e=new y(kt(Lt(t)));return e._nextDay&&(e.add(1,"d"),e._nextDay=void 0),e}function Lt(t){var e=t._i,n=t._f;return t._locale=t._locale||_t(t._l),null===e||void 0===n&&""===e?p({nullInput:!0}):("string"==typeof e&&(t._i=e=t._locale.preparse(e)),b(e)?new y(kt(e)):(l(e)?t._d=e:i(n)?Ot(t):n?At(t):Wt(t),m(t)||(t._d=null),t))}function Wt(t){var e=t._i;o(e)?t._d=new Date(n.now()):l(e)?t._d=new Date(e.valueOf()):"string"==typeof e?St(t):i(e)?(t._a=u(e.slice(0),function(t){return parseInt(t,10)}),Pt(t)):a(e)?Ft(t):s(e)?t._d=new Date(e):n.createFromInputFallback(t)}function Yt(t,e,n,o,s){var l={};return!0!==n&&!1!==n||(o=n,n=void 0),(a(t)&&r(t)||i(t)&&0===t.length)&&(t=void 0),l._isAMomentObject=!0,l._useUTC=l._isUTC=s,l._l=n,l._i=t,l._f=e,l._strict=o,Rt(l)}function Nt(t,e,n,i){return Yt(t,e,n,i,!1)}function zt(t,e){var n,a;if(1===e.length&&i(e[0])&&(e=e[0]),!e.length)return Nt();for(n=e[0],a=1;a<e.length;++a)e[a].isValid()&&!e[a][t](n)||(n=e[a]);return n}function Bt(t){for(var e in t)if(-1===Wn.indexOf(e)||null!=t[e]&&isNaN(t[e]))return!1;for(var n=!1,i=0;i<Wn.length;++i)if(t[Wn[i]]){if(n)return!1;parseFloat(t[Wn[i]])!==_(t[Wn[i]])&&(n=!0)}return!0}function Vt(t){var e=I(t),n=e.year||0,i=e.quarter||0,a=e.month||0,r=e.week||0,o=e.day||0,s=e.hour||0,l=e.minute||0,u=e.second||0,d=e.millisecond||0;this._isValid=Bt(e),this._milliseconds=+d+1e3*u+6e4*l+1e3*s*60*60,this._days=+o+7*r,this._months=+a+3*i+12*n,this._data={},this._locale=_t(),this._bubble()}function Ht(t){return t instanceof Vt}function Et(t){return t<0?-1*Math.round(-1*t):Math.round(t)}function jt(t,e){N(t,0,0,function(){var t=this.utcOffset(),n="+";return t<0&&(t=-t,n="-"),n+Y(~~(t/60),2)+e+Y(~~t%60,2)})}function Ut(t,e){var n=(e||"").match(t);if(null===n)return null;var i=((n[n.length-1]||[])+"").match(Yn)||["-",0,0],a=60*i[1]+_(i[2]);return 0===a?0:"+"===i[0]?a:-a}function qt(t,e){var i,a;return e._isUTC?(i=e.clone(),a=(b(t)||l(t)?t.valueOf():Nt(t).valueOf())-i.valueOf(),i._d.setTime(i._d.valueOf()+a),n.updateOffset(i,!1),i):Nt(t).local()}function Gt(t){return 15*-Math.round(t._d.getTimezoneOffset()/15)}function Zt(){return!!this.isValid()&&(this._isUTC&&0===this._offset)}function Xt(t,e){var n,i,a,r=t,o=null;return Ht(t)?r={ms:t._milliseconds,d:t._days,M:t._months}:s(t)?(r={},e?r[e]=t:r.milliseconds=t):(o=Nn.exec(t))?(n="-"===o[1]?-1:1,r={y:0,d:_(o[en])*n,h:_(o[nn])*n,m:_(o[an])*n,s:_(o[rn])*n,ms:_(Et(1e3*o[on]))*n}):(o=zn.exec(t))?(n="-"===o[1]?-1:1,r={y:Jt(o[2],n),M:Jt(o[3],n),w:Jt(o[4],n),d:Jt(o[5],n),h:Jt(o[6],n),m:Jt(o[7],n),s:Jt(o[8],n)}):null==r?r={}:"object"==typeof r&&("from"in r||"to"in r)&&(a=Qt(Nt(r.from),Nt(r.to)),(r={}).ms=a.milliseconds,r.M=a.months),i=new Vt(r),Ht(t)&&d(t,"_locale")&&(i._locale=t._locale),i}function Jt(t,e){var n=t&&parseFloat(t.replace(",","."));return(isNaN(n)?0:n)*e}function Kt(t,e){var n={milliseconds:0,months:0};return n.months=e.month()-t.month()+12*(e.year()-t.year()),t.clone().add(n.months,"M").isAfter(e)&&--n.months,n.milliseconds=+e-+t.clone().add(n.months,"M"),n}function Qt(t,e){var n;return t.isValid()&&e.isValid()?(e=qt(e,t),t.isBefore(e)?n=Kt(t,e):((n=Kt(e,t)).milliseconds=-n.milliseconds,n.months=-n.months),n):{milliseconds:0,months:0}}function $t(t,e){return function(n,i){var a,r;return null===i||isNaN(+i)||(S(e,"moment()."+e+"(period, number) is deprecated. Please use moment()."+e+"(number, period). See http://momentjs.com/guides/#/warnings/add-inverted-param/ for more info."),r=n,n=i,i=r),n="string"==typeof n?+n:n,a=Xt(n,i),te(this,a,t),this}}function te(t,e,i,a){var r=e._milliseconds,o=Et(e._days),s=Et(e._months);t.isValid()&&(a=null==a||a,r&&t._d.setTime(t._d.valueOf()+r*i),o&&W(t,"Date",L(t,"Date")+o*i),s&&Q(t,L(t,"Month")+s*i),a&&n.updateOffset(t,o||s))}function ee(t,e){var n,i=12*(e.year()-t.year())+(e.month()-t.month()),a=t.clone().add(i,"months");return n=e-a<0?(e-a)/(a-t.clone().add(i-1,"months")):(e-a)/(t.clone().add(i+1,"months")-a),-(i+n)||0}function ne(t){var e;return void 0===t?this._locale._abbr:(null!=(e=_t(t))&&(this._locale=e),this)}function ie(){return this._locale}function ae(t,e){N(0,[t,t.length],0,e)}function re(t,e,n,i,a){var r;return null==t?st(this,i,a).year:(r=lt(t,i,a),e>r&&(e=r),oe.call(this,t,e,n,i,a))}function oe(t,e,n,i,a){var r=ot(t,e,n,i,a),o=at(r.year,0,r.dayOfYear);return this.year(o.getUTCFullYear()),this.month(o.getUTCMonth()),this.date(o.getUTCDate()),this}function se(t){return t}function le(t,e,n,i){var a=_t(),r=h().set(i,e);return a[n](r,t)}function ue(t,e,n){if(s(t)&&(e=t,t=void 0),t=t||"",null!=e)return le(t,e,n,"month");var i,a=[];for(i=0;i<12;i++)a[i]=le(t,i,n,"month");return a}function de(t,e,n,i){"boolean"==typeof t?(s(e)&&(n=e,e=void 0),e=e||""):(n=e=t,t=!1,s(e)&&(n=e,e=void 0),e=e||"");var a=_t(),r=t?a._week.dow:0;if(null!=n)return le(e,(n+r)%7,i,"day");var o,l=[];for(o=0;o<7;o++)l[o]=le(e,(o+r)%7,i,"day");return l}function ce(t,e,n,i){var a=Xt(e,n);return t._milliseconds+=i*a._milliseconds,t._days+=i*a._days,t._months+=i*a._months,t._bubble()}function he(t){return t<0?Math.floor(t):Math.ceil(t)}function fe(t){return 4800*t/146097}function ge(t){return 146097*t/4800}function me(t){return function(){return this.as(t)}}function pe(t){return function(){return this.isValid()?this._data[t]:NaN}}function ve(t,e,n,i,a){return a.relativeTime(e||1,!!n,t,i)}function ye(t,e,n){var i=Xt(t).abs(),a=hi(i.as("s")),r=hi(i.as("m")),o=hi(i.as("h")),s=hi(i.as("d")),l=hi(i.as("M")),u=hi(i.as("y")),d=a<=fi.ss&&["s",a]||a<fi.s&&["ss",a]||r<=1&&["m"]||r<fi.m&&["mm",r]||o<=1&&["h"]||o<fi.h&&["hh",o]||s<=1&&["d"]||s<fi.d&&["dd",s]||l<=1&&["M"]||l<fi.M&&["MM",l]||u<=1&&["y"]||["yy",u];return d[2]=e,d[3]=+t>0,d[4]=n,ve.apply(null,d)}function be(){if(!this.isValid())return this.localeData().invalidDate();var t,e,n,i=gi(this._milliseconds)/1e3,a=gi(this._days),r=gi(this._months);e=x((t=x(i/60))/60),i%=60,t%=60;var o=n=x(r/12),s=r%=12,l=a,u=e,d=t,c=i,h=this.asSeconds();return h?(h<0?"-":"")+"P"+(o?o+"Y":"")+(s?s+"M":"")+(l?l+"D":"")+(u||d||c?"T":"")+(u?u+"H":"")+(d?d+"M":"")+(c?c+"S":""):"P0D"}var xe,_e,ke=_e=Array.prototype.some?Array.prototype.some:function(t){for(var e=Object(this),n=e.length>>>0,i=0;i<n;i++)if(i in e&&t.call(this,e[i],i,e))return!0;return!1},we=n.momentProperties=[],Me=!1,Se={};n.suppressDeprecationWarnings=!1,n.deprecationHandler=null;var De,Ce,Pe=De=Object.keys?Object.keys:function(t){var e,n=[];for(e in t)d(t,e)&&n.push(e);return n},Te={},Ae={},Ie=/(\\[[^\\[]*\\])|(\\\\)?([Hh]mm(ss)?|Mo|MM?M?M?|Do|DDDo|DD?D?D?|ddd?d?|do?|w[o|w]?|W[o|W]?|Qo?|YYYYYY|YYYYY|YYYY|YY|gg(ggg?)?|GG(GGG?)?|e|E|a|A|hh?|HH?|kk?|mm?|ss?|S{1,9}|x|X|zz?|ZZ?|.)/g,Oe=/(\\[[^\\[]*\\])|(\\\\)?(LTS|LT|LL?L?L?|l{1,4})/g,Fe={},Re={},Le=/\\d/,We=/\\d\\d/,Ye=/\\d{3}/,Ne=/\\d{4}/,ze=/[+-]?\\d{6}/,Be=/\\d\\d?/,Ve=/\\d\\d\\d\\d?/,He=/\\d\\d\\d\\d\\d\\d?/,Ee=/\\d{1,3}/,je=/\\d{1,4}/,Ue=/[+-]?\\d{1,6}/,qe=/\\d+/,Ge=/[+-]?\\d+/,Ze=/Z|[+-]\\d\\d:?\\d\\d/gi,Xe=/Z|[+-]\\d\\d(?::?\\d\\d)?/gi,Je=/[0-9]*[\'a-z\\u00A0-\\u05FF\\u0700-\\uD7FF\\uF900-\\uFDCF\\uFDF0-\\uFFEF]+|[\\u0600-\\u06FF\\/]+(\\s*?[\\u0600-\\u06FF]+){1,2}/i,Ke={},Qe={},$e=0,tn=1,en=2,nn=3,an=4,rn=5,on=6,sn=7,ln=8,un=Ce=Array.prototype.indexOf?Array.prototype.indexOf:function(t){var e;for(e=0;e<this.length;++e)if(this[e]===t)return e;return-1};N("M",["MM",2],"Mo",function(){return this.month()+1}),N("MMM",0,0,function(t){return this.localeData().monthsShort(this,t)}),N("MMMM",0,0,function(t){return this.localeData().months(this,t)}),T("month","M"),O("month",8),E("M",Be),E("MM",Be,We),E("MMM",function(t,e){return e.monthsShortRegex(t)}),E("MMMM",function(t,e){return e.monthsRegex(t)}),G(["M","MM"],function(t,e){e[tn]=_(t)-1}),G(["MMM","MMMM"],function(t,e,n,i){var a=n._locale.monthsParse(t,i,n._strict);null!=a?e[tn]=a:g(n).invalidMonth=t});var dn=/D[oD]?(\\[[^\\[\\]]*\\]|\\s)+MMMM?/,cn="January_February_March_April_May_June_July_August_September_October_November_December".split("_"),hn="Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),fn=Je,gn=Je;N("Y",0,0,function(){var t=this.year();return t<=9999?""+t:"+"+t}),N(0,["YY",2],0,function(){return this.year()%100}),N(0,["YYYY",4],0,"year"),N(0,["YYYYY",5],0,"year"),N(0,["YYYYYY",6,!0],0,"year"),T("year","y"),O("year",1),E("Y",Ge),E("YY",Be,We),E("YYYY",je,Ne),E("YYYYY",Ue,ze),E("YYYYYY",Ue,ze),G(["YYYYY","YYYYYY"],$e),G("YYYY",function(t,e){e[$e]=2===t.length?n.parseTwoDigitYear(t):_(t)}),G("YY",function(t,e){e[$e]=n.parseTwoDigitYear(t)}),G("Y",function(t,e){e[$e]=parseInt(t,10)}),n.parseTwoDigitYear=function(t){return _(t)+(_(t)>68?1900:2e3)};var mn=R("FullYear",!0);N("w",["ww",2],"wo","week"),N("W",["WW",2],"Wo","isoWeek"),T("week","w"),T("isoWeek","W"),O("week",5),O("isoWeek",5),E("w",Be),E("ww",Be,We),E("W",Be),E("WW",Be,We),Z(["w","ww","W","WW"],function(t,e,n,i){e[i.substr(0,1)]=_(t)});N("d",0,"do","day"),N("dd",0,0,function(t){return this.localeData().weekdaysMin(this,t)}),N("ddd",0,0,function(t){return this.localeData().weekdaysShort(this,t)}),N("dddd",0,0,function(t){return this.localeData().weekdays(this,t)}),N("e",0,0,"weekday"),N("E",0,0,"isoWeekday"),T("day","d"),T("weekday","e"),T("isoWeekday","E"),O("day",11),O("weekday",11),O("isoWeekday",11),E("d",Be),E("e",Be),E("E",Be),E("dd",function(t,e){return e.weekdaysMinRegex(t)}),E("ddd",function(t,e){return e.weekdaysShortRegex(t)}),E("dddd",function(t,e){return e.weekdaysRegex(t)}),Z(["dd","ddd","dddd"],function(t,e,n,i){var a=n._locale.weekdaysParse(t,i,n._strict);null!=a?e.d=a:g(n).invalidWeekday=t}),Z(["d","e","E"],function(t,e,n,i){e[i]=_(t)});var pn="Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),vn="Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),yn="Su_Mo_Tu_We_Th_Fr_Sa".split("_"),bn=Je,xn=Je,_n=Je;N("H",["HH",2],0,"hour"),N("h",["hh",2],0,ft),N("k",["kk",2],0,function(){return this.hours()||24}),N("hmm",0,0,function(){return""+ft.apply(this)+Y(this.minutes(),2)}),N("hmmss",0,0,function(){return""+ft.apply(this)+Y(this.minutes(),2)+Y(this.seconds(),2)}),N("Hmm",0,0,function(){return""+this.hours()+Y(this.minutes(),2)}),N("Hmmss",0,0,function(){return""+this.hours()+Y(this.minutes(),2)+Y(this.seconds(),2)}),gt("a",!0),gt("A",!1),T("hour","h"),O("hour",13),E("a",mt),E("A",mt),E("H",Be),E("h",Be),E("k",Be),E("HH",Be,We),E("hh",Be,We),E("kk",Be,We),E("hmm",Ve),E("hmmss",He),E("Hmm",Ve),E("Hmmss",He),G(["H","HH"],nn),G(["k","kk"],function(t,e,n){var i=_(t);e[nn]=24===i?0:i}),G(["a","A"],function(t,e,n){n._isPm=n._locale.isPM(t),n._meridiem=t}),G(["h","hh"],function(t,e,n){e[nn]=_(t),g(n).bigHour=!0}),G("hmm",function(t,e,n){var i=t.length-2;e[nn]=_(t.substr(0,i)),e[an]=_(t.substr(i)),g(n).bigHour=!0}),G("hmmss",function(t,e,n){var i=t.length-4,a=t.length-2;e[nn]=_(t.substr(0,i)),e[an]=_(t.substr(i,2)),e[rn]=_(t.substr(a)),g(n).bigHour=!0}),G("Hmm",function(t,e,n){var i=t.length-2;e[nn]=_(t.substr(0,i)),e[an]=_(t.substr(i))}),G("Hmmss",function(t,e,n){var i=t.length-4,a=t.length-2;e[nn]=_(t.substr(0,i)),e[an]=_(t.substr(i,2)),e[rn]=_(t.substr(a))});var kn,wn=R("Hours",!0),Mn={calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},longDateFormat:{LTS:"h:mm:ss A",LT:"h:mm A",L:"MM/DD/YYYY",LL:"MMMM D, YYYY",LLL:"MMMM D, YYYY h:mm A",LLLL:"dddd, MMMM D, YYYY h:mm A"},invalidDate:"Invalid date",ordinal:"%d",dayOfMonthOrdinalParse:/\\d{1,2}/,relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},months:cn,monthsShort:hn,week:{dow:0,doy:6},weekdays:pn,weekdaysMin:yn,weekdaysShort:vn,meridiemParse:/[ap]\\.?m?\\.?/i},Sn={},Dn={},Cn=/^\\s*((?:[+-]\\d{6}|\\d{4})-(?:\\d\\d-\\d\\d|W\\d\\d-\\d|W\\d\\d|\\d\\d\\d|\\d\\d))(?:(T| )(\\d\\d(?::\\d\\d(?::\\d\\d(?:[.,]\\d+)?)?)?)([\\+\\-]\\d\\d(?::?\\d\\d)?|\\s*Z)?)?$/,Pn=/^\\s*((?:[+-]\\d{6}|\\d{4})(?:\\d\\d\\d\\d|W\\d\\d\\d|W\\d\\d|\\d\\d\\d|\\d\\d))(?:(T| )(\\d\\d(?:\\d\\d(?:\\d\\d(?:[.,]\\d+)?)?)?)([\\+\\-]\\d\\d(?::?\\d\\d)?|\\s*Z)?)?$/,Tn=/Z|[+-]\\d\\d(?::?\\d\\d)?/,An=[["YYYYYY-MM-DD",/[+-]\\d{6}-\\d\\d-\\d\\d/],["YYYY-MM-DD",/\\d{4}-\\d\\d-\\d\\d/],["GGGG-[W]WW-E",/\\d{4}-W\\d\\d-\\d/],["GGGG-[W]WW",/\\d{4}-W\\d\\d/,!1],["YYYY-DDD",/\\d{4}-\\d{3}/],["YYYY-MM",/\\d{4}-\\d\\d/,!1],["YYYYYYMMDD",/[+-]\\d{10}/],["YYYYMMDD",/\\d{8}/],["GGGG[W]WWE",/\\d{4}W\\d{3}/],["GGGG[W]WW",/\\d{4}W\\d{2}/,!1],["YYYYDDD",/\\d{7}/]],In=[["HH:mm:ss.SSSS",/\\d\\d:\\d\\d:\\d\\d\\.\\d+/],["HH:mm:ss,SSSS",/\\d\\d:\\d\\d:\\d\\d,\\d+/],["HH:mm:ss",/\\d\\d:\\d\\d:\\d\\d/],["HH:mm",/\\d\\d:\\d\\d/],["HHmmss.SSSS",/\\d\\d\\d\\d\\d\\d\\.\\d+/],["HHmmss,SSSS",/\\d\\d\\d\\d\\d\\d,\\d+/],["HHmmss",/\\d\\d\\d\\d\\d\\d/],["HHmm",/\\d\\d\\d\\d/],["HH",/\\d\\d/]],On=/^\\/?Date\\((\\-?\\d+)/i,Fn=/^((?:Mon|Tue|Wed|Thu|Fri|Sat|Sun),?\\s)?(\\d?\\d\\s(?:Jan|Feb|Mar|Apr|May|Jun|Jul|Aug|Sep|Oct|Nov|Dec)\\s(?:\\d\\d)?\\d\\d\\s)(\\d\\d:\\d\\d)(\\:\\d\\d)?(\\s(?:UT|GMT|[ECMP][SD]T|[A-IK-Za-ik-z]|[+-]\\d{4}))$/;n.createFromInputFallback=M("value provided is not in a recognized RFC2822 or ISO format. moment construction falls back to js Date(), which is not reliable across all browsers and versions. Non RFC2822/ISO date formats are discouraged and will be removed in an upcoming major release. Please refer to http://momentjs.com/guides/#/warnings/js-date/ for more info.",function(t){t._d=new Date(t._i+(t._useUTC?" UTC":""))}),n.ISO_8601=function(){},n.RFC_2822=function(){};var Rn=M("moment().min is deprecated, use moment.max instead. http://momentjs.com/guides/#/warnings/min-max/",function(){var t=Nt.apply(null,arguments);return this.isValid()&&t.isValid()?t<this?this:t:p()}),Ln=M("moment().max is deprecated, use moment.min instead. http://momentjs.com/guides/#/warnings/min-max/",function(){var t=Nt.apply(null,arguments);return this.isValid()&&t.isValid()?t>this?this:t:p()}),Wn=["year","quarter","month","week","day","hour","minute","second","millisecond"];jt("Z",":"),jt("ZZ",""),E("Z",Xe),E("ZZ",Xe),G(["Z","ZZ"],function(t,e,n){n._useUTC=!0,n._tzm=Ut(Xe,t)});var Yn=/([\\+\\-]|\\d\\d)/gi;n.updateOffset=function(){};var Nn=/^(\\-)?(?:(\\d*)[. ])?(\\d+)\\:(\\d+)(?:\\:(\\d+)(\\.\\d*)?)?$/,zn=/^(-)?P(?:(-?[0-9,.]*)Y)?(?:(-?[0-9,.]*)M)?(?:(-?[0-9,.]*)W)?(?:(-?[0-9,.]*)D)?(?:T(?:(-?[0-9,.]*)H)?(?:(-?[0-9,.]*)M)?(?:(-?[0-9,.]*)S)?)?$/;Xt.fn=Vt.prototype,Xt.invalid=function(){return Xt(NaN)};var Bn=$t(1,"add"),Vn=$t(-1,"subtract");n.defaultFormat="YYYY-MM-DDTHH:mm:ssZ",n.defaultFormatUtc="YYYY-MM-DDTHH:mm:ss[Z]";var Hn=M("moment().lang() is deprecated. Instead, use moment().localeData() to get the language configuration. Use moment().locale() to change languages.",function(t){return void 0===t?this.localeData():this.locale(t)});N(0,["gg",2],0,function(){return this.weekYear()%100}),N(0,["GG",2],0,function(){return this.isoWeekYear()%100}),ae("gggg","weekYear"),ae("ggggg","weekYear"),ae("GGGG","isoWeekYear"),ae("GGGGG","isoWeekYear"),T("weekYear","gg"),T("isoWeekYear","GG"),O("weekYear",1),O("isoWeekYear",1),E("G",Ge),E("g",Ge),E("GG",Be,We),E("gg",Be,We),E("GGGG",je,Ne),E("gggg",je,Ne),E("GGGGG",Ue,ze),E("ggggg",Ue,ze),Z(["gggg","ggggg","GGGG","GGGGG"],function(t,e,n,i){e[i.substr(0,2)]=_(t)}),Z(["gg","GG"],function(t,e,i,a){e[a]=n.parseTwoDigitYear(t)}),N("Q",0,"Qo","quarter"),T("quarter","Q"),O("quarter",7),E("Q",Le),G("Q",function(t,e){e[tn]=3*(_(t)-1)}),N("D",["DD",2],"Do","date"),T("date","D"),O("date",9),E("D",Be),E("DD",Be,We),E("Do",function(t,e){return t?e._dayOfMonthOrdinalParse||e._ordinalParse:e._dayOfMonthOrdinalParseLenient}),G(["D","DD"],en),G("Do",function(t,e){e[en]=_(t.match(Be)[0],10)});var En=R("Date",!0);N("DDD",["DDDD",3],"DDDo","dayOfYear"),T("dayOfYear","DDD"),O("dayOfYear",4),E("DDD",Ee),E("DDDD",Ye),G(["DDD","DDDD"],function(t,e,n){n._dayOfYear=_(t)}),N("m",["mm",2],0,"minute"),T("minute","m"),O("minute",14),E("m",Be),E("mm",Be,We),G(["m","mm"],an);var jn=R("Minutes",!1);N("s",["ss",2],0,"second"),T("second","s"),O("second",15),E("s",Be),E("ss",Be,We),G(["s","ss"],rn);var Un=R("Seconds",!1);N("S",0,0,function(){return~~(this.millisecond()/100)}),N(0,["SS",2],0,function(){return~~(this.millisecond()/10)}),N(0,["SSS",3],0,"millisecond"),N(0,["SSSS",4],0,function(){return 10*this.millisecond()}),N(0,["SSSSS",5],0,function(){return 100*this.millisecond()}),N(0,["SSSSSS",6],0,function(){return 1e3*this.millisecond()}),N(0,["SSSSSSS",7],0,function(){return 1e4*this.millisecond()}),N(0,["SSSSSSSS",8],0,function(){return 1e5*this.millisecond()}),N(0,["SSSSSSSSS",9],0,function(){return 1e6*this.millisecond()}),T("millisecond","ms"),O("millisecond",16),E("S",Ee,Le),E("SS",Ee,We),E("SSS",Ee,Ye);var qn;for(qn="SSSS";qn.length<=9;qn+="S")E(qn,qe);for(qn="S";qn.length<=9;qn+="S")G(qn,function(t,e){e[on]=_(1e3*("0."+t))});var Gn=R("Milliseconds",!1);N("z",0,0,"zoneAbbr"),N("zz",0,0,"zoneName");var Zn=y.prototype;Zn.add=Bn,Zn.calendar=function(t,e){var i=t||Nt(),a=qt(i,this).startOf("day"),r=n.calendarFormat(this,a)||"sameElse",o=e&&(D(e[r])?e[r].call(this,i):e[r]);return this.format(o||this.localeData().calendar(r,this,Nt(i)))},Zn.clone=function(){return new y(this)},Zn.diff=function(t,e,n){var i,a,r,o;return this.isValid()&&(i=qt(t,this)).isValid()?(a=6e4*(i.utcOffset()-this.utcOffset()),"year"===(e=A(e))||"month"===e||"quarter"===e?(o=ee(this,i),"quarter"===e?o/=3:"year"===e&&(o/=12)):(r=this-i,o="second"===e?r/1e3:"minute"===e?r/6e4:"hour"===e?r/36e5:"day"===e?(r-a)/864e5:"week"===e?(r-a)/6048e5:r),n?o:x(o)):NaN},Zn.endOf=function(t){return void 0===(t=A(t))||"millisecond"===t?this:("date"===t&&(t="day"),this.startOf(t).add(1,"isoWeek"===t?"week":t).subtract(1,"ms"))},Zn.format=function(t){t||(t=this.isUtc()?n.defaultFormatUtc:n.defaultFormat);var e=V(this,t);return this.localeData().postformat(e)},Zn.from=function(t,e){return this.isValid()&&(b(t)&&t.isValid()||Nt(t).isValid())?Xt({to:this,from:t}).locale(this.locale()).humanize(!e):this.localeData().invalidDate()},Zn.fromNow=function(t){return this.from(Nt(),t)},Zn.to=function(t,e){return this.isValid()&&(b(t)&&t.isValid()||Nt(t).isValid())?Xt({from:this,to:t}).locale(this.locale()).humanize(!e):this.localeData().invalidDate()},Zn.toNow=function(t){return this.to(Nt(),t)},Zn.get=function(t){return t=A(t),D(this[t])?this[t]():this},Zn.invalidAt=function(){return g(this).overflow},Zn.isAfter=function(t,e){var n=b(t)?t:Nt(t);return!(!this.isValid()||!n.isValid())&&("millisecond"===(e=A(o(e)?"millisecond":e))?this.valueOf()>n.valueOf():n.valueOf()<this.clone().startOf(e).valueOf())},Zn.isBefore=function(t,e){var n=b(t)?t:Nt(t);return!(!this.isValid()||!n.isValid())&&("millisecond"===(e=A(o(e)?"millisecond":e))?this.valueOf()<n.valueOf():this.clone().endOf(e).valueOf()<n.valueOf())},Zn.isBetween=function(t,e,n,i){return("("===(i=i||"()")[0]?this.isAfter(t,n):!this.isBefore(t,n))&&(")"===i[1]?this.isBefore(e,n):!this.isAfter(e,n))},Zn.isSame=function(t,e){var n,i=b(t)?t:Nt(t);return!(!this.isValid()||!i.isValid())&&("millisecond"===(e=A(e||"millisecond"))?this.valueOf()===i.valueOf():(n=i.valueOf(),this.clone().startOf(e).valueOf()<=n&&n<=this.clone().endOf(e).valueOf()))},Zn.isSameOrAfter=function(t,e){return this.isSame(t,e)||this.isAfter(t,e)},Zn.isSameOrBefore=function(t,e){return this.isSame(t,e)||this.isBefore(t,e)},Zn.isValid=function(){return m(this)},Zn.lang=Hn,Zn.locale=ne,Zn.localeData=ie,Zn.max=Ln,Zn.min=Rn,Zn.parsingFlags=function(){return c({},g(this))},Zn.set=function(t,e){if("object"==typeof t)for(var n=F(t=I(t)),i=0;i<n.length;i++)this[n[i].unit](t[n[i].unit]);else if(t=A(t),D(this[t]))return this[t](e);return this},Zn.startOf=function(t){switch(t=A(t)){case"year":this.month(0);case"quarter":case"month":this.date(1);case"week":case"isoWeek":case"day":case"date":this.hours(0);case"hour":this.minutes(0);case"minute":this.seconds(0);case"second":this.milliseconds(0)}return"week"===t&&this.weekday(0),"isoWeek"===t&&this.isoWeekday(1),"quarter"===t&&this.month(3*Math.floor(this.month()/3)),this},Zn.subtract=Vn,Zn.toArray=function(){var t=this;return[t.year(),t.month(),t.date(),t.hour(),t.minute(),t.second(),t.millisecond()]},Zn.toObject=function(){var t=this;return{years:t.year(),months:t.month(),date:t.date(),hours:t.hours(),minutes:t.minutes(),seconds:t.seconds(),milliseconds:t.milliseconds()}},Zn.toDate=function(){return new Date(this.valueOf())},Zn.toISOString=function(){if(!this.isValid())return null;var t=this.clone().utc();return t.year()<0||t.year()>9999?V(t,"YYYYYY-MM-DD[T]HH:mm:ss.SSS[Z]"):D(Date.prototype.toISOString)?this.toDate().toISOString():V(t,"YYYY-MM-DD[T]HH:mm:ss.SSS[Z]")},Zn.inspect=function(){if(!this.isValid())return"moment.invalid(/* "+this._i+" */)";var t="moment",e="";this.isLocal()||(t=0===this.utcOffset()?"moment.utc":"moment.parseZone",e="Z");var n="["+t+\'("]\',i=0<=this.year()&&this.year()<=9999?"YYYY":"YYYYYY",a=e+\'[")]\';return this.format(n+i+"-MM-DD[T]HH:mm:ss.SSS"+a)},Zn.toJSON=function(){return this.isValid()?this.toISOString():null},Zn.toString=function(){return this.clone().locale("en").format("ddd MMM DD YYYY HH:mm:ss [GMT]ZZ")},Zn.unix=function(){return Math.floor(this.valueOf()/1e3)},Zn.valueOf=function(){return this._d.valueOf()-6e4*(this._offset||0)},Zn.creationData=function(){return{input:this._i,format:this._f,locale:this._locale,isUTC:this._isUTC,strict:this._strict}},Zn.year=mn,Zn.isLeapYear=function(){return nt(this.year())},Zn.weekYear=function(t){return re.call(this,t,this.week(),this.weekday(),this.localeData()._week.dow,this.localeData()._week.doy)},Zn.isoWeekYear=function(t){return re.call(this,t,this.isoWeek(),this.isoWeekday(),1,4)},Zn.quarter=Zn.quarters=function(t){return null==t?Math.ceil((this.month()+1)/3):this.month(3*(t-1)+this.month()%3)},Zn.month=$,Zn.daysInMonth=function(){return J(this.year(),this.month())},Zn.week=Zn.weeks=function(t){var e=this.localeData().week(this);return null==t?e:this.add(7*(t-e),"d")},Zn.isoWeek=Zn.isoWeeks=function(t){var e=st(this,1,4).week;return null==t?e:this.add(7*(t-e),"d")},Zn.weeksInYear=function(){var t=this.localeData()._week;return lt(this.year(),t.dow,t.doy)},Zn.isoWeeksInYear=function(){return lt(this.year(),1,4)},Zn.date=En,Zn.day=Zn.days=function(t){if(!this.isValid())return null!=t?this:NaN;var e=this._isUTC?this._d.getUTCDay():this._d.getDay();return null!=t?(t=ut(t,this.localeData()),this.add(t-e,"d")):e},Zn.weekday=function(t){if(!this.isValid())return null!=t?this:NaN;var e=(this.day()+7-this.localeData()._week.dow)%7;return null==t?e:this.add(t-e,"d")},Zn.isoWeekday=function(t){if(!this.isValid())return null!=t?this:NaN;if(null!=t){var e=dt(t,this.localeData());return this.day(this.day()%7?e:e-7)}return this.day()||7},Zn.dayOfYear=function(t){var e=Math.round((this.clone().startOf("day")-this.clone().startOf("year"))/864e5)+1;return null==t?e:this.add(t-e,"d")},Zn.hour=Zn.hours=wn,Zn.minute=Zn.minutes=jn,Zn.second=Zn.seconds=Un,Zn.millisecond=Zn.milliseconds=Gn,Zn.utcOffset=function(t,e,i){var a,r=this._offset||0;if(!this.isValid())return null!=t?this:NaN;if(null!=t){if("string"==typeof t){if(null===(t=Ut(Xe,t)))return this}else Math.abs(t)<16&&!i&&(t*=60);return!this._isUTC&&e&&(a=Gt(this)),this._offset=t,this._isUTC=!0,null!=a&&this.add(a,"m"),r!==t&&(!e||this._changeInProgress?te(this,Xt(t-r,"m"),1,!1):this._changeInProgress||(this._changeInProgress=!0,n.updateOffset(this,!0),this._changeInProgress=null)),this}return this._isUTC?r:Gt(this)},Zn.utc=function(t){return this.utcOffset(0,t)},Zn.local=function(t){return this._isUTC&&(this.utcOffset(0,t),this._isUTC=!1,t&&this.subtract(Gt(this),"m")),this},Zn.parseZone=function(){if(null!=this._tzm)this.utcOffset(this._tzm,!1,!0);else if("string"==typeof this._i){var t=Ut(Ze,this._i);null!=t?this.utcOffset(t):this.utcOffset(0,!0)}return this},Zn.hasAlignedHourOffset=function(t){return!!this.isValid()&&(t=t?Nt(t).utcOffset():0,(this.utcOffset()-t)%60==0)},Zn.isDST=function(){return this.utcOffset()>this.clone().month(0).utcOffset()||this.utcOffset()>this.clone().month(5).utcOffset()},Zn.isLocal=function(){return!!this.isValid()&&!this._isUTC},Zn.isUtcOffset=function(){return!!this.isValid()&&this._isUTC},Zn.isUtc=Zt,Zn.isUTC=Zt,Zn.zoneAbbr=function(){return this._isUTC?"UTC":""},Zn.zoneName=function(){return this._isUTC?"Coordinated Universal Time":""},Zn.dates=M("dates accessor is deprecated. Use date instead.",En),Zn.months=M("months accessor is deprecated. Use month instead",$),Zn.years=M("years accessor is deprecated. Use year instead",mn),Zn.zone=M("moment().zone is deprecated, use moment().utcOffset instead. http://momentjs.com/guides/#/warnings/zone/",function(t,e){return null!=t?("string"!=typeof t&&(t=-t),this.utcOffset(t,e),this):-this.utcOffset()}),Zn.isDSTShifted=M("isDSTShifted is deprecated. See http://momentjs.com/guides/#/warnings/dst-shifted/ for more information",function(){if(!o(this._isDSTShifted))return this._isDSTShifted;var t={};if(v(t,this),(t=Lt(t))._a){var e=t._isUTC?h(t._a):Nt(t._a);this._isDSTShifted=this.isValid()&&k(t._a,e.toArray())>0}else this._isDSTShifted=!1;return this._isDSTShifted});var Xn=P.prototype;Xn.calendar=function(t,e,n){var i=this._calendar[t]||this._calendar.sameElse;return D(i)?i.call(e,n):i},Xn.longDateFormat=function(t){var e=this._longDateFormat[t],n=this._longDateFormat[t.toUpperCase()];return e||!n?e:(this._longDateFormat[t]=n.replace(/MMMM|MM|DD|dddd/g,function(t){return t.slice(1)}),this._longDateFormat[t])},Xn.invalidDate=function(){return this._invalidDate},Xn.ordinal=function(t){return this._ordinal.replace("%d",t)},Xn.preparse=se,Xn.postformat=se,Xn.relativeTime=function(t,e,n,i){var a=this._relativeTime[n];return D(a)?a(t,e,n,i):a.replace(/%d/i,t)},Xn.pastFuture=function(t,e){var n=this._relativeTime[t>0?"future":"past"];return D(n)?n(e):n.replace(/%s/i,e)},Xn.set=function(t){var e,n;for(n in t)D(e=t[n])?this[n]=e:this["_"+n]=e;this._config=t,this._dayOfMonthOrdinalParseLenient=new RegExp((this._dayOfMonthOrdinalParse.source||this._ordinalParse.source)+"|"+/\\d{1,2}/.source)},Xn.months=function(t,e){return t?i(this._months)?this._months[t.month()]:this._months[(this._months.isFormat||dn).test(e)?"format":"standalone"][t.month()]:i(this._months)?this._months:this._months.standalone},Xn.monthsShort=function(t,e){return t?i(this._monthsShort)?this._monthsShort[t.month()]:this._monthsShort[dn.test(e)?"format":"standalone"][t.month()]:i(this._monthsShort)?this._monthsShort:this._monthsShort.standalone},Xn.monthsParse=function(t,e,n){var i,a,r;if(this._monthsParseExact)return K.call(this,t,e,n);for(this._monthsParse||(this._monthsParse=[],this._longMonthsParse=[],this._shortMonthsParse=[]),i=0;i<12;i++){if(a=h([2e3,i]),n&&!this._longMonthsParse[i]&&(this._longMonthsParse[i]=new RegExp("^"+this.months(a,"").replace(".","")+"$","i"),this._shortMonthsParse[i]=new RegExp("^"+this.monthsShort(a,"").replace(".","")+"$","i")),n||this._monthsParse[i]||(r="^"+this.months(a,"")+"|^"+this.monthsShort(a,""),this._monthsParse[i]=new RegExp(r.replace(".",""),"i")),n&&"MMMM"===e&&this._longMonthsParse[i].test(t))return i;if(n&&"MMM"===e&&this._shortMonthsParse[i].test(t))return i;if(!n&&this._monthsParse[i].test(t))return i}},Xn.monthsRegex=function(t){return this._monthsParseExact?(d(this,"_monthsRegex")||tt.call(this),t?this._monthsStrictRegex:this._monthsRegex):(d(this,"_monthsRegex")||(this._monthsRegex=gn),this._monthsStrictRegex&&t?this._monthsStrictRegex:this._monthsRegex)},Xn.monthsShortRegex=function(t){return this._monthsParseExact?(d(this,"_monthsRegex")||tt.call(this),t?this._monthsShortStrictRegex:this._monthsShortRegex):(d(this,"_monthsShortRegex")||(this._monthsShortRegex=fn),this._monthsShortStrictRegex&&t?this._monthsShortStrictRegex:this._monthsShortRegex)},Xn.week=function(t){return st(t,this._week.dow,this._week.doy).week},Xn.firstDayOfYear=function(){return this._week.doy},Xn.firstDayOfWeek=function(){return this._week.dow},Xn.weekdays=function(t,e){return t?i(this._weekdays)?this._weekdays[t.day()]:this._weekdays[this._weekdays.isFormat.test(e)?"format":"standalone"][t.day()]:i(this._weekdays)?this._weekdays:this._weekdays.standalone},Xn.weekdaysMin=function(t){return t?this._weekdaysMin[t.day()]:this._weekdaysMin},Xn.weekdaysShort=function(t){return t?this._weekdaysShort[t.day()]:this._weekdaysShort},Xn.weekdaysParse=function(t,e,n){var i,a,r;if(this._weekdaysParseExact)return ct.call(this,t,e,n);for(this._weekdaysParse||(this._weekdaysParse=[],this._minWeekdaysParse=[],this._shortWeekdaysParse=[],this._fullWeekdaysParse=[]),i=0;i<7;i++){if(a=h([2e3,1]).day(i),n&&!this._fullWeekdaysParse[i]&&(this._fullWeekdaysParse[i]=new RegExp("^"+this.weekdays(a,"").replace(".",".?")+"$","i"),this._shortWeekdaysParse[i]=new RegExp("^"+this.weekdaysShort(a,"").replace(".",".?")+"$","i"),this._minWeekdaysParse[i]=new RegExp("^"+this.weekdaysMin(a,"").replace(".",".?")+"$","i")),this._weekdaysParse[i]||(r="^"+this.weekdays(a,"")+"|^"+this.weekdaysShort(a,"")+"|^"+this.weekdaysMin(a,""),this._weekdaysParse[i]=new RegExp(r.replace(".",""),"i")),n&&"dddd"===e&&this._fullWeekdaysParse[i].test(t))return i;if(n&&"ddd"===e&&this._shortWeekdaysParse[i].test(t))return i;if(n&&"dd"===e&&this._minWeekdaysParse[i].test(t))return i;if(!n&&this._weekdaysParse[i].test(t))return i}},Xn.weekdaysRegex=function(t){return this._weekdaysParseExact?(d(this,"_weekdaysRegex")||ht.call(this),t?this._weekdaysStrictRegex:this._weekdaysRegex):(d(this,"_weekdaysRegex")||(this._weekdaysRegex=bn),this._weekdaysStrictRegex&&t?this._weekdaysStrictRegex:this._weekdaysRegex)},Xn.weekdaysShortRegex=function(t){return this._weekdaysParseExact?(d(this,"_weekdaysRegex")||ht.call(this),t?this._weekdaysShortStrictRegex:this._weekdaysShortRegex):(d(this,"_weekdaysShortRegex")||(this._weekdaysShortRegex=xn),this._weekdaysShortStrictRegex&&t?this._weekdaysShortStrictRegex:this._weekdaysShortRegex)},Xn.weekdaysMinRegex=function(t){return this._weekdaysParseExact?(d(this,"_weekdaysRegex")||ht.call(this),t?this._weekdaysMinStrictRegex:this._weekdaysMinRegex):(d(this,"_weekdaysMinRegex")||(this._weekdaysMinRegex=_n),this._weekdaysMinStrictRegex&&t?this._weekdaysMinStrictRegex:this._weekdaysMinRegex)},Xn.isPM=function(t){return"p"===(t+"").toLowerCase().charAt(0)},Xn.meridiem=function(t,e,n){return t>11?n?"pm":"PM":n?"am":"AM"},bt("en",{dayOfMonthOrdinalParse:/\\d{1,2}(th|st|nd|rd)/,ordinal:function(t){var e=t%10;return t+(1===_(t%100/10)?"th":1===e?"st":2===e?"nd":3===e?"rd":"th")}}),n.lang=M("moment.lang is deprecated. Use moment.locale instead.",bt),n.langData=M("moment.langData is deprecated. Use moment.localeData instead.",_t);var Jn=Math.abs,Kn=me("ms"),Qn=me("s"),$n=me("m"),ti=me("h"),ei=me("d"),ni=me("w"),ii=me("M"),ai=me("y"),ri=pe("milliseconds"),oi=pe("seconds"),si=pe("minutes"),li=pe("hours"),ui=pe("days"),di=pe("months"),ci=pe("years"),hi=Math.round,fi={ss:44,s:45,m:45,h:22,d:26,M:11},gi=Math.abs,mi=Vt.prototype;return mi.isValid=function(){return this._isValid},mi.abs=function(){var t=this._data;return this._milliseconds=Jn(this._milliseconds),this._days=Jn(this._days),this._months=Jn(this._months),t.milliseconds=Jn(t.milliseconds),t.seconds=Jn(t.seconds),t.minutes=Jn(t.minutes),t.hours=Jn(t.hours),t.months=Jn(t.months),t.years=Jn(t.years),this},mi.add=function(t,e){return ce(this,t,e,1)},mi.subtract=function(t,e){return ce(this,t,e,-1)},mi.as=function(t){if(!this.isValid())return NaN;var e,n,i=this._milliseconds;if("month"===(t=A(t))||"year"===t)return e=this._days+i/864e5,n=this._months+fe(e),"month"===t?n:n/12;switch(e=this._days+Math.round(ge(this._months)),t){case"week":return e/7+i/6048e5;case"day":return e+i/864e5;case"hour":return 24*e+i/36e5;case"minute":return 1440*e+i/6e4;case"second":return 86400*e+i/1e3;case"millisecond":return Math.floor(864e5*e)+i;default:throw new Error("Unknown unit "+t)}},mi.asMilliseconds=Kn,mi.asSeconds=Qn,mi.asMinutes=$n,mi.asHours=ti,mi.asDays=ei,mi.asWeeks=ni,mi.asMonths=ii,mi.asYears=ai,mi.valueOf=function(){return this.isValid()?this._milliseconds+864e5*this._days+this._months%12*2592e6+31536e6*_(this._months/12):NaN},mi._bubble=function(){var t,e,n,i,a,r=this._milliseconds,o=this._days,s=this._months,l=this._data;return r>=0&&o>=0&&s>=0||r<=0&&o<=0&&s<=0||(r+=864e5*he(ge(s)+o),o=0,s=0),l.milliseconds=r%1e3,t=x(r/1e3),l.seconds=t%60,e=x(t/60),l.minutes=e%60,n=x(e/60),l.hours=n%24,o+=x(n/24),a=x(fe(o)),s+=a,o-=he(ge(a)),i=x(s/12),s%=12,l.days=o,l.months=s,l.years=i,this},mi.get=function(t){return t=A(t),this.isValid()?this[t+"s"]():NaN},mi.milliseconds=ri,mi.seconds=oi,mi.minutes=si,mi.hours=li,mi.days=ui,mi.weeks=function(){return x(this.days()/7)},mi.months=di,mi.years=ci,mi.humanize=function(t){if(!this.isValid())return this.localeData().invalidDate();var e=this.localeData(),n=ye(this,!t,e);return t&&(n=e.pastFuture(+this,n)),e.postformat(n)},mi.toISOString=be,mi.toString=be,mi.toJSON=be,mi.locale=ne,mi.localeData=ie,mi.toIsoString=M("toIsoString() is deprecated. Please use toISOString() instead (notice the capitals)",be),mi.lang=Hn,N("X",0,0,"unix"),N("x",0,0,"valueOf"),E("x",Ge),E("X",/[+-]?\\d+(\\.\\d{1,3})?/),G("X",function(t,e,n){n._d=new Date(1e3*parseFloat(t,10))}),G("x",function(t,e,n){n._d=new Date(_(t))}),n.version="2.18.1",function(t){xe=t}(Nt),n.fn=Zn,n.min=function(){return zt("isBefore",[].slice.call(arguments,0))},n.max=function(){return zt("isAfter",[].slice.call(arguments,0))},n.now=function(){return Date.now?Date.now():+new Date},n.utc=h,n.unix=function(t){return Nt(1e3*t)},n.months=function(t,e){return ue(t,e,"months")},n.isDate=l,n.locale=bt,n.invalid=p,n.duration=Xt,n.isMoment=b,n.weekdays=function(t,e,n){return de(t,e,n,"weekdays")},n.parseZone=function(){return Nt.apply(null,arguments).parseZone()},n.localeData=_t,n.isDuration=Ht,n.monthsShort=function(t,e){return ue(t,e,"monthsShort")},n.weekdaysMin=function(t,e,n){return de(t,e,n,"weekdaysMin")},n.defineLocale=xt,n.updateLocale=function(t,e){if(null!=e){var n,i=Mn;null!=Sn[t]&&(i=Sn[t]._config),(n=new P(e=C(i,e))).parentLocale=Sn[t],Sn[t]=n,bt(t)}else null!=Sn[t]&&(null!=Sn[t].parentLocale?Sn[t]=Sn[t].parentLocale:null!=Sn[t]&&delete Sn[t]);return Sn[t]},n.locales=function(){return Pe(Sn)},n.weekdaysShort=function(t,e,n){return de(t,e,n,"weekdaysShort")},n.normalizeUnits=A,n.relativeTimeRounding=function(t){return void 0===t?hi:"function"==typeof t&&(hi=t,!0)},n.relativeTimeThreshold=function(t,e){return void 0!==fi[t]&&(void 0===e?fi[t]:(fi[t]=e,"s"===t&&(fi.ss=e-1),!0))},n.calendarFormat=function(t,e){var n=t.diff(e,"days",!0);return n<-6?"sameElse":n<-1?"lastWeek":n<0?"lastDay":n<1?"sameDay":n<2?"nextDay":n<7?"nextWeek":"sameElse"},n.prototype=Zn,n})},{}],7:[function(t,e,n){var i=t(29)();i.helpers=t(45),t(27)(i),i.defaults=t(25),i.Element=t(26),i.elements=t(40),i.Interaction=t(28),i.platform=t(48),t(31)(i),t(22)(i),t(23)(i),t(24)(i),t(30)(i),t(33)(i),t(32)(i),t(35)(i),t(54)(i),t(52)(i),t(53)(i),t(55)(i),t(56)(i),t(57)(i),t(15)(i),t(16)(i),t(17)(i),t(18)(i),t(19)(i),t(20)(i),t(21)(i),t(8)(i),t(9)(i),t(10)(i),t(11)(i),t(12)(i),t(13)(i),t(14)(i);var a=[];a.push(t(49)(i),t(50)(i),t(51)(i)),i.plugins.register(a),i.platform.initialize(),e.exports=i,"undefined"!=typeof window&&(window.Chart=i),i.canvasHelpers=i.helpers.canvas},{10:10,11:11,12:12,13:13,14:14,15:15,16:16,17:17,18:18,19:19,20:20,21:21,22:22,23:23,24:24,25:25,26:26,27:27,28:28,29:29,30:30,31:31,32:32,33:33,35:35,40:40,45:45,48:48,49:49,50:50,51:51,52:52,53:53,54:54,55:55,56:56,57:57,8:8,9:9}],8:[function(t,e,n){"use strict";e.exports=function(t){t.Bar=function(e,n){return n.type="bar",new t(e,n)}}},{}],9:[function(t,e,n){"use strict";e.exports=function(t){t.Bubble=function(e,n){return n.type="bubble",new t(e,n)}}},{}],10:[function(t,e,n){"use strict";e.exports=function(t){t.Doughnut=function(e,n){return n.type="doughnut",new t(e,n)}}},{}],11:[function(t,e,n){"use strict";e.exports=function(t){t.Line=function(e,n){return n.type="line",new t(e,n)}}},{}],12:[function(t,e,n){"use strict";e.exports=function(t){t.PolarArea=function(e,n){return n.type="polarArea",new t(e,n)}}},{}],13:[function(t,e,n){"use strict";e.exports=function(t){t.Radar=function(e,n){return n.type="radar",new t(e,n)}}},{}],14:[function(t,e,n){"use strict";e.exports=function(t){t.Scatter=function(e,n){return n.type="scatter",new t(e,n)}}},{}],15:[function(t,e,n){"use strict";var i=t(25),a=t(40),r=t(45);i._set("bar",{hover:{mode:"label"},scales:{xAxes:[{type:"category",categoryPercentage:.8,barPercentage:.9,offset:!0,gridLines:{offsetGridLines:!0}}],yAxes:[{type:"linear"}]}}),i._set("horizontalBar",{hover:{mode:"index",axis:"y"},scales:{xAxes:[{type:"linear",position:"bottom"}],yAxes:[{position:"left",type:"category",categoryPercentage:.8,barPercentage:.9,offset:!0,gridLines:{offsetGridLines:!0}}]},elements:{rectangle:{borderSkipped:"left"}},tooltips:{callbacks:{title:function(t,e){var n="";return t.length>0&&(t[0].yLabel?n=t[0].yLabel:e.labels.length>0&&t[0].index<e.labels.length&&(n=e.labels[t[0].index])),n},label:function(t,e){return(e.datasets[t.datasetIndex].label||"")+": "+t.xLabel}},mode:"index",axis:"y"}}),e.exports=function(t){t.controllers.bar=t.DatasetController.extend({dataElementType:a.Rectangle,initialize:function(){var e,n=this;t.DatasetController.prototype.initialize.apply(n,arguments),(e=n.getMeta()).stack=n.getDataset().stack,e.bar=!0},update:function(t){var e,n,i=this,a=i.getMeta().data;for(i._ruler=i.getRuler(),e=0,n=a.length;e<n;++e)i.updateElement(a[e],e,t)},updateElement:function(t,e,n){var i=this,a=i.chart,o=i.getMeta(),s=i.getDataset(),l=t.custom||{},u=a.options.elements.rectangle;t._xScale=i.getScaleForId(o.xAxisID),t._yScale=i.getScaleForId(o.yAxisID),t._datasetIndex=i.index,t._index=e,t._model={datasetLabel:s.label,label:a.data.labels[e],borderSkipped:l.borderSkipped?l.borderSkipped:u.borderSkipped,backgroundColor:l.backgroundColor?l.backgroundColor:r.valueAtIndexOrDefault(s.backgroundColor,e,u.backgroundColor),borderColor:l.borderColor?l.borderColor:r.valueAtIndexOrDefault(s.borderColor,e,u.borderColor),borderWidth:l.borderWidth?l.borderWidth:r.valueAtIndexOrDefault(s.borderWidth,e,u.borderWidth)},i.updateElementGeometry(t,e,n),t.pivot()},updateElementGeometry:function(t,e,n){var i=this,a=t._model,r=i.getValueScale(),o=r.getBasePixel(),s=r.isHorizontal(),l=i._ruler||i.getRuler(),u=i.calculateBarValuePixels(i.index,e),d=i.calculateBarIndexPixels(i.index,e,l);a.horizontal=s,a.base=n?o:u.base,a.x=s?n?o:u.head:d.center,a.y=s?d.center:n?o:u.head,a.height=s?d.size:void 0,a.width=s?void 0:d.size},getValueScaleId:function(){return this.getMeta().yAxisID},getIndexScaleId:function(){return this.getMeta().xAxisID},getValueScale:function(){return this.getScaleForId(this.getValueScaleId())},getIndexScale:function(){return this.getScaleForId(this.getIndexScaleId())},getStackCount:function(t){var e,n,i=this,a=i.chart,r=i.getIndexScale().options.stacked,o=void 0===t?a.data.datasets.length:t+1,s=[];for(e=0;e<o;++e)(n=a.getDatasetMeta(e)).bar&&a.isDatasetVisible(e)&&(!1===r||!0===r&&-1===s.indexOf(n.stack)||void 0===r&&(void 0===n.stack||-1===s.indexOf(n.stack)))&&s.push(n.stack);return s.length},getStackIndex:function(t){return this.getStackCount(t)-1},getRuler:function(){var t,e,n=this,i=n.getIndexScale(),a=n.getStackCount(),r=n.index,o=[],s=i.isHorizontal(),l=s?i.left:i.top,u=l+(s?i.width:i.height);for(t=0,e=n.getMeta().data.length;t<e;++t)o.push(i.getPixelForValue(null,t,r));return{pixels:o,start:l,end:u,stackCount:a,scale:i}},calculateBarValuePixels:function(t,e){var n,i,a,r,o,s,l=this,u=l.chart,d=l.getMeta(),c=l.getValueScale(),h=u.data.datasets,f=c.getRightValue(h[t].data[e]),g=c.options.stacked,m=d.stack,p=0;if(g||void 0===g&&void 0!==m)for(n=0;n<t;++n)(i=u.getDatasetMeta(n)).bar&&i.stack===m&&i.controller.getValueScaleId()===c.id&&u.isDatasetVisible(n)&&(a=c.getRightValue(h[n].data[e]),(f<0&&a<0||f>=0&&a>0)&&(p+=a));return r=c.getPixelForValue(p),o=c.getPixelForValue(p+f),s=(o-r)/2,{size:s,base:r,head:o,center:o+s/2}},calculateBarIndexPixels:function(t,e,n){var i,a,o,s,l,u,d=this,c=n.scale.options,h=d.getStackIndex(t),f=n.pixels,g=f[e],m=f.length,p=n.start,v=n.end;return 1===m?(i=g>p?g-p:v-g,a=g<v?v-g:g-p):(e>0&&(i=(g-f[e-1])/2,e===m-1&&(a=i)),e<m-1&&(a=(f[e+1]-g)/2,0===e&&(i=a))),o=i*c.categoryPercentage,s=a*c.categoryPercentage,l=(o+s)/n.stackCount,u=l*c.barPercentage,u=Math.min(r.valueOrDefault(c.barThickness,u),r.valueOrDefault(c.maxBarThickness,1/0)),g-=o,g+=l*h,g+=(l-u)/2,{size:u,base:g,head:g+u,center:g+u/2}},draw:function(){var t=this,e=t.chart,n=t.getValueScale(),i=t.getMeta().data,a=t.getDataset(),o=i.length,s=0;for(r.canvas.clipArea(e.ctx,e.chartArea);s<o;++s)isNaN(n.getRightValue(a.data[s]))||i[s].draw();r.canvas.unclipArea(e.ctx)},setHoverStyle:function(t){var e=this.chart.data.datasets[t._datasetIndex],n=t._index,i=t.custom||{},a=t._model;a.backgroundColor=i.hoverBackgroundColor?i.hoverBackgroundColor:r.valueAtIndexOrDefault(e.hoverBackgroundColor,n,r.getHoverColor(a.backgroundColor)),a.borderColor=i.hoverBorderColor?i.hoverBorderColor:r.valueAtIndexOrDefault(e.hoverBorderColor,n,r.getHoverColor(a.borderColor)),a.borderWidth=i.hoverBorderWidth?i.hoverBorderWidth:r.valueAtIndexOrDefault(e.hoverBorderWidth,n,a.borderWidth)},removeHoverStyle:function(t){var e=this.chart.data.datasets[t._datasetIndex],n=t._index,i=t.custom||{},a=t._model,o=this.chart.options.elements.rectangle;a.backgroundColor=i.backgroundColor?i.backgroundColor:r.valueAtIndexOrDefault(e.backgroundColor,n,o.backgroundColor),a.borderColor=i.borderColor?i.borderColor:r.valueAtIndexOrDefault(e.borderColor,n,o.borderColor),a.borderWidth=i.borderWidth?i.borderWidth:r.valueAtIndexOrDefault(e.borderWidth,n,o.borderWidth)}}),t.controllers.horizontalBar=t.controllers.bar.extend({getValueScaleId:function(){return this.getMeta().xAxisID},getIndexScaleId:function(){return this.getMeta().yAxisID}})}},{25:25,40:40,45:45}],16:[function(t,e,n){"use strict";var i=t(25),a=t(40),r=t(45);i._set("bubble",{hover:{mode:"single"},scales:{xAxes:[{type:"linear",position:"bottom",id:"x-axis-0"}],yAxes:[{type:"linear",position:"left",id:"y-axis-0"}]},tooltips:{callbacks:{title:function(){return""},label:function(t,e){var n=e.datasets[t.datasetIndex].label||"",i=e.datasets[t.datasetIndex].data[t.index];return n+": ("+t.xLabel+", "+t.yLabel+", "+i.r+")"}}}}),e.exports=function(t){t.controllers.bubble=t.DatasetController.extend({dataElementType:a.Point,update:function(t){var e=this,n=e.getMeta().data;r.each(n,function(n,i){e.updateElement(n,i,t)})},updateElement:function(t,e,n){var i=this,a=i.getMeta(),r=t.custom||{},o=i.getScaleForId(a.xAxisID),s=i.getScaleForId(a.yAxisID),l=i._resolveElementOptions(t,e),u=i.getDataset().data[e],d=i.index,c=n?o.getPixelForDecimal(.5):o.getPixelForValue("object"==typeof u?u:NaN,e,d),h=n?s.getBasePixel():s.getPixelForValue(u,e,d);t._xScale=o,t._yScale=s,t._options=l,t._datasetIndex=d,t._index=e,t._model={backgroundColor:l.backgroundColor,borderColor:l.borderColor,borderWidth:l.borderWidth,hitRadius:l.hitRadius,pointStyle:l.pointStyle,radius:n?0:l.radius,skip:r.skip||isNaN(c)||isNaN(h),x:c,y:h},t.pivot()},setHoverStyle:function(t){var e=t._model,n=t._options;e.backgroundColor=r.valueOrDefault(n.hoverBackgroundColor,r.getHoverColor(n.backgroundColor)),e.borderColor=r.valueOrDefault(n.hoverBorderColor,r.getHoverColor(n.borderColor)),e.borderWidth=r.valueOrDefault(n.hoverBorderWidth,n.borderWidth),e.radius=n.radius+n.hoverRadius},removeHoverStyle:function(t){var e=t._model,n=t._options;e.backgroundColor=n.backgroundColor,e.borderColor=n.borderColor,e.borderWidth=n.borderWidth,e.radius=n.radius},_resolveElementOptions:function(t,e){var n,i,a,o=this,s=o.chart,l=s.data.datasets[o.index],u=t.custom||{},d=s.options.elements.point,c=r.options.resolve,h=l.data[e],f={},g={chart:s,dataIndex:e,dataset:l,datasetIndex:o.index},m=["backgroundColor","borderColor","borderWidth","hoverBackgroundColor","hoverBorderColor","hoverBorderWidth","hoverRadius","hitRadius","pointStyle"];for(n=0,i=m.length;n<i;++n)f[a=m[n]]=c([u[a],l[a],d[a]],g,e);return f.radius=c([u.radius,h?h.r:void 0,l.radius,d.radius],g,e),f}})}},{25:25,40:40,45:45}],17:[function(t,e,n){"use strict";var i=t(25),a=t(40),r=t(45);i._set("doughnut",{animation:{animateRotate:!0,animateScale:!1},hover:{mode:"single"},legendCallback:function(t){var e=[];e.push(\'<ul class="\'+t.id+\'-legend">\');var n=t.data,i=n.datasets,a=n.labels;if(i.length)for(var r=0;r<i[0].data.length;++r)e.push(\'<li><span style="background-color:\'+i[0].backgroundColor[r]+\'"></span>\'),a[r]&&e.push(a[r]),e.push("</li>");return e.push("</ul>"),e.join("")},legend:{labels:{generateLabels:function(t){var e=t.data;return e.labels.length&&e.datasets.length?e.labels.map(function(n,i){var a=t.getDatasetMeta(0),o=e.datasets[0],s=a.data[i],l=s&&s.custom||{},u=r.valueAtIndexOrDefault,d=t.options.elements.arc;return{text:n,fillStyle:l.backgroundColor?l.backgroundColor:u(o.backgroundColor,i,d.backgroundColor),strokeStyle:l.borderColor?l.borderColor:u(o.borderColor,i,d.borderColor),lineWidth:l.borderWidth?l.borderWidth:u(o.borderWidth,i,d.borderWidth),hidden:isNaN(o.data[i])||a.data[i].hidden,index:i}}):[]}},onClick:function(t,e){var n,i,a,r=e.index,o=this.chart;for(n=0,i=(o.data.datasets||[]).length;n<i;++n)(a=o.getDatasetMeta(n)).data[r]&&(a.data[r].hidden=!a.data[r].hidden);o.update()}},cutoutPercentage:50,rotation:-.5*Math.PI,circumference:2*Math.PI,tooltips:{callbacks:{title:function(){return""},label:function(t,e){var n=e.labels[t.index],i=": "+e.datasets[t.datasetIndex].data[t.index];return r.isArray(n)?(n=n.slice())[0]+=i:n+=i,n}}}}),i._set("pie",r.clone(i.doughnut)),i._set("pie",{cutoutPercentage:0}),e.exports=function(t){t.controllers.doughnut=t.controllers.pie=t.DatasetController.extend({dataElementType:a.Arc,linkScales:r.noop,getRingIndex:function(t){for(var e=0,n=0;n<t;++n)this.chart.isDatasetVisible(n)&&++e;return e},update:function(t){var e=this,n=e.chart,i=n.chartArea,a=n.options,o=a.elements.arc,s=i.right-i.left-o.borderWidth,l=i.bottom-i.top-o.borderWidth,u=Math.min(s,l),d={x:0,y:0},c=e.getMeta(),h=a.cutoutPercentage,f=a.circumference;if(f<2*Math.PI){var g=a.rotation%(2*Math.PI),m=(g+=2*Math.PI*(g>=Math.PI?-1:g<-Math.PI?1:0))+f,p={x:Math.cos(g),y:Math.sin(g)},v={x:Math.cos(m),y:Math.sin(m)},y=g<=0&&m>=0||g<=2*Math.PI&&2*Math.PI<=m,b=g<=.5*Math.PI&&.5*Math.PI<=m||g<=2.5*Math.PI&&2.5*Math.PI<=m,x=g<=-Math.PI&&-Math.PI<=m||g<=Math.PI&&Math.PI<=m,_=g<=.5*-Math.PI&&.5*-Math.PI<=m||g<=1.5*Math.PI&&1.5*Math.PI<=m,k=h/100,w={x:x?-1:Math.min(p.x*(p.x<0?1:k),v.x*(v.x<0?1:k)),y:_?-1:Math.min(p.y*(p.y<0?1:k),v.y*(v.y<0?1:k))},M={x:y?1:Math.max(p.x*(p.x>0?1:k),v.x*(v.x>0?1:k)),y:b?1:Math.max(p.y*(p.y>0?1:k),v.y*(v.y>0?1:k))},S={width:.5*(M.x-w.x),height:.5*(M.y-w.y)};u=Math.min(s/S.width,l/S.height),d={x:-.5*(M.x+w.x),y:-.5*(M.y+w.y)}}n.borderWidth=e.getMaxBorderWidth(c.data),n.outerRadius=Math.max((u-n.borderWidth)/2,0),n.innerRadius=Math.max(h?n.outerRadius/100*h:0,0),n.radiusLength=(n.outerRadius-n.innerRadius)/n.getVisibleDatasetCount(),n.offsetX=d.x*n.outerRadius,n.offsetY=d.y*n.outerRadius,c.total=e.calculateTotal(),e.outerRadius=n.outerRadius-n.radiusLength*e.getRingIndex(e.index),e.innerRadius=Math.max(e.outerRadius-n.radiusLength,0),r.each(c.data,function(n,i){e.updateElement(n,i,t)})},updateElement:function(t,e,n){var i=this,a=i.chart,o=a.chartArea,s=a.options,l=s.animation,u=(o.left+o.right)/2,d=(o.top+o.bottom)/2,c=s.rotation,h=s.rotation,f=i.getDataset(),g=n&&l.animateRotate?0:t.hidden?0:i.calculateCircumference(f.data[e])*(s.circumference/(2*Math.PI)),m=n&&l.animateScale?0:i.innerRadius,p=n&&l.animateScale?0:i.outerRadius,v=r.valueAtIndexOrDefault;r.extend(t,{_datasetIndex:i.index,_index:e,_model:{x:u+a.offsetX,y:d+a.offsetY,startAngle:c,endAngle:h,circumference:g,outerRadius:p,innerRadius:m,label:v(f.label,e,a.data.labels[e])}});var y=t._model;this.removeHoverStyle(t),n&&l.animateRotate||(y.startAngle=0===e?s.rotation:i.getMeta().data[e-1]._model.endAngle,y.endAngle=y.startAngle+y.circumference),t.pivot()},removeHoverStyle:function(e){t.DatasetController.prototype.removeHoverStyle.call(this,e,this.chart.options.elements.arc)},calculateTotal:function(){var t,e=this.getDataset(),n=this.getMeta(),i=0;return r.each(n.data,function(n,a){t=e.data[a],isNaN(t)||n.hidden||(i+=Math.abs(t))}),i},calculateCircumference:function(t){var e=this.getMeta().total;return e>0&&!isNaN(t)?2*Math.PI*(t/e):0},getMaxBorderWidth:function(t){for(var e,n,i=0,a=this.index,r=t.length,o=0;o<r;o++)e=t[o]._model?t[o]._model.borderWidth:0,i=(n=t[o]._chart?t[o]._chart.config.data.datasets[a].hoverBorderWidth:0)>(i=e>i?e:i)?n:i;return i}})}},{25:25,40:40,45:45}],18:[function(t,e,n){"use strict";var i=t(25),a=t(40),r=t(45);i._set("line",{showLines:!0,spanGaps:!1,hover:{mode:"label"},scales:{xAxes:[{type:"category",id:"x-axis-0"}],yAxes:[{type:"linear",id:"y-axis-0"}]}}),e.exports=function(t){function e(t,e){return r.valueOrDefault(t.showLine,e.showLines)}t.controllers.line=t.DatasetController.extend({datasetElementType:a.Line,dataElementType:a.Point,update:function(t){var n,i,a,o=this,s=o.getMeta(),l=s.dataset,u=s.data||[],d=o.chart.options,c=d.elements.line,h=o.getScaleForId(s.yAxisID),f=o.getDataset(),g=e(f,d);for(g&&(a=l.custom||{},void 0!==f.tension&&void 0===f.lineTension&&(f.lineTension=f.tension),l._scale=h,l._datasetIndex=o.index,l._children=u,l._model={spanGaps:f.spanGaps?f.spanGaps:d.spanGaps,tension:a.tension?a.tension:r.valueOrDefault(f.lineTension,c.tension),backgroundColor:a.backgroundColor?a.backgroundColor:f.backgroundColor||c.backgroundColor,borderWidth:a.borderWidth?a.borderWidth:f.borderWidth||c.borderWidth,borderColor:a.borderColor?a.borderColor:f.borderColor||c.borderColor,borderCapStyle:a.borderCapStyle?a.borderCapStyle:f.borderCapStyle||c.borderCapStyle,borderDash:a.borderDash?a.borderDash:f.borderDash||c.borderDash,borderDashOffset:a.borderDashOffset?a.borderDashOffset:f.borderDashOffset||c.borderDashOffset,borderJoinStyle:a.borderJoinStyle?a.borderJoinStyle:f.borderJoinStyle||c.borderJoinStyle,fill:a.fill?a.fill:void 0!==f.fill?f.fill:c.fill,steppedLine:a.steppedLine?a.steppedLine:r.valueOrDefault(f.steppedLine,c.stepped),cubicInterpolationMode:a.cubicInterpolationMode?a.cubicInterpolationMode:r.valueOrDefault(f.cubicInterpolationMode,c.cubicInterpolationMode)},l.pivot()),n=0,i=u.length;n<i;++n)o.updateElement(u[n],n,t);for(g&&0!==l._model.tension&&o.updateBezierControlPoints(),n=0,i=u.length;n<i;++n)u[n].pivot()},getPointBackgroundColor:function(t,e){var n=this.chart.options.elements.point.backgroundColor,i=this.getDataset(),a=t.custom||{};return a.backgroundColor?n=a.backgroundColor:i.pointBackgroundColor?n=r.valueAtIndexOrDefault(i.pointBackgroundColor,e,n):i.backgroundColor&&(n=i.backgroundColor),n},getPointBorderColor:function(t,e){var n=this.chart.options.elements.point.borderColor,i=this.getDataset(),a=t.custom||{};return a.borderColor?n=a.borderColor:i.pointBorderColor?n=r.valueAtIndexOrDefault(i.pointBorderColor,e,n):i.borderColor&&(n=i.borderColor),n},getPointBorderWidth:function(t,e){var n=this.chart.options.elements.point.borderWidth,i=this.getDataset(),a=t.custom||{};return isNaN(a.borderWidth)?!isNaN(i.pointBorderWidth)||r.isArray(i.pointBorderWidth)?n=r.valueAtIndexOrDefault(i.pointBorderWidth,e,n):isNaN(i.borderWidth)||(n=i.borderWidth):n=a.borderWidth,n},updateElement:function(t,e,n){var i,a,o=this,s=o.getMeta(),l=t.custom||{},u=o.getDataset(),d=o.index,c=u.data[e],h=o.getScaleForId(s.yAxisID),f=o.getScaleForId(s.xAxisID),g=o.chart.options.elements.point;void 0!==u.radius&&void 0===u.pointRadius&&(u.pointRadius=u.radius),void 0!==u.hitRadius&&void 0===u.pointHitRadius&&(u.pointHitRadius=u.hitRadius),i=f.getPixelForValue("object"==typeof c?c:NaN,e,d),a=n?h.getBasePixel():o.calculatePointY(c,e,d),t._xScale=f,t._yScale=h,t._datasetIndex=d,t._index=e,t._model={x:i,y:a,skip:l.skip||isNaN(i)||isNaN(a),radius:l.radius||r.valueAtIndexOrDefault(u.pointRadius,e,g.radius),pointStyle:l.pointStyle||r.valueAtIndexOrDefault(u.pointStyle,e,g.pointStyle),backgroundColor:o.getPointBackgroundColor(t,e),borderColor:o.getPointBorderColor(t,e),borderWidth:o.getPointBorderWidth(t,e),tension:s.dataset._model?s.dataset._model.tension:0,steppedLine:!!s.dataset._model&&s.dataset._model.steppedLine,hitRadius:l.hitRadius||r.valueAtIndexOrDefault(u.pointHitRadius,e,g.hitRadius)}},calculatePointY:function(t,e,n){var i,a,r,o=this,s=o.chart,l=o.getMeta(),u=o.getScaleForId(l.yAxisID),d=0,c=0;if(u.options.stacked){for(i=0;i<n;i++)if(a=s.data.datasets[i],"line"===(r=s.getDatasetMeta(i)).type&&r.yAxisID===u.id&&s.isDatasetVisible(i)){var h=Number(u.getRightValue(a.data[e]));h<0?c+=h||0:d+=h||0}var f=Number(u.getRightValue(t));return f<0?u.getPixelForValue(c+f):u.getPixelForValue(d+f)}return u.getPixelForValue(t)},updateBezierControlPoints:function(){function t(t,e,n){return Math.max(Math.min(t,n),e)}var e,n,i,a,o=this,s=o.getMeta(),l=o.chart.chartArea,u=s.data||[];if(s.dataset._model.spanGaps&&(u=u.filter(function(t){return!t._model.skip})),"monotone"===s.dataset._model.cubicInterpolationMode)r.splineCurveMonotone(u);else for(e=0,n=u.length;e<n;++e)i=u[e]._model,a=r.splineCurve(r.previousItem(u,e)._model,i,r.nextItem(u,e)._model,s.dataset._model.tension),i.controlPointPreviousX=a.previous.x,i.controlPointPreviousY=a.previous.y,i.controlPointNextX=a.next.x,i.controlPointNextY=a.next.y;if(o.chart.options.elements.line.capBezierPoints)for(e=0,n=u.length;e<n;++e)(i=u[e]._model).controlPointPreviousX=t(i.controlPointPreviousX,l.left,l.right),i.controlPointPreviousY=t(i.controlPointPreviousY,l.top,l.bottom),i.controlPointNextX=t(i.controlPointNextX,l.left,l.right),i.controlPointNextY=t(i.controlPointNextY,l.top,l.bottom)},draw:function(){var t=this,n=t.chart,i=t.getMeta(),a=i.data||[],o=n.chartArea,s=a.length,l=0;for(r.canvas.clipArea(n.ctx,o),e(t.getDataset(),n.options)&&i.dataset.draw(),r.canvas.unclipArea(n.ctx);l<s;++l)a[l].draw(o)},setHoverStyle:function(t){var e=this.chart.data.datasets[t._datasetIndex],n=t._index,i=t.custom||{},a=t._model;a.radius=i.hoverRadius||r.valueAtIndexOrDefault(e.pointHoverRadius,n,this.chart.options.elements.point.hoverRadius),a.backgroundColor=i.hoverBackgroundColor||r.valueAtIndexOrDefault(e.pointHoverBackgroundColor,n,r.getHoverColor(a.backgroundColor)),a.borderColor=i.hoverBorderColor||r.valueAtIndexOrDefault(e.pointHoverBorderColor,n,r.getHoverColor(a.borderColor)),a.borderWidth=i.hoverBorderWidth||r.valueAtIndexOrDefault(e.pointHoverBorderWidth,n,a.borderWidth)},removeHoverStyle:function(t){var e=this,n=e.chart.data.datasets[t._datasetIndex],i=t._index,a=t.custom||{},o=t._model;void 0!==n.radius&&void 0===n.pointRadius&&(n.pointRadius=n.radius),o.radius=a.radius||r.valueAtIndexOrDefault(n.pointRadius,i,e.chart.options.elements.point.radius),o.backgroundColor=e.getPointBackgroundColor(t,i),o.borderColor=e.getPointBorderColor(t,i),o.borderWidth=e.getPointBorderWidth(t,i)}})}},{25:25,40:40,45:45}],19:[function(t,e,n){"use strict";var i=t(25),a=t(40),r=t(45);i._set("polarArea",{scale:{type:"radialLinear",angleLines:{display:!1},gridLines:{circular:!0},pointLabels:{display:!1},ticks:{beginAtZero:!0}},animation:{animateRotate:!0,animateScale:!0},startAngle:-.5*Math.PI,legendCallback:function(t){var e=[];e.push(\'<ul class="\'+t.id+\'-legend">\');var n=t.data,i=n.datasets,a=n.labels;if(i.length)for(var r=0;r<i[0].data.length;++r)e.push(\'<li><span style="background-color:\'+i[0].backgroundColor[r]+\'"></span>\'),a[r]&&e.push(a[r]),e.push("</li>");return e.push("</ul>"),e.join("")},legend:{labels:{generateLabels:function(t){var e=t.data;return e.labels.length&&e.datasets.length?e.labels.map(function(n,i){var a=t.getDatasetMeta(0),o=e.datasets[0],s=a.data[i].custom||{},l=r.valueAtIndexOrDefault,u=t.options.elements.arc;return{text:n,fillStyle:s.backgroundColor?s.backgroundColor:l(o.backgroundColor,i,u.backgroundColor),strokeStyle:s.borderColor?s.borderColor:l(o.borderColor,i,u.borderColor),lineWidth:s.borderWidth?s.borderWidth:l(o.borderWidth,i,u.borderWidth),hidden:isNaN(o.data[i])||a.data[i].hidden,index:i}}):[]}},onClick:function(t,e){var n,i,a,r=e.index,o=this.chart;for(n=0,i=(o.data.datasets||[]).length;n<i;++n)(a=o.getDatasetMeta(n)).data[r].hidden=!a.data[r].hidden;o.update()}},tooltips:{callbacks:{title:function(){return""},label:function(t,e){return e.labels[t.index]+": "+t.yLabel}}}}),e.exports=function(t){t.controllers.polarArea=t.DatasetController.extend({dataElementType:a.Arc,linkScales:r.noop,update:function(t){var e=this,n=e.chart,i=n.chartArea,a=e.getMeta(),o=n.options,s=o.elements.arc,l=Math.min(i.right-i.left,i.bottom-i.top);n.outerRadius=Math.max((l-s.borderWidth/2)/2,0),n.innerRadius=Math.max(o.cutoutPercentage?n.outerRadius/100*o.cutoutPercentage:1,0),n.radiusLength=(n.outerRadius-n.innerRadius)/n.getVisibleDatasetCount(),e.outerRadius=n.outerRadius-n.radiusLength*e.index,e.innerRadius=e.outerRadius-n.radiusLength,a.count=e.countVisibleElements(),r.each(a.data,function(n,i){e.updateElement(n,i,t)})},updateElement:function(t,e,n){for(var i=this,a=i.chart,o=i.getDataset(),s=a.options,l=s.animation,u=a.scale,d=a.data.labels,c=i.calculateCircumference(o.data[e]),h=u.xCenter,f=u.yCenter,g=0,m=i.getMeta(),p=0;p<e;++p)isNaN(o.data[p])||m.data[p].hidden||++g;var v=s.startAngle,y=t.hidden?0:u.getDistanceFromCenterForValue(o.data[e]),b=v+c*g,x=b+(t.hidden?0:c),_=l.animateScale?0:u.getDistanceFromCenterForValue(o.data[e]);r.extend(t,{_datasetIndex:i.index,_index:e,_scale:u,_model:{x:h,y:f,innerRadius:0,outerRadius:n?_:y,startAngle:n&&l.animateRotate?v:b,endAngle:n&&l.animateRotate?v:x,label:r.valueAtIndexOrDefault(d,e,d[e])}}),i.removeHoverStyle(t),t.pivot()},removeHoverStyle:function(e){t.DatasetController.prototype.removeHoverStyle.call(this,e,this.chart.options.elements.arc)},countVisibleElements:function(){var t=this.getDataset(),e=this.getMeta(),n=0;return r.each(e.data,function(e,i){isNaN(t.data[i])||e.hidden||n++}),n},calculateCircumference:function(t){var e=this.getMeta().count;return e>0&&!isNaN(t)?2*Math.PI/e:0}})}},{25:25,40:40,45:45}],20:[function(t,e,n){"use strict";var i=t(25),a=t(40),r=t(45);i._set("radar",{scale:{type:"radialLinear"},elements:{line:{tension:0}}}),e.exports=function(t){t.controllers.radar=t.DatasetController.extend({datasetElementType:a.Line,dataElementType:a.Point,linkScales:r.noop,update:function(t){var e=this,n=e.getMeta(),i=n.dataset,a=n.data,o=i.custom||{},s=e.getDataset(),l=e.chart.options.elements.line,u=e.chart.scale;void 0!==s.tension&&void 0===s.lineTension&&(s.lineTension=s.tension),r.extend(n.dataset,{_datasetIndex:e.index,_scale:u,_children:a,_loop:!0,_model:{tension:o.tension?o.tension:r.valueOrDefault(s.lineTension,l.tension),backgroundColor:o.backgroundColor?o.backgroundColor:s.backgroundColor||l.backgroundColor,borderWidth:o.borderWidth?o.borderWidth:s.borderWidth||l.borderWidth,borderColor:o.borderColor?o.borderColor:s.borderColor||l.borderColor,fill:o.fill?o.fill:void 0!==s.fill?s.fill:l.fill,borderCapStyle:o.borderCapStyle?o.borderCapStyle:s.borderCapStyle||l.borderCapStyle,borderDash:o.borderDash?o.borderDash:s.borderDash||l.borderDash,borderDashOffset:o.borderDashOffset?o.borderDashOffset:s.borderDashOffset||l.borderDashOffset,borderJoinStyle:o.borderJoinStyle?o.borderJoinStyle:s.borderJoinStyle||l.borderJoinStyle}}),n.dataset.pivot(),r.each(a,function(n,i){e.updateElement(n,i,t)},e),e.updateBezierControlPoints()},updateElement:function(t,e,n){var i=this,a=t.custom||{},o=i.getDataset(),s=i.chart.scale,l=i.chart.options.elements.point,u=s.getPointPositionForValue(e,o.data[e]);void 0!==o.radius&&void 0===o.pointRadius&&(o.pointRadius=o.radius),void 0!==o.hitRadius&&void 0===o.pointHitRadius&&(o.pointHitRadius=o.hitRadius),r.extend(t,{_datasetIndex:i.index,_index:e,_scale:s,_model:{x:n?s.xCenter:u.x,y:n?s.yCenter:u.y,tension:a.tension?a.tension:r.valueOrDefault(o.lineTension,i.chart.options.elements.line.tension),radius:a.radius?a.radius:r.valueAtIndexOrDefault(o.pointRadius,e,l.radius),backgroundColor:a.backgroundColor?a.backgroundColor:r.valueAtIndexOrDefault(o.pointBackgroundColor,e,l.backgroundColor),borderColor:a.borderColor?a.borderColor:r.valueAtIndexOrDefault(o.pointBorderColor,e,l.borderColor),borderWidth:a.borderWidth?a.borderWidth:r.valueAtIndexOrDefault(o.pointBorderWidth,e,l.borderWidth),pointStyle:a.pointStyle?a.pointStyle:r.valueAtIndexOrDefault(o.pointStyle,e,l.pointStyle),hitRadius:a.hitRadius?a.hitRadius:r.valueAtIndexOrDefault(o.pointHitRadius,e,l.hitRadius)}}),t._model.skip=a.skip?a.skip:isNaN(t._model.x)||isNaN(t._model.y)},updateBezierControlPoints:function(){var t=this.chart.chartArea,e=this.getMeta();r.each(e.data,function(n,i){var a=n._model,o=r.splineCurve(r.previousItem(e.data,i,!0)._model,a,r.nextItem(e.data,i,!0)._model,a.tension);a.controlPointPreviousX=Math.max(Math.min(o.previous.x,t.right),t.left),a.controlPointPreviousY=Math.max(Math.min(o.previous.y,t.bottom),t.top),a.controlPointNextX=Math.max(Math.min(o.next.x,t.right),t.left),a.controlPointNextY=Math.max(Math.min(o.next.y,t.bottom),t.top),n.pivot()})},setHoverStyle:function(t){var e=this.chart.data.datasets[t._datasetIndex],n=t.custom||{},i=t._index,a=t._model;a.radius=n.hoverRadius?n.hoverRadius:r.valueAtIndexOrDefault(e.pointHoverRadius,i,this.chart.options.elements.point.hoverRadius),a.backgroundColor=n.hoverBackgroundColor?n.hoverBackgroundColor:r.valueAtIndexOrDefault(e.pointHoverBackgroundColor,i,r.getHoverColor(a.backgroundColor)),a.borderColor=n.hoverBorderColor?n.hoverBorderColor:r.valueAtIndexOrDefault(e.pointHoverBorderColor,i,r.getHoverColor(a.borderColor)),a.borderWidth=n.hoverBorderWidth?n.hoverBorderWidth:r.valueAtIndexOrDefault(e.pointHoverBorderWidth,i,a.borderWidth)},removeHoverStyle:function(t){var e=this.chart.data.datasets[t._datasetIndex],n=t.custom||{},i=t._index,a=t._model,o=this.chart.options.elements.point;a.radius=n.radius?n.radius:r.valueAtIndexOrDefault(e.pointRadius,i,o.radius),a.backgroundColor=n.backgroundColor?n.backgroundColor:r.valueAtIndexOrDefault(e.pointBackgroundColor,i,o.backgroundColor),a.borderColor=n.borderColor?n.borderColor:r.valueAtIndexOrDefault(e.pointBorderColor,i,o.borderColor),a.borderWidth=n.borderWidth?n.borderWidth:r.valueAtIndexOrDefault(e.pointBorderWidth,i,o.borderWidth)}})}},{25:25,40:40,45:45}],21:[function(t,e,n){"use strict";t(25)._set("scatter",{hover:{mode:"single"},scales:{xAxes:[{id:"x-axis-1",type:"linear",position:"bottom"}],yAxes:[{id:"y-axis-1",type:"linear",position:"left"}]},showLines:!1,tooltips:{callbacks:{title:function(){return""},label:function(t){return"("+t.xLabel+", "+t.yLabel+")"}}}}),e.exports=function(t){t.controllers.scatter=t.controllers.line}},{25:25}],22:[function(t,e,n){"use strict";var i=t(25),a=t(26),r=t(45);i._set("global",{animation:{duration:1e3,easing:"easeOutQuart",onProgress:r.noop,onComplete:r.noop}}),e.exports=function(t){t.Animation=a.extend({chart:null,currentStep:0,numSteps:60,easing:"",render:null,onAnimationProgress:null,onAnimationComplete:null}),t.animationService={frameDuration:17,animations:[],dropFrames:0,request:null,addAnimation:function(t,e,n,i){var a,r,o=this.animations;for(e.chart=t,i||(t.animating=!0),a=0,r=o.length;a<r;++a)if(o[a].chart===t)return void(o[a]=e);o.push(e),1===o.length&&this.requestAnimationFrame()},cancelAnimation:function(t){var e=r.findIndex(this.animations,function(e){return e.chart===t});-1!==e&&(this.animations.splice(e,1),t.animating=!1)},requestAnimationFrame:function(){var t=this;null===t.request&&(t.request=r.requestAnimFrame.call(window,function(){t.request=null,t.startDigest()}))},startDigest:function(){var t=this,e=Date.now(),n=0;t.dropFrames>1&&(n=Math.floor(t.dropFrames),t.dropFrames=t.dropFrames%1),t.advance(1+n);var i=Date.now();t.dropFrames+=(i-e)/t.frameDuration,t.animations.length>0&&t.requestAnimationFrame()},advance:function(t){for(var e,n,i=this.animations,a=0;a<i.length;)n=(e=i[a]).chart,e.currentStep=(e.currentStep||0)+t,e.currentStep=Math.min(e.currentStep,e.numSteps),r.callback(e.render,[n,e],n),r.callback(e.onAnimationProgress,[e],n),e.currentStep>=e.numSteps?(r.callback(e.onAnimationComplete,[e],n),n.animating=!1,i.splice(a,1)):++a}},Object.defineProperty(t.Animation.prototype,"animationObject",{get:function(){return this}}),Object.defineProperty(t.Animation.prototype,"chartInstance",{get:function(){return this.chart},set:function(t){this.chart=t}})}},{25:25,26:26,45:45}],23:[function(t,e,n){"use strict";var i=t(25),a=t(45),r=t(28),o=t(48);e.exports=function(t){function e(t){var e=(t=t||{}).data=t.data||{};return e.datasets=e.datasets||[],e.labels=e.labels||[],t.options=a.configMerge(i.global,i[t.type],t.options||{}),t}function n(t){var e=t.options;e.scale?t.scale.options=e.scale:e.scales&&e.scales.xAxes.concat(e.scales.yAxes).forEach(function(e){t.scales[e.id].options=e}),t.tooltip._options=e.tooltips}function s(t){return"top"===t||"bottom"===t}var l=t.plugins;t.types={},t.instances={},t.controllers={},a.extend(t.prototype,{construct:function(n,i){var r=this;i=e(i);var s=o.acquireContext(n,i),l=s&&s.canvas,u=l&&l.height,d=l&&l.width;r.id=a.uid(),r.ctx=s,r.canvas=l,r.config=i,r.width=d,r.height=u,r.aspectRatio=u?d/u:null,r.options=i.options,r._bufferedRender=!1,r.chart=r,r.controller=r,t.instances[r.id]=r,Object.defineProperty(r,"data",{get:function(){return r.config.data},set:function(t){r.config.data=t}}),s&&l?(r.initialize(),r.update()):console.error("Failed to create chart: can\'t acquire context from the given item")},initialize:function(){var t=this;return l.notify(t,"beforeInit"),a.retinaScale(t,t.options.devicePixelRatio),t.bindEvents(),t.options.responsive&&t.resize(!0),t.ensureScalesHaveIDs(),t.buildScales(),t.initToolTip(),l.notify(t,"afterInit"),t},clear:function(){return a.canvas.clear(this),this},stop:function(){return t.animationService.cancelAnimation(this),this},resize:function(t){var e=this,n=e.options,i=e.canvas,r=n.maintainAspectRatio&&e.aspectRatio||null,o=Math.max(0,Math.floor(a.getMaximumWidth(i))),s=Math.max(0,Math.floor(r?o/r:a.getMaximumHeight(i)));if((e.width!==o||e.height!==s)&&(i.width=e.width=o,i.height=e.height=s,i.style.width=o+"px",i.style.height=s+"px",a.retinaScale(e,n.devicePixelRatio),!t)){var u={width:o,height:s};l.notify(e,"resize",[u]),e.options.onResize&&e.options.onResize(e,u),e.stop(),e.update(e.options.responsiveAnimationDuration)}},ensureScalesHaveIDs:function(){var t=this.options,e=t.scales||{},n=t.scale;a.each(e.xAxes,function(t,e){t.id=t.id||"x-axis-"+e}),a.each(e.yAxes,function(t,e){t.id=t.id||"y-axis-"+e}),n&&(n.id=n.id||"scale")},buildScales:function(){var e=this,n=e.options,i=e.scales={},r=[];n.scales&&(r=r.concat((n.scales.xAxes||[]).map(function(t){return{options:t,dtype:"category",dposition:"bottom"}}),(n.scales.yAxes||[]).map(function(t){return{options:t,dtype:"linear",dposition:"left"}}))),n.scale&&r.push({options:n.scale,dtype:"radialLinear",isDefault:!0,dposition:"chartArea"}),a.each(r,function(n){var r=n.options,o=a.valueOrDefault(r.type,n.dtype),l=t.scaleService.getScaleConstructor(o);if(l){s(r.position)!==s(n.dposition)&&(r.position=n.dposition);var u=new l({id:r.id,options:r,ctx:e.ctx,chart:e});i[u.id]=u,u.mergeTicksOptions(),n.isDefault&&(e.scale=u)}}),t.scaleService.addScalesToLayout(this)},buildOrUpdateControllers:function(){var e=this,n=[],i=[];return a.each(e.data.datasets,function(a,r){var o=e.getDatasetMeta(r),s=a.type||e.config.type;if(o.type&&o.type!==s&&(e.destroyDatasetMeta(r),o=e.getDatasetMeta(r)),o.type=s,n.push(o.type),o.controller)o.controller.updateIndex(r);else{var l=t.controllers[o.type];if(void 0===l)throw new Error(\'"\'+o.type+\'" is not a chart type.\');o.controller=new l(e,r),i.push(o.controller)}},e),i},resetElements:function(){var t=this;a.each(t.data.datasets,function(e,n){t.getDatasetMeta(n).controller.reset()},t)},reset:function(){this.resetElements(),this.tooltip.initialize()},update:function(t){var e=this;if(t&&"object"==typeof t||(t={duration:t,lazy:arguments[1]}),n(e),!1!==l.notify(e,"beforeUpdate")){e.tooltip._data=e.data;var i=e.buildOrUpdateControllers();a.each(e.data.datasets,function(t,n){e.getDatasetMeta(n).controller.buildOrUpdateElements()},e),e.updateLayout(),a.each(i,function(t){t.reset()}),e.updateDatasets(),e.tooltip.initialize(),e.lastActive=[],l.notify(e,"afterUpdate"),e._bufferedRender?e._bufferedRequest={duration:t.duration,easing:t.easing,lazy:t.lazy}:e.render(t)}},updateLayout:function(){var e=this;!1!==l.notify(e,"beforeLayout")&&(t.layoutService.update(this,this.width,this.height),l.notify(e,"afterScaleUpdate"),l.notify(e,"afterLayout"))},updateDatasets:function(){var t=this;if(!1!==l.notify(t,"beforeDatasetsUpdate")){for(var e=0,n=t.data.datasets.length;e<n;++e)t.updateDataset(e);l.notify(t,"afterDatasetsUpdate")}},updateDataset:function(t){var e=this,n=e.getDatasetMeta(t),i={meta:n,index:t};!1!==l.notify(e,"beforeDatasetUpdate",[i])&&(n.controller.update(),l.notify(e,"afterDatasetUpdate",[i]))},render:function(e){var n=this;e&&"object"==typeof e||(e={duration:e,lazy:arguments[1]});var i=e.duration,r=e.lazy;if(!1!==l.notify(n,"beforeRender")){var o=n.options.animation,s=function(t){l.notify(n,"afterRender"),a.callback(o&&o.onComplete,[t],n)};if(o&&(void 0!==i&&0!==i||void 0===i&&0!==o.duration)){var u=new t.Animation({numSteps:(i||o.duration)/16.66,easing:e.easing||o.easing,render:function(t,e){var n=a.easing.effects[e.easing],i=e.currentStep,r=i/e.numSteps;t.draw(n(r),r,i)},onAnimationProgress:o.onProgress,onAnimationComplete:s});t.animationService.addAnimation(n,u,i,r)}else n.draw(),s(new t.Animation({numSteps:0,chart:n}));return n}},draw:function(t){var e=this;e.clear(),a.isNullOrUndef(t)&&(t=1),e.transition(t),!1!==l.notify(e,"beforeDraw",[t])&&(a.each(e.boxes,function(t){t.draw(e.chartArea)},e),e.scale&&e.scale.draw(),e.drawDatasets(t),e._drawTooltip(t),l.notify(e,"afterDraw",[t]))},transition:function(t){for(var e=this,n=0,i=(e.data.datasets||[]).length;n<i;++n)e.isDatasetVisible(n)&&e.getDatasetMeta(n).controller.transition(t);e.tooltip.transition(t)},drawDatasets:function(t){var e=this;if(!1!==l.notify(e,"beforeDatasetsDraw",[t])){for(var n=(e.data.datasets||[]).length-1;n>=0;--n)e.isDatasetVisible(n)&&e.drawDataset(n,t);l.notify(e,"afterDatasetsDraw",[t])}},drawDataset:function(t,e){var n=this,i=n.getDatasetMeta(t),a={meta:i,index:t,easingValue:e};!1!==l.notify(n,"beforeDatasetDraw",[a])&&(i.controller.draw(e),l.notify(n,"afterDatasetDraw",[a]))},_drawTooltip:function(t){var e=this,n=e.tooltip,i={tooltip:n,easingValue:t};!1!==l.notify(e,"beforeTooltipDraw",[i])&&(n.draw(),l.notify(e,"afterTooltipDraw",[i]))},getElementAtEvent:function(t){return r.modes.single(this,t)},getElementsAtEvent:function(t){return r.modes.label(this,t,{intersect:!0})},getElementsAtXAxis:function(t){return r.modes["x-axis"](this,t,{intersect:!0})},getElementsAtEventForMode:function(t,e,n){var i=r.modes[e];return"function"==typeof i?i(this,t,n):[]},getDatasetAtEvent:function(t){return r.modes.dataset(this,t,{intersect:!0})},getDatasetMeta:function(t){var e=this,n=e.data.datasets[t];n._meta||(n._meta={});var i=n._meta[e.id];return i||(i=n._meta[e.id]={type:null,data:[],dataset:null,controller:null,hidden:null,xAxisID:null,yAxisID:null}),i},getVisibleDatasetCount:function(){for(var t=0,e=0,n=this.data.datasets.length;e<n;++e)this.isDatasetVisible(e)&&t++;return t},isDatasetVisible:function(t){var e=this.getDatasetMeta(t);return"boolean"==typeof e.hidden?!e.hidden:!this.data.datasets[t].hidden},generateLegend:function(){return this.options.legendCallback(this)},destroyDatasetMeta:function(t){var e=this.id,n=this.data.datasets[t],i=n._meta&&n._meta[e];i&&(i.controller.destroy(),delete n._meta[e])},destroy:function(){var e,n,i=this,r=i.canvas;for(i.stop(),e=0,n=i.data.datasets.length;e<n;++e)i.destroyDatasetMeta(e);r&&(i.unbindEvents(),a.canvas.clear(i),o.releaseContext(i.ctx),i.canvas=null,i.ctx=null),l.notify(i,"destroy"),delete t.instances[i.id]},toBase64Image:function(){return this.canvas.toDataURL.apply(this.canvas,arguments)},initToolTip:function(){var e=this;e.tooltip=new t.Tooltip({_chart:e,_chartInstance:e,_data:e.data,_options:e.options.tooltips},e)},bindEvents:function(){var t=this,e=t._listeners={},n=function(){t.eventHandler.apply(t,arguments)};a.each(t.options.events,function(i){o.addEventListener(t,i,n),e[i]=n}),t.options.responsive&&(n=function(){t.resize()},o.addEventListener(t,"resize",n),e.resize=n)},unbindEvents:function(){var t=this,e=t._listeners;e&&(delete t._listeners,a.each(e,function(e,n){o.removeEventListener(t,n,e)}))},updateHoverStyle:function(t,e,n){var i,a,r,o=n?"setHoverStyle":"removeHoverStyle";for(a=0,r=t.length;a<r;++a)(i=t[a])&&this.getDatasetMeta(i._datasetIndex).controller[o](i)},eventHandler:function(t){var e=this,n=e.tooltip;if(!1!==l.notify(e,"beforeEvent",[t])){e._bufferedRender=!0,e._bufferedRequest=null;var i=e.handleEvent(t);i|=n&&n.handleEvent(t),l.notify(e,"afterEvent",[t]);var a=e._bufferedRequest;return a?e.render(a):i&&!e.animating&&(e.stop(),e.render(e.options.hover.animationDuration,!0)),e._bufferedRender=!1,e._bufferedRequest=null,e}},handleEvent:function(t){var e=this,n=e.options||{},i=n.hover,r=!1;return e.lastActive=e.lastActive||[],"mouseout"===t.type?e.active=[]:e.active=e.getElementsAtEventForMode(t,i.mode,i),a.callback(n.onHover||n.hover.onHover,[t.native,e.active],e),"mouseup"!==t.type&&"click"!==t.type||n.onClick&&n.onClick.call(e,t.native,e.active),e.lastActive.length&&e.updateHoverStyle(e.lastActive,i.mode,!1),e.active.length&&i.mode&&e.updateHoverStyle(e.active,i.mode,!0),r=!a.arrayEquals(e.active,e.lastActive),e.lastActive=e.active,r}}),t.Controller=t}},{25:25,28:28,45:45,48:48}],24:[function(t,e,n){"use strict";var i=t(45);e.exports=function(t){function e(t,e){t._chartjs?t._chartjs.listeners.push(e):(Object.defineProperty(t,"_chartjs",{configurable:!0,enumerable:!1,value:{listeners:[e]}}),a.forEach(function(e){var n="onData"+e.charAt(0).toUpperCase()+e.slice(1),a=t[e];Object.defineProperty(t,e,{configurable:!0,enumerable:!1,value:function(){var e=Array.prototype.slice.call(arguments),r=a.apply(this,e);return i.each(t._chartjs.listeners,function(t){"function"==typeof t[n]&&t[n].apply(t,e)}),r}})}))}function n(t,e){var n=t._chartjs;if(n){var i=n.listeners,r=i.indexOf(e);-1!==r&&i.splice(r,1),i.length>0||(a.forEach(function(e){delete t[e]}),delete t._chartjs)}}var a=["push","pop","shift","splice","unshift"];t.DatasetController=function(t,e){this.initialize(t,e)},i.extend(t.DatasetController.prototype,{datasetElementType:null,dataElementType:null,initialize:function(t,e){var n=this;n.chart=t,n.index=e,n.linkScales(),n.addElements()},updateIndex:function(t){this.index=t},linkScales:function(){var t=this,e=t.getMeta(),n=t.getDataset();null===e.xAxisID&&(e.xAxisID=n.xAxisID||t.chart.options.scales.xAxes[0].id),null===e.yAxisID&&(e.yAxisID=n.yAxisID||t.chart.options.scales.yAxes[0].id)},getDataset:function(){return this.chart.data.datasets[this.index]},getMeta:function(){return this.chart.getDatasetMeta(this.index)},getScaleForId:function(t){return this.chart.scales[t]},reset:function(){this.update(!0)},destroy:function(){this._data&&n(this._data,this)},createMetaDataset:function(){var t=this,e=t.datasetElementType;return e&&new e({_chart:t.chart,_datasetIndex:t.index})},createMetaData:function(t){var e=this,n=e.dataElementType;return n&&new n({_chart:e.chart,_datasetIndex:e.index,_index:t})},addElements:function(){var t,e,n=this,i=n.getMeta(),a=n.getDataset().data||[],r=i.data;for(t=0,e=a.length;t<e;++t)r[t]=r[t]||n.createMetaData(t);i.dataset=i.dataset||n.createMetaDataset()},addElementAndReset:function(t){var e=this.createMetaData(t);this.getMeta().data.splice(t,0,e),this.updateElement(e,t,!0)},buildOrUpdateElements:function(){var t=this,i=t.getDataset(),a=i.data||(i.data=[]);t._data!==a&&(t._data&&n(t._data,t),e(a,t),t._data=a),t.resyncElements()},update:i.noop,transition:function(t){for(var e=this.getMeta(),n=e.data||[],i=n.length,a=0;a<i;++a)n[a].transition(t);e.dataset&&e.dataset.transition(t)},draw:function(){var t=this.getMeta(),e=t.data||[],n=e.length,i=0;for(t.dataset&&t.dataset.draw();i<n;++i)e[i].draw()},removeHoverStyle:function(t,e){var n=this.chart.data.datasets[t._datasetIndex],a=t._index,r=t.custom||{},o=i.valueAtIndexOrDefault,s=t._model;s.backgroundColor=r.backgroundColor?r.backgroundColor:o(n.backgroundColor,a,e.backgroundColor),s.borderColor=r.borderColor?r.borderColor:o(n.borderColor,a,e.borderColor),s.borderWidth=r.borderWidth?r.borderWidth:o(n.borderWidth,a,e.borderWidth)},setHoverStyle:function(t){var e=this.chart.data.datasets[t._datasetIndex],n=t._index,a=t.custom||{},r=i.valueAtIndexOrDefault,o=i.getHoverColor,s=t._model;s.backgroundColor=a.hoverBackgroundColor?a.hoverBackgroundColor:r(e.hoverBackgroundColor,n,o(s.backgroundColor)),s.borderColor=a.hoverBorderColor?a.hoverBorderColor:r(e.hoverBorderColor,n,o(s.borderColor)),s.borderWidth=a.hoverBorderWidth?a.hoverBorderWidth:r(e.hoverBorderWidth,n,s.borderWidth)},resyncElements:function(){var t=this,e=t.getMeta(),n=t.getDataset().data,i=e.data.length,a=n.length;a<i?e.data.splice(a,i-a):a>i&&t.insertElements(i,a-i)},insertElements:function(t,e){for(var n=0;n<e;++n)this.addElementAndReset(t+n)},onDataPush:function(){this.insertElements(this.getDataset().data.length-1,arguments.length)},onDataPop:function(){this.getMeta().data.pop()},onDataShift:function(){this.getMeta().data.shift()},onDataSplice:function(t,e){this.getMeta().data.splice(t,e),this.insertElements(t,arguments.length-2)},onDataUnshift:function(){this.insertElements(0,arguments.length)}}),t.DatasetController.extend=i.inherits}},{45:45}],25:[function(t,e,n){"use strict";var i=t(45);e.exports={_set:function(t,e){return i.merge(this[t]||(this[t]={}),e)}}},{45:45}],26:[function(t,e,n){"use strict";function i(t,e,n,i){var r,o,s,l,u,d,c,h,f,g=Object.keys(n);for(r=0,o=g.length;r<o;++r)if(s=g[r],d=n[s],e.hasOwnProperty(s)||(e[s]=d),(l=e[s])!==d&&"_"!==s[0]){if(t.hasOwnProperty(s)||(t[s]=l),u=t[s],(c=typeof d)===typeof u)if("string"===c){if((h=a(u)).valid&&(f=a(d)).valid){e[s]=f.mix(h,i).rgbString();continue}}else if("number"===c&&isFinite(u)&&isFinite(d)){e[s]=u+(d-u)*i;continue}e[s]=d}}var a=t(2),r=t(45),o=function(t){r.extend(this,t),this.initialize.apply(this,arguments)};r.extend(o.prototype,{initialize:function(){this.hidden=!1},pivot:function(){var t=this;return t._view||(t._view=r.clone(t._model)),t._start={},t},transition:function(t){var e=this,n=e._model,a=e._start,r=e._view;return n&&1!==t?(r||(r=e._view={}),a||(a=e._start={}),i(a,r,n,t),e):(e._view=n,e._start=null,e)},tooltipPosition:function(){return{x:this._model.x,y:this._model.y}},hasValue:function(){return r.isNumber(this._model.x)&&r.isNumber(this._model.y)}}),o.extend=r.inherits,e.exports=o},{2:2,45:45}],27:[function(t,e,n){"use strict";var i=t(2),a=t(25),r=t(45);e.exports=function(t){function e(t,e,n){var i;return"string"==typeof t?(i=parseInt(t,10),-1!==t.indexOf("%")&&(i=i/100*e.parentNode[n])):i=t,i}function n(t){return void 0!==t&&null!==t&&"none"!==t}function o(t,i,a){var r=document.defaultView,o=t.parentNode,s=r.getComputedStyle(t)[i],l=r.getComputedStyle(o)[i],u=n(s),d=n(l),c=Number.POSITIVE_INFINITY;return u||d?Math.min(u?e(s,t,a):c,d?e(l,o,a):c):"none"}r.configMerge=function(){return r.merge(r.clone(arguments[0]),[].slice.call(arguments,1),{merger:function(e,n,i,a){var o=n[e]||{},s=i[e];"scales"===e?n[e]=r.scaleMerge(o,s):"scale"===e?n[e]=r.merge(o,[t.scaleService.getScaleDefaults(s.type),s]):r._merger(e,n,i,a)}})},r.scaleMerge=function(){return r.merge(r.clone(arguments[0]),[].slice.call(arguments,1),{merger:function(e,n,i,a){if("xAxes"===e||"yAxes"===e){var o,s,l,u=i[e].length;for(n[e]||(n[e]=[]),o=0;o<u;++o)l=i[e][o],s=r.valueOrDefault(l.type,"xAxes"===e?"category":"linear"),o>=n[e].length&&n[e].push({}),!n[e][o].type||l.type&&l.type!==n[e][o].type?r.merge(n[e][o],[t.scaleService.getScaleDefaults(s),l]):r.merge(n[e][o],l)}else r._merger(e,n,i,a)}})},r.where=function(t,e){if(r.isArray(t)&&Array.prototype.filter)return t.filter(e);var n=[];return r.each(t,function(t){e(t)&&n.push(t)}),n},r.findIndex=Array.prototype.findIndex?function(t,e,n){return t.findIndex(e,n)}:function(t,e,n){n=void 0===n?t:n;for(var i=0,a=t.length;i<a;++i)if(e.call(n,t[i],i,t))return i;return-1},r.findNextWhere=function(t,e,n){r.isNullOrUndef(n)&&(n=-1);for(var i=n+1;i<t.length;i++){var a=t[i];if(e(a))return a}},r.findPreviousWhere=function(t,e,n){r.isNullOrUndef(n)&&(n=t.length);for(var i=n-1;i>=0;i--){var a=t[i];if(e(a))return a}},r.isNumber=function(t){return!isNaN(parseFloat(t))&&isFinite(t)},r.almostEquals=function(t,e,n){return Math.abs(t-e)<n},r.almostWhole=function(t,e){var n=Math.round(t);return n-e<t&&n+e>t},r.max=function(t){return t.reduce(function(t,e){return isNaN(e)?t:Math.max(t,e)},Number.NEGATIVE_INFINITY)},r.min=function(t){return t.reduce(function(t,e){return isNaN(e)?t:Math.min(t,e)},Number.POSITIVE_INFINITY)},r.sign=Math.sign?function(t){return Math.sign(t)}:function(t){return 0==(t=+t)||isNaN(t)?t:t>0?1:-1},r.log10=Math.log10?function(t){return Math.log10(t)}:function(t){return Math.log(t)/Math.LN10},r.toRadians=function(t){return t*(Math.PI/180)},r.toDegrees=function(t){return t*(180/Math.PI)},r.getAngleFromPoint=function(t,e){var n=e.x-t.x,i=e.y-t.y,a=Math.sqrt(n*n+i*i),r=Math.atan2(i,n);return r<-.5*Math.PI&&(r+=2*Math.PI),{angle:r,distance:a}},r.distanceBetweenPoints=function(t,e){return Math.sqrt(Math.pow(e.x-t.x,2)+Math.pow(e.y-t.y,2))},r.aliasPixel=function(t){return t%2==0?0:.5},r.splineCurve=function(t,e,n,i){var a=t.skip?e:t,r=e,o=n.skip?e:n,s=Math.sqrt(Math.pow(r.x-a.x,2)+Math.pow(r.y-a.y,2)),l=Math.sqrt(Math.pow(o.x-r.x,2)+Math.pow(o.y-r.y,2)),u=s/(s+l),d=l/(s+l),c=i*(u=isNaN(u)?0:u),h=i*(d=isNaN(d)?0:d);return{previous:{x:r.x-c*(o.x-a.x),y:r.y-c*(o.y-a.y)},next:{x:r.x+h*(o.x-a.x),y:r.y+h*(o.y-a.y)}}},r.EPSILON=Number.EPSILON||1e-14,r.splineCurveMonotone=function(t){var e,n,i,a,o=(t||[]).map(function(t){return{model:t._model,deltaK:0,mK:0}}),s=o.length;for(e=0;e<s;++e)if(!(i=o[e]).model.skip){if(n=e>0?o[e-1]:null,(a=e<s-1?o[e+1]:null)&&!a.model.skip){var l=a.model.x-i.model.x;i.deltaK=0!==l?(a.model.y-i.model.y)/l:0}!n||n.model.skip?i.mK=i.deltaK:!a||a.model.skip?i.mK=n.deltaK:this.sign(n.deltaK)!==this.sign(i.deltaK)?i.mK=0:i.mK=(n.deltaK+i.deltaK)/2}var u,d,c,h;for(e=0;e<s-1;++e)i=o[e],a=o[e+1],i.model.skip||a.model.skip||(r.almostEquals(i.deltaK,0,this.EPSILON)?i.mK=a.mK=0:(u=i.mK/i.deltaK,d=a.mK/i.deltaK,(h=Math.pow(u,2)+Math.pow(d,2))<=9||(c=3/Math.sqrt(h),i.mK=u*c*i.deltaK,a.mK=d*c*i.deltaK)));var f;for(e=0;e<s;++e)(i=o[e]).model.skip||(n=e>0?o[e-1]:null,a=e<s-1?o[e+1]:null,n&&!n.model.skip&&(f=(i.model.x-n.model.x)/3,i.model.controlPointPreviousX=i.model.x-f,i.model.controlPointPreviousY=i.model.y-f*i.mK),a&&!a.model.skip&&(f=(a.model.x-i.model.x)/3,i.model.controlPointNextX=i.model.x+f,i.model.controlPointNextY=i.model.y+f*i.mK))},r.nextItem=function(t,e,n){return n?e>=t.length-1?t[0]:t[e+1]:e>=t.length-1?t[t.length-1]:t[e+1]},r.previousItem=function(t,e,n){return n?e<=0?t[t.length-1]:t[e-1]:e<=0?t[0]:t[e-1]},r.niceNum=function(t,e){var n=Math.floor(r.log10(t)),i=t/Math.pow(10,n);return(e?i<1.5?1:i<3?2:i<7?5:10:i<=1?1:i<=2?2:i<=5?5:10)*Math.pow(10,n)},r.requestAnimFrame="undefined"==typeof window?function(t){t()}:window.requestAnimationFrame||window.webkitRequestAnimationFrame||window.mozRequestAnimationFrame||window.oRequestAnimationFrame||window.msRequestAnimationFrame||function(t){return window.setTimeout(t,1e3/60)},r.getRelativePosition=function(t,e){var n,i,a=t.originalEvent||t,o=t.currentTarget||t.srcElement,s=o.getBoundingClientRect(),l=a.touches;l&&l.length>0?(n=l[0].clientX,i=l[0].clientY):(n=a.clientX,i=a.clientY);var u=parseFloat(r.getStyle(o,"padding-left")),d=parseFloat(r.getStyle(o,"padding-top")),c=parseFloat(r.getStyle(o,"padding-right")),h=parseFloat(r.getStyle(o,"padding-bottom")),f=s.right-s.left-u-c,g=s.bottom-s.top-d-h;return n=Math.round((n-s.left-u)/f*o.width/e.currentDevicePixelRatio),i=Math.round((i-s.top-d)/g*o.height/e.currentDevicePixelRatio),{x:n,y:i}},r.getConstraintWidth=function(t){return o(t,"max-width","clientWidth")},r.getConstraintHeight=function(t){return o(t,"max-height","clientHeight")},r.getMaximumWidth=function(t){var e=t.parentNode;if(!e)return t.clientWidth;var n=parseInt(r.getStyle(e,"padding-left"),10),i=parseInt(r.getStyle(e,"padding-right"),10),a=e.clientWidth-n-i,o=r.getConstraintWidth(t);return isNaN(o)?a:Math.min(a,o)},r.getMaximumHeight=function(t){var e=t.parentNode;if(!e)return t.clientHeight;var n=parseInt(r.getStyle(e,"padding-top"),10),i=parseInt(r.getStyle(e,"padding-bottom"),10),a=e.clientHeight-n-i,o=r.getConstraintHeight(t);return isNaN(o)?a:Math.min(a,o)},r.getStyle=function(t,e){return t.currentStyle?t.currentStyle[e]:document.defaultView.getComputedStyle(t,null).getPropertyValue(e)},r.retinaScale=function(t,e){var n=t.currentDevicePixelRatio=e||window.devicePixelRatio||1;if(1!==n){var i=t.canvas,a=t.height,r=t.width;i.height=a*n,i.width=r*n,t.ctx.scale(n,n),i.style.height=a+"px",i.style.width=r+"px"}},r.fontString=function(t,e,n){return e+" "+t+"px "+n},r.longestText=function(t,e,n,i){var a=(i=i||{}).data=i.data||{},o=i.garbageCollect=i.garbageCollect||[];i.font!==e&&(a=i.data={},o=i.garbageCollect=[],i.font=e),t.font=e;var s=0;r.each(n,function(e){void 0!==e&&null!==e&&!0!==r.isArray(e)?s=r.measureText(t,a,o,s,e):r.isArray(e)&&r.each(e,function(e){void 0===e||null===e||r.isArray(e)||(s=r.measureText(t,a,o,s,e))})});var l=o.length/2;if(l>n.length){for(var u=0;u<l;u++)delete a[o[u]];o.splice(0,l)}return s},r.measureText=function(t,e,n,i,a){var r=e[a];return r||(r=e[a]=t.measureText(a).width,n.push(a)),r>i&&(i=r),i},r.numberOfLabelLines=function(t){var e=1;return r.each(t,function(t){r.isArray(t)&&t.length>e&&(e=t.length)}),e},r.color=i?function(t){return t instanceof CanvasGradient&&(t=a.global.defaultColor),i(t)}:function(t){return console.error("Color.js not found!"),t},r.getHoverColor=function(t){return t instanceof CanvasPattern?t:r.color(t).saturate(.5).darken(.1).rgbString()}}},{2:2,25:25,45:45}],28:[function(t,e,n){"use strict";function i(t,e){return t.native?{x:t.x,y:t.y}:u.getRelativePosition(t,e)}function a(t,e){var n,i,a,r,o;for(i=0,r=t.data.datasets.length;i<r;++i)if(t.isDatasetVisible(i))for(a=0,o=(n=t.getDatasetMeta(i)).data.length;a<o;++a){var s=n.data[a];s._view.skip||e(s)}}function r(t,e){var n=[];return a(t,function(t){t.inRange(e.x,e.y)&&n.push(t)}),n}function o(t,e,n,i){var r=Number.POSITIVE_INFINITY,o=[];return a(t,function(t){if(!n||t.inRange(e.x,e.y)){var a=t.getCenterPoint(),s=i(e,a);s<r?(o=[t],r=s):s===r&&o.push(t)}}),o}function s(t){var e=-1!==t.indexOf("x"),n=-1!==t.indexOf("y");return function(t,i){var a=e?Math.abs(t.x-i.x):0,r=n?Math.abs(t.y-i.y):0;return Math.sqrt(Math.pow(a,2)+Math.pow(r,2))}}function l(t,e,n){var a=i(e,t);n.axis=n.axis||"x";var l=s(n.axis),u=n.intersect?r(t,a):o(t,a,!1,l),d=[];return u.length?(t.data.datasets.forEach(function(e,n){if(t.isDatasetVisible(n)){var i=t.getDatasetMeta(n).data[u[0]._index];i&&!i._view.skip&&d.push(i)}}),d):[]}var u=t(45);e.exports={modes:{single:function(t,e){var n=i(e,t),r=[];return a(t,function(t){if(t.inRange(n.x,n.y))return r.push(t),r}),r.slice(0,1)},label:l,index:l,dataset:function(t,e,n){var a=i(e,t);n.axis=n.axis||"xy";var l=s(n.axis),u=n.intersect?r(t,a):o(t,a,!1,l);return u.length>0&&(u=t.getDatasetMeta(u[0]._datasetIndex).data),u},"x-axis":function(t,e){return l(t,e,{intersect:!1})},point:function(t,e){return r(t,i(e,t))},nearest:function(t,e,n){var a=i(e,t);n.axis=n.axis||"xy";var r=s(n.axis),l=o(t,a,n.intersect,r);return l.length>1&&l.sort(function(t,e){var n=t.getArea()-e.getArea();return 0===n&&(n=t._datasetIndex-e._datasetIndex),n}),l.slice(0,1)},x:function(t,e,n){var r=i(e,t),o=[],s=!1;return a(t,function(t){t.inXRange(r.x)&&o.push(t),t.inRange(r.x,r.y)&&(s=!0)}),n.intersect&&!s&&(o=[]),o},y:function(t,e,n){var r=i(e,t),o=[],s=!1;return a(t,function(t){t.inYRange(r.y)&&o.push(t),t.inRange(r.x,r.y)&&(s=!0)}),n.intersect&&!s&&(o=[]),o}}}},{45:45}],29:[function(t,e,n){"use strict";t(25)._set("global",{responsive:!0,responsiveAnimationDuration:0,maintainAspectRatio:!0,events:["mousemove","mouseout","click","touchstart","touchmove"],hover:{onHover:null,mode:"nearest",intersect:!0,animationDuration:400},onClick:null,defaultColor:"rgba(0,0,0,0.1)",defaultFontColor:"#666",defaultFontFamily:"\'Helvetica Neue\', \'Helvetica\', \'Arial\', sans-serif",defaultFontSize:12,defaultFontStyle:"normal",showLines:!0,elements:{},layout:{padding:{top:0,right:0,bottom:0,left:0}}}),e.exports=function(){var t=function(t,e){return this.construct(t,e),this};return t.Chart=t,t}},{25:25}],30:[function(t,e,n){"use strict";var i=t(45);e.exports=function(t){function e(t,e){return i.where(t,function(t){return t.position===e})}function n(t,e){t.forEach(function(t,e){return t._tmpIndex_=e,t}),t.sort(function(t,n){var i=e?n:t,a=e?t:n;return i.weight===a.weight?i._tmpIndex_-a._tmpIndex_:i.weight-a.weight}),t.forEach(function(t){delete t._tmpIndex_})}t.layoutService={defaults:{},addBox:function(t,e){t.boxes||(t.boxes=[]),e.fullWidth=e.fullWidth||!1,e.position=e.position||"top",e.weight=e.weight||0,t.boxes.push(e)},removeBox:function(t,e){var n=t.boxes?t.boxes.indexOf(e):-1;-1!==n&&t.boxes.splice(n,1)},configure:function(t,e,n){for(var i,a=["fullWidth","position","weight"],r=a.length,o=0;o<r;++o)i=a[o],n.hasOwnProperty(i)&&(e[i]=n[i])},update:function(t,a,r){function o(t){var e=i.findNextWhere(D,function(e){return e.box===t});if(e)if(t.isHorizontal()){var n={left:Math.max(I,C),right:Math.max(O,P),top:0,bottom:0};t.update(t.fullWidth?b:M,x/2,n)}else t.update(e.minSize.width,S)}function s(t){t.isHorizontal()?(t.left=t.fullWidth?d:I,t.right=t.fullWidth?a-c:I+M,t.top=B,t.bottom=B+t.height,B=t.bottom):(t.left=z,t.right=z+t.width,t.top=F,t.bottom=F+S,z=t.right)}if(t){var l=t.options.layout||{},u=i.options.toPadding(l.padding),d=u.left,c=u.right,h=u.top,f=u.bottom,g=e(t.boxes,"left"),m=e(t.boxes,"right"),p=e(t.boxes,"top"),v=e(t.boxes,"bottom"),y=e(t.boxes,"chartArea");n(g,!0),n(m,!1),n(p,!0),n(v,!1);var b=a-d-c,x=r-h-f,_=x/2,k=(a-b/2)/(g.length+m.length),w=(r-_)/(p.length+v.length),M=b,S=x,D=[];i.each(g.concat(m,p,v),function(t){var e,n=t.isHorizontal();n?(e=t.update(t.fullWidth?b:M,w),S-=e.height):(e=t.update(k,_),M-=e.width),D.push({horizontal:n,minSize:e,box:t})});var C=0,P=0,T=0,A=0;i.each(p.concat(v),function(t){if(t.getPadding){var e=t.getPadding();C=Math.max(C,e.left),P=Math.max(P,e.right)}}),i.each(g.concat(m),function(t){if(t.getPadding){var e=t.getPadding();T=Math.max(T,e.top),A=Math.max(A,e.bottom)}});var I=d,O=c,F=h,R=f;i.each(g.concat(m),o),i.each(g,function(t){I+=t.width}),i.each(m,function(t){O+=t.width}),i.each(p.concat(v),o),i.each(p,function(t){F+=t.height}),i.each(v,function(t){R+=t.height}),i.each(g.concat(m),function(t){var e=i.findNextWhere(D,function(e){return e.box===t}),n={left:0,right:0,top:F,bottom:R};e&&t.update(e.minSize.width,S,n)}),I=d,O=c,F=h,R=f,i.each(g,function(t){I+=t.width}),i.each(m,function(t){O+=t.width}),i.each(p,function(t){F+=t.height}),i.each(v,function(t){R+=t.height});var L=Math.max(C-I,0);I+=L,O+=Math.max(P-O,0);var W=Math.max(T-F,0);F+=W,R+=Math.max(A-R,0);var Y=r-F-R,N=a-I-O;N===M&&Y===S||(i.each(g,function(t){t.height=Y}),i.each(m,function(t){t.height=Y}),i.each(p,function(t){t.fullWidth||(t.width=N)}),i.each(v,function(t){t.fullWidth||(t.width=N)}),S=Y,M=N);var z=d+L,B=h+W;i.each(g.concat(p),s),z+=M,B+=S,i.each(m,s),i.each(v,s),t.chartArea={left:I,top:F,right:I+M,bottom:F+S},i.each(y,function(e){e.left=t.chartArea.left,e.top=t.chartArea.top,e.right=t.chartArea.right,e.bottom=t.chartArea.bottom,e.update(M,S)})}}}}},{45:45}],31:[function(t,e,n){"use strict";var i=t(25),a=t(26),r=t(45);i._set("global",{plugins:{}}),e.exports=function(t){t.plugins={_plugins:[],_cacheId:0,register:function(t){var e=this._plugins;[].concat(t).forEach(function(t){-1===e.indexOf(t)&&e.push(t)}),this._cacheId++},unregister:function(t){var e=this._plugins;[].concat(t).forEach(function(t){var n=e.indexOf(t);-1!==n&&e.splice(n,1)}),this._cacheId++},clear:function(){this._plugins=[],this._cacheId++},count:function(){return this._plugins.length},getAll:function(){return this._plugins},notify:function(t,e,n){var i,a,r,o,s,l=this.descriptors(t),u=l.length;for(i=0;i<u;++i)if(a=l[i],r=a.plugin,"function"==typeof(s=r[e])&&((o=[t].concat(n||[])).push(a.options),!1===s.apply(r,o)))return!1;return!0},descriptors:function(t){var e=t._plugins||(t._plugins={});if(e.id===this._cacheId)return e.descriptors;var n=[],a=[],o=t&&t.config||{},s=o.options&&o.options.plugins||{};return this._plugins.concat(o.plugins||[]).forEach(function(t){if(-1===n.indexOf(t)){var e=t.id,o=s[e];!1!==o&&(!0===o&&(o=r.clone(i.global.plugins[e])),n.push(t),a.push({plugin:t,options:o||{}}))}}),e.descriptors=a,e.id=this._cacheId,a}},t.pluginService=t.plugins,t.PluginBase=a.extend({})}},{25:25,26:26,45:45}],32:[function(t,e,n){"use strict";function i(t){var e,n,i=[];for(e=0,n=t.length;e<n;++e)i.push(t[e].label);return i}function a(t,e,n){var i=t.getPixelForTick(e);return n&&(i-=0===e?(t.getPixelForTick(1)-i)/2:(i-t.getPixelForTick(e-1))/2),i}var r=t(25),o=t(26),s=t(45),l=t(34);r._set("scale",{display:!0,position:"left",offset:!1,gridLines:{display:!0,color:"rgba(0, 0, 0, 0.1)",lineWidth:1,drawBorder:!0,drawOnChartArea:!0,drawTicks:!0,tickMarkLength:10,zeroLineWidth:1,zeroLineColor:"rgba(0,0,0,0.25)",zeroLineBorderDash:[],zeroLineBorderDashOffset:0,offsetGridLines:!1,borderDash:[],borderDashOffset:0},scaleLabel:{display:!1,labelString:"",lineHeight:1.2,padding:{top:4,bottom:4}},ticks:{beginAtZero:!1,minRotation:0,maxRotation:50,mirror:!1,padding:0,reverse:!1,display:!0,autoSkip:!0,autoSkipPadding:0,labelOffset:0,callback:l.formatters.values,minor:{},major:{}}}),e.exports=function(t){function e(t,e,n){return s.isArray(e)?s.longestText(t,n,e):t.measureText(e).width}function n(t){var e=s.valueOrDefault,n=r.global,i=e(t.fontSize,n.defaultFontSize),a=e(t.fontStyle,n.defaultFontStyle),o=e(t.fontFamily,n.defaultFontFamily);return{size:i,style:a,family:o,font:s.fontString(i,a,o)}}function l(t){return s.options.toLineHeight(s.valueOrDefault(t.lineHeight,1.2),s.valueOrDefault(t.fontSize,r.global.defaultFontSize))}t.Scale=o.extend({getPadding:function(){var t=this;return{left:t.paddingLeft||0,top:t.paddingTop||0,right:t.paddingRight||0,bottom:t.paddingBottom||0}},getTicks:function(){return this._ticks},mergeTicksOptions:function(){var t=this.options.ticks;!1===t.minor&&(t.minor={display:!1}),!1===t.major&&(t.major={display:!1});for(var e in t)"major"!==e&&"minor"!==e&&(void 0===t.minor[e]&&(t.minor[e]=t[e]),void 0===t.major[e]&&(t.major[e]=t[e]))},beforeUpdate:function(){s.callback(this.options.beforeUpdate,[this])},update:function(t,e,n){var i,a,r,o,l,u,d=this;for(d.beforeUpdate(),d.maxWidth=t,d.maxHeight=e,d.margins=s.extend({left:0,right:0,top:0,bottom:0},n),d.longestTextCache=d.longestTextCache||{},d.beforeSetDimensions(),d.setDimensions(),d.afterSetDimensions(),d.beforeDataLimits(),d.determineDataLimits(),d.afterDataLimits(),d.beforeBuildTicks(),l=d.buildTicks()||[],d.afterBuildTicks(),d.beforeTickToLabelConversion(),r=d.convertTicksToLabels(l)||d.ticks,d.afterTickToLabelConversion(),d.ticks=r,i=0,a=r.length;i<a;++i)o=r[i],(u=l[i])?u.label=o:l.push(u={label:o,major:!1});return d._ticks=l,d.beforeCalculateTickRotation(),d.calculateTickRotation(),d.afterCalculateTickRotation(),d.beforeFit(),d.fit(),d.afterFit(),d.afterUpdate(),d.minSize},afterUpdate:function(){s.callback(this.options.afterUpdate,[this])},beforeSetDimensions:function(){s.callback(this.options.beforeSetDimensions,[this])},setDimensions:function(){var t=this;t.isHorizontal()?(t.width=t.maxWidth,t.left=0,t.right=t.width):(t.height=t.maxHeight,t.top=0,t.bottom=t.height),t.paddingLeft=0,t.paddingTop=0,t.paddingRight=0,t.paddingBottom=0},afterSetDimensions:function(){s.callback(this.options.afterSetDimensions,[this])},beforeDataLimits:function(){s.callback(this.options.beforeDataLimits,[this])},determineDataLimits:s.noop,afterDataLimits:function(){s.callback(this.options.afterDataLimits,[this])},beforeBuildTicks:function(){s.callback(this.options.beforeBuildTicks,[this])},buildTicks:s.noop,afterBuildTicks:function(){s.callback(this.options.afterBuildTicks,[this])},beforeTickToLabelConversion:function(){s.callback(this.options.beforeTickToLabelConversion,[this])},convertTicksToLabels:function(){var t=this,e=t.options.ticks;t.ticks=t.ticks.map(e.userCallback||e.callback,this)},afterTickToLabelConversion:function(){s.callback(this.options.afterTickToLabelConversion,[this])},beforeCalculateTickRotation:function(){s.callback(this.options.beforeCalculateTickRotation,[this])},calculateTickRotation:function(){var t=this,e=t.ctx,a=t.options.ticks,r=i(t._ticks),o=n(a);e.font=o.font;var l=a.minRotation||0;if(r.length&&t.options.display&&t.isHorizontal())for(var u,d=s.longestText(e,o.font,r,t.longestTextCache),c=d,h=t.getPixelForTick(1)-t.getPixelForTick(0)-6;c>h&&l<a.maxRotation;){var f=s.toRadians(l);if(u=Math.cos(f),Math.sin(f)*d>t.maxHeight){l--;break}l++,c=u*d}t.labelRotation=l},afterCalculateTickRotation:function(){s.callback(this.options.afterCalculateTickRotation,[this])},beforeFit:function(){s.callback(this.options.beforeFit,[this])},fit:function(){var t=this,a=t.minSize={width:0,height:0},r=i(t._ticks),o=t.options,u=o.ticks,d=o.scaleLabel,c=o.gridLines,h=o.display,f=t.isHorizontal(),g=n(u),m=o.gridLines.tickMarkLength;if(a.width=f?t.isFullWidth()?t.maxWidth-t.margins.left-t.margins.right:t.maxWidth:h&&c.drawTicks?m:0,a.height=f?h&&c.drawTicks?m:0:t.maxHeight,d.display&&h){var p=l(d)+s.options.toPadding(d.padding).height;f?a.height+=p:a.width+=p}if(u.display&&h){var v=s.longestText(t.ctx,g.font,r,t.longestTextCache),y=s.numberOfLabelLines(r),b=.5*g.size,x=t.options.ticks.padding;if(f){t.longestLabelWidth=v;var _=s.toRadians(t.labelRotation),k=Math.cos(_),w=Math.sin(_)*v+g.size*y+b*(y-1)+b;a.height=Math.min(t.maxHeight,a.height+w+x),t.ctx.font=g.font;var M=e(t.ctx,r[0],g.font),S=e(t.ctx,r[r.length-1],g.font);0!==t.labelRotation?(t.paddingLeft="bottom"===o.position?k*M+3:k*b+3,t.paddingRight="bottom"===o.position?k*b+3:k*S+3):(t.paddingLeft=M/2+3,t.paddingRight=S/2+3)}else u.mirror?v=0:v+=x+b,a.width=Math.min(t.maxWidth,a.width+v),t.paddingTop=g.size/2,t.paddingBottom=g.size/2}t.handleMargins(),t.width=a.width,t.height=a.height},handleMargins:function(){var t=this;t.margins&&(t.paddingLeft=Math.max(t.paddingLeft-t.margins.left,0),t.paddingTop=Math.max(t.paddingTop-t.margins.top,0),t.paddingRight=Math.max(t.paddingRight-t.margins.right,0),t.paddingBottom=Math.max(t.paddingBottom-t.margins.bottom,0))},afterFit:function(){s.callback(this.options.afterFit,[this])},isHorizontal:function(){return"top"===this.options.position||"bottom"===this.options.position},isFullWidth:function(){return this.options.fullWidth},getRightValue:function(t){if(s.isNullOrUndef(t))return NaN;if("number"==typeof t&&!isFinite(t))return NaN;if(t)if(this.isHorizontal()){if(void 0!==t.x)return this.getRightValue(t.x)}else if(void 0!==t.y)return this.getRightValue(t.y);return t},getLabelForIndex:s.noop,getPixelForValue:s.noop,getValueForPixel:s.noop,getPixelForTick:function(t){var e=this,n=e.options.offset;if(e.isHorizontal()){var i=(e.width-(e.paddingLeft+e.paddingRight))/Math.max(e._ticks.length-(n?0:1),1),a=i*t+e.paddingLeft;n&&(a+=i/2);var r=e.left+Math.round(a);return r+=e.isFullWidth()?e.margins.left:0}var o=e.height-(e.paddingTop+e.paddingBottom);return e.top+t*(o/(e._ticks.length-1))},getPixelForDecimal:function(t){var e=this;if(e.isHorizontal()){var n=(e.width-(e.paddingLeft+e.paddingRight))*t+e.paddingLeft,i=e.left+Math.round(n);return i+=e.isFullWidth()?e.margins.left:0}return e.top+t*e.height},getBasePixel:function(){return this.getPixelForValue(this.getBaseValue())},getBaseValue:function(){var t=this,e=t.min,n=t.max;return t.beginAtZero?0:e<0&&n<0?n:e>0&&n>0?e:0},_autoSkip:function(t){var e,n,i,a,r=this,o=r.isHorizontal(),l=r.options.ticks.minor,u=t.length,d=s.toRadians(r.labelRotation),c=Math.cos(d),h=r.longestLabelWidth*c,f=[];for(l.maxTicksLimit&&(a=l.maxTicksLimit),o&&(e=!1,(h+l.autoSkipPadding)*u>r.width-(r.paddingLeft+r.paddingRight)&&(e=1+Math.floor((h+l.autoSkipPadding)*u/(r.width-(r.paddingLeft+r.paddingRight)))),a&&u>a&&(e=Math.max(e,Math.floor(u/a)))),n=0;n<u;n++)i=t[n],(e>1&&n%e>0||n%e==0&&n+e>=u)&&n!==u-1&&delete i.label,f.push(i);return f},draw:function(t){var e=this,i=e.options;if(i.display){var o=e.ctx,u=r.global,d=i.ticks.minor,c=i.ticks.major||d,h=i.gridLines,f=i.scaleLabel,g=0!==e.labelRotation,m=e.isHorizontal(),p=d.autoSkip?e._autoSkip(e.getTicks()):e.getTicks(),v=s.valueOrDefault(d.fontColor,u.defaultFontColor),y=n(d),b=s.valueOrDefault(c.fontColor,u.defaultFontColor),x=n(c),_=h.drawTicks?h.tickMarkLength:0,k=s.valueOrDefault(f.fontColor,u.defaultFontColor),w=n(f),M=s.options.toPadding(f.padding),S=s.toRadians(e.labelRotation),D=[],C="right"===i.position?e.left:e.right-_,P="right"===i.position?e.left+_:e.right,T="bottom"===i.position?e.top:e.bottom-_,A="bottom"===i.position?e.top+_:e.bottom;if(s.each(p,function(n,r){if(!s.isNullOrUndef(n.label)){var o,l,c,f,v=n.label;r===e.zeroLineIndex&&i.offset===h.offsetGridLines?(o=h.zeroLineWidth,l=h.zeroLineColor,c=h.zeroLineBorderDash,f=h.zeroLineBorderDashOffset):(o=s.valueAtIndexOrDefault(h.lineWidth,r),l=s.valueAtIndexOrDefault(h.color,r),c=s.valueOrDefault(h.borderDash,u.borderDash),f=s.valueOrDefault(h.borderDashOffset,u.borderDashOffset));var y,b,x,k,w,M,I,O,F,R,L="middle",W="middle",Y=d.padding;if(m){var N=_+Y;"bottom"===i.position?(W=g?"middle":"top",L=g?"right":"center",R=e.top+N):(W=g?"middle":"bottom",L=g?"left":"center",R=e.bottom-N);var z=a(e,r,h.offsetGridLines&&p.length>1);z<e.left&&(l="rgba(0,0,0,0)"),z+=s.aliasPixel(o),F=e.getPixelForTick(r)+d.labelOffset,y=x=w=I=z,b=T,k=A,M=t.top,O=t.bottom}else{var B,V="left"===i.position;d.mirror?(L=V?"left":"right",B=Y):(L=V?"right":"left",B=_+Y),F=V?e.right-B:e.left+B;var H=a(e,r,h.offsetGridLines&&p.length>1);H<e.top&&(l="rgba(0,0,0,0)"),H+=s.aliasPixel(o),R=e.getPixelForTick(r)+d.labelOffset,y=C,x=P,w=t.left,I=t.right,b=k=M=O=H}D.push({tx1:y,ty1:b,tx2:x,ty2:k,x1:w,y1:M,x2:I,y2:O,labelX:F,labelY:R,glWidth:o,glColor:l,glBorderDash:c,glBorderDashOffset:f,rotation:-1*S,label:v,major:n.major,textBaseline:W,textAlign:L})}}),s.each(D,function(t){if(h.display&&(o.save(),o.lineWidth=t.glWidth,o.strokeStyle=t.glColor,o.setLineDash&&(o.setLineDash(t.glBorderDash),o.lineDashOffset=t.glBorderDashOffset),o.beginPath(),h.drawTicks&&(o.moveTo(t.tx1,t.ty1),o.lineTo(t.tx2,t.ty2)),h.drawOnChartArea&&(o.moveTo(t.x1,t.y1),o.lineTo(t.x2,t.y2)),o.stroke(),o.restore()),d.display){o.save(),o.translate(t.labelX,t.labelY),o.rotate(t.rotation),o.font=t.major?x.font:y.font,o.fillStyle=t.major?b:v,o.textBaseline=t.textBaseline,o.textAlign=t.textAlign;var e=t.label;if(s.isArray(e))for(var n=0,i=0;n<e.length;++n)o.fillText(""+e[n],0,i),i+=1.5*y.size;else o.fillText(e,0,0);o.restore()}}),f.display){var I,O,F=0,R=l(f)/2;if(m)I=e.left+(e.right-e.left)/2,O="bottom"===i.position?e.bottom-R-M.bottom:e.top+R+M.top;else{var L="left"===i.position;I=L?e.left+R+M.top:e.right-R-M.top,O=e.top+(e.bottom-e.top)/2,F=L?-.5*Math.PI:.5*Math.PI}o.save(),o.translate(I,O),o.rotate(F),o.textAlign="center",o.textBaseline="middle",o.fillStyle=k,o.font=w.font,o.fillText(f.labelString,0,0),o.restore()}if(h.drawBorder){o.lineWidth=s.valueAtIndexOrDefault(h.lineWidth,0),o.strokeStyle=s.valueAtIndexOrDefault(h.color,0);var W=e.left,Y=e.right,N=e.top,z=e.bottom,B=s.aliasPixel(o.lineWidth);m?(N=z="top"===i.position?e.bottom:e.top,N+=B,z+=B):(W=Y="left"===i.position?e.right:e.left,W+=B,Y+=B),o.beginPath(),o.moveTo(W,N),o.lineTo(Y,z),o.stroke()}}}})}},{25:25,26:26,34:34,45:45}],33:[function(t,e,n){"use strict";var i=t(25),a=t(45);e.exports=function(t){t.scaleService={constructors:{},defaults:{},registerScaleType:function(t,e,n){this.constructors[t]=e,this.defaults[t]=a.clone(n)},getScaleConstructor:function(t){return this.constructors.hasOwnProperty(t)?this.constructors[t]:void 0},getScaleDefaults:function(t){return this.defaults.hasOwnProperty(t)?a.merge({},[i.scale,this.defaults[t]]):{}},updateScaleDefaults:function(t,e){var n=this;n.defaults.hasOwnProperty(t)&&(n.defaults[t]=a.extend(n.defaults[t],e))},addScalesToLayout:function(e){a.each(e.scales,function(n){n.fullWidth=n.options.fullWidth,n.position=n.options.position,n.weight=n.options.weight,t.layoutService.addBox(e,n)})}}}},{25:25,45:45}],34:[function(t,e,n){"use strict";var i=t(45);e.exports={generators:{linear:function(t,e){var n,a=[];if(t.stepSize&&t.stepSize>0)n=t.stepSize;else{var r=i.niceNum(e.max-e.min,!1);n=i.niceNum(r/(t.maxTicks-1),!0)}var o=Math.floor(e.min/n)*n,s=Math.ceil(e.max/n)*n;t.min&&t.max&&t.stepSize&&i.almostWhole((t.max-t.min)/t.stepSize,n/1e3)&&(o=t.min,s=t.max);var l=(s-o)/n;l=i.almostEquals(l,Math.round(l),n/1e3)?Math.round(l):Math.ceil(l),a.push(void 0!==t.min?t.min:o);for(var u=1;u<l;++u)a.push(o+u*n);return a.push(void 0!==t.max?t.max:s),a},logarithmic:function(t,e){var n,a,r=[],o=i.valueOrDefault,s=o(t.min,Math.pow(10,Math.floor(i.log10(e.min)))),l=Math.floor(i.log10(e.max)),u=Math.ceil(e.max/Math.pow(10,l));0===s?(n=Math.floor(i.log10(e.minNotZero)),a=Math.floor(e.minNotZero/Math.pow(10,n)),r.push(s),s=a*Math.pow(10,n)):(n=Math.floor(i.log10(s)),a=Math.floor(s/Math.pow(10,n)));do{r.push(s),10===++a&&(a=1,++n),s=a*Math.pow(10,n)}while(n<l||n===l&&a<u);var d=o(t.max,s);return r.push(d),r}},formatters:{values:function(t){return i.isArray(t)?t:""+t},linear:function(t,e,n){var a=n.length>3?n[2]-n[1]:n[1]-n[0];Math.abs(a)>1&&t!==Math.floor(t)&&(a=t-Math.floor(t));var r=i.log10(Math.abs(a)),o="";if(0!==t){var s=-1*Math.floor(r);s=Math.max(Math.min(s,20),0),o=t.toFixed(s)}else o="0";return o},logarithmic:function(t,e,n){var a=t/Math.pow(10,Math.floor(i.log10(t)));return 0===t?"0":1===a||2===a||5===a||0===e||e===n.length-1?t.toExponential():""}}}},{45:45}],35:[function(t,e,n){"use strict";var i=t(25),a=t(26),r=t(45);i._set("global",{tooltips:{enabled:!0,custom:null,mode:"nearest",position:"average",intersect:!0,backgroundColor:"rgba(0,0,0,0.8)",titleFontStyle:"bold",titleSpacing:2,titleMarginBottom:6,titleFontColor:"#fff",titleAlign:"left",bodySpacing:2,bodyFontColor:"#fff",bodyAlign:"left",footerFontStyle:"bold",footerSpacing:2,footerMarginTop:6,footerFontColor:"#fff",footerAlign:"left",yPadding:6,xPadding:6,caretPadding:2,caretSize:5,cornerRadius:6,multiKeyBackground:"#fff",displayColors:!0,borderColor:"rgba(0,0,0,0)",borderWidth:0,callbacks:{beforeTitle:r.noop,title:function(t,e){var n="",i=e.labels,a=i?i.length:0;if(t.length>0){var r=t[0];r.xLabel?n=r.xLabel:a>0&&r.index<a&&(n=i[r.index])}return n},afterTitle:r.noop,beforeBody:r.noop,beforeLabel:r.noop,label:function(t,e){var n=e.datasets[t.datasetIndex].label||"";return n&&(n+=": "),n+=t.yLabel},labelColor:function(t,e){var n=e.getDatasetMeta(t.datasetIndex).data[t.index]._view;return{borderColor:n.borderColor,backgroundColor:n.backgroundColor}},labelTextColor:function(){return this._options.bodyFontColor},afterLabel:r.noop,afterBody:r.noop,beforeFooter:r.noop,footer:r.noop,afterFooter:r.noop}}}),e.exports=function(t){function e(t,e){var n=r.color(t);return n.alpha(e*n.alpha()).rgbaString()}function n(t,e){return e&&(r.isArray(e)?Array.prototype.push.apply(t,e):t.push(e)),t}function o(t){var e=t._xScale,n=t._yScale||t._scale,i=t._index,a=t._datasetIndex;return{xLabel:e?e.getLabelForIndex(i,a):"",yLabel:n?n.getLabelForIndex(i,a):"",index:i,datasetIndex:a,x:t._model.x,y:t._model.y}}function s(t){var e=i.global,n=r.valueOrDefault;return{xPadding:t.xPadding,yPadding:t.yPadding,xAlign:t.xAlign,yAlign:t.yAlign,bodyFontColor:t.bodyFontColor,_bodyFontFamily:n(t.bodyFontFamily,e.defaultFontFamily),_bodyFontStyle:n(t.bodyFontStyle,e.defaultFontStyle),_bodyAlign:t.bodyAlign,bodyFontSize:n(t.bodyFontSize,e.defaultFontSize),bodySpacing:t.bodySpacing,titleFontColor:t.titleFontColor,_titleFontFamily:n(t.titleFontFamily,e.defaultFontFamily),_titleFontStyle:n(t.titleFontStyle,e.defaultFontStyle),titleFontSize:n(t.titleFontSize,e.defaultFontSize),_titleAlign:t.titleAlign,titleSpacing:t.titleSpacing,titleMarginBottom:t.titleMarginBottom,footerFontColor:t.footerFontColor,_footerFontFamily:n(t.footerFontFamily,e.defaultFontFamily),_footerFontStyle:n(t.footerFontStyle,e.defaultFontStyle),footerFontSize:n(t.footerFontSize,e.defaultFontSize),_footerAlign:t.footerAlign,footerSpacing:t.footerSpacing,footerMarginTop:t.footerMarginTop,caretSize:t.caretSize,cornerRadius:t.cornerRadius,backgroundColor:t.backgroundColor,opacity:0,legendColorBackground:t.multiKeyBackground,displayColors:t.displayColors,borderColor:t.borderColor,borderWidth:t.borderWidth}}function l(t,e){var n=t._chart.ctx,i=2*e.yPadding,a=0,o=e.body,s=o.reduce(function(t,e){return t+e.before.length+e.lines.length+e.after.length},0);s+=e.beforeBody.length+e.afterBody.length;var l=e.title.length,u=e.footer.length,d=e.titleFontSize,c=e.bodyFontSize,h=e.footerFontSize;i+=l*d,i+=l?(l-1)*e.titleSpacing:0,i+=l?e.titleMarginBottom:0,i+=s*c,i+=s?(s-1)*e.bodySpacing:0,i+=u?e.footerMarginTop:0,i+=u*h,i+=u?(u-1)*e.footerSpacing:0;var f=0,g=function(t){a=Math.max(a,n.measureText(t).width+f)};return n.font=r.fontString(d,e._titleFontStyle,e._titleFontFamily),r.each(e.title,g),n.font=r.fontString(c,e._bodyFontStyle,e._bodyFontFamily),r.each(e.beforeBody.concat(e.afterBody),g),f=e.displayColors?c+2:0,r.each(o,function(t){r.each(t.before,g),r.each(t.lines,g),r.each(t.after,g)}),f=0,n.font=r.fontString(h,e._footerFontStyle,e._footerFontFamily),r.each(e.footer,g),a+=2*e.xPadding,{width:a,height:i}}function u(t,e){var n=t._model,i=t._chart,a=t._chart.chartArea,r="center",o="center";n.y<e.height?o="top":n.y>i.height-e.height&&(o="bottom");var s,l,u,d,c,h=(a.left+a.right)/2,f=(a.top+a.bottom)/2;"center"===o?(s=function(t){return t<=h},l=function(t){return t>h}):(s=function(t){return t<=e.width/2},l=function(t){return t>=i.width-e.width/2}),u=function(t){return t+e.width>i.width},d=function(t){return t-e.width<0},c=function(t){return t<=f?"top":"bottom"},s(n.x)?(r="left",u(n.x)&&(r="center",o=c(n.y))):l(n.x)&&(r="right",d(n.x)&&(r="center",o=c(n.y)));var g=t._options;return{xAlign:g.xAlign?g.xAlign:r,yAlign:g.yAlign?g.yAlign:o}}function d(t,e,n){var i=t.x,a=t.y,r=t.caretSize,o=t.caretPadding,s=t.cornerRadius,l=n.xAlign,u=n.yAlign,d=r+o,c=s+o;return"right"===l?i-=e.width:"center"===l&&(i-=e.width/2),"top"===u?a+=d:a-="bottom"===u?e.height+d:e.height/2,"center"===u?"left"===l?i+=d:"right"===l&&(i-=d):"left"===l?i-=c:"right"===l&&(i+=c),{x:i,y:a}}t.Tooltip=a.extend({initialize:function(){this._model=s(this._options),this._lastActive=[]},getTitle:function(){var t=this,e=t._options.callbacks,i=e.beforeTitle.apply(t,arguments),a=e.title.apply(t,arguments),r=e.afterTitle.apply(t,arguments),o=[];return o=n(o,i),o=n(o,a),o=n(o,r)},getBeforeBody:function(){var t=this._options.callbacks.beforeBody.apply(this,arguments);return r.isArray(t)?t:void 0!==t?[t]:[]},getBody:function(t,e){var i=this,a=i._options.callbacks,o=[];return r.each(t,function(t){var r={before:[],lines:[],after:[]};n(r.before,a.beforeLabel.call(i,t,e)),n(r.lines,a.label.call(i,t,e)),n(r.after,a.afterLabel.call(i,t,e)),o.push(r)}),o},getAfterBody:function(){var t=this._options.callbacks.afterBody.apply(this,arguments);return r.isArray(t)?t:void 0!==t?[t]:[]},getFooter:function(){var t=this,e=t._options.callbacks,i=e.beforeFooter.apply(t,arguments),a=e.footer.apply(t,arguments),r=e.afterFooter.apply(t,arguments),o=[];return o=n(o,i),o=n(o,a),o=n(o,r)},update:function(e){var n,i,a=this,c=a._options,h=a._model,f=a._model=s(c),g=a._active,m=a._data,p={xAlign:h.xAlign,yAlign:h.yAlign},v={x:h.x,y:h.y},y={width:h.width,height:h.height},b={x:h.caretX,y:h.caretY};if(g.length){f.opacity=1;var x=[],_=[];b=t.Tooltip.positioners[c.position].call(a,g,a._eventPosition);var k=[];for(n=0,i=g.length;n<i;++n)k.push(o(g[n]));c.filter&&(k=k.filter(function(t){return c.filter(t,m)})),c.itemSort&&(k=k.sort(function(t,e){return c.itemSort(t,e,m)})),r.each(k,function(t){x.push(c.callbacks.labelColor.call(a,t,a._chart)),_.push(c.callbacks.labelTextColor.call(a,t,a._chart))}),f.title=a.getTitle(k,m),f.beforeBody=a.getBeforeBody(k,m),f.body=a.getBody(k,m),f.afterBody=a.getAfterBody(k,m),f.footer=a.getFooter(k,m),f.x=Math.round(b.x),f.y=Math.round(b.y),f.caretPadding=c.caretPadding,f.labelColors=x,f.labelTextColors=_,f.dataPoints=k,v=d(f,y=l(this,f),p=u(this,y))}else f.opacity=0;return f.xAlign=p.xAlign,f.yAlign=p.yAlign,f.x=v.x,f.y=v.y,f.width=y.width,f.height=y.height,f.caretX=b.x,f.caretY=b.y,a._model=f,e&&c.custom&&c.custom.call(a,f),a},drawCaret:function(t,e){var n=this._chart.ctx,i=this._view,a=this.getCaretPosition(t,e,i);n.lineTo(a.x1,a.y1),n.lineTo(a.x2,a.y2),n.lineTo(a.x3,a.y3)},getCaretPosition:function(t,e,n){var i,a,r,o,s,l,u=n.caretSize,d=n.cornerRadius,c=n.xAlign,h=n.yAlign,f=t.x,g=t.y,m=e.width,p=e.height;if("center"===h)s=g+p/2,"left"===c?(a=(i=f)-u,r=i,o=s+u,l=s-u):(a=(i=f+m)+u,r=i,o=s-u,l=s+u);else if("left"===c?(i=(a=f+d+u)-u,r=a+u):"right"===c?(i=(a=f+m-d-u)-u,r=a+u):(i=(a=f+m/2)-u,r=a+u),"top"===h)s=(o=g)-u,l=o;else{s=(o=g+p)+u,l=o;var v=r;r=i,i=v}return{x1:i,x2:a,x3:r,y1:o,y2:s,y3:l}},drawTitle:function(t,n,i,a){var o=n.title;if(o.length){i.textAlign=n._titleAlign,i.textBaseline="top";var s=n.titleFontSize,l=n.titleSpacing;i.fillStyle=e(n.titleFontColor,a),i.font=r.fontString(s,n._titleFontStyle,n._titleFontFamily);var u,d;for(u=0,d=o.length;u<d;++u)i.fillText(o[u],t.x,t.y),t.y+=s+l,u+1===o.length&&(t.y+=n.titleMarginBottom-l)}},drawBody:function(t,n,i,a){var o=n.bodyFontSize,s=n.bodySpacing,l=n.body;i.textAlign=n._bodyAlign,i.textBaseline="top",i.font=r.fontString(o,n._bodyFontStyle,n._bodyFontFamily);var u=0,d=function(e){i.fillText(e,t.x+u,t.y),t.y+=o+s};i.fillStyle=e(n.bodyFontColor,a),r.each(n.beforeBody,d);var c=n.displayColors;u=c?o+2:0,r.each(l,function(s,l){var u=e(n.labelTextColors[l],a);i.fillStyle=u,r.each(s.before,d),r.each(s.lines,function(r){c&&(i.fillStyle=e(n.legendColorBackground,a),i.fillRect(t.x,t.y,o,o),i.lineWidth=1,i.strokeStyle=e(n.labelColors[l].borderColor,a),i.strokeRect(t.x,t.y,o,o),i.fillStyle=e(n.labelColors[l].backgroundColor,a),i.fillRect(t.x+1,t.y+1,o-2,o-2),i.fillStyle=u),d(r)}),r.each(s.after,d)}),u=0,r.each(n.afterBody,d),t.y-=s},drawFooter:function(t,n,i,a){var o=n.footer;o.length&&(t.y+=n.footerMarginTop,i.textAlign=n._footerAlign,i.textBaseline="top",i.fillStyle=e(n.footerFontColor,a),i.font=r.fontString(n.footerFontSize,n._footerFontStyle,n._footerFontFamily),r.each(o,function(e){i.fillText(e,t.x,t.y),t.y+=n.footerFontSize+n.footerSpacing}))},drawBackground:function(t,n,i,a,r){i.fillStyle=e(n.backgroundColor,r),i.strokeStyle=e(n.borderColor,r),i.lineWidth=n.borderWidth;var o=n.xAlign,s=n.yAlign,l=t.x,u=t.y,d=a.width,c=a.height,h=n.cornerRadius;i.beginPath(),i.moveTo(l+h,u),"top"===s&&this.drawCaret(t,a),i.lineTo(l+d-h,u),i.quadraticCurveTo(l+d,u,l+d,u+h),"center"===s&&"right"===o&&this.drawCaret(t,a),i.lineTo(l+d,u+c-h),i.quadraticCurveTo(l+d,u+c,l+d-h,u+c),"bottom"===s&&this.drawCaret(t,a),i.lineTo(l+h,u+c),i.quadraticCurveTo(l,u+c,l,u+c-h),"center"===s&&"left"===o&&this.drawCaret(t,a),i.lineTo(l,u+h),i.quadraticCurveTo(l,u,l+h,u),i.closePath(),i.fill(),n.borderWidth>0&&i.stroke()},draw:function(){var t=this._chart.ctx,e=this._view;if(0!==e.opacity){var n={width:e.width,height:e.height},i={x:e.x,y:e.y},a=Math.abs(e.opacity<.001)?0:e.opacity,r=e.title.length||e.beforeBody.length||e.body.length||e.afterBody.length||e.footer.length;this._options.enabled&&r&&(this.drawBackground(i,e,t,n,a),i.x+=e.xPadding,i.y+=e.yPadding,this.drawTitle(i,e,t,a),this.drawBody(i,e,t,a),this.drawFooter(i,e,t,a))}},handleEvent:function(t){var e=this,n=e._options,i=!1;if(e._lastActive=e._lastActive||[],"mouseout"===t.type?e._active=[]:e._active=e._chart.getElementsAtEventForMode(t,n.mode,n),!(i=!r.arrayEquals(e._active,e._lastActive)))return!1;if(e._lastActive=e._active,n.enabled||n.custom){e._eventPosition={x:t.x,y:t.y};var a=e._model;e.update(!0),e.pivot(),i|=a.x!==e._model.x||a.y!==e._model.y}return i}}),t.Tooltip.positioners={average:function(t){if(!t.length)return!1;var e,n,i=0,a=0,r=0;for(e=0,n=t.length;e<n;++e){var o=t[e];if(o&&o.hasValue()){var s=o.tooltipPosition();i+=s.x,a+=s.y,++r}}return{x:Math.round(i/r),y:Math.round(a/r)}},nearest:function(t,e){var n,i,a,o=e.x,s=e.y,l=Number.POSITIVE_INFINITY;for(n=0,i=t.length;n<i;++n){var u=t[n];if(u&&u.hasValue()){var d=u.getCenterPoint(),c=r.distanceBetweenPoints(e,d);c<l&&(l=c,a=u)}}if(a){var h=a.tooltipPosition();o=h.x,s=h.y}return{x:o,y:s}}}}},{25:25,26:26,45:45}],36:[function(t,e,n){"use strict";var i=t(25),a=t(26),r=t(45);i._set("global",{elements:{arc:{backgroundColor:i.global.defaultColor,borderColor:"#fff",borderWidth:2}}}),e.exports=a.extend({inLabelRange:function(t){var e=this._view;return!!e&&Math.pow(t-e.x,2)<Math.pow(e.radius+e.hoverRadius,2)},inRange:function(t,e){var n=this._view;if(n){for(var i=r.getAngleFromPoint(n,{x:t,y:e}),a=i.angle,o=i.distance,s=n.startAngle,l=n.endAngle;l<s;)l+=2*Math.PI;for(;a>l;)a-=2*Math.PI;for(;a<s;)a+=2*Math.PI;var u=a>=s&&a<=l,d=o>=n.innerRadius&&o<=n.outerRadius;return u&&d}return!1},getCenterPoint:function(){var t=this._view,e=(t.startAngle+t.endAngle)/2,n=(t.innerRadius+t.outerRadius)/2;return{x:t.x+Math.cos(e)*n,y:t.y+Math.sin(e)*n}},getArea:function(){var t=this._view;return Math.PI*((t.endAngle-t.startAngle)/(2*Math.PI))*(Math.pow(t.outerRadius,2)-Math.pow(t.innerRadius,2))},tooltipPosition:function(){var t=this._view,e=t.startAngle+(t.endAngle-t.startAngle)/2,n=(t.outerRadius-t.innerRadius)/2+t.innerRadius;return{x:t.x+Math.cos(e)*n,y:t.y+Math.sin(e)*n}},draw:function(){var t=this._chart.ctx,e=this._view,n=e.startAngle,i=e.endAngle;t.beginPath(),t.arc(e.x,e.y,e.outerRadius,n,i),t.arc(e.x,e.y,e.innerRadius,i,n,!0),t.closePath(),t.strokeStyle=e.borderColor,t.lineWidth=e.borderWidth,t.fillStyle=e.backgroundColor,t.fill(),t.lineJoin="bevel",e.borderWidth&&t.stroke()}})},{25:25,26:26,45:45}],37:[function(t,e,n){"use strict";var i=t(25),a=t(26),r=t(45),o=i.global;i._set("global",{elements:{line:{tension:.4,backgroundColor:o.defaultColor,borderWidth:3,borderColor:o.defaultColor,borderCapStyle:"butt",borderDash:[],borderDashOffset:0,borderJoinStyle:"miter",capBezierPoints:!0,fill:!0}}}),e.exports=a.extend({draw:function(){var t,e,n,i,a=this,s=a._view,l=a._chart.ctx,u=s.spanGaps,d=a._children.slice(),c=o.elements.line,h=-1;for(a._loop&&d.length&&d.push(d[0]),l.save(),l.lineCap=s.borderCapStyle||c.borderCapStyle,l.setLineDash&&l.setLineDash(s.borderDash||c.borderDash),l.lineDashOffset=s.borderDashOffset||c.borderDashOffset,l.lineJoin=s.borderJoinStyle||c.borderJoinStyle,l.lineWidth=s.borderWidth||c.borderWidth,l.strokeStyle=s.borderColor||o.defaultColor,l.beginPath(),h=-1,t=0;t<d.length;++t)e=d[t],n=r.previousItem(d,t),i=e._view,0===t?i.skip||(l.moveTo(i.x,i.y),h=t):(n=-1===h?n:d[h],i.skip||(h!==t-1&&!u||-1===h?l.moveTo(i.x,i.y):r.canvas.lineTo(l,n._view,e._view),h=t));l.stroke(),l.restore()}})},{25:25,26:26,45:45}],38:[function(t,e,n){"use strict";function i(t){var e=this._view;return!!e&&Math.pow(t-e.x,2)<Math.pow(e.radius+e.hitRadius,2)}var a=t(25),r=t(26),o=t(45),s=a.global.defaultColor;a._set("global",{elements:{point:{radius:3,pointStyle:"circle",backgroundColor:s,borderColor:s,borderWidth:1,hitRadius:1,hoverRadius:4,hoverBorderWidth:1}}}),e.exports=r.extend({inRange:function(t,e){var n=this._view;return!!n&&Math.pow(t-n.x,2)+Math.pow(e-n.y,2)<Math.pow(n.hitRadius+n.radius,2)},inLabelRange:i,inXRange:i,inYRange:function(t){var e=this._view;return!!e&&Math.pow(t-e.y,2)<Math.pow(e.radius+e.hitRadius,2)},getCenterPoint:function(){var t=this._view;return{x:t.x,y:t.y}},getArea:function(){return Math.PI*Math.pow(this._view.radius,2)},tooltipPosition:function(){var t=this._view;return{x:t.x,y:t.y,padding:t.radius+t.borderWidth}},draw:function(t){var e=this._view,n=this._model,i=this._chart.ctx,r=e.pointStyle,l=e.radius,u=e.x,d=e.y,c=o.color,h=0;e.skip||(i.strokeStyle=e.borderColor||s,i.lineWidth=o.valueOrDefault(e.borderWidth,a.global.elements.point.borderWidth),i.fillStyle=e.backgroundColor||s,void 0!==t&&(n.x<t.left||1.01*t.right<n.x||n.y<t.top||1.01*t.bottom<n.y)&&(n.x<t.left?h=(u-n.x)/(t.left-n.x):1.01*t.right<n.x?h=(n.x-u)/(n.x-t.right):n.y<t.top?h=(d-n.y)/(t.top-n.y):1.01*t.bottom<n.y&&(h=(n.y-d)/(n.y-t.bottom)),h=Math.round(100*h)/100,i.strokeStyle=c(i.strokeStyle).alpha(h).rgbString(),i.fillStyle=c(i.fillStyle).alpha(h).rgbString()),o.canvas.drawPoint(i,r,l,u,d))}})},{25:25,26:26,45:45}],39:[function(t,e,n){"use strict";function i(t){return void 0!==t._view.width}function a(t){var e,n,a,r,o=t._view;if(i(t)){var s=o.width/2;e=o.x-s,n=o.x+s,a=Math.min(o.y,o.base),r=Math.max(o.y,o.base)}else{var l=o.height/2;e=Math.min(o.x,o.base),n=Math.max(o.x,o.base),a=o.y-l,r=o.y+l}return{left:e,top:a,right:n,bottom:r}}var r=t(25),o=t(26);r._set("global",{elements:{rectangle:{backgroundColor:r.global.defaultColor,borderColor:r.global.defaultColor,borderSkipped:"bottom",borderWidth:0}}}),e.exports=o.extend({draw:function(){function t(t){return v[(y+t)%4]}var e,n,i,a,r,o,s,l=this._chart.ctx,u=this._view,d=u.borderWidth;if(u.horizontal?(e=u.base,n=u.x,i=u.y-u.height/2,a=u.y+u.height/2,r=n>e?1:-1,o=1,s=u.borderSkipped||"left"):(e=u.x-u.width/2,n=u.x+u.width/2,i=u.y,r=1,o=(a=u.base)>i?1:-1,s=u.borderSkipped||"bottom"),d){var c=Math.min(Math.abs(e-n),Math.abs(i-a)),h=(d=d>c?c:d)/2,f=e+("left"!==s?h*r:0),g=n+("right"!==s?-h*r:0),m=i+("top"!==s?h*o:0),p=a+("bottom"!==s?-h*o:0);f!==g&&(i=m,a=p),m!==p&&(e=f,n=g)}l.beginPath(),l.fillStyle=u.backgroundColor,l.strokeStyle=u.borderColor,l.lineWidth=d;var v=[[e,a],[e,i],[n,i],[n,a]],y=["bottom","left","top","right"].indexOf(s,0);-1===y&&(y=0);var b=t(0);l.moveTo(b[0],b[1]);for(var x=1;x<4;x++)b=t(x),l.lineTo(b[0],b[1]);l.fill(),d&&l.stroke()},height:function(){var t=this._view;return t.base-t.y},inRange:function(t,e){var n=!1;if(this._view){var i=a(this);n=t>=i.left&&t<=i.right&&e>=i.top&&e<=i.bottom}return n},inLabelRange:function(t,e){var n=this;if(!n._view)return!1;var r=a(n);return i(n)?t>=r.left&&t<=r.right:e>=r.top&&e<=r.bottom},inXRange:function(t){var e=a(this);return t>=e.left&&t<=e.right},inYRange:function(t){var e=a(this);return t>=e.top&&t<=e.bottom},getCenterPoint:function(){var t,e,n=this._view;return i(this)?(t=n.x,e=(n.y+n.base)/2):(t=(n.x+n.base)/2,e=n.y),{x:t,y:e}},getArea:function(){var t=this._view;return t.width*Math.abs(t.y-t.base)},tooltipPosition:function(){var t=this._view;return{x:t.x,y:t.y}}})},{25:25,26:26}],40:[function(t,e,n){"use strict";e.exports={},e.exports.Arc=t(36),e.exports.Line=t(37),e.exports.Point=t(38),e.exports.Rectangle=t(39)},{36:36,37:37,38:38,39:39}],41:[function(t,e,n){"use strict";var i=t(42),n=e.exports={clear:function(t){t.ctx.clearRect(0,0,t.width,t.height)},roundedRect:function(t,e,n,i,a,r){if(r){var o=Math.min(r,i/2),s=Math.min(r,a/2);t.moveTo(e+o,n),t.lineTo(e+i-o,n),t.quadraticCurveTo(e+i,n,e+i,n+s),t.lineTo(e+i,n+a-s),t.quadraticCurveTo(e+i,n+a,e+i-o,n+a),t.lineTo(e+o,n+a),t.quadraticCurveTo(e,n+a,e,n+a-s),t.lineTo(e,n+s),t.quadraticCurveTo(e,n,e+o,n)}else t.rect(e,n,i,a)},drawPoint:function(t,e,n,i,a){var r,o,s,l,u,d;if(!e||"object"!=typeof e||"[object HTMLImageElement]"!==(r=e.toString())&&"[object HTMLCanvasElement]"!==r){if(!(isNaN(n)||n<=0)){switch(e){default:t.beginPath(),t.arc(i,a,n,0,2*Math.PI),t.closePath(),t.fill();break;case"triangle":t.beginPath(),u=(o=3*n/Math.sqrt(3))*Math.sqrt(3)/2,t.moveTo(i-o/2,a+u/3),t.lineTo(i+o/2,a+u/3),t.lineTo(i,a-2*u/3),t.closePath(),t.fill();break;case"rect":d=1/Math.SQRT2*n,t.beginPath(),t.fillRect(i-d,a-d,2*d,2*d),t.strokeRect(i-d,a-d,2*d,2*d);break;case"rectRounded":var c=n/Math.SQRT2,h=i-c,f=a-c,g=Math.SQRT2*n;t.beginPath(),this.roundedRect(t,h,f,g,g,n/2),t.closePath(),t.fill();break;case"rectRot":d=1/Math.SQRT2*n,t.beginPath(),t.moveTo(i-d,a),t.lineTo(i,a+d),t.lineTo(i+d,a),t.lineTo(i,a-d),t.closePath(),t.fill();break;case"cross":t.beginPath(),t.moveTo(i,a+n),t.lineTo(i,a-n),t.moveTo(i-n,a),t.lineTo(i+n,a),t.closePath();break;case"crossRot":t.beginPath(),s=Math.cos(Math.PI/4)*n,l=Math.sin(Math.PI/4)*n,t.moveTo(i-s,a-l),t.lineTo(i+s,a+l),t.moveTo(i-s,a+l),t.lineTo(i+s,a-l),t.closePath();break;case"star":t.beginPath(),t.moveTo(i,a+n),t.lineTo(i,a-n),t.moveTo(i-n,a),t.lineTo(i+n,a),s=Math.cos(Math.PI/4)*n,l=Math.sin(Math.PI/4)*n,t.moveTo(i-s,a-l),t.lineTo(i+s,a+l),t.moveTo(i-s,a+l),t.lineTo(i+s,a-l),t.closePath();break;case"line":t.beginPath(),t.moveTo(i-n,a),t.lineTo(i+n,a),t.closePath();break;case"dash":t.beginPath(),t.moveTo(i,a),t.lineTo(i+n,a),t.closePath()}t.stroke()}}else t.drawImage(e,i-e.width/2,a-e.height/2,e.width,e.height)},clipArea:function(t,e){t.save(),t.beginPath(),t.rect(e.left,e.top,e.right-e.left,e.bottom-e.top),t.clip()},unclipArea:function(t){t.restore()},lineTo:function(t,e,n,i){if(n.steppedLine)return"after"===n.steppedLine&&!i||"after"!==n.steppedLine&&i?t.lineTo(e.x,n.y):t.lineTo(n.x,e.y),void t.lineTo(n.x,n.y);n.tension?t.bezierCurveTo(i?e.controlPointPreviousX:e.controlPointNextX,i?e.controlPointPreviousY:e.controlPointNextY,i?n.controlPointNextX:n.controlPointPreviousX,i?n.controlPointNextY:n.controlPointPreviousY,n.x,n.y):t.lineTo(n.x,n.y)}};i.clear=n.clear,i.drawRoundedRectangle=function(t){t.beginPath(),n.roundedRect.apply(n,arguments),t.closePath()}},{42:42}],42:[function(t,e,n){"use strict";var i={noop:function(){},uid:function(){var t=0;return function(){return t++}}(),isNullOrUndef:function(t){return null===t||void 0===t},isArray:Array.isArray?Array.isArray:function(t){return"[object Array]"===Object.prototype.toString.call(t)},isObject:function(t){return null!==t&&"[object Object]"===Object.prototype.toString.call(t)},valueOrDefault:function(t,e){return void 0===t?e:t},valueAtIndexOrDefault:function(t,e,n){return i.valueOrDefault(i.isArray(t)?t[e]:t,n)},callback:function(t,e,n){if(t&&"function"==typeof t.call)return t.apply(n,e)},each:function(t,e,n,a){var r,o,s;if(i.isArray(t))if(o=t.length,a)for(r=o-1;r>=0;r--)e.call(n,t[r],r);else for(r=0;r<o;r++)e.call(n,t[r],r);else if(i.isObject(t))for(o=(s=Object.keys(t)).length,r=0;r<o;r++)e.call(n,t[s[r]],s[r])},arrayEquals:function(t,e){var n,a,r,o;if(!t||!e||t.length!==e.length)return!1;for(n=0,a=t.length;n<a;++n)if(r=t[n],o=e[n],r instanceof Array&&o instanceof Array){if(!i.arrayEquals(r,o))return!1}else if(r!==o)return!1;return!0},clone:function(t){if(i.isArray(t))return t.map(i.clone);if(i.isObject(t)){for(var e={},n=Object.keys(t),a=n.length,r=0;r<a;++r)e[n[r]]=i.clone(t[n[r]]);return e}return t},_merger:function(t,e,n,a){var r=e[t],o=n[t];i.isObject(r)&&i.isObject(o)?i.merge(r,o,a):e[t]=i.clone(o)},_mergerIf:function(t,e,n){var a=e[t],r=n[t];i.isObject(a)&&i.isObject(r)?i.mergeIf(a,r):e.hasOwnProperty(t)||(e[t]=i.clone(r))},merge:function(t,e,n){var a,r,o,s,l,u=i.isArray(e)?e:[e],d=u.length;if(!i.isObject(t))return t;for(a=(n=n||{}).merger||i._merger,r=0;r<d;++r)if(e=u[r],i.isObject(e))for(l=0,s=(o=Object.keys(e)).length;l<s;++l)a(o[l],t,e,n);return t},mergeIf:function(t,e){return i.merge(t,e,{merger:i._mergerIf})},extend:function(t){for(var e=1,n=arguments.length;e<n;++e)i.each(arguments[e],function(e,n){t[n]=e});return t},inherits:function(t){var e=this,n=t&&t.hasOwnProperty("constructor")?t.constructor:function(){return e.apply(this,arguments)},a=function(){this.constructor=n};return a.prototype=e.prototype,n.prototype=new a,n.extend=i.inherits,t&&i.extend(n.prototype,t),n.__super__=e.prototype,n}};e.exports=i,i.callCallback=i.callback,i.indexOf=function(t,e,n){return Array.prototype.indexOf.call(t,e,n)},i.getValueOrDefault=i.valueOrDefault,i.getValueAtIndexOrDefault=i.valueAtIndexOrDefault},{}],43:[function(t,e,n){"use strict";var i=t(42),a={linear:function(t){return t},easeInQuad:function(t){return t*t},easeOutQuad:function(t){return-t*(t-2)},easeInOutQuad:function(t){return(t/=.5)<1?.5*t*t:-.5*(--t*(t-2)-1)},easeInCubic:function(t){return t*t*t},easeOutCubic:function(t){return(t-=1)*t*t+1},easeInOutCubic:function(t){return(t/=.5)<1?.5*t*t*t:.5*((t-=2)*t*t+2)},easeInQuart:function(t){return t*t*t*t},easeOutQuart:function(t){return-((t-=1)*t*t*t-1)},easeInOutQuart:function(t){return(t/=.5)<1?.5*t*t*t*t:-.5*((t-=2)*t*t*t-2)},easeInQuint:function(t){return t*t*t*t*t},easeOutQuint:function(t){return(t-=1)*t*t*t*t+1},easeInOutQuint:function(t){return(t/=.5)<1?.5*t*t*t*t*t:.5*((t-=2)*t*t*t*t+2)},easeInSine:function(t){return 1-Math.cos(t*(Math.PI/2))},easeOutSine:function(t){return Math.sin(t*(Math.PI/2))},easeInOutSine:function(t){return-.5*(Math.cos(Math.PI*t)-1)},easeInExpo:function(t){return 0===t?0:Math.pow(2,10*(t-1))},easeOutExpo:function(t){return 1===t?1:1-Math.pow(2,-10*t)},easeInOutExpo:function(t){return 0===t?0:1===t?1:(t/=.5)<1?.5*Math.pow(2,10*(t-1)):.5*(2-Math.pow(2,-10*--t))},easeInCirc:function(t){return t>=1?t:-(Math.sqrt(1-t*t)-1)},easeOutCirc:function(t){return Math.sqrt(1-(t-=1)*t)},easeInOutCirc:function(t){return(t/=.5)<1?-.5*(Math.sqrt(1-t*t)-1):.5*(Math.sqrt(1-(t-=2)*t)+1)},easeInElastic:function(t){var e=1.70158,n=0,i=1;return 0===t?0:1===t?1:(n||(n=.3),i<1?(i=1,e=n/4):e=n/(2*Math.PI)*Math.asin(1/i),-i*Math.pow(2,10*(t-=1))*Math.sin((t-e)*(2*Math.PI)/n))},easeOutElastic:function(t){var e=1.70158,n=0,i=1;return 0===t?0:1===t?1:(n||(n=.3),i<1?(i=1,e=n/4):e=n/(2*Math.PI)*Math.asin(1/i),i*Math.pow(2,-10*t)*Math.sin((t-e)*(2*Math.PI)/n)+1)},easeInOutElastic:function(t){var e=1.70158,n=0,i=1;return 0===t?0:2==(t/=.5)?1:(n||(n=.45),i<1?(i=1,e=n/4):e=n/(2*Math.PI)*Math.asin(1/i),t<1?i*Math.pow(2,10*(t-=1))*Math.sin((t-e)*(2*Math.PI)/n)*-.5:i*Math.pow(2,-10*(t-=1))*Math.sin((t-e)*(2*Math.PI)/n)*.5+1)},easeInBack:function(t){var e=1.70158;return t*t*((e+1)*t-e)},easeOutBack:function(t){var e=1.70158;return(t-=1)*t*((e+1)*t+e)+1},easeInOutBack:function(t){var e=1.70158;return(t/=.5)<1?t*t*((1+(e*=1.525))*t-e)*.5:.5*((t-=2)*t*((1+(e*=1.525))*t+e)+2)},easeInBounce:function(t){return 1-a.easeOutBounce(1-t)},easeOutBounce:function(t){return t<1/2.75?7.5625*t*t:t<2/2.75?7.5625*(t-=1.5/2.75)*t+.75:t<2.5/2.75?7.5625*(t-=2.25/2.75)*t+.9375:7.5625*(t-=2.625/2.75)*t+.984375},easeInOutBounce:function(t){return t<.5?.5*a.easeInBounce(2*t):.5*a.easeOutBounce(2*t-1)+.5}};e.exports={effects:a},i.easingEffects=a},{42:42}],44:[function(t,e,n){"use strict";var i=t(42);e.exports={toLineHeight:function(t,e){var n=(""+t).match(/^(normal|(\\d+(?:\\.\\d+)?)(px|em|%)?)$/);if(!n||"normal"===n[1])return 1.2*e;switch(t=+n[2],n[3]){case"px":return t;case"%":t/=100}return e*t},toPadding:function(t){var e,n,a,r;return i.isObject(t)?(e=+t.top||0,n=+t.right||0,a=+t.bottom||0,r=+t.left||0):e=n=a=r=+t||0,{top:e,right:n,bottom:a,left:r,height:e+a,width:r+n}},resolve:function(t,e,n){var a,r,o;for(a=0,r=t.length;a<r;++a)if(void 0!==(o=t[a])&&(void 0!==e&&"function"==typeof o&&(o=o(e)),void 0!==n&&i.isArray(o)&&(o=o[n]),void 0!==o))return o}}},{42:42}],45:[function(t,e,n){"use strict";e.exports=t(42),e.exports.easing=t(43),e.exports.canvas=t(41),e.exports.options=t(44)},{41:41,42:42,43:43,44:44}],46:[function(t,e,n){e.exports={acquireContext:function(t){return t&&t.canvas&&(t=t.canvas),t&&t.getContext("2d")||null}}},{}],47:[function(t,e,n){"use strict";function i(t,e){var n=p.getStyle(t,e),i=n&&n.match(/^(\\d+)(\\.\\d+)?px$/);return i?Number(i[1]):void 0}function a(t,e){var n=t.style,a=t.getAttribute("height"),r=t.getAttribute("width");if(t[v]={initial:{height:a,width:r,style:{display:n.display,height:n.height,width:n.width}}},n.display=n.display||"block",null===r||""===r){var o=i(t,"width");void 0!==o&&(t.width=o)}if(null===a||""===a)if(""===t.style.height)t.height=t.width/(e.options.aspectRatio||2);else{var s=i(t,"height");void 0!==o&&(t.height=s)}return t}function r(t,e,n){t.addEventListener(e,n,w)}function o(t,e,n){t.removeEventListener(e,n,w)}function s(t,e,n,i,a){return{type:t,chart:e,native:a||null,x:void 0!==n?n:null,y:void 0!==i?i:null}}function l(t,e){var n=k[t.type]||t.type,i=p.getRelativePosition(t,e);return s(n,e,i.x,i.y,t)}function u(t,e){var n=!1,i=[];return function(){i=Array.prototype.slice.call(arguments),e=e||this,n||(n=!0,p.requestAnimFrame.call(window,function(){n=!1,t.apply(e,i)}))}}function d(t){var e=document.createElement("div"),n=y+"size-monitor",i="position:absolute;left:0;top:0;right:0;bottom:0;overflow:hidden;pointer-events:none;visibility:hidden;z-index:-1;";e.style.cssText=i,e.className=n,e.innerHTML=\'<div class="\'+n+\'-expand" style="\'+i+\'"><div style="position:absolute;width:1000000px;height:1000000px;left:0;top:0"></div></div><div class="\'+n+\'-shrink" style="\'+i+\'"><div style="position:absolute;width:200%;height:200%;left:0; top:0"></div></div>\';var a=e.childNodes[0],o=e.childNodes[1];e._reset=function(){a.scrollLeft=1e6,a.scrollTop=1e6,o.scrollLeft=1e6,o.scrollTop=1e6};var s=function(){e._reset(),t()};return r(a,"scroll",s.bind(a,"expand")),r(o,"scroll",s.bind(o,"shrink")),e}function c(t,e){var n=t[v]||(t[v]={}),i=n.renderProxy=function(t){t.animationName===x&&e()};p.each(_,function(e){r(t,e,i)}),n.reflow=!!t.offsetParent,t.classList.add(b)}function h(t){var e=t[v]||{},n=e.renderProxy;n&&(p.each(_,function(e){o(t,e,n)}),delete e.renderProxy),t.classList.remove(b)}function f(t,e,n){var i=t[v]||(t[v]={}),a=i.resizer=d(u(function(){if(i.resizer)return e(s("resize",n))}));c(t,function(){if(i.resizer){var e=t.parentNode;e&&e!==a.parentNode&&e.insertBefore(a,e.firstChild),a._reset()}})}function g(t){var e=t[v]||{},n=e.resizer;delete e.resizer,h(t),n&&n.parentNode&&n.parentNode.removeChild(n)}function m(t,e){var n=t._style||document.createElement("style");t._style||(t._style=n,e="/* Chart.js */\\n"+e,n.setAttribute("type","text/css"),document.getElementsByTagName("head")[0].appendChild(n)),n.appendChild(document.createTextNode(e))}var p=t(45),v="$chartjs",y="chartjs-",b=y+"render-monitor",x=y+"render-animation",_=["animationstart","webkitAnimationStart"],k={touchstart:"mousedown",touchmove:"mousemove",touchend:"mouseup",pointerenter:"mouseenter",pointerdown:"mousedown",pointermove:"mousemove",pointerup:"mouseup",pointerleave:"mouseout",pointerout:"mouseout"},w=!!function(){var t=!1;try{var e=Object.defineProperty({},"passive",{get:function(){t=!0}});window.addEventListener("e",null,e)}catch(t){}return t}()&&{passive:!0};e.exports={_enabled:"undefined"!=typeof window&&"undefined"!=typeof document,initialize:function(){var t="from{opacity:0.99}to{opacity:1}";m(this,"@-webkit-keyframes "+x+"{"+t+"}@keyframes "+x+"{"+t+"}."+b+"{-webkit-animation:"+x+" 0.001s;animation:"+x+" 0.001s;}")},acquireContext:function(t,e){"string"==typeof t?t=document.getElementById(t):t.length&&(t=t[0]),t&&t.canvas&&(t=t.canvas);var n=t&&t.getContext&&t.getContext("2d");return n&&n.canvas===t?(a(t,e),n):null},releaseContext:function(t){var e=t.canvas;if(e[v]){var n=e[v].initial;["height","width"].forEach(function(t){var i=n[t];p.isNullOrUndef(i)?e.removeAttribute(t):e.setAttribute(t,i)}),p.each(n.style||{},function(t,n){e.style[n]=t}),e.width=e.width,delete e[v]}},addEventListener:function(t,e,n){var i=t.canvas;if("resize"!==e){var a=n[v]||(n[v]={});r(i,e,(a.proxies||(a.proxies={}))[t.id+"_"+e]=function(e){n(l(e,t))})}else f(i,n,t)},removeEventListener:function(t,e,n){var i=t.canvas;if("resize"!==e){var a=((n[v]||{}).proxies||{})[t.id+"_"+e];a&&o(i,e,a)}else g(i)}},p.addEvent=r,p.removeEvent=o},{45:45}],48:[function(t,e,n){"use strict";var i=t(45),a=t(46),r=t(47),o=r._enabled?r:a;e.exports=i.extend({initialize:function(){},acquireContext:function(){},releaseContext:function(){},addEventListener:function(){},removeEventListener:function(){}},o)},{45:45,46:46,47:47}],49:[function(t,e,n){"use strict";var i=t(25),a=t(40),r=t(45);i._set("global",{plugins:{filler:{propagate:!0}}}),e.exports=function(){function t(t,e,n){var i,a=t._model||{},r=a.fill;if(void 0===r&&(r=!!a.backgroundColor),!1===r||null===r)return!1;if(!0===r)return"origin";if(i=parseFloat(r,10),isFinite(i)&&Math.floor(i)===i)return"-"!==r[0]&&"+"!==r[0]||(i=e+i),!(i===e||i<0||i>=n)&&i;switch(r){case"bottom":return"start";case"top":return"end";case"zero":return"origin";case"origin":case"start":case"end":return r;default:return!1}}function e(t){var e,n=t.el._model||{},i=t.el._scale||{},a=t.fill,r=null;if(isFinite(a))return null;if("start"===a?r=void 0===n.scaleBottom?i.bottom:n.scaleBottom:"end"===a?r=void 0===n.scaleTop?i.top:n.scaleTop:void 0!==n.scaleZero?r=n.scaleZero:i.getBasePosition?r=i.getBasePosition():i.getBasePixel&&(r=i.getBasePixel()),void 0!==r&&null!==r){if(void 0!==r.x&&void 0!==r.y)return r;if("number"==typeof r&&isFinite(r))return e=i.isHorizontal(),{x:e?r:null,y:e?null:r}}return null}function n(t,e,n){var i,a=t[e].fill,r=[e];if(!n)return a;for(;!1!==a&&-1===r.indexOf(a);){if(!isFinite(a))return a;if(!(i=t[a]))return!1;if(i.visible)return a;r.push(a),a=i.fill}return!1}function o(t){var e=t.fill,n="dataset";return!1===e?null:(isFinite(e)||(n="boundary"),d[n](t))}function s(t){return t&&!t.skip}function l(t,e,n,i,a){var o;if(i&&a){for(t.moveTo(e[0].x,e[0].y),o=1;o<i;++o)r.canvas.lineTo(t,e[o-1],e[o]);for(t.lineTo(n[a-1].x,n[a-1].y),o=a-1;o>0;--o)r.canvas.lineTo(t,n[o],n[o-1],!0)}}function u(t,e,n,i,a,r){var o,u,d,c,h,f,g,m=e.length,p=i.spanGaps,v=[],y=[],b=0,x=0;for(t.beginPath(),o=0,u=m+!!r;o<u;++o)h=n(c=e[d=o%m]._view,d,i),f=s(c),g=s(h),f&&g?(b=v.push(c),x=y.push(h)):b&&x&&(p?(f&&v.push(c),g&&y.push(h)):(l(t,v,y,b,x),b=x=0,v=[],y=[]));l(t,v,y,b,x),t.closePath(),t.fillStyle=a,t.fill()}var d={dataset:function(t){var e=t.fill,n=t.chart,i=n.getDatasetMeta(e),a=i&&n.isDatasetVisible(e)&&i.dataset._children||[],r=a.length||0;return r?function(t,e){return e<r&&a[e]._view||null}:null},boundary:function(t){var e=t.boundary,n=e?e.x:null,i=e?e.y:null;return function(t){return{x:null===n?t.x:n,y:null===i?t.y:i}}}};return{id:"filler",afterDatasetsUpdate:function(i,r){var s,l,u,d,c=(i.data.datasets||[]).length,h=r.propagate,f=[];for(l=0;l<c;++l)d=null,(u=(s=i.getDatasetMeta(l)).dataset)&&u._model&&u instanceof a.Line&&(d={visible:i.isDatasetVisible(l),fill:t(u,l,c),chart:i,el:u}),s.$filler=d,f.push(d);for(l=0;l<c;++l)(d=f[l])&&(d.fill=n(f,l,h),d.boundary=e(d),d.mapper=o(d))},beforeDatasetDraw:function(t,e){var n=e.meta.$filler;if(n){var a=t.ctx,o=n.el,s=o._view,l=o._children||[],d=n.mapper,c=s.backgroundColor||i.global.defaultColor;d&&c&&l.length&&(r.canvas.clipArea(a,t.chartArea),u(a,l,d,s,c,o._loop),r.canvas.unclipArea(a))}}}}},{25:25,40:40,45:45}],50:[function(t,e,n){"use strict";var i=t(25),a=t(26),r=t(45);i._set("global",{legend:{display:!0,position:"top",fullWidth:!0,reverse:!1,weight:1e3,onClick:function(t,e){var n=e.datasetIndex,i=this.chart,a=i.getDatasetMeta(n);a.hidden=null===a.hidden?!i.data.datasets[n].hidden:null,i.update()},onHover:null,labels:{boxWidth:40,padding:10,generateLabels:function(t){var e=t.data;return r.isArray(e.datasets)?e.datasets.map(function(e,n){return{text:e.label,fillStyle:r.isArray(e.backgroundColor)?e.backgroundColor[0]:e.backgroundColor,hidden:!t.isDatasetVisible(n),lineCap:e.borderCapStyle,lineDash:e.borderDash,lineDashOffset:e.borderDashOffset,lineJoin:e.borderJoinStyle,lineWidth:e.borderWidth,strokeStyle:e.borderColor,pointStyle:e.pointStyle,datasetIndex:n}},this):[]}}},legendCallback:function(t){var e=[];e.push(\'<ul class="\'+t.id+\'-legend">\');for(var n=0;n<t.data.datasets.length;n++)e.push(\'<li><span style="background-color:\'+t.data.datasets[n].backgroundColor+\'"></span>\'),t.data.datasets[n].label&&e.push(t.data.datasets[n].label),e.push("</li>");return e.push("</ul>"),e.join("")}}),e.exports=function(t){function e(t,e){return t.usePointStyle?e*Math.SQRT2:t.boxWidth}function n(e,n){var i=new t.Legend({ctx:e.ctx,options:n,chart:e});o.configure(e,i,n),o.addBox(e,i),e.legend=i}var o=t.layoutService,s=r.noop;return t.Legend=a.extend({initialize:function(t){r.extend(this,t),this.legendHitBoxes=[],this.doughnutMode=!1},beforeUpdate:s,update:function(t,e,n){var i=this;return i.beforeUpdate(),i.maxWidth=t,i.maxHeight=e,i.margins=n,i.beforeSetDimensions(),i.setDimensions(),i.afterSetDimensions(),i.beforeBuildLabels(),i.buildLabels(),i.afterBuildLabels(),i.beforeFit(),i.fit(),i.afterFit(),i.afterUpdate(),i.minSize},afterUpdate:s,beforeSetDimensions:s,setDimensions:function(){var t=this;t.isHorizontal()?(t.width=t.maxWidth,t.left=0,t.right=t.width):(t.height=t.maxHeight,t.top=0,t.bottom=t.height),t.paddingLeft=0,t.paddingTop=0,t.paddingRight=0,t.paddingBottom=0,t.minSize={width:0,height:0}},afterSetDimensions:s,beforeBuildLabels:s,buildLabels:function(){var t=this,e=t.options.labels||{},n=r.callback(e.generateLabels,[t.chart],t)||[];e.filter&&(n=n.filter(function(n){return e.filter(n,t.chart.data)})),t.options.reverse&&n.reverse(),t.legendItems=n},afterBuildLabels:s,beforeFit:s,fit:function(){var t=this,n=t.options,a=n.labels,o=n.display,s=t.ctx,l=i.global,u=r.valueOrDefault,d=u(a.fontSize,l.defaultFontSize),c=u(a.fontStyle,l.defaultFontStyle),h=u(a.fontFamily,l.defaultFontFamily),f=r.fontString(d,c,h),g=t.legendHitBoxes=[],m=t.minSize,p=t.isHorizontal();if(p?(m.width=t.maxWidth,m.height=o?10:0):(m.width=o?10:0,m.height=t.maxHeight),o)if(s.font=f,p){var v=t.lineWidths=[0],y=t.legendItems.length?d+a.padding:0;s.textAlign="left",s.textBaseline="top",r.each(t.legendItems,function(n,i){var r=e(a,d)+d/2+s.measureText(n.text).width;v[v.length-1]+r+a.padding>=t.width&&(y+=d+a.padding,v[v.length]=t.left),g[i]={left:0,top:0,width:r,height:d},v[v.length-1]+=r+a.padding}),m.height+=y}else{var b=a.padding,x=t.columnWidths=[],_=a.padding,k=0,w=0,M=d+b;r.each(t.legendItems,function(t,n){var i=e(a,d)+d/2+s.measureText(t.text).width;w+M>m.height&&(_+=k+a.padding,x.push(k),k=0,w=0),k=Math.max(k,i),w+=M,g[n]={left:0,top:0,width:i,height:d}}),_+=k,x.push(k),m.width+=_}t.width=m.width,t.height=m.height},afterFit:s,isHorizontal:function(){return"top"===this.options.position||"bottom"===this.options.position},draw:function(){var t=this,n=t.options,a=n.labels,o=i.global,s=o.elements.line,l=t.width,u=t.lineWidths;if(n.display){var d,c=t.ctx,h=r.valueOrDefault,f=h(a.fontColor,o.defaultFontColor),g=h(a.fontSize,o.defaultFontSize),m=h(a.fontStyle,o.defaultFontStyle),p=h(a.fontFamily,o.defaultFontFamily),v=r.fontString(g,m,p);c.textAlign="left",c.textBaseline="middle",c.lineWidth=.5,c.strokeStyle=f,c.fillStyle=f,c.font=v;var y=e(a,g),b=t.legendHitBoxes,x=function(t,e,i){if(!(isNaN(y)||y<=0)){c.save(),c.fillStyle=h(i.fillStyle,o.defaultColor),c.lineCap=h(i.lineCap,s.borderCapStyle),c.lineDashOffset=h(i.lineDashOffset,s.borderDashOffset),c.lineJoin=h(i.lineJoin,s.borderJoinStyle),c.lineWidth=h(i.lineWidth,s.borderWidth),c.strokeStyle=h(i.strokeStyle,o.defaultColor);var a=0===h(i.lineWidth,s.borderWidth);if(c.setLineDash&&c.setLineDash(h(i.lineDash,s.borderDash)),n.labels&&n.labels.usePointStyle){var l=g*Math.SQRT2/2,u=l/Math.SQRT2,d=t+u,f=e+u;r.canvas.drawPoint(c,i.pointStyle,l,d,f)}else a||c.strokeRect(t,e,y,g),c.fillRect(t,e,y,g);c.restore()}},_=function(t,e,n,i){var a=g/2,r=y+a+t,o=e+a;c.fillText(n.text,r,o),n.hidden&&(c.beginPath(),c.lineWidth=2,c.moveTo(r,o),c.lineTo(r+i,o),c.stroke())},k=t.isHorizontal();d=k?{x:t.left+(l-u[0])/2,y:t.top+a.padding,line:0}:{x:t.left+a.padding,y:t.top+a.padding,line:0};var w=g+a.padding;r.each(t.legendItems,function(e,n){var i=c.measureText(e.text).width,r=y+g/2+i,o=d.x,s=d.y;k?o+r>=l&&(s=d.y+=w,d.line++,o=d.x=t.left+(l-u[d.line])/2):s+w>t.bottom&&(o=d.x=o+t.columnWidths[d.line]+a.padding,s=d.y=t.top+a.padding,d.line++),x(o,s,e),b[n].left=o,b[n].top=s,_(o,s,e,i),k?d.x+=r+a.padding:d.y+=w})}},handleEvent:function(t){var e=this,n=e.options,i="mouseup"===t.type?"click":t.type,a=!1;if("mousemove"===i){if(!n.onHover)return}else{if("click"!==i)return;if(!n.onClick)return}var r=t.x,o=t.y;if(r>=e.left&&r<=e.right&&o>=e.top&&o<=e.bottom)for(var s=e.legendHitBoxes,l=0;l<s.length;++l){var u=s[l];if(r>=u.left&&r<=u.left+u.width&&o>=u.top&&o<=u.top+u.height){if("click"===i){n.onClick.call(e,t.native,e.legendItems[l]),a=!0;break}if("mousemove"===i){n.onHover.call(e,t.native,e.legendItems[l]),a=!0;break}}}return a}}),{id:"legend",beforeInit:function(t){var e=t.options.legend;e&&n(t,e)},beforeUpdate:function(t){var e=t.options.legend,a=t.legend;e?(r.mergeIf(e,i.global.legend),a?(o.configure(t,a,e),a.options=e):n(t,e)):a&&(o.removeBox(t,a),delete t.legend)},afterEvent:function(t,e){var n=t.legend;n&&n.handleEvent(e)}}}},{25:25,26:26,45:45}],51:[function(t,e,n){"use strict";var i=t(25),a=t(26),r=t(45);i._set("global",{title:{display:!1,fontStyle:"bold",fullWidth:!0,lineHeight:1.2,padding:10,position:"top",text:"",weight:2e3}}),e.exports=function(t){function e(e,i){var a=new t.Title({ctx:e.ctx,options:i,chart:e});n.configure(e,a,i),n.addBox(e,a),e.titleBlock=a}var n=t.layoutService,o=r.noop;return t.Title=a.extend({initialize:function(t){var e=this;r.extend(e,t),e.legendHitBoxes=[]},beforeUpdate:o,update:function(t,e,n){var i=this;return i.beforeUpdate(),i.maxWidth=t,i.maxHeight=e,i.margins=n,i.beforeSetDimensions(),i.setDimensions(),i.afterSetDimensions(),i.beforeBuildLabels(),i.buildLabels(),i.afterBuildLabels(),i.beforeFit(),i.fit(),i.afterFit(),i.afterUpdate(),i.minSize},afterUpdate:o,beforeSetDimensions:o,setDimensions:function(){var t=this;t.isHorizontal()?(t.width=t.maxWidth,t.left=0,t.right=t.width):(t.height=t.maxHeight,t.top=0,t.bottom=t.height),t.paddingLeft=0,t.paddingTop=0,t.paddingRight=0,t.paddingBottom=0,t.minSize={width:0,height:0}},afterSetDimensions:o,beforeBuildLabels:o,buildLabels:o,afterBuildLabels:o,beforeFit:o,fit:function(){var t=this,e=r.valueOrDefault,n=t.options,a=n.display,o=e(n.fontSize,i.global.defaultFontSize),s=t.minSize,l=r.isArray(n.text)?n.text.length:1,u=r.options.toLineHeight(n.lineHeight,o),d=a?l*u+2*n.padding:0;t.isHorizontal()?(s.width=t.maxWidth,s.height=d):(s.width=d,s.height=t.maxHeight),t.width=s.width,t.height=s.height},afterFit:o,isHorizontal:function(){var t=this.options.position;return"top"===t||"bottom"===t},draw:function(){var t=this,e=t.ctx,n=r.valueOrDefault,a=t.options,o=i.global;if(a.display){var s,l,u,d=n(a.fontSize,o.defaultFontSize),c=n(a.fontStyle,o.defaultFontStyle),h=n(a.fontFamily,o.defaultFontFamily),f=r.fontString(d,c,h),g=r.options.toLineHeight(a.lineHeight,d),m=g/2+a.padding,p=0,v=t.top,y=t.left,b=t.bottom,x=t.right;e.fillStyle=n(a.fontColor,o.defaultFontColor),e.font=f,t.isHorizontal()?(l=y+(x-y)/2,u=v+m,s=x-y):(l="left"===a.position?y+m:x-m,u=v+(b-v)/2,s=b-v,p=Math.PI*("left"===a.position?-.5:.5)),e.save(),e.translate(l,u),e.rotate(p),e.textAlign="center",e.textBaseline="middle";var _=a.text;if(r.isArray(_))for(var k=0,w=0;w<_.length;++w)e.fillText(_[w],0,k,s),k+=g;else e.fillText(_,0,0,s);e.restore()}}}),{id:"title",beforeInit:function(t){var n=t.options.title;n&&e(t,n)},beforeUpdate:function(a){var o=a.options.title,s=a.titleBlock;o?(r.mergeIf(o,i.global.title),s?(n.configure(a,s,o),s.options=o):e(a,o)):s&&(t.layoutService.removeBox(a,s),delete a.titleBlock)}}}},{25:25,26:26,45:45}],52:[function(t,e,n){"use strict";e.exports=function(t){var e=t.Scale.extend({getLabels:function(){var t=this.chart.data;return this.options.labels||(this.isHorizontal()?t.xLabels:t.yLabels)||t.labels},determineDataLimits:function(){var t=this,e=t.getLabels();t.minIndex=0,t.maxIndex=e.length-1;var n;void 0!==t.options.ticks.min&&(n=e.indexOf(t.options.ticks.min),t.minIndex=-1!==n?n:t.minIndex),void 0!==t.options.ticks.max&&(n=e.indexOf(t.options.ticks.max),t.maxIndex=-1!==n?n:t.maxIndex),t.min=e[t.minIndex],t.max=e[t.maxIndex]},buildTicks:function(){var t=this,e=t.getLabels();t.ticks=0===t.minIndex&&t.maxIndex===e.length-1?e:e.slice(t.minIndex,t.maxIndex+1)},getLabelForIndex:function(t,e){var n=this,i=n.chart.data,a=n.isHorizontal();return i.yLabels&&!a?n.getRightValue(i.datasets[e].data[t]):n.ticks[t-n.minIndex]},getPixelForValue:function(t,e){var n,i=this,a=i.options.offset,r=Math.max(i.maxIndex+1-i.minIndex-(a?0:1),1);if(void 0!==t&&null!==t&&(n=i.isHorizontal()?t.x:t.y),void 0!==n||void 0!==t&&isNaN(e)){var o=i.getLabels();t=n||t;var s=o.indexOf(t);e=-1!==s?s:e}if(i.isHorizontal()){var l=i.width/r,u=l*(e-i.minIndex);return a&&(u+=l/2),i.left+Math.round(u)}var d=i.height/r,c=d*(e-i.minIndex);return a&&(c+=d/2),i.top+Math.round(c)},getPixelForTick:function(t){return this.getPixelForValue(this.ticks[t],t+this.minIndex,null)},getValueForPixel:function(t){var e=this,n=e.options.offset,i=Math.max(e._ticks.length-(n?0:1),1),a=e.isHorizontal(),r=(a?e.width:e.height)/i;return t-=a?e.left:e.top,n&&(t-=r/2),(t<=0?0:Math.round(t/r))+e.minIndex},getBasePixel:function(){return this.bottom}});t.scaleService.registerScaleType("category",e,{position:"bottom"})}},{}],53:[function(t,e,n){"use strict";var i=t(25),a=t(45),r=t(34);e.exports=function(t){var e={position:"left",ticks:{callback:r.formatters.linear}},n=t.LinearScaleBase.extend({determineDataLimits:function(){function t(t){return o?t.xAxisID===e.id:t.yAxisID===e.id}var e=this,n=e.options,i=e.chart,r=i.data.datasets,o=e.isHorizontal();e.min=null,e.max=null;var s=n.stacked;if(void 0===s&&a.each(r,function(e,n){if(!s){var a=i.getDatasetMeta(n);i.isDatasetVisible(n)&&t(a)&&void 0!==a.stack&&(s=!0)}}),n.stacked||s){var l={};a.each(r,function(r,o){var s=i.getDatasetMeta(o),u=[s.type,void 0===n.stacked&&void 0===s.stack?o:"",s.stack].join(".");void 0===l[u]&&(l[u]={positiveValues:[],negativeValues:[]});var d=l[u].positiveValues,c=l[u].negativeValues;i.isDatasetVisible(o)&&t(s)&&a.each(r.data,function(t,i){var a=+e.getRightValue(t);isNaN(a)||s.data[i].hidden||(d[i]=d[i]||0,c[i]=c[i]||0,n.relativePoints?d[i]=100:a<0?c[i]+=a:d[i]+=a)})}),a.each(l,function(t){var n=t.positiveValues.concat(t.negativeValues),i=a.min(n),r=a.max(n);e.min=null===e.min?i:Math.min(e.min,i),e.max=null===e.max?r:Math.max(e.max,r)})}else a.each(r,function(n,r){var o=i.getDatasetMeta(r);i.isDatasetVisible(r)&&t(o)&&a.each(n.data,function(t,n){var i=+e.getRightValue(t);isNaN(i)||o.data[n].hidden||(null===e.min?e.min=i:i<e.min&&(e.min=i),null===e.max?e.max=i:i>e.max&&(e.max=i))})});e.min=isFinite(e.min)&&!isNaN(e.min)?e.min:0,e.max=isFinite(e.max)&&!isNaN(e.max)?e.max:1,this.handleTickRangeOptions()},getTickLimit:function(){var t,e=this,n=e.options.ticks;if(e.isHorizontal())t=Math.min(n.maxTicksLimit?n.maxTicksLimit:11,Math.ceil(e.width/50));else{var r=a.valueOrDefault(n.fontSize,i.global.defaultFontSize);t=Math.min(n.maxTicksLimit?n.maxTicksLimit:11,Math.ceil(e.height/(2*r)))}return t},handleDirectionalChanges:function(){this.isHorizontal()||this.ticks.reverse()},getLabelForIndex:function(t,e){return+this.getRightValue(this.chart.data.datasets[e].data[t])},getPixelForValue:function(t){var e,n=this,i=n.start,a=+n.getRightValue(t),r=n.end-i;return n.isHorizontal()?(e=n.left+n.width/r*(a-i),Math.round(e)):(e=n.bottom-n.height/r*(a-i),Math.round(e))},getValueForPixel:function(t){var e=this,n=e.isHorizontal(),i=n?e.width:e.height,a=(n?t-e.left:e.bottom-t)/i;return e.start+(e.end-e.start)*a},getPixelForTick:function(t){return this.getPixelForValue(this.ticksAsNumbers[t])}});t.scaleService.registerScaleType("linear",n,e)}},{25:25,34:34,45:45}],54:[function(t,e,n){"use strict";var i=t(45),a=t(34);e.exports=function(t){var e=i.noop;t.LinearScaleBase=t.Scale.extend({getRightValue:function(e){return"string"==typeof e?+e:t.Scale.prototype.getRightValue.call(this,e)},handleTickRangeOptions:function(){var t=this,e=t.options.ticks;if(e.beginAtZero){var n=i.sign(t.min),a=i.sign(t.max);n<0&&a<0?t.max=0:n>0&&a>0&&(t.min=0)}var r=void 0!==e.min||void 0!==e.suggestedMin,o=void 0!==e.max||void 0!==e.suggestedMax;void 0!==e.min?t.min=e.min:void 0!==e.suggestedMin&&(null===t.min?t.min=e.suggestedMin:t.min=Math.min(t.min,e.suggestedMin)),void 0!==e.max?t.max=e.max:void 0!==e.suggestedMax&&(null===t.max?t.max=e.suggestedMax:t.max=Math.max(t.max,e.suggestedMax)),r!==o&&t.min>=t.max&&(r?t.max=t.min+1:t.min=t.max-1),t.min===t.max&&(t.max++,e.beginAtZero||t.min--)},getTickLimit:e,handleDirectionalChanges:e,buildTicks:function(){var t=this,e=t.options.ticks,n=t.getTickLimit(),r={maxTicks:n=Math.max(2,n),min:e.min,max:e.max,stepSize:i.valueOrDefault(e.fixedStepSize,e.stepSize)},o=t.ticks=a.generators.linear(r,t);t.handleDirectionalChanges(),t.max=i.max(o),t.min=i.min(o),e.reverse?(o.reverse(),t.start=t.max,t.end=t.min):(t.start=t.min,t.end=t.max)},convertTicksToLabels:function(){var e=this;e.ticksAsNumbers=e.ticks.slice(),e.zeroLineIndex=e.ticks.indexOf(0),t.Scale.prototype.convertTicksToLabels.call(e)}})}},{34:34,45:45}],55:[function(t,e,n){"use strict";var i=t(45),a=t(34);e.exports=function(t){var e={position:"left",ticks:{callback:a.formatters.logarithmic}},n=t.Scale.extend({determineDataLimits:function(){function t(t){return l?t.xAxisID===e.id:t.yAxisID===e.id}var e=this,n=e.options,a=n.ticks,r=e.chart,o=r.data.datasets,s=i.valueOrDefault,l=e.isHorizontal();e.min=null,e.max=null,e.minNotZero=null;var u=n.stacked;if(void 0===u&&i.each(o,function(e,n){if(!u){var i=r.getDatasetMeta(n);r.isDatasetVisible(n)&&t(i)&&void 0!==i.stack&&(u=!0)}}),n.stacked||u){var d={};i.each(o,function(a,o){var s=r.getDatasetMeta(o),l=[s.type,void 0===n.stacked&&void 0===s.stack?o:"",s.stack].join(".");r.isDatasetVisible(o)&&t(s)&&(void 0===d[l]&&(d[l]=[]),i.each(a.data,function(t,i){var a=d[l],r=+e.getRightValue(t);isNaN(r)||s.data[i].hidden||(a[i]=a[i]||0,n.relativePoints?a[i]=100:a[i]+=r)}))}),i.each(d,function(t){var n=i.min(t),a=i.max(t);e.min=null===e.min?n:Math.min(e.min,n),e.max=null===e.max?a:Math.max(e.max,a)})}else i.each(o,function(n,a){var o=r.getDatasetMeta(a);r.isDatasetVisible(a)&&t(o)&&i.each(n.data,function(t,n){var i=+e.getRightValue(t);isNaN(i)||o.data[n].hidden||(null===e.min?e.min=i:i<e.min&&(e.min=i),null===e.max?e.max=i:i>e.max&&(e.max=i),0!==i&&(null===e.minNotZero||i<e.minNotZero)&&(e.minNotZero=i))})});e.min=s(a.min,e.min),e.max=s(a.max,e.max),e.min===e.max&&(0!==e.min&&null!==e.min?(e.min=Math.pow(10,Math.floor(i.log10(e.min))-1),e.max=Math.pow(10,Math.floor(i.log10(e.max))+1)):(e.min=1,e.max=10))},buildTicks:function(){var t=this,e=t.options.ticks,n={min:e.min,max:e.max},r=t.ticks=a.generators.logarithmic(n,t);t.isHorizontal()||r.reverse(),t.max=i.max(r),t.min=i.min(r),e.reverse?(r.reverse(),t.start=t.max,t.end=t.min):(t.start=t.min,t.end=t.max)},convertTicksToLabels:function(){this.tickValues=this.ticks.slice(),t.Scale.prototype.convertTicksToLabels.call(this)},getLabelForIndex:function(t,e){return+this.getRightValue(this.chart.data.datasets[e].data[t])},getPixelForTick:function(t){return this.getPixelForValue(this.tickValues[t])},getPixelForValue:function(t){var e,n,a,r=this,o=r.start,s=+r.getRightValue(t),l=r.options.ticks;return r.isHorizontal()?(a=i.log10(r.end)-i.log10(o),0===s?n=r.left:(e=r.width,n=r.left+e/a*(i.log10(s)-i.log10(o)))):(e=r.height,0!==o||l.reverse?0===r.end&&l.reverse?(a=i.log10(r.start)-i.log10(r.minNotZero),n=s===r.end?r.top:s===r.minNotZero?r.top+.02*e:r.top+.02*e+.98*e/a*(i.log10(s)-i.log10(r.minNotZero))):0===s?n=l.reverse?r.top:r.bottom:(a=i.log10(r.end)-i.log10(o),e=r.height,n=r.bottom-e/a*(i.log10(s)-i.log10(o))):(a=i.log10(r.end)-i.log10(r.minNotZero),n=s===o?r.bottom:s===r.minNotZero?r.bottom-.02*e:r.bottom-.02*e-.98*e/a*(i.log10(s)-i.log10(r.minNotZero)))),n},getValueForPixel:function(t){var e,n,a=this,r=i.log10(a.end)-i.log10(a.start);return a.isHorizontal()?(n=a.width,e=a.start*Math.pow(10,(t-a.left)*r/n)):(n=a.height,e=Math.pow(10,(a.bottom-t)*r/n)/a.start),e}});t.scaleService.registerScaleType("logarithmic",n,e)}},{34:34,45:45}],56:[function(t,e,n){"use strict";var i=t(25),a=t(45),r=t(34);e.exports=function(t){function e(t){var e=t.options;return e.angleLines.display||e.pointLabels.display?t.chart.data.labels.length:0}function n(t){var e=t.options.pointLabels,n=a.valueOrDefault(e.fontSize,p.defaultFontSize),i=a.valueOrDefault(e.fontStyle,p.defaultFontStyle),r=a.valueOrDefault(e.fontFamily,p.defaultFontFamily);return{size:n,style:i,family:r,font:a.fontString(n,i,r)}}function o(t,e,n){return a.isArray(n)?{w:a.longestText(t,t.font,n),h:n.length*e+1.5*(n.length-1)*e}:{w:t.measureText(n).width,h:e}}function s(t,e,n,i,a){return t===i||t===a?{start:e-n/2,end:e+n/2}:t<i||t>a?{start:e-n-5,end:e}:{start:e,end:e+n+5}}function l(t){var i,r,l,u=n(t),d=Math.min(t.height/2,t.width/2),c={r:t.width,l:0,t:t.height,b:0},h={};t.ctx.font=u.font,t._pointLabelSizes=[];var f=e(t);for(i=0;i<f;i++){l=t.getPointPosition(i,d),r=o(t.ctx,u.size,t.pointLabels[i]||""),t._pointLabelSizes[i]=r;var g=t.getIndexAngle(i),m=a.toDegrees(g)%360,p=s(m,l.x,r.w,0,180),v=s(m,l.y,r.h,90,270);p.start<c.l&&(c.l=p.start,h.l=g),p.end>c.r&&(c.r=p.end,h.r=g),v.start<c.t&&(c.t=v.start,h.t=g),v.end>c.b&&(c.b=v.end,h.b=g)}t.setReductions(d,c,h)}function u(t){var e=Math.min(t.height/2,t.width/2);t.drawingArea=Math.round(e),t.setCenterPoint(0,0,0,0)}function d(t){return 0===t||180===t?"center":t<180?"left":"right"}function c(t,e,n,i){if(a.isArray(e))for(var r=n.y,o=1.5*i,s=0;s<e.length;++s)t.fillText(e[s],n.x,r),r+=o;else t.fillText(e,n.x,n.y)}function h(t,e,n){90===t||270===t?n.y-=e.h/2:(t>270||t<90)&&(n.y-=e.h)}function f(t){var i=t.ctx,r=a.valueOrDefault,o=t.options,s=o.angleLines,l=o.pointLabels;i.lineWidth=s.lineWidth,i.strokeStyle=s.color;var u=t.getDistanceFromCenterForValue(o.ticks.reverse?t.min:t.max),f=n(t);i.textBaseline="top";for(var g=e(t)-1;g>=0;g--){if(s.display){var m=t.getPointPosition(g,u);i.beginPath(),i.moveTo(t.xCenter,t.yCenter),i.lineTo(m.x,m.y),i.stroke(),i.closePath()}if(l.display){var v=t.getPointPosition(g,u+5),y=r(l.fontColor,p.defaultFontColor);i.font=f.font,i.fillStyle=y;var b=t.getIndexAngle(g),x=a.toDegrees(b);i.textAlign=d(x),h(x,t._pointLabelSizes[g],v),c(i,t.pointLabels[g]||"",v,f.size)}}}function g(t,n,i,r){var o=t.ctx;if(o.strokeStyle=a.valueAtIndexOrDefault(n.color,r-1),o.lineWidth=a.valueAtIndexOrDefault(n.lineWidth,r-1),t.options.gridLines.circular)o.beginPath(),o.arc(t.xCenter,t.yCenter,i,0,2*Math.PI),o.closePath(),o.stroke();else{var s=e(t);if(0===s)return;o.beginPath();var l=t.getPointPosition(0,i);o.moveTo(l.x,l.y);for(var u=1;u<s;u++)l=t.getPointPosition(u,i),o.lineTo(l.x,l.y);o.closePath(),o.stroke()}}function m(t){return a.isNumber(t)?t:0}var p=i.global,v={display:!0,animate:!0,position:"chartArea",angleLines:{display:!0,color:"rgba(0, 0, 0, 0.1)",lineWidth:1},gridLines:{circular:!1},ticks:{showLabelBackdrop:!0,backdropColor:"rgba(255,255,255,0.75)",backdropPaddingY:2,backdropPaddingX:2,callback:r.formatters.linear},pointLabels:{display:!0,fontSize:10,callback:function(t){return t}}},y=t.LinearScaleBase.extend({setDimensions:function(){var t=this,e=t.options,n=e.ticks;t.width=t.maxWidth,t.height=t.maxHeight,t.xCenter=Math.round(t.width/2),t.yCenter=Math.round(t.height/2);var i=a.min([t.height,t.width]),r=a.valueOrDefault(n.fontSize,p.defaultFontSize);t.drawingArea=e.display?i/2-(r/2+n.backdropPaddingY):i/2},determineDataLimits:function(){var t=this,e=t.chart,n=Number.POSITIVE_INFINITY,i=Number.NEGATIVE_INFINITY;a.each(e.data.datasets,function(r,o){if(e.isDatasetVisible(o)){var s=e.getDatasetMeta(o);a.each(r.data,function(e,a){var r=+t.getRightValue(e);isNaN(r)||s.data[a].hidden||(n=Math.min(r,n),i=Math.max(r,i))})}}),t.min=n===Number.POSITIVE_INFINITY?0:n,t.max=i===Number.NEGATIVE_INFINITY?0:i,t.handleTickRangeOptions()},getTickLimit:function(){var t=this.options.ticks,e=a.valueOrDefault(t.fontSize,p.defaultFontSize);return Math.min(t.maxTicksLimit?t.maxTicksLimit:11,Math.ceil(this.drawingArea/(1.5*e)))},convertTicksToLabels:function(){var e=this;t.LinearScaleBase.prototype.convertTicksToLabels.call(e),e.pointLabels=e.chart.data.labels.map(e.options.pointLabels.callback,e)},getLabelForIndex:function(t,e){return+this.getRightValue(this.chart.data.datasets[e].data[t])},fit:function(){this.options.pointLabels.display?l(this):u(this)},setReductions:function(t,e,n){var i=this,a=e.l/Math.sin(n.l),r=Math.max(e.r-i.width,0)/Math.sin(n.r),o=-e.t/Math.cos(n.t),s=-Math.max(e.b-i.height,0)/Math.cos(n.b);a=m(a),r=m(r),o=m(o),s=m(s),i.drawingArea=Math.min(Math.round(t-(a+r)/2),Math.round(t-(o+s)/2)),i.setCenterPoint(a,r,o,s)},setCenterPoint:function(t,e,n,i){var a=this,r=a.width-e-a.drawingArea,o=t+a.drawingArea,s=n+a.drawingArea,l=a.height-i-a.drawingArea;a.xCenter=Math.round((o+r)/2+a.left),a.yCenter=Math.round((s+l)/2+a.top)},getIndexAngle:function(t){return t*(2*Math.PI/e(this))+(this.chart.options&&this.chart.options.startAngle?this.chart.options.startAngle:0)*Math.PI*2/360},getDistanceFromCenterForValue:function(t){var e=this;if(null===t)return 0;var n=e.drawingArea/(e.max-e.min);return e.options.ticks.reverse?(e.max-t)*n:(t-e.min)*n},getPointPosition:function(t,e){var n=this,i=n.getIndexAngle(t)-Math.PI/2;return{x:Math.round(Math.cos(i)*e)+n.xCenter,y:Math.round(Math.sin(i)*e)+n.yCenter}},getPointPositionForValue:function(t,e){return this.getPointPosition(t,this.getDistanceFromCenterForValue(e))},getBasePosition:function(){var t=this,e=t.min,n=t.max;return t.getPointPositionForValue(0,t.beginAtZero?0:e<0&&n<0?n:e>0&&n>0?e:0)},draw:function(){var t=this,e=t.options,n=e.gridLines,i=e.ticks,r=a.valueOrDefault;if(e.display){var o=t.ctx,s=this.getIndexAngle(0),l=r(i.fontSize,p.defaultFontSize),u=r(i.fontStyle,p.defaultFontStyle),d=r(i.fontFamily,p.defaultFontFamily),c=a.fontString(l,u,d);a.each(t.ticks,function(e,a){if(a>0||i.reverse){var u=t.getDistanceFromCenterForValue(t.ticksAsNumbers[a]);if(n.display&&0!==a&&g(t,n,u,a),i.display){var d=r(i.fontColor,p.defaultFontColor);if(o.font=c,o.save(),o.translate(t.xCenter,t.yCenter),o.rotate(s),i.showLabelBackdrop){var h=o.measureText(e).width;o.fillStyle=i.backdropColor,o.fillRect(-h/2-i.backdropPaddingX,-u-l/2-i.backdropPaddingY,h+2*i.backdropPaddingX,l+2*i.backdropPaddingY)}o.textAlign="center",o.textBaseline="middle",o.fillStyle=d,o.fillText(e,0,-u),o.restore()}}}),(e.angleLines.display||e.pointLabels.display)&&f(t)}}});t.scaleService.registerScaleType("radialLinear",y,v)}},{25:25,34:34,45:45}],57:[function(t,e,n){"use strict";function i(t,e){return t-e}function a(t){var e,n,i,a={},r=[];for(e=0,n=t.length;e<n;++e)a[i=t[e]]||(a[i]=!0,r.push(i));return r}function r(t,e,n,i){if("linear"===i||!t.length)return[{time:e,pos:0},{time:n,pos:1}];var a,r,o,s,l,u=[],d=[e];for(a=0,r=t.length;a<r;++a)(s=t[a])>e&&s<n&&d.push(s);for(d.push(n),a=0,r=d.length;a<r;++a)l=d[a+1],o=d[a-1],s=d[a],void 0!==o&&void 0!==l&&Math.round((l+o)/2)===s||u.push({time:s,pos:a/(r-1)});return u}function o(t,e,n){for(var i,a,r,o=0,s=t.length-1;o>=0&&o<=s;){if(i=o+s>>1,a=t[i-1]||null,r=t[i],!a)return{lo:null,hi:r};if(r[e]<n)o=i+1;else{if(!(a[e]>n))return{lo:a,hi:r};s=i-1}}return{lo:r,hi:null}}function s(t,e,n,i){var a=o(t,e,n),r=a.lo?a.hi?a.lo:t[t.length-2]:t[0],s=a.lo?a.hi?a.hi:t[t.length-1]:t[1],l=s[e]-r[e],u=l?(n-r[e])/l:0,d=(s[i]-r[i])*u;return r[i]+d}function l(t,e){var n=e.parser,i=e.parser||e.format;return"function"==typeof n?n(t):"string"==typeof t&&"string"==typeof i?v(t,i):(t instanceof v||(t=v(t)),t.isValid()?t:"function"==typeof i?i(t):t)}function u(t,e){if(b.isNullOrUndef(t))return null;var n=e.options.time,i=l(e.getRightValue(t),n);return i.isValid()?(n.round&&i.startOf(n.round),i.valueOf()):null}function d(t,e,n,i){var a,r,o,s=e-t,l=k[n],u=l.size,d=l.steps;if(!d)return Math.ceil(s/((i||1)*u));for(a=0,r=d.length;a<r&&(o=d[a],!(Math.ceil(s/(u*o))<=i));++a);return o}function c(t,e,n,i){var a,r,o,s=w.length;for(a=w.indexOf(t);a<s-1;++a)if(r=k[w[a]],o=r.steps?r.steps[r.steps.length-1]:_,r.common&&Math.ceil((n-e)/(o*r.size))<=i)return w[a];return w[s-1]}function h(t,e,n,i){var a,r,o=v.duration(v(i).diff(v(n)));for(a=w.length-1;a>=w.indexOf(e);a--)if(r=w[a],k[r].common&&o.as(r)>=t.length)return r;return w[e?w.indexOf(e):0]}function f(t){for(var e=w.indexOf(t)+1,n=w.length;e<n;++e)if(k[w[e]].common)return w[e]}function g(t,e,n,i){var a,r=i.time,o=r.unit||c(r.minUnit,t,e,n),s=f(o),l=b.valueOrDefault(r.stepSize,r.unitStepSize),u="week"===o&&r.isoWeekday,h=i.ticks.major.enabled,g=k[o],m=v(t),p=v(e),y=[];for(l||(l=d(t,e,o,n)),u&&(m=m.isoWeekday(u),p=p.isoWeekday(u)),m=m.startOf(u?"day":o),(p=p.startOf(u?"day":o))<e&&p.add(1,o),a=v(m),h&&s&&!u&&!r.round&&(a.startOf(s),a.add(~~((m-a)/(g.size*l))*l,o));a<p;a.add(l,o))y.push(+a);return y.push(+a),y}function m(t,e,n,i,a){var r,o,l=0,u=0;return a.offset&&e.length&&(a.time.min||(r=e.length>1?e[1]:i,o=e[0],l=(s(t,"time",r,"pos")-s(t,"time",o,"pos"))/2),a.time.max||(r=e[e.length-1],o=e.length>1?e[e.length-2]:n,u=(s(t,"time",r,"pos")-s(t,"time",o,"pos"))/2)),{left:l,right:u}}function p(t,e){var n,i,a,r,o=[];for(n=0,i=t.length;n<i;++n)a=t[n],r=!!e&&a===+v(a).startOf(e),o.push({value:a,major:r});return o}var v=t(6);v="function"==typeof v?v:window.moment;var y=t(25),b=t(45),x=Number.MIN_SAFE_INTEGER||-9007199254740991,_=Number.MAX_SAFE_INTEGER||9007199254740991,k={millisecond:{common:!0,size:1,steps:[1,2,5,10,20,50,100,250,500]},second:{common:!0,size:1e3,steps:[1,2,5,10,30]},minute:{common:!0,size:6e4,steps:[1,2,5,10,30]},hour:{common:!0,size:36e5,steps:[1,2,3,6,12]},day:{common:!0,size:864e5,steps:[1,2,5]},week:{common:!1,size:6048e5,steps:[1,2,3,4]},month:{common:!0,size:2628e6,steps:[1,2,3]},quarter:{common:!1,size:7884e6,steps:[1,2,3,4]},year:{common:!0,size:3154e7}},w=Object.keys(k);e.exports=function(t){var e=t.Scale.extend({initialize:function(){if(!v)throw new Error("Chart.js - Moment.js could not be found! You must include it before Chart.js to use the time scale. Download at https://momentjs.com");this.mergeTicksOptions(),t.Scale.prototype.initialize.call(this)},update:function(){var e=this,n=e.options;return n.time&&n.time.format&&console.warn("options.time.format is deprecated and replaced by options.time.parser."),t.Scale.prototype.update.apply(e,arguments)},getRightValue:function(e){return e&&void 0!==e.t&&(e=e.t),t.Scale.prototype.getRightValue.call(this,e)},determineDataLimits:function(){var t,e,n,r,o,s,l=this,d=l.chart,c=l.options.time,h=_,f=x,g=[],m=[],p=[];for(t=0,n=d.data.labels.length;t<n;++t)p.push(u(d.data.labels[t],l));for(t=0,n=(d.data.datasets||[]).length;t<n;++t)if(d.isDatasetVisible(t))if(o=d.data.datasets[t].data,b.isObject(o[0]))for(m[t]=[],e=0,r=o.length;e<r;++e)s=u(o[e],l),g.push(s),m[t][e]=s;else g.push.apply(g,p),m[t]=p.slice(0);else m[t]=[];p.length&&(p=a(p).sort(i),h=Math.min(h,p[0]),f=Math.max(f,p[p.length-1])),g.length&&(g=a(g).sort(i),h=Math.min(h,g[0]),f=Math.max(f,g[g.length-1])),h=u(c.min,l)||h,f=u(c.max,l)||f,h=h===_?+v().startOf("day"):h,f=f===x?+v().endOf("day")+1:f,l.min=Math.min(h,f),l.max=Math.max(h+1,f),l._horizontal=l.isHorizontal(),l._table=[],l._timestamps={data:g,datasets:m,labels:p}},buildTicks:function(){var t,e,n,i=this,a=i.min,o=i.max,s=i.options,l=s.time,d=[],c=[];switch(s.ticks.source){case"data":d=i._timestamps.data;break;case"labels":d=i._timestamps.labels;break;case"auto":default:d=g(a,o,i.getLabelCapacity(a),s)}for("ticks"===s.bounds&&d.length&&(a=d[0],o=d[d.length-1]),a=u(l.min,i)||a,o=u(l.max,i)||o,t=0,e=d.length;t<e;++t)(n=d[t])>=a&&n<=o&&c.push(n);return i.min=a,i.max=o,i._unit=l.unit||h(c,l.minUnit,i.min,i.max),i._majorUnit=f(i._unit),i._table=r(i._timestamps.data,a,o,s.distribution),i._offsets=m(i._table,c,a,o,s),p(c,i._majorUnit)},getLabelForIndex:function(t,e){var n=this,i=n.chart.data,a=n.options.time,r=i.labels&&t<i.labels.length?i.labels[t]:"",o=i.datasets[e].data[t];return b.isObject(o)&&(r=n.getRightValue(o)),a.tooltipFormat&&(r=l(r,a).format(a.tooltipFormat)),r},tickFormatFunction:function(t,e,n,i){var a=this,r=a.options,o=t.valueOf(),s=r.time.displayFormats,l=s[a._unit],u=a._majorUnit,d=s[u],c=t.clone().startOf(u).valueOf(),h=r.ticks.major,f=h.enabled&&u&&d&&o===c,g=t.format(i||(f?d:l)),m=f?h:r.ticks.minor,p=b.valueOrDefault(m.callback,m.userCallback);return p?p(g,e,n):g},convertTicksToLabels:function(t){var e,n,i=[];for(e=0,n=t.length;e<n;++e)i.push(this.tickFormatFunction(v(t[e].value),e,t));return i},getPixelForOffset:function(t){var e=this,n=e._horizontal?e.width:e.height,i=e._horizontal?e.left:e.top,a=s(e._table,"time",t,"pos");return i+n*(e._offsets.left+a)/(e._offsets.left+1+e._offsets.right)},getPixelForValue:function(t,e,n){var i=this,a=null;if(void 0!==e&&void 0!==n&&(a=i._timestamps.datasets[n][e]),null===a&&(a=u(t,i)),null!==a)return i.getPixelForOffset(a)},getPixelForTick:function(t){var e=this.getTicks();return t>=0&&t<e.length?this.getPixelForOffset(e[t].value):null},getValueForPixel:function(t){var e=this,n=e._horizontal?e.width:e.height,i=e._horizontal?e.left:e.top,a=(n?(t-i)/n:0)*(e._offsets.left+1+e._offsets.left)-e._offsets.right,r=s(e._table,"pos",a,"time");return v(r)},getLabelWidth:function(t){var e=this,n=e.options.ticks,i=e.ctx.measureText(t).width,a=b.toRadians(n.maxRotation),r=Math.cos(a),o=Math.sin(a);return i*r+b.valueOrDefault(n.fontSize,y.global.defaultFontSize)*o},getLabelCapacity:function(t){var e=this,n=e.options.time.displayFormats.millisecond,i=e.tickFormatFunction(v(t),0,[],n),a=e.getLabelWidth(i),r=e.isHorizontal()?e.width:e.height;return Math.floor(r/a)}});t.scaleService.registerScaleType("time",e,{position:"bottom",distribution:"linear",bounds:"data",time:{parser:!1,format:!1,unit:!1,round:!1,displayFormat:!1,isoWeekday:!1,minUnit:"millisecond",displayFormats:{millisecond:"h:mm:ss.SSS a",second:"h:mm:ss a",minute:"h:mm a",hour:"hA",day:"MMM D",week:"ll",month:"MMM YYYY",quarter:"[Q]Q - YYYY",year:"YYYY"}},ticks:{autoSkip:!1,source:"auto",major:{enabled:!1}}})}},{25:25,45:45,6:6}]},{},[7])(7)});\n'
line_chart = '\n<div style="width:{4};margin:15px;">\n <canvas id="{3}" width="100" height="100"></canvas>\n </div>\n<script>\nvar ctx = document.getElementById("{3}").getContext(\'2d\');\nvar myChart = new Chart(ctx, {{\n type: \'line\',\n data: {{\n labels: {0},\n datasets: [{5}]\n }},\n options: {{\n scales: {{\n yAxes: [{{\n ticks: {{\n beginAtZero:false,\n }},\n scaleLabel: {{\n display: true,\n labelString: \'{1}\'\n }}\n }}],\n xAxes: [{{\n ticks: {{\n beginAtZero:false,\n }},\n scaleLabel: {{\n display: true,\n labelString: \'{2}\'\n }}\n }}]\n }}\n }}\n}});\n</script>\n'
multi_axes_line_chart = '\n<div style="width:{5};margin:15px;">\n <canvas id="{4}" width="100" height="100"></canvas>\n </div>\n<script>\nvar ctx = document.getElementById("{4}").getContext(\'2d\');\nvar myChart = new Chart(ctx, {{\n type: \'line\',\n data: {{\n labels: {0},\n datasets: [{6}]\n }},\n options: {{\n scales: {{\n yAxes: [{{\n id: \'A\',\n position: \'left\',\n ticks: {{\n beginAtZero:false,\n }},\n scaleLabel: {{\n display: true,\n labelString: \'{1}\'\n }}\n }},\n {{\n id: \'B\',\n position: \'right\',\n ticks: {{\n beginAtZero:false,\n }},\n scaleLabel: {{\n display: true,\n labelString: \'{2}\'\n }}\n }}],\n xAxes: [{{\n ticks: {{\n beginAtZero:false,\n }},\n scaleLabel: {{\n display: true,\n labelString: \'{3}\'\n }}\n }}]\n }}\n }}\n}});\n</script>\n'
chart_data = "\n{{\n label: '{0}',\n fill:false,\n data: {1},\n borderColor:'{2}',\n borderWidth: 1\n }}\n"
multi_axes_chart_data = "\n{{\n label: '{0}',\n fill:false,\n data: {1},\n borderColor:'{2}',\n borderWidth: 1,\n yAxisID: {3}\n }}\n"
|
## Shorty
## Copyright 2009 Joshua Roesslein
## See LICENSE
## @url burnurl.com
class Burnurl(Service):
def _test(self):
# all we can test is shrink
turl = self.shrink('http://test.com')
if turl.startswith('http://burnurl.com'):
return True
else:
return False
def shrink(self, bigurl):
resp = request('http://burnurl.com/', {'url': bigurl, 'output': 'plain'})
return resp.read()
def expand(self, tinyurl):
# burnurl uses iframes for displaying original url
# so we cannot expand them using the 301 redirect :(
return None
|
class Burnurl(Service):
def _test(self):
turl = self.shrink('http://test.com')
if turl.startswith('http://burnurl.com'):
return True
else:
return False
def shrink(self, bigurl):
resp = request('http://burnurl.com/', {'url': bigurl, 'output': 'plain'})
return resp.read()
def expand(self, tinyurl):
return None
|
def pairs(digits):
for i in range(len(digits) - 1):
yield digits[i], digits[i+1]
yield digits[-1], digits[0]
def halfway(digits):
half = len(digits) // 2
for i in range(half):
yield digits[i], digits[half+i]
for i in range(half, len(digits)):
yield digits[i], digits[i-half]
def solve(iterator, digits):
return sum(int(x) for x, y in iterator(digits) if x == y)
def part_one(digits):
return solve(pairs, digits)
def part_two(digits):
return solve(halfway, digits)
if __name__ == '__main__':
assert part_one('1122') == 3
assert part_one('1111') == 4
assert part_one('1234') == 0
assert part_one('91212129') == 9
assert part_two('1212') == 6
assert part_two('1221') == 0
assert part_two('123425') == 4
assert part_two('123123') == 12
assert part_two('12131415') == 4
with open('inputs/day1.txt', 'r') as f:
digits = f.read().rstrip()
print('Answer for part one:', part_one(digits))
print('Answer for part two:', part_two(digits))
|
def pairs(digits):
for i in range(len(digits) - 1):
yield (digits[i], digits[i + 1])
yield (digits[-1], digits[0])
def halfway(digits):
half = len(digits) // 2
for i in range(half):
yield (digits[i], digits[half + i])
for i in range(half, len(digits)):
yield (digits[i], digits[i - half])
def solve(iterator, digits):
return sum((int(x) for (x, y) in iterator(digits) if x == y))
def part_one(digits):
return solve(pairs, digits)
def part_two(digits):
return solve(halfway, digits)
if __name__ == '__main__':
assert part_one('1122') == 3
assert part_one('1111') == 4
assert part_one('1234') == 0
assert part_one('91212129') == 9
assert part_two('1212') == 6
assert part_two('1221') == 0
assert part_two('123425') == 4
assert part_two('123123') == 12
assert part_two('12131415') == 4
with open('inputs/day1.txt', 'r') as f:
digits = f.read().rstrip()
print('Answer for part one:', part_one(digits))
print('Answer for part two:', part_two(digits))
|
"""Define objects for CTFlex"""
# def eligible(team):
# """Determine eligibility of team
#
# This function is used by CTFlex.
# """
# return (team.standing == team.GOOD_STANDING
# and team.country == team.US_COUNTRY
# and team.background == team.SCHOOL_BACKGROUND)
|
"""Define objects for CTFlex"""
|
error_map = {
"abecoando": "abencoando",
"abigos": "amigos",
"abilidade": "habilidade",
"abilidades": "habilidades",
"abisurdo": "absurdo",
"abitual": "habitual",
"abrcs": "abracos",
"abrou": "abriu",
"abss": "abracos",
"abussda": "abusada",
"abussdo": "abusado",
"accept": "aceito",
"account": "conta",
"acessor": "assessor",
"acessora": "assessora",
"acessoras": "assessoras",
"acessores": "assessores",
"acessoria": "assessoria",
"acesssada": "acessada",
"acesssadas": "acessadas",
"acesssado": "acessado",
"acesssados": "acessados",
"acoes": "accoes",
"acoreana": "acoriana",
"acoreanas": "acorianas",
"acoreano": "acoriano",
"acoreanos": "acorianos",
"acrdito": "acredito",
"acreana": "acriana",
"acreanas": "acrianas",
"acreano": "acriano",
"acreanos": "acrianos",
"actris": "atriz",
"actriz": "atriz",
"actualizado": "atualizado",
"add": "adicionar",
"adevogado": "advogado",
"adimiravel": "admiravel",
"adimite": "admite",
"adimitir": "admitir",
"adimitiram": "admitiram",
"adimitiu": "admitiu",
"adiquirir": "adquirir",
"adiquiriu": "adquiriu",
"adiversarios": "adversarios",
"admnistracao": "administracao",
"admnistrar": "administrar",
"aerosol": "aerossol",
"afternoon": "tarde",
"ageitar": "ajeitar",
"agilisada": "agilizada",
"agr": "agora",
"agrdeco": "agradeco",
"aguns": "alguns",
"aki": "aqui",
"albums": "albuns",
"albun": "album",
"alcolemia": "alcoolemia",
"alcolico": "alcoolico",
"alcolicos": "alcoolicos",
"alfuem": "alguem",
"algeriano": "argelino",
"algoritimo": "algoritmo",
"algoritimos": "algoritmos",
"alguen": "alguem",
"algun": "algum",
"algus": "alguns",
"already": "ja",
"altoridade": "autoridade",
"altoridades": "autoridades",
"amarguria": "amargura",
"americamo": "americano",
"aminesia": "amnesia",
"analiza": "analisa",
"analizado": "analisado",
"analizando": "analisando",
"analizar": "analisar",
"analizarem": "analisarem",
"analize": "analise",
"analizem": "analisem",
"anciedade": "ansiedade",
"anciosa": "ansiosa",
"anciosamente": "ansiosamente",
"anciosas": "ansiosas",
"ancioso": "ansioso",
"anciosos": "ansiosos",
"aniverario": "aniversario",
"anti-rugas": "antirrugas",
"anti-virus": "antivirus",
"apaixonafa": "apaixonada",
"apaxonada": "apaixonada",
"apezar": "apesar",
"apps": "aplicativos",
"aprotava": "aprontava",
"aq": "aqui",
"aqi": "aqui",
"arbrito": "arbitro",
"arcoiris": "arco-iris",
"argerino": "argelino",
"aritimetica": "aritmetica",
"armonia": "harmonia",
"arquipelogo": "arquipelago",
"ascencao": "ascensao",
"asia": "azia",
"asim": "assim",
"assasinado": "assassinado",
"assasinato": "assassinato",
"assasinatos": "assassinatos",
"assasino": "assassino",
"assasinos": "assassinos",
"assento": "acento",
"associcao": "associacao",
"aste": "haste",
"asteristico": "asterisco",
"aterisagem": "aterrissagem",
"aterissagem": "aterrissagem",
"aterrisagem": "aterrissagem",
"aterrizagem": "aterrissagem",
"athhletico": "atletico",
"athleticano": "atleticano",
"athleticanos": "atleticanos",
"athreticano": "atleticano",
"atingil": "atingiu",
"atravez": "atraves",
"atraz": "atras",
"atrazado": "atrasado",
"auto-biografia": "autobiografia",
"auto-biografias": "autobiografias",
"auto-biografica": "autobiografica",
"auto-biografico": "autobiografico",
"auto-estima": "autoestima",
"autoretrato": "autorretrato",
"aver": "haver",
"aviasao": "aviacao",
"avogrado": "avogadro",
"avulsso": "avulso",
"azaleia": "azalea",
"azas": "asas",
"bahiana": "baiana",
"bahiano": "baiano",
"bahianos": "baianos",
"baixu": "baixo",
"banca-rota": "bancarrota",
"banca-rrota": "bancarrota",
"bancarota": "bancarrota",
"bandeija": "bandeja",
"bastate": "bastante",
"batisado": "batizado",
"bavaria": "baviera",
"bct": "buceta",
"beige": "bege",
"beiges": "beges",
"beije": "bege",
"beijes": "beges",
"beiju": "beijo",
"beje": "bege",
"bejio": "beijo",
"beneficiente": "beneficente",
"benvindo": "bem-vindo",
"bevocar": "invocar",
"bi-campeao": "bicampeao",
"bicabornato": "bicarbonato",
"biograifa": "biografia",
"biograifas": "biografias",
"bj": "beijo",
"bjado": "beijado",
"bjo": "beijo",
"bjos": "beijos",
"bjs": "beijos",
"blz": "beleza",
"boeiro": "bueiro",
"bolsomionions": "bolsominions",
"bolsonoro": "bolsonaro",
"bombonn": "bombom",
"borburinho": "burburinho",
"br": "brasil",
"bra": "brasil",
"brazao": "brasao",
"brazil": "brasil",
"bricadeira": "brincadeira",
"brincadera": "brincadeira",
"brusa": "blusa",
"bugingana": "bugiganga",
"bulliyng": "bullying",
"burborinho": "burburinho",
"bussula": "bussola",
"c": "com",
"cabeleileiro": "cabeleireiro",
"cabelereiro": "cabeleireiro",
"cadaco": "cadarco",
"caiem": "caem",
"calquer": "qualquer",
"calsado": "calcado",
"calvice": "calvicie",
"campiao": "campeao",
"campioes": "campeoes",
"campionato": "campeonato",
"campionatos": "campeonatos",
"cangica": "canjica",
"cansao": "cancao",
"cansasso": "cansaco",
"caraliu": "caralho",
"catalizada": "catalisada",
"catalizador": "catalisador",
"catequisador": "catequizador",
"catequisar": "catequizar",
"catupily": "catupiry",
"cavalheiro": "cavaleiro",
"cazamento": "casamento",
"cazar": "casar",
"cazara": "casara",
"cazaram": "casaram",
"cazou": "casou",
"ce": "voce",
"celebral": "cerebral",
"celebro": "cerebro",
"centeoavante": "centroavante",
"chamda": "chamada",
"chamdo": "chamado",
"chicara": "xicara",
"chingar": "xingar",
"chopp": "chope",
"churras": "churrasco",
"ciclano": "sicrano",
"cidadaes": "cidadaos",
"cidadoes": "cidadaos",
"cincera": "sincera",
"circonferencia": "circunferencia",
"clr": "caralho",
"cm": "com",
"cmg": "comigo",
"cmo": "como",
"cms": "cm",
"cntg": "contigo",
"co-autor": "coautor",
"co-autora": "coautora",
"co-autoras": "coautoras",
"co-autores": "coautores",
"co-habitacao": "coabitacao",
"co-piloto": "copiloto",
"coalisao": "coalizao",
"cohabitacao": "coabitacao",
"colectivo": "coletivo",
"coletania": "coletanea",
"coletanias": "coletaneas",
"cominusta": "comunista",
"comisao": "comissao",
"comisoes": "comissoes",
"comnosco": "connosco",
"compania": "companhia",
"companias": "companhias",
"comporam": "compuseram",
"compreencao": "compreensao",
"compreencoes": "compreensoes",
"compreenssao": "compreensao",
"compreenssoes": "compreensoes",
"compremetido": "comprometido",
"comprimento": "cumprimento",
"comtinua": "continua",
"comunjsta": "comunista",
"comununistas": "comunistas",
"conciderada": "considerada",
"concideradas": "consideradas",
"conciderado": "considerado",
"conciderados": "considerados",
"conclue": "conclui",
"concretisar": "concretizar",
"condissao": "condicao",
"coneccao": "conexao",
"coneccoes": "conexoes",
"confudir": "confundir",
"conpanhia": "companhia",
"conseguilei": "conseguirei",
"conserto": "concerto",
"consite": "consiste",
"continar": "continuar",
"continou": "continuou",
"contratato": "contratado",
"contribue": "contribui",
"contrucao": "construcao",
"contruida": "construida",
"contruido": "construido",
"contruidos": "construidos",
"contruir": "construir",
"convercao": "conversao",
"converssao": "conversao",
"convidade": "convidado",
"copenhagen": "copenhague",
"corcario": "corsario",
"corinthiana": "corintiana",
"corinthiano": "corintiano",
"corinthianos": "corintianos",
"coritiba": "curitiba",
"corrijiam": "corrigiam",
"corrijir": "corrigir",
"corrijiram": "corrigiram",
"craneo": "cranio",
"craneos": "cranios",
"crc": "caralho",
"creacao": "criacao",
"crecer": "crescer",
"criaca": "crianca",
"criacas": "criancas",
"criancisse": "criancice",
"criptonita": "kriptonita",
"crlh": "caralho",
"crtz": "certeza",
"ctg": "contigo",
"ctz": "certeza",
"cu-rintia": "corinthians",
"cuellar": "celular",
"custuma": "costuma",
"custumava": "costumava",
"custumavam": "costumavam",
"custume": "costume",
"custumes": "costumes",
"cv": "conversar",
"d": "de",
"decer": "descer",
"deceram": "desceram",
"defeciente": "deficiente",
"defenicao": "definicao",
"defenicoes": "definicoes",
"defenido": "definido",
"defenir": "definir",
"definitamente": "definitivamente",
"degladiar": "digladiar",
"deichar": "deixar",
"deiche": "deixe",
"deisponiveis": "disponiveis",
"deisponivel": "disponivel",
"depedente": "dependente",
"depedentes": "dependentes",
"descanco": "descanso",
"descepicionante": "decepcionante",
"descorda": "discorda",
"descubre": "descobre",
"descubrimento": "descobrimento",
"descubrimentos": "descobrimentos",
"descubrir": "descobrir",
"descubriram": "descobriram",
"descubrire": "descobrire",
"deseceis": "dezesseis",
"desembro": "dezembro",
"desenvoldimento": "desenvolvimento",
"deseperada": "desesperada",
"desesseis": "dezesseis",
"desgaca": "desgraca",
"desisitir": "desistir",
"deslise": "deslize",
"despensaveis": "dispensaveis",
"despensavel": "dispensavel",
"despois": "depois",
"desprotejida": "desprotegida",
"desprotejidas": "desprotegidas",
"desprotejido": "desprotegido",
"desprotejidos": "desprotegidos",
"deticar": "dedicar",
"dibre": "drible",
"dicidi": "decidi",
"dificulidade": "dificuldade",
"difrentes": "diferentes",
"dignataria": "dignitaria",
"dignatarias": "dignitarias",
"dignatario": "dignitario",
"dignatarios": "dignitarios",
"dijita": "digita",
"dijitar": "digitar",
"dijitara": "digitara",
"dijitaram": "digitaram",
"dijitou": "digitou",
"diminue": "diminui",
"dinheifo": "dinheiro",
"dirgido": "dirigido",
"dirijir": "dirigir",
"discucoes": "discussoes",
"discursao": "discussao",
"discursso": "discurso",
"disgracada": "desgracada",
"disgracado": "desgracado",
"dispender": "despender",
"dispenderam": "despenderam",
"disvio": "desvio",
"diverssas": "diversas",
"diverssos": "diversos",
"dms": "demais",
"dps": "depois",
"dqui": "daqui",
"dsclp": "desculpa",
"dsenho": "desenho",
"duficil": "dificil",
"ecessao": "excecao",
"ecessoes": "excecoes",
"eciclopedia": "enciclopedia",
"ecommerce": "e-commerce",
"ect": "etc",
"egipsio": "egipcio",
"eh": "e",
"elaccao": "elacao",
"electricidade": "eletricidade",
"elice": "helice",
"email": "e-mail",
"emails": "e-mails",
"embassado": "embacado",
"eminente": "iminente",
"emogis": "emojis",
"enchergar": "enxergar",
"encomodar": "incomodar",
"enportantismo": "importantissimo",
"enquando": "enquanto",
"ent": "entao",
"entertido": "entretido",
"entitula": "intitula",
"entitulada": "intitulada",
"entitulado": "intitulado",
"entitulados": "intitulados",
"entitular": "intitular",
"entretando": "entretanto",
"entreteram": "entretiveram",
"entreterimento": "entretenimento",
"entreteu": "entreteve",
"enxer": "encher",
"epecial": "especial",
"eperanca": "esperanca",
"eplepsia": "epilepsia",
"eps": "ep",
"ernegia": "energia",
"eroi": "heroi",
"errupcao": "erupcao",
"escerda": "esquerda",
"escerdas": "esquerdas",
"escesso": "excesso",
"esitaram": "hesitaram",
"esitou": "hesitou",
"especialisada": "especializada",
"especialisadas": "especializadas",
"especialisado": "especializado",
"especialisados": "especializados",
"espectativa": "expectativa",
"espectativas": "expectativas",
"espetativa": "expectativa",
"espetativas": "expectativas",
"espulsou": "expulsou",
"esquedinhas": "esquerdinhas",
"esquesita": "esquisita",
"esquesitas": "esquisitas",
"esquesito": "esquisito",
"esquesitos": "esquisitos",
"estaavmos": "estavamos",
"estabelecimente": "estabelecimento",
"estabelecimentes": "estabelecimentos",
"estacaoos": "estacoes",
"estagran": "instagram",
"esteje": "esteja",
"estinto": "extinto",
"estintos": "extintos",
"estorquir": "extorquir",
"estorquiram": "extorquiram",
"estorquiu": "extorquiu",
"estreiada": "estreada",
"estreiado": "estreado",
"estreiar": "estrear",
"estreiaram": "estrearam",
"estreiou": "estreou",
"estufar": "estofar",
"esturquir": "extorquir",
"esturquiram": "extorquiram",
"esturquiu": "extorquiu",
"estutura": "estrutura",
"estva": "estava",
"ethanol": "etanol",
"etinias": "etnias",
"excavacao": "escavacao",
"excavacoes": "escavacoes",
"excavar": "escavar",
"exceco": "excesso",
"excessao": "excecao",
"excessoes": "excecoes",
"excusa": "escusa",
"excusado": "escusado",
"excusas": "escusas",
"exdruxula": "esdruxula",
"exdruxulas": "esdruxulas",
"exdruxulo": "esdruxulo",
"exdruxulos": "esdruxulos",
"exelente": "excelente",
"exelentes": "excelentes",
"exenplo": "exemplo",
"exepcao": "excepcao",
"exijencia": "exigencia",
"exijencias": "exigencias",
"exijir": "exigir",
"exita": "hesita",
"exitar": "hesitar",
"exitaram": "hesitaram",
"exite": "existe",
"exitem": "existem",
"exitou": "hesitou",
"expectador": "espectador",
"expontanea": "espontanea",
"expontaneas": "espontaneas",
"expontaneo": "espontaneo",
"expontaneos": "espontaneos",
"extende": "estende",
"extende-se": "estende-se",
"extendendo": "estendendo",
"extender": "estender",
"extenderam": "estenderam",
"extendeu": "estendeu",
"extendida": "estendida",
"extendidas": "estendidas",
"extendido": "estendido",
"faiz": "faz",
"familoa": "familia",
"fan": "fa",
"faser": "fazer",
"faxada": "fachada",
"fazendero": "fazendeiro",
"fb": "facebook",
"fcbk": "facebook",
"femeninismo": "femininismo",
"femeninismos": "femininismos",
"femenino": "feminino",
"femeninos": "femininos",
"ferverosos": "fervorosos",
"fimeninismo": "femininismo",
"fimeninismos": "femininismos",
"fimenino": "feminino",
"fimeninos": "femininos",
"fisics": "fisica",
"fizestes": "fizeste",
"flamnego": "flamengo",
"flango": "frango",
"flnd": "falando",
"flors": "flores",
"forao": "foram",
"forums": "foruns",
"frankstein": "frankenstein",
"freis": "frades",
"ft": "foto",
"fts": "fotos",
"fura": "furar",
"fzr": "fazer",
"garbagta": "garganta",
"gaz": "gas",
"geito": "jeito",
"geneceu": "gineceu",
"gent": "gente",
"genti": "gente",
"gentilesa": "gentileza",
"gentr": "gente",
"geometrica": "geometrico",
"geometricas": "geometricos",
"gezus": "jesus",
"ght": "gente",
"giboia": "jiboia",
"gipe": "jipe",
"gipes": "jipes",
"giroscopico": "giroscopio",
"gnt": "gente",
"gorgeta": "gorjeta",
"gorgetas": "gorjetas",
"goveno": "gorverno",
"grangear": "granjear",
"gt": "gente",
"guiza": "guisa",
"guizado": "guisado",
"guizar": "guisar",
"guizo": "guiso",
"hambiente": "ambiente",
"hambientes": "ambientes",
"hastag": "hashtag",
"hectar": "hectare",
"heterosexuais": "heterossexuais",
"heterosexual": "heterossexual",
"hexa-campeao": "hexacampeao",
"hilariedade": "hilaridade",
"histragam": "instagram",
"hj": "hoje",
"hje": "hoje",
"homosexuais": "homossexuais",
"homosexual": "homossexual",
"homosexualidade": "homossexualidade",
"houveram": "houve",
"hoxigenio": "oxigenio",
"hrs": "horas",
"idrolatrada": "idolatrada",
"igiene": "higiene",
"igienico": "higienico",
"iguasu": "iguacu",
"ilaccao": "ilacao",
"imenencia": "iminencia",
"imenente": "iminente",
"impecilho": "empecilho",
"imprecao": "impressao",
"imprenssa": "imprensa",
"impresa": "empresa",
"imuno-deficiencia": "imunodeficiencia",
"imuno-deficiencias": "imunodeficiencias",
"imvestimentos": "investimentos",
"inclue": "inclui",
"indefenicao": "indefinicao",
"indefenicoes": "indefinicoes",
"indefenir": "indefinir",
"indenpendencia": "independencia",
"indentidade": "identidade",
"indentidades": "identidades",
"indepedente": "independente",
"indepedentes": "independentes",
"indiguinacao": "indignacao",
"indiguinado": "indignado",
"indiguinar": "indignar",
"indioma": "idioma",
"indiomas": "idiomas",
"individada": "endividada",
"individadas": "endividadas",
"individado": "endividado",
"individados": "endividados",
"infelismente": "infelizmente",
"inflaccao": "inflacao",
"infra-vermelho": "infravermelho",
"infra-vermelhos": "infravermelhos",
"ingreja": "igreja",
"insentivar": "incentivar",
"insentivo": "incentivo",
"insituido": "instituido",
"insta": "instagram",
"intenacional": "internacional",
"intensao": "intencao",
"interpleta": "interpreta",
"intertido": "entretido",
"intervemos": "intervimos",
"intervi": "intervim",
"intervido": "intervindo",
"interviram": "intervieram",
"intervisse": "interviesse",
"interviste": "intervieste",
"interviu": "interveio",
"intigracao": "integracao",
"intrevista": "entrevista",
"intrumental": "instrumental",
"intrumento": "instrumento",
"invensivel": "invencivel",
"invenssivel": "invencivel",
"invez": "inves",
"inxado": "inchado",
"iorgute": "iogurte",
"iper": "hiper",
"ipopotamo": "hipopotamo",
"irisar": "irizar",
"irizar": "irisar",
"irriquieto": "irrequieto",
"irupcao": "irrupcao",
"ispirar": "inspirar",
"ispirou": "inspirou",
"issu": "isso",
"jeropiga": "geropiga",
"jesto": "gesto",
"joguim": "joguinho",
"joguin": "joguinho",
"jugando": "julgando",
"junts": "juntos",
"juridicao": "jurisdicao",
"juz": "jus",
"karalho": "caralho",
"kct": "cacete",
"kd": "cade",
"kilo": "quilograma",
"kilometro": "quilometro",
"koreanos": "coreanos",
"lage": "laje",
"largartixa": "lagartixa",
"largarto": "lagarto",
"lebre-se": "lembre-se",
"lem": "leem",
"lessoas": "pessoas",
"lgitima": "legitma",
"lgitimas": "legitmas",
"lgitimo": "legitmo",
"lgitimos": "legitmos",
"licensa": "licenca",
"lindin": "lindinho",
"lindu": "lindo",
"linduxos": "lindos",
"lisongea": "lisonjeia",
"lisongear": "lisonjear",
"lisongeara": "lisonjeara",
"lisongearam": "lisonjearam",
"lisongearou": "lisonjearou",
"lisonjea": "lisonjeia",
"logista": "lojista",
"logistas": "lojistas",
"lojica": "logica",
"lonje": "longe",
"losangulo": "losango",
"madastra": "madrasta",
"magestade": "majestade",
"magestades": "majestades",
"mangerico": "manjerico",
"mangericos": "manjericos",
"manipilacao": "manipulacao",
"manteram": "mantiveram",
"mantesse": "mantivesse",
"manteu": "manteve",
"mantia": "mantinha",
"manuntencao": "manutencao",
"massica": "macica",
"massicas": "macicas",
"massico": "macico",
"massicos": "macicos",
"meche": "mexe",
"mecher": "mexer",
"mecheram": "mexeram",
"mecheu": "mexeu",
"mellorar": "melhorar",
"memso": "mesmo",
"menas": "menos",
"mendingo": "mendigo",
"mesatenista": "mesa-tenista",
"metereologia": "meteorologia",
"miceis": "misseis",
"micil": "missil",
"microondas": "micro-ondas",
"miloes": "milhoes",
"mixtura": "mistura",
"mlk": "muleque",
"mls": "ml",
"mnh": "minha",
"mouth": "boca",
"msg": "mensagem",
"msgs": "mensagens",
"msm": "mesmo",
"msmo": "mesmo",
"mt": "muito",
"mta": "muita",
"mtas": "muitas",
"mto": "muito",
"mtoo": "muito",
"mts": "muitos",
"muinto": "muito",
"muintos": "muitos",
"mulcumano": "muculmano",
"multi-uso": "multiuso",
"munto": "muito",
"muntos": "muitos",
"n": "nao",
"naceu": "nasceu",
"nacida": "nascida",
"nacido": "nascido",
"nacimento": "nascimento",
"namlradinha": "namoradinha",
"naum": "nao",
"naun": "nao",
"nd": "nada",
"nececidade": "necessidade",
"nenum": "nenhum",
"neo-darwinismo": "neodarwinismo",
"neo-liberais": "neoliberais",
"neo-liberal": "neoliberal",
"neo-liberalismo": "neoliberalismo",
"neo-zelandes": "neozelandes",
"neo-zelandesa": "neozelandesa",
"neorose": "neurose",
"nescessaria": "necessaria",
"nescessarias": "necessarias",
"nescessario": "necessario",
"nessecidade": "necessidade",
"ngm": "ninguem",
"nn": "nao",
"nois": "nos",
"nonagessima": "nonagesima",
"nonagessimo": "nonagesimo",
"nosaa": "nossa",
"obdcer": "obedecer",
"obsecado": "obcecado",
"obsecao": "obsessao",
"obssessao": "obsessao",
"obteram": "obtiveram",
"obteu": "obteve",
"ocoreu": "ocorreu",
"ocupan": "ocupam",
"oficilamente": "oficialmente",
"oje": "hoje",
"omem": "homem",
"online": "on-line",
"opurtunidade": "oportunidade",
"oq": "oque",
"orta": "horta",
"outos": "outros",
"ouve": "houve",
"oxido-reducao": "oxirreducao",
"p": "para",
"padastro": "padrasto",
"palvara": "palavra",
"palvra": "palavra",
"palvras": "palavras",
"para-quedas": "paraquedas",
"paraizo": "paraiso",
"paraizos": "paraisos",
"paraliza": "paralisa",
"paralizacao": "paralisacao",
"paralizada": "paralisada",
"paralizado": "paralisado",
"paralizar": "paralisar",
"parcece": "parece",
"partipacao": "participacao",
"party": "festa",
"pasaar": "passar",
"pascais": "pascals",
"passr": "passar",
"pc": "computador",
"pd": "pode",
"pedigri": "pedigree",
"penta-campeao": "pentacampeao",
"percursora": "precursora",
"percursoras": "precursoras",
"percurssao": "percussao",
"perincipalmente": "principalmente",
"periudo": "periodo",
"periudos": "periodos",
"permenor": "pormenor",
"permenores": "pormenores",
"permicao": "permissao",
"perpectiva": "perspectiva",
"perpectivas": "perspectivas",
"persoangem": "personagem",
"personagen": "personagem",
"personalisacao": "personalizacao",
"personalisar": "personalizar",
"personalisou": "personalizou",
"pertecente": "pertencente",
"pertecentes": "pertencentes",
"pertuba": "perturba",
"pertubado": "perturbado",
"pertubando": "perturbando",
"pertubar": "perturbar",
"pesonagem": "personagem",
"pesquiza": "pesquisa",
"pessa": "peca",
"pessosas": "pessoas",
"pet": "animal",
"pgto": "pagamento",
"pincipalmente": "principalmente",
"piriquito": "periquito",
"pirula": "pilula",
"pixar": "pichar",
"poblema": "problema",
"pobrema": "problema",
"pocuo": "pouco",
"poderam": "puderam",
"podesse": "pudesse",
"podessem": "pudessem",
"poliomelite": "poliomielite",
"ponteagudas": "pontiagudas",
"populaca": "populacao",
"porcu": "porco",
"porko": "porco",
"porq": "porque",
"porqe": "porque",
"porqur": "porque",
"portugual": "portugal",
"portuguese": "portugues",
"posivel": "possivel",
"possue": "possui",
"pq": "porque",
"pra": "para",
"precao": "pressao",
"preciza": "precisa",
"precizam": "precisam",
"precurssora": "precursora",
"pregaminhos": "pergaminhos",
"preiciso": "preciso",
"presado": "prezado",
"prescisa": "precisa",
"presisa": "precisa",
"presonagem": "personagem",
"prespectiva": "perspectiva",
"prestacaoes": "prestacoes",
"pretencao": "pretensao",
"pretencioso": "pretensioso",
"pretenssao": "pretensao",
"previlegio": "privilegio",
"previlegios": "privilegios",
"previnir": "prevenir",
"pricipais": "principais",
"pricipal": "principal",
"primero": "primeiro",
"principalemente": "principalmente",
"principamente": "principalmente",
"principlamente": "principalmente",
"probidencias": "providencias",
"probrema": "problema",
"proceco": "processo",
"procecos": "processos",
"proceso": "processo",
"procesos": "processos",
"progama": "programa",
"progamador": "programador",
"progamas": "programas",
"prolapsasos": "prolapsados",
"propia": "propria",
"propias": "proprias",
"propiedade": "propriedade",
"propiedades": "propriedades",
"propio": "proprio",
"propios": "proprios",
"proprietario": "propietario",
"prosceco": "processo",
"proscecos": "processos",
"prosceso": "processo",
"proscesos": "processos",
"proseco": "processo",
"prosecos": "processos",
"prosseco": "processo",
"prossecos": "processos",
"prostacao": "prostracao",
"protejida": "protegida",
"protejidas": "protegidas",
"protejido": "protegido",
"protejidos": "protegidos",
"prq": "porque",
"prrdendo": "perdendo",
"pseudo-ciencia": "pseudociencia",
"puchar": "puxar",
"q": "que",
"qd": "quando",
"qe": "que",
"qem": "quem",
"qer": "quer",
"qeu": "que",
"qlq": "qualquer",
"qlqr": "qualquer",
"qlquer": "qualquer",
"qm": "quem",
"qnd": "quando",
"qndo": "quando",
"qria": "queria",
"qro": "quero",
"qtas": "quantas",
"quandos": "quando",
"queen": "rainha",
"queor": "quero",
"qui": "que",
"quizer": "quiser",
"quizeram": "quiseram",
"quizerem": "quiserem",
"quizeres": "quiseres",
"quizesse": "quisesse",
"quizessem": "quisessem",
"qur": "que",
"qurendo": "querendo",
"ratificar": "retificar",
"re-eleito": "reeleito",
"re-escrever": "reescrever",
"rectaguarda": "retaguarda",
"reestabelecer": "restabelecer",
"reestabeleceu": "restabeleceu",
"reestabelecida": "restabelecida",
"reestabelecidas": "restabelecidas",
"reestabelecido": "restabelecido",
"reestabelecimento": "restabelecimento",
"reibi": "raguebi",
"reinterar": "reiterar",
"reinvidicacao": "reivindicacao",
"reinvidicar": "reivindicar",
"reinvindicacao": "reivindicacao",
"reinvindicar": "reivindicar",
"relatanto": "relatando",
"relidade": "realidade",
"remanecentes": "remanescentes",
"repercucao": "repercussao",
"repercursao": "repercussao",
"repercurssao": "repercussao",
"requesito": "requisito",
"requesitos": "requisitos",
"requis": "requereu",
"responbilidade": "responsabilidade",
"resposda": "resposta",
"respostra": "resposta",
"respresentacao": "representacao",
"ressucita": "ressuscita",
"ressucitado": "ressuscitado",
"ressucitar": "ressuscitar",
"ressucitaram": "ressuscitaram",
"ressucitou": "ressuscitou",
"ressussitado": "ressuscitado",
"ressussitar": "ressuscitar",
"reteram": "retiveram",
"reteu": "reteve",
"retrogado": "retrogrado",
"ritimo": "ritmo",
"ritimos": "ritmos",
"ropa": "roupa",
"saiem": "saem",
"saudadii": "saudade",
"sdd": "saudade",
"sdds": "saudades",
"seguite": "seguinte",
"seguites": "seguintes",
"seissentos": "seiscentos",
"seje": "seja",
"sejem": "sejam",
"semi-analfabeto": "semianalfabeto",
"semi-circulo": "semicirculo",
"semi-circulos": "semicirculos",
"semi-finais": "semifinais",
"semi-final": "semifinal",
"semi-precioso": "semiprecioso",
"semi-preciosos": "semipreciosos",
"semi-presidencialismo": "semipresidencialismo",
"semi-presidencialismos": "semipresidencialismos",
"semi-presidencialista": "semipresidencialista",
"semi-presidencialistas": "semipresidencialistas",
"setessentos": "setecentos",
"shorou": "chorou",
"siclano": "sicrano",
"sientistas": "cientistas",
"siginifica": "significa",
"siginificado": "significado",
"siguinifica": "significa",
"simplemente": "simplesmente",
"sinhora": "senhora",
"sintaze": "sintaxe",
"smp": "sempre",
"smpr": "sempre",
"socio-culturais": "socioculturais",
"socio-cultural": "sociocultural",
"sombrancelha": "sobrancelha",
"sonhu": "sonho",
"stava": "estava",
"stoires": "stories",
"subcidio": "subsidio",
"subjulgar": "subjugar",
"successo": "sucesso",
"successos": "sucessos",
"suceso": "sucesso",
"sucesos": "sucessos",
"superfulo": "superfluo",
"surgio": "surgiu",
"surtano": "surtando",
"suseco": "sucesso",
"susecos": "sucessos",
"suspeitu": "suspeito",
"suspencao": "suspensao",
"suspence": "suspense",
"susseco": "sucesso",
"sussecos": "sucessos",
"sussesso": "sucesso",
"sussessos": "sucessos",
"sz": "amor",
"tabem": "tambem",
"tatuage": "tatuagem",
"tava": "estava",
"tavam": "estavam",
"tavez": "talvez",
"tb": "tambem",
"tbm": "tambem",
"tda": "toda",
"tds": "todos",
"teen": "jovem",
"tembem": "tambem",
"temorada": "temporada",
"temporo-mandibular": "temporomandibular",
"tetra-hidrofurano": "tetraidrofurano",
"tijela": "tigela",
"tils": "tiles",
"tisti": "triste",
"tmb": "tambem",
"tndo": "tendo",
"trabaio": "trabalho",
"trafico": "trafego",
"tragetoria": "trajetoria",
"tranformacao": "transformacao",
"tranformacoes": "transformacoes",
"tranformado": "transformado",
"tranformar": "transformar",
"tranformou": "transformou",
"tranqilo": "tranquilo",
"traser": "trazer",
"trasnporta": "transporta",
"trasnporte": "transporte",
"trasnportes": "transportes",
"tratamdo": "tratando",
"tratrahidrofurano": "tetraidrofurano",
"traz": "tras",
"treslagoense": "tres-lagoense",
"trez": "tres",
"tri-campeao": "tricampeao",
"tristi": "triste",
"tristr": "triste",
"tt": "twitter",
"twees": "tweets",
"tweet": "tuite",
"tweetadas": "tuitadas",
"tweetado": "tuitado",
"tweetano": "tuitando",
"tweetar": "tuitar",
"tweetem": "tuitem",
"twetar": "tuitar",
"twettar": "tuitar",
"twita": "tuita",
"twitando": "tuitando",
"twitar": "tuitar",
"twitasso": "tuitaco",
"twiter": "twitter",
"twiters": "tuites",
"twites": "tuites",
"twits": "tuites",
"twitt": "tuite",
"twittasso": "tuitaco",
"twitte": "tuite",
"twittei": "tuitei",
"twteer": "twitter",
"ultilizada": "utilizada",
"ultilizado": "utilizado",
"ultilizar": "utilizar",
"ultra-b": "ultrab",
"ultra-c": "ultrac",
"ultra-d": "ultrad",
"ultra-f": "ultraf",
"ultra-l": "ultral",
"ultra-m": "ultram",
"ultra-n": "ultran",
"ultra-p": "ultrap",
"ultra-v": "ultrav",
"ultra-violeta": "ultravioleta",
"univercidade": "universidade",
"univercidades": "universidades",
"uqe": "que",
"uzada": "usada",
"uzadas": "usadas",
"uzado": "usado",
"uzados": "usados",
"uzar": "usar",
"uzo": "uso",
"uzou": "usou",
"vasao": "vazao",
"vc": "voce",
"vcs": "voces",
"vd": "verdade",
"vdd": "verdade",
"vercao": "versao",
"vercoes": "versoes",
"vermhinho": "vermelhinho",
"veses": "vezes",
"vezis": "vezes",
"viajem": "viagem",
"viajens": "viagens",
"video-clipe": "videoclipe",
"video-clipes": "videoclipes",
"videoclip": "videoclipe",
"videozin": "videozinho",
"viros": "virus",
"vitimina": "vitamina",
"vizualiza": "visualiza",
"vizualizacao": "visualizacao",
"vizualizacoes": "visualizacoes",
"vizualizar": "visualizar",
"vms": "vamos",
"vomitamdo": "vomitando",
"vortei": "voltei",
"vose": "voce",
"votadezinha": "vontadezinha",
"vz": "vez",
"vzs": "vezes",
"whatsap": "whatsapp",
"wikimapa": "wikimapia",
"wpp": "whatsapp",
"wuem": "quem",
"wuero": "quero",
"xafariz": "chafariz",
"xilique": "chilique",
"xingand": "xingando",
"xogador": "jogador",
"xogadores": "jogadores",
"xogar": "jogar",
"xonada": "apaixonada",
"xonadinha": "apaixonadinha",
"xonadinho": "apaixonadinho",
"xonado": "apaixonado",
"yoga": "ioga",
"yogurt": "iogurte",
"youube": "youtube",
"zamigas": "amigas",
"zoera": "zueira",
"zuano": "zoando",
"zuera": "zueira"
}
|
error_map = {'abecoando': 'abencoando', 'abigos': 'amigos', 'abilidade': 'habilidade', 'abilidades': 'habilidades', 'abisurdo': 'absurdo', 'abitual': 'habitual', 'abrcs': 'abracos', 'abrou': 'abriu', 'abss': 'abracos', 'abussda': 'abusada', 'abussdo': 'abusado', 'accept': 'aceito', 'account': 'conta', 'acessor': 'assessor', 'acessora': 'assessora', 'acessoras': 'assessoras', 'acessores': 'assessores', 'acessoria': 'assessoria', 'acesssada': 'acessada', 'acesssadas': 'acessadas', 'acesssado': 'acessado', 'acesssados': 'acessados', 'acoes': 'accoes', 'acoreana': 'acoriana', 'acoreanas': 'acorianas', 'acoreano': 'acoriano', 'acoreanos': 'acorianos', 'acrdito': 'acredito', 'acreana': 'acriana', 'acreanas': 'acrianas', 'acreano': 'acriano', 'acreanos': 'acrianos', 'actris': 'atriz', 'actriz': 'atriz', 'actualizado': 'atualizado', 'add': 'adicionar', 'adevogado': 'advogado', 'adimiravel': 'admiravel', 'adimite': 'admite', 'adimitir': 'admitir', 'adimitiram': 'admitiram', 'adimitiu': 'admitiu', 'adiquirir': 'adquirir', 'adiquiriu': 'adquiriu', 'adiversarios': 'adversarios', 'admnistracao': 'administracao', 'admnistrar': 'administrar', 'aerosol': 'aerossol', 'afternoon': 'tarde', 'ageitar': 'ajeitar', 'agilisada': 'agilizada', 'agr': 'agora', 'agrdeco': 'agradeco', 'aguns': 'alguns', 'aki': 'aqui', 'albums': 'albuns', 'albun': 'album', 'alcolemia': 'alcoolemia', 'alcolico': 'alcoolico', 'alcolicos': 'alcoolicos', 'alfuem': 'alguem', 'algeriano': 'argelino', 'algoritimo': 'algoritmo', 'algoritimos': 'algoritmos', 'alguen': 'alguem', 'algun': 'algum', 'algus': 'alguns', 'already': 'ja', 'altoridade': 'autoridade', 'altoridades': 'autoridades', 'amarguria': 'amargura', 'americamo': 'americano', 'aminesia': 'amnesia', 'analiza': 'analisa', 'analizado': 'analisado', 'analizando': 'analisando', 'analizar': 'analisar', 'analizarem': 'analisarem', 'analize': 'analise', 'analizem': 'analisem', 'anciedade': 'ansiedade', 'anciosa': 'ansiosa', 'anciosamente': 'ansiosamente', 'anciosas': 'ansiosas', 'ancioso': 'ansioso', 'anciosos': 'ansiosos', 'aniverario': 'aniversario', 'anti-rugas': 'antirrugas', 'anti-virus': 'antivirus', 'apaixonafa': 'apaixonada', 'apaxonada': 'apaixonada', 'apezar': 'apesar', 'apps': 'aplicativos', 'aprotava': 'aprontava', 'aq': 'aqui', 'aqi': 'aqui', 'arbrito': 'arbitro', 'arcoiris': 'arco-iris', 'argerino': 'argelino', 'aritimetica': 'aritmetica', 'armonia': 'harmonia', 'arquipelogo': 'arquipelago', 'ascencao': 'ascensao', 'asia': 'azia', 'asim': 'assim', 'assasinado': 'assassinado', 'assasinato': 'assassinato', 'assasinatos': 'assassinatos', 'assasino': 'assassino', 'assasinos': 'assassinos', 'assento': 'acento', 'associcao': 'associacao', 'aste': 'haste', 'asteristico': 'asterisco', 'aterisagem': 'aterrissagem', 'aterissagem': 'aterrissagem', 'aterrisagem': 'aterrissagem', 'aterrizagem': 'aterrissagem', 'athhletico': 'atletico', 'athleticano': 'atleticano', 'athleticanos': 'atleticanos', 'athreticano': 'atleticano', 'atingil': 'atingiu', 'atravez': 'atraves', 'atraz': 'atras', 'atrazado': 'atrasado', 'auto-biografia': 'autobiografia', 'auto-biografias': 'autobiografias', 'auto-biografica': 'autobiografica', 'auto-biografico': 'autobiografico', 'auto-estima': 'autoestima', 'autoretrato': 'autorretrato', 'aver': 'haver', 'aviasao': 'aviacao', 'avogrado': 'avogadro', 'avulsso': 'avulso', 'azaleia': 'azalea', 'azas': 'asas', 'bahiana': 'baiana', 'bahiano': 'baiano', 'bahianos': 'baianos', 'baixu': 'baixo', 'banca-rota': 'bancarrota', 'banca-rrota': 'bancarrota', 'bancarota': 'bancarrota', 'bandeija': 'bandeja', 'bastate': 'bastante', 'batisado': 'batizado', 'bavaria': 'baviera', 'bct': 'buceta', 'beige': 'bege', 'beiges': 'beges', 'beije': 'bege', 'beijes': 'beges', 'beiju': 'beijo', 'beje': 'bege', 'bejio': 'beijo', 'beneficiente': 'beneficente', 'benvindo': 'bem-vindo', 'bevocar': 'invocar', 'bi-campeao': 'bicampeao', 'bicabornato': 'bicarbonato', 'biograifa': 'biografia', 'biograifas': 'biografias', 'bj': 'beijo', 'bjado': 'beijado', 'bjo': 'beijo', 'bjos': 'beijos', 'bjs': 'beijos', 'blz': 'beleza', 'boeiro': 'bueiro', 'bolsomionions': 'bolsominions', 'bolsonoro': 'bolsonaro', 'bombonn': 'bombom', 'borburinho': 'burburinho', 'br': 'brasil', 'bra': 'brasil', 'brazao': 'brasao', 'brazil': 'brasil', 'bricadeira': 'brincadeira', 'brincadera': 'brincadeira', 'brusa': 'blusa', 'bugingana': 'bugiganga', 'bulliyng': 'bullying', 'burborinho': 'burburinho', 'bussula': 'bussola', 'c': 'com', 'cabeleileiro': 'cabeleireiro', 'cabelereiro': 'cabeleireiro', 'cadaco': 'cadarco', 'caiem': 'caem', 'calquer': 'qualquer', 'calsado': 'calcado', 'calvice': 'calvicie', 'campiao': 'campeao', 'campioes': 'campeoes', 'campionato': 'campeonato', 'campionatos': 'campeonatos', 'cangica': 'canjica', 'cansao': 'cancao', 'cansasso': 'cansaco', 'caraliu': 'caralho', 'catalizada': 'catalisada', 'catalizador': 'catalisador', 'catequisador': 'catequizador', 'catequisar': 'catequizar', 'catupily': 'catupiry', 'cavalheiro': 'cavaleiro', 'cazamento': 'casamento', 'cazar': 'casar', 'cazara': 'casara', 'cazaram': 'casaram', 'cazou': 'casou', 'ce': 'voce', 'celebral': 'cerebral', 'celebro': 'cerebro', 'centeoavante': 'centroavante', 'chamda': 'chamada', 'chamdo': 'chamado', 'chicara': 'xicara', 'chingar': 'xingar', 'chopp': 'chope', 'churras': 'churrasco', 'ciclano': 'sicrano', 'cidadaes': 'cidadaos', 'cidadoes': 'cidadaos', 'cincera': 'sincera', 'circonferencia': 'circunferencia', 'clr': 'caralho', 'cm': 'com', 'cmg': 'comigo', 'cmo': 'como', 'cms': 'cm', 'cntg': 'contigo', 'co-autor': 'coautor', 'co-autora': 'coautora', 'co-autoras': 'coautoras', 'co-autores': 'coautores', 'co-habitacao': 'coabitacao', 'co-piloto': 'copiloto', 'coalisao': 'coalizao', 'cohabitacao': 'coabitacao', 'colectivo': 'coletivo', 'coletania': 'coletanea', 'coletanias': 'coletaneas', 'cominusta': 'comunista', 'comisao': 'comissao', 'comisoes': 'comissoes', 'comnosco': 'connosco', 'compania': 'companhia', 'companias': 'companhias', 'comporam': 'compuseram', 'compreencao': 'compreensao', 'compreencoes': 'compreensoes', 'compreenssao': 'compreensao', 'compreenssoes': 'compreensoes', 'compremetido': 'comprometido', 'comprimento': 'cumprimento', 'comtinua': 'continua', 'comunjsta': 'comunista', 'comununistas': 'comunistas', 'conciderada': 'considerada', 'concideradas': 'consideradas', 'conciderado': 'considerado', 'conciderados': 'considerados', 'conclue': 'conclui', 'concretisar': 'concretizar', 'condissao': 'condicao', 'coneccao': 'conexao', 'coneccoes': 'conexoes', 'confudir': 'confundir', 'conpanhia': 'companhia', 'conseguilei': 'conseguirei', 'conserto': 'concerto', 'consite': 'consiste', 'continar': 'continuar', 'continou': 'continuou', 'contratato': 'contratado', 'contribue': 'contribui', 'contrucao': 'construcao', 'contruida': 'construida', 'contruido': 'construido', 'contruidos': 'construidos', 'contruir': 'construir', 'convercao': 'conversao', 'converssao': 'conversao', 'convidade': 'convidado', 'copenhagen': 'copenhague', 'corcario': 'corsario', 'corinthiana': 'corintiana', 'corinthiano': 'corintiano', 'corinthianos': 'corintianos', 'coritiba': 'curitiba', 'corrijiam': 'corrigiam', 'corrijir': 'corrigir', 'corrijiram': 'corrigiram', 'craneo': 'cranio', 'craneos': 'cranios', 'crc': 'caralho', 'creacao': 'criacao', 'crecer': 'crescer', 'criaca': 'crianca', 'criacas': 'criancas', 'criancisse': 'criancice', 'criptonita': 'kriptonita', 'crlh': 'caralho', 'crtz': 'certeza', 'ctg': 'contigo', 'ctz': 'certeza', 'cu-rintia': 'corinthians', 'cuellar': 'celular', 'custuma': 'costuma', 'custumava': 'costumava', 'custumavam': 'costumavam', 'custume': 'costume', 'custumes': 'costumes', 'cv': 'conversar', 'd': 'de', 'decer': 'descer', 'deceram': 'desceram', 'defeciente': 'deficiente', 'defenicao': 'definicao', 'defenicoes': 'definicoes', 'defenido': 'definido', 'defenir': 'definir', 'definitamente': 'definitivamente', 'degladiar': 'digladiar', 'deichar': 'deixar', 'deiche': 'deixe', 'deisponiveis': 'disponiveis', 'deisponivel': 'disponivel', 'depedente': 'dependente', 'depedentes': 'dependentes', 'descanco': 'descanso', 'descepicionante': 'decepcionante', 'descorda': 'discorda', 'descubre': 'descobre', 'descubrimento': 'descobrimento', 'descubrimentos': 'descobrimentos', 'descubrir': 'descobrir', 'descubriram': 'descobriram', 'descubrire': 'descobrire', 'deseceis': 'dezesseis', 'desembro': 'dezembro', 'desenvoldimento': 'desenvolvimento', 'deseperada': 'desesperada', 'desesseis': 'dezesseis', 'desgaca': 'desgraca', 'desisitir': 'desistir', 'deslise': 'deslize', 'despensaveis': 'dispensaveis', 'despensavel': 'dispensavel', 'despois': 'depois', 'desprotejida': 'desprotegida', 'desprotejidas': 'desprotegidas', 'desprotejido': 'desprotegido', 'desprotejidos': 'desprotegidos', 'deticar': 'dedicar', 'dibre': 'drible', 'dicidi': 'decidi', 'dificulidade': 'dificuldade', 'difrentes': 'diferentes', 'dignataria': 'dignitaria', 'dignatarias': 'dignitarias', 'dignatario': 'dignitario', 'dignatarios': 'dignitarios', 'dijita': 'digita', 'dijitar': 'digitar', 'dijitara': 'digitara', 'dijitaram': 'digitaram', 'dijitou': 'digitou', 'diminue': 'diminui', 'dinheifo': 'dinheiro', 'dirgido': 'dirigido', 'dirijir': 'dirigir', 'discucoes': 'discussoes', 'discursao': 'discussao', 'discursso': 'discurso', 'disgracada': 'desgracada', 'disgracado': 'desgracado', 'dispender': 'despender', 'dispenderam': 'despenderam', 'disvio': 'desvio', 'diverssas': 'diversas', 'diverssos': 'diversos', 'dms': 'demais', 'dps': 'depois', 'dqui': 'daqui', 'dsclp': 'desculpa', 'dsenho': 'desenho', 'duficil': 'dificil', 'ecessao': 'excecao', 'ecessoes': 'excecoes', 'eciclopedia': 'enciclopedia', 'ecommerce': 'e-commerce', 'ect': 'etc', 'egipsio': 'egipcio', 'eh': 'e', 'elaccao': 'elacao', 'electricidade': 'eletricidade', 'elice': 'helice', 'email': 'e-mail', 'emails': 'e-mails', 'embassado': 'embacado', 'eminente': 'iminente', 'emogis': 'emojis', 'enchergar': 'enxergar', 'encomodar': 'incomodar', 'enportantismo': 'importantissimo', 'enquando': 'enquanto', 'ent': 'entao', 'entertido': 'entretido', 'entitula': 'intitula', 'entitulada': 'intitulada', 'entitulado': 'intitulado', 'entitulados': 'intitulados', 'entitular': 'intitular', 'entretando': 'entretanto', 'entreteram': 'entretiveram', 'entreterimento': 'entretenimento', 'entreteu': 'entreteve', 'enxer': 'encher', 'epecial': 'especial', 'eperanca': 'esperanca', 'eplepsia': 'epilepsia', 'eps': 'ep', 'ernegia': 'energia', 'eroi': 'heroi', 'errupcao': 'erupcao', 'escerda': 'esquerda', 'escerdas': 'esquerdas', 'escesso': 'excesso', 'esitaram': 'hesitaram', 'esitou': 'hesitou', 'especialisada': 'especializada', 'especialisadas': 'especializadas', 'especialisado': 'especializado', 'especialisados': 'especializados', 'espectativa': 'expectativa', 'espectativas': 'expectativas', 'espetativa': 'expectativa', 'espetativas': 'expectativas', 'espulsou': 'expulsou', 'esquedinhas': 'esquerdinhas', 'esquesita': 'esquisita', 'esquesitas': 'esquisitas', 'esquesito': 'esquisito', 'esquesitos': 'esquisitos', 'estaavmos': 'estavamos', 'estabelecimente': 'estabelecimento', 'estabelecimentes': 'estabelecimentos', 'estacaoos': 'estacoes', 'estagran': 'instagram', 'esteje': 'esteja', 'estinto': 'extinto', 'estintos': 'extintos', 'estorquir': 'extorquir', 'estorquiram': 'extorquiram', 'estorquiu': 'extorquiu', 'estreiada': 'estreada', 'estreiado': 'estreado', 'estreiar': 'estrear', 'estreiaram': 'estrearam', 'estreiou': 'estreou', 'estufar': 'estofar', 'esturquir': 'extorquir', 'esturquiram': 'extorquiram', 'esturquiu': 'extorquiu', 'estutura': 'estrutura', 'estva': 'estava', 'ethanol': 'etanol', 'etinias': 'etnias', 'excavacao': 'escavacao', 'excavacoes': 'escavacoes', 'excavar': 'escavar', 'exceco': 'excesso', 'excessao': 'excecao', 'excessoes': 'excecoes', 'excusa': 'escusa', 'excusado': 'escusado', 'excusas': 'escusas', 'exdruxula': 'esdruxula', 'exdruxulas': 'esdruxulas', 'exdruxulo': 'esdruxulo', 'exdruxulos': 'esdruxulos', 'exelente': 'excelente', 'exelentes': 'excelentes', 'exenplo': 'exemplo', 'exepcao': 'excepcao', 'exijencia': 'exigencia', 'exijencias': 'exigencias', 'exijir': 'exigir', 'exita': 'hesita', 'exitar': 'hesitar', 'exitaram': 'hesitaram', 'exite': 'existe', 'exitem': 'existem', 'exitou': 'hesitou', 'expectador': 'espectador', 'expontanea': 'espontanea', 'expontaneas': 'espontaneas', 'expontaneo': 'espontaneo', 'expontaneos': 'espontaneos', 'extende': 'estende', 'extende-se': 'estende-se', 'extendendo': 'estendendo', 'extender': 'estender', 'extenderam': 'estenderam', 'extendeu': 'estendeu', 'extendida': 'estendida', 'extendidas': 'estendidas', 'extendido': 'estendido', 'faiz': 'faz', 'familoa': 'familia', 'fan': 'fa', 'faser': 'fazer', 'faxada': 'fachada', 'fazendero': 'fazendeiro', 'fb': 'facebook', 'fcbk': 'facebook', 'femeninismo': 'femininismo', 'femeninismos': 'femininismos', 'femenino': 'feminino', 'femeninos': 'femininos', 'ferverosos': 'fervorosos', 'fimeninismo': 'femininismo', 'fimeninismos': 'femininismos', 'fimenino': 'feminino', 'fimeninos': 'femininos', 'fisics': 'fisica', 'fizestes': 'fizeste', 'flamnego': 'flamengo', 'flango': 'frango', 'flnd': 'falando', 'flors': 'flores', 'forao': 'foram', 'forums': 'foruns', 'frankstein': 'frankenstein', 'freis': 'frades', 'ft': 'foto', 'fts': 'fotos', 'fura': 'furar', 'fzr': 'fazer', 'garbagta': 'garganta', 'gaz': 'gas', 'geito': 'jeito', 'geneceu': 'gineceu', 'gent': 'gente', 'genti': 'gente', 'gentilesa': 'gentileza', 'gentr': 'gente', 'geometrica': 'geometrico', 'geometricas': 'geometricos', 'gezus': 'jesus', 'ght': 'gente', 'giboia': 'jiboia', 'gipe': 'jipe', 'gipes': 'jipes', 'giroscopico': 'giroscopio', 'gnt': 'gente', 'gorgeta': 'gorjeta', 'gorgetas': 'gorjetas', 'goveno': 'gorverno', 'grangear': 'granjear', 'gt': 'gente', 'guiza': 'guisa', 'guizado': 'guisado', 'guizar': 'guisar', 'guizo': 'guiso', 'hambiente': 'ambiente', 'hambientes': 'ambientes', 'hastag': 'hashtag', 'hectar': 'hectare', 'heterosexuais': 'heterossexuais', 'heterosexual': 'heterossexual', 'hexa-campeao': 'hexacampeao', 'hilariedade': 'hilaridade', 'histragam': 'instagram', 'hj': 'hoje', 'hje': 'hoje', 'homosexuais': 'homossexuais', 'homosexual': 'homossexual', 'homosexualidade': 'homossexualidade', 'houveram': 'houve', 'hoxigenio': 'oxigenio', 'hrs': 'horas', 'idrolatrada': 'idolatrada', 'igiene': 'higiene', 'igienico': 'higienico', 'iguasu': 'iguacu', 'ilaccao': 'ilacao', 'imenencia': 'iminencia', 'imenente': 'iminente', 'impecilho': 'empecilho', 'imprecao': 'impressao', 'imprenssa': 'imprensa', 'impresa': 'empresa', 'imuno-deficiencia': 'imunodeficiencia', 'imuno-deficiencias': 'imunodeficiencias', 'imvestimentos': 'investimentos', 'inclue': 'inclui', 'indefenicao': 'indefinicao', 'indefenicoes': 'indefinicoes', 'indefenir': 'indefinir', 'indenpendencia': 'independencia', 'indentidade': 'identidade', 'indentidades': 'identidades', 'indepedente': 'independente', 'indepedentes': 'independentes', 'indiguinacao': 'indignacao', 'indiguinado': 'indignado', 'indiguinar': 'indignar', 'indioma': 'idioma', 'indiomas': 'idiomas', 'individada': 'endividada', 'individadas': 'endividadas', 'individado': 'endividado', 'individados': 'endividados', 'infelismente': 'infelizmente', 'inflaccao': 'inflacao', 'infra-vermelho': 'infravermelho', 'infra-vermelhos': 'infravermelhos', 'ingreja': 'igreja', 'insentivar': 'incentivar', 'insentivo': 'incentivo', 'insituido': 'instituido', 'insta': 'instagram', 'intenacional': 'internacional', 'intensao': 'intencao', 'interpleta': 'interpreta', 'intertido': 'entretido', 'intervemos': 'intervimos', 'intervi': 'intervim', 'intervido': 'intervindo', 'interviram': 'intervieram', 'intervisse': 'interviesse', 'interviste': 'intervieste', 'interviu': 'interveio', 'intigracao': 'integracao', 'intrevista': 'entrevista', 'intrumental': 'instrumental', 'intrumento': 'instrumento', 'invensivel': 'invencivel', 'invenssivel': 'invencivel', 'invez': 'inves', 'inxado': 'inchado', 'iorgute': 'iogurte', 'iper': 'hiper', 'ipopotamo': 'hipopotamo', 'irisar': 'irizar', 'irizar': 'irisar', 'irriquieto': 'irrequieto', 'irupcao': 'irrupcao', 'ispirar': 'inspirar', 'ispirou': 'inspirou', 'issu': 'isso', 'jeropiga': 'geropiga', 'jesto': 'gesto', 'joguim': 'joguinho', 'joguin': 'joguinho', 'jugando': 'julgando', 'junts': 'juntos', 'juridicao': 'jurisdicao', 'juz': 'jus', 'karalho': 'caralho', 'kct': 'cacete', 'kd': 'cade', 'kilo': 'quilograma', 'kilometro': 'quilometro', 'koreanos': 'coreanos', 'lage': 'laje', 'largartixa': 'lagartixa', 'largarto': 'lagarto', 'lebre-se': 'lembre-se', 'lem': 'leem', 'lessoas': 'pessoas', 'lgitima': 'legitma', 'lgitimas': 'legitmas', 'lgitimo': 'legitmo', 'lgitimos': 'legitmos', 'licensa': 'licenca', 'lindin': 'lindinho', 'lindu': 'lindo', 'linduxos': 'lindos', 'lisongea': 'lisonjeia', 'lisongear': 'lisonjear', 'lisongeara': 'lisonjeara', 'lisongearam': 'lisonjearam', 'lisongearou': 'lisonjearou', 'lisonjea': 'lisonjeia', 'logista': 'lojista', 'logistas': 'lojistas', 'lojica': 'logica', 'lonje': 'longe', 'losangulo': 'losango', 'madastra': 'madrasta', 'magestade': 'majestade', 'magestades': 'majestades', 'mangerico': 'manjerico', 'mangericos': 'manjericos', 'manipilacao': 'manipulacao', 'manteram': 'mantiveram', 'mantesse': 'mantivesse', 'manteu': 'manteve', 'mantia': 'mantinha', 'manuntencao': 'manutencao', 'massica': 'macica', 'massicas': 'macicas', 'massico': 'macico', 'massicos': 'macicos', 'meche': 'mexe', 'mecher': 'mexer', 'mecheram': 'mexeram', 'mecheu': 'mexeu', 'mellorar': 'melhorar', 'memso': 'mesmo', 'menas': 'menos', 'mendingo': 'mendigo', 'mesatenista': 'mesa-tenista', 'metereologia': 'meteorologia', 'miceis': 'misseis', 'micil': 'missil', 'microondas': 'micro-ondas', 'miloes': 'milhoes', 'mixtura': 'mistura', 'mlk': 'muleque', 'mls': 'ml', 'mnh': 'minha', 'mouth': 'boca', 'msg': 'mensagem', 'msgs': 'mensagens', 'msm': 'mesmo', 'msmo': 'mesmo', 'mt': 'muito', 'mta': 'muita', 'mtas': 'muitas', 'mto': 'muito', 'mtoo': 'muito', 'mts': 'muitos', 'muinto': 'muito', 'muintos': 'muitos', 'mulcumano': 'muculmano', 'multi-uso': 'multiuso', 'munto': 'muito', 'muntos': 'muitos', 'n': 'nao', 'naceu': 'nasceu', 'nacida': 'nascida', 'nacido': 'nascido', 'nacimento': 'nascimento', 'namlradinha': 'namoradinha', 'naum': 'nao', 'naun': 'nao', 'nd': 'nada', 'nececidade': 'necessidade', 'nenum': 'nenhum', 'neo-darwinismo': 'neodarwinismo', 'neo-liberais': 'neoliberais', 'neo-liberal': 'neoliberal', 'neo-liberalismo': 'neoliberalismo', 'neo-zelandes': 'neozelandes', 'neo-zelandesa': 'neozelandesa', 'neorose': 'neurose', 'nescessaria': 'necessaria', 'nescessarias': 'necessarias', 'nescessario': 'necessario', 'nessecidade': 'necessidade', 'ngm': 'ninguem', 'nn': 'nao', 'nois': 'nos', 'nonagessima': 'nonagesima', 'nonagessimo': 'nonagesimo', 'nosaa': 'nossa', 'obdcer': 'obedecer', 'obsecado': 'obcecado', 'obsecao': 'obsessao', 'obssessao': 'obsessao', 'obteram': 'obtiveram', 'obteu': 'obteve', 'ocoreu': 'ocorreu', 'ocupan': 'ocupam', 'oficilamente': 'oficialmente', 'oje': 'hoje', 'omem': 'homem', 'online': 'on-line', 'opurtunidade': 'oportunidade', 'oq': 'oque', 'orta': 'horta', 'outos': 'outros', 'ouve': 'houve', 'oxido-reducao': 'oxirreducao', 'p': 'para', 'padastro': 'padrasto', 'palvara': 'palavra', 'palvra': 'palavra', 'palvras': 'palavras', 'para-quedas': 'paraquedas', 'paraizo': 'paraiso', 'paraizos': 'paraisos', 'paraliza': 'paralisa', 'paralizacao': 'paralisacao', 'paralizada': 'paralisada', 'paralizado': 'paralisado', 'paralizar': 'paralisar', 'parcece': 'parece', 'partipacao': 'participacao', 'party': 'festa', 'pasaar': 'passar', 'pascais': 'pascals', 'passr': 'passar', 'pc': 'computador', 'pd': 'pode', 'pedigri': 'pedigree', 'penta-campeao': 'pentacampeao', 'percursora': 'precursora', 'percursoras': 'precursoras', 'percurssao': 'percussao', 'perincipalmente': 'principalmente', 'periudo': 'periodo', 'periudos': 'periodos', 'permenor': 'pormenor', 'permenores': 'pormenores', 'permicao': 'permissao', 'perpectiva': 'perspectiva', 'perpectivas': 'perspectivas', 'persoangem': 'personagem', 'personagen': 'personagem', 'personalisacao': 'personalizacao', 'personalisar': 'personalizar', 'personalisou': 'personalizou', 'pertecente': 'pertencente', 'pertecentes': 'pertencentes', 'pertuba': 'perturba', 'pertubado': 'perturbado', 'pertubando': 'perturbando', 'pertubar': 'perturbar', 'pesonagem': 'personagem', 'pesquiza': 'pesquisa', 'pessa': 'peca', 'pessosas': 'pessoas', 'pet': 'animal', 'pgto': 'pagamento', 'pincipalmente': 'principalmente', 'piriquito': 'periquito', 'pirula': 'pilula', 'pixar': 'pichar', 'poblema': 'problema', 'pobrema': 'problema', 'pocuo': 'pouco', 'poderam': 'puderam', 'podesse': 'pudesse', 'podessem': 'pudessem', 'poliomelite': 'poliomielite', 'ponteagudas': 'pontiagudas', 'populaca': 'populacao', 'porcu': 'porco', 'porko': 'porco', 'porq': 'porque', 'porqe': 'porque', 'porqur': 'porque', 'portugual': 'portugal', 'portuguese': 'portugues', 'posivel': 'possivel', 'possue': 'possui', 'pq': 'porque', 'pra': 'para', 'precao': 'pressao', 'preciza': 'precisa', 'precizam': 'precisam', 'precurssora': 'precursora', 'pregaminhos': 'pergaminhos', 'preiciso': 'preciso', 'presado': 'prezado', 'prescisa': 'precisa', 'presisa': 'precisa', 'presonagem': 'personagem', 'prespectiva': 'perspectiva', 'prestacaoes': 'prestacoes', 'pretencao': 'pretensao', 'pretencioso': 'pretensioso', 'pretenssao': 'pretensao', 'previlegio': 'privilegio', 'previlegios': 'privilegios', 'previnir': 'prevenir', 'pricipais': 'principais', 'pricipal': 'principal', 'primero': 'primeiro', 'principalemente': 'principalmente', 'principamente': 'principalmente', 'principlamente': 'principalmente', 'probidencias': 'providencias', 'probrema': 'problema', 'proceco': 'processo', 'procecos': 'processos', 'proceso': 'processo', 'procesos': 'processos', 'progama': 'programa', 'progamador': 'programador', 'progamas': 'programas', 'prolapsasos': 'prolapsados', 'propia': 'propria', 'propias': 'proprias', 'propiedade': 'propriedade', 'propiedades': 'propriedades', 'propio': 'proprio', 'propios': 'proprios', 'proprietario': 'propietario', 'prosceco': 'processo', 'proscecos': 'processos', 'prosceso': 'processo', 'proscesos': 'processos', 'proseco': 'processo', 'prosecos': 'processos', 'prosseco': 'processo', 'prossecos': 'processos', 'prostacao': 'prostracao', 'protejida': 'protegida', 'protejidas': 'protegidas', 'protejido': 'protegido', 'protejidos': 'protegidos', 'prq': 'porque', 'prrdendo': 'perdendo', 'pseudo-ciencia': 'pseudociencia', 'puchar': 'puxar', 'q': 'que', 'qd': 'quando', 'qe': 'que', 'qem': 'quem', 'qer': 'quer', 'qeu': 'que', 'qlq': 'qualquer', 'qlqr': 'qualquer', 'qlquer': 'qualquer', 'qm': 'quem', 'qnd': 'quando', 'qndo': 'quando', 'qria': 'queria', 'qro': 'quero', 'qtas': 'quantas', 'quandos': 'quando', 'queen': 'rainha', 'queor': 'quero', 'qui': 'que', 'quizer': 'quiser', 'quizeram': 'quiseram', 'quizerem': 'quiserem', 'quizeres': 'quiseres', 'quizesse': 'quisesse', 'quizessem': 'quisessem', 'qur': 'que', 'qurendo': 'querendo', 'ratificar': 'retificar', 're-eleito': 'reeleito', 're-escrever': 'reescrever', 'rectaguarda': 'retaguarda', 'reestabelecer': 'restabelecer', 'reestabeleceu': 'restabeleceu', 'reestabelecida': 'restabelecida', 'reestabelecidas': 'restabelecidas', 'reestabelecido': 'restabelecido', 'reestabelecimento': 'restabelecimento', 'reibi': 'raguebi', 'reinterar': 'reiterar', 'reinvidicacao': 'reivindicacao', 'reinvidicar': 'reivindicar', 'reinvindicacao': 'reivindicacao', 'reinvindicar': 'reivindicar', 'relatanto': 'relatando', 'relidade': 'realidade', 'remanecentes': 'remanescentes', 'repercucao': 'repercussao', 'repercursao': 'repercussao', 'repercurssao': 'repercussao', 'requesito': 'requisito', 'requesitos': 'requisitos', 'requis': 'requereu', 'responbilidade': 'responsabilidade', 'resposda': 'resposta', 'respostra': 'resposta', 'respresentacao': 'representacao', 'ressucita': 'ressuscita', 'ressucitado': 'ressuscitado', 'ressucitar': 'ressuscitar', 'ressucitaram': 'ressuscitaram', 'ressucitou': 'ressuscitou', 'ressussitado': 'ressuscitado', 'ressussitar': 'ressuscitar', 'reteram': 'retiveram', 'reteu': 'reteve', 'retrogado': 'retrogrado', 'ritimo': 'ritmo', 'ritimos': 'ritmos', 'ropa': 'roupa', 'saiem': 'saem', 'saudadii': 'saudade', 'sdd': 'saudade', 'sdds': 'saudades', 'seguite': 'seguinte', 'seguites': 'seguintes', 'seissentos': 'seiscentos', 'seje': 'seja', 'sejem': 'sejam', 'semi-analfabeto': 'semianalfabeto', 'semi-circulo': 'semicirculo', 'semi-circulos': 'semicirculos', 'semi-finais': 'semifinais', 'semi-final': 'semifinal', 'semi-precioso': 'semiprecioso', 'semi-preciosos': 'semipreciosos', 'semi-presidencialismo': 'semipresidencialismo', 'semi-presidencialismos': 'semipresidencialismos', 'semi-presidencialista': 'semipresidencialista', 'semi-presidencialistas': 'semipresidencialistas', 'setessentos': 'setecentos', 'shorou': 'chorou', 'siclano': 'sicrano', 'sientistas': 'cientistas', 'siginifica': 'significa', 'siginificado': 'significado', 'siguinifica': 'significa', 'simplemente': 'simplesmente', 'sinhora': 'senhora', 'sintaze': 'sintaxe', 'smp': 'sempre', 'smpr': 'sempre', 'socio-culturais': 'socioculturais', 'socio-cultural': 'sociocultural', 'sombrancelha': 'sobrancelha', 'sonhu': 'sonho', 'stava': 'estava', 'stoires': 'stories', 'subcidio': 'subsidio', 'subjulgar': 'subjugar', 'successo': 'sucesso', 'successos': 'sucessos', 'suceso': 'sucesso', 'sucesos': 'sucessos', 'superfulo': 'superfluo', 'surgio': 'surgiu', 'surtano': 'surtando', 'suseco': 'sucesso', 'susecos': 'sucessos', 'suspeitu': 'suspeito', 'suspencao': 'suspensao', 'suspence': 'suspense', 'susseco': 'sucesso', 'sussecos': 'sucessos', 'sussesso': 'sucesso', 'sussessos': 'sucessos', 'sz': 'amor', 'tabem': 'tambem', 'tatuage': 'tatuagem', 'tava': 'estava', 'tavam': 'estavam', 'tavez': 'talvez', 'tb': 'tambem', 'tbm': 'tambem', 'tda': 'toda', 'tds': 'todos', 'teen': 'jovem', 'tembem': 'tambem', 'temorada': 'temporada', 'temporo-mandibular': 'temporomandibular', 'tetra-hidrofurano': 'tetraidrofurano', 'tijela': 'tigela', 'tils': 'tiles', 'tisti': 'triste', 'tmb': 'tambem', 'tndo': 'tendo', 'trabaio': 'trabalho', 'trafico': 'trafego', 'tragetoria': 'trajetoria', 'tranformacao': 'transformacao', 'tranformacoes': 'transformacoes', 'tranformado': 'transformado', 'tranformar': 'transformar', 'tranformou': 'transformou', 'tranqilo': 'tranquilo', 'traser': 'trazer', 'trasnporta': 'transporta', 'trasnporte': 'transporte', 'trasnportes': 'transportes', 'tratamdo': 'tratando', 'tratrahidrofurano': 'tetraidrofurano', 'traz': 'tras', 'treslagoense': 'tres-lagoense', 'trez': 'tres', 'tri-campeao': 'tricampeao', 'tristi': 'triste', 'tristr': 'triste', 'tt': 'twitter', 'twees': 'tweets', 'tweet': 'tuite', 'tweetadas': 'tuitadas', 'tweetado': 'tuitado', 'tweetano': 'tuitando', 'tweetar': 'tuitar', 'tweetem': 'tuitem', 'twetar': 'tuitar', 'twettar': 'tuitar', 'twita': 'tuita', 'twitando': 'tuitando', 'twitar': 'tuitar', 'twitasso': 'tuitaco', 'twiter': 'twitter', 'twiters': 'tuites', 'twites': 'tuites', 'twits': 'tuites', 'twitt': 'tuite', 'twittasso': 'tuitaco', 'twitte': 'tuite', 'twittei': 'tuitei', 'twteer': 'twitter', 'ultilizada': 'utilizada', 'ultilizado': 'utilizado', 'ultilizar': 'utilizar', 'ultra-b': 'ultrab', 'ultra-c': 'ultrac', 'ultra-d': 'ultrad', 'ultra-f': 'ultraf', 'ultra-l': 'ultral', 'ultra-m': 'ultram', 'ultra-n': 'ultran', 'ultra-p': 'ultrap', 'ultra-v': 'ultrav', 'ultra-violeta': 'ultravioleta', 'univercidade': 'universidade', 'univercidades': 'universidades', 'uqe': 'que', 'uzada': 'usada', 'uzadas': 'usadas', 'uzado': 'usado', 'uzados': 'usados', 'uzar': 'usar', 'uzo': 'uso', 'uzou': 'usou', 'vasao': 'vazao', 'vc': 'voce', 'vcs': 'voces', 'vd': 'verdade', 'vdd': 'verdade', 'vercao': 'versao', 'vercoes': 'versoes', 'vermhinho': 'vermelhinho', 'veses': 'vezes', 'vezis': 'vezes', 'viajem': 'viagem', 'viajens': 'viagens', 'video-clipe': 'videoclipe', 'video-clipes': 'videoclipes', 'videoclip': 'videoclipe', 'videozin': 'videozinho', 'viros': 'virus', 'vitimina': 'vitamina', 'vizualiza': 'visualiza', 'vizualizacao': 'visualizacao', 'vizualizacoes': 'visualizacoes', 'vizualizar': 'visualizar', 'vms': 'vamos', 'vomitamdo': 'vomitando', 'vortei': 'voltei', 'vose': 'voce', 'votadezinha': 'vontadezinha', 'vz': 'vez', 'vzs': 'vezes', 'whatsap': 'whatsapp', 'wikimapa': 'wikimapia', 'wpp': 'whatsapp', 'wuem': 'quem', 'wuero': 'quero', 'xafariz': 'chafariz', 'xilique': 'chilique', 'xingand': 'xingando', 'xogador': 'jogador', 'xogadores': 'jogadores', 'xogar': 'jogar', 'xonada': 'apaixonada', 'xonadinha': 'apaixonadinha', 'xonadinho': 'apaixonadinho', 'xonado': 'apaixonado', 'yoga': 'ioga', 'yogurt': 'iogurte', 'youube': 'youtube', 'zamigas': 'amigas', 'zoera': 'zueira', 'zuano': 'zoando', 'zuera': 'zueira'}
|
def test_barcamp_add_without_login(client):
"""test adding a barcamp"""
resp = client.post('/b/add', data=dict(
name = "Barcamp 1",
description = "this is barcamp 1",
slug = "barcamp1",
size = "10",
start_date = "17.8.2012",
end_date = "17.9.2012",
location = "Aachen",
))
assert resp.headers['Location'] == "http://example.org/users/login"
assert resp.status_code == 302
def test_barcamp_add(logged_in_client):
"""test adding a barcamp"""
resp = logged_in_client.post('/b/add', data=dict(
name = "Barcamp 1",
description = "this is barcamp 1",
slug = "barcamp1",
size = "10",
start_date = "17.8.2012",
end_date = "17.9.2012",
location = "Aachen",
))
lh = logged_in_client.application.last_handler
assert lh.get_flashes() == [u'Barcamp 1 has been created']
def test_barcamp_initialadmin(logged_in_client):
"""test adding a barcamp"""
resp = logged_in_client.post('/b/add', data=dict(
name = "Barcamp 1",
description = "this is barcamp 1",
slug = "barcamp1",
size = "10",
start_date = "17.8.2012",
end_date = "17.9.2012",
location = "Aachen",
))
app = logged_in_client.application
u = app.module_map.userbase.get_user_by_email("foo.bar@example.org")
b = app.config.dbs.barcamps.by_slug("barcamp1")
assert b.admins[0] == str(u._id)
|
def test_barcamp_add_without_login(client):
"""test adding a barcamp"""
resp = client.post('/b/add', data=dict(name='Barcamp 1', description='this is barcamp 1', slug='barcamp1', size='10', start_date='17.8.2012', end_date='17.9.2012', location='Aachen'))
assert resp.headers['Location'] == 'http://example.org/users/login'
assert resp.status_code == 302
def test_barcamp_add(logged_in_client):
"""test adding a barcamp"""
resp = logged_in_client.post('/b/add', data=dict(name='Barcamp 1', description='this is barcamp 1', slug='barcamp1', size='10', start_date='17.8.2012', end_date='17.9.2012', location='Aachen'))
lh = logged_in_client.application.last_handler
assert lh.get_flashes() == [u'Barcamp 1 has been created']
def test_barcamp_initialadmin(logged_in_client):
"""test adding a barcamp"""
resp = logged_in_client.post('/b/add', data=dict(name='Barcamp 1', description='this is barcamp 1', slug='barcamp1', size='10', start_date='17.8.2012', end_date='17.9.2012', location='Aachen'))
app = logged_in_client.application
u = app.module_map.userbase.get_user_by_email('foo.bar@example.org')
b = app.config.dbs.barcamps.by_slug('barcamp1')
assert b.admins[0] == str(u._id)
|
"""
Entradas
Salario bruto-->float-->salario
Salidas
Salario nuevo-->float-->sueldo
"""
#Entrada
salario=float(input("Digite el salario bruto: "))
#Caja negra
sueldo=0
if(salario<900000):
sueldo=salario*0.15+salario#float
else:
sueldo=salario*0.12+salario#float
#Salida
print("Su nuevo salario es de:",sueldo)
|
"""
Entradas
Salario bruto-->float-->salario
Salidas
Salario nuevo-->float-->sueldo
"""
salario = float(input('Digite el salario bruto: '))
sueldo = 0
if salario < 900000:
sueldo = salario * 0.15 + salario
else:
sueldo = salario * 0.12 + salario
print('Su nuevo salario es de:', sueldo)
|
'''
There is an undirected star graph consisting of n nodes
labeled from 1 to n. A star graph is a graph where there
is one center node and exactly n - 1 edges that connect
the center node with every other node.
You are given a 2D integer array edges where each
edges[i] = [ui, vi] indicates that there is an edge
between the nodes ui and vi. Return the center of the
given star graph.
Example:
Input: edges = [[1,2],[2,3],[4,2]]
Output: 2
Explanation: As shown in the figure above, node 2 is
connected to every other node, so 2 is the
center.
Example:
Input: edges = [[1,2],[5,1],[1,3],[1,4]]
Output: 1
Constraints:
- 3 <= n <= 10^5
- edges.length == n - 1
- edges[i].length == 2
- 1 <= ui, vi <= n
- ui != vi
- The given edges represent a valid star graph.
'''
#Difficulty: Medium
#60 / 60 test cases passed.
#Runtime: 836 ms
#Memory Usage: 50.7 MB
#Runtime: 836 ms, faster than 56.70% of Python3 online submissions for Find Center of Star Graph.
#Memory Usage: 50.7 MB, less than 16.71% of Python3 online submissions for Find Center of Star Graph.
class Solution:
def findCenter(self, edges: List[List[int]]) -> int:
count = {}
for edge in edges:
for val in edge:
if val not in count:
count[val] = 0
count[val] += 1
return max(count, key=count.get)
|
"""
There is an undirected star graph consisting of n nodes
labeled from 1 to n. A star graph is a graph where there
is one center node and exactly n - 1 edges that connect
the center node with every other node.
You are given a 2D integer array edges where each
edges[i] = [ui, vi] indicates that there is an edge
between the nodes ui and vi. Return the center of the
given star graph.
Example:
Input: edges = [[1,2],[2,3],[4,2]]
Output: 2
Explanation: As shown in the figure above, node 2 is
connected to every other node, so 2 is the
center.
Example:
Input: edges = [[1,2],[5,1],[1,3],[1,4]]
Output: 1
Constraints:
- 3 <= n <= 10^5
- edges.length == n - 1
- edges[i].length == 2
- 1 <= ui, vi <= n
- ui != vi
- The given edges represent a valid star graph.
"""
class Solution:
def find_center(self, edges: List[List[int]]) -> int:
count = {}
for edge in edges:
for val in edge:
if val not in count:
count[val] = 0
count[val] += 1
return max(count, key=count.get)
|
def Agente_corredor_ex_9():
def __init__(self):
self.cur = 1
def invoca(self):
pos = 0
if pos == 0:
if(self.cur == 0):
return "fica parado"
if(self.cur > pos and self.cur > 1):
self.cur = self.cur - 1
return "andar-"
if(self.cur < pos and self.cur < 8):
self.cur = self.cur + 1
return "andar+"
return ""
asd = Agente_corredor_ex_9()
|
def agente_corredor_ex_9():
def __init__(self):
self.cur = 1
def invoca(self):
pos = 0
if pos == 0:
if self.cur == 0:
return 'fica parado'
if self.cur > pos and self.cur > 1:
self.cur = self.cur - 1
return 'andar-'
if self.cur < pos and self.cur < 8:
self.cur = self.cur + 1
return 'andar+'
return ''
asd = agente_corredor_ex_9()
|
[
{
"created_at": "Mon Feb 12 03:41:30 +0000 2018",
"id": 962894403256901632,
"text": "RT @JonAcuff: Dear Olympics commentators, at the beginning of each figure skating couple please let us know if the couple loves each other\u2026",
"user.screen_name": "h0llaJess"
},
{
"created_at": "Mon Feb 12 03:41:30 +0000 2018",
"id": 962894403210809349,
"text": "RT @charliekirk11: South Korea only exists thanks to US troops sacrifice in the 1950\u2019s \n\n36,000 Americans died so South Korea could be free\u2026",
"user.screen_name": "DCiszczon"
},
{
"created_at": "Mon Feb 12 03:41:30 +0000 2018",
"id": 962894402849927168,
"text": "RT @JordanSchachtel: When u watch N Korean \"cheerleaders\" doing Olympics routine\n\nWhat you see is slavery in action \n\nThey r forced to prac\u2026",
"user.screen_name": "goldwaterkid65"
},
{
"created_at": "Mon Feb 12 03:41:29 +0000 2018",
"id": 962894402648670213,
"text": "I used to wonder what being an Olympian would be like, but I just heard that Julia Marino's favorite snack is dried\u2026 https://t.co/xPfu8WvBdo",
"user.screen_name": "KaraGiacobazzi"
},
{
"created_at": "Mon Feb 12 03:41:29 +0000 2018",
"id": 962894402606661632,
"text": "RT @bobby: normally i don't care about the events that are included in the olympics, but now? when the olympics are happening? well let's j\u2026",
"user.screen_name": "HarshilShah1910"
},
{
"created_at": "Mon Feb 12 03:41:29 +0000 2018",
"id": 962894402573209600,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "DesotellRacing"
},
{
"created_at": "Mon Feb 12 03:41:29 +0000 2018",
"id": 962894401205780480,
"text": "RT @kalynkahler: \"That was shiny, sparkling redemption.\" - @JohnnyGWeir \nMirai was eating In and Out with @Adaripp and watching the last Ol\u2026",
"user.screen_name": "JKBartleby"
},
{
"created_at": "Mon Feb 12 03:41:29 +0000 2018",
"id": 962894401105100800,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "dar_vidder"
},
{
"created_at": "Mon Feb 12 03:41:29 +0000 2018",
"id": 962894401079934976,
"text": "RT @94_degrees: Russian Figure Skater, Evgeniia Medvedeva who\u2019s an EXO-L set a new world record in the Pyeongchang Olympics & mentioned EXO\u2026",
"user.screen_name": "kyungmallows"
},
{
"created_at": "Mon Feb 12 03:41:29 +0000 2018",
"id": 962894400547360768,
"text": "RT @peachyblackgorl: as the winter Olympics begin....never forget about Surya Bonaly, a French figure skater who did a backflip and landed\u2026",
"user.screen_name": "braggs02"
},
{
"created_at": "Mon Feb 12 03:41:29 +0000 2018",
"id": 962894400274780160,
"text": "RT @BuzzFeedNews: Mirai Nagasu just became the first American woman in history to land a triple axel at the Winter Olympics(!) https://t.co\u2026",
"user.screen_name": "kyahas"
},
{
"created_at": "Mon Feb 12 03:41:29 +0000 2018",
"id": 962894400073359360,
"text": "RT @Devin_Heroux: This was Mark McMorris 11 months ago. \n\nHe\u2019s a bronze medallist at the #Olympics today. \n\nRemarkable. https://t.co/UnhBs9\u2026",
"user.screen_name": "ashleyhines_"
},
{
"created_at": "Mon Feb 12 03:41:29 +0000 2018",
"id": 962894399394013185,
"text": "RT @maybealexislost: RT if adam rippon just made you cry FAV if you\u2019re buying a bedazzler on ebay rn #olympics https://t.co/LzRkQEmzLj",
"user.screen_name": "Sethersk82"
},
{
"created_at": "Mon Feb 12 03:41:29 +0000 2018",
"id": 962894399322632193,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "parker_jody"
},
{
"created_at": "Mon Feb 12 03:41:29 +0000 2018",
"id": 962894399125491721,
"text": "the winter olympics are ass in comparison to the summer olympics",
"user.screen_name": "DaniMartorella"
},
{
"created_at": "Mon Feb 12 03:41:29 +0000 2018",
"id": 962894399100342272,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "taryngraceee"
},
{
"created_at": "Mon Feb 12 03:41:29 +0000 2018",
"id": 962894398877925376,
"text": "RT @EWTimStack: ANDREA #Olympics https://t.co/xbqm8FDt7u",
"user.screen_name": "jman151"
},
{
"created_at": "Mon Feb 12 03:41:29 +0000 2018",
"id": 962894398806781952,
"text": "RT @markfollman: My god, how does @NBC's Olympics coverage manage to suck so badly. Nothing shown live or when you want to see it, the endl\u2026",
"user.screen_name": "rimarthag"
},
{
"created_at": "Mon Feb 12 03:41:29 +0000 2018",
"id": 962894398773235712,
"text": "RT @TheRickyDavila: It says something when our amazing athletes can so easily represent the United States with class, grace, honor, dignity\u2026",
"user.screen_name": "Piatfernandez"
},
{
"created_at": "Mon Feb 12 03:41:28 +0000 2018",
"id": 962894398592815104,
"text": "RT @LynnRutherford: Mixed zone: \"I landed triple axel at the Olympics. That's historical and no one can take it away from me.\" #Pyeongchang\u2026",
"user.screen_name": "quadlutzes"
},
{
"created_at": "Mon Feb 12 03:41:28 +0000 2018",
"id": 962894398580195328,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "LanaDelRae__"
},
{
"created_at": "Mon Feb 12 03:41:28 +0000 2018",
"id": 962894398357950465,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "fvnnyboo"
},
{
"created_at": "Mon Feb 12 03:41:28 +0000 2018",
"id": 962894398093713408,
"text": "RT @ThatBoysGood: The Winter Olympics are like hockey and soccer if hockey and soccer fans didn\u2019t try to convince you they\u2019re fun. Ok wait,\u2026",
"user.screen_name": "CoachBourbonUSA"
},
{
"created_at": "Mon Feb 12 03:41:28 +0000 2018",
"id": 962894398055907328,
"text": "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on\u2026",
"user.screen_name": "erikarunning"
},
{
"created_at": "Mon Feb 12 03:41:28 +0000 2018",
"id": 962894397758234625,
"text": "RT @billboard: Olympic figure skater Adam Rippon on how Martin Garrix, Coldplay & Queen helped him go for the gold https://t.co/omcLm2iLlr\u2026",
"user.screen_name": "LadyGagaKids"
},
{
"created_at": "Mon Feb 12 03:41:28 +0000 2018",
"id": 962894397468823552,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "wizardjada"
},
{
"created_at": "Mon Feb 12 03:41:28 +0000 2018",
"id": 962894397024059392,
"text": "RT @hnltraveler: NBC's Olympics Asian Analyst Joshua Cooper Ramo says having the next three Olympics in Korea, Japan and China is an \"oppor\u2026",
"user.screen_name": "shutale_3981"
},
{
"created_at": "Mon Feb 12 03:41:28 +0000 2018",
"id": 962894396999065601,
"text": "Planet Earth needs Bob Costas' pink eye back to make these olympics even palatable.",
"user.screen_name": "mentallyunsable"
},
{
"created_at": "Mon Feb 12 03:41:28 +0000 2018",
"id": 962894396608958465,
"text": "RT @MMFlint: I just loved the whole F-Trump opening to the Olympics last night. From all Koreans coming in together under one blue flag of\u2026",
"user.screen_name": "rhonutau3"
},
{
"created_at": "Mon Feb 12 03:41:28 +0000 2018",
"id": 962894395803611136,
"text": "Burned my tongue sipping hot chocolate while doing my taxes and trying to keep my dog interested in a game of tug-o\u2026 https://t.co/Om8tXLJKFn",
"user.screen_name": "carIisIe"
},
{
"created_at": "Mon Feb 12 03:41:28 +0000 2018",
"id": 962894395786846209,
"text": "RT @dumbbeezie: I could do that. \n\n-Me watching people eating at the Olympics",
"user.screen_name": "heyjude305"
},
{
"created_at": "Mon Feb 12 03:41:28 +0000 2018",
"id": 962894395765903365,
"text": "RT @HRC: Anti-LGBTQ Mike Pence can't hide his hatred behind misleading tweets. As @HRC's @cmclymer said, \"He\u2019s a soft-spoken bigot. He does\u2026",
"user.screen_name": "exoknowles"
},
{
"created_at": "Mon Feb 12 03:41:28 +0000 2018",
"id": 962894395396702208,
"text": "RT @MichaelWosnick: Spirit of Canada. Last year he almost died in a snowboarding accident. Now he's won bronze at the Olympics @cnnsport h\u2026",
"user.screen_name": "DrPeterLang"
},
{
"created_at": "Mon Feb 12 03:41:28 +0000 2018",
"id": 962894394817789955,
"text": "IOC President Bach should take responsibility for this political exploitation of the Olympics. https://t.co/HD9tIpjzcn",
"user.screen_name": "cooler_cucumber"
},
{
"created_at": "Mon Feb 12 03:41:28 +0000 2018",
"id": 962894394511650816,
"text": "RT @HarlanCoben: Me: I\u2019ve never watched luge. I know nothing about it. \n\nMe 20 minutes later: Turns 9 through 12 are really the key to vict\u2026",
"user.screen_name": "lavishhog"
},
{
"created_at": "Mon Feb 12 03:41:27 +0000 2018",
"id": 962894392884449280,
"text": "#Olympics #FigureSkating Cappellini was so excited with that beautiful performance she almost knocked Lanotte over\u2026 https://t.co/mONXRaMVZ7",
"user.screen_name": "JKMemeQueen"
},
{
"created_at": "Mon Feb 12 03:41:27 +0000 2018",
"id": 962894392699772928,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "ashbetkouchar"
},
{
"created_at": "Mon Feb 12 03:41:27 +0000 2018",
"id": 962894392616013825,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "Jesskreegs"
},
{
"created_at": "Mon Feb 12 03:41:27 +0000 2018",
"id": 962894392427134976,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "_A2GH_"
},
{
"created_at": "Mon Feb 12 03:41:27 +0000 2018",
"id": 962894392276107264,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "ElwerLauren"
},
{
"created_at": "Mon Feb 12 03:41:27 +0000 2018",
"id": 962894392007839744,
"text": "RT @judah_robinson: Here's the story of the last time #SouthKorea hosted the #Olympics -- and more importantly the chaos that surrounded th\u2026",
"user.screen_name": "umesh5152"
},
{
"created_at": "Mon Feb 12 03:41:27 +0000 2018",
"id": 962894391995256832,
"text": "RT @501stLegion: Members of the @AlpineGarrison in the winter Olympics spirit! #501st https://t.co/HlgygwY6L6",
"user.screen_name": "derekester"
},
{
"created_at": "Mon Feb 12 03:41:27 +0000 2018",
"id": 962894391928152064,
"text": "RT @NBCOlympics: A performance for the record books by Mirai Nagasu, complete with a celebration we'll remember for a long time. #BestOfUS\u2026",
"user.screen_name": "jessaloliveira"
},
{
"created_at": "Mon Feb 12 03:41:27 +0000 2018",
"id": 962894391701467138,
"text": "RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G",
"user.screen_name": "alexiswins12"
},
{
"created_at": "Mon Feb 12 03:41:27 +0000 2018",
"id": 962894391529570304,
"text": "Watching team free dance #winter Olympics This Italian Team skating to the theme from the movie Life is Beautiful.\u2026 https://t.co/RWoQOUPclt",
"user.screen_name": "fawn_Graham"
},
{
"created_at": "Mon Feb 12 03:41:27 +0000 2018",
"id": 962894390921519104,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "SimmonsREteam"
},
{
"created_at": "Mon Feb 12 03:41:27 +0000 2018",
"id": 962894390523031552,
"text": "For this #Luge demonstration, @NBCOlympics used their patented \nBall-Cam\u2122 technology. \ud83d\udd35\ud83d\udd35\n#Olympics #PyeongChang2018\u2026 https://t.co/yzSfF2b2FA",
"user.screen_name": "NormanCharles88"
},
{
"created_at": "Mon Feb 12 03:41:26 +0000 2018",
"id": 962894389738586114,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "adamricardo14"
},
{
"created_at": "Mon Feb 12 03:41:26 +0000 2018",
"id": 962894389419954176,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "axshup"
},
{
"created_at": "Mon Feb 12 03:41:26 +0000 2018",
"id": 962894389340180480,
"text": "RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.",
"user.screen_name": "Lb28627987"
},
{
"created_at": "Mon Feb 12 03:41:26 +0000 2018",
"id": 962894389285662721,
"text": "RT @tedlieu: Congratulations to Mirai Nagasu for being the first American in history to land a triple axle at the Winter Olympics! https://\u2026",
"user.screen_name": "ssedloffthomas"
},
{
"created_at": "Mon Feb 12 03:41:26 +0000 2018",
"id": 962894389004656640,
"text": "RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://\u2026",
"user.screen_name": "psychopappy1961"
},
{
"created_at": "Mon Feb 12 03:41:26 +0000 2018",
"id": 962894388824330241,
"text": "Gonna join the Olympics to contract aids",
"user.screen_name": "bradberryzone"
},
{
"created_at": "Mon Feb 12 03:41:26 +0000 2018",
"id": 962894388769812481,
"text": "RT @peachyblackgorl: as the winter Olympics begin....never forget about Surya Bonaly, a French figure skater who did a backflip and landed\u2026",
"user.screen_name": "brucejones105"
},
{
"created_at": "Mon Feb 12 03:41:26 +0000 2018",
"id": 962894388723638273,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "Bianca8282"
},
{
"created_at": "Mon Feb 12 03:41:26 +0000 2018",
"id": 962894388673372160,
"text": "RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face\u2026",
"user.screen_name": "CoachWertz12"
},
{
"created_at": "Mon Feb 12 03:41:26 +0000 2018",
"id": 962894388274913282,
"text": "RT @TwitterMoments: Team USA figure skater @mirai_nagasu is the first American woman to land a triple axel at the Winter Olympics. #PyeongC\u2026",
"user.screen_name": "CubbyPau"
},
{
"created_at": "Mon Feb 12 03:41:26 +0000 2018",
"id": 962894387909988352,
"text": "Can I just permanently join figure skating Stan twt this is so less stressful than kpop twt and it\u2019s during the Olympics",
"user.screen_name": "HanyvYuzuru"
},
{
"created_at": "Mon Feb 12 03:41:26 +0000 2018",
"id": 962894387742113792,
"text": "Winter Olympics 2018: Samsung giveaway phone snub sparks Iran fury",
"user.screen_name": "Paul_Banal"
},
{
"created_at": "Mon Feb 12 03:41:26 +0000 2018",
"id": 962894387574394880,
"text": "RT @Lesdoggg: Um did Adam need to fall to his routine wtf?! Very confused right now. @NBCOlympics @Olympics https://t.co/KGiGW4OUrs",
"user.screen_name": "Cartoonfreak1"
},
{
"created_at": "Mon Feb 12 03:41:26 +0000 2018",
"id": 962894387519918080,
"text": "@NoelleGodfather LOL, the machines are taking over the Olympics!",
"user.screen_name": "francium11"
},
{
"created_at": "Mon Feb 12 03:41:26 +0000 2018",
"id": 962894387322802176,
"text": "RT @rodger_sherman: The Olympics are a reminder that in spite of our differences, every country has super-hot people",
"user.screen_name": "TristynTucker3"
},
{
"created_at": "Mon Feb 12 03:41:26 +0000 2018",
"id": 962894387138256899,
"text": "I also got emotional for that performance. #Olympics",
"user.screen_name": "AnnaRMercier"
},
{
"created_at": "Mon Feb 12 03:41:26 +0000 2018",
"id": 962894387071143941,
"text": "RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.",
"user.screen_name": "1nomdeplume"
},
{
"created_at": "Mon Feb 12 03:41:26 +0000 2018",
"id": 962894386970284032,
"text": "RT @oniontaker: SNSD Gee dance competition at the Olympics on the big screen! 9 years and still iconic.\n\nDo not ask how I got raw footage f\u2026",
"user.screen_name": "chuti_petch"
},
{
"created_at": "Mon Feb 12 03:41:26 +0000 2018",
"id": 962894386962059264,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "LuchoLap"
},
{
"created_at": "Mon Feb 12 03:41:26 +0000 2018",
"id": 962894386639065088,
"text": "RT @5RingsPodcast: 5 Rings Daily-PyeongChang 2018, Day 2 Curling Talk with Ben Massey and Our GSBWP Medals for Day 2\nhttps://t.co/4fykUsIEe\u2026",
"user.screen_name": "KevLaramee"
},
{
"created_at": "Mon Feb 12 03:41:26 +0000 2018",
"id": 962894386202849281,
"text": "RT @olympicchannel: That feeling when you land the first triple axel by a @TeamUSA woman at the #Olympics! \ud83e\udd29\ud83e\udd17 An incredible moment for @mir\u2026",
"user.screen_name": "cargille5"
},
{
"created_at": "Mon Feb 12 03:41:25 +0000 2018",
"id": 962894385942880256,
"text": "RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G",
"user.screen_name": "wolfsan11"
},
{
"created_at": "Mon Feb 12 03:41:25 +0000 2018",
"id": 962894385808470016,
"text": "Since the winter Olympics are going on just want to say my favorite figure skaters are Chazz Micheal Micheals and\u2026 https://t.co/NRFWlGEhgK",
"user.screen_name": "Paaccoo24"
},
{
"created_at": "Mon Feb 12 03:41:25 +0000 2018",
"id": 962894385238237184,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "Wanncook"
},
{
"created_at": "Mon Feb 12 03:41:25 +0000 2018",
"id": 962894385124859904,
"text": "RT @u2gigs: The Mexican alpine skiers (yes you read that right) have amazing Dia de los Muertas themed outfits at these Olympics.",
"user.screen_name": "juliomarmol"
},
{
"created_at": "Mon Feb 12 03:41:25 +0000 2018",
"id": 962894384822931457,
"text": "\"I think this is irresponsible.\"\n\nThere are strong gusts of wind, but the #snowboard slopestyle continues. \n\nWatch\u2026 https://t.co/QbGz7WWdaL",
"user.screen_name": "BBCSport"
},
{
"created_at": "Mon Feb 12 03:41:25 +0000 2018",
"id": 962894384768286721,
"text": "RT @VP: What a special privilege & honor for Karen and me to lead the U.S. delegation to the Olympics Opening Ceremony, to represent our GR\u2026",
"user.screen_name": "morris0731"
},
{
"created_at": "Mon Feb 12 03:41:25 +0000 2018",
"id": 962894384030101506,
"text": "RT @jdaniel4smom: Your children can create their own Olympic flame in a bottle! This is a fun STEM activity! https://t.co/DYyyRdomuX #STEM\u2026",
"user.screen_name": "mishrendon"
},
{
"created_at": "Mon Feb 12 03:41:25 +0000 2018",
"id": 962894383984140288,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "AustinBurrowsX"
},
{
"created_at": "Mon Feb 12 03:41:25 +0000 2018",
"id": 962894383916908544,
"text": "RT @peachyblackgorl: as the winter Olympics begin....never forget about Surya Bonaly, a French figure skater who did a backflip and landed\u2026",
"user.screen_name": "whoelsebutrico"
},
{
"created_at": "Mon Feb 12 03:41:25 +0000 2018",
"id": 962894383640076289,
"text": "They should stop referring to the previously banned athletes as #Russians. They are athletes of the Olympiad. Russi\u2026 https://t.co/pZLfqFLuPD",
"user.screen_name": "mkwtsn"
},
{
"created_at": "Mon Feb 12 03:41:25 +0000 2018",
"id": 962894382792871937,
"text": "RT @mishacollins: You have great taste in TV, @bradie_tennell! We're rooting for you to bring home the gold, of course... But if you bring\u2026",
"user.screen_name": "AtomicNun"
},
{
"created_at": "Mon Feb 12 03:41:25 +0000 2018",
"id": 962894382100709377,
"text": "RT @tedlieu: Congratulations to Mirai Nagasu for being the first American in history to land a triple axle at the Winter Olympics! https://\u2026",
"user.screen_name": "TaePhoenix"
},
{
"created_at": "Mon Feb 12 03:41:25 +0000 2018",
"id": 962894382021017600,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "MaryGambetty"
},
{
"created_at": "Mon Feb 12 03:41:24 +0000 2018",
"id": 962894381098336256,
"text": "Please tell me the guys have pads in their pants for when the girl stands on their leg, digging in their blade. Rig\u2026 https://t.co/ROPnRdncaW",
"user.screen_name": "LisaJohnson"
},
{
"created_at": "Mon Feb 12 03:41:24 +0000 2018",
"id": 962894381056430081,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "3dancelover"
},
{
"created_at": "Mon Feb 12 03:41:24 +0000 2018",
"id": 962894381022724096,
"text": "RT @JORDANBENNlNG: grown ass men be looking me dead in the eye and telling me that they couldve made it to the olympics when they were youn\u2026",
"user.screen_name": "ninanovakk"
},
{
"created_at": "Mon Feb 12 03:41:24 +0000 2018",
"id": 962894381014573056,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "Gdf4r"
},
{
"created_at": "Mon Feb 12 03:41:24 +0000 2018",
"id": 962894380737671168,
"text": "RT @NPRrussell: The first medals of the Pyeongchang Olympics are in the books. In the women\u2019s 7.5km + 7.5km skiathlon, Sweden's Charlotte K\u2026",
"user.screen_name": "SPORTYNBICHT"
},
{
"created_at": "Mon Feb 12 03:41:24 +0000 2018",
"id": 962894380511170560,
"text": "RT @BuzzFeedNews: Mirai Nagasu just became the first American woman in history to land a triple axel at the Winter Olympics(!) https://t.co\u2026",
"user.screen_name": "EEnebak"
},
{
"created_at": "Mon Feb 12 03:41:24 +0000 2018",
"id": 962894379542224897,
"text": "RT @Swanny_06: I get too hype during the Olympics. I don\u2019t think you\u2019re supposed to be yelling during the figure skating",
"user.screen_name": "OverRitz"
},
{
"created_at": "Mon Feb 12 03:41:24 +0000 2018",
"id": 962894379152232448,
"text": "Day 284 of why I love Lego - the #biathlon is totally king and I've loved watching it this #olympics. Thanks, inter\u2026 https://t.co/Wv1CzGJJ1B",
"user.screen_name": "FloorCharts"
},
{
"created_at": "Mon Feb 12 03:41:24 +0000 2018",
"id": 962894378879524865,
"text": "RT @BTSFollowing: @Koreaboo Look at the kings getting all this media coverage and not even being at the olympics \n\n#BestFanArmy #BTSARMY #i\u2026",
"user.screen_name": "Starberryvie"
},
{
"created_at": "Mon Feb 12 03:41:24 +0000 2018",
"id": 962894378632060928,
"text": "NBC Olympics on Twitter https://t.co/YntqEDZRqa",
"user.screen_name": "thewilliam"
},
{
"created_at": "Mon Feb 12 03:41:24 +0000 2018",
"id": 962894378590093312,
"text": "My moms watching figure skating for the Winter Olympics and she said @EthanDolan and @GraysonDolan can do it better\ud83d\ude02",
"user.screen_name": "AlexSandValero"
},
{
"created_at": "Mon Feb 12 03:41:24 +0000 2018",
"id": 962894378388852736,
"text": "RT @TheRickyDavila: What can I say? Mirai Nagasu was effortlessly brilliant. So proud of her and proud that she\u2019s representing the USA. Go\u2026",
"user.screen_name": "SharonGammell1"
},
{
"created_at": "Mon Feb 12 03:41:24 +0000 2018",
"id": 962894378372075520,
"text": "RT @THV11: Mirai Nagasu is now the first American woman to land triple axel during Olympics figure skating! \n\nhttps://t.co/TrkyZy9stA\n\n#Oly\u2026",
"user.screen_name": "MelindaKinnaird"
},
{
"created_at": "Mon Feb 12 03:41:24 +0000 2018",
"id": 962894378011373568,
"text": "RT @adamconover: read this headline three times before i realized it\u2019s about the olympics and not a man who dates skeletons \ud83d\ude0d\u2620\ufe0f https://t.c\u2026",
"user.screen_name": "meta_jeff"
},
{
"created_at": "Mon Feb 12 03:41:24 +0000 2018",
"id": 962894377914904576,
"text": "3.40am and I\u2019m watching the Winter Olympics because as usual I can\u2019t sleep.",
"user.screen_name": "archersfan2"
},
{
"created_at": "Mon Feb 12 03:41:24 +0000 2018",
"id": 962894377889693696,
"text": "RT @MarkHarrisNYC: I finally feel represented at the Olympics. https://t.co/RUiylelbbD",
"user.screen_name": "Linds_Zolna"
},
{
"created_at": "Mon Feb 12 03:41:23 +0000 2018",
"id": 962894377541660677,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "Perspectvz"
},
{
"created_at": "Mon Feb 12 03:41:23 +0000 2018",
"id": 962894377465999361,
"text": "RT @lolacoaster: olympics drinking game rules\nsomeone falls: do a shot\nsomeone cries when they get their score: do a shot\na koch industries\u2026",
"user.screen_name": "cxmicsams"
},
{
"created_at": "Mon Feb 12 03:41:23 +0000 2018",
"id": 962894377248067585,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "butterfly4u4eva"
},
{
"created_at": "Mon Feb 12 03:41:23 +0000 2018",
"id": 962894377151426560,
"text": "@Ray_Devlin @TIME The Olympics is during the summer break for soccer players, so they love the pre season competiti\u2026 https://t.co/hBI07eNXcz",
"user.screen_name": "SeanTheLad20"
},
{
"created_at": "Mon Feb 12 03:41:23 +0000 2018",
"id": 962894376316866561,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "Nova21471346"
},
{
"created_at": "Mon Feb 12 03:41:23 +0000 2018",
"id": 962894375851143168,
"text": "The first Sunday without #NFL football has left a void in my life. Thank God for the #Olympics #PyeongChang2018",
"user.screen_name": "sara_candice"
},
{
"created_at": "Mon Feb 12 03:41:23 +0000 2018",
"id": 962894375633195009,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "AnniDoub"
},
{
"created_at": "Mon Feb 12 03:41:23 +0000 2018",
"id": 962894375587078144,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "yeskisc"
},
{
"created_at": "Mon Feb 12 03:41:23 +0000 2018",
"id": 962894375528300544,
"text": "RT @USATODAY: It doesn\u2019t get much more impressive than this. https://t.co/La2NeZLE9J #Olympics",
"user.screen_name": "jsonlee71"
},
{
"created_at": "Mon Feb 12 03:41:23 +0000 2018",
"id": 962894375230607360,
"text": "RT @tedlieu: Congratulations to Mirai Nagasu for being the first American in history to land a triple axle at the Winter Olympics! https://\u2026",
"user.screen_name": "schmat22"
},
{
"created_at": "Mon Feb 12 03:41:23 +0000 2018",
"id": 962894375012438016,
"text": "RT @LynnRutherford: Mixed zone: \"I landed triple axel at the Olympics. That's historical and no one can take it away from me.\" #Pyeongchang\u2026",
"user.screen_name": "marcylauren"
},
{
"created_at": "Mon Feb 12 03:41:23 +0000 2018",
"id": 962894374786031618,
"text": "Nice! Way to go @mirai_nagasu \ud83d\udc4f\ud83c\udffb #TeamUSA #Olympics \ud83c\uddfa\ud83c\uddf8 https://t.co/c5qRpHD1aD",
"user.screen_name": "LinCrossland"
},
{
"created_at": "Mon Feb 12 03:41:23 +0000 2018",
"id": 962894374786031617,
"text": "Hey @nbc. There's other sports besides figure skating. #Olympics",
"user.screen_name": "shanejblair"
},
{
"created_at": "Mon Feb 12 03:41:23 +0000 2018",
"id": 962894374647599104,
"text": "RT @KFCBarstool: The Olympics are tough to really get into because it\u2019s hard to relate to these weirdos who play weirdo sports.\n\nBut that\u2019s\u2026",
"user.screen_name": "bircheezy"
},
{
"created_at": "Mon Feb 12 03:41:23 +0000 2018",
"id": 962894374181974016,
"text": "RT @16WAPTNews: Everyone is buzzing about this figure skater who performed to Beyonc\u00e9 at the Olympics https://t.co/WKmUjmUCvl https://t.co/\u2026",
"user.screen_name": "Stagger_Lee__"
},
{
"created_at": "Mon Feb 12 03:41:23 +0000 2018",
"id": 962894374022602752,
"text": "RT @RepMarkMeadows: While some in the media look fondly upon North Korea during the Olympics, I can't help but recall this from 2 weeks ago\u2026",
"user.screen_name": "Prof_Treylawney"
},
{
"created_at": "Mon Feb 12 03:41:23 +0000 2018",
"id": 962894373917724672,
"text": "RT @Lesdoggg: Shiiiiit like to see you give her a bad score!!! @NBCOlympics @Olympics https://t.co/0krtijP4vb",
"user.screen_name": "_bangbanguk"
},
{
"created_at": "Mon Feb 12 03:41:22 +0000 2018",
"id": 962894373414494213,
"text": "RT @nytimes: Mike Pence denied a report that Adam Rippon, a gay American figure skater, had refused to meet with him. But the Olympic athle\u2026",
"user.screen_name": "bethsinniresist"
},
{
"created_at": "Mon Feb 12 03:41:22 +0000 2018",
"id": 962894373376659457,
"text": "Beautiful free dance skating by the Italian team! \ud83d\udc4f\ud83d\udc4f\ud83d\udc4f#Olympics #Olympics2018",
"user.screen_name": "AnneDASHMarie"
},
{
"created_at": "Mon Feb 12 03:41:22 +0000 2018",
"id": 962894373087334400,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "kshyamasagar"
},
{
"created_at": "Mon Feb 12 03:41:22 +0000 2018",
"id": 962894372974022656,
"text": "The Life is Beautiful program is gorgeous. #olympics",
"user.screen_name": "ac_bitter"
},
{
"created_at": "Mon Feb 12 03:41:22 +0000 2018",
"id": 962894372957175809,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "DeepEndDining"
},
{
"created_at": "Mon Feb 12 03:41:22 +0000 2018",
"id": 962894372709785600,
"text": "RT @NumbersMuncher: Me in 2017: I can't understand how people could be so stupid to fall for fake Facebook stories promoted by Russia.\n\nMe\u2026",
"user.screen_name": "angelazinypsi"
},
{
"created_at": "Mon Feb 12 03:41:22 +0000 2018",
"id": 962894372638511104,
"text": "RT @peachyblackgorl: as the winter Olympics begin....never forget about Surya Bonaly, a French figure skater who did a backflip and landed\u2026",
"user.screen_name": "crumrineJenny"
},
{
"created_at": "Mon Feb 12 03:41:22 +0000 2018",
"id": 962894372567052288,
"text": "RT @RepMarkMeadows: While some in the media look fondly upon North Korea during the Olympics, I can't help but recall this from 2 weeks ago\u2026",
"user.screen_name": "Darkvader1776"
},
{
"created_at": "Mon Feb 12 03:41:22 +0000 2018",
"id": 962894372302761984,
"text": "My brother tried holding me on his back and DROPPED MY ASS so I envy the pairs team with their level of trust cause\u2026 https://t.co/EXNE7SsSzA",
"user.screen_name": "jbdd1293"
},
{
"created_at": "Mon Feb 12 03:41:22 +0000 2018",
"id": 962894372193882112,
"text": "RT @BizNasty2point0: Good luck to all the @TeamCanada athletes in this years Olympics. Some very special stories going in. Especially the o\u2026",
"user.screen_name": "drkeating"
},
{
"created_at": "Mon Feb 12 03:41:22 +0000 2018",
"id": 962894372139347968,
"text": "RT @KAy_TIEmyshoes: I love the Olympics https://t.co/YarQnjbr9c",
"user.screen_name": "GabrielaDayss"
},
{
"created_at": "Mon Feb 12 03:41:22 +0000 2018",
"id": 962894371669491712,
"text": "I am missing @BobCostasEyes in this winter Olympics.",
"user.screen_name": "fourcookies"
},
{
"created_at": "Mon Feb 12 03:41:22 +0000 2018",
"id": 962894371573116933,
"text": "RT @Machaizelli: A figure skater just made American Olympic history and the NBC commentators still had to compare her to the men #Olympics\u2026",
"user.screen_name": "watson_susy"
},
{
"created_at": "Mon Feb 12 03:41:22 +0000 2018",
"id": 962894371560525824,
"text": "RT @mikalapaula: Patrick Chan and Olympic Athlete from Russia can fall over the damn ice repeatedly and score higher than Adam Rippon's per\u2026",
"user.screen_name": "marley_lunsford"
},
{
"created_at": "Mon Feb 12 03:41:22 +0000 2018",
"id": 962894371489304578,
"text": "RT @jpbrammer: my favorite part of the Olympics so far was when Aja jumped off that box",
"user.screen_name": "MOONLlGHT_MP3"
},
{
"created_at": "Mon Feb 12 03:41:22 +0000 2018",
"id": 962894371061485571,
"text": "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on\u2026",
"user.screen_name": "AlyxODay"
},
{
"created_at": "Mon Feb 12 03:41:22 +0000 2018",
"id": 962894370570727425,
"text": "I thought Nagasu should've gone to the last #Olympics and I guess she proved her right to be there tonight! #PyeongChang2018",
"user.screen_name": "shortygotloh"
},
{
"created_at": "Mon Feb 12 03:41:22 +0000 2018",
"id": 962894370520420353,
"text": "Caught the 10km Sprint at the Olympics which is the skiing then stopping to shoot at targets. Instead of giving the\u2026 https://t.co/uhXXPbmUvN",
"user.screen_name": "Wheels865"
},
{
"created_at": "Mon Feb 12 03:41:22 +0000 2018",
"id": 962894370356781056,
"text": "RT @JamesHasson20: Here are stories fawning over North Korea at the Olympics from:\n-Wapo\n-Wall Street Journal\n-NYT\n-CNN\n-ABC News\n-NBC News\u2026",
"user.screen_name": "MaeAndTheDove"
},
{
"created_at": "Mon Feb 12 03:41:22 +0000 2018",
"id": 962894370201571329,
"text": "RT @misslaneym: Italy ice dancing to Life is Beautiful is everything. #IceDancing #olympics2018 #olympics",
"user.screen_name": "mich_eck"
},
{
"created_at": "Mon Feb 12 03:41:22 +0000 2018",
"id": 962894370000326656,
"text": "We deserve so much better than NBC. #Olympics",
"user.screen_name": "MurrayRen"
},
{
"created_at": "Mon Feb 12 03:41:22 +0000 2018",
"id": 962894369668943872,
"text": "RT @RealAlexJones: Watch Live: As MSM Cheers North Korea Against America At The Winter Olympics https://t.co/QhyUB1ooLt",
"user.screen_name": "Zacharyeldog245"
},
{
"created_at": "Mon Feb 12 03:41:22 +0000 2018",
"id": 962894369492742144,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "MariaaaT"
},
{
"created_at": "Mon Feb 12 03:41:22 +0000 2018",
"id": 962894369316421633,
"text": "RT @MarkDice: @CNN You clowns just reported that Kim Jun Un's sister 'stole the show' at the Olympics. Stop.",
"user.screen_name": "TeenyLZP"
},
{
"created_at": "Mon Feb 12 03:41:22 +0000 2018",
"id": 962894369303887872,
"text": "RT @PHShriver: Trying to convince my 12 year old son to watch @TeamUSA during team skating, I told him this is the same country I competed\u2026",
"user.screen_name": "gabyserrar"
},
{
"created_at": "Mon Feb 12 03:41:21 +0000 2018",
"id": 962894369115144193,
"text": "RT @thehill: Dutch fans troll Trump at the Olympics with flag: \"Sorry Mr. President. The Netherlands First... And 2nd... And 3rd\" https://t\u2026",
"user.screen_name": "jrad1014hi"
},
{
"created_at": "Mon Feb 12 03:41:21 +0000 2018",
"id": 962894368947421184,
"text": "But they put their legs up like that with a FLEXED foot! \ud83d\ude31 #Olympics",
"user.screen_name": "TalkNerdyWithUs"
},
{
"created_at": "Mon Feb 12 03:41:21 +0000 2018",
"id": 962894368872034304,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "caroljdavy"
},
{
"created_at": "Mon Feb 12 03:41:21 +0000 2018",
"id": 962894368767066112,
"text": "@amandacarpenter This game is about the athletes. Don\u2019t rain on the Olympics. Shelf your politics for 2 was.",
"user.screen_name": "LaurieBouchar12"
},
{
"created_at": "Mon Feb 12 03:41:21 +0000 2018",
"id": 962894368414752769,
"text": "RT @Spokesbird: Skraaarrk! Reactions to watching the Olympics, as told by ocean creatures: https://t.co/B4aXFCUkeH #EarnTheFern\ud83c\udf3f\u00a0#PyeongCha\u2026",
"user.screen_name": "7_ohmiya"
},
{
"created_at": "Mon Feb 12 03:41:21 +0000 2018",
"id": 962894368167354368,
"text": "RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://\u2026",
"user.screen_name": "drshnpatel"
},
{
"created_at": "Mon Feb 12 03:41:21 +0000 2018",
"id": 962894367408181248,
"text": "RT @BreakingNNow: #BREAKING: Canada has won Gold in the Figure Skating Team event at the Winter Olympics.",
"user.screen_name": "Audreypearlz23"
},
{
"created_at": "Mon Feb 12 03:41:21 +0000 2018",
"id": 962894366724456449,
"text": "RT @SandraTXAS: CNN, NY Times, etc:\nUS mainstream media reckless in praise of Little Rocket Girl Kim Yo Jong. Undermining foreign affairs b\u2026",
"user.screen_name": "BuhByeHillary"
},
{
"created_at": "Mon Feb 12 03:41:21 +0000 2018",
"id": 962894366581735424,
"text": "Adam Rippon's skate today though. \ud83d\udc4f\ud83d\udc4f\ud83d\udc4f #TeamUSA #Olympics",
"user.screen_name": "Jasey6"
},
{
"created_at": "Mon Feb 12 03:41:21 +0000 2018",
"id": 962894366296559617,
"text": "So this guy was last and passed every. single. skier. To win. Only at the Olympics.... #respect https://t.co/nN8GI9Yrsh",
"user.screen_name": "elexis_h"
},
{
"created_at": "Mon Feb 12 03:41:21 +0000 2018",
"id": 962894366128857088,
"text": "RT @BuzzFeed: Mirai Nagasu just became the first US woman to land the triple axel at the Olympics https://t.co/JLdvT17Q9t https://t.co/T4mX\u2026",
"user.screen_name": "OhhKimmiekoe"
},
{
"created_at": "Mon Feb 12 03:41:21 +0000 2018",
"id": 962894365851971584,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "Emily_1797"
},
{
"created_at": "Mon Feb 12 03:41:21 +0000 2018",
"id": 962894365378015232,
"text": "RT @greenikkie: \uff03WINNER on \"Sports Hochi\" and \"Nikkan Sports\" (News Paper with the focus of Sports and Entertainment) Interestingly, they b\u2026",
"user.screen_name": "WayamaYukihiro"
},
{
"created_at": "Mon Feb 12 03:41:21 +0000 2018",
"id": 962894365118124033,
"text": "@NBCOlympics Wait - so no woman has done a triple axel in olympics???",
"user.screen_name": "dissentingj"
},
{
"created_at": "Mon Feb 12 03:41:20 +0000 2018",
"id": 962894364979748865,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "emilykchilton"
},
{
"created_at": "Mon Feb 12 03:41:20 +0000 2018",
"id": 962894364681916416,
"text": "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on\u2026",
"user.screen_name": "xtabaychaparro"
},
{
"created_at": "Mon Feb 12 03:41:20 +0000 2018",
"id": 962894364262457344,
"text": "RT @BuzzFeed: Mirai Nagasu just became the first US woman to land the triple axel at the Olympics https://t.co/JLdvT17Q9t https://t.co/T4mX\u2026",
"user.screen_name": "AlexaSa135"
},
{
"created_at": "Mon Feb 12 03:41:20 +0000 2018",
"id": 962894364262330368,
"text": "RT @Clefairyhyun: Acc to this article, the artists in the opening and closing of the Olympics ceremony, Exo included, receive little to no\u2026",
"user.screen_name": "kyngshoo"
},
{
"created_at": "Mon Feb 12 03:41:20 +0000 2018",
"id": 962894363872374784,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "_terralu"
},
{
"created_at": "Mon Feb 12 03:41:20 +0000 2018",
"id": 962894363226525696,
"text": "RT @KristySwansonXO: I Am Beyond Excited! Tyler Is Gonna Hold On To His Gloves For Me \ud83d\ude03 He Was My Team Captain On The @HollywoodCurl Team C\u2026",
"user.screen_name": "benvoncronos"
},
{
"created_at": "Mon Feb 12 03:41:20 +0000 2018",
"id": 962894362958073856,
"text": "RT @peachyblackgorl: as the winter Olympics begin....never forget about Surya Bonaly, a French figure skater who did a backflip and landed\u2026",
"user.screen_name": "NicaRozier"
},
{
"created_at": "Mon Feb 12 03:41:20 +0000 2018",
"id": 962894362307805184,
"text": "RT @CBCOlympics: Medal Alert \ud83d\udea8\n\nCanada guaranteed to win first gold medal in figure skating team event \ud83c\udde8\ud83c\udde6 \ud83e\udd47 #PyeongChang2018 \n\nWatch Tessa\u2026",
"user.screen_name": "The_Unicorn22"
},
{
"created_at": "Mon Feb 12 03:41:20 +0000 2018",
"id": 962894362207191040,
"text": "RT @BuzzFeedNews: Mirai Nagasu just became the first American woman in history to land a triple axel at the Winter Olympics(!) https://t.co\u2026",
"user.screen_name": "Alexa_romo1"
},
{
"created_at": "Mon Feb 12 03:41:20 +0000 2018",
"id": 962894361737359361,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "HYPERSILVER777"
},
{
"created_at": "Mon Feb 12 03:41:20 +0000 2018",
"id": 962894361724968961,
"text": "RT @TechnicallyRon: Your definitive guide to the sports of the 2018 Winter Olympics https://t.co/Oyon5qfHBc",
"user.screen_name": "spacedaydreamer"
},
{
"created_at": "Mon Feb 12 03:41:20 +0000 2018",
"id": 962894361691172864,
"text": "I like how some of these ice skaters dress up. It's like cosplay on ice. #Olympics",
"user.screen_name": "TheDoIIars"
},
{
"created_at": "Mon Feb 12 03:41:20 +0000 2018",
"id": 962894361557176320,
"text": "@Lesdoggg live tweeting the Olympics gives me life. \ud83d\ude02\ud83d\ude02\ud83d\ude02 she\u2019s sooooo funny and true. You go girl! #Olympics2018",
"user.screen_name": "lizpro2401"
},
{
"created_at": "Mon Feb 12 03:41:20 +0000 2018",
"id": 962894361401835520,
"text": "RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.",
"user.screen_name": "HeyGenevieve"
},
{
"created_at": "Mon Feb 12 03:41:20 +0000 2018",
"id": 962894361087430656,
"text": "They should put diving competitions in the winter Olympics. And also hold them outside.",
"user.screen_name": "johncheese"
},
{
"created_at": "Mon Feb 12 03:41:19 +0000 2018",
"id": 962894360793767936,
"text": "RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G",
"user.screen_name": "toonys_tweets"
},
{
"created_at": "Mon Feb 12 03:41:19 +0000 2018",
"id": 962894360433053696,
"text": "RT @tedlieu: Congratulations to Mirai Nagasu for being the first American in history to land a triple axle at the Winter Olympics! https://\u2026",
"user.screen_name": "jdclements50"
},
{
"created_at": "Mon Feb 12 03:41:19 +0000 2018",
"id": 962894360034525184,
"text": "RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G",
"user.screen_name": "bwv_816"
},
{
"created_at": "Mon Feb 12 03:41:19 +0000 2018",
"id": 962894359640260608,
"text": "The Italian ice dancers are really lovely but I feel like either his shirt should be white or her costume yellow? M\u2026 https://t.co/4HMHTHDvU5",
"user.screen_name": "WintersRegan"
},
{
"created_at": "Mon Feb 12 03:41:19 +0000 2018",
"id": 962894359371833345,
"text": "RT @ReutersSports: North Korean cheerleaders sing 'We are one!' in Games culture clash https://t.co/SRwMycYLFR @pearswick #PyeongChang2018\u2026",
"user.screen_name": "twinkleyapp"
},
{
"created_at": "Mon Feb 12 03:41:19 +0000 2018",
"id": 962894358864216064,
"text": "RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G",
"user.screen_name": "BarbaritaRunner"
},
{
"created_at": "Mon Feb 12 03:41:19 +0000 2018",
"id": 962894357815812097,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "diablejambe"
},
{
"created_at": "Mon Feb 12 03:41:19 +0000 2018",
"id": 962894357669011456,
"text": "RT @sohanjnu1: Winter Olympics 2018 opening ceremony: Korean athletes enter under unified flag \u2013 live! https://t.co/EhDOMK5MmA",
"user.screen_name": "RealBobHoward"
},
{
"created_at": "Mon Feb 12 03:41:19 +0000 2018",
"id": 962894357534781441,
"text": "RT @TrumpGirlStrong: No desire whatsoever to watch #Olympics with so many whiny bitches representing USA - or shall I say \"representing the\u2026",
"user.screen_name": "KahlerSabrina"
},
{
"created_at": "Mon Feb 12 03:41:19 +0000 2018",
"id": 962894357371244544,
"text": "RT @hotfunkytown: Race reared its ugly head at the Olympics. Davis boycotted the opening ceremonies using #blackhistorymonth\n\nFor Shani Da\u2026",
"user.screen_name": "JarredMattingl3"
},
{
"created_at": "Mon Feb 12 03:41:19 +0000 2018",
"id": 962894357161529344,
"text": "RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G",
"user.screen_name": "spencebrandon3"
},
{
"created_at": "Mon Feb 12 03:41:19 +0000 2018",
"id": 962894356830093312,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "jessianna_r"
},
{
"created_at": "Mon Feb 12 03:41:18 +0000 2018",
"id": 962894356649861121,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "dbol1964"
},
{
"created_at": "Mon Feb 12 03:41:18 +0000 2018",
"id": 962894356595331072,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "CMontclaire45"
},
{
"created_at": "Mon Feb 12 03:41:18 +0000 2018",
"id": 962894356414894081,
"text": "RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face\u2026",
"user.screen_name": "careuhhlynn"
},
{
"created_at": "Mon Feb 12 03:41:18 +0000 2018",
"id": 962894356385550339,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "dianen207"
},
{
"created_at": "Mon Feb 12 03:41:18 +0000 2018",
"id": 962894356326834177,
"text": "RT @CarolineSiede: This on-ice interview he did with Tyler Oakley made me fall in love with Adam Rippon. #Olympics #Pyeonchang2018 https://\u2026",
"user.screen_name": "ljessg"
},
{
"created_at": "Mon Feb 12 03:41:18 +0000 2018",
"id": 962894355739566080,
"text": "Retweeted Sarah (@sarah_liza21):\n\nAgain... this Italian team is just so charming \ud83d\udc96\ud83d\udc96\ud83d\udc96 #PyeongChang2018 #Olympics #OlympicGames #FigureSkating",
"user.screen_name": "SashaCAiresse"
},
{
"created_at": "Mon Feb 12 03:41:18 +0000 2018",
"id": 962894355626446849,
"text": "RT @CBCOlympics: Medal Alert \ud83d\udea8\n\nCanada guaranteed to win first gold medal in figure skating team event \ud83c\udde8\ud83c\udde6 \ud83e\udd47 #PyeongChang2018 \n\nWatch Tessa\u2026",
"user.screen_name": "_KMarcotte"
},
{
"created_at": "Mon Feb 12 03:41:18 +0000 2018",
"id": 962894355341238273,
"text": "RT @CoxWebDev: Hey @NBCSports I know there are other sports going on besides figure skating. Can we see some of those? #Olympics",
"user.screen_name": "ViralDonutz"
},
{
"created_at": "Mon Feb 12 03:41:18 +0000 2018",
"id": 962894355034984448,
"text": "RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face\u2026",
"user.screen_name": "angxlitav"
},
{
"created_at": "Mon Feb 12 03:41:18 +0000 2018",
"id": 962894354846187521,
"text": "RT @hotfunkytown: Race reared its ugly head at the Olympics. Davis boycotted the opening ceremonies using #blackhistorymonth\n\nFor Shani Da\u2026",
"user.screen_name": "jayMAGA45"
},
{
"created_at": "Mon Feb 12 03:41:18 +0000 2018",
"id": 962894354724671489,
"text": "I'm a proud supporter of democracy and runaway spending so I only root for the European countries that nearly collapsed in 2008. #Olympics",
"user.screen_name": "zacklemore92"
},
{
"created_at": "Mon Feb 12 03:41:18 +0000 2018",
"id": 962894354602962944,
"text": "Still a fan of the snowboard slopestyle event, but it is kind of interesting to hear the announcers talk about how,\u2026 https://t.co/AjTvmrfZBl",
"user.screen_name": "KBecks_ATC"
},
{
"created_at": "Mon Feb 12 03:41:18 +0000 2018",
"id": 962894354078621696,
"text": "RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.",
"user.screen_name": "BIGSEXYYT"
},
{
"created_at": "Mon Feb 12 03:41:18 +0000 2018",
"id": 962894353927680000,
"text": "RT @rockerskating: In case you need to know, the tiebreaker rules for the #Olympics #figureskating Team Event https://t.co/goLqHw85oA",
"user.screen_name": "dukebaby401"
},
{
"created_at": "Mon Feb 12 03:41:18 +0000 2018",
"id": 962894353294245889,
"text": "RT @linzsports: Four years ago, Adam Rippon and MIrai Nagasu were eating in-n-out burger in California, crying and watching the Sochi Olymp\u2026",
"user.screen_name": "LeeCaraher"
},
{
"created_at": "Mon Feb 12 03:41:18 +0000 2018",
"id": 962894352983953408,
"text": "RT @NBCOlympics: Italy's Carolina Kostner was magnificent in the ladies' short program. #WinterOlympics https://t.co/a8E2Sv9O2T https://t.c\u2026",
"user.screen_name": "ChrisPe00000486"
},
{
"created_at": "Mon Feb 12 03:41:18 +0000 2018",
"id": 962894352933679104,
"text": "RT @pronounced_ing: Also, I\u2019m having a lot of feelings at seeing so many Asian Americans in the spotlight the Olympics. I remember what see\u2026",
"user.screen_name": "Anthropic"
},
{
"created_at": "Mon Feb 12 03:41:18 +0000 2018",
"id": 962894352593940485,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "gabi32luis"
},
{
"created_at": "Mon Feb 12 03:41:17 +0000 2018",
"id": 962894352245719042,
"text": "This is amazing!!! \ud83d\ude01\ud83d\ude01\ud83d\ude01#Olympics https://t.co/c88Z4o1UQM",
"user.screen_name": "jesschnei"
},
{
"created_at": "Mon Feb 12 03:41:17 +0000 2018",
"id": 962894351637602305,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "_clayonce"
},
{
"created_at": "Mon Feb 12 03:41:17 +0000 2018",
"id": 962894351150989312,
"text": "Holy damn! Italy\u2019s ice dance performance is mesmerising!! I mean, the lady is too graceful omg \ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\udc4f\ud83d\udc4f\ud83d\udc4f #figureskating #Olympics",
"user.screen_name": "matelliii"
},
{
"created_at": "Mon Feb 12 03:41:17 +0000 2018",
"id": 962894350928642049,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "sunezzell"
},
{
"created_at": "Mon Feb 12 03:41:17 +0000 2018",
"id": 962894350345801733,
"text": "RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.",
"user.screen_name": "AmericanBoxFan"
},
{
"created_at": "Mon Feb 12 03:41:17 +0000 2018",
"id": 962894350324727808,
"text": "RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G",
"user.screen_name": "doggietreat"
},
{
"created_at": "Mon Feb 12 03:41:17 +0000 2018",
"id": 962894350236700672,
"text": "RT @SohrabAhmari: Replace \"North Korea\" with \"Germany\" and add \"1936\" before \"Olympics,\" and it'll give you a good sense of what a disgrace\u2026",
"user.screen_name": "pyarnes"
},
{
"created_at": "Mon Feb 12 03:41:17 +0000 2018",
"id": 962894350077386753,
"text": "RT @Heritage: The perverse fawning over brutal Kim Jong-un\u2019s sister at the Olympics @bethanyshondark https://t.co/CTijmDXibJ https://t.co/O\u2026",
"user.screen_name": "JPhlps"
},
{
"created_at": "Mon Feb 12 03:41:17 +0000 2018",
"id": 962894350047940608,
"text": "RT @CBCOlympics: When the event is delayed, women's slopestyle will play! \n\n@spencerobrien @LaurieBlouin Brooke Voigt @aimee_fuller \n\nLive\u2026",
"user.screen_name": "TitsDeep"
},
{
"created_at": "Mon Feb 12 03:41:17 +0000 2018",
"id": 962894349318189061,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "kristennic27"
},
{
"created_at": "Mon Feb 12 03:41:17 +0000 2018",
"id": 962894349087408129,
"text": "RT @jpbrammer: my favorite part of the Olympics so far was when Aja jumped off that box",
"user.screen_name": "thekaeleesi"
},
{
"created_at": "Mon Feb 12 03:41:17 +0000 2018",
"id": 962894348349329408,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "ShaunLKelly1955"
},
{
"created_at": "Mon Feb 12 03:41:17 +0000 2018",
"id": 962894348336721920,
"text": "RT @RebeccaUgolini: Figure skating announcers: \"The... very soul of... skating... lies within... this woman... splendid.\"\nSnowboarding anno\u2026",
"user.screen_name": "autumnbreezed"
},
{
"created_at": "Mon Feb 12 03:41:16 +0000 2018",
"id": 962894348047220736,
"text": "RT @JHanuszczyk: Imagine what if everyone who sees this bought a pair of Johnscrazysocks. 5% of profits go to Special Olympics. https://t.c\u2026",
"user.screen_name": "FubarFoot"
},
{
"created_at": "Mon Feb 12 03:41:16 +0000 2018",
"id": 962894347707600897,
"text": "RT @guskenworthy: We're here. We're queer. Get used to it. @Adaripp #Olympics #OpeningCeremony https://t.co/OCeiqiY6BN",
"user.screen_name": "herdesertplaces"
},
{
"created_at": "Mon Feb 12 03:41:16 +0000 2018",
"id": 962894347552215040,
"text": "RT @NBCOlympics: COMING UP: @mirai_nagasu returns to the #WinterOlympics!\n\nSee it on @nbc or stream it here: https://t.co/NsNuy9F46h https:\u2026",
"user.screen_name": "cristallum_arca"
},
{
"created_at": "Mon Feb 12 03:41:16 +0000 2018",
"id": 962894347250253825,
"text": "Winter Olympics 2018: Windy conditions cause Aimee Fuller problems in first run https://t.co/BKt08NEItu",
"user.screen_name": "LIMITED_ZONE"
},
{
"created_at": "Mon Feb 12 03:41:16 +0000 2018",
"id": 962894347187490817,
"text": "RT @CHENGANSITO: Since the Olympics just started I'm bringing back this iconic moment\n\n#EXOL #BestFanArmy #iHeartAwards @weareoneEXO PUPPY\u2026",
"user.screen_name": "zhazhma"
},
{
"created_at": "Mon Feb 12 03:41:16 +0000 2018",
"id": 962894347019673600,
"text": "RT @BuzzFeed: Mirai Nagasu just became the first US woman to land the triple axel at the Olympics https://t.co/JLdvT17Q9t https://t.co/T4mX\u2026",
"user.screen_name": "brooke_dunn143"
},
{
"created_at": "Mon Feb 12 03:41:16 +0000 2018",
"id": 962894346478587904,
"text": "RT @VP: Headed to the Olympics to cheer on #TeamUSA. One reporter trying to distort 18 yr old nonstory to sow seeds of division. We won\u2019t l\u2026",
"user.screen_name": "BrandyRena_79"
},
{
"created_at": "Mon Feb 12 03:41:16 +0000 2018",
"id": 962894345933414400,
"text": "RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G",
"user.screen_name": "browngirlvibes"
},
{
"created_at": "Mon Feb 12 03:41:16 +0000 2018",
"id": 962894345668997121,
"text": "tbh i both can and cannot believe that the US does not let you stream the olympics for free, adding this to the man\u2026 https://t.co/o3zM2wWjcV",
"user.screen_name": "karaastone"
},
{
"created_at": "Mon Feb 12 03:41:16 +0000 2018",
"id": 962894345497030656,
"text": "RT @billboard: Korean singers and K-pop acts get drawn into Pyeongchang 2018 Winter Olympics! EXO and CL are set to perform at the closing\u2026",
"user.screen_name": "salsabilafr_"
},
{
"created_at": "Mon Feb 12 03:41:16 +0000 2018",
"id": 962894345211863040,
"text": "RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://\u2026",
"user.screen_name": "danasbrookes"
},
{
"created_at": "Mon Feb 12 03:41:16 +0000 2018",
"id": 962894345048240128,
"text": "RT @jongninied: EXO CHOSE NOT TO RECEIVE ANYTHING AS IT IS SUCH AN HONOR FOR THEM TO PERFORM AT THE CLOSING CEREMONY PYEONCHANG WINTER OLYM\u2026",
"user.screen_name": "PurpleNatelie"
},
{
"created_at": "Mon Feb 12 03:41:16 +0000 2018",
"id": 962894344901529601,
"text": "RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face\u2026",
"user.screen_name": "RachaelHash98"
},
{
"created_at": "Mon Feb 12 03:41:16 +0000 2018",
"id": 962894344788365313,
"text": "RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face\u2026",
"user.screen_name": "CarlyCausey"
},
{
"created_at": "Mon Feb 12 03:41:16 +0000 2018",
"id": 962894344456777728,
"text": "RT @ABC: U.S. figure skater Mirai Nagasu makes history, becoming the first American woman - and third overall - to land a triple axel in th\u2026",
"user.screen_name": "Earlgrey000052"
},
{
"created_at": "Mon Feb 12 03:41:16 +0000 2018",
"id": 962894344268238853,
"text": "RT @ChelseaClinton: Catching up on the Olympics. @Adaripp, you were spectacular on the ice and completely charming afterwards. Very proud y\u2026",
"user.screen_name": "JoshuaDeck2"
},
{
"created_at": "Mon Feb 12 03:41:15 +0000 2018",
"id": 962894343995625473,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "PennyEMN"
},
{
"created_at": "Mon Feb 12 03:41:15 +0000 2018",
"id": 962894343919976448,
"text": "RT @TheAlexNevil: Nobody paid attention to Bob.\nHis ideas were dismissed.\nHis enthusiasm was laughed at.\n\nBut then he was hired by the Wint\u2026",
"user.screen_name": "lmwortho"
},
{
"created_at": "Mon Feb 12 03:41:15 +0000 2018",
"id": 962894343693570048,
"text": "RT @btschartdata: [!] Another BTS' song played at #Olympics , '21st Century Girl' was used as background music in Women Hockey Match, Canad\u2026",
"user.screen_name": "AlejandraSiles3"
},
{
"created_at": "Mon Feb 12 03:41:15 +0000 2018",
"id": 962894343618011136,
"text": "RT @CBCOlympics: #CAN's @tessavirtue & @ScottMoir skate 5th in the last event of the #FigureSkating Team Event. Even if they finish last, C\u2026",
"user.screen_name": "physedbum"
},
{
"created_at": "Mon Feb 12 03:41:15 +0000 2018",
"id": 962894343483920385,
"text": "RT @nytimes: Mike Pence denied a report that Adam Rippon, a gay American figure skater, had refused to meet with him. But the Olympic athle\u2026",
"user.screen_name": "laurenss14"
},
{
"created_at": "Mon Feb 12 03:41:15 +0000 2018",
"id": 962894343257362433,
"text": "RT @RachelRoseGold1: Adam Rippon and Mirai Nagasu are roomies at the Olympics. They ate In and Out Burger when they didn't make the 2014 Ol\u2026",
"user.screen_name": "sharminated"
},
{
"created_at": "Mon Feb 12 03:41:15 +0000 2018",
"id": 962894342917472256,
"text": "Omg the Italian team free dance fr made me cry #Olympics",
"user.screen_name": "SlayBitch666"
},
{
"created_at": "Mon Feb 12 03:41:15 +0000 2018",
"id": 962894342674403333,
"text": "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on\u2026",
"user.screen_name": "alexpokerguy"
},
{
"created_at": "Mon Feb 12 03:41:15 +0000 2018",
"id": 962894342351474695,
"text": "RT @tedlieu: Congratulations to Mirai Nagasu for being the first American in history to land a triple axle at the Winter Olympics! https://\u2026",
"user.screen_name": "reddcurlz"
},
{
"created_at": "Mon Feb 12 03:41:15 +0000 2018",
"id": 962894341575512065,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "mabess96"
},
{
"created_at": "Mon Feb 12 03:41:15 +0000 2018",
"id": 962894341357297664,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "radicalanduhrew"
},
{
"created_at": "Mon Feb 12 03:41:15 +0000 2018",
"id": 962894341202219009,
"text": "RT @USATODAY: It doesn\u2019t get much more impressive than this. https://t.co/La2NeZLE9J #Olympics",
"user.screen_name": "kevinlockett"
},
{
"created_at": "Mon Feb 12 03:41:15 +0000 2018",
"id": 962894340635832320,
"text": "RT @sarah_liza21: Again... this Italian team is just so charming \ud83d\udc96\ud83d\udc96\ud83d\udc96 #PyeongChang2018 #Olympics #OlympicGames #FigureSkating",
"user.screen_name": "SashaCAiresse"
},
{
"created_at": "Mon Feb 12 03:41:15 +0000 2018",
"id": 962894340061323264,
"text": "RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://\u2026",
"user.screen_name": "eDiscMatters"
},
{
"created_at": "Mon Feb 12 03:41:15 +0000 2018",
"id": 962894340044582913,
"text": "RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G",
"user.screen_name": "sarumitrash"
},
{
"created_at": "Mon Feb 12 03:41:15 +0000 2018",
"id": 962894339973132288,
"text": "RT @jpbrammer: my favorite part of the Olympics so far was when Aja jumped off that box",
"user.screen_name": "joshdotgif"
},
{
"created_at": "Mon Feb 12 03:41:15 +0000 2018",
"id": 962894339943878656,
"text": "RT @benshapiro: All you need to know about the media\u2019s not-so-secret love for Marxist dictatorships can be seen in their treatment of the c\u2026",
"user.screen_name": "watin_dey"
},
{
"created_at": "Mon Feb 12 03:41:14 +0000 2018",
"id": 962894339725766656,
"text": "RT @BuzzFeed: Mirai Nagasu just became the first US woman to land the triple axel at the Olympics https://t.co/JLdvT17Q9t https://t.co/T4mX\u2026",
"user.screen_name": "Barbara80014143"
},
{
"created_at": "Mon Feb 12 03:41:14 +0000 2018",
"id": 962894339708928000,
"text": "I\u2019m amazed at how people who have never played a particular sport suddenly become experts during the Olympics. It\u2019s\u2026 https://t.co/zIw1SqsNm7",
"user.screen_name": "itsmikebivins"
},
{
"created_at": "Mon Feb 12 03:41:14 +0000 2018",
"id": 962894338748551173,
"text": "RT @TheRickyDavila: It says something when our amazing athletes can so easily represent the United States with class, grace, honor, dignity\u2026",
"user.screen_name": "bdworkin"
},
{
"created_at": "Mon Feb 12 03:41:14 +0000 2018",
"id": 962894338694008837,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "the_teezus"
},
{
"created_at": "Mon Feb 12 03:41:14 +0000 2018",
"id": 962894338635321344,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "BrynnLay"
},
{
"created_at": "Mon Feb 12 03:41:14 +0000 2018",
"id": 962894337955708928,
"text": "RT @USATODAY: It doesn\u2019t get much more impressive than this. https://t.co/La2NeZLE9J #Olympics",
"user.screen_name": "randyslovacek"
},
{
"created_at": "Mon Feb 12 03:41:14 +0000 2018",
"id": 962894337863401472,
"text": "RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://\u2026",
"user.screen_name": "citlalli861"
},
{
"created_at": "Mon Feb 12 03:41:14 +0000 2018",
"id": 962894337758629888,
"text": "team free skating is so cute! some of the couples are really amazing! #Winter #Olympics 2018\ud83e\udd29\u2728",
"user.screen_name": "simoneaustina"
},
{
"created_at": "Mon Feb 12 03:41:14 +0000 2018",
"id": 962894337737744384,
"text": "RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face\u2026",
"user.screen_name": "mattinwpg"
},
{
"created_at": "Mon Feb 12 03:41:14 +0000 2018",
"id": 962894337670557697,
"text": "Damn Italy that was beautiful. #Olympics2018 #olympics",
"user.screen_name": "ChristineInLou"
},
{
"created_at": "Mon Feb 12 03:41:14 +0000 2018",
"id": 962894337054068737,
"text": "Wow...judges are especially shading the American figure skaters this year...they hate us. #Olympics",
"user.screen_name": "MeLovesMLE"
},
{
"created_at": "Mon Feb 12 03:41:14 +0000 2018",
"id": 962894336982577152,
"text": "RT @maddysnekutai: winter olympics 2018? you mean the return of yuzuru hanyu and his infamous winnie the pooh tissue box https://t.co/0xu0C\u2026",
"user.screen_name": "mooglins"
},
{
"created_at": "Mon Feb 12 03:41:14 +0000 2018",
"id": 962894336869335040,
"text": "RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.",
"user.screen_name": "Clogic3"
},
{
"created_at": "Mon Feb 12 03:41:14 +0000 2018",
"id": 962894336865153024,
"text": "this Italian team's style is on point. #Olympics #figureskating",
"user.screen_name": "irishbronco"
},
{
"created_at": "Mon Feb 12 03:41:14 +0000 2018",
"id": 962894336701665282,
"text": "PSA: Do not twitter while watching the Olympics. #spoilers",
"user.screen_name": "jen_hedberg"
},
{
"created_at": "Mon Feb 12 03:41:14 +0000 2018",
"id": 962894336601088002,
"text": "The bravest team with the most at risk at the #Olympics is the #NorthKoreanCheerleaders. If they don't perform with\u2026 https://t.co/X5x0IFH6yZ",
"user.screen_name": "Wombat32"
},
{
"created_at": "Mon Feb 12 03:41:14 +0000 2018",
"id": 962894336173121536,
"text": "RT @joshrogin: Did I photobomb the North Korea cheer squad? Absolutely. #PyeongChang #Olympics H/T: @W7VOA https://t.co/q8WnOK7hhF",
"user.screen_name": "Dan__i"
},
{
"created_at": "Mon Feb 12 03:41:14 +0000 2018",
"id": 962894336005476352,
"text": "RT @LanceUlanoff: Boom! 3.25\u2013 a first at the Winter #Olympics #nagasu #tripleaxel https://t.co/f5sG2pJVb8",
"user.screen_name": "RoadsideWonders"
},
{
"created_at": "Mon Feb 12 03:41:14 +0000 2018",
"id": 962894335925784576,
"text": "@ljqzhang All of the sudden I care about the Olympics",
"user.screen_name": "alindsaydiaz"
},
{
"created_at": "Mon Feb 12 03:41:14 +0000 2018",
"id": 962894335825113088,
"text": "RT @morgan_murphy: I am having a separate Olympics at my house and it\u2019s completely thrilling. https://t.co/sonV0zWGCe",
"user.screen_name": "chesspoof"
},
{
"created_at": "Mon Feb 12 03:41:14 +0000 2018",
"id": 962894335820861440,
"text": "@KattyKayBBC US should be boycotting the Olympics as part of sanctions against the korean duopoluy",
"user.screen_name": "ALLSOLUTIONS_"
},
{
"created_at": "Mon Feb 12 03:41:13 +0000 2018",
"id": 962894335627808769,
"text": "RT @BleacherReport: Mirai Nagasu becomes the first U.S. woman to land a triple axel at the #WinterOlympics \n\n\ud83c\udfa5: https://t.co/sG1l47slJ4 htt\u2026",
"user.screen_name": "u2bheavenbound"
},
{
"created_at": "Mon Feb 12 03:41:13 +0000 2018",
"id": 962894335397236736,
"text": "@bec901 I was watching the Olympics in the room before we went to the track. And Dan Hicks is a commentator for NB\u2026 https://t.co/a05EFmW1lu",
"user.screen_name": "ldock93"
},
{
"created_at": "Mon Feb 12 03:41:13 +0000 2018",
"id": 962894335321677826,
"text": "RT @chalanlexi: MIDORI-MAO-MIRAI --- Three women who landed the difficult triple axel in the Olympics #Midori, #MaoAsada and @mirai_nagasu.\u2026",
"user.screen_name": "nica_idling"
},
{
"created_at": "Mon Feb 12 03:41:13 +0000 2018",
"id": 962894335279878144,
"text": "RT @StandWithUs: Israel's \ud83c\uddee\ud83c\uddf1\ufe0f Aimee Buchanan wows the crowd in the Olympics team competition today! \u26f8\ufe0f \u26f8\ufe0f \u26f8\ufe0f We are so proud!\n\n\ud83c\uddee\ud83c\uddf1\ufe0f GO TEA\u2026",
"user.screen_name": "indifrundig"
},
{
"created_at": "Mon Feb 12 03:41:13 +0000 2018",
"id": 962894335015612417,
"text": "RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://\u2026",
"user.screen_name": "LaMonica"
},
{
"created_at": "Mon Feb 12 03:41:13 +0000 2018",
"id": 962894334952534016,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "pacortez16"
},
{
"created_at": "Mon Feb 12 03:41:13 +0000 2018",
"id": 962894334910545926,
"text": "The only part of the olympics I care about is figure skating",
"user.screen_name": "yokoneris"
},
{
"created_at": "Mon Feb 12 03:41:13 +0000 2018",
"id": 962894334789120001,
"text": "These ice skating athletes are so amazing. Can we at least get them fabric that doesn\u2019t show sweat stains? #Olympics #IceDancing",
"user.screen_name": "JillBidenVeep"
},
{
"created_at": "Mon Feb 12 03:41:13 +0000 2018",
"id": 962894334541606912,
"text": "Johnny Weir: \"This free skate program is almost like running a full marathon and then 50 sprints right after\". No,\u2026 https://t.co/oafxiHWywu",
"user.screen_name": "realdjm14"
},
{
"created_at": "Mon Feb 12 03:41:13 +0000 2018",
"id": 962894334239518720,
"text": "RT @btschartdata: [!] Another BTS' song played at #Olympics , '21st Century Girl' was used as background music in Women Hockey Match, Canad\u2026",
"user.screen_name": "JungKoo18767621"
},
{
"created_at": "Mon Feb 12 03:41:13 +0000 2018",
"id": 962894333585313793,
"text": "RT @ABC: U.S. figure skater Mirai Nagasu makes history, becoming the first American woman - and third overall - to land a triple axel in th\u2026",
"user.screen_name": "empresswenjing"
},
{
"created_at": "Mon Feb 12 03:41:13 +0000 2018",
"id": 962894333107204096,
"text": "Game Changing Tech in action. The PyeongChang games have the most widespread use of 360-degree virtual reality... https://t.co/vw9fdyv7j4",
"user.screen_name": "NextStepCincy"
},
{
"created_at": "Mon Feb 12 03:41:13 +0000 2018",
"id": 962894332834598912,
"text": "@3L3V3NTH Well sort of, the Russians - who were kicked out for doping - still sent athletes under a code name. The\u2026 https://t.co/WAAuoJr6l8",
"user.screen_name": "MockingJayMom"
},
{
"created_at": "Mon Feb 12 03:41:13 +0000 2018",
"id": 962894332448550914,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "GaelFC"
},
{
"created_at": "Mon Feb 12 03:41:13 +0000 2018",
"id": 962894332356452352,
"text": "RT @romania_sistas: @NBCOlympics From this younger age to a triple in the Olympics....so proud)))) https://t.co/dPmEmuy5OK",
"user.screen_name": "BongioviSue"
},
{
"created_at": "Mon Feb 12 03:41:13 +0000 2018",
"id": 962894332259811328,
"text": "Decision to hold women's snowboard slopestyle in windy conditions looks questionable after numerous wipeouts https://t.co/OZvY7VHSXK",
"user.screen_name": "DanWolken"
},
{
"created_at": "Mon Feb 12 03:41:13 +0000 2018",
"id": 962894332243013637,
"text": "@null Winter Olympics 2018: Windy conditions cause Aimee Fuller problems in first run https://t.co/OF7pFUWCBc",
"user.screen_name": "RAMOSSAVIOR"
},
{
"created_at": "Mon Feb 12 03:41:13 +0000 2018",
"id": 962894332037648384,
"text": "RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G",
"user.screen_name": "YuravageGtrPlyr"
},
{
"created_at": "Mon Feb 12 03:41:13 +0000 2018",
"id": 962894331781685248,
"text": "RT @chalanlexi: MIDORI-MAO-MIRAI --- Three women who landed the difficult triple axel in the Olympics #Midori, #MaoAsada and @mirai_nagasu.\u2026",
"user.screen_name": "mizuesan"
},
{
"created_at": "Mon Feb 12 03:41:13 +0000 2018",
"id": 962894331756535808,
"text": "Tonya Harding did it 3 decades ago, not at the Olympics! https://t.co/N8AEIrSJlb",
"user.screen_name": "FitToPrint"
},
{
"created_at": "Mon Feb 12 03:41:13 +0000 2018",
"id": 962894331634946048,
"text": "RT @VABVOX: This is the campaign from @Toyota for the Olympics & Paralympics. \nAs a paralyzed person (and former athlete), I really appreci\u2026",
"user.screen_name": "RenwriterRenee"
},
{
"created_at": "Mon Feb 12 03:41:13 +0000 2018",
"id": 962894331593089024,
"text": "RT @my2k: LOOK AT THEIR FACES THEY'RE SO HAPPY OMG #olympics",
"user.screen_name": "elknight20"
},
{
"created_at": "Mon Feb 12 03:41:12 +0000 2018",
"id": 962894331190349824,
"text": "RT @BuzzFeedNews: Mirai Nagasu just became the first American woman in history to land a triple axel at the Winter Olympics(!) https://t.co\u2026",
"user.screen_name": "andreaxduarte"
},
{
"created_at": "Mon Feb 12 03:41:12 +0000 2018",
"id": 962894331114852352,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "kenbutnobarbie"
},
{
"created_at": "Mon Feb 12 03:41:12 +0000 2018",
"id": 962894331081363456,
"text": "RT @RichOToole: Winter Olympics looking like The Hunger Games https://t.co/7sDAxeC9ir",
"user.screen_name": "coffeetalkwc"
},
{
"created_at": "Mon Feb 12 03:41:12 +0000 2018",
"id": 962894330510811136,
"text": "RT @tedlieu: Congratulations to Mirai Nagasu for being the first American in history to land a triple axle at the Winter Olympics! https://\u2026",
"user.screen_name": "SteveHensonME"
},
{
"created_at": "Mon Feb 12 03:41:12 +0000 2018",
"id": 962894329755918337,
"text": "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on\u2026",
"user.screen_name": "suburbanmon"
},
{
"created_at": "Mon Feb 12 03:41:12 +0000 2018",
"id": 962894328610816001,
"text": "RT @tedlieu: Congratulations to Mirai Nagasu for being the first American in history to land a triple axle at the Winter Olympics! https://\u2026",
"user.screen_name": "justicelover"
},
{
"created_at": "Mon Feb 12 03:41:12 +0000 2018",
"id": 962894328522665984,
"text": "RT @olympicchannel: Start your day right with the @Olympics \ud83e\udd5e\ud83d\ude0b #PyeongChang2018 https://t.co/MJYc7cyHjv",
"user.screen_name": "llovejy0822"
},
{
"created_at": "Mon Feb 12 03:41:12 +0000 2018",
"id": 962894328166305792,
"text": "that was better than LIFE IS BEAUTIFUL #Olympics",
"user.screen_name": "nicksgoodtweets"
},
{
"created_at": "Mon Feb 12 03:41:11 +0000 2018",
"id": 962894327218307072,
"text": "@jaketapper Seriously why are your cohorts falling all over themselves in praise of NK and it\u2019s representatives at the Olympics?",
"user.screen_name": "djb_in_cbus"
},
{
"created_at": "Mon Feb 12 03:41:11 +0000 2018",
"id": 962894327117594625,
"text": "RT @TheRickyDavila: It says something when our amazing athletes can so easily represent the United States with class, grace, honor, dignity\u2026",
"user.screen_name": "Rmart0311"
},
{
"created_at": "Mon Feb 12 03:41:11 +0000 2018",
"id": 962894327033688064,
"text": "RT @jongninied: EXO CHOSE NOT TO RECEIVE ANYTHING AS IT IS SUCH AN HONOR FOR THEM TO PERFORM AT THE CLOSING CEREMONY PYEONCHANG WINTER OLYM\u2026",
"user.screen_name": "honeybear0114"
},
{
"created_at": "Mon Feb 12 03:41:11 +0000 2018",
"id": 962894326333231104,
"text": "RT @nytimes: Mike Pence denied a report that Adam Rippon, a gay American figure skater, had refused to meet with him. But the Olympic athle\u2026",
"user.screen_name": "Gaudias1927"
},
{
"created_at": "Mon Feb 12 03:41:11 +0000 2018",
"id": 962894326153072641,
"text": "Olympics Figure Skating Live Results: Canada Leads; US Third https://t.co/8P93NyGqkw",
"user.screen_name": "esveerst0e"
},
{
"created_at": "Mon Feb 12 03:41:11 +0000 2018",
"id": 962894325976776704,
"text": "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on\u2026",
"user.screen_name": "witchybyun"
},
{
"created_at": "Mon Feb 12 03:41:11 +0000 2018",
"id": 962894325641134080,
"text": "RT @saminseok: EXO chose not to receive compensation for performing at the Olympics\ud83d\ude2d \n\nHonor > money \u2764\ufe0f We love the Nation's pick!\n\n#EXOL #\u2026",
"user.screen_name": "tresyameiy"
},
{
"created_at": "Mon Feb 12 03:41:11 +0000 2018",
"id": 962894325565853696,
"text": "RT @BayAreaKoreans: In 2002, Shin Hyo Sun & Shim Misun, two 14 year old girls in South Korea, were killed when US soldiers ran a tank over\u2026",
"user.screen_name": "brucezzhang"
},
{
"created_at": "Mon Feb 12 03:41:11 +0000 2018",
"id": 962894325465088001,
"text": "RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://\u2026",
"user.screen_name": "xPa0lax"
},
{
"created_at": "Mon Feb 12 03:41:11 +0000 2018",
"id": 962894325439975424,
"text": "RT @KAy_TIEmyshoes: I love the Olympics https://t.co/YarQnjbr9c",
"user.screen_name": "HHuffhines"
},
{
"created_at": "Mon Feb 12 03:41:11 +0000 2018",
"id": 962894325330792448,
"text": "RT @Lesdoggg: What. Is. This!!!!! @NBCOlympics @Olympics https://t.co/SQuWG7nVYZ",
"user.screen_name": "troysteinmetz"
},
{
"created_at": "Mon Feb 12 03:41:11 +0000 2018",
"id": 962894324957507584,
"text": "Dutch fans troll Trump at the Olympics with flag: \u201cSorry Mr. President. The Netherlands First\u2026 And 2nd\u2026 And 3rd\u201d\u2026 https://t.co/Zw4iSDWiIK",
"user.screen_name": "Bunny_Godfather"
},
{
"created_at": "Mon Feb 12 03:41:11 +0000 2018",
"id": 962894324898856960,
"text": "RT @HarryPotterMAGE: As #Olympics2018 shift to sports, what on Earth happened? \nQuite simply, there were N and S Korea, side by side in th\u2026",
"user.screen_name": "SoniaRo59106523"
},
{
"created_at": "Mon Feb 12 03:41:11 +0000 2018",
"id": 962894324580212736,
"text": "RT @paulwaldman1: +1000. I've written before about how the diversity of our team is the coolest thing about the Olympics, and a quadrennial\u2026",
"user.screen_name": "clrih9"
},
{
"created_at": "Mon Feb 12 03:41:11 +0000 2018",
"id": 962894324223520769,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "cjc708"
},
{
"created_at": "Mon Feb 12 03:41:11 +0000 2018",
"id": 962894324013944833,
"text": "RT @hueber_sydney: FIRST US WOMAN TO LAND A TRIPLE AXEL AT THE #Olympics YES MY GIIIIIRL YOU DID IT ! ! \n#PyeongChang2018 #MiraiNagasu @mir\u2026",
"user.screen_name": "thegazelle22"
},
{
"created_at": "Mon Feb 12 03:41:11 +0000 2018",
"id": 962894323946803200,
"text": "RT @Maryland4Trump2: What's funny is liberals are against taking military action against North Korea, but if Kim was making insensitive com\u2026",
"user.screen_name": "emfbd"
},
{
"created_at": "Mon Feb 12 03:41:11 +0000 2018",
"id": 962894323254665216,
"text": "When I find out Canada won gold at the olympics #canada https://t.co/fjEjdLwjFf",
"user.screen_name": "Sports6ix"
},
{
"created_at": "Mon Feb 12 03:41:10 +0000 2018",
"id": 962894322927628288,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "AMEMEGUY"
},
{
"created_at": "Mon Feb 12 03:41:10 +0000 2018",
"id": 962894322906497024,
"text": "RT @billboard: Korean singers and K-pop acts get drawn into Pyeongchang 2018 Winter Olympics! EXO and CL are set to perform at the closing\u2026",
"user.screen_name": "sehunnnn14"
},
{
"created_at": "Mon Feb 12 03:41:10 +0000 2018",
"id": 962894322898104320,
"text": "There's another U.S. power couple at Olympics https://t.co/5UAms03BD7 via @yahoo",
"user.screen_name": "JKamka"
},
{
"created_at": "Mon Feb 12 03:41:10 +0000 2018",
"id": 962894322483040256,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "harjjo"
},
{
"created_at": "Mon Feb 12 03:41:10 +0000 2018",
"id": 962894321136623621,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "BreanaJean"
},
{
"created_at": "Mon Feb 12 03:41:10 +0000 2018",
"id": 962894321052631040,
"text": "RT @NBCOlympics: Quite the dramatic entrance for 2010 Olympic champion @Yunaaaa. #WinterOlympics #OpeningCeremony https://t.co/Ay5QOzAHZD h\u2026",
"user.screen_name": "dabsorama"
},
{
"created_at": "Mon Feb 12 03:41:10 +0000 2018",
"id": 962894320960389120,
"text": "RT @vlissful: i was simply reporting that the north korean cheering squad was dancing while a BTS song, blood sweat & tears, was playing at\u2026",
"user.screen_name": "lunetwt"
},
{
"created_at": "Mon Feb 12 03:41:10 +0000 2018",
"id": 962894320708800512,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "CeciliayueWang"
},
{
"created_at": "Mon Feb 12 03:41:10 +0000 2018",
"id": 962894320419434496,
"text": "RT @AnnaApp91838450: https://t.co/E2yd8MEmn7\nLeave it to our Corrupt Bias Fake \nMedia To Put The Spot Light on North Korea Cheerleaders\ud83d\udc4e\ud83c\uddfa\ud83c\uddf8\u2026",
"user.screen_name": "toiletman01"
},
{
"created_at": "Mon Feb 12 03:41:10 +0000 2018",
"id": 962894319609876480,
"text": "RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G",
"user.screen_name": "Dev24Sev"
},
{
"created_at": "Mon Feb 12 03:41:10 +0000 2018",
"id": 962894319593156608,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "Smelty246"
},
{
"created_at": "Mon Feb 12 03:41:10 +0000 2018",
"id": 962894319442042881,
"text": "RT @RedTRaccoon: Showing a complete lack of respect and class, Mike Pence refuses to stand for any country other than the United States at\u2026",
"user.screen_name": "michaelj45000"
},
{
"created_at": "Mon Feb 12 03:41:10 +0000 2018",
"id": 962894319362469888,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "pineappIemily"
},
{
"created_at": "Mon Feb 12 03:41:10 +0000 2018",
"id": 962894319307849728,
"text": "Me waiting for #VirtueMoir to begin skating and thinking about their clearly platonic friendship:\n\n#Olympics\u2026 https://t.co/UHAkCyTIJc",
"user.screen_name": "Lem0nade23"
},
{
"created_at": "Mon Feb 12 03:41:10 +0000 2018",
"id": 962894319232237568,
"text": "RT @TheNewMusicBuzz: BUZZ BITES: K-Pop Was Celebrated at the Opening Ceremony as USA Comes out to @psy_oppa'Gangnam Style' and @bts_bighit\u2026",
"user.screen_name": "elmafatika"
},
{
"created_at": "Mon Feb 12 03:41:10 +0000 2018",
"id": 962894319135928320,
"text": "#digitaltransformation in action with the #olympics2018 Tech companies built infrastructure for billions to view https://t.co/ukgaCswWtp",
"user.screen_name": "sakura280869"
},
{
"created_at": "Mon Feb 12 03:41:10 +0000 2018",
"id": 962894319119159296,
"text": "If this was my NBC app fun fact while I was skating my damn ass off in the olympics I would get divorced.\u2026 https://t.co/pjfewY5JmO",
"user.screen_name": "Alyssa_Dawn"
},
{
"created_at": "Mon Feb 12 03:41:10 +0000 2018",
"id": 962894319014342657,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "scuttling"
},
{
"created_at": "Mon Feb 12 03:41:10 +0000 2018",
"id": 962894318985007104,
"text": "RT @DLoesch: Who determined this? They\u2019ve made no concessions, starve and torture their populace, threaten war, and all they have to do is\u2026",
"user.screen_name": "SgtNickBristow"
},
{
"created_at": "Mon Feb 12 03:41:09 +0000 2018",
"id": 962894318917873664,
"text": "@Lesdoggg @NBCOlympics @Olympics Begging for Tara and Johnny to host SNL...who do I need to contact?\nPlease and tha\u2026 https://t.co/dVlX9HszcU",
"user.screen_name": "realthisgirl"
},
{
"created_at": "Mon Feb 12 03:41:09 +0000 2018",
"id": 962894318825623552,
"text": "RT @TIME: Tara Lipinski and Johnny Weir's brutal skating commentary should be an Olympic sport https://t.co/cYf0Z0PTOH",
"user.screen_name": "LetsGoHeather"
},
{
"created_at": "Mon Feb 12 03:41:09 +0000 2018",
"id": 962894318678749184,
"text": "RT @BetteMidler: Yes, I\u2019m watching the Winter Olympics while grinding my teeth\nwatching our Government, hurtling down a slippery slope unt\u2026",
"user.screen_name": "rpj66"
},
{
"created_at": "Mon Feb 12 03:41:09 +0000 2018",
"id": 962894318062071809,
"text": "RT @TorontoStar: Canada has won its first gold medal of the Pyeongchang Winter Olympics. https://t.co/QE8AbJ5gpG",
"user.screen_name": "jesshwprince"
},
{
"created_at": "Mon Feb 12 03:41:09 +0000 2018",
"id": 962894317554511873,
"text": "RT @Clefairyhyun: Acc to this article, the artists in the opening and closing of the Olympics ceremony, Exo included, receive little to no\u2026",
"user.screen_name": "oviani0114"
},
{
"created_at": "Mon Feb 12 03:41:09 +0000 2018",
"id": 962894317391106048,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "rabbighiniVW"
},
{
"created_at": "Mon Feb 12 03:41:09 +0000 2018",
"id": 962894317101592576,
"text": "RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G",
"user.screen_name": "Kkalihane"
},
{
"created_at": "Mon Feb 12 03:41:09 +0000 2018",
"id": 962894317068128258,
"text": "RT @RepMarkMeadows: While some in the media look fondly upon North Korea during the Olympics, I can't help but recall this from 2 weeks ago\u2026",
"user.screen_name": "Right_This_Ship"
},
{
"created_at": "Mon Feb 12 03:41:09 +0000 2018",
"id": 962894316757815301,
"text": "RT @RachelRoseGold1: Adam Rippon and Mirai Nagasu are roomies at the Olympics. They ate In and Out Burger when they didn't make the 2014 Ol\u2026",
"user.screen_name": "ouatlover468"
},
{
"created_at": "Mon Feb 12 03:41:09 +0000 2018",
"id": 962894315935621122,
"text": "RT @NumbersMuncher: Kim Jong Un himself has to be shocked at how easy it is to win the media over after decades of murdering his own people\u2026",
"user.screen_name": "beinpulse"
},
{
"created_at": "Mon Feb 12 03:41:09 +0000 2018",
"id": 962894315608530945,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "Miguel_Yunda"
},
{
"created_at": "Mon Feb 12 03:41:09 +0000 2018",
"id": 962894314937430017,
"text": "Being both Dutch and Canadian, I can safely say that the Winter Olympics are my jam. #sven",
"user.screen_name": "_allard"
},
{
"created_at": "Mon Feb 12 03:41:08 +0000 2018",
"id": 962894314509549570,
"text": "Nicely done Italy. I got a little teary eyed. #icedance #olympics",
"user.screen_name": "SandiAdy"
},
{
"created_at": "Mon Feb 12 03:41:08 +0000 2018",
"id": 962894314153050112,
"text": "RT @WBURartery: Trying to watch the #Olympics, but you #cutthecord? Here's how to watch: https://t.co/NRFZ1G5i3Y",
"user.screen_name": "IronicMusic"
},
{
"created_at": "Mon Feb 12 03:41:08 +0000 2018",
"id": 962894314035601408,
"text": "RT @HRC: RT to cheer on Adam Rippon (@AdaRipp) at the #Olympics! https://t.co/KIO5zX9z6i",
"user.screen_name": "RainbowAurora88"
},
{
"created_at": "Mon Feb 12 03:41:08 +0000 2018",
"id": 962894313452552192,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "Spa5m"
},
{
"created_at": "Mon Feb 12 03:41:08 +0000 2018",
"id": 962894313410658305,
"text": "RT @RobbySpankme: @Quadrant4change I\u2019ll know they\u2019re serious about Winter Olympics when they add snow shoveling & black ice driving",
"user.screen_name": "starzwithfeet"
},
{
"created_at": "Mon Feb 12 03:41:08 +0000 2018",
"id": 962894313133715456,
"text": "RT @DLoesch: She\u2019s such a good person because she showed up at the Olympics, right? That makes up for the labor camps; rapes; murder of men\u2026",
"user.screen_name": "kerin_wotsirb"
},
{
"created_at": "Mon Feb 12 03:41:08 +0000 2018",
"id": 962894312995516416,
"text": "#TeamItalia pairs free skate for their team performance is an amazing display of artistry and story telling. So muc\u2026 https://t.co/nIo3WkqZwa",
"user.screen_name": "Shoujothoughts"
},
{
"created_at": "Mon Feb 12 03:41:08 +0000 2018",
"id": 962894312806608896,
"text": "RT @TheRickyDavila: Adam Rippon was absolutely incredible. What a masterful routine and a beautiful display of artistry. Spellbinding. So p\u2026",
"user.screen_name": "THEMissB_says"
},
{
"created_at": "Mon Feb 12 03:41:08 +0000 2018",
"id": 962894312584364037,
"text": "RT @saminseok: good morning, korean media says Olympics athletes and are all secretly/openly excited that the world stars EXO are performin\u2026",
"user.screen_name": "smilechennieee"
},
{
"created_at": "Mon Feb 12 03:41:08 +0000 2018",
"id": 962894312575942657,
"text": "RT @CBCOlympics: Medal Alert \ud83d\udea8\n\nCanada guaranteed to win first gold medal in figure skating team event \ud83c\udde8\ud83c\udde6 \ud83e\udd47 #PyeongChang2018 \n\nWatch Tessa\u2026",
"user.screen_name": "dana_abossi"
},
{
"created_at": "Mon Feb 12 03:41:08 +0000 2018",
"id": 962894312542437376,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "that1pendeja"
},
{
"created_at": "Mon Feb 12 03:41:08 +0000 2018",
"id": 962894312437682178,
"text": "RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.",
"user.screen_name": "KeithAltarac"
},
{
"created_at": "Mon Feb 12 03:41:08 +0000 2018",
"id": 962894312437633025,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "TalBG5"
},
{
"created_at": "Mon Feb 12 03:41:08 +0000 2018",
"id": 962894312403955713,
"text": "RT @seohyundaily: Imagine getting call from Blue House to perform historic concert same day for Olympics in presence of President....with n\u2026",
"user.screen_name": "PastelRosePearl"
},
{
"created_at": "Mon Feb 12 03:41:08 +0000 2018",
"id": 962894312328581120,
"text": "RT @FearDept: At #Olympics opening ceremonies:\n- Kim Jong Un\u2019s sister stood & clapped for Team America\n- VP Mike Pence didn't acknowledge N\u2026",
"user.screen_name": "NotMeCharles"
},
{
"created_at": "Mon Feb 12 03:41:08 +0000 2018",
"id": 962894312202821632,
"text": "RT @NBCOlympics: Alina Zagitova was simply flawless, and her teammate Evgenia Medvedeva was LOVING IT! #WinterOlympics https://t.co/NsNuy9F\u2026",
"user.screen_name": "inuyashas_"
},
{
"created_at": "Mon Feb 12 03:41:08 +0000 2018",
"id": 962894312169246720,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "maisany"
},
{
"created_at": "Mon Feb 12 03:41:08 +0000 2018",
"id": 962894312089489408,
"text": "RT @peachyblackgorl: as the winter Olympics begin....never forget about Surya Bonaly, a French figure skater who did a backflip and landed\u2026",
"user.screen_name": "otrasIou"
},
{
"created_at": "Mon Feb 12 03:41:08 +0000 2018",
"id": 962894311330283521,
"text": "RT @tedlieu: Congratulations to Mirai Nagasu for being the first American in history to land a triple axle at the Winter Olympics! https://\u2026",
"user.screen_name": "fastwriter2"
},
{
"created_at": "Mon Feb 12 03:41:08 +0000 2018",
"id": 962894311229739009,
"text": "RT @KHOU: Mirai Nagasu is first American woman to land triple axel during Olympics https://t.co/j1SV2Jsg2e #khou https://t.co/hqaASrv8jQ",
"user.screen_name": "Like_A_Ross16"
},
{
"created_at": "Mon Feb 12 03:41:08 +0000 2018",
"id": 962894311149981696,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "SHeczko"
},
{
"created_at": "Mon Feb 12 03:41:08 +0000 2018",
"id": 962894311095455744,
"text": "Mirai Nagasu Just Became the First American Woman to Land a Triple Axel in the Winter Olympics - Jezebel https://t.co/bfp5gRdjc0",
"user.screen_name": "UserGlobal"
},
{
"created_at": "Mon Feb 12 03:41:08 +0000 2018",
"id": 962894311015829505,
"text": "lesbuchanan: Summer Olympics: Who can run the fastest? :) Who can swim the fastest? :) Who can do the best... https://t.co/FgQKhzYDxk",
"user.screen_name": "theESC"
},
{
"created_at": "Mon Feb 12 03:41:08 +0000 2018",
"id": 962894310952919040,
"text": "Hard to believe that there are families that don\u2019t watch the Olympics together. It\u2019s literally our favorite thing.\u2026 https://t.co/jXptnKzf4i",
"user.screen_name": "WPBCharlie"
},
{
"created_at": "Mon Feb 12 03:41:08 +0000 2018",
"id": 962894310818697216,
"text": "Not an Olympics follower but I am so here for this https://t.co/4uGquztg0S",
"user.screen_name": "BCWallin"
},
{
"created_at": "Mon Feb 12 03:41:08 +0000 2018",
"id": 962894310692683776,
"text": "Yonghwa should have been at the Olympics but that was stolen from him by SBS and KHU. Give him justice!\u2026 https://t.co/qKcM2cKcLL",
"user.screen_name": "PurpleInYrEyes"
},
{
"created_at": "Mon Feb 12 03:41:08 +0000 2018",
"id": 962894310613041153,
"text": "RT @Rosie: beautiful man - beautiful soul \n#AdamRippon - national hero\n#Olympics https://t.co/MbjOoXJhP6",
"user.screen_name": "sharilynns65"
},
{
"created_at": "Mon Feb 12 03:41:07 +0000 2018",
"id": 962894310114054145,
"text": "RT @LanceUlanoff: Boom! 3.25\u2013 a first at the Winter #Olympics #nagasu #tripleaxel https://t.co/f5sG2pJVb8",
"user.screen_name": "Aznmomma69"
},
{
"created_at": "Mon Feb 12 03:41:07 +0000 2018",
"id": 962894310017400832,
"text": "RT @chalanlexi: MIDORI-MAO-MIRAI --- Three women who landed the difficult triple axel in the Olympics #Midori, #MaoAsada and @mirai_nagasu.\u2026",
"user.screen_name": "lennan6"
},
{
"created_at": "Mon Feb 12 03:41:07 +0000 2018",
"id": 962894309778509825,
"text": "Figure skating is like professional wrestling. When it\u2019s at its best, it\u2019s transcendent; it\u2019s sports entertainment. #Olympics #WWE",
"user.screen_name": "TheCoachAdair"
},
{
"created_at": "Mon Feb 12 03:41:07 +0000 2018",
"id": 962894309442932739,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "Gabby_Zibell"
},
{
"created_at": "Mon Feb 12 03:41:07 +0000 2018",
"id": 962894308864090112,
"text": "RT @nytimes: Mike Pence denied a report that Adam Rippon, a gay American figure skater, had refused to meet with him. But the Olympic athle\u2026",
"user.screen_name": "HelmsMedia"
},
{
"created_at": "Mon Feb 12 03:41:07 +0000 2018",
"id": 962894308440530944,
"text": "I couldn\u2019t help but smile wth Capellini/Lanotte. #PyeongChang2018 #Olympics #FigureSkating",
"user.screen_name": "NaiDarling"
},
{
"created_at": "Mon Feb 12 03:41:07 +0000 2018",
"id": 962894308322918401,
"text": "It's Olympics season aka \"OHMIGOD you've been practicing your whole life to FALL IN THE FIRST 20 SECONDS WHAT THE F\u2026 https://t.co/fiLXSJ9RnQ",
"user.screen_name": "kayfrizzz"
},
{
"created_at": "Mon Feb 12 03:41:07 +0000 2018",
"id": 962894308239073280,
"text": "RT @donnyosmond: Debbie & I are watching the @Olympics tonight and we think it's so cool that there's an Osmond in the Olympics. @kaetlyn_2\u2026",
"user.screen_name": "BobbySudds"
},
{
"created_at": "Mon Feb 12 03:41:07 +0000 2018",
"id": 962894307576504321,
"text": "That \"obscure\" sport has been around for 600 years and is quite popular in many parts of the world. You might want\u2026 https://t.co/NbDLE43KSl",
"user.screen_name": "dreamsof2005"
},
{
"created_at": "Mon Feb 12 03:41:07 +0000 2018",
"id": 962894307488358405,
"text": "RT @sidewalkangels: In the shadow of the Olympics, a brutal trade in dog meat (opinion) - CNN https://t.co/gFOY9So3ho",
"user.screen_name": "YaRicher"
},
{
"created_at": "Mon Feb 12 03:41:07 +0000 2018",
"id": 962894307043758080,
"text": "RT @Machaizelli: A figure skater just made American Olympic history and the NBC commentators still had to compare her to the men #Olympics\u2026",
"user.screen_name": "MichelleHalm"
},
{
"created_at": "Mon Feb 12 03:41:07 +0000 2018",
"id": 962894306875977729,
"text": "RT @CharlieDaniels: There\u2019s a Cowboy Olympics in Las Vegas every December\nIts called the National Finals Rodeo and its the toughest games i\u2026",
"user.screen_name": "sonshineandrain"
},
{
"created_at": "Mon Feb 12 03:41:07 +0000 2018",
"id": 962894306829680640,
"text": "The ice skaters in the olympics are soo good \ud83d\ude0d",
"user.screen_name": "Danielle053101"
},
{
"created_at": "Mon Feb 12 03:41:06 +0000 2018",
"id": 962894306208989184,
"text": "RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face\u2026",
"user.screen_name": "ModernMarvel_14"
},
{
"created_at": "Mon Feb 12 03:41:06 +0000 2018",
"id": 962894306112569345,
"text": "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on\u2026",
"user.screen_name": "megasorusrex"
},
{
"created_at": "Mon Feb 12 03:41:06 +0000 2018",
"id": 962894306045517824,
"text": "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on\u2026",
"user.screen_name": "victorialynn___"
},
{
"created_at": "Mon Feb 12 03:41:06 +0000 2018",
"id": 962894305915531264,
"text": "RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G",
"user.screen_name": "Mr_LeRok"
},
{
"created_at": "Mon Feb 12 03:41:06 +0000 2018",
"id": 962894305860902912,
"text": "RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G",
"user.screen_name": "maldy777"
},
{
"created_at": "Mon Feb 12 03:41:06 +0000 2018",
"id": 962894304619520000,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "carlysschaublin"
},
{
"created_at": "Mon Feb 12 03:41:06 +0000 2018",
"id": 962894304438992898,
"text": "RT @MKBHD: Ok this drone light show during the opening ceremonies of the Olympics is definitely one of the coolest thing I've ever seen. HO\u2026",
"user.screen_name": "amalaey"
},
{
"created_at": "Mon Feb 12 03:41:06 +0000 2018",
"id": 962894304380268544,
"text": "RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://\u2026",
"user.screen_name": "DeepEndDining"
},
{
"created_at": "Mon Feb 12 03:41:06 +0000 2018",
"id": 962894303608623105,
"text": "RT @reuterspictures: Snowboarder Mark McMorris of Canada celebrates winning bronze less than a year after after nearly dying in backcountry\u2026",
"user.screen_name": "De94989504O"
},
{
"created_at": "Mon Feb 12 03:41:06 +0000 2018",
"id": 962894303348506629,
"text": "RT @TechnicallyRon: Your definitive guide to the sports of the 2018 Winter Olympics https://t.co/Oyon5qfHBc",
"user.screen_name": "doubleflutz"
},
{
"created_at": "Mon Feb 12 03:41:06 +0000 2018",
"id": 962894303176491008,
"text": "RT @olympicchannel: That feeling when you land the first triple axel by a @TeamUSA woman at the #Olympics! \ud83e\udd29\ud83e\udd17 An incredible moment for @mir\u2026",
"user.screen_name": "BluecosmosH"
},
{
"created_at": "Mon Feb 12 03:41:06 +0000 2018",
"id": 962894303059161088,
"text": "RT @bleuvaIentine: naomi campbell, london olympics closing ceremony (2012) https://t.co/Jhj45iTf1e",
"user.screen_name": "lisa_shwayze"
},
{
"created_at": "Mon Feb 12 03:41:06 +0000 2018",
"id": 962894303034003456,
"text": "I enjoy figure skating at the #Olympics as much as the next casual fan, but I cannot wait for the day they allow queer skating pairs \ud83d\ude0d",
"user.screen_name": "rachelhwrites"
},
{
"created_at": "Mon Feb 12 03:41:06 +0000 2018",
"id": 962894302840942593,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "JulieFrey10"
},
{
"created_at": "Mon Feb 12 03:41:06 +0000 2018",
"id": 962894302836940801,
"text": "RT @olympicchannel: That feeling when you land the first triple axel by a @TeamUSA woman at the #Olympics! \ud83e\udd29\ud83e\udd17 An incredible moment for @mir\u2026",
"user.screen_name": "Sandy_NM"
},
{
"created_at": "Mon Feb 12 03:41:06 +0000 2018",
"id": 962894302585044992,
"text": "RT @NBCOlympics: COMING UP: @mirai_nagasu returns to the #WinterOlympics!\n\nSee it on @nbc or stream it here: https://t.co/NsNuy9F46h https:\u2026",
"user.screen_name": "yuzurunrun357"
},
{
"created_at": "Mon Feb 12 03:41:06 +0000 2018",
"id": 962894302501392384,
"text": "RT @jeantinb: Sorry #Trump @POTUS \nThe Netherlands First - Second and Thirth!! #Olympics #Iceskating https://t.co/KqUbBB3jE5",
"user.screen_name": "EduardoPradoTV"
},
{
"created_at": "Mon Feb 12 03:41:06 +0000 2018",
"id": 962894302324998144,
"text": "@mitchellvii I've got a USA Hockey hat - just waiting for the real games at the Olympics",
"user.screen_name": "caarecengi"
},
{
"created_at": "Mon Feb 12 03:41:06 +0000 2018",
"id": 962894302258057216,
"text": "RT @therebeccasun: Mirai Nagasu didn't need to redeem herself, because she always deserved to make the 2014 Olympic team. What she did was\u2026",
"user.screen_name": "LorenLChen"
},
{
"created_at": "Mon Feb 12 03:41:05 +0000 2018",
"id": 962894301842804736,
"text": "@jimmyfallon @FallonTonight here is our daughter, Bailey, competing in some at-home winter Olympics! #goldmedalbaby https://t.co/uVMMviplwh",
"user.screen_name": "ElverKelsey"
},
{
"created_at": "Mon Feb 12 03:41:05 +0000 2018",
"id": 962894301566001154,
"text": "RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://\u2026",
"user.screen_name": "SteveCalderon85"
},
{
"created_at": "Mon Feb 12 03:41:05 +0000 2018",
"id": 962894301490569221,
"text": "Ahh this #Olympics #IceDancing is making me want an #OutlawQueen manip of Robin & Regina as figure skaters,",
"user.screen_name": "MediaKAT1912"
},
{
"created_at": "Mon Feb 12 03:41:05 +0000 2018",
"id": 962894300467159041,
"text": "RT @BuzzFeed: Mirai Nagasu just became the first US woman to land the triple axel at the Olympics https://t.co/JLdvT17Q9t https://t.co/T4mX\u2026",
"user.screen_name": "kelceycee"
},
{
"created_at": "Mon Feb 12 03:41:05 +0000 2018",
"id": 962894300022386689,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "910escape"
},
{
"created_at": "Mon Feb 12 03:41:05 +0000 2018",
"id": 962894300018221056,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "thewilliam"
},
{
"created_at": "Mon Feb 12 03:41:05 +0000 2018",
"id": 962894299879768065,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "neptuniabox"
},
{
"created_at": "Mon Feb 12 03:41:05 +0000 2018",
"id": 962894299850473472,
"text": "These Winter Olympics are making me want to watch Yuri on Ice again!!",
"user.screen_name": "kaymarie47"
},
{
"created_at": "Mon Feb 12 03:41:05 +0000 2018",
"id": 962894299791745025,
"text": "@nolanfast @Olympics Valid point. You just have to do it at 60+ miles per hour",
"user.screen_name": "thatgirlfromOH"
},
{
"created_at": "Mon Feb 12 03:41:05 +0000 2018",
"id": 962894299007504385,
"text": "RT @CdnPress: BREAKING: Canada wins gold medal in team figure skating at #PyeongChang2018 Olympics\n\n#TeamCanada https://t.co/CMrTX8xsz1",
"user.screen_name": "MaxColella1"
},
{
"created_at": "Mon Feb 12 03:41:05 +0000 2018",
"id": 962894298709557253,
"text": "@ririkyos yo the winter olympics belong to Asians this year everyone is just tearing. this. shit. upppPPPPPppp",
"user.screen_name": "T1mco"
},
{
"created_at": "Mon Feb 12 03:41:05 +0000 2018",
"id": 962894298432901121,
"text": "RT @BuzzFeedNews: Mirai Nagasu just became the first American woman in history to land a triple axel at the Winter Olympics(!) https://t.co\u2026",
"user.screen_name": "ghayes221"
},
{
"created_at": "Mon Feb 12 03:41:05 +0000 2018",
"id": 962894298202042369,
"text": "RT @CBCOlympics: When the event is delayed, women's slopestyle will play! \n\n@spencerobrien @LaurieBlouin Brooke Voigt @aimee_fuller \n\nLive\u2026",
"user.screen_name": "TinDizzy"
},
{
"created_at": "Mon Feb 12 03:41:05 +0000 2018",
"id": 962894298004865025,
"text": "Things I would like to see changed in Winter Olympics: 1. Put figure skating in its own channel so I don\u2019t ever hav\u2026 https://t.co/1GBiCzFzK8",
"user.screen_name": "Tpstewart8"
},
{
"created_at": "Mon Feb 12 03:41:04 +0000 2018",
"id": 962894297648549889,
"text": "The latest U.S. Flash Feed ! https://t.co/bbXJOLu8sI #olympics #winterolympics",
"user.screen_name": "Flash_Feed"
},
{
"created_at": "Mon Feb 12 03:41:04 +0000 2018",
"id": 962894297598189569,
"text": "RT @jewellwindrow: the figure skating olympics are so intense",
"user.screen_name": "_laureneliz"
},
{
"created_at": "Mon Feb 12 03:41:04 +0000 2018",
"id": 962894297426141184,
"text": "RT @wani_chenchen: Power play in Dubai Fountain \nEXO perform in Winter Olympics closing ceremony\nJunmyeon, Kyungsoo & Sehun new drama/ film\u2026",
"user.screen_name": "silverscky"
},
{
"created_at": "Mon Feb 12 03:41:04 +0000 2018",
"id": 962894297040281606,
"text": "RT @Olympics: Anything is possible. @markmcmorris #NeverGiveUp #PyeongChang2018 #Olympics https://t.co/485NH8MJUq",
"user.screen_name": "leona_banana"
},
{
"created_at": "Mon Feb 12 03:41:04 +0000 2018",
"id": 962894296897740806,
"text": "RT @ABC: U.S. figure skater Mirai Nagasu makes history, becoming the first American woman - and third overall - to land a triple axel in th\u2026",
"user.screen_name": "lindseykhale"
},
{
"created_at": "Mon Feb 12 03:41:04 +0000 2018",
"id": 962894296847237120,
"text": "RT @CNN: Last year he almost died in a snowboarding accident. Now he's won bronze at the Olympics. https://t.co/S9Rf6QufiQ https://t.co/BiZ\u2026",
"user.screen_name": "beaucarborundum"
},
{
"created_at": "Mon Feb 12 03:41:04 +0000 2018",
"id": 962894296771907584,
"text": "RT @Maryland4Trump2: What's funny is liberals are against taking military action against North Korea, but if Kim was making insensitive com\u2026",
"user.screen_name": "inittowinit007"
},
{
"created_at": "Mon Feb 12 03:41:04 +0000 2018",
"id": 962894296721457153,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "_khaleesikay_"
},
{
"created_at": "Mon Feb 12 03:41:04 +0000 2018",
"id": 962894296658710528,
"text": "RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://\u2026",
"user.screen_name": "Stillsaucinmare"
},
{
"created_at": "Mon Feb 12 03:41:04 +0000 2018",
"id": 962894296532824064,
"text": "RT @TheRickyDavila: It says something when our amazing athletes can so easily represent the United States with class, grace, honor, dignity\u2026",
"user.screen_name": "candacemickey1"
},
{
"created_at": "Mon Feb 12 03:41:04 +0000 2018",
"id": 962894296369201154,
"text": "RT @BetteMidler: Yes, I\u2019m watching the Winter Olympics while grinding my teeth\nwatching our Government, hurtling down a slippery slope unt\u2026",
"user.screen_name": "FoxxyGlamKitty"
},
{
"created_at": "Mon Feb 12 03:41:04 +0000 2018",
"id": 962894296163610624,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "kimprovising"
},
{
"created_at": "Mon Feb 12 03:41:04 +0000 2018",
"id": 962894295945523200,
"text": "RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://\u2026",
"user.screen_name": "kenianotx"
},
{
"created_at": "Mon Feb 12 03:41:04 +0000 2018",
"id": 962894295605874688,
"text": "RT @tedlieu: Congratulations to Mirai Nagasu for being the first American in history to land a triple axle at the Winter Olympics! https://\u2026",
"user.screen_name": "luciahoff"
},
{
"created_at": "Mon Feb 12 03:41:04 +0000 2018",
"id": 962894294817259521,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "jimstamant"
},
{
"created_at": "Mon Feb 12 03:41:04 +0000 2018",
"id": 962894294687215616,
"text": "RT @StandingDarrell: @ericbolling \ud83c\uddfa\ud83c\uddf8I\u2019d rather watch grass grow than either a leftist/muslim propaganda show or the self indulgent orgy of\u2026",
"user.screen_name": "norvilgirl"
},
{
"created_at": "Mon Feb 12 03:41:04 +0000 2018",
"id": 962894294544613378,
"text": "RT @rockerskating: From Muramoto/Reed's protocols, the calls seem to be less strict today - 5 lvl 4 elements, 1 lvl 3 on the diagonal step,\u2026",
"user.screen_name": "as_a_ki"
},
{
"created_at": "Mon Feb 12 03:41:04 +0000 2018",
"id": 962894294439878657,
"text": "RT @AmericaFirstPAC: Congrats @RedmondGerard on bringing home the first gold medal for @TeamUSA! #Olympics2018\ud83e\udd47https://t.co/zKVon8N5OY",
"user.screen_name": "tnevilletx2"
},
{
"created_at": "Mon Feb 12 03:41:04 +0000 2018",
"id": 962894294435745793,
"text": "@NBCOlympics reference wopeople's #snowboard competition at #Olympics tell you announcers that it's called the\u2026 https://t.co/i2nGCKRShN",
"user.screen_name": "CarlSpry"
},
{
"created_at": "Mon Feb 12 03:41:04 +0000 2018",
"id": 962894293944938497,
"text": "RT @pourmecoffee: Incredible double-jump by the Russian athlete at the Olympics. https://t.co/R2oftxmlsV",
"user.screen_name": "chelleinchicago"
},
{
"created_at": "Mon Feb 12 03:41:04 +0000 2018",
"id": 962894293810659328,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "lizzifranceska"
},
{
"created_at": "Mon Feb 12 03:41:04 +0000 2018",
"id": 962894293781438465,
"text": "RT @mamaloie: @brithume @kits54 Not watching the Olympics. I would rather miss the whole week than listen to our media\u2019s drivel.",
"user.screen_name": "SabinaSweet16"
},
{
"created_at": "Mon Feb 12 03:41:03 +0000 2018",
"id": 962894293034774528,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "katie_6943"
},
{
"created_at": "Mon Feb 12 03:41:03 +0000 2018",
"id": 962894292892225537,
"text": "Beautiful skate from Team Italy. #olympics",
"user.screen_name": "Destini41"
},
{
"created_at": "Mon Feb 12 03:41:03 +0000 2018",
"id": 962894292820873216,
"text": "@BenSuttonISP @TeamUSA @Olympics @pyeongchang2018 What\u2019s the old saying? Flying is easy, it\u2019s the landing that\u2019s tu\u2026 https://t.co/o7cP8FplIC",
"user.screen_name": "Mark_CWilson"
},
{
"created_at": "Mon Feb 12 03:41:03 +0000 2018",
"id": 962894292678250502,
"text": "RT @BuzzFeedNews: Mirai Nagasu just became the first American woman in history to land a triple axel at the Winter Olympics(!) https://t.co\u2026",
"user.screen_name": "savannah_jackk"
},
{
"created_at": "Mon Feb 12 03:41:03 +0000 2018",
"id": 962894292661493760,
"text": "RT @Olympics: That moment when you win your country's first ever men's singles Olympic #luge medal in history! Congratulations @Mazdzer! \ud83d\udc4f\ud83d\udc4f\u2026",
"user.screen_name": "laureenm01"
},
{
"created_at": "Mon Feb 12 03:41:03 +0000 2018",
"id": 962894292183379968,
"text": "#Annacappellini and #LucaLanotte that was just breath taking!! #figureskating #Olympics #PyeongChang2018 #Italy",
"user.screen_name": "beakey3"
},
{
"created_at": "Mon Feb 12 03:41:03 +0000 2018",
"id": 962894291923238913,
"text": "RT @BuzzFeedNews: Mirai Nagasu just became the first American woman in history to land a triple axel at the Winter Olympics(!) https://t.co\u2026",
"user.screen_name": "BMK0204"
},
{
"created_at": "Mon Feb 12 03:41:03 +0000 2018",
"id": 962894291919036416,
"text": "RT @CBCNews: BREAKING: Canada's first gold in Pyeongchang will be in figure skating https://t.co/8wKDWpzISR",
"user.screen_name": "_warriorstrongx"
},
{
"created_at": "Mon Feb 12 03:41:03 +0000 2018",
"id": 962894291763740672,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "RedTheTrucker"
},
{
"created_at": "Mon Feb 12 03:41:03 +0000 2018",
"id": 962894291302600704,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "gabbyrooo"
},
{
"created_at": "Mon Feb 12 03:41:03 +0000 2018",
"id": 962894290908139520,
"text": "RT @RepMarkMeadows: While some in the media look fondly upon North Korea during the Olympics, I can't help but recall this from 2 weeks ago\u2026",
"user.screen_name": "nickbarnesaus"
},
{
"created_at": "Mon Feb 12 03:41:03 +0000 2018",
"id": 962894290883174400,
"text": "https://t.co/PaqtIc7kjF: \"Winter Olympics 2018: Windy conditions cause Aimee Fuller problems in first run\" https://t.co/2jMRxHLmdr",
"user.screen_name": "SportsNewsBet"
},
{
"created_at": "Mon Feb 12 03:41:03 +0000 2018",
"id": 962894290585255936,
"text": "RT @FoxNews: CNN slammed for glowing puff piece about Kim Jong Un's sister at Olympics https://t.co/OBkZEtFD15",
"user.screen_name": "rp_robinson"
},
{
"created_at": "Mon Feb 12 03:41:03 +0000 2018",
"id": 962894290446835712,
"text": "RT @GlobalBC: Do you care about the Olympics at all?\nhttps://t.co/maGeVrznKZ",
"user.screen_name": "Mike49117484"
},
{
"created_at": "Mon Feb 12 03:41:03 +0000 2018",
"id": 962894290409132032,
"text": "RT @USATODAY: It doesn\u2019t get much more impressive than this. https://t.co/La2NeZLE9J #Olympics",
"user.screen_name": "anboyd0806"
},
{
"created_at": "Mon Feb 12 03:41:03 +0000 2018",
"id": 962894290161754112,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "silkyjoons"
},
{
"created_at": "Mon Feb 12 03:41:03 +0000 2018",
"id": 962894289645768704,
"text": "RT @RealMAGASteve: RETWEET - If you believe @CNN should be recognized as North Korea's Official State Propaganda Network after their perver\u2026",
"user.screen_name": "cindy_uzzell"
},
{
"created_at": "Mon Feb 12 03:41:03 +0000 2018",
"id": 962894289633124353,
"text": "RT @btschartdata: [!] Another BTS' song played at #Olympics , '21st Century Girl' was used as background music in Women Hockey Match, Canad\u2026",
"user.screen_name": "PinkVunny"
},
{
"created_at": "Mon Feb 12 03:41:03 +0000 2018",
"id": 962894289591291904,
"text": "I\u2019m watching the partner ice skating Olympics at Apollo\u2019s and there\u2019s no sound so I\u2019m imagining all of them are ska\u2026 https://t.co/Wuw4HJnkbl",
"user.screen_name": "JordanBillings1"
},
{
"created_at": "Mon Feb 12 03:41:02 +0000 2018",
"id": 962894289368899584,
"text": "\ud83c\udf47 It's a damn shame McKayla Maroney isn't in the Olympics this year (27 Photos)\n\nhttps://t.co/V46adsI7xc",
"user.screen_name": "eustoliagasser"
},
{
"created_at": "Mon Feb 12 03:41:02 +0000 2018",
"id": 962894289121488896,
"text": "RT @Slate: Mirai Nagasu is the third woman to do a triple axel in the Olympics. Watch all three: https://t.co/gQO2lcL2Uh https://t.co/HveC5\u2026",
"user.screen_name": "NigelHaarstad"
},
{
"created_at": "Mon Feb 12 03:41:02 +0000 2018",
"id": 962894289117241344,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "Minion_Vale"
},
{
"created_at": "Mon Feb 12 03:41:02 +0000 2018",
"id": 962894288655929344,
"text": "RT @nytimes: The Olympics in Pyeongchang are in full swing. Here's what you may have missed, from the perspective of our photographers. htt\u2026",
"user.screen_name": "lolahwalker"
},
{
"created_at": "Mon Feb 12 03:41:02 +0000 2018",
"id": 962894288408363009,
"text": "RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face\u2026",
"user.screen_name": "carmenyount"
},
{
"created_at": "Mon Feb 12 03:41:02 +0000 2018",
"id": 962894287829655552,
"text": "RT @SInow: You can't fake this kind of chemistry https://t.co/rEsmxO8rHs",
"user.screen_name": "Mayrely_Rojas"
},
{
"created_at": "Mon Feb 12 03:41:02 +0000 2018",
"id": 962894287439581184,
"text": "Highkey gonna start saving for Tokyo 2020 Olympics at the end of this year.",
"user.screen_name": "MilenaToro_"
},
{
"created_at": "Mon Feb 12 03:41:02 +0000 2018",
"id": 962894287095713792,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "RouhiJaan"
},
{
"created_at": "Mon Feb 12 03:41:02 +0000 2018",
"id": 962894287053770752,
"text": "RT @ABC: U.S. figure skater Mirai Nagasu makes history, becoming the first American woman - and third overall - to land a triple axel in th\u2026",
"user.screen_name": "PottstownNews"
},
{
"created_at": "Mon Feb 12 03:41:02 +0000 2018",
"id": 962894287041019904,
"text": "RT @CBCAlerts: BREAKING: Canada's first gold in Pyeongchang will be in figure skating https://t.co/lZnL5HPwQT",
"user.screen_name": "Toby1Kanobe"
},
{
"created_at": "Mon Feb 12 03:41:02 +0000 2018",
"id": 962894286831398912,
"text": "RT @Lesdoggg: Then this outfit LORDT!!!!! @NBCOlympics @Olympics https://t.co/W6sMnrvuPg",
"user.screen_name": "DJMKHennelz"
},
{
"created_at": "Mon Feb 12 03:41:02 +0000 2018",
"id": 962894286785261568,
"text": "RT @KAy_TIEmyshoes: I love the Olympics https://t.co/YarQnjbr9c",
"user.screen_name": "lovalle25"
},
{
"created_at": "Mon Feb 12 03:41:02 +0000 2018",
"id": 962894285971623937,
"text": "RT @CNN: Last year he almost died in a snowboarding accident. Now he's won bronze at the Olympics. https://t.co/S9Rf6QufiQ https://t.co/BiZ\u2026",
"user.screen_name": "KimiMom3"
},
{
"created_at": "Mon Feb 12 03:41:02 +0000 2018",
"id": 962894285594091521,
"text": "This is what self confidence looks like. An exceptional performance! Outstanding! \n#Olympics #OlympicWinterGames https://t.co/CEb6ytuO3j",
"user.screen_name": "prevostscifi"
},
{
"created_at": "Mon Feb 12 03:41:02 +0000 2018",
"id": 962894285593968640,
"text": "RT @AlpineGarrison: Is everybody enjoying the Olympics?\n\nAlpine Garrison actually went through the trials but unfortunately didn't make the\u2026",
"user.screen_name": "kindy0416"
},
{
"created_at": "Mon Feb 12 03:41:02 +0000 2018",
"id": 962894285589721088,
"text": "RT @LegendsExoOT9: Dont forget to watch Nations Boygroup EXO who will perform as Koreas representatives in Olympics #ClosingCeremony on 25t\u2026",
"user.screen_name": "mylordsehun"
},
{
"created_at": "Mon Feb 12 03:41:02 +0000 2018",
"id": 962894285564608512,
"text": "RT @hotfunkytown: Race reared its ugly head at the Olympics. Davis boycotted the opening ceremonies using #blackhistorymonth\n\nFor Shani Da\u2026",
"user.screen_name": "cordia_83"
},
{
"created_at": "Mon Feb 12 03:41:02 +0000 2018",
"id": 962894285401042944,
"text": "RT @vonhonkington: really excited for the olympics this year https://t.co/5UMAIoKh7U",
"user.screen_name": "norimaro_game"
},
{
"created_at": "Mon Feb 12 03:41:01 +0000 2018",
"id": 962894285334081536,
"text": "RT @TheEconomist: On some days during the 2016 Olympics almost half the tests were abandoned because the testers couldn't find the athletes\u2026",
"user.screen_name": "stephaniekays"
},
{
"created_at": "Mon Feb 12 03:41:01 +0000 2018",
"id": 962894284998565889,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "MEG_nog98"
},
{
"created_at": "Mon Feb 12 03:41:01 +0000 2018",
"id": 962894284881096706,
"text": "@NickyBlack17 Jason Belmonti pro bowler is from Australia I call him the thunder from down under he won championshi\u2026 https://t.co/VCJualUNK1",
"user.screen_name": "TheRobertDennis"
},
{
"created_at": "Mon Feb 12 03:41:01 +0000 2018",
"id": 962894284826451968,
"text": "@JKNo_emi @the50person It\u2019s the Olympics you will not get any calls...",
"user.screen_name": "chiburahakkai"
},
{
"created_at": "Mon Feb 12 03:41:01 +0000 2018",
"id": 962894284725899264,
"text": "RT @byrdinator: This story is literally \u201cKim Jong Un\u2019s sister got more media attention than Mike Pence!\u201d\n\nThere\u2019s something uniquely self-a\u2026",
"user.screen_name": "SnarkActual"
},
{
"created_at": "Mon Feb 12 03:41:01 +0000 2018",
"id": 962894284545544192,
"text": "RT @TechnicallyRon: Your definitive guide to the sports of the 2018 Winter Olympics https://t.co/Oyon5qfHBc",
"user.screen_name": "RikkuPyon"
},
{
"created_at": "Mon Feb 12 03:41:01 +0000 2018",
"id": 962894284268634112,
"text": "Figure skaters have nice ass's hahaha xD thanks Olympics !! \ud83c\udf51\ud83c\udf51\ud83c\udf51\ud83d\ude0d\ud83d\ude0d tight pants are great hehe",
"user.screen_name": "JBawesome69"
},
{
"created_at": "Mon Feb 12 03:41:01 +0000 2018",
"id": 962894282871967745,
"text": "RT @LauraEichsteadt: Rippon better get a medal after making me weep with that routine \ud83d\ude0d\ud83d\ude22 #Olympics",
"user.screen_name": "Hhutchison23"
},
{
"created_at": "Mon Feb 12 03:41:01 +0000 2018",
"id": 962894282855272448,
"text": ".@NBCSN #Olympics \"coverage\". Two minutes of actual competition, five minutes of commercials, three minute \"feature\u2026 https://t.co/6V7AS6YcK8",
"user.screen_name": "retrofade"
},
{
"created_at": "Mon Feb 12 03:41:01 +0000 2018",
"id": 962894282746195969,
"text": "RT @Lesdoggg: Shiiiiit like to see you give her a bad score!!! @NBCOlympics @Olympics https://t.co/0krtijP4vb",
"user.screen_name": "hopscotchy"
},
{
"created_at": "Mon Feb 12 03:41:01 +0000 2018",
"id": 962894282515300352,
"text": "RT @HarlanCoben: Me: I\u2019ve never watched luge. I know nothing about it. \n\nMe 20 minutes later: Turns 9 through 12 are really the key to vict\u2026",
"user.screen_name": "DominicDs34"
},
{
"created_at": "Mon Feb 12 03:41:01 +0000 2018",
"id": 962894282368671744,
"text": "RT @jigolden: All of these winter sports look incredibly hard. But, I think the scoring for figure skating is the most brutal by far. #Olym\u2026",
"user.screen_name": "DiChristine"
},
{
"created_at": "Mon Feb 12 03:41:01 +0000 2018",
"id": 962894282142044160,
"text": "RT @CBCOlympics: When the event is delayed, women's slopestyle will play! \n\n@spencerobrien @LaurieBlouin Brooke Voigt @aimee_fuller \n\nLive\u2026",
"user.screen_name": "_angelaandrews"
},
{
"created_at": "Mon Feb 12 03:41:01 +0000 2018",
"id": 962894282112761862,
"text": "RT @MKBHD: Ok this drone light show during the opening ceremonies of the Olympics is definitely one of the coolest thing I've ever seen. HO\u2026",
"user.screen_name": "PavelBicu"
},
{
"created_at": "Mon Feb 12 03:41:01 +0000 2018",
"id": 962894281932328961,
"text": "RT @TechnicallyRon: Your definitive guide to the sports of the 2018 Winter Olympics https://t.co/Oyon5qfHBc",
"user.screen_name": "BGHilton"
},
{
"created_at": "Mon Feb 12 03:41:01 +0000 2018",
"id": 962894281424982017,
"text": "Speaking of the Olympics, Is it normal for my TOES to hurt after a very long run because I feel like my body is rap\u2026 https://t.co/daSHwgbG4T",
"user.screen_name": "StephLauren"
},
{
"created_at": "Mon Feb 12 03:41:00 +0000 2018",
"id": 962894280514850817,
"text": "@AmazingArtist89 @RenOperative_ I'm not sure how this works...is the child racist...are the Olympics racist.....is\u2026 https://t.co/rWO2lUBbN6",
"user.screen_name": "StryderHazuki"
},
{
"created_at": "Mon Feb 12 03:41:00 +0000 2018",
"id": 962894280070189056,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "fsfscarlett"
},
{
"created_at": "Mon Feb 12 03:41:00 +0000 2018",
"id": 962894279575207937,
"text": "RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face\u2026",
"user.screen_name": "john14_15"
},
{
"created_at": "Mon Feb 12 03:41:00 +0000 2018",
"id": 962894279524999168,
"text": "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on\u2026",
"user.screen_name": "drgaynascully"
},
{
"created_at": "Mon Feb 12 03:41:00 +0000 2018",
"id": 962894279466192896,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "skrelp"
},
{
"created_at": "Mon Feb 12 03:41:00 +0000 2018",
"id": 962894279378112512,
"text": "RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.",
"user.screen_name": "catwright17"
},
{
"created_at": "Mon Feb 12 03:41:00 +0000 2018",
"id": 962894279302696961,
"text": "RT @ABC: U.S. figure skater Mirai Nagasu makes history, becoming the first American woman - and third overall - to land a triple axel in th\u2026",
"user.screen_name": "ashwagners"
},
{
"created_at": "Mon Feb 12 03:41:00 +0000 2018",
"id": 962894279281725440,
"text": "RT @KAy_TIEmyshoes: I love the Olympics https://t.co/YarQnjbr9c",
"user.screen_name": "jazzt98"
},
{
"created_at": "Mon Feb 12 03:41:00 +0000 2018",
"id": 962894278740578305,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "SteveCalderon85"
},
{
"created_at": "Mon Feb 12 03:41:00 +0000 2018",
"id": 962894278648311810,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "tannerspearman"
},
{
"created_at": "Mon Feb 12 03:41:00 +0000 2018",
"id": 962894278568550400,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "peterakaspidey"
},
{
"created_at": "Mon Feb 12 03:41:00 +0000 2018",
"id": 962894278094704640,
"text": "RT @RepMarkMeadows: While some in the media look fondly upon North Korea during the Olympics, I can't help but recall this from 2 weeks ago\u2026",
"user.screen_name": "CwarkentinC"
},
{
"created_at": "Mon Feb 12 03:41:00 +0000 2018",
"id": 962894278077886464,
"text": "RT @KAy_TIEmyshoes: I love the Olympics https://t.co/YarQnjbr9c",
"user.screen_name": "Jenna0019"
},
{
"created_at": "Mon Feb 12 03:41:00 +0000 2018",
"id": 962894278031654913,
"text": "This Italian figure skating lair did awesome themselves. \ud83d\udc4d\ud83c\udffb\u26f8 #olympics",
"user.screen_name": "BriThibodeaux"
},
{
"created_at": "Mon Feb 12 03:41:00 +0000 2018",
"id": 962894277972983808,
"text": "RT @fs_gossips: @CBCOlympics @Pchiddy There's no bigger justice today than Patrick becoming an Olympics Champion. Best present for Valentin\u2026",
"user.screen_name": "H1STORYMAK3R"
},
{
"created_at": "Mon Feb 12 03:41:00 +0000 2018",
"id": 962894277775945730,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "itssdani23"
},
{
"created_at": "Mon Feb 12 03:41:00 +0000 2018",
"id": 962894277440430080,
"text": "For how big of a sports fan i am. I truly hate the olympics with a passion \ud83e\udd37\ud83c\udffb\u200d\u2642\ufe0f #SorryNotSorry #Boring #SnoozeFest #WWEIsBetter",
"user.screen_name": "Riffell_17"
},
{
"created_at": "Mon Feb 12 03:41:00 +0000 2018",
"id": 962894277280870400,
"text": "RT @squishysoo0: ''exo only breaks exo's records''\n''like idol, like fans''\n\nour sister, evgenia medvedeva has proven those two sentences.\u2026",
"user.screen_name": "zuali_94"
},
{
"created_at": "Mon Feb 12 03:41:00 +0000 2018",
"id": 962894277192929280,
"text": "RT @carolynmaeee: dam when did the olympics get so intense?\ud83d\ude33\ud83d\ude33 https://t.co/IienOHy5uq",
"user.screen_name": "BumblingBombus"
},
{
"created_at": "Mon Feb 12 03:41:00 +0000 2018",
"id": 962894277004075008,
"text": "RT @94_degrees: Russian Figure Skater, Evgeniia Medvedeva who\u2019s an EXO-L set a new world record in the Pyeongchang Olympics & mentioned EXO\u2026",
"user.screen_name": "dyeolie61"
},
{
"created_at": "Mon Feb 12 03:40:59 +0000 2018",
"id": 962894276811198464,
"text": "RT @barbs_cr8v: @MartinCox0155 @mariacilene212 @purpleamma1 @ardnasremmos @Lucretiasbear @geraghty_cheryl @mflemming185 Goodnight Martin! G\u2026",
"user.screen_name": "mariacilene212"
},
{
"created_at": "Mon Feb 12 03:40:59 +0000 2018",
"id": 962894276211421184,
"text": "RT @thejimpster: @JonAcuff To be fair, if you are throwing a person in the air.. I'd feel much better if you at least liked me. #ouch #Olym\u2026",
"user.screen_name": "GenesisColema19"
},
{
"created_at": "Mon Feb 12 03:40:59 +0000 2018",
"id": 962894276156825600,
"text": "RT @BetteMidler: Yes, I\u2019m watching the Winter Olympics while grinding my teeth\nwatching our Government, hurtling down a slippery slope unt\u2026",
"user.screen_name": "krisconner_"
},
{
"created_at": "Mon Feb 12 03:40:59 +0000 2018",
"id": 962894275456524289,
"text": "RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.",
"user.screen_name": "rotchgates"
},
{
"created_at": "Mon Feb 12 03:40:59 +0000 2018",
"id": 962894275263565824,
"text": "I think snowboarders might be the only athletes I believe when they say \"I'm just stoked to be here & get in a grea\u2026 https://t.co/FISZiBWfBe",
"user.screen_name": "ellebrownlee"
},
{
"created_at": "Mon Feb 12 03:40:59 +0000 2018",
"id": 962894275087396864,
"text": "RT @dereklew: Watching Team Canada erupt into applause when American skater Mirai Nagasu became only the third woman to land a triple axel\u2026",
"user.screen_name": "softandstrongly"
},
{
"created_at": "Mon Feb 12 03:40:59 +0000 2018",
"id": 962894274953207808,
"text": "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on\u2026",
"user.screen_name": "efilicetti_"
},
{
"created_at": "Mon Feb 12 03:40:59 +0000 2018",
"id": 962894274709766145,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "shebetheonelive"
},
{
"created_at": "Mon Feb 12 03:40:59 +0000 2018",
"id": 962894274407825408,
"text": "RT @diehrd9: You eat more in a day then every North Korean at the Olympics eats annually \n\nYet you still think your words matter\n\n#FreetheT\u2026",
"user.screen_name": "LindaAs04621507"
},
{
"created_at": "Mon Feb 12 03:40:59 +0000 2018",
"id": 962894274206543872,
"text": "RT @thehill: Dutch fans troll Trump at the Olympics with flag: \"Sorry Mr. President. The Netherlands First... And 2nd... And 3rd\" https://t\u2026",
"user.screen_name": "BlackLoisLane"
},
{
"created_at": "Mon Feb 12 03:40:59 +0000 2018",
"id": 962894274110074881,
"text": "RT @ArthurSchwartz: CNN: Our puff piece on murderous dictator Kim Jong-un\u2019s sister is the most embarrassing piece of journalism that anyone\u2026",
"user.screen_name": "Blake1x"
},
{
"created_at": "Mon Feb 12 03:40:59 +0000 2018",
"id": 962894273808134144,
"text": "Beautiful, Italy.\n\n#olympics",
"user.screen_name": "AquariusOnFire"
},
{
"created_at": "Mon Feb 12 03:40:59 +0000 2018",
"id": 962894273518678016,
"text": "RT @tictoc: Redmond Gerard wins the first gold medal for Team USA at #PyeongChang2018 #Olympics for his performance at men's snowboard slop\u2026",
"user.screen_name": "kristynaweh"
},
{
"created_at": "Mon Feb 12 03:40:59 +0000 2018",
"id": 962894273023590400,
"text": "RT @insideskating: \u201cI am impressed with myself, if that makes sense\u201d - no better time to come back to our interview with @mirai_nagasu, don\u2026",
"user.screen_name": "atsuko_kaineko"
},
{
"created_at": "Mon Feb 12 03:40:59 +0000 2018",
"id": 962894272876961792,
"text": "Missed u @ winter Olympics",
"user.screen_name": "Churra08"
},
{
"created_at": "Mon Feb 12 03:40:59 +0000 2018",
"id": 962894272792969217,
"text": "RT @BuzzFeedNews: Mirai Nagasu just became the first American woman in history to land a triple axel at the Winter Olympics(!) https://t.co\u2026",
"user.screen_name": "jascnstcdd"
},
{
"created_at": "Mon Feb 12 03:40:58 +0000 2018",
"id": 962894272424022022,
"text": "Ohhhhhhhh @EricaWFAN and @LRubinson feuding over #Olympics",
"user.screen_name": "BGoody30"
},
{
"created_at": "Mon Feb 12 03:40:58 +0000 2018",
"id": 962894272381976576,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "ShaLongSr"
},
{
"created_at": "Mon Feb 12 03:40:58 +0000 2018",
"id": 962894272277241862,
"text": "Ice dancing is so freaking mesmerizing. Eyes glued to the television all wrapped up in the story, lifts, moves. Agh\u2026 https://t.co/dG78TQTYSn",
"user.screen_name": "rosefox13"
},
{
"created_at": "Mon Feb 12 03:40:58 +0000 2018",
"id": 962894272004546561,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "_xXxBabyy"
},
{
"created_at": "Mon Feb 12 03:40:58 +0000 2018",
"id": 962894271887101952,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "annieschenk"
},
{
"created_at": "Mon Feb 12 03:40:58 +0000 2018",
"id": 962894271698251777,
"text": "RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G",
"user.screen_name": "sana_93"
},
{
"created_at": "Mon Feb 12 03:40:58 +0000 2018",
"id": 962894271492669440,
"text": "RT @TheRickyDavila: It says something when our amazing athletes can so easily represent the United States with class, grace, honor, dignity\u2026",
"user.screen_name": "claudiggs"
},
{
"created_at": "Mon Feb 12 03:40:58 +0000 2018",
"id": 962894271442509824,
"text": "RT @tedlieu: Congratulations to Mirai Nagasu for being the first American in history to land a triple axle at the Winter Olympics! https://\u2026",
"user.screen_name": "claudiameadows2"
},
{
"created_at": "Mon Feb 12 03:40:58 +0000 2018",
"id": 962894271371186176,
"text": "RT @3L3V3NTH: Olympics have stricter rules than national elections",
"user.screen_name": "phendricks71"
},
{
"created_at": "Mon Feb 12 03:40:58 +0000 2018",
"id": 962894271333335040,
"text": "NASA Seeks the Gold in Winter season Olympics\u00a0Snow https://t.co/mmcnEobjSJ",
"user.screen_name": "newsroundcom"
},
{
"created_at": "Mon Feb 12 03:40:58 +0000 2018",
"id": 962894271299883008,
"text": "VONETTA FLOWERS\nthe first African-American person, of any gender, to win a gold medal at the Winter Olympics. Vone\u2026 https://t.co/cvOPm4BVrD",
"user.screen_name": "f_francavilla"
},
{
"created_at": "Mon Feb 12 03:40:58 +0000 2018",
"id": 962894271199240193,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "shaythag"
},
{
"created_at": "Mon Feb 12 03:40:58 +0000 2018",
"id": 962894270981201921,
"text": "RT @imbeccable: if you were skating at the olympics, which song would you choose?",
"user.screen_name": "Harshmelllo"
},
{
"created_at": "Mon Feb 12 03:40:58 +0000 2018",
"id": 962894270947627008,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "assthantics"
},
{
"created_at": "Mon Feb 12 03:40:58 +0000 2018",
"id": 962894270909661184,
"text": "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on\u2026",
"user.screen_name": "nikkigibala"
},
{
"created_at": "Mon Feb 12 03:40:58 +0000 2018",
"id": 962894270045749249,
"text": "RT @JamesHasson20: Here are stories fawning over North Korea at the Olympics from:\n-Wapo\n-Wall Street Journal\n-NYT\n-CNN\n-ABC News\n-NBC News\u2026",
"user.screen_name": "edwardjames7"
},
{
"created_at": "Mon Feb 12 03:40:58 +0000 2018",
"id": 962894269747904512,
"text": "RT @Slate: Mirai Nagasu is the third woman to do a triple axel in the Olympics. Watch all three: https://t.co/gQO2lcL2Uh https://t.co/HveC5\u2026",
"user.screen_name": "lilei2000"
},
{
"created_at": "Mon Feb 12 03:40:58 +0000 2018",
"id": 962894269697507328,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "___DrJ___"
},
{
"created_at": "Mon Feb 12 03:40:58 +0000 2018",
"id": 962894269441753088,
"text": "RT @martyn_williams: So far, viewers of North Korea's main TV channel have seen just two still images of Olympic competition. Monitoring re\u2026",
"user.screen_name": "AkikoFujita"
},
{
"created_at": "Mon Feb 12 03:40:58 +0000 2018",
"id": 962894269236232194,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "emxbye"
},
{
"created_at": "Mon Feb 12 03:40:58 +0000 2018",
"id": 962894269022392325,
"text": "RT @WSJ: Adam Rippon is the first openly gay U.S. figure skater and leading up to the Winter Olympics found himself in a political drama wi\u2026",
"user.screen_name": "CatrinaRazvan"
},
{
"created_at": "Mon Feb 12 03:40:58 +0000 2018",
"id": 962894268733034496,
"text": "RT @NumbersMuncher: Me in 2017: I can't understand how people could be so stupid to fall for fake Facebook stories promoted by Russia.\n\nMe\u2026",
"user.screen_name": "KayeHigh"
},
{
"created_at": "Mon Feb 12 03:40:57 +0000 2018",
"id": 962894268191911936,
"text": "What Brands and Sponsored Athletes Can and Can\u2019t Say, Wear and Do During the Olympics https://t.co/HgVRqRFpFI",
"user.screen_name": "egriffing"
},
{
"created_at": "Mon Feb 12 03:40:57 +0000 2018",
"id": 962894268053577729,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "NicoleNicole070"
},
{
"created_at": "Mon Feb 12 03:40:57 +0000 2018",
"id": 962894267894116352,
"text": "RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G",
"user.screen_name": "_balloonsfly_"
},
{
"created_at": "Mon Feb 12 03:40:57 +0000 2018",
"id": 962894267642458117,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "Maxlm22_"
},
{
"created_at": "Mon Feb 12 03:40:57 +0000 2018",
"id": 962894267445403648,
"text": "RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G",
"user.screen_name": "jonowles88"
},
{
"created_at": "Mon Feb 12 03:40:57 +0000 2018",
"id": 962894267411726336,
"text": "RT @AthleteSwag: Team USA figure skater Mirai Nagasu is the first American woman to land a triple axel at the Winter Olympics https://t.co/\u2026",
"user.screen_name": "amdion13"
},
{
"created_at": "Mon Feb 12 03:40:57 +0000 2018",
"id": 962894267231252480,
"text": "RT @AliciaAmin: Julian Yee is the first ever Malaysian to compete in the Winter Olympics & so many of us sleeping on him (incl me)\n\nHe\u2019s wo\u2026",
"user.screen_name": "ToxicHaiqal"
},
{
"created_at": "Mon Feb 12 03:40:57 +0000 2018",
"id": 962894266581291009,
"text": "RT @morningpassages: Isn\u2019t EXO so sweet to send a signed album to Evgenia knowing that she is a world champion Eri competing in Olympics. T\u2026",
"user.screen_name": "petite_soo"
},
{
"created_at": "Mon Feb 12 03:40:57 +0000 2018",
"id": 962894266526785537,
"text": "RT @chr1sa: Best view of the @Intel drone swarm performance at the Olympics https://t.co/mCsILkq38Z",
"user.screen_name": "livefromtheabys"
},
{
"created_at": "Mon Feb 12 03:40:57 +0000 2018",
"id": 962894266199572480,
"text": "RT @iWatchiAm: It would be really nice if the NBC livestream didn't cut off the first half of everyone's routine tonight. #Olympics",
"user.screen_name": "elknight20"
},
{
"created_at": "Mon Feb 12 03:40:57 +0000 2018",
"id": 962894266115739648,
"text": "RT @redsteeze: Reuters looked strong in bringing home the gold for North Korea today but coming through late, the New York Times. Think Pro\u2026",
"user.screen_name": "PeeteySDee"
},
{
"created_at": "Mon Feb 12 03:40:57 +0000 2018",
"id": 962894265637580801,
"text": "RT @EXOVotingSquad: EXO's diary - 11th Feb 2018\n\nOur fellow EXOL, Evgenia Medvedeva has set a new world record of 81.06 in Pyeong Chang Oly\u2026",
"user.screen_name": "exo60464427"
},
{
"created_at": "Mon Feb 12 03:40:57 +0000 2018",
"id": 962894265532801024,
"text": "#QAnon #MAGA #FollowTheWhiteRabbit #Olympics \n\nLook at McCain's donor list. \n\nhttps://t.co/5cL9U5LL9p",
"user.screen_name": "AngelaLily0501"
},
{
"created_at": "Mon Feb 12 03:40:57 +0000 2018",
"id": 962894265360662528,
"text": "me linsey katey and cooper are sitting here literally screaming for these figure skaters on the olympics",
"user.screen_name": "kelsiedanderson"
},
{
"created_at": "Mon Feb 12 03:40:57 +0000 2018",
"id": 962894265163624450,
"text": "#Olympics Twitter is \ud83d\udd25right now.",
"user.screen_name": "rob_blog"
},
{
"created_at": "Mon Feb 12 03:40:57 +0000 2018",
"id": 962894264597278720,
"text": "You know the schedule for skating is arranged ahead of time.\nYou can work with that and move your training to suit\u2026 https://t.co/baPRzEh59k",
"user.screen_name": "Jinath_Hyder"
},
{
"created_at": "Mon Feb 12 03:40:56 +0000 2018",
"id": 962894264098283520,
"text": "Can\u2019t believe they still went ahead with the women\u2019s slope style event. Really unfair and unsafe for these women.\u2026 https://t.co/HiobEjcEEn",
"user.screen_name": "sarsilvz"
},
{
"created_at": "Mon Feb 12 03:40:56 +0000 2018",
"id": 962894263842373632,
"text": "RT @guybranum: The Winter Olympics and Aruba are the only remaining vestiges of the Dutch Empire.",
"user.screen_name": "rachelmgiles"
},
{
"created_at": "Mon Feb 12 03:40:56 +0000 2018",
"id": 962894263276118017,
"text": "RT @nytimes: Mike Pence denied a report that Adam Rippon, a gay American figure skater, had refused to meet with him. But the Olympic athle\u2026",
"user.screen_name": "g_birdslide"
},
{
"created_at": "Mon Feb 12 03:40:56 +0000 2018",
"id": 962894263095738368,
"text": "RT @TeamUSA: Standings after the first #snowboard slopestyle run! \u2b07\ufe0f\n\n1 - @jamieasnow \ud83c\uddfa\ud83c\uddf8 \n2 - Silje Norendal \ud83c\uddf3\ud83c\uddf4\n3 - @jessika_jenson \ud83c\uddfa\ud83c\uddf8\n\nONE\u2026",
"user.screen_name": "BPratto"
},
{
"created_at": "Mon Feb 12 03:40:56 +0000 2018",
"id": 962894262772928514,
"text": "RT @VP: We are determined to make sure that even in the midst of the powerful background & idealism of the Olympics, the World is reminded\u2026",
"user.screen_name": "WhatSquinkyEye"
},
{
"created_at": "Mon Feb 12 03:40:56 +0000 2018",
"id": 962894262160388097,
"text": "RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://\u2026",
"user.screen_name": "aquianakii"
},
{
"created_at": "Mon Feb 12 03:40:56 +0000 2018",
"id": 962894261950693376,
"text": "RT @FoxNews: 'It's Absurd': @edhenry Blasts @CNN for 'Sucking Up' to Kim Jong Un's Sister https://t.co/9m6Lnh36LB",
"user.screen_name": "Kaczbo1"
},
{
"created_at": "Mon Feb 12 03:40:56 +0000 2018",
"id": 962894261095198720,
"text": "RT @AP_Sports: The fates of Lindsey Vonn, Mikaela Shiffrin and many of the best speed skiers at the Olympics are tied to the handiwork of a\u2026",
"user.screen_name": "ChancePlett"
},
{
"created_at": "Mon Feb 12 03:40:56 +0000 2018",
"id": 962894260973527040,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "maryfrances1128"
},
{
"created_at": "Mon Feb 12 03:40:56 +0000 2018",
"id": 962894260969259009,
"text": "RT @chalanlexi: MIDORI-MAO-MIRAI --- Three women who landed the difficult triple axel in the Olympics #Midori, #MaoAsada and @mirai_nagasu.\u2026",
"user.screen_name": "kyasarin123"
},
{
"created_at": "Mon Feb 12 03:40:56 +0000 2018",
"id": 962894260717735936,
"text": "RT @peachyblackgorl: as the winter Olympics begin....never forget about Surya Bonaly, a French figure skater who did a backflip and landed\u2026",
"user.screen_name": "ThePrimadonna_k"
},
{
"created_at": "Mon Feb 12 03:40:56 +0000 2018",
"id": 962894260633767936,
"text": "RT @nytimes: Mike Pence denied a report that Adam Rippon, a gay American figure skater, had refused to meet with him. But the Olympic athle\u2026",
"user.screen_name": "MuseAmicK"
},
{
"created_at": "Mon Feb 12 03:40:56 +0000 2018",
"id": 962894260524781568,
"text": "RT @charliekirk11: South Korea only exists thanks to US troops sacrifice in the 1950\u2019s \n\n36,000 Americans died so South Korea could be free\u2026",
"user.screen_name": "jjsjulia"
},
{
"created_at": "Mon Feb 12 03:40:56 +0000 2018",
"id": 962894260348575744,
"text": "@hulu @NBCOlympics @nbc @olympics (1/2) I'm sorry, I've really tried but your monopoly US Olympics coverage is UNW\u2026 https://t.co/7pp4lTaYru",
"user.screen_name": "scottish_expat"
},
{
"created_at": "Mon Feb 12 03:40:56 +0000 2018",
"id": 962894260256301062,
"text": "like I said, if anyone needs me I\u2019ll be watching the olympics for the next two weeks",
"user.screen_name": "_paigesoria"
},
{
"created_at": "Mon Feb 12 03:40:55 +0000 2018",
"id": 962894259857838080,
"text": "RT @Heritage: The perverse fawning over brutal Kim Jong-un\u2019s sister at the Olympics @bethanyshondark https://t.co/CTijmDXibJ https://t.co/O\u2026",
"user.screen_name": "2smokytop"
},
{
"created_at": "Mon Feb 12 03:40:55 +0000 2018",
"id": 962894259434205184,
"text": "RT @linzsports: Four years ago, Adam Rippon and MIrai Nagasu were eating in-n-out burger in California, crying and watching the Sochi Olymp\u2026",
"user.screen_name": "ichi1054"
},
{
"created_at": "Mon Feb 12 03:40:55 +0000 2018",
"id": 962894259077529600,
"text": "RT @vlissful: @jintellectually okay for those who are confused, read the article here\n\nthe nbc guy said \u201cEvery Korean will tell you that Ja\u2026",
"user.screen_name": "JimIntenseStare"
},
{
"created_at": "Mon Feb 12 03:40:55 +0000 2018",
"id": 962894259035635714,
"text": "RT @C_hodgy: Can we pause and take a second to appreciate the RIDICULOUSLY AWESOME amount of curling exposure to the world during the Olymp\u2026",
"user.screen_name": "CurlingZone"
},
{
"created_at": "Mon Feb 12 03:40:55 +0000 2018",
"id": 962894258733711360,
"text": "RT @McGrumpenstein: why isn't there a shovelling event in the winter olympics",
"user.screen_name": "JD_Wisco"
},
{
"created_at": "Mon Feb 12 03:40:55 +0000 2018",
"id": 962894258708467712,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "citlalli861"
},
{
"created_at": "Mon Feb 12 03:40:55 +0000 2018",
"id": 962894258293239809,
"text": "RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://\u2026",
"user.screen_name": "melakatweets"
},
{
"created_at": "Mon Feb 12 03:40:55 +0000 2018",
"id": 962894258016530433,
"text": "RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face\u2026",
"user.screen_name": "_JamilaImani_"
},
{
"created_at": "Mon Feb 12 03:40:55 +0000 2018",
"id": 962894257836113920,
"text": "RT @USFigureSkating: It\u2019s the FINAL segment of the #FigureSkating Team Event. @MaiaShibutani and @AlexShibutani are up for #TeamUSA. Let\u2019s\u2026",
"user.screen_name": "csnyder887"
},
{
"created_at": "Mon Feb 12 03:40:55 +0000 2018",
"id": 962894257206968320,
"text": "RT @GLValentine: me: this year i'll be able to handle the olympics!\n\nannouncer, casually, about a sidelined skier, \"All the work of the pas\u2026",
"user.screen_name": "Kartos"
},
{
"created_at": "Mon Feb 12 03:40:55 +0000 2018",
"id": 962894257093775361,
"text": "@Lesdoggg @NBCOlympics @Olympics WOO HOO!!!!!!!!!",
"user.screen_name": "Nancyrussell"
},
{
"created_at": "Mon Feb 12 03:40:55 +0000 2018",
"id": 962894256993067008,
"text": "RT @TheRickyDavila: It says something when our amazing athletes can so easily represent the United States with class, grace, honor, dignity\u2026",
"user.screen_name": "suzan5150"
},
{
"created_at": "Mon Feb 12 03:40:55 +0000 2018",
"id": 962894256900685824,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "drkkyu"
},
{
"created_at": "Mon Feb 12 03:40:55 +0000 2018",
"id": 962894256238153728,
"text": "RT @redsteeze: Reuters looked strong in bringing home the gold for North Korea today but coming through late, the New York Times. Think Pro\u2026",
"user.screen_name": "k3rdann"
},
{
"created_at": "Mon Feb 12 03:40:54 +0000 2018",
"id": 962894255978176514,
"text": "RT @tictoc: The #Olympics host nation, South Korea, earned its first gold medal in 2018 thanks to Lim Hyo-Jun in the men's short track 1500\u2026",
"user.screen_name": "kristynaweh"
},
{
"created_at": "Mon Feb 12 03:40:54 +0000 2018",
"id": 962894255797751809,
"text": "RT @ksannews: WATCH: Here's a great explainer about the differences between skates athletes use at the #Olympics https://t.co/ofrM5CBQv8",
"user.screen_name": "FatherLarryR"
},
{
"created_at": "Mon Feb 12 03:40:54 +0000 2018",
"id": 962894255340642304,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "Mellijuana"
},
{
"created_at": "Mon Feb 12 03:40:54 +0000 2018",
"id": 962894255311089664,
"text": "RT @ABC: U.S. figure skater Mirai Nagasu makes history, becoming the first American woman - and third overall - to land a triple axel in th\u2026",
"user.screen_name": "Eric_JamesSmith"
},
{
"created_at": "Mon Feb 12 03:40:54 +0000 2018",
"id": 962894254933602304,
"text": "RT @ArthurSchwartz: CNN: Our puff piece on murderous dictator Kim Jong-un\u2019s sister is the most embarrassing piece of journalism that anyone\u2026",
"user.screen_name": "Vanqaro"
},
{
"created_at": "Mon Feb 12 03:40:54 +0000 2018",
"id": 962894254916952064,
"text": "RT @BetteMidler: Yes, I\u2019m watching the Winter Olympics while grinding my teeth\nwatching our Government, hurtling down a slippery slope unt\u2026",
"user.screen_name": "JoshuaDeck2"
},
{
"created_at": "Mon Feb 12 03:40:54 +0000 2018",
"id": 962894254740668416,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "kateyholland"
},
{
"created_at": "Mon Feb 12 03:40:54 +0000 2018",
"id": 962894254690525184,
"text": "RT @ARSenMissyIrvin: NBC's political spin on a brutal dictator regime and country who is threatening the world with nuclear weapons is unbe\u2026",
"user.screen_name": "laneighpfalser"
},
{
"created_at": "Mon Feb 12 03:40:54 +0000 2018",
"id": 962894254342361089,
"text": "RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face\u2026",
"user.screen_name": "Xclusive_Ishyyy"
},
{
"created_at": "Mon Feb 12 03:40:54 +0000 2018",
"id": 962894254279405568,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "candygraham0813"
},
{
"created_at": "Mon Feb 12 03:40:54 +0000 2018",
"id": 962894253713248256,
"text": "@jaketapper But then who will ABC be able to say will have stole the show when he hosts the Olympics?",
"user.screen_name": "Tfalwell"
},
{
"created_at": "Mon Feb 12 03:40:54 +0000 2018",
"id": 962894253235097600,
"text": "RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.",
"user.screen_name": "GittaSapiano"
},
{
"created_at": "Mon Feb 12 03:40:54 +0000 2018",
"id": 962894253205721088,
"text": "RT @saskystewart: I'd be interested to see why (academically) our valuation of female athletes in sports sponsorship and media coverage shi\u2026",
"user.screen_name": "ruthiefisher"
},
{
"created_at": "Mon Feb 12 03:40:54 +0000 2018",
"id": 962894252756951040,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "conoriburton"
},
{
"created_at": "Mon Feb 12 03:40:54 +0000 2018",
"id": 962894252652015616,
"text": "RT @CBCOlympics: #CAN's @tessavirtue & @ScottMoir skate 5th in the last event of the #FigureSkating Team Event. Even if they finish last, C\u2026",
"user.screen_name": "Justin481"
},
{
"created_at": "Mon Feb 12 03:40:54 +0000 2018",
"id": 962894252375027712,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "ghoulgoulash"
},
{
"created_at": "Mon Feb 12 03:40:54 +0000 2018",
"id": 962894251943108608,
"text": "RT @baekyeolangst: exols are amazing. exo's fans are actual surgeons, teachers, dentists (especially that one girl who checked pcy's teeth\u2026",
"user.screen_name": "smilechennieee"
},
{
"created_at": "Mon Feb 12 03:40:53 +0000 2018",
"id": 962894251624312833,
"text": "RT @Capital_Bromo: Periodic reminder that the Winter Olympics have arrived: https://t.co/va2xwNovCX",
"user.screen_name": "allmodelguys1"
},
{
"created_at": "Mon Feb 12 03:40:53 +0000 2018",
"id": 962894251431522304,
"text": "@cdbnyc @HeyGeek I AM. That's literally what I said!!! \" it always just looks like a bunch of ducklings sort of gli\u2026 https://t.co/eWicri1abF",
"user.screen_name": "j_tak"
},
{
"created_at": "Mon Feb 12 03:40:53 +0000 2018",
"id": 962894251410509824,
"text": "RT @peachyblackgorl: as the winter Olympics begin....never forget about Surya Bonaly, a French figure skater who did a backflip and landed\u2026",
"user.screen_name": "Samie_thomps"
},
{
"created_at": "Mon Feb 12 03:40:53 +0000 2018",
"id": 962894250236137477,
"text": "The Winter Olympics always makes me want to try and do ice skating but I know imma fall straight on my butt",
"user.screen_name": "kelseythies1"
},
{
"created_at": "Mon Feb 12 03:40:53 +0000 2018",
"id": 962894250177454081,
"text": "RT @JoyPuder: \u201cThis might be my first Olympics, but it\u2019s not my first rodeo.\u201d-@Adaripp \n\nThis is the perfect Housewives tagline. #Olympics\u2026",
"user.screen_name": "peteratthepark"
},
{
"created_at": "Mon Feb 12 03:40:53 +0000 2018",
"id": 962894249590251520,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "four_ofthem"
},
{
"created_at": "Mon Feb 12 03:40:53 +0000 2018",
"id": 962894249409818624,
"text": "RT @CloydRivers: Rollin' into the Olympics like.... Merica.\nhttps://t.co/ep2Qe5YCo1",
"user.screen_name": "bgill7831"
},
{
"created_at": "Mon Feb 12 03:40:53 +0000 2018",
"id": 962894248868810752,
"text": "RT @sportingnews: Mirai Nagasu becomes the first USA women's figure skater to land an extremely difficult jump in #olympics competition. ht\u2026",
"user.screen_name": "AceSports11"
},
{
"created_at": "Mon Feb 12 03:40:53 +0000 2018",
"id": 962894248659079168,
"text": "RT @BuzzFeedNews: Mirai Nagasu just became the first American woman in history to land a triple axel at the Winter Olympics(!) https://t.co\u2026",
"user.screen_name": "boldlyshuffle"
},
{
"created_at": "Mon Feb 12 03:40:53 +0000 2018",
"id": 962894248394698752,
"text": "The #FigureSkating #TeamEvent isn't over yet, but #TeamCanada has the gold!!! #Congrats #Olympics https://t.co/hf4kfkELwT",
"user.screen_name": "MegGregory"
},
{
"created_at": "Mon Feb 12 03:40:53 +0000 2018",
"id": 962894248357089281,
"text": "#ShaniDavis apparently started his period at the Olympics, you lost the toss, break a leg or both",
"user.screen_name": "scottmorehead"
},
{
"created_at": "Mon Feb 12 03:40:53 +0000 2018",
"id": 962894247920795648,
"text": "RT @HarlanCoben: Me: I\u2019ve never watched luge. I know nothing about it. \n\nMe 20 minutes later: Turns 9 through 12 are really the key to vict\u2026",
"user.screen_name": "cbns007"
},
{
"created_at": "Mon Feb 12 03:40:52 +0000 2018",
"id": 962894247220441088,
"text": "@Lesdoggg @NBCOlympics @Olympics His hair!!! I\u2019ve never seen its equal.",
"user.screen_name": "Drsteward"
},
{
"created_at": "Mon Feb 12 03:40:52 +0000 2018",
"id": 962894247203614721,
"text": "RT @780613: ajhjhjh im screaminf @ how knets are calling the olympics speed skaters \ube59\ud0c4\uc18c\ub144\ub2e8",
"user.screen_name": "yeahhzmin"
},
{
"created_at": "Mon Feb 12 03:40:52 +0000 2018",
"id": 962894247153291266,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "GabiNoel4"
},
{
"created_at": "Mon Feb 12 03:40:52 +0000 2018",
"id": 962894247077834753,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "IagosRavenWife"
},
{
"created_at": "Mon Feb 12 03:40:52 +0000 2018",
"id": 962894246792613888,
"text": "RT @DylansFreshTake: Congrats to Mirai Nagasu on becoming the first American \ud83c\uddfa\ud83c\uddf8 woman to ever land a Triple Axel at the Olympics.\n\n#WinterO\u2026",
"user.screen_name": "ToreeWit2Es"
},
{
"created_at": "Mon Feb 12 03:40:52 +0000 2018",
"id": 962894246691848192,
"text": "RT @morningpassages: Isn\u2019t EXO so sweet to send a signed album to Evgenia knowing that she is a world champion Eri competing in Olympics. T\u2026",
"user.screen_name": "dddyixing"
},
{
"created_at": "Mon Feb 12 03:40:52 +0000 2018",
"id": 962894246628896768,
"text": "RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.",
"user.screen_name": "kerin_wotsirb"
},
{
"created_at": "Mon Feb 12 03:40:52 +0000 2018",
"id": 962894246574481409,
"text": "RT @KPRC2: We're talking Bitcoins and why Houston could be a hotbed of activity for the cryptocurrency. Cha-ching! Tonight after the Olympi\u2026",
"user.screen_name": "kymmer7691"
},
{
"created_at": "Mon Feb 12 03:40:52 +0000 2018",
"id": 962894246415032320,
"text": "RT @hnltraveler: NBC's Olympics Asian Analyst Joshua Cooper Ramo says having the next three Olympics in Korea, Japan and China is an \"oppor\u2026",
"user.screen_name": "rox_c"
},
{
"created_at": "Mon Feb 12 03:40:52 +0000 2018",
"id": 962894246167461888,
"text": "RT @benshapiro: All you need to know about the media\u2019s not-so-secret love for Marxist dictatorships can be seen in their treatment of the c\u2026",
"user.screen_name": "StellaLorenzo5"
},
{
"created_at": "Mon Feb 12 03:40:52 +0000 2018",
"id": 962894245991518208,
"text": "@Lesdoggg @NBCOlympics @Olympics Ya, i didn\u2019t get it, but he looked incredible regardless",
"user.screen_name": "lovlilady88"
},
{
"created_at": "Mon Feb 12 03:40:52 +0000 2018",
"id": 962894245878255617,
"text": "ok...see i thought the ice dance free skate was gon have some....u know....LATIN RITMO!!! its like whats happpening\u2026 https://t.co/eJuuUlSbk8",
"user.screen_name": "LilMissDiabla"
},
{
"created_at": "Mon Feb 12 03:40:52 +0000 2018",
"id": 962894245680971776,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "Wh1tneyyy"
},
{
"created_at": "Mon Feb 12 03:40:52 +0000 2018",
"id": 962894245664210944,
"text": "When the event is delayed, women's slopestyle will play! \n\n@spencerobrien @LaurieBlouin Brooke Voigt @aimee_fuller\u2026 https://t.co/7QlCzChmvk",
"user.screen_name": "CBCOlympics"
},
{
"created_at": "Mon Feb 12 03:40:52 +0000 2018",
"id": 962894245635022848,
"text": "RT @BuzzFeed: Mirai Nagasu just became the first US woman to land the triple axel at the Olympics https://t.co/JLdvT17Q9t https://t.co/T4mX\u2026",
"user.screen_name": "bourgeois_maci"
},
{
"created_at": "Mon Feb 12 03:40:52 +0000 2018",
"id": 962894245571907585,
"text": "RT @FlowerPrince_CY: K-pop fan Medvedeva finds her groove to set record. #EXOL #BestFanArmy #iHeartAwards @weareoneexo https://t.co/vah21T\u2026",
"user.screen_name": "chanbaekoxygen"
},
{
"created_at": "Mon Feb 12 03:40:52 +0000 2018",
"id": 962894245559488512,
"text": "RT @JoyPuder: \u201cThis might be my first Olympics, but it\u2019s not my first rodeo.\u201d-@Adaripp \n\nThis is the perfect Housewives tagline. #Olympics\u2026",
"user.screen_name": "skylerzane"
},
{
"created_at": "Mon Feb 12 03:40:52 +0000 2018",
"id": 962894245181800448,
"text": "RT @VictorianDamsel: AWESOME to see Tim Goddard, Adelaide fire spinner, interviewed by the official Olympic news. His contribution to the C\u2026",
"user.screen_name": "loveracehorses1"
},
{
"created_at": "Mon Feb 12 03:40:52 +0000 2018",
"id": 962894245144047616,
"text": "RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G",
"user.screen_name": "hmmjinseiwanani"
},
{
"created_at": "Mon Feb 12 03:40:52 +0000 2018",
"id": 962894244968108033,
"text": "RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://\u2026",
"user.screen_name": "spino255"
},
{
"created_at": "Mon Feb 12 03:40:52 +0000 2018",
"id": 962894244926038016,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "julioatena"
},
{
"created_at": "Mon Feb 12 03:40:52 +0000 2018",
"id": 962894244691304448,
"text": "RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.",
"user.screen_name": "Emassey678"
},
{
"created_at": "Mon Feb 12 03:40:52 +0000 2018",
"id": 962894244506632192,
"text": "That feeling when you land the first triple axel by a @TeamUSA woman at the #Olympics! \ud83e\udd29\ud83e\udd17 An incredible moment for\u2026 https://t.co/VrQqxdHLkb",
"user.screen_name": "olympicchannel"
},
{
"created_at": "Mon Feb 12 03:40:52 +0000 2018",
"id": 962894244296847360,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "Julia_Huynh"
},
{
"created_at": "Mon Feb 12 03:40:52 +0000 2018",
"id": 962894244041150465,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "amber_g95"
},
{
"created_at": "Mon Feb 12 03:40:52 +0000 2018",
"id": 962894243844026368,
"text": "This ice dance Italy is doing to the \u201cLife Is Beautiful\u201d soundtrack is incredible. I have the chills. So much emotion. #Olympics",
"user.screen_name": "yesterdaysprize"
},
{
"created_at": "Mon Feb 12 03:40:51 +0000 2018",
"id": 962894243315544066,
"text": "Anna and Luca are stunning, holy shit #PeyongChang2018 #olympics #Olympics2018",
"user.screen_name": "Lady_Fantasmic"
},
{
"created_at": "Mon Feb 12 03:40:51 +0000 2018",
"id": 962894243315535872,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "bIueberryfarmer"
},
{
"created_at": "Mon Feb 12 03:40:51 +0000 2018",
"id": 962894242459697152,
"text": "RT @94_degrees: Russian Figure Skater, Evgeniia Medvedeva who\u2019s an EXO-L set a new world record in the Pyeongchang Olympics & mentioned EXO\u2026",
"user.screen_name": "exoelyxion94"
},
{
"created_at": "Mon Feb 12 03:40:51 +0000 2018",
"id": 962894242447265792,
"text": "RT @TechnicallyRon: Your definitive guide to the sports of the 2018 Winter Olympics https://t.co/Oyon5qfHBc",
"user.screen_name": "gclaramunt"
},
{
"created_at": "Mon Feb 12 03:40:51 +0000 2018",
"id": 962894242443137024,
"text": "I think instead of sending our best to the Olympics we should send our worst. Like do Hunger games style lotteries\u2026 https://t.co/0VEu0TQu1c",
"user.screen_name": "GhostyGirl01"
},
{
"created_at": "Mon Feb 12 03:40:51 +0000 2018",
"id": 962894242132750336,
"text": "RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face\u2026",
"user.screen_name": "alejandratimm"
},
{
"created_at": "Mon Feb 12 03:40:51 +0000 2018",
"id": 962894241956581376,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "blahtrbl"
},
{
"created_at": "Mon Feb 12 03:40:51 +0000 2018",
"id": 962894241692188672,
"text": "NOOOOOOOOOOOOOOOO Muramoto & Reed were doing so BEAUTIFULLY! Good God I really felt that fall...T~T' #Olympics #OlympicGames2018",
"user.screen_name": "MMBCO_"
},
{
"created_at": "Mon Feb 12 03:40:51 +0000 2018",
"id": 962894241679773696,
"text": "RT @Lesdoggg: Damn.. @NBCOlympics @Olympics https://t.co/rsfInnwNS1",
"user.screen_name": "Untitled_84"
},
{
"created_at": "Mon Feb 12 03:40:51 +0000 2018",
"id": 962894241453215744,
"text": "RT @jpbrammer: my favorite part of the Olympics so far was when Aja jumped off that box",
"user.screen_name": "_zombiequeen"
},
{
"created_at": "Mon Feb 12 03:40:51 +0000 2018",
"id": 962894240815689728,
"text": "RT @JayCostTWS: The Olympics pitch: \u201cHey you know that sport you don\u2019t really like ... well what if we combine it with 30 other sports you\u2026",
"user.screen_name": "S_Wallace_"
},
{
"created_at": "Mon Feb 12 03:40:51 +0000 2018",
"id": 962894240790470656,
"text": "Whose watching too? I just love it, the artristy and beauty... \u2014 watching Figure skating at the Winter Olympics",
"user.screen_name": "CCsCelebrations"
},
{
"created_at": "Mon Feb 12 03:40:51 +0000 2018",
"id": 962894240333246464,
"text": "RT @Slate: Mirai Nagasu is the third woman to do a triple axel in the Olympics. Watch all three: https://t.co/gQO2lcL2Uh https://t.co/HveC5\u2026",
"user.screen_name": "UniteWomenOrg"
},
{
"created_at": "Mon Feb 12 03:40:51 +0000 2018",
"id": 962894240043823106,
"text": "Kind of obsessed with the personalities of American ice dancing duo #ShibSibs (Maia and Alex Shibutani) - nice to s\u2026 https://t.co/AeD2DkYoUg",
"user.screen_name": "MenoxMusic"
},
{
"created_at": "Mon Feb 12 03:40:51 +0000 2018",
"id": 962894239414730752,
"text": "RT @tedlieu: Congratulations to Mirai Nagasu for being the first American in history to land a triple axle at the Winter Olympics! https://\u2026",
"user.screen_name": "RhiannonRappel"
},
{
"created_at": "Mon Feb 12 03:40:51 +0000 2018",
"id": 962894239247060995,
"text": "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on\u2026",
"user.screen_name": "7CSkowronski"
},
{
"created_at": "Mon Feb 12 03:40:50 +0000 2018",
"id": 962894239175729157,
"text": "RT @jhoeck: Surrounded by all the buzz for the Winter Olympics, we're about to have our own mini Olympics in Yankton for the next week...\u2026",
"user.screen_name": "GHSD605"
},
{
"created_at": "Mon Feb 12 03:40:50 +0000 2018",
"id": 962894238953496576,
"text": "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on\u2026",
"user.screen_name": "martha__norton"
},
{
"created_at": "Mon Feb 12 03:40:50 +0000 2018",
"id": 962894238274019331,
"text": "RT @jpbrammer: my favorite part of the Olympics so far was when Aja jumped off that box",
"user.screen_name": "finlay_the_king"
},
{
"created_at": "Mon Feb 12 03:40:50 +0000 2018",
"id": 962894238257111040,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "deniseg1996"
},
{
"created_at": "Mon Feb 12 03:40:50 +0000 2018",
"id": 962894238135607296,
"text": "RT @chr1sa: Best view of the @Intel drone swarm performance at the Olympics https://t.co/mCsILkq38Z",
"user.screen_name": "william_vab"
},
{
"created_at": "Mon Feb 12 03:40:50 +0000 2018",
"id": 962894237938454528,
"text": "RT @BuzzFeedNews: Mirai Nagasu just became the first American woman in history to land a triple axel at the Winter Olympics(!) https://t.co\u2026",
"user.screen_name": "algr95"
},
{
"created_at": "Mon Feb 12 03:40:50 +0000 2018",
"id": 962894237284134912,
"text": "The #Olympics end right as #MarchMadness gets ready to crank up. I'm not sure I can catch up on enough #sleep in those few days. #spark",
"user.screen_name": "MBHolder21"
},
{
"created_at": "Mon Feb 12 03:40:50 +0000 2018",
"id": 962894235719622656,
"text": "RT @CloydRivers: The Olympics. Just another opportunity to prove America dominates the world. \ud83c\uddfa\ud83c\uddf8",
"user.screen_name": "GavinPutnam15"
},
{
"created_at": "Mon Feb 12 03:40:50 +0000 2018",
"id": 962894235585470465,
"text": "RT @charliekirk11: South Korea only exists thanks to US troops sacrifice in the 1950\u2019s \n\n36,000 Americans died so South Korea could be free\u2026",
"user.screen_name": "cbfrasier13"
},
{
"created_at": "Mon Feb 12 03:40:50 +0000 2018",
"id": 962894235493072896,
"text": "RT @barstoolhrtland: While watching Olympics.. \u201cI can do that, get the truck\u201d https://t.co/BOkY8l55w4",
"user.screen_name": "Titan_lb_"
},
{
"created_at": "Mon Feb 12 03:40:50 +0000 2018",
"id": 962894235266564096,
"text": "RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.",
"user.screen_name": "LindacoxCox"
},
{
"created_at": "Mon Feb 12 03:40:50 +0000 2018",
"id": 962894235224739840,
"text": "Also, I\u2019m having a lot of feelings at seeing so many Asian Americans in the spotlight the Olympics. I remember what\u2026 https://t.co/R3IO8Dkv4G",
"user.screen_name": "pronounced_ing"
},
{
"created_at": "Mon Feb 12 03:40:50 +0000 2018",
"id": 962894235170234368,
"text": "RT @NBCOlympics: A performance for the record books by Mirai Nagasu, complete with a celebration we'll remember for a long time. #BestOfUS\u2026",
"user.screen_name": "BongioviSue"
},
{
"created_at": "Mon Feb 12 03:40:50 +0000 2018",
"id": 962894235161767936,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "jess_ducky98"
},
{
"created_at": "Mon Feb 12 03:40:49 +0000 2018",
"id": 962894234855538688,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "CarlaJackson"
},
{
"created_at": "Mon Feb 12 03:40:49 +0000 2018",
"id": 962894234851389441,
"text": "RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face\u2026",
"user.screen_name": "sarsbran"
},
{
"created_at": "Mon Feb 12 03:40:49 +0000 2018",
"id": 962894234834542593,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "peachymiriam"
},
{
"created_at": "Mon Feb 12 03:40:49 +0000 2018",
"id": 962894234826108928,
"text": "RT @CP__12: It\u2019s really tough watching people significantly younger than you be in the Olympics. Especially when you\u2019re a giant piece of sh\u2026",
"user.screen_name": "madeline_sayre"
},
{
"created_at": "Mon Feb 12 03:40:49 +0000 2018",
"id": 962894234683564032,
"text": "RT @jensoo_xoxo: South Korea's first gold medalist at PyeongChang Olympics Lim Hyo-Jun mentioned majimakchoeroem and he likes Jennie https:\u2026",
"user.screen_name": "era_moreugessda"
},
{
"created_at": "Mon Feb 12 03:40:49 +0000 2018",
"id": 962894234574643200,
"text": "RT @womensmediacntr: 'Time's up': Women ski jumpers still battle for equality https://t.co/bkO4APotyF",
"user.screen_name": "Viktor_DoKaren"
},
{
"created_at": "Mon Feb 12 03:40:49 +0000 2018",
"id": 962894234377445376,
"text": "RT @SuSuLeEsq: I hope we can leave Tonya Harding in history now that Mirai Nagasu is the first American woman to land the triple axel in th\u2026",
"user.screen_name": "kirdarearab"
},
{
"created_at": "Mon Feb 12 03:40:49 +0000 2018",
"id": 962894233844658176,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "michthebay"
},
{
"created_at": "Mon Feb 12 03:40:49 +0000 2018",
"id": 962894233702191104,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "crenita"
},
{
"created_at": "Mon Feb 12 03:40:49 +0000 2018",
"id": 962894232389234689,
"text": "RT @InsideSoCalSpts: Mirai Nagasu (@mirai_nagasu) becomes the first American to land a triple axel at the Winter #Olympics. \n\nWATCH: \n\nhttp\u2026",
"user.screen_name": "GlendoraChief"
},
{
"created_at": "Mon Feb 12 03:40:49 +0000 2018",
"id": 962894232359874560,
"text": "RT @rockerskating: Because @mirai_nagasu is hella patriotic. #TeamUSA #athletictape #PyeongChang2018 #Olympics #figureskating https://t.co/\u2026",
"user.screen_name": "MsIngaSpoke"
},
{
"created_at": "Mon Feb 12 03:40:49 +0000 2018",
"id": 962894231978229760,
"text": "I'm always nervous to Tweet during the #Olympics because what if Something Amazing Happens and I was Tweeting?\u2026 https://t.co/nnNpjPUguv",
"user.screen_name": "OliviaGraceSP"
},
{
"created_at": "Mon Feb 12 03:40:49 +0000 2018",
"id": 962894231500148736,
"text": "RT @DrMCar: Leslie Jones' Winter Olympics Twitter Game Keeps Killing It https://t.co/kKSRVAgA4l",
"user.screen_name": "janetnews"
},
{
"created_at": "Mon Feb 12 03:40:49 +0000 2018",
"id": 962894231403749376,
"text": "RT @TheRickyDavila: It says something when our amazing athletes can so easily represent the United States with class, grace, honor, dignity\u2026",
"user.screen_name": "phendricks71"
},
{
"created_at": "Mon Feb 12 03:40:49 +0000 2018",
"id": 962894230950760449,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "jjuliannachen"
},
{
"created_at": "Mon Feb 12 03:40:48 +0000 2018",
"id": 962894230497751040,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "KellyLemke11"
},
{
"created_at": "Mon Feb 12 03:40:48 +0000 2018",
"id": 962894230183030784,
"text": "RT @nytimes: Without a word, only flashing smiles, Kim Jong-un's sister outflanked Vice President Mike Pence in diplomacy https://t.co/c2gT\u2026",
"user.screen_name": "hartsigns"
},
{
"created_at": "Mon Feb 12 03:40:48 +0000 2018",
"id": 962894230170501121,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "kimmy_rmz"
},
{
"created_at": "Mon Feb 12 03:40:48 +0000 2018",
"id": 962894229646147584,
"text": "RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G",
"user.screen_name": "SoneAlyah"
},
{
"created_at": "Mon Feb 12 03:40:48 +0000 2018",
"id": 962894229256265728,
"text": "RT @Education4Libs: CNN claims \u201cIf \u2018diplomatic dance\u2019 were an event at the Winter Olympics, Kim Jong Un\u2019s younger sister would be favored t\u2026",
"user.screen_name": "mlpardew"
},
{
"created_at": "Mon Feb 12 03:40:48 +0000 2018",
"id": 962894228887097344,
"text": "RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.",
"user.screen_name": "jknight908"
},
{
"created_at": "Mon Feb 12 03:40:48 +0000 2018",
"id": 962894228878708736,
"text": "RT @pourmecoffee: Incredible double-jump by the Russian athlete at the Olympics. https://t.co/R2oftxmlsV",
"user.screen_name": "kstansbu"
},
{
"created_at": "Mon Feb 12 03:40:48 +0000 2018",
"id": 962894228383813633,
"text": "Wow, Italy was spectacular again! Beautiful storytelling. #Olympics",
"user.screen_name": "NightoftheLark"
},
{
"created_at": "Mon Feb 12 03:40:48 +0000 2018",
"id": 962894228052422656,
"text": "RT @MrT: I am really Pumped watching the Winter Olympics. I am watching events I never thought I would watch before, like curling. You hear\u2026",
"user.screen_name": "mtking87"
},
{
"created_at": "Mon Feb 12 03:40:48 +0000 2018",
"id": 962894227985362944,
"text": "RT @TheRickyDavila: It says something when our amazing athletes can so easily represent the United States with class, grace, honor, dignity\u2026",
"user.screen_name": "jimbealjr"
},
{
"created_at": "Mon Feb 12 03:40:48 +0000 2018",
"id": 962894227226193920,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "laurahxc"
},
{
"created_at": "Mon Feb 12 03:40:48 +0000 2018",
"id": 962894227100393472,
"text": "RT @online_shawn: Olympics reporter: You won a gold medal, are you happy? \nAthlete: oh yes. I am happy I won the gold medal",
"user.screen_name": "IneptBisexual"
},
{
"created_at": "Mon Feb 12 03:40:48 +0000 2018",
"id": 962894226861281282,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "CassetteTape76"
},
{
"created_at": "Mon Feb 12 03:40:48 +0000 2018",
"id": 962894226735349760,
"text": "RT @OwenBenjamin: Saranac Lake, NY just got a shout out on the olympics! The guy who just got gold in luge is from the tiny town i live in!\u2026",
"user.screen_name": "Dsquared69"
},
{
"created_at": "Mon Feb 12 03:40:47 +0000 2018",
"id": 962894226617978880,
"text": "man i love the olympics",
"user.screen_name": "AARONR0DGERS"
},
{
"created_at": "Mon Feb 12 03:40:47 +0000 2018",
"id": 962894226588602368,
"text": "RT @ArthurSchwartz: CNN: Our puff piece on murderous dictator Kim Jong-un\u2019s sister is the most embarrassing piece of journalism that anyone\u2026",
"user.screen_name": "trumpgirl261"
},
{
"created_at": "Mon Feb 12 03:40:47 +0000 2018",
"id": 962894226068590592,
"text": "RT @DearAuntCrabby: After Podium Sweep At The Olympics, The Netherlands Celebrated By Trolling Trump https://t.co/w0KIWT1wBn Bwaahaha!! Con\u2026",
"user.screen_name": "ChangeAgent002"
},
{
"created_at": "Mon Feb 12 03:40:47 +0000 2018",
"id": 962894225934307328,
"text": "I just found out yulia lipnitskaya retired from figure skating bc of anorexia and she had so much potential now I'm\u2026 https://t.co/yXf6buvS3i",
"user.screen_name": "yIIeza"
},
{
"created_at": "Mon Feb 12 03:40:47 +0000 2018",
"id": 962894225124728834,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "Sonic_Kurosaki"
},
{
"created_at": "Mon Feb 12 03:40:47 +0000 2018",
"id": 962894225024020481,
"text": "RT @seohyundaily: Imagine getting call from Blue House to perform historic concert same day for Olympics in presence of President....with n\u2026",
"user.screen_name": "tyron_triston"
},
{
"created_at": "Mon Feb 12 03:40:47 +0000 2018",
"id": 962894224713687044,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "miss_haileyj"
},
{
"created_at": "Mon Feb 12 03:40:47 +0000 2018",
"id": 962894224621428736,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "raconteurally"
},
{
"created_at": "Mon Feb 12 03:40:47 +0000 2018",
"id": 962894224369897472,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "emilyslayden"
},
{
"created_at": "Mon Feb 12 03:40:47 +0000 2018",
"id": 962894224281755648,
"text": "RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G",
"user.screen_name": "ArinaArena"
},
{
"created_at": "Mon Feb 12 03:40:47 +0000 2018",
"id": 962894224193540096,
"text": "RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G",
"user.screen_name": "gaeaearth"
},
{
"created_at": "Mon Feb 12 03:40:47 +0000 2018",
"id": 962894224122314753,
"text": "RT @BuzzFeed: Mirai Nagasu just became the first US woman to land the triple axel at the Olympics https://t.co/JLdvT17Q9t https://t.co/T4mX\u2026",
"user.screen_name": "infinityonloops"
},
{
"created_at": "Mon Feb 12 03:40:47 +0000 2018",
"id": 962894224042598400,
"text": "RT @TechnicallyRon: Your definitive guide to the sports of the 2018 Winter Olympics https://t.co/Oyon5qfHBc",
"user.screen_name": "wiggintontom"
},
{
"created_at": "Mon Feb 12 03:40:47 +0000 2018",
"id": 962894223984021504,
"text": "RT @BuzzFeedNews: Mirai Nagasu just became the first American woman in history to land a triple axel at the Winter Olympics(!) https://t.co\u2026",
"user.screen_name": "soldierDtruth"
},
{
"created_at": "Mon Feb 12 03:40:47 +0000 2018",
"id": 962894223904329728,
"text": "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on\u2026",
"user.screen_name": "zackjones1994"
},
{
"created_at": "Mon Feb 12 03:40:47 +0000 2018",
"id": 962894223715590151,
"text": "RT @HRC: RT to cheer on Adam Rippon (@AdaRipp) at the #Olympics! https://t.co/KIO5zX9z6i",
"user.screen_name": "NicholasBiondo"
},
{
"created_at": "Mon Feb 12 03:40:47 +0000 2018",
"id": 962894223631704065,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "Rodriguez8027"
},
{
"created_at": "Mon Feb 12 03:40:47 +0000 2018",
"id": 962894223602274304,
"text": "RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G",
"user.screen_name": "SamVimesBoots"
},
{
"created_at": "Mon Feb 12 03:40:47 +0000 2018",
"id": 962894223505874947,
"text": "This Italian ice dancer looks like Alexis Bledel. #Olympics #figureskating",
"user.screen_name": "chickflick1979"
},
{
"created_at": "Mon Feb 12 03:40:47 +0000 2018",
"id": 962894223287771136,
"text": "RT @JessieJaneDuff: This CNN International headline is poorly written:\n\nMurderous dictator Kim Jong Un, whose regime starves, tortures and\u2026",
"user.screen_name": "PeterLe30125667"
},
{
"created_at": "Mon Feb 12 03:40:47 +0000 2018",
"id": 962894222939643904,
"text": "RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face\u2026",
"user.screen_name": "novemberpoems"
},
{
"created_at": "Mon Feb 12 03:40:47 +0000 2018",
"id": 962894222620700678,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "SaithFigueroa8"
},
{
"created_at": "Mon Feb 12 03:40:47 +0000 2018",
"id": 962894222553690113,
"text": "RT @chr1sa: Best view of the @Intel drone swarm performance at the Olympics https://t.co/mCsILkq38Z",
"user.screen_name": "katherinekiewel"
},
{
"created_at": "Mon Feb 12 03:40:46 +0000 2018",
"id": 962894222092316674,
"text": "RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.",
"user.screen_name": "Derrick16392665"
},
{
"created_at": "Mon Feb 12 03:40:46 +0000 2018",
"id": 962894221576429568,
"text": "RT @gatewaypundit: OUTRAGE After CNN Compares Kim Jong Un's Sister To Ivanka Trump Amid Winter Olympics Media Frenzy https://t.co/Mu5jJ4mkFZ",
"user.screen_name": "jemz1113"
},
{
"created_at": "Mon Feb 12 03:40:46 +0000 2018",
"id": 962894221505126400,
"text": "RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face\u2026",
"user.screen_name": "Gorall007"
},
{
"created_at": "Mon Feb 12 03:40:46 +0000 2018",
"id": 962894221337415680,
"text": "\"Mirai\" (\u672a\u6765) means \"the future\" in Japanese, and Mirai Nagasu lives up to her name, representing the future of US f\u2026 https://t.co/jBFXF4coCD",
"user.screen_name": "poshprogrammer"
},
{
"created_at": "Mon Feb 12 03:40:46 +0000 2018",
"id": 962894220687265793,
"text": "RT @nytimes: Mike Pence denied a report that Adam Rippon, a gay American figure skater, had refused to meet with him. But the Olympic athle\u2026",
"user.screen_name": "butchpa"
},
{
"created_at": "Mon Feb 12 03:40:46 +0000 2018",
"id": 962894220511121408,
"text": "RT @CNN: Last year he almost died in a snowboarding accident. Now he's won bronze at the Olympics. https://t.co/S9Rf6QufiQ https://t.co/BiZ\u2026",
"user.screen_name": "BGolpour"
},
{
"created_at": "Mon Feb 12 03:40:46 +0000 2018",
"id": 962894220318117888,
"text": "Ok but how are they going to portray the man GETTING SHOT BY A NAZI IN A CONCENTRATION CAMP???? (Life Is Beautiful\u2026 https://t.co/tLzD6CMF3p",
"user.screen_name": "pinklily7333"
},
{
"created_at": "Mon Feb 12 03:40:46 +0000 2018",
"id": 962894219512758274,
"text": "RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.",
"user.screen_name": "saavedrar0717"
},
{
"created_at": "Mon Feb 12 03:40:46 +0000 2018",
"id": 962894219366010880,
"text": "RT @chr1sa: Best view of the @Intel drone swarm performance at the Olympics https://t.co/mCsILkq38Z",
"user.screen_name": "AwaretoBeware"
},
{
"created_at": "Mon Feb 12 03:40:46 +0000 2018",
"id": 962894219298910208,
"text": "RT @FoxNews: 'It's Absurd': @edhenry Blasts CNN for 'Sucking Up' to Kim Jong Un's Sister https://t.co/u0H5YWhSYT",
"user.screen_name": "PohligT"
},
{
"created_at": "Mon Feb 12 03:40:46 +0000 2018",
"id": 962894219085049866,
"text": "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on\u2026",
"user.screen_name": "livielives98"
},
{
"created_at": "Mon Feb 12 03:40:46 +0000 2018",
"id": 962894218518724608,
"text": "So, whose watching the OLYMPICS?\nI am..",
"user.screen_name": "BryanGarten"
},
{
"created_at": "Mon Feb 12 03:40:46 +0000 2018",
"id": 962894218338426881,
"text": "Find you someone who will couple figure skate with you. #Olympics",
"user.screen_name": "TylerJFrye"
},
{
"created_at": "Mon Feb 12 03:40:45 +0000 2018",
"id": 962894218174849026,
"text": "RT @linzsports: Four years ago, Adam Rippon and MIrai Nagasu were eating in-n-out burger in California, crying and watching the Sochi Olymp\u2026",
"user.screen_name": "EWasser17"
},
{
"created_at": "Mon Feb 12 03:40:45 +0000 2018",
"id": 962894217017286656,
"text": "Ice skaters have a real appreciation of film, and I\u2019m eating it up. I can\u2019t believe they distilled Life is Beautiful so we\u2019ll. #olympics",
"user.screen_name": "curiouslykat"
},
{
"created_at": "Mon Feb 12 03:40:45 +0000 2018",
"id": 962894216509739009,
"text": "RT @mattstopera: This is one of the wildest things I have ever witnessed with my own two eyes!! A North Korean cheer sqaud at the Olympics\u2026",
"user.screen_name": "Kaymatic_"
},
{
"created_at": "Mon Feb 12 03:40:45 +0000 2018",
"id": 962894216325222400,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "sasha_seckers"
},
{
"created_at": "Mon Feb 12 03:40:45 +0000 2018",
"id": 962894216199368704,
"text": "Her triple axel was badass. #Olympics https://t.co/DOGIIUL0d2",
"user.screen_name": "belles_lettres"
},
{
"created_at": "Mon Feb 12 03:40:45 +0000 2018",
"id": 962894216081952768,
"text": "RT @NBCOlympics: A performance for the record books by Mirai Nagasu, complete with a celebration we'll remember for a long time. #BestOfUS\u2026",
"user.screen_name": "whitneyuland"
},
{
"created_at": "Mon Feb 12 03:40:45 +0000 2018",
"id": 962894216006217728,
"text": "RT @ricoricoriiii: In 2 years;\n\nTwice had \u2018TT\u2019 written on the Tokyo Tower & were called Asia\u2019s #1 GG there [& in Korea]\n\nTwice had the whol\u2026",
"user.screen_name": "fifthhormoneyy"
},
{
"created_at": "Mon Feb 12 03:40:45 +0000 2018",
"id": 962894215339565057,
"text": "@CBCOlympics @Pchiddy There's no bigger justice today than Patrick becoming an Olympics Champion. Best present for\u2026 https://t.co/fwlDOIc0dt",
"user.screen_name": "fs_gossips"
},
{
"created_at": "Mon Feb 12 03:40:45 +0000 2018",
"id": 962894215054110720,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "softyIove"
},
{
"created_at": "Mon Feb 12 03:40:45 +0000 2018",
"id": 962894214978818050,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "DJSHIRE"
},
{
"created_at": "Mon Feb 12 03:40:45 +0000 2018",
"id": 962894214852894720,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "troika10659"
},
{
"created_at": "Mon Feb 12 03:40:45 +0000 2018",
"id": 962894214458691584,
"text": "Time for a cuppa whilst waiting for @aimee_fuller to take to the course. The wind is forever changing so hopefully\u2026 https://t.co/usQ2jZF2cN",
"user.screen_name": "LukeJohnFrost"
},
{
"created_at": "Mon Feb 12 03:40:45 +0000 2018",
"id": 962894214445940737,
"text": "LOOK AT THEIR FACES THEY'RE SO HAPPY OMG #olympics",
"user.screen_name": "my2k"
},
{
"created_at": "Mon Feb 12 03:40:44 +0000 2018",
"id": 962894213984563200,
"text": "RT @NBCOlympics: A performance for the record books by Mirai Nagasu, complete with a celebration we'll remember for a long time. #BestOfUS\u2026",
"user.screen_name": "moonlightboobo"
},
{
"created_at": "Mon Feb 12 03:40:44 +0000 2018",
"id": 962894213921742848,
"text": "RT @nytimes: Mike Pence denied a report that Adam Rippon, a gay American figure skater, had refused to meet with him. But the Olympic athle\u2026",
"user.screen_name": "Conwaytheseahag"
},
{
"created_at": "Mon Feb 12 03:40:44 +0000 2018",
"id": 962894213875732481,
"text": "RT @billboard: Korean singers and K-pop acts get drawn into Pyeongchang 2018 Winter Olympics! EXO and CL are set to perform at the closing\u2026",
"user.screen_name": "lovxlyeol"
},
{
"created_at": "Mon Feb 12 03:40:44 +0000 2018",
"id": 962894213812838401,
"text": "RT @hancxck: russia being banned from the olympics and not being allowed to wear the nation's colors has produced an absolute miracle of gr\u2026",
"user.screen_name": "lanadenzelrey"
},
{
"created_at": "Mon Feb 12 03:40:44 +0000 2018",
"id": 962894213338845189,
"text": "RT @CHENGANSITO: Since the Olympics just started I'm bringing back this iconic moment\n\n#EXOL #BestFanArmy #iHeartAwards @weareoneEXO PUPPY\u2026",
"user.screen_name": "TaekookieJimin"
},
{
"created_at": "Mon Feb 12 03:40:44 +0000 2018",
"id": 962894213120585728,
"text": "RT @flwrpwr1969: Pence agreed to be VP bc no one else wanted the job & he saw it as an avenue to be prez. He doesn\u2019t belong in WH any more\u2026",
"user.screen_name": "AbandrewA"
},
{
"created_at": "Mon Feb 12 03:40:44 +0000 2018",
"id": 962894212642480128,
"text": "RT @BuzzFeedNews: Mirai Nagasu just became the first American woman in history to land a triple axel at the Winter Olympics(!) https://t.co\u2026",
"user.screen_name": "peanuts_2005"
},
{
"created_at": "Mon Feb 12 03:40:44 +0000 2018",
"id": 962894212185362432,
"text": "Cigarette companies don't sponsor the Olympics. Why does Coca-Cola? | Ian D Caterson and Mychelle Farmer https://t.co/wEdDI6yVg7",
"user.screen_name": "alyframpton"
},
{
"created_at": "Mon Feb 12 03:40:44 +0000 2018",
"id": 962894211996704769,
"text": "RT @JonAcuff: Dear Olympics commentators, at the beginning of each figure skating couple please let us know if the couple loves each other\u2026",
"user.screen_name": "leeeesie"
},
{
"created_at": "Mon Feb 12 03:40:44 +0000 2018",
"id": 962894211874930688,
"text": "RT @HRC: RT to cheer on Adam Rippon (@AdaRipp) at the #Olympics! https://t.co/KIO5zX9z6i",
"user.screen_name": "larrywhyudodis"
},
{
"created_at": "Mon Feb 12 03:40:44 +0000 2018",
"id": 962894211644211201,
"text": "@Lesdoggg @NBCOlympics @Olympics \u201cSlay all day, damnit!\u201d \ud83d\udc4d\ud83c\udffc\u26f8",
"user.screen_name": "Dotdogz"
},
{
"created_at": "Mon Feb 12 03:40:44 +0000 2018",
"id": 962894211581382656,
"text": "RT @WestSBI4U: When you watch the Olympics you\u2019re seeing the results of different types of long-term training sessions & little sacrifices\u2026",
"user.screen_name": "MsWolinski"
},
{
"created_at": "Mon Feb 12 03:40:44 +0000 2018",
"id": 962894211258503169,
"text": "RT @KristySwansonXO: I\u2019m not watching @NBCOlympics #figureskating anymore. I can not listen to #JohnnyWeir & #TaraLipinski absolutely the w\u2026",
"user.screen_name": "Olivia82756046"
},
{
"created_at": "Mon Feb 12 03:40:44 +0000 2018",
"id": 962894210943811589,
"text": "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on\u2026",
"user.screen_name": "1velvetexo"
},
{
"created_at": "Mon Feb 12 03:40:44 +0000 2018",
"id": 962894210813841408,
"text": "Cappellini/Lanotte just pulled at all the heart strings! Very nice! #LaViteEBella #ITA #figureskating #PyeongChang2018 #Olympics",
"user.screen_name": "the1stPYT"
},
{
"created_at": "Mon Feb 12 03:40:44 +0000 2018",
"id": 962894210734018561,
"text": "RT @deray: Jordan Greenway will be the first black hockey player in history to play for the U.S Olympic hockey team https://t.co/ZHMb7MPmHO",
"user.screen_name": "adrienne_kt"
},
{
"created_at": "Mon Feb 12 03:40:44 +0000 2018",
"id": 962894210058743808,
"text": "RT @Slate: Mirai Nagasu is the third woman to do a triple axel in the Olympics. Watch all three: https://t.co/gQO2lcL2Uh https://t.co/HveC5\u2026",
"user.screen_name": "dare2misbehave"
},
{
"created_at": "Mon Feb 12 03:40:44 +0000 2018",
"id": 962894210033700864,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "jen_jen0926"
},
{
"created_at": "Mon Feb 12 03:40:43 +0000 2018",
"id": 962894209865932801,
"text": "RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.",
"user.screen_name": "PatriotProud45"
},
{
"created_at": "Mon Feb 12 03:40:43 +0000 2018",
"id": 962894209819832320,
"text": "RT @Blackdi51264299: 'It's Absurd': Ed Henry Blasts CNN for 'Sucking Up' to Kim Jong Un's Sister | Fox News Insider https://t.co/uZfUzznp9T",
"user.screen_name": "lillyred29"
},
{
"created_at": "Mon Feb 12 03:40:43 +0000 2018",
"id": 962894209802952704,
"text": "RT @CTO1ChipNagel: After Declaring NFL Kneeling Protests Disrespectful, Pence Protests Korean Unity By Refusing To Stand At Olympics Ceremo\u2026",
"user.screen_name": "AvieAvie47"
},
{
"created_at": "Mon Feb 12 03:40:43 +0000 2018",
"id": 962894209635282944,
"text": "2018 Winter Olympics: Riders wipe out in windy women's snowboard slopestyle conditions https://t.co/1hVznJcjPm via @usatoday",
"user.screen_name": "ByJoeFleming"
},
{
"created_at": "Mon Feb 12 03:40:43 +0000 2018",
"id": 962894209526239232,
"text": "@dfrank5 @Lesdoggg @NBCOlympics @Olympics 10x better! \ud83d\ude02\ud83d\ude02\ud83d\ude02 its sooo much more entertaining by far",
"user.screen_name": "DaveLeeC3"
},
{
"created_at": "Mon Feb 12 03:40:43 +0000 2018",
"id": 962894209287061504,
"text": "RT @MrT: I am really Pumped watching the Winter Olympics. I am watching events I never thought I would watch before, like curling. You hear\u2026",
"user.screen_name": "GavinThompson"
},
{
"created_at": "Mon Feb 12 03:40:43 +0000 2018",
"id": 962894208741838848,
"text": "RT @HarlanCoben: Me: I\u2019ve never watched luge. I know nothing about it. \n\nMe 20 minutes later: Turns 9 through 12 are really the key to vict\u2026",
"user.screen_name": "Blues_Record"
},
{
"created_at": "Mon Feb 12 03:40:43 +0000 2018",
"id": 962894208657797121,
"text": "Cappellini and Lanotte are just the cutest #Olympics #figureskating",
"user.screen_name": "stephkatrina"
},
{
"created_at": "Mon Feb 12 03:40:43 +0000 2018",
"id": 962894208477605888,
"text": "RT @BuzzFeed: Mirai Nagasu just became the first US woman to land the triple axel at the Olympics https://t.co/JLdvT17Q9t https://t.co/T4mX\u2026",
"user.screen_name": "_terralu"
},
{
"created_at": "Mon Feb 12 03:40:43 +0000 2018",
"id": 962894208263585793,
"text": "@AlibabaGroup @Olympics I\u2019ve tried to use Alibaba before it\u2019s not very US friendly.",
"user.screen_name": "LindaLeeYou123"
},
{
"created_at": "Mon Feb 12 03:40:43 +0000 2018",
"id": 962894207395467270,
"text": "RT @cupidcheol: his reaction of winning gold at the Olympics will always be the cutest thing ever https://t.co/TggInSnaKB",
"user.screen_name": "sunzshines"
},
{
"created_at": "Mon Feb 12 03:40:43 +0000 2018",
"id": 962894207198334977,
"text": "How do I sign up to be that Italian Ice Dancer\u2019s partner???? (For skating or otherwise \ud83d\ude0f) #Olympics",
"user.screen_name": "S_mannix"
},
{
"created_at": "Mon Feb 12 03:40:43 +0000 2018",
"id": 962894206577471488,
"text": "RT @Carpedonktum: CNN unveils it's new logo. The logo is stealing the show at the Winter Olympics! https://t.co/TLL4GX1K4P",
"user.screen_name": "sandam82"
},
{
"created_at": "Mon Feb 12 03:40:43 +0000 2018",
"id": 962894206548275200,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "renfroconnor"
},
{
"created_at": "Mon Feb 12 03:40:43 +0000 2018",
"id": 962894206472667136,
"text": "Hail to immigrants! Mirai Nagasu has become the first U.S. woman to land a triple axel in the #Olympics.\u2026 https://t.co/dJFhW8zSEO",
"user.screen_name": "alirezat"
},
{
"created_at": "Mon Feb 12 03:40:43 +0000 2018",
"id": 962894206464389120,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "alanipabz"
},
{
"created_at": "Mon Feb 12 03:40:43 +0000 2018",
"id": 962894206355296256,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "fbonacci"
},
{
"created_at": "Mon Feb 12 03:40:43 +0000 2018",
"id": 962894206330077184,
"text": "RT @dumbbeezie: I could do that. \n\n-Me watching people eating at the Olympics",
"user.screen_name": "homo_hammerhead"
},
{
"created_at": "Mon Feb 12 03:40:42 +0000 2018",
"id": 962894205533089793,
"text": "We've got a #Gold!!!! #TeamCanada \n#Can \n#Olympics \n#PyeongChang2018",
"user.screen_name": "MrNuxfan1"
},
{
"created_at": "Mon Feb 12 03:40:42 +0000 2018",
"id": 962894204912525312,
"text": "I REALLY like Capellini & Lanotte. They bring such great emotion and beauty to their skates. #Olympics",
"user.screen_name": "poisontaster"
},
{
"created_at": "Mon Feb 12 03:40:42 +0000 2018",
"id": 962894204904108032,
"text": "RT @JoyPuder: \u201cThis might be my first Olympics, but it\u2019s not my first rodeo.\u201d-@Adaripp \n\nThis is the perfect Housewives tagline. #Olympics\u2026",
"user.screen_name": "katie_rudder"
},
{
"created_at": "Mon Feb 12 03:40:42 +0000 2018",
"id": 962894204472123392,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "RubySegura29"
},
{
"created_at": "Mon Feb 12 03:40:42 +0000 2018",
"id": 962894204195278848,
"text": "RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.",
"user.screen_name": "jena_jordan"
},
{
"created_at": "Mon Feb 12 03:40:42 +0000 2018",
"id": 962894203738042368,
"text": "Italian ice dancing couple just STUNNED #Lanotte #Olympics",
"user.screen_name": "dsyelxic_"
},
{
"created_at": "Mon Feb 12 03:40:42 +0000 2018",
"id": 962894203339640832,
"text": "RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://\u2026",
"user.screen_name": "MEG_nog98"
},
{
"created_at": "Mon Feb 12 03:40:42 +0000 2018",
"id": 962894203176062977,
"text": "Any sport that requires judges has no business in the Olympics, be it winter or summer. Events that are decided by\u2026 https://t.co/zA2Sdlg3ei",
"user.screen_name": "Kenz_aFan"
},
{
"created_at": "Mon Feb 12 03:40:42 +0000 2018",
"id": 962894203050254336,
"text": "@WhatCassieDid Regrets that you missed what you wanted to see! You can watch our earlier coverage of the Figure Ska\u2026 https://t.co/wI0MsuLe4p",
"user.screen_name": "CBC"
},
{
"created_at": "Mon Feb 12 03:40:42 +0000 2018",
"id": 962894202630586368,
"text": "Watching the Olympics reminds me of the only time I snowboarded...fell getting off the chair lift and laid there wh\u2026 https://t.co/fbz4zbCS6U",
"user.screen_name": "MacadyMoe"
},
{
"created_at": "Mon Feb 12 03:40:42 +0000 2018",
"id": 962894202609729537,
"text": "RT @JeonMicDrop: BTS are so powerful they didnt even need to attend the Olympics & DNA was played as background music during opening ceremo\u2026",
"user.screen_name": "dearminpd"
},
{
"created_at": "Mon Feb 12 03:40:42 +0000 2018",
"id": 962894202404245505,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "mandab__"
},
{
"created_at": "Mon Feb 12 03:40:42 +0000 2018",
"id": 962894202358046722,
"text": "RT @OmarMinayaFan: The Olympics make me so happy. Reminds you that -- despite all the bad news, and all the evil stuff we hear about -- mos\u2026",
"user.screen_name": "bhavesh0128"
},
{
"created_at": "Mon Feb 12 03:40:42 +0000 2018",
"id": 962894202051944448,
"text": "RT @DLoesch: Who determined this? They\u2019ve made no concessions, starve and torture their populace, threaten war, and all they have to do is\u2026",
"user.screen_name": "Debbiefullam"
},
{
"created_at": "Mon Feb 12 03:40:42 +0000 2018",
"id": 962894201833664512,
"text": "As the Olympics are going on. We give medals \ud83c\udfc5for placing do the others get participation \ud83c\udfc5?",
"user.screen_name": "burnindaylight5"
},
{
"created_at": "Mon Feb 12 03:40:41 +0000 2018",
"id": 962894201171206145,
"text": "RT @hancinema: Ok Taecyeon at the Olympics https://t.co/E1ScoPTqSo https://t.co/MgYmxdU3li",
"user.screen_name": "hennyprscl"
},
{
"created_at": "Mon Feb 12 03:40:41 +0000 2018",
"id": 962894200890167296,
"text": "So let me get this straight you can fall 2 to 3 times a and get first if your name is Chan. Rippon got ripped off\u2026 https://t.co/Kc1YhRdaNZ",
"user.screen_name": "theycallmegurch"
},
{
"created_at": "Mon Feb 12 03:40:41 +0000 2018",
"id": 962894200751755264,
"text": "This year's Winter Olympics debuts doubles curling. American siblings relish in the opportunity to compete together\u2026 https://t.co/z8zFFBcoj1",
"user.screen_name": "ggibitgiles2"
},
{
"created_at": "Mon Feb 12 03:40:41 +0000 2018",
"id": 962894200521089025,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "katieguezille"
},
{
"created_at": "Mon Feb 12 03:40:41 +0000 2018",
"id": 962894199891922945,
"text": "RT @booksnbigideas: Mirai is so happy I love her!! #Olympics",
"user.screen_name": "gillyraebean"
},
{
"created_at": "Mon Feb 12 03:40:41 +0000 2018",
"id": 962894199510073344,
"text": "RT @chr1sa: Best view of the @Intel drone swarm performance at the Olympics https://t.co/mCsILkq38Z",
"user.screen_name": "Andy_S2017"
},
{
"created_at": "Mon Feb 12 03:40:41 +0000 2018",
"id": 962894199300509697,
"text": "RT @BuzzFeed: Mirai Nagasu just became the first US woman to land the triple axel at the Olympics https://t.co/JLdvT17Q9t https://t.co/T4mX\u2026",
"user.screen_name": "mo_pletch"
},
{
"created_at": "Mon Feb 12 03:40:41 +0000 2018",
"id": 962894198935502848,
"text": "RT @carlquintanilla: When you sit next to #NorthKorea\u2019s cheering squad at speedskating.\n\n#PyeongChang2018 \n#olympics @NBCOlympics https://t\u2026",
"user.screen_name": "mrjake805"
},
{
"created_at": "Mon Feb 12 03:40:41 +0000 2018",
"id": 962894198109241344,
"text": "OLYMPICS: ITALY's skating couple have just done the most beautiful dance so far! LOVELY \ud83c\uddee\ud83c\uddf9",
"user.screen_name": "BillofRightsKin"
},
{
"created_at": "Mon Feb 12 03:40:41 +0000 2018",
"id": 962894198042226688,
"text": "RT @CBCOlympics: John Morris and Kaitlyn Lawes looking for redemption against Team Norway come out the gate haaarrrrrrdddd! #curling #Pyeon\u2026",
"user.screen_name": "OGDonCalderon"
},
{
"created_at": "Mon Feb 12 03:40:41 +0000 2018",
"id": 962894197949739008,
"text": "RT @intel: Experience the moment the world came together under a sky of #drones. See more of the Team in Flight at https://t.co/Jkxn9vTpOt.\u2026",
"user.screen_name": "selvat15"
},
{
"created_at": "Mon Feb 12 03:40:41 +0000 2018",
"id": 962894197945749504,
"text": "RT @nytimes: Mike Pence denied a report that Adam Rippon, a gay American figure skater, had refused to meet with him. But the Olympic athle\u2026",
"user.screen_name": "Michael23921465"
},
{
"created_at": "Mon Feb 12 03:40:41 +0000 2018",
"id": 962894197824065536,
"text": "RT @julia_mccoy17: Me: critiques people in the olympics\nAlso me: can\u2019t stand on ice skates for more than 2 seconds without falling",
"user.screen_name": "ashhanson_"
},
{
"created_at": "Mon Feb 12 03:40:41 +0000 2018",
"id": 962894197811482624,
"text": "RT @guskenworthy: We're here. We're queer. Get used to it. @Adaripp #Olympics #OpeningCeremony https://t.co/OCeiqiY6BN",
"user.screen_name": "nick_burford"
},
{
"created_at": "Mon Feb 12 03:40:41 +0000 2018",
"id": 962894197672919040,
"text": "RT @lolacoaster: olympics drinking game rules\nsomeone falls: do a shot\nsomeone cries when they get their score: do a shot\na koch industries\u2026",
"user.screen_name": "KGBclaire"
},
{
"created_at": "Mon Feb 12 03:40:41 +0000 2018",
"id": 962894197639573506,
"text": "RT @joshrogin: Did I photobomb the North Korea cheer squad? Absolutely. #PyeongChang #Olympics H/T: @W7VOA https://t.co/q8WnOK7hhF",
"user.screen_name": "K8TDidToo"
},
{
"created_at": "Mon Feb 12 03:40:41 +0000 2018",
"id": 962894197572489216,
"text": "RT @vlissful: @jintellectually okay for those who are confused, read the article here\n\nthe nbc guy said \u201cEvery Korean will tell you that Ja\u2026",
"user.screen_name": "adoringlikeari"
},
{
"created_at": "Mon Feb 12 03:40:41 +0000 2018",
"id": 962894197476003846,
"text": "RT @SwedeStats: Sweden, Norway, Finland, Denmark and Iceland should just go together as \"The Nordics\" and sweep everything that has to do w\u2026",
"user.screen_name": "SonnAvWoden"
},
{
"created_at": "Mon Feb 12 03:40:40 +0000 2018",
"id": 962894196683300864,
"text": "RT @LaurlynB: Spent the day Ice Skating at the Utah Olympic Oval with Olympian hopeful -Jason Brown! @AdeccoUSA @TeamUSA #goforthegold #Oly\u2026",
"user.screen_name": "AngieCollege"
},
{
"created_at": "Mon Feb 12 03:40:40 +0000 2018",
"id": 962894196595027968,
"text": "RT @PhilipRucker: Still can\u2019t get over that Adam Rippon\u2019s flawless, magical skate was edged out by a Russian Elvis who fell and whose progr\u2026",
"user.screen_name": "AnaamiOne"
},
{
"created_at": "Mon Feb 12 03:40:40 +0000 2018",
"id": 962894196192538624,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "Nadds11015"
},
{
"created_at": "Mon Feb 12 03:40:40 +0000 2018",
"id": 962894196154671105,
"text": "Hey @NBCSports I know there are other sports going on besides figure skating. Can we see some of those? #Olympics",
"user.screen_name": "CoxWebDev"
},
{
"created_at": "Mon Feb 12 03:40:40 +0000 2018",
"id": 962894195932520448,
"text": "#MSM no sense of history insults anyone anywhere anytime: NBC apologizes to Korean people after correspondent's 'ig\u2026 https://t.co/L6WYtmQ3FS",
"user.screen_name": "ellenjharris"
},
{
"created_at": "Mon Feb 12 03:40:40 +0000 2018",
"id": 962894195915550720,
"text": "RT @btschartdata: [!] Another BTS' song played at #Olympics , '21st Century Girl' was used as background music in Women Hockey Match, Canad\u2026",
"user.screen_name": "Yoongibbies"
},
{
"created_at": "Mon Feb 12 03:40:40 +0000 2018",
"id": 962894195743698944,
"text": "wait when do nct perform at the olympics",
"user.screen_name": "smolsicheng"
},
{
"created_at": "Mon Feb 12 03:40:40 +0000 2018",
"id": 962894195504463872,
"text": "RT @NBCOlympics: A performance for the record books by Mirai Nagasu, complete with a celebration we'll remember for a long time. #BestOfUS\u2026",
"user.screen_name": "CSchozer"
},
{
"created_at": "Mon Feb 12 03:40:40 +0000 2018",
"id": 962894195412287488,
"text": "RT @daxshepard1: I always keep my eyes peeled for an event that I may be able to compete in the Olympics. No luck so far.",
"user.screen_name": "davidthe_2nd"
},
{
"created_at": "Mon Feb 12 03:40:40 +0000 2018",
"id": 962894195299094528,
"text": "red gerard looks like a discount jeff spicoli #Olympics https://t.co/ttICDMaUR3",
"user.screen_name": "marypuchalski"
},
{
"created_at": "Mon Feb 12 03:40:40 +0000 2018",
"id": 962894194686611458,
"text": "RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://\u2026",
"user.screen_name": "001Canales"
},
{
"created_at": "Mon Feb 12 03:40:40 +0000 2018",
"id": 962894194393145344,
"text": "RT @Rosie: beautiful man - beautiful soul \n#AdamRippon - national hero\n#Olympics https://t.co/MbjOoXJhP6",
"user.screen_name": "jhayden214"
},
{
"created_at": "Mon Feb 12 03:40:40 +0000 2018",
"id": 962894194233655298,
"text": "@ClayTravis I'd rather watch curling \"teams\" throw down w/ their brooms gladiator style! #Olympics",
"user.screen_name": "mooseknuckle406"
},
{
"created_at": "Mon Feb 12 03:40:40 +0000 2018",
"id": 962894193935953922,
"text": "RT @tedlieu: Congratulations to Mirai Nagasu for being the first American in history to land a triple axle at the Winter Olympics! https://\u2026",
"user.screen_name": "andrewstark02"
},
{
"created_at": "Mon Feb 12 03:40:40 +0000 2018",
"id": 962894193369563136,
"text": "RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G",
"user.screen_name": "timie_"
},
{
"created_at": "Mon Feb 12 03:40:39 +0000 2018",
"id": 962894192946110470,
"text": "RT @melrosaa: Italy skating to soundtrack of Life is Beautiful \ud83d\ude2d #Olympics So good!",
"user.screen_name": "Avila1Emily"
},
{
"created_at": "Mon Feb 12 03:40:39 +0000 2018",
"id": 962894192115556352,
"text": "RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G",
"user.screen_name": "foldzombie"
},
{
"created_at": "Mon Feb 12 03:40:39 +0000 2018",
"id": 962894190836420609,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "AVAndyist"
},
{
"created_at": "Mon Feb 12 03:40:39 +0000 2018",
"id": 962894190643331072,
"text": "How can such an astoundingly ignorant person be a director of Starbucks and FedEx and be on Kissinger\u2019s board?!\nHe\u2026 https://t.co/3061Nsm3Nn",
"user.screen_name": "itismedesu"
},
{
"created_at": "Mon Feb 12 03:40:39 +0000 2018",
"id": 962894190366441472,
"text": "RT @rockerskating: From Muramoto/Reed's protocols, the calls seem to be less strict today - 5 lvl 4 elements, 1 lvl 3 on the diagonal step,\u2026",
"user.screen_name": "The3rdName"
},
{
"created_at": "Mon Feb 12 03:40:39 +0000 2018",
"id": 962894189729079297,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "katiejaynie"
},
{
"created_at": "Mon Feb 12 03:40:39 +0000 2018",
"id": 962894189158633475,
"text": "RT @cnni: As day 3 at #PyeongChang2018 Winter Olympics kicks off, keep up to date with the latest updates here: https://t.co/Y8pMjhRClq htt\u2026",
"user.screen_name": "airnation"
},
{
"created_at": "Mon Feb 12 03:40:38 +0000 2018",
"id": 962894188588171265,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "monotrees"
},
{
"created_at": "Mon Feb 12 03:40:38 +0000 2018",
"id": 962894188403724288,
"text": "@eftinkville @jk_powerup Nope.. you can enjoy all you want. I just find the Olympics very strange. And mostly boring.",
"user.screen_name": "sogoodsosoon"
},
{
"created_at": "Mon Feb 12 03:40:38 +0000 2018",
"id": 962894188189835264,
"text": "RT @caroshoults: Screw super bowl commercials, these olympics commercials are making me feel like I can accomplish anything.",
"user.screen_name": "JJmuniz_"
},
{
"created_at": "Mon Feb 12 03:40:38 +0000 2018",
"id": 962894187543764992,
"text": "RT @CBCOlympics: #CAN's @tessavirtue & @ScottMoir skate 5th in the last event of the #FigureSkating Team Event. Even if they finish last, C\u2026",
"user.screen_name": "msanadouglas"
},
{
"created_at": "Mon Feb 12 03:40:38 +0000 2018",
"id": 962894187413889024,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "TripleMLitz"
},
{
"created_at": "Mon Feb 12 03:40:38 +0000 2018",
"id": 962894187287867392,
"text": "RT @chalanlexi: MIDORI-MAO-MIRAI --- Three women who landed the difficult triple axel in the Olympics #Midori, #MaoAsada and @mirai_nagasu.\u2026",
"user.screen_name": "xaorin"
},
{
"created_at": "Mon Feb 12 03:40:38 +0000 2018",
"id": 962894186386161666,
"text": "RT @espnW: This is @lindseyvonn's last Olympics, and she's going to make every single second count. https://t.co/cbLWJ2JoWH",
"user.screen_name": "Studley"
},
{
"created_at": "Mon Feb 12 03:40:38 +0000 2018",
"id": 962894186318938112,
"text": "Well, the Italians just slayed the team freelance figure skating is a sentence I can say now. #Olympics",
"user.screen_name": "shellymonstr"
},
{
"created_at": "Mon Feb 12 03:40:38 +0000 2018",
"id": 962894186184720385,
"text": "RT @olympicchannel: Start your day right with the @Olympics \ud83e\udd5e\ud83d\ude0b #PyeongChang2018 https://t.co/MJYc7cyHjv",
"user.screen_name": "A1216_exo04"
},
{
"created_at": "Mon Feb 12 03:40:38 +0000 2018",
"id": 962894185954193408,
"text": "RT @BStunner31: I love how Johnny and Tara blatantly refuse to even give ice dancing a platform #olympics",
"user.screen_name": "elknight20"
},
{
"created_at": "Mon Feb 12 03:40:38 +0000 2018",
"id": 962894185119412224,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "mavissss__"
},
{
"created_at": "Mon Feb 12 03:40:38 +0000 2018",
"id": 962894185069035520,
"text": "RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face\u2026",
"user.screen_name": "AliKira"
},
{
"created_at": "Mon Feb 12 03:40:38 +0000 2018",
"id": 962894184930840581,
"text": "RT @peachyblackgorl: as the winter Olympics begin....never forget about Surya Bonaly, a French figure skater who did a backflip and landed\u2026",
"user.screen_name": "belalababe"
},
{
"created_at": "Mon Feb 12 03:40:37 +0000 2018",
"id": 962894184704303104,
"text": "watching the olympics inspires me to be better and try to learn these sports wowza if only i could ice skate",
"user.screen_name": "revelexo"
},
{
"created_at": "Mon Feb 12 03:40:37 +0000 2018",
"id": 962894184167419904,
"text": "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on\u2026",
"user.screen_name": "katereitman"
},
{
"created_at": "Mon Feb 12 03:40:37 +0000 2018",
"id": 962894184075137025,
"text": "RT @kalynkahler: \"That was shiny, sparkling redemption.\" - @JohnnyGWeir \nMirai was eating In and Out with @Adaripp and watching the last Ol\u2026",
"user.screen_name": "CNPowers2018"
},
{
"created_at": "Mon Feb 12 03:40:37 +0000 2018",
"id": 962894183529877504,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "chris_randolph1"
},
{
"created_at": "Mon Feb 12 03:40:37 +0000 2018",
"id": 962894183030837248,
"text": "RT @tictoc: Chris @Mazdzer wins the first men\u2019s singles luge medal in U.S. history #PyeongChang2018 #Olympics https://t.co/tw566a72pw https\u2026",
"user.screen_name": "kristynaweh"
},
{
"created_at": "Mon Feb 12 03:40:37 +0000 2018",
"id": 962894182938566656,
"text": "RT @Lesdoggg: What. Is. This!!!!! @NBCOlympics @Olympics https://t.co/SQuWG7nVYZ",
"user.screen_name": "ClassicMiguel"
},
{
"created_at": "Mon Feb 12 03:40:37 +0000 2018",
"id": 962894182330245120,
"text": "RT @saminseok: Aww look at these North Koreans cheering during the Olympics! A great step for korea tbh even if others may think it's small\u2026",
"user.screen_name": "oviani0114"
},
{
"created_at": "Mon Feb 12 03:40:37 +0000 2018",
"id": 962894181910814720,
"text": "RT @USATODAY: Mirai Nagasu lands a triple axel, the first American to do it at Winter Olympics https://t.co/KnWZspOFbE",
"user.screen_name": "RealLeoAlbano"
},
{
"created_at": "Mon Feb 12 03:40:37 +0000 2018",
"id": 962894181571100672,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "Ioonylovegood"
},
{
"created_at": "Mon Feb 12 03:40:37 +0000 2018",
"id": 962894181529157632,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "mafeux"
},
{
"created_at": "Mon Feb 12 03:40:37 +0000 2018",
"id": 962894181407576064,
"text": "RT @TechnicallyRon: Your definitive guide to the sports of the 2018 Winter Olympics https://t.co/Oyon5qfHBc",
"user.screen_name": "wundernerd8"
},
{
"created_at": "Mon Feb 12 03:40:37 +0000 2018",
"id": 962894181105618945,
"text": "@whitneybalmer The olympics are in Korea, so we may see it.\n\nhttps://t.co/SXkVyacIse",
"user.screen_name": "ISugg"
},
{
"created_at": "Mon Feb 12 03:40:37 +0000 2018",
"id": 962894180857991168,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "tobyjamessharp"
},
{
"created_at": "Mon Feb 12 03:40:37 +0000 2018",
"id": 962894180606447617,
"text": "Aaaaand the freakin Italians killed it.... AGAIN! #Olympics2018 #olympics #FigureSkating #IceDancing",
"user.screen_name": "jillylove"
},
{
"created_at": "Mon Feb 12 03:40:37 +0000 2018",
"id": 962894180572979200,
"text": "RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face\u2026",
"user.screen_name": "homo_hammerhead"
},
{
"created_at": "Mon Feb 12 03:40:37 +0000 2018",
"id": 962894180543541248,
"text": "Based on my Twitter feed, race tracks should throw credit cards, multi-leg ticket buy back programs, and parlay car\u2026 https://t.co/g8VBYIfAVE",
"user.screen_name": "ShotTakingTime"
},
{
"created_at": "Mon Feb 12 03:40:36 +0000 2018",
"id": 962894180455452672,
"text": "Honest to god thought the Italians were about to pull off the Iron Lotus. #olympics",
"user.screen_name": "JerryScherwin"
},
{
"created_at": "Mon Feb 12 03:40:36 +0000 2018",
"id": 962894180400771072,
"text": "RT @exoelle88: @soompi We have a VS Model, a World Record-Setting golfer & a 2x Olympics champion who just recently set a new world record\u2026",
"user.screen_name": "mklprlexo"
},
{
"created_at": "Mon Feb 12 03:40:36 +0000 2018",
"id": 962894180245786624,
"text": "RT @carlizuhl: Can someone who understands ice skating explain to me why Kolyada is in first place ahead of the Italian and Adam Rippon lik\u2026",
"user.screen_name": "kheirigs"
},
{
"created_at": "Mon Feb 12 03:40:36 +0000 2018",
"id": 962894180115734528,
"text": "RT @Devin_Heroux: This was Mark McMorris 11 months ago. \n\nHe\u2019s a bronze medallist at the #Olympics today. \n\nRemarkable. https://t.co/UnhBs9\u2026",
"user.screen_name": "Kenziehocking12"
},
{
"created_at": "Mon Feb 12 03:40:36 +0000 2018",
"id": 962894179889242112,
"text": "we watchin the olympics. chip gets gold in being a cute bitch. https://t.co/kaDxzuoGX2",
"user.screen_name": "emmettkcampbell"
},
{
"created_at": "Mon Feb 12 03:40:36 +0000 2018",
"id": 962894179214020609,
"text": "I don't think I'll ever trust anyone enough to let them hold me by one foot while we're on skating on ice. #olympics",
"user.screen_name": "notrachel"
},
{
"created_at": "Mon Feb 12 03:40:36 +0000 2018",
"id": 962894179062841344,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "Vera_Chok"
},
{
"created_at": "Mon Feb 12 03:40:36 +0000 2018",
"id": 962894178979143680,
"text": "RT @jpbrammer: my favorite part of the Olympics so far was when Aja jumped off that box",
"user.screen_name": "DimeCharlotte"
},
{
"created_at": "Mon Feb 12 03:40:36 +0000 2018",
"id": 962894178710630405,
"text": "RT @cmclymer: Another thought: when he retires someday, Adam Rippon is going to be the greatest Olympics commentator ever.\n\n#PyeongChang2018",
"user.screen_name": "friskeyp"
},
{
"created_at": "Mon Feb 12 03:40:36 +0000 2018",
"id": 962894178647764993,
"text": "RT @DjLots3: .@CNN there are hundreds of protestors outside Olympics that have 1st hand knowledge of the cruel N.Korean regime.Where's that\u2026",
"user.screen_name": "toiletman01"
},
{
"created_at": "Mon Feb 12 03:40:36 +0000 2018",
"id": 962894178266083329,
"text": "RT @paulwaldman1: +1000. I've written before about how the diversity of our team is the coolest thing about the Olympics, and a quadrennial\u2026",
"user.screen_name": "mikalvision"
},
{
"created_at": "Mon Feb 12 03:40:36 +0000 2018",
"id": 962894177745940480,
"text": "RT @Chet_Cannon: Imagine being so far left and anti-Trump that you praise a child-torturing, teen-raping, murderous dictatorship just to sp\u2026",
"user.screen_name": "CreedWHS"
},
{
"created_at": "Mon Feb 12 03:40:36 +0000 2018",
"id": 962894177523597313,
"text": "RT @jenikooooooo: Alina has a mind of steel and solid jump technique. But how else can anyone call out the scoring system without using her\u2026",
"user.screen_name": "DiChristine"
},
{
"created_at": "Mon Feb 12 03:40:36 +0000 2018",
"id": 962894177297051648,
"text": "Winter Olympics 2018: Windy conditions cause Aimee Fuller problems in first run https://t.co/4CPDzzDMeK https://t.co/VQnfylbS4R",
"user.screen_name": "globalnews312"
},
{
"created_at": "Mon Feb 12 03:40:36 +0000 2018",
"id": 962894176688984064,
"text": "RT @Trumpfan1995: CNN thinks this woman is a star at the Winter Olympics.\n\nShe is not a young woman promoting democracy and human rights.\u2026",
"user.screen_name": "travdoggy"
},
{
"created_at": "Mon Feb 12 03:40:36 +0000 2018",
"id": 962894176688865280,
"text": "RT @Clefairyhyun: Acc to this article, the artists in the opening and closing of the Olympics ceremony, Exo included, receive little to no\u2026",
"user.screen_name": "cyt_sara"
},
{
"created_at": "Mon Feb 12 03:40:36 +0000 2018",
"id": 962894176386863104,
"text": "RT @AliciaAmin: Julian Yee is the first ever Malaysian to compete in the Winter Olympics & so many of us sleeping on him (incl me)\n\nHe\u2019s wo\u2026",
"user.screen_name": "exorydalis_"
},
{
"created_at": "Mon Feb 12 03:40:35 +0000 2018",
"id": 962894176286158849,
"text": "RT @Clefairyhyun: Acc to this article, the artists in the opening and closing of the Olympics ceremony, Exo included, receive little to no\u2026",
"user.screen_name": "chanwooyaahh"
},
{
"created_at": "Mon Feb 12 03:40:35 +0000 2018",
"id": 962894176135335936,
"text": "RT @angryasianman: Somebody, give us the gif of Mirai Nagasu\u2019s \u201cFUCK YEAH!\u201d face when she finished her skate. #Olympics",
"user.screen_name": "cookiesofine"
},
{
"created_at": "Mon Feb 12 03:40:35 +0000 2018",
"id": 962894175816638465,
"text": "RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face\u2026",
"user.screen_name": "bakedpotatoe123"
},
{
"created_at": "Mon Feb 12 03:40:35 +0000 2018",
"id": 962894175569108992,
"text": "@AsianAdidasGirl Lol Olympics always promote peace, you know. No need to be rude. You called BS, I gave you facts. It's all good though \ud83d\udc4c",
"user.screen_name": "fromPortmay"
},
{
"created_at": "Mon Feb 12 03:40:35 +0000 2018",
"id": 962894175422296065,
"text": "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on\u2026",
"user.screen_name": "AshNicole55"
},
{
"created_at": "Mon Feb 12 03:40:35 +0000 2018",
"id": 962894175279763456,
"text": "@popculturenerd @tedlieu Brian Orser is not an American man--well, *North* American, yes, but he's Canadian. He *wa\u2026 https://t.co/6XzPXUxeVB",
"user.screen_name": "hotincleveland"
},
{
"created_at": "Mon Feb 12 03:40:35 +0000 2018",
"id": 962894174566735872,
"text": "RT @DLoesch: Who determined this? They\u2019ve made no concessions, starve and torture their populace, threaten war, and all they have to do is\u2026",
"user.screen_name": "Ballsokyle"
},
{
"created_at": "Mon Feb 12 03:40:35 +0000 2018",
"id": 962894174453411840,
"text": "RT @PhilipRucker: Still can\u2019t get over that Adam Rippon\u2019s flawless, magical skate was edged out by a Russian Elvis who fell and whose progr\u2026",
"user.screen_name": "SaraKosiorek"
},
{
"created_at": "Mon Feb 12 03:40:35 +0000 2018",
"id": 962894174352789504,
"text": "RT @BTS__Europe: \ud83c\uddf7\ud83c\uddfa \ud83c\udfd2 \ud83c\udde8\ud83c\udde6 \n\n@BTS_twt - ' 21st Century Girl ' played during the Canada VS Russia Ladies hockey game at the Pyeongchang Olympi\u2026",
"user.screen_name": "Regginahh"
},
{
"created_at": "Mon Feb 12 03:40:35 +0000 2018",
"id": 962894174151479296,
"text": "Winter Olympics 2018: Windy conditions cause Aimee Fuller problems in... https://t.co/Y0pLd9ssT3 Aimee Fuller's final run in the women's",
"user.screen_name": "Follow_Finance"
},
{
"created_at": "Mon Feb 12 03:40:35 +0000 2018",
"id": 962894173778120704,
"text": "RT @USATODAY: It doesn\u2019t get much more impressive than this. https://t.co/La2NeZLE9J #Olympics",
"user.screen_name": "CJWarner1"
},
{
"created_at": "Mon Feb 12 03:40:35 +0000 2018",
"id": 962894173635407873,
"text": "RT @Adaripp: WHEN YOURE RIGHT, YOURE RIGHT, @RWitherspoon \u2764\ufe0f\u2764\ufe0f\u2764\ufe0f Also!! Quick movie idea for you: You (played by you) tweet me in the middl\u2026",
"user.screen_name": "SavannahBayBVI"
},
{
"created_at": "Mon Feb 12 03:40:35 +0000 2018",
"id": 962894173400543232,
"text": "To me the Olympics are special and give me an opportunity to watch sports I normally wouldn't watch. I admire the d\u2026 https://t.co/q26qXOGapa",
"user.screen_name": "Gaychel22"
},
{
"created_at": "Mon Feb 12 03:40:35 +0000 2018",
"id": 962894173157371904,
"text": "RT @peachyblackgorl: as the winter Olympics begin....never forget about Surya Bonaly, a French figure skater who did a backflip and landed\u2026",
"user.screen_name": "lusauce1293"
},
{
"created_at": "Mon Feb 12 03:40:35 +0000 2018",
"id": 962894173031583744,
"text": "RT @ArthurSchwartz: CNN: Our puff piece on murderous dictator Kim Jong-un\u2019s sister is the most embarrassing piece of journalism that anyone\u2026",
"user.screen_name": "rainbear00"
},
{
"created_at": "Mon Feb 12 03:40:35 +0000 2018",
"id": 962894172461174784,
"text": "RT @JonAcuff: Dear Olympics commentators, at the beginning of each figure skating couple please let us know if the couple loves each other\u2026",
"user.screen_name": "GenesisColema19"
},
{
"created_at": "Mon Feb 12 03:40:34 +0000 2018",
"id": 962894171450298368,
"text": "I wish I could figure skate. I love it so much. \ud83d\ude2d\ud83d\ude2d\u26f8 #Olympics",
"user.screen_name": "WLW916"
},
{
"created_at": "Mon Feb 12 03:40:34 +0000 2018",
"id": 962894171135602688,
"text": "RT @dereklew: Watching Team Canada erupt into applause when American skater Mirai Nagasu became only the third woman to land a triple axel\u2026",
"user.screen_name": "aaashketchum"
},
{
"created_at": "Mon Feb 12 03:40:34 +0000 2018",
"id": 962894170716327936,
"text": "RT @jesswitkins: So happy for and proud of @mirai_nagasu making history tonight for #teamusa at the 2018 #Olympics! Enjoy your moment!! You\u2026",
"user.screen_name": "AmberNicole226"
},
{
"created_at": "Mon Feb 12 03:40:34 +0000 2018",
"id": 962894170703704064,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "harmonizercm"
},
{
"created_at": "Mon Feb 12 03:40:34 +0000 2018",
"id": 962894170556981249,
"text": "RT @rockerskating: From Muramoto/Reed's protocols, the calls seem to be less strict today - 5 lvl 4 elements, 1 lvl 3 on the diagonal step,\u2026",
"user.screen_name": "abzeronow"
},
{
"created_at": "Mon Feb 12 03:40:34 +0000 2018",
"id": 962894170397519872,
"text": "RT @nytimes: Mike Pence denied a report that Adam Rippon, a gay American figure skater, had refused to meet with him. But the Olympic athle\u2026",
"user.screen_name": "yellowdog625"
},
{
"created_at": "Mon Feb 12 03:40:34 +0000 2018",
"id": 962894170296786944,
"text": "RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G",
"user.screen_name": "TimPosition"
},
{
"created_at": "Mon Feb 12 03:40:34 +0000 2018",
"id": 962894169713856512,
"text": "Leslie Jones' Winter Olympics Twitter Game Keeps Killing It https://t.co/kKSRVAgA4l",
"user.screen_name": "DrMCar"
},
{
"created_at": "Mon Feb 12 03:40:34 +0000 2018",
"id": 962894169554477056,
"text": "RT @Lesdoggg: Um did Adam need to fall to his routine wtf?! Very confused right now. @NBCOlympics @Olympics https://t.co/KGiGW4OUrs",
"user.screen_name": "LouisTomlickson"
},
{
"created_at": "Mon Feb 12 03:40:34 +0000 2018",
"id": 962894169466462208,
"text": "RT @DavidShaunBurke: Congratulations Snowboarder Red Gerard, winning 1st U.S. Gold Medal \ud83e\udd47 of 2018 Winter Olympics! https://t.co/ZILmrsuw92",
"user.screen_name": "stonemanatl"
},
{
"created_at": "Mon Feb 12 03:40:34 +0000 2018",
"id": 962894168824647680,
"text": "Get Ready for the Winter Olympics\u2026Yoga Style! https://t.co/CPGMCZD53w",
"user.screen_name": "CV_DXB"
},
{
"created_at": "Mon Feb 12 03:40:34 +0000 2018",
"id": 962894168510124032,
"text": "RT @TechnicallyRon: Your definitive guide to the sports of the 2018 Winter Olympics https://t.co/Oyon5qfHBc",
"user.screen_name": "HymTheGrimeGod"
},
{
"created_at": "Mon Feb 12 03:40:34 +0000 2018",
"id": 962894168484872192,
"text": "I think I've seen 2 thirty second snowboarding runs in the past 40 minutes. Tons of commercials though. Hershey's g\u2026 https://t.co/Sl73XLvY2J",
"user.screen_name": "day_man"
},
{
"created_at": "Mon Feb 12 03:40:33 +0000 2018",
"id": 962894167465713664,
"text": "RT @BuzzFeed: Mirai Nagasu just became the first US woman to land the triple axel at the Olympics https://t.co/JLdvT17Q9t https://t.co/T4mX\u2026",
"user.screen_name": "CharmHawthorn"
},
{
"created_at": "Mon Feb 12 03:40:33 +0000 2018",
"id": 962894167306272768,
"text": "Anna and Luca \u2764\ufe0f\u2764\ufe0f\u2764\ufe0f #Olympics",
"user.screen_name": "KritiSarker"
},
{
"created_at": "Mon Feb 12 03:40:33 +0000 2018",
"id": 962894167184674816,
"text": "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on\u2026",
"user.screen_name": "fallynforyou_"
},
{
"created_at": "Mon Feb 12 03:40:33 +0000 2018",
"id": 962894166735966208,
"text": "RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G",
"user.screen_name": "ZacharyThomas_F"
},
{
"created_at": "Mon Feb 12 03:40:33 +0000 2018",
"id": 962894166702329858,
"text": "Me after watching the Olympics: #OlympicWinterGames https://t.co/fhlum2AJF7",
"user.screen_name": "faultinmypizza"
},
{
"created_at": "Mon Feb 12 03:40:33 +0000 2018",
"id": 962894166299525120,
"text": "RT @SaraKellar: Tessa and Scott is already trending and we truly have no chill, as a nation, do we\n\n#figureskating #Olympics",
"user.screen_name": "gerbersgerber"
},
{
"created_at": "Mon Feb 12 03:40:33 +0000 2018",
"id": 962894166236848128,
"text": "How you fall in ice dancing #Olympics",
"user.screen_name": "MimiC1019"
},
{
"created_at": "Mon Feb 12 03:40:33 +0000 2018",
"id": 962894166186315777,
"text": "RT @chalanlexi: MIDORI-MAO-MIRAI --- Three women who landed the difficult triple axel in the Olympics #Midori, #MaoAsada and @mirai_nagasu.\u2026",
"user.screen_name": "uzutoracat"
},
{
"created_at": "Mon Feb 12 03:40:33 +0000 2018",
"id": 962894166157070337,
"text": "RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.",
"user.screen_name": "Laner67"
},
{
"created_at": "Mon Feb 12 03:40:33 +0000 2018",
"id": 962894165947441152,
"text": "How does one skater stand on another skater\u2019s thigh and not slice his leg open? Beautiful skate from the Italian pair. #Olympics",
"user.screen_name": "emsheehanwrites"
},
{
"created_at": "Mon Feb 12 03:40:33 +0000 2018",
"id": 962894165813219328,
"text": "RT @BuzzFeed: Mirai Nagasu just became the first US woman to land the triple axel at the Olympics https://t.co/JLdvT17Q9t https://t.co/T4mX\u2026",
"user.screen_name": "kaitlynpettey"
},
{
"created_at": "Mon Feb 12 03:40:33 +0000 2018",
"id": 962894165360218112,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "mary_pitts"
},
{
"created_at": "Mon Feb 12 03:40:33 +0000 2018",
"id": 962894165108408320,
"text": "RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face\u2026",
"user.screen_name": "tindergrandma"
},
{
"created_at": "Mon Feb 12 03:40:33 +0000 2018",
"id": 962894164928102400,
"text": "RT @kalynkahler: \"That was shiny, sparkling redemption.\" - @JohnnyGWeir \nMirai was eating In and Out with @Adaripp and watching the last Ol\u2026",
"user.screen_name": "the_casshole"
},
{
"created_at": "Mon Feb 12 03:40:33 +0000 2018",
"id": 962894164923858944,
"text": "RT @traciglee: This @ringer profile of the #ShibSibs is wonderful: https://t.co/5b9JSPZ982 #Olympics",
"user.screen_name": "tankohh"
},
{
"created_at": "Mon Feb 12 03:40:33 +0000 2018",
"id": 962894164705685505,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "MARSY_twt"
},
{
"created_at": "Mon Feb 12 03:40:33 +0000 2018",
"id": 962894164282130432,
"text": "RT @Machaizelli: A figure skater just made American Olympic history and the NBC commentators still had to compare her to the men #Olympics\u2026",
"user.screen_name": "Peace38513"
},
{
"created_at": "Mon Feb 12 03:40:33 +0000 2018",
"id": 962894164089233409,
"text": "RT @94_degrees: Russian Figure Skater, Evgeniia Medvedeva who\u2019s an EXO-L set a new world record in the Pyeongchang Olympics & mentioned EXO\u2026",
"user.screen_name": "keyyanuh"
},
{
"created_at": "Mon Feb 12 03:40:33 +0000 2018",
"id": 962894163795521536,
"text": "Super disappointing to see Ladies' Slopestyle not postponed. #Olympics",
"user.screen_name": "Elbareth11"
},
{
"created_at": "Mon Feb 12 03:40:32 +0000 2018",
"id": 962894163669786624,
"text": "RT @BuzzFeed: Mirai Nagasu just became the first US woman to land the triple axel at the Olympics https://t.co/JLdvT17Q9t https://t.co/T4mX\u2026",
"user.screen_name": "shhmiguel"
},
{
"created_at": "Mon Feb 12 03:40:32 +0000 2018",
"id": 962894163363749889,
"text": "RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://\u2026",
"user.screen_name": "twiDAQ"
},
{
"created_at": "Mon Feb 12 03:40:32 +0000 2018",
"id": 962894163220967424,
"text": "RT @CBCOlympics: Medal Alert \ud83d\udea8\n\nCanada guaranteed to win first gold medal in figure skating team event \ud83c\udde8\ud83c\udde6 \ud83e\udd47 #PyeongChang2018 \n\nWatch Tessa\u2026",
"user.screen_name": "kaattciaravella"
},
{
"created_at": "Mon Feb 12 03:40:32 +0000 2018",
"id": 962894163162386432,
"text": "RT @TwitterMoments: Team USA figure skater @mirai_nagasu is the first American woman to land a triple axel at the Winter Olympics. #PyeongC\u2026",
"user.screen_name": "DomD1000"
},
{
"created_at": "Mon Feb 12 03:40:32 +0000 2018",
"id": 962894162948485121,
"text": "RT @KAy_TIEmyshoes: I love the Olympics https://t.co/YarQnjbr9c",
"user.screen_name": "pele_manaku"
},
{
"created_at": "Mon Feb 12 03:40:32 +0000 2018",
"id": 962894162893864960,
"text": "RT @SInow: WATCH: Mirai Nagasu becomes the first American woman in Olympic history to\nland the triple axel https://t.co/epZANcHMQF",
"user.screen_name": "awittenberg11"
},
{
"created_at": "Mon Feb 12 03:40:32 +0000 2018",
"id": 962894162650718208,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "AndreiwKim21"
},
{
"created_at": "Mon Feb 12 03:40:32 +0000 2018",
"id": 962894162575142912,
"text": "RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face\u2026",
"user.screen_name": "kreerpro"
},
{
"created_at": "Mon Feb 12 03:40:32 +0000 2018",
"id": 962894162197667840,
"text": "RT @TheRickyDavila: It says something when our amazing athletes can so easily represent the United States with class, grace, honor, dignity\u2026",
"user.screen_name": "TheMariahRamsey"
},
{
"created_at": "Mon Feb 12 03:40:32 +0000 2018",
"id": 962894161560059905,
"text": "RT @theCaGuard: Four #NewYork National Guard soldiers are competing for #TeamUSA in bobsled and luge during the #WinterOlympics. @USNationa\u2026",
"user.screen_name": "RandySink7"
},
{
"created_at": "Mon Feb 12 03:40:32 +0000 2018",
"id": 962894161199300608,
"text": "italy\u2019s is so cute \ud83e\udd27\ud83e\udd27\ud83e\udd27 #olympics",
"user.screen_name": "junghoseoks"
},
{
"created_at": "Mon Feb 12 03:40:32 +0000 2018",
"id": 962894160972754944,
"text": "RT @charliekirk11: South Korea only exists thanks to US troops sacrifice in the 1950\u2019s \n\n36,000 Americans died so South Korea could be free\u2026",
"user.screen_name": "DianeMo24012416"
},
{
"created_at": "Mon Feb 12 03:40:32 +0000 2018",
"id": 962894160582803456,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "gracemarrero6"
},
{
"created_at": "Mon Feb 12 03:40:32 +0000 2018",
"id": 962894160310296577,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "laurxnr"
},
{
"created_at": "Mon Feb 12 03:40:32 +0000 2018",
"id": 962894159819440130,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "JustDebnCali"
},
{
"created_at": "Mon Feb 12 03:40:32 +0000 2018",
"id": 962894159567835143,
"text": "RT @thehill: Dutch fans troll Trump at the Olympics with flag: \"Sorry Mr. President. The Netherlands First... And 2nd... And 3rd\" https://t\u2026",
"user.screen_name": "stshinn"
},
{
"created_at": "Mon Feb 12 03:40:31 +0000 2018",
"id": 962894159022645248,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "DrClarkIPresume"
},
{
"created_at": "Mon Feb 12 03:40:31 +0000 2018",
"id": 962894158682820609,
"text": "RT @thehill: Dutch fans troll Trump at the Olympics with flag: \"Sorry Mr. President. The Netherlands First... And 2nd... And 3rd\" https://t\u2026",
"user.screen_name": "PurgatoryEMS"
},
{
"created_at": "Mon Feb 12 03:40:31 +0000 2018",
"id": 962894158372499456,
"text": "Sports reporter: Mirai you are the first American woman to land the triple axel at the Olympics so what was it like\u2026 https://t.co/zDFlO52uHf",
"user.screen_name": "dvwz"
},
{
"created_at": "Mon Feb 12 03:40:31 +0000 2018",
"id": 962894158338834432,
"text": "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on\u2026",
"user.screen_name": "jbeq_"
},
{
"created_at": "Mon Feb 12 03:40:31 +0000 2018",
"id": 962894158032666624,
"text": "That was an exquisite free dance from #CappelliniLanotte , much better than they did at the #EuropeanChamps\n\n#FigureSkating \n#Olympics",
"user.screen_name": "JamesSemaj1220"
},
{
"created_at": "Mon Feb 12 03:40:31 +0000 2018",
"id": 962894157940367365,
"text": "RT @ABC: U.S. figure skater Mirai Nagasu makes history, becoming the first American woman - and third overall - to land a triple axel in th\u2026",
"user.screen_name": "Iris_gh"
},
{
"created_at": "Mon Feb 12 03:40:31 +0000 2018",
"id": 962894157831385089,
"text": "@Miamiblues @NBCOlympics That is my point....all they hear mixing Xanax and Alcohol encouraged by an Olympic athlet\u2026 https://t.co/wuNYxQPJhv",
"user.screen_name": "ebenfrederick"
},
{
"created_at": "Mon Feb 12 03:40:31 +0000 2018",
"id": 962894157500076039,
"text": "RT @Clefairyhyun: Acc to this article, the artists in the opening and closing of the Olympics ceremony, Exo included, receive little to no\u2026",
"user.screen_name": "NatRV74"
},
{
"created_at": "Mon Feb 12 03:40:31 +0000 2018",
"id": 962894157198118913,
"text": "Olympics don\u2019t really start until its USA vs Canada in the Men\u2019s Gold Medal hockey game",
"user.screen_name": "Ethanpaints"
},
{
"created_at": "Mon Feb 12 03:40:31 +0000 2018",
"id": 962894157000990720,
"text": "5 Rings Daily-PyeongChang 2018, Day 2 Curling Talk with Ben Massey and Our GSBWP Medals for Day 2\u2026 https://t.co/EC9DU8xnu4",
"user.screen_name": "5RingsPodcast"
},
{
"created_at": "Mon Feb 12 03:40:31 +0000 2018",
"id": 962894156992516099,
"text": "RT @NBCOlympics: A performance for the record books by Mirai Nagasu, complete with a celebration we'll remember for a long time. #BestOfUS\u2026",
"user.screen_name": "hoIdtightrauhl"
},
{
"created_at": "Mon Feb 12 03:40:31 +0000 2018",
"id": 962894156824682497,
"text": "RT @peachyblackgorl: as the winter Olympics begin....never forget about Surya Bonaly, a French figure skater who did a backflip and landed\u2026",
"user.screen_name": "kirkitcrazy"
},
{
"created_at": "Mon Feb 12 03:40:31 +0000 2018",
"id": 962894156795400192,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "ashleymimicx"
},
{
"created_at": "Mon Feb 12 03:40:31 +0000 2018",
"id": 962894156506042368,
"text": "RT @nytimes: Mike Pence denied a report that Adam Rippon, a gay American figure skater, had refused to meet with him. But the Olympic athle\u2026",
"user.screen_name": "QueenBertRoyal"
},
{
"created_at": "Mon Feb 12 03:40:31 +0000 2018",
"id": 962894155897810947,
"text": "They were so good, but when her skate was on his thigh I got scared. #Olympics",
"user.screen_name": "NeoEnding"
},
{
"created_at": "Mon Feb 12 03:40:31 +0000 2018",
"id": 962894155457449985,
"text": "LMAO YEAH I WOULD SAY \u270c\ud83c\udffb Olympic figure skating duo forced to change routine because it is 'too sexy' https://t.co/MNZzWQtzIJ",
"user.screen_name": "achoohorsey"
},
{
"created_at": "Mon Feb 12 03:40:30 +0000 2018",
"id": 962894155184779264,
"text": "I'm not watching the #Olympics but I bet Jeffrey Dahmer would have won if there was an olympic category for the crime of murder",
"user.screen_name": "notthepunter"
},
{
"created_at": "Mon Feb 12 03:40:30 +0000 2018",
"id": 962894154752606208,
"text": "RT @KathleenHileman: @HarlanCoben @benshapiro Son, 14: There should be a control group in the #Olympics\u00a0\nM: So the couch potatoes at home s\u2026",
"user.screen_name": "ehoustman"
},
{
"created_at": "Mon Feb 12 03:40:30 +0000 2018",
"id": 962894154538905600,
"text": "#Olympics Watching Ice dance and all I can think about \"but how did the girl from Japan change the look of her dress? How? When?",
"user.screen_name": "WilkenTara"
},
{
"created_at": "Mon Feb 12 03:40:30 +0000 2018",
"id": 962894154232512517,
"text": "RT @mikeyerxa: Tessa and Scott are skating to Moulin Rouge. I can't wait! #Olympics https://t.co/VYh0En9gOw",
"user.screen_name": "MaeghanArchie"
},
{
"created_at": "Mon Feb 12 03:40:30 +0000 2018",
"id": 962894153783812097,
"text": "RT @BuzzFeed: Mirai Nagasu just became the first US woman to land the triple axel at the Olympics https://t.co/JLdvT17Q9t https://t.co/T4mX\u2026",
"user.screen_name": "NiceSelu"
},
{
"created_at": "Mon Feb 12 03:40:30 +0000 2018",
"id": 962894153737801728,
"text": "I adore #AdamRippon \ud83d\ude02 Wasn\u2019t he incredible tonight?! #olympics https://t.co/paviACubLN",
"user.screen_name": "explorethesouth"
},
{
"created_at": "Mon Feb 12 03:40:30 +0000 2018",
"id": 962894153523884032,
"text": "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki",
"user.screen_name": "breaa_nichole"
},
{
"created_at": "Mon Feb 12 03:40:30 +0000 2018",
"id": 962894152278081536,
"text": "RT @nytimes: Mike Pence denied a report that Adam Rippon, a gay American figure skater, had refused to meet with him. But the Olympic athle\u2026",
"user.screen_name": "damonbethea1"
},
{
"created_at": "Mon Feb 12 03:40:30 +0000 2018",
"id": 962894152089288704,
"text": "RT @vlissful: the north korean cheering squad dancing to blood sweat & tears at the olympics women\u2019s ice hockey game\n\n#iHeartAwards #BestFa\u2026",
"user.screen_name": "Riskafj95"
},
{
"created_at": "Mon Feb 12 03:40:30 +0000 2018",
"id": 962894151439339525,
"text": "Rocky, like me, doesn't appear to give a damn about the Olympics.\n\nGood for Rocky. He's has better things to do. https://t.co/cJ8ouoGIpg",
"user.screen_name": "petey_schwartz"
},
{
"created_at": "Mon Feb 12 03:40:30 +0000 2018",
"id": 962894151271395328,
"text": "RT @NBCOlympics: \"HOLY COW!\" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t\u2026",
"user.screen_name": "moopointspod"
},
{
"created_at": "Mon Feb 12 03:40:29 +0000 2018",
"id": 962894151141543936,
"text": "Winter Olympics sheds light on dog meat farms\nhttps://t.co/wtPFLQk56A",
"user.screen_name": "beark10"
},
{
"created_at": "Mon Feb 12 03:40:29 +0000 2018",
"id": 962894151133036549,
"text": "Mirai Nagasu is the third woman to do a triple axel in the Olympics. Watch all three: https://t.co/gQO2lcL2Uh https://t.co/HveC5XwYvH",
"user.screen_name": "Slate"
},
{
"created_at": "Mon Feb 12 03:40:29 +0000 2018",
"id": 962894150973644800,
"text": "RT @NBCOlympics: COMING UP: @mirai_nagasu returns to the #WinterOlympics!\n\nSee it on @nbc or stream it here: https://t.co/NsNuy9F46h https:\u2026",
"user.screen_name": "da67honey"
},
{
"created_at": "Mon Feb 12 03:40:29 +0000 2018",
"id": 962894150810120192,
"text": "Very movie-like #figureskating #olympics",
"user.screen_name": "iDorisV"
},
{
"created_at": "Mon Feb 12 03:40:29 +0000 2018",
"id": 962894150743089152,
"text": "Give Anna & Luca a gold for choreography #olympics",
"user.screen_name": "TriflenTara"
},
{
"created_at": "Mon Feb 12 03:40:29 +0000 2018",
"id": 962894148201336832,
"text": "@BrianLockhart @LukeDashjr @LuckDragon69 @WeathermanIam @maxkeisor @mecampbellsoup @mikeinspace @derose\u2026 https://t.co/vjX8tTCRg3",
"user.screen_name": "DanielKrawisz"
},
{
"created_at": "Mon Feb 12 03:40:29 +0000 2018",
"id": 962894147433635841,
"text": "RT @News_Cryptos: Some of the smartest #crypto traders I've met are from this discord group. Join for the PnDs, stay for the conversations!\u2026",
"user.screen_name": "bui_enedina"
},
{
"created_at": "Mon Feb 12 03:40:26 +0000 2018",
"id": 962894136952045568,
"text": "Who says there is no real world value of Bitcoin and other cryptocurrencies? Let me show you how I use my mining... https://t.co/IWcORCOeQc",
"user.screen_name": "sgindextrader"
},
{
"created_at": "Mon Feb 12 03:40:25 +0000 2018",
"id": 962894131004452864,
"text": "Son: Economists say that the value of Bitcoin will decline\nFriend: Oh, communists say?\nMe: No, economists\ud83d\ude02\nSon: The\u2026 https://t.co/I9nt9HdIIw",
"user.screen_name": "sewimperfect"
},
{
"created_at": "Mon Feb 12 03:40:24 +0000 2018",
"id": 962894129570156544,
"text": "RT @AnkorusGlobal: Ankorus bringing bitcoin futures to CRYPTO, no need for banks or fiat. https://t.co/P3HUX8OULT #Ankorus #ANK #bitcoi\u2026",
"user.screen_name": "antemenut1976"
},
{
"created_at": "Mon Feb 12 03:40:24 +0000 2018",
"id": 962894126646792192,
"text": "RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.\u2026",
"user.screen_name": "shotgunn28"
},
{
"created_at": "Mon Feb 12 03:40:23 +0000 2018",
"id": 962894125623255041,
"text": "#Bitcoin Cash $BCH price: $1265.17\n\nRegister Binance and start trading $BCH.\n\n-> https://t.co/NHtNjjQl3G",
"user.screen_name": "binance_aff"
},
{
"created_at": "Mon Feb 12 03:40:23 +0000 2018",
"id": 962894124604039168,
"text": "RT @CryptoCopy: We have published a new version of our whitepaper! \ud83d\udcc8\ud83d\udcc8\ud83d\udcc8\nTake a look here: https://t.co/5JtwNVCj9h #ico #ethereum #bitcoin #c\u2026",
"user.screen_name": "menjest09"
},
{
"created_at": "Mon Feb 12 03:40:21 +0000 2018",
"id": 962894113602441216,
"text": "RT @litecoindad: There are two types of people in #Crypto \ud83d\ude02\n\n#Bitcoin #Litecoin #Ethereum #PayWithLitecoin #CryptoCulture #HODL https://t.c\u2026",
"user.screen_name": "Silverkokuryuu"
},
{
"created_at": "Mon Feb 12 03:40:19 +0000 2018",
"id": 962894106191052800,
"text": "RT @noodlefactorysg: Looking to profit in the Digital Economy? \nJoin us tomorrow evening for the low-down on the #FourthIndustrialRevolutio\u2026",
"user.screen_name": "SharerUssharing"
},
{
"created_at": "Mon Feb 12 03:40:16 +0000 2018",
"id": 962894093671071746,
"text": "Am I the only person that wishes someone would figure skate in a bitcoin outfit? #bitcoin #OlympicGames",
"user.screen_name": "Skyline1224"
},
{
"created_at": "Mon Feb 12 03:40:15 +0000 2018",
"id": 962894091829829632,
"text": "RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience\u2026",
"user.screen_name": "honecks85"
},
{
"created_at": "Mon Feb 12 03:40:14 +0000 2018",
"id": 962894087295852544,
"text": "How does bitcoin work and why is it valuable. https://t.co/iAofoRYjma",
"user.screen_name": "TheWisecracking"
},
{
"created_at": "Mon Feb 12 03:40:14 +0000 2018",
"id": 962894085571973120,
"text": "RT @wheelswordsmith: while she never actually wrote it into the books jk rowling has confirmed that draco malfoy was a libertarian vape ent\u2026",
"user.screen_name": "spoot_fire"
},
{
"created_at": "Mon Feb 12 03:40:14 +0000 2018",
"id": 962894084837851138,
"text": "RT @OfficialXAOS: LETS GET #XAOS TRENDING!\nRetweet, Like & Follow!\n#crypto #altcoin #dogecoin #freecoins #giveaway #Airdrop #ethereum #ico\u2026",
"user.screen_name": "ranaminty"
},
{
"created_at": "Mon Feb 12 03:40:13 +0000 2018",
"id": 962894083193753601,
"text": "RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience\u2026",
"user.screen_name": "KirkwoodTalon"
},
{
"created_at": "Mon Feb 12 03:40:13 +0000 2018",
"id": 962894080463253506,
"text": "New post (Bitcoin, Ethereum, Bitcoin Cash, Ripple, Stellar, Litecoin, Cardano, NEO, EOS: Price Analysis, Feb. 09) h\u2026 https://t.co/yWvtarSuVn",
"user.screen_name": "ccryptoventures"
},
{
"created_at": "Mon Feb 12 03:40:13 +0000 2018",
"id": 962894080148729861,
"text": "RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience\u2026",
"user.screen_name": "Berardinelli3"
},
{
"created_at": "Mon Feb 12 03:40:13 +0000 2018",
"id": 962894079901208577,
"text": "RT @WeAreYourBlock: YourBlock Bounty Campaign now Live https://t.co/CGrgymVBpL\n#bountyprogram #Bounty #TokenSale #ICOs #ICO #blockchain #we\u2026",
"user.screen_name": "suitcaseeland"
},
{
"created_at": "Mon Feb 12 03:40:12 +0000 2018",
"id": 962894077808316417,
"text": "RT @Denaro_io: Today, we have more good news for you. The Denaro referral contest begins this Friday at 12pm UTC. \n\nThe best part: 1st plac\u2026",
"user.screen_name": "RabailGilanii"
},
{
"created_at": "Mon Feb 12 03:40:12 +0000 2018",
"id": 962894076868734977,
"text": "RT @CryptoKang: Big step for $CRYPTO adoption, thanks @coinbase. (Notice Bitcoin Cash is the first option)\ud83d\ude0a https://t.co/tWBYp4Bgms",
"user.screen_name": "hopetrustgood"
},
{
"created_at": "Mon Feb 12 03:40:12 +0000 2018",
"id": 962894075962712064,
"text": "RT @NimbusToken: Buying product #tokens during the store\u2019s pre-sale period gives the customer a range of options that just aren\u2019t present i\u2026",
"user.screen_name": "jole_raisa"
},
{
"created_at": "Mon Feb 12 03:40:10 +0000 2018",
"id": 962894069201485825,
"text": "GekkoScience 2pac USB Bitcoin Miner 15+GHs \"seconds stick\" ASIC https://t.co/hp0OxYCKTB https://t.co/yowPDtiLv1",
"user.screen_name": "bitcoinnews9"
},
{
"created_at": "Mon Feb 12 03:40:10 +0000 2018",
"id": 962894068433944576,
"text": "How To Keep Your Crypto Coins Safe?\n The Right Way >>> https://t.co/cA7crhX2DL\n#btc #usd #bitcoin #btcusd #crypto\u2026 https://t.co/nVnEihzkFp",
"user.screen_name": "moneyorface"
},
{
"created_at": "Mon Feb 12 03:40:10 +0000 2018",
"id": 962894068228308992,
"text": "RT @Denaro_io: Today, we have more good news for you. The Denaro referral contest begins this Friday at 12pm UTC. \n\nThe best part: 1st plac\u2026",
"user.screen_name": "yahyayyas_"
},
{
"created_at": "Mon Feb 12 03:40:10 +0000 2018",
"id": 962894068085919746,
"text": "#Beer #bostonteaparty #Stockmarketcrash2018 $tee $earth $dirt $stem #stem $roots $riot #Blockchaine #Bitcoin Listen\u2026 https://t.co/e3wYXEa8aA",
"user.screen_name": "BeefEnt"
},
{
"created_at": "Mon Feb 12 03:40:10 +0000 2018",
"id": 962894067662315520,
"text": "RT @PMbeers: Russia Arrests Nuclear Scientists for Mining #Bitcoin With Top-Secret Supercomputer https://t.co/WnQPbZRKkD",
"user.screen_name": "facebookretiree"
},
{
"created_at": "Mon Feb 12 03:40:07 +0000 2018",
"id": 962894055020482560,
"text": "@wavecounter\nDon`t believe in the Bitcoin hype.\nSHORT OIL HERE with DWT at $12.66 this stock can goto $40 easy.\nAll\u2026 https://t.co/hMpKpTLRFJ",
"user.screen_name": "sunghyun7yoon"
},
{
"created_at": "Mon Feb 12 03:40:06 +0000 2018",
"id": 962894052675944449,
"text": "No heavy equipment needed to mine Bitcoin or Ethereum, in-fact none is needed at all...\n\nhttps://t.co/PQWjZ7G6oa\u2026 https://t.co/cCO1drEonS",
"user.screen_name": "city_bitcoin"
},
{
"created_at": "Mon Feb 12 03:40:05 +0000 2018",
"id": 962894049723240448,
"text": "RT @Remi_Vladuceanu: CG Blockchain and FactSet Team Up to Enhance Investors\u2019 Interaction with Crypto Assets https://t.co/jHAaPn40Z7 \n#newso\u2026",
"user.screen_name": "ninacrypto"
},
{
"created_at": "Mon Feb 12 03:40:05 +0000 2018",
"id": 962894047366049792,
"text": "Iceland is expected to use more energy mining `#bitcoin than powering its homes this year. Large virtual currency m\u2026 https://t.co/ljOz6WOBOg",
"user.screen_name": "TheSohoLoft"
},
{
"created_at": "Mon Feb 12 03:40:05 +0000 2018",
"id": 962894047286382592,
"text": "Iceland is expected to use more energy mining `#bitcoin than powering its homes this year. Large virtual currency m\u2026 https://t.co/TP35djmPos",
"user.screen_name": "LDJCapital"
},
{
"created_at": "Mon Feb 12 03:40:05 +0000 2018",
"id": 962894047001108486,
"text": "RT @francispouliot_: Neat trick: if you own a Blockchain analytics company and you\u2019re looking for more data points to track bitcoins users,\u2026",
"user.screen_name": "metamarcdw"
},
{
"created_at": "Mon Feb 12 03:40:04 +0000 2018",
"id": 962894044580995073,
"text": "$SFEG News https://t.co/7Gcfkv6C8R @intlMonty #wsj #nytimes #reuters #bloomberg #thestreet #jimmyfallon #forbes\u2026 https://t.co/VKZnEq4pbw",
"user.screen_name": "ssn4marketing"
},
{
"created_at": "Mon Feb 12 03:40:04 +0000 2018",
"id": 962894044266250240,
"text": "RT @StreamNetworksc: Website launch. This is our only site, we do not have another domain. XSN token distribution is coming soon, please be\u2026",
"user.screen_name": "jasiery2005"
},
{
"created_at": "Mon Feb 12 03:40:04 +0000 2018",
"id": 962894043536674816,
"text": "RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience\u2026",
"user.screen_name": "DeryaGaby"
},
{
"created_at": "Mon Feb 12 03:40:04 +0000 2018",
"id": 962894042349686784,
"text": "RT @ArminVanBitcoin: Friend: \"Where do you see #bitcoin going this year?\"\nMe: \"I see first big merchants accepting $BTC using lightning cha\u2026",
"user.screen_name": "comcentrate1"
},
{
"created_at": "Mon Feb 12 03:40:03 +0000 2018",
"id": 962894041724719105,
"text": "$SFEG News https://t.co/Wy3q7iWo1B @intlMonty #wsj #nytimes #reuters #bloomberg #thestreet #jimmyfallon #forbes\u2026 https://t.co/LQ9bFNJ2Qy",
"user.screen_name": "ssn3media"
},
{
"created_at": "Mon Feb 12 03:40:03 +0000 2018",
"id": 962894041212968960,
"text": "Iceland is expected to use more energy mining `#bitcoin than powering its homes this year. Large virtual currency m\u2026 https://t.co/u5UtFwtrqY",
"user.screen_name": "DavidDrakeVC"
},
{
"created_at": "Mon Feb 12 03:40:03 +0000 2018",
"id": 962894041162633217,
"text": "Midnight Gaming announce pro COD players wanted for CWL Atlanta \nhttps://t.co/9CrYO81DCu #activision #games\u2026 https://t.co/qaQ2NPtbUg",
"user.screen_name": "socialstocksnow"
},
{
"created_at": "Mon Feb 12 03:40:03 +0000 2018",
"id": 962894040625745920,
"text": "$SFEG News https://t.co/EZd76uYQnV @intlMonty #wsj #nytimes #reuters #bloomberg #thestreet #jimmyfallon #forbes\u2026 https://t.co/QNke627CiN",
"user.screen_name": "RandallGoulding"
},
{
"created_at": "Mon Feb 12 03:40:03 +0000 2018",
"id": 962894040424382464,
"text": "$SFEG News https://t.co/pbbtqqYQO8 @intlMonty #wsj #nytimes #reuters #bloomberg #thestreet #jimmyfallon #forbes\u2026 https://t.co/oTFOqrHhFt",
"user.screen_name": "socialprnews"
},
{
"created_at": "Mon Feb 12 03:40:03 +0000 2018",
"id": 962894039623221248,
"text": "@perplextus @AlexPickard @toomuch72 And yes, theoretically, I think if Bitcoin was practically free to mine, it wou\u2026 https://t.co/SAG8m8aBYD",
"user.screen_name": "SeatacBCH"
},
{
"created_at": "Mon Feb 12 03:40:03 +0000 2018",
"id": 962894038851510272,
"text": "id::959996929072615425:Today we find web applications in every environment independent of https://t.co/NgplWdWFlW #Cybersecurity #Bitcoin ht",
"user.screen_name": "And_Or_R"
},
{
"created_at": "Mon Feb 12 03:40:03 +0000 2018",
"id": 962894038780317696,
"text": "RT @AcoCollective: Do you have a Crypto Addiction? \n\n#Bitcoin #Cryptocurrency #Crypto #Ethereum #Litecoin #BTC #ETH #Blockchain #Ripple #Cr\u2026",
"user.screen_name": "UtarSystems"
},
{
"created_at": "Mon Feb 12 03:40:03 +0000 2018",
"id": 962894038004371457,
"text": "RT @CryptKeeperBTT: Arizona Senate Passes Bill To Allow Tax Payments In Bitcoin | Zero Hedge https://t.co/y62z6qcO4e",
"user.screen_name": "CryptoAustin"
},
{
"created_at": "Mon Feb 12 03:40:02 +0000 2018",
"id": 962894037559795712,
"text": "$SFEG News https://t.co/uHkWVn9G4N @intlMonty #wsj #nytimes #reuters #bloomberg #thestreet #jimmyfallon #forbes\u2026 https://t.co/a3N322GPgZ",
"user.screen_name": "itsastart1"
},
{
"created_at": "Mon Feb 12 03:40:02 +0000 2018",
"id": 962894033805701121,
"text": "RT @NimbusToken: \ud83d\udcdc WHITEPAPER CHANGES \ud83d\udcdc We made some changes to the whitepaper this morning - additions to staff. https://t.co/A515Y8uEvW #\u2026",
"user.screen_name": "jole_raisa"
},
{
"created_at": "Mon Feb 12 03:40:01 +0000 2018",
"id": 962894033478733824,
"text": "$SFEG News https://t.co/qUTtmXsw3p @intlMonty #wsj #nytimes #reuters #bloomberg #thestreet #jimmyfallon #forbes\u2026 https://t.co/hO7yLQnOoY",
"user.screen_name": "socialstartnews"
},
{
"created_at": "Mon Feb 12 03:40:01 +0000 2018",
"id": 962894033067696128,
"text": "$SFEG News https://t.co/lFU79vtSPY @intlMonty #wsj #nytimes #reuters #bloomberg #thestreet #jimmyfallon #forbes\u2026 https://t.co/nBWJdueRx8",
"user.screen_name": "socialirnews"
},
{
"created_at": "Mon Feb 12 03:40:01 +0000 2018",
"id": 962894032824397824,
"text": "RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience\u2026",
"user.screen_name": "suzieqnelson"
},
{
"created_at": "Mon Feb 12 03:40:01 +0000 2018",
"id": 962894032769822720,
"text": "$SFEG News https://t.co/3i36NmVhLg @intlMonty #wsj #nytimes #reuters #bloomberg #thestreet #jimmyfallon #forbes\u2026 https://t.co/P9UOiZHiij",
"user.screen_name": "ssn1tweet"
},
{
"created_at": "Mon Feb 12 03:40:01 +0000 2018",
"id": 962894032119705600,
"text": "$SFEG News https://t.co/mpCpVwUWDV @intlMonty #wsj #nytimes #reuters #bloomberg #thestreet #jimmyfallon #forbes\u2026 https://t.co/9a6wdYYQaE",
"user.screen_name": "ssn5marketing"
},
{
"created_at": "Mon Feb 12 03:40:01 +0000 2018",
"id": 962894031960399872,
"text": "RT @giftzcard: Giftz.io chosen Top 10 #ICOs To Watch Heading Into 2018 by Inc. Magazine Notable investors, Linda Giambrone (NBC), Emilio D\u2026",
"user.screen_name": "EnlightenedCole"
},
{
"created_at": "Mon Feb 12 03:40:00 +0000 2018",
"id": 962894025895415808,
"text": "RT @BTCTN: New Jersey Sends Cease & Desist to Crypto-Investment Pool https://t.co/Z9FZ6OXO8a #Bitcoin https://t.co/TnTxxnwpxs",
"user.screen_name": "ejpmonline"
},
{
"created_at": "Mon Feb 12 03:39:58 +0000 2018",
"id": 962894020136591360,
"text": "RT @whaleclubco: Bitcoin - What's Next? #bitcoin \u00b7 Trade $BTCUSD with up to 20x leverage: https://t.co/ogeEs8zK82 https://t.co/muZdrOrsxW",
"user.screen_name": "EnlightenedCole"
},
{
"created_at": "Mon Feb 12 03:39:56 +0000 2018",
"id": 962894011773145089,
"text": "RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience\u2026",
"user.screen_name": "elizabethlswai"
},
{
"created_at": "Mon Feb 12 03:39:56 +0000 2018",
"id": 962894009839636481,
"text": "RT @Ronald_vanLoon: 6 Advantages of #Blockchain [#INFOGRAPHICS]\nby @mikequindazzi @pwc |\n\n#Cryptocurrency #Bitcoin #IoT #InternetOfThings #\u2026",
"user.screen_name": "jalbanc"
},
{
"created_at": "Mon Feb 12 03:39:54 +0000 2018",
"id": 962894000318570501,
"text": "RT @BigCheds: $BTC #bitcoin strong break of 8480 area",
"user.screen_name": "Parmigiani_S"
},
{
"created_at": "Mon Feb 12 03:39:53 +0000 2018",
"id": 962893999580344325,
"text": "RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience\u2026",
"user.screen_name": "AndersonJohn74"
},
{
"created_at": "Mon Feb 12 03:39:53 +0000 2018",
"id": 962893996296085504,
"text": "Right? Instead of attacking Bitcoin all the time. Had they gone with Bcash and promoted and focused on it without c\u2026 https://t.co/Uleu4Gspyp",
"user.screen_name": "embilysays"
},
{
"created_at": "Mon Feb 12 03:39:48 +0000 2018",
"id": 962893977082122240,
"text": "RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience\u2026",
"user.screen_name": "jayjohannes24"
},
{
"created_at": "Mon Feb 12 03:39:48 +0000 2018",
"id": 962893975542685697,
"text": "RT @NAR: Chinese traders' key link to cryptocurrency market in trouble https://t.co/mZHICYRp4Q https://t.co/oXaEV8DZKC",
"user.screen_name": "Silver_Watchdog"
},
{
"created_at": "Mon Feb 12 03:39:45 +0000 2018",
"id": 962893965874753536,
"text": "#litecoin can be a great #HODL till the end of March!! Target - $230 \n Great time to buy!! Until there not another\u2026 https://t.co/TV5xqgR9mt",
"user.screen_name": "SuggestCoin"
},
{
"created_at": "Mon Feb 12 03:39:45 +0000 2018",
"id": 962893964411056128,
"text": "RT @Fractalwatch: From bitcoin archives. https://t.co/R8JxUq2pwK",
"user.screen_name": "zmann8531"
},
{
"created_at": "Mon Feb 12 03:39:43 +0000 2018",
"id": 962893957880565760,
"text": "RT @AcoCollective: Do you have a Crypto Addiction? \n\n#Bitcoin #Cryptocurrency #Crypto #Ethereum #Litecoin #BTC #ETH #Blockchain #Ripple #Cr\u2026",
"user.screen_name": "ZekDaniyal"
},
{
"created_at": "Mon Feb 12 03:39:42 +0000 2018",
"id": 962893952255852545,
"text": "RT @CrowdCoinage: There is a lot of controversial ideas about cryptocurrencies. Now the tricky subject of cryptocurrencies is tackled by gl\u2026",
"user.screen_name": "NurHanif03"
},
{
"created_at": "Mon Feb 12 03:39:40 +0000 2018",
"id": 962893944735465472,
"text": "RT @IanLJones98: What is Blockchain? Why does it matter? Why is it so disruptive? How does it work? All in 60 seconds\n\n#AI #ML #Blockchain\u2026",
"user.screen_name": "GoldCommIndia"
},
{
"created_at": "Mon Feb 12 03:39:40 +0000 2018",
"id": 962893944391479297,
"text": "TODAY WE TALK ABOUT THE PROJECT - #FLOGMALL. \nI hope to see this project moon beyond expectations. Good team. Good\u2026 https://t.co/sg3coQX3HG",
"user.screen_name": "Destje"
},
{
"created_at": "Mon Feb 12 03:39:40 +0000 2018",
"id": 962893943850463232,
"text": "RT @zerohedge: bitcoin technicals from JPM https://t.co/SoBzF6Mghv",
"user.screen_name": "hedging_reality"
},
{
"created_at": "Mon Feb 12 03:39:39 +0000 2018",
"id": 962893940180561921,
"text": "Bitcoin Price Technical Analysis for 02/12/2018 \u2013 Make or Break\u00a0Level https://t.co/KHCnSsGLQu https://t.co/edle7Z8Q8l",
"user.screen_name": "rajputcoool"
},
{
"created_at": "Mon Feb 12 03:39:38 +0000 2018",
"id": 962893933666848768,
"text": "Interesting Video:\n#Bitcoin Price on Wild Rise -\n https://t.co/4KPiwdUsWd\n\n#yourdigitalcurrency",
"user.screen_name": "yourdigitalcash"
},
{
"created_at": "Mon Feb 12 03:39:37 +0000 2018",
"id": 962893932685295621,
"text": "1: Bitcoin average price is $8525.63 (0.76% 1h)\n2: Ethereum average price is $850.364 (0.75% 1h)\n3: Ripple average\u2026 https://t.co/3p6ybEhrZU",
"user.screen_name": "TickerTop"
},
{
"created_at": "Mon Feb 12 03:39:37 +0000 2018",
"id": 962893932505042944,
"text": "Why U.S Restrictions on #ICOs and Exchanges Is Likely #blockchain\n#bitcoin #cryptocurrency https://t.co/KnTz93Ai5O",
"user.screen_name": "Ed_Lemieux"
},
{
"created_at": "Mon Feb 12 03:39:36 +0000 2018",
"id": 962893925546647552,
"text": "ACR Million Dollar Sunday overlays https://t.co/sSYaY2kdk8 #poker #acr #bitcoin",
"user.screen_name": "recentpoker"
},
{
"created_at": "Mon Feb 12 03:39:35 +0000 2018",
"id": 962893922845577217,
"text": "RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience\u2026",
"user.screen_name": "SofiaMiller0"
},
{
"created_at": "Mon Feb 12 03:39:33 +0000 2018",
"id": 962893914259820544,
"text": "RT @mazen2051991: Bitcoin - BTC\nPrice: $6,915.51\nChange in 1h: -2.14%\nMarket cap: $116,524,960,398.00\nRanking: 1\n#Bitcoin #BTC",
"user.screen_name": "tttragg"
},
{
"created_at": "Mon Feb 12 03:39:33 +0000 2018",
"id": 962893913655689216,
"text": "RT @zerohedge: Bitcoin ETFs pending approval https://t.co/2dS9l4Ggsw",
"user.screen_name": "hedging_reality"
},
{
"created_at": "Mon Feb 12 03:39:33 +0000 2018",
"id": 962893912082755585,
"text": "Register for an account on our dashboard and purchase tokens now to receive 30% bonus. 12 hours left until this dro\u2026 https://t.co/BuwEy0XzL8",
"user.screen_name": "Wordcoin3"
},
{
"created_at": "Mon Feb 12 03:39:32 +0000 2018",
"id": 962893911776612352,
"text": "@dan_abramov still not enough to process a bitcoin transaction",
"user.screen_name": "JeremyBarbe1"
},
{
"created_at": "Mon Feb 12 03:39:31 +0000 2018",
"id": 962893906915528704,
"text": "RT @MyICONews: What is Bitcoin? https://t.co/VN7MkGIFi1",
"user.screen_name": "yuettefranzese3"
},
{
"created_at": "Mon Feb 12 03:39:30 +0000 2018",
"id": 962893903383932928,
"text": "RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience\u2026",
"user.screen_name": "carterjamss"
},
{
"created_at": "Mon Feb 12 03:39:30 +0000 2018",
"id": 962893902687727616,
"text": "RT @OfficialXAOS: LETS GET #XAOS TRENDING!\nRetweet, Like & Follow!\n#crypto #altcoin #dogecoin #freecoins #giveaway #Airdrop #ethereum #ico\u2026",
"user.screen_name": "abolfaz00539412"
},
{
"created_at": "Mon Feb 12 03:39:29 +0000 2018",
"id": 962893896970833920,
"text": "RT @TheIBMMSPTeam: The huge surge of interest in #cryptocurrencies like #Bitcoin has made major news around the globe over the last few mon\u2026",
"user.screen_name": "S_Wallace_"
},
{
"created_at": "Mon Feb 12 03:39:27 +0000 2018",
"id": 962893887072292864,
"text": "RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D\u2026",
"user.screen_name": "RimboltBlack"
},
{
"created_at": "Mon Feb 12 03:39:26 +0000 2018",
"id": 962893886040375296,
"text": "RT @JonasHavering: I'm giving away 20 000 TRX\n\nWinner will be chosen FRIDAY\n\nRETWEET and FOLLOW to participate\n #Bitcoin #dogecoin #Ethereu\u2026",
"user.screen_name": "arktctakki"
},
{
"created_at": "Mon Feb 12 03:39:26 +0000 2018",
"id": 962893884773847040,
"text": "RT @iamjosephyoung: Oh wait, so bitcoin wasn't for criminals after all?\n\nNope. Banks are the safe haven for money launderers and criminals.\u2026",
"user.screen_name": "jahrastar_ivxx"
},
{
"created_at": "Mon Feb 12 03:39:26 +0000 2018",
"id": 962893884631248897,
"text": "RT @Crypto_Bitlord: Bitcoin will pump so hard that one day, we will be calling satoshis \u201cbitcoins\u201d",
"user.screen_name": "cameronrfox"
},
{
"created_at": "Mon Feb 12 03:39:25 +0000 2018",
"id": 962893882148212736,
"text": "RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience\u2026",
"user.screen_name": "docdavis77"
},
{
"created_at": "Mon Feb 12 03:39:20 +0000 2018",
"id": 962893861197631488,
"text": "Are Bitcoin Price And Equity Markets Returns Correlated? https://t.co/ZasyLlpOHN #bitcoin #crypto https://t.co/slPKL3KjKe",
"user.screen_name": "betbybitcoins"
},
{
"created_at": "Mon Feb 12 03:39:20 +0000 2018",
"id": 962893860123955201,
"text": "UK press - Bitcoin hackers hijack thousands of government computers for mining: The article\u2026 https://t.co/YhDlt7lfje",
"user.screen_name": "Forex_warrior"
},
{
"created_at": "Mon Feb 12 03:39:20 +0000 2018",
"id": 962893857632403456,
"text": "RT @Bitcoin_Friend: Energy riches fuel #Bitcoin craze for speculation-shy Iceland https://t.co/XBGBnfKD9m https://t.co/38OaNWpkuP",
"user.screen_name": "S_Wallace_"
},
{
"created_at": "Mon Feb 12 03:39:19 +0000 2018",
"id": 962893856822972418,
"text": "@coldchainlogix Depends. Bitcoin. Another alt or tether",
"user.screen_name": "BigCheds"
},
{
"created_at": "Mon Feb 12 03:39:19 +0000 2018",
"id": 962893855023656960,
"text": "Bitcoin Stocks thanks for following me on Twitter! https://t.co/AwVw3EcTVI",
"user.screen_name": "boutthatbitcoin"
},
{
"created_at": "Mon Feb 12 03:39:18 +0000 2018",
"id": 962893850686697472,
"text": "RT @cryptodailyuk: J.P. Morgan \"#Cryptocurrencies are here to stay\"\nJ.P. Morgan's CEO Jamie Dimon changed his voice of tune on #Bitcoin fro\u2026",
"user.screen_name": "trader954"
},
{
"created_at": "Mon Feb 12 03:39:18 +0000 2018",
"id": 962893849382260736,
"text": "RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D\u2026",
"user.screen_name": "KathyEnzerink"
},
{
"created_at": "Mon Feb 12 03:39:17 +0000 2018",
"id": 962893845397626880,
"text": "This seems like a big development! #Bitcoin #cryptocurrency #Credit #creditcard #banks https://t.co/9NhrejBxEK",
"user.screen_name": "stevesarner"
},
{
"created_at": "Mon Feb 12 03:39:16 +0000 2018",
"id": 962893844193800192,
"text": "RT @BigCheds: $BTC #bitcoin is a Rorschach test right now. Inverse head and shoulders bottom or head and shoulders top https://t.co/bViAuqf\u2026",
"user.screen_name": "hanquoc69"
},
{
"created_at": "Mon Feb 12 03:39:15 +0000 2018",
"id": 962893836866478080,
"text": "@nytimes Did NK buy your paper with Bitcoin?",
"user.screen_name": "typeswithfinger"
},
{
"created_at": "Mon Feb 12 03:39:14 +0000 2018",
"id": 962893834056355841,
"text": "RT @NigeriaSnake: Why bother trading in bitcoin or doing Yahoo Yahoo when I can swallow millions for you?",
"user.screen_name": "jennyiphy007"
},
{
"created_at": "Mon Feb 12 03:39:14 +0000 2018",
"id": 962893833431285760,
"text": "RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D\u2026",
"user.screen_name": "HeavenGianna"
},
{
"created_at": "Mon Feb 12 03:39:11 +0000 2018",
"id": 962893823788625922,
"text": "Energy riches fuel bitcoin craze for speculation-shy Iceland https://t.co/8MWAvXeOOb #tech",
"user.screen_name": "filidecotz"
},
{
"created_at": "Mon Feb 12 03:39:09 +0000 2018",
"id": 962893812413751297,
"text": "RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience\u2026",
"user.screen_name": "PurvisRobinson"
},
{
"created_at": "Mon Feb 12 03:39:08 +0000 2018",
"id": 962893811088273408,
"text": "RT @GroganAlgo: This article on #blockchain & #fintech is the best summation I have ever read. The sacred will lose to the profane, the #Fe\u2026",
"user.screen_name": "tiffanieamuah81"
},
{
"created_at": "Mon Feb 12 03:39:07 +0000 2018",
"id": 962893805111447557,
"text": "RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience\u2026",
"user.screen_name": "Theresa21Young"
},
{
"created_at": "Mon Feb 12 03:39:06 +0000 2018",
"id": 962893800967426048,
"text": "Install CryptoTab and mine Bitcoin! https://t.co/17p8vCRnG5",
"user.screen_name": "bookinglilmike"
},
{
"created_at": "Mon Feb 12 03:39:06 +0000 2018",
"id": 962893799004430337,
"text": "All Bitcoin and Litecoin payments will get 20% aditionally off!\n\nhttps://t.co/euflCCLZLz",
"user.screen_name": "BoostedServers"
},
{
"created_at": "Mon Feb 12 03:39:04 +0000 2018",
"id": 962893794336296961,
"text": "RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D\u2026",
"user.screen_name": "BloggerLeeWhite"
},
{
"created_at": "Mon Feb 12 03:39:02 +0000 2018",
"id": 962893783405940736,
"text": "RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D\u2026",
"user.screen_name": "UtarSystems"
},
{
"created_at": "Mon Feb 12 03:39:01 +0000 2018",
"id": 962893779681325058,
"text": "RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D\u2026",
"user.screen_name": "AudreyPullman5"
},
{
"created_at": "Mon Feb 12 03:39:00 +0000 2018",
"id": 962893775046676480,
"text": "RT @BTCTN: Japan Cracks Down on Foreign ICO Agency Operating Without License https://t.co/cGkzl1LZNW #Bitcoin https://t.co/NDg7LjkytD",
"user.screen_name": "TheCryptoInvest"
},
{
"created_at": "Mon Feb 12 03:39:00 +0000 2018",
"id": 962893774945964033,
"text": "RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D\u2026",
"user.screen_name": "AsiliaZinsha"
},
{
"created_at": "Mon Feb 12 03:38:59 +0000 2018",
"id": 962893772458618881,
"text": "RT @zerohedge: We have officially gone from \"Bitcoin is a fraud\" to \"cryptocurrencies could potentially have a role in diversifying one\u2019s g\u2026",
"user.screen_name": "Jblk8"
},
{
"created_at": "Mon Feb 12 03:38:58 +0000 2018",
"id": 962893768562225152,
"text": "RT @JonasHavering: I'm giving away 20 000 TRX\n\nWinner will be chosen FRIDAY\n\nRETWEET and FOLLOW to participate\n #Bitcoin #dogecoin #Ethereu\u2026",
"user.screen_name": "shakshak41"
},
{
"created_at": "Mon Feb 12 03:38:57 +0000 2018",
"id": 962893764279898112,
"text": "RT @TacoPvP_: \u26cf\ufe0f 1 BITCOIN GIVEAWAY \u26cf\ufe0f\n\ud83d\udcb5 8000$ WORTH OF BITCOINS \ud83d\udcb5\n\ud83d\udcdd LIKE, RT & FOLLOW TO ENTER \ud83d\udcdd\n\ud83d\udd12 ENDS AT 500 RETWEET\u2026",
"user.screen_name": "_Adam88THFC"
},
{
"created_at": "Mon Feb 12 03:38:57 +0000 2018",
"id": 962893762551693312,
"text": "@perplextus @AlexPickard @toomuch72 PoW for Bitcoin is computing power which = capital, You can see the amount of c\u2026 https://t.co/TFuJCDOKRn",
"user.screen_name": "SeatacBCH"
},
{
"created_at": "Mon Feb 12 03:38:56 +0000 2018",
"id": 962893760924454912,
"text": "RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D\u2026",
"user.screen_name": "SamKelly63"
},
{
"created_at": "Mon Feb 12 03:38:55 +0000 2018",
"id": 962893756818182144,
"text": "RT @zerohedge: We have officially gone from \"Bitcoin is a fraud\" to \"cryptocurrencies could potentially have a role in diversifying one\u2019s g\u2026",
"user.screen_name": "_mesientojevi"
},
{
"created_at": "Mon Feb 12 03:38:54 +0000 2018",
"id": 962893752661696512,
"text": "RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D\u2026",
"user.screen_name": "HarmonyEmilie"
},
{
"created_at": "Mon Feb 12 03:38:54 +0000 2018",
"id": 962893749369044992,
"text": "RT @adryenn: Russian authorities have arrested engineers at one of the country's top-secret\u2026 https://t.co/LQCtr5O0l9 #bitcoin by #India_Bit\u2026",
"user.screen_name": "koren_marybeth"
},
{
"created_at": "Mon Feb 12 03:38:53 +0000 2018",
"id": 962893748349763584,
"text": "@rogerkver BCash is the real Bitcoin. https://t.co/ZatWzKRWJi",
"user.screen_name": "AliyahCandy"
},
{
"created_at": "Mon Feb 12 03:38:53 +0000 2018",
"id": 962893747959803904,
"text": "RT @RonnieMoas: $BTC currently ranked # 28 ... was at # 18 in December. I now see a best case scenario of #bitcoin hitting # 6 by 2023 (at\u2026",
"user.screen_name": "millbury01"
},
{
"created_at": "Mon Feb 12 03:38:53 +0000 2018",
"id": 962893747330666496,
"text": "#putmoneyinyourpocket Why is bitcoin better than money https://t.co/5pNIzfhVCG https://t.co/P1k759dTq0",
"user.screen_name": "AidenMrdwyav"
},
{
"created_at": "Mon Feb 12 03:38:53 +0000 2018",
"id": 962893744319148033,
"text": "RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D\u2026",
"user.screen_name": "JenniferAlsop7"
},
{
"created_at": "Mon Feb 12 03:38:52 +0000 2018",
"id": 962893744134598657,
"text": "RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D\u2026",
"user.screen_name": "AlomoraSimslens"
},
{
"created_at": "Mon Feb 12 03:38:52 +0000 2018",
"id": 962893743253794818,
"text": "$BTC #bitcoin is a Rorschach test right now. Inverse head and shoulders bottom or head and shoulders top https://t.co/bViAuqfwWB",
"user.screen_name": "BigCheds"
},
{
"created_at": "Mon Feb 12 03:38:52 +0000 2018",
"id": 962893740749852672,
"text": "RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D\u2026",
"user.screen_name": "DavidHardacre7"
},
{
"created_at": "Mon Feb 12 03:38:51 +0000 2018",
"id": 962893738258378753,
"text": "RT @ypayeu: YouPay - The cheapest fee around the world wide web\n#airdrop #ypay #youpay #cryptocurrency #ethereum #bitcoin https://t.co/jKdD\u2026",
"user.screen_name": "Dezzykoko"
},
{
"created_at": "Mon Feb 12 03:38:51 +0000 2018",
"id": 962893736727535618,
"text": "RT @eth_classic: Ethereum Classic Today https://t.co/RU09WVAPiF\nYour source for Bitcoin, Blockchain, and Everything Ethereum Classic.\n\n#Eth\u2026",
"user.screen_name": "jahrastar_ivxx"
},
{
"created_at": "Mon Feb 12 03:38:50 +0000 2018",
"id": 962893732587687936,
"text": "RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.\u2026",
"user.screen_name": "Steph56Renee"
},
{
"created_at": "Mon Feb 12 03:38:49 +0000 2018",
"id": 962893731618795520,
"text": "RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D\u2026",
"user.screen_name": "Raphaelle_Smith"
},
{
"created_at": "Mon Feb 12 03:38:49 +0000 2018",
"id": 962893731434237952,
"text": "RT @Fansxpress: #Cryptocurrencies #Bitcoin #BitcoinCash #DASH #XRP #Ripple #TRON #TRX #BTC #ETH #BCH #LTC #XLM #ADA #XVG #ETH #cryptocurren\u2026",
"user.screen_name": "nanu1685"
},
{
"created_at": "Mon Feb 12 03:38:48 +0000 2018",
"id": 962893726195638279,
"text": "RT @M_A_N_Corp: #XRP is SURGING. \nMake some MONEY\n\n1000 #XRP #Giveaway\n-Retweet This Tweet\n-Follow\n-Visit @M_A_N_Corp to ENTER 1000 #Ripple\u2026",
"user.screen_name": "shakshak41"
},
{
"created_at": "Mon Feb 12 03:38:46 +0000 2018",
"id": 962893719014985729,
"text": "RT @ypayeu: We are glad to inform you that we started AirDrop, the first 100 users that will fill the form + another 100 randomly selected\u2026",
"user.screen_name": "Dezzykoko"
},
{
"created_at": "Mon Feb 12 03:38:46 +0000 2018",
"id": 962893718721265665,
"text": "RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D\u2026",
"user.screen_name": "MarkWhite1983"
},
{
"created_at": "Mon Feb 12 03:38:46 +0000 2018",
"id": 962893716930420736,
"text": "RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D\u2026",
"user.screen_name": "StewartJaxson"
},
{
"created_at": "Mon Feb 12 03:38:46 +0000 2018",
"id": 962893716565393410,
"text": "my brain is too small to understand bitcoin",
"user.screen_name": "internetuser82"
},
{
"created_at": "Mon Feb 12 03:38:46 +0000 2018",
"id": 962893715395305473,
"text": "RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D\u2026",
"user.screen_name": "VictorSmith67"
},
{
"created_at": "Mon Feb 12 03:38:44 +0000 2018",
"id": 962893708441112576,
"text": "RT @izx_io: Kazakhstan, we are coming!\n\n#izx #izetex #ico #blockchain #cryptocurrency #conference #cryptoevent #bitcoin #ethereum https://t\u2026",
"user.screen_name": "finickycam"
},
{
"created_at": "Mon Feb 12 03:38:44 +0000 2018",
"id": 962893708420173825,
"text": "RT @zerohedge: We have officially gone from \"Bitcoin is a fraud\" to \"cryptocurrencies could potentially have a role in diversifying one\u2019s g\u2026",
"user.screen_name": "JacksonJennings"
},
{
"created_at": "Mon Feb 12 03:38:44 +0000 2018",
"id": 962893706566230017,
"text": "RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D\u2026",
"user.screen_name": "PaulRees45"
},
{
"created_at": "Mon Feb 12 03:38:41 +0000 2018",
"id": 962893695753207808,
"text": "RT @ImLisaO: Coinbase, one of the biggest #Crypto exchanges, has launched a service for merchants - allowing them to integrate #cryptocurre\u2026",
"user.screen_name": "kydyzyx"
},
{
"created_at": "Mon Feb 12 03:38:40 +0000 2018",
"id": 962893692905361408,
"text": "Bitcoin looks bullish for tomorrow(Feb 12) Day traders Buy today and sell tomorrow.",
"user.screen_name": "sureshmohan1"
},
{
"created_at": "Mon Feb 12 03:38:39 +0000 2018",
"id": 962893689289920512,
"text": "RT @CryptoKang: Big step for $CRYPTO adoption, thanks @coinbase. (Notice Bitcoin Cash is the first option)\ud83d\ude0a https://t.co/tWBYp4Bgms",
"user.screen_name": "JLLOYD30TRADER"
},
{
"created_at": "Mon Feb 12 03:38:39 +0000 2018",
"id": 962893687930974209,
"text": "RT @Cointelegraph: .@MichelleMone and her partner Douglas Barrowman sold 50 flats for #Bitcoin in Dubai, more apartments promised to come.\u2026",
"user.screen_name": "TheCryptoInvest"
},
{
"created_at": "Mon Feb 12 03:38:39 +0000 2018",
"id": 962893686660063233,
"text": "RT @francispouliot_: Right now is a REALLY good time to consolidate your Bitcoin UTXOs into segwit addresses and do all the small transacti\u2026",
"user.screen_name": "MartdeMontigny"
},
{
"created_at": "Mon Feb 12 03:38:39 +0000 2018",
"id": 962893686345314304,
"text": "RT @GroganAlgo: This article on #blockchain & #fintech is the best summation I have ever read. The sacred will lose to the profane, the #Fe\u2026",
"user.screen_name": "marvelpieracci6"
},
{
"created_at": "Mon Feb 12 03:38:37 +0000 2018",
"id": 962893677935972352,
"text": "RT @PlanetZiggurat: https://t.co/VOEUjnISk5 Referral Program Every participant will get unique referral code also unique link with this co\u2026",
"user.screen_name": "StarKay3"
},
{
"created_at": "Mon Feb 12 03:38:37 +0000 2018",
"id": 962893677818458112,
"text": "RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D\u2026",
"user.screen_name": "JacobGrant31"
},
{
"created_at": "Mon Feb 12 03:38:36 +0000 2018",
"id": 962893677101232128,
"text": "RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D\u2026",
"user.screen_name": "BellaRoberts181"
},
{
"created_at": "Mon Feb 12 03:38:35 +0000 2018",
"id": 962893672982503424,
"text": "RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D\u2026",
"user.screen_name": "StevenDavidso3"
},
{
"created_at": "Mon Feb 12 03:38:35 +0000 2018",
"id": 962893669991964678,
"text": "RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.\u2026",
"user.screen_name": "andrewstark02"
},
{
"created_at": "Mon Feb 12 03:38:35 +0000 2018",
"id": 962893669706731520,
"text": "RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.\u2026",
"user.screen_name": "JonesRj1964"
},
{
"created_at": "Mon Feb 12 03:38:35 +0000 2018",
"id": 962893669203435520,
"text": "Can\u2019t wait till my bitcoin takes off \ud83d\ude24 https://t.co/0VRFOqAys0",
"user.screen_name": "Sta_nge"
},
{
"created_at": "Mon Feb 12 03:38:34 +0000 2018",
"id": 962893668582674434,
"text": "RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.\u2026",
"user.screen_name": "Metatro46077255"
},
{
"created_at": "Mon Feb 12 03:38:34 +0000 2018",
"id": 962893668347711488,
"text": "The National Security Agency is the world\u2019s most powerful, most fa https://t.co/BPNjBEsdsL #Cybersecurity #Bitcoin https://t.co/d082SobiAb",
"user.screen_name": "CyberDomain"
},
{
"created_at": "Mon Feb 12 03:38:34 +0000 2018",
"id": 962893666711953413,
"text": "RT @Blockchainlife: But idk tho.. #Bitcoin https://t.co/QoTof7QhyC",
"user.screen_name": "Brayanpinilla16"
},
{
"created_at": "Mon Feb 12 03:38:33 +0000 2018",
"id": 962893664241381376,
"text": "RT @DigitalLawrence: BREAKING - US \ud83c\uddfa\ud83c\uddf8 Crypto Adoption: The great state of Arizona is paving the way by passing a bill in Senate to allow #B\u2026",
"user.screen_name": "CryptoCrate"
},
{
"created_at": "Mon Feb 12 03:38:32 +0000 2018",
"id": 962893660294656000,
"text": "I liked a @YouTube video https://t.co/FFHlgjXBtd The 1 Bitcoin Show- Bprivate momentum? Ethereum, Bgold, phone storage thoughts, the",
"user.screen_name": "luellen041"
},
{
"created_at": "Mon Feb 12 03:38:32 +0000 2018",
"id": 962893659254304770,
"text": "RT @BTCTN: New Jersey Sends Cease & Desist to Crypto-Investment Pool https://t.co/Z9FZ6OXO8a #Bitcoin https://t.co/TnTxxnwpxs",
"user.screen_name": "Ascadian1776"
},
{
"created_at": "Mon Feb 12 03:38:31 +0000 2018",
"id": 962893654921830400,
"text": "Protect your network and web sites from malicious attacks with hel https://t.co/T42MDXzLw3 #Cybersecurity #Bitcoin https://t.co/GyFkDEym1z",
"user.screen_name": "CyberDomain"
},
{
"created_at": "Mon Feb 12 03:38:31 +0000 2018",
"id": 962893654233841670,
"text": "@LukeDashjr @DanielKrawisz @LuckDragon69 @WeathermanIam @maxkeisor @mikeinspace @derose @georgevaccaro\u2026 https://t.co/MDuWKrbv8w",
"user.screen_name": "mecampbellsoup"
},
{
"created_at": "Mon Feb 12 03:38:30 +0000 2018",
"id": 962893651549532160,
"text": "Check out @thedigitaledger's crypto merch shop on @threadless.\n\nDesigns by #XRPstreetTEAM members @dreventures\u2026 https://t.co/IngTerYvYr",
"user.screen_name": "XRPstreetTEAM"
},
{
"created_at": "Mon Feb 12 03:38:30 +0000 2018",
"id": 962893649993486337,
"text": "RT @aantonop: While the banks are busy building their permissioned private 'Bubble Boy' blockchains, #Bitcoin has survived more than nine y\u2026",
"user.screen_name": "MarkMarkafv"
},
{
"created_at": "Mon Feb 12 03:38:30 +0000 2018",
"id": 962893648177197057,
"text": "RT @btc_green: Did you know that #Bitcoin uses more energy than all of the orange countries? We need to build a sustainable future for #cry\u2026",
"user.screen_name": "lucilecassubha2"
},
{
"created_at": "Mon Feb 12 03:38:28 +0000 2018",
"id": 962893643366445056,
"text": "RT @ErikVoorhees: What you may not understand about crypto\u2019s millionaires https://t.co/TxdjAvdk29 via @VentureBeat #bitcoin #ethereum #bloc\u2026",
"user.screen_name": "gonayiga"
},
{
"created_at": "Mon Feb 12 03:38:28 +0000 2018",
"id": 962893641210646528,
"text": "These high-quality aluminum enclosures (or aluminium, for our mate https://t.co/ikoCMrIYdR #Cybersecurity #Bitcoin https://t.co/0FoqHyWc2r",
"user.screen_name": "CyberDomain"
},
{
"created_at": "Mon Feb 12 03:38:28 +0000 2018",
"id": 962893640862445569,
"text": "RT @RFERL: Employees at a Russian top-secret nuclear facility have reportedly been detained after trying to use one of Russia's most powerf\u2026",
"user.screen_name": "ditord"
},
{
"created_at": "Mon Feb 12 03:38:25 +0000 2018",
"id": 962893629319778306,
"text": "/u/slowmoon: \n\nIt's always the same thing over and over. It's a bubble. Greater fools. No intrinsic value. Nothing\u2026 https://t.co/VCCRBwPBH9",
"user.screen_name": "BTC_Traders"
},
{
"created_at": "Mon Feb 12 03:38:25 +0000 2018",
"id": 962893628145156096,
"text": "RT @skychainglobal: Meet us at #Blockchain & #Bitcoin Conference #Gibraltar 2018! \n#skychainglobal #ico #live #medicine #AI #NeuralNetworks\u2026",
"user.screen_name": "Praditaraheel"
},
{
"created_at": "Mon Feb 12 03:38:25 +0000 2018",
"id": 962893627818151936,
"text": "A collection useful programming advice the author has collected ov https://t.co/1T4jhf4iEq #Cybersecurity #Bitcoin https://t.co/s3VCELVUpN",
"user.screen_name": "CyberDomain"
},
{
"created_at": "Mon Feb 12 03:38:24 +0000 2018",
"id": 962893626706718725,
"text": "#bitcoin price $8511.36",
"user.screen_name": "FYICrypto"
},
{
"created_at": "Mon Feb 12 03:38:24 +0000 2018",
"id": 962893623988690944,
"text": "RT @flogmall: #FLOGmallteam\n\nContinuing making acquaintance with the team, we\u2019d like to introduce you our technical unit team members of FL\u2026",
"user.screen_name": "Bernard32029161"
},
{
"created_at": "Mon Feb 12 03:38:23 +0000 2018",
"id": 962893618632626176,
"text": "RT @RealSexyCyborg: This shit again.\nhttps://t.co/8x3dw7rioI",
"user.screen_name": "rnelson0"
},
{
"created_at": "Mon Feb 12 03:38:22 +0000 2018",
"id": 962893616141230081,
"text": "#Blockchaine #ipo #BITCOIN #beefent #etfs $ustc $mjmj $mjna Listen to Beef - I Put In Work Feat. Ox Storm by Beef\u2026 https://t.co/fnMBQxVmfi",
"user.screen_name": "BeefEnt"
},
{
"created_at": "Mon Feb 12 03:38:22 +0000 2018",
"id": 962893616103510016,
"text": "How do the weak defeat the strong? Ivan Arregu\u00edn-Toft argues that, https://t.co/33v9jVpIJ5 #Cybersecurity #Bitcoin https://t.co/BstoFg0wmG",
"user.screen_name": "CyberDomain"
},
{
"created_at": "Mon Feb 12 03:38:19 +0000 2018",
"id": 962893604703428608,
"text": "@DonaldJTrumpJr NK must have bought the New York Times with Bitcoin",
"user.screen_name": "typeswithfinger"
},
{
"created_at": "Mon Feb 12 03:38:19 +0000 2018",
"id": 962893601913974785,
"text": "@crypt0e @mikeinspace @georgevaccaro @maxkeisor @jordanbpeterson @jaltucher @derose @aantonop He didn\u2019t even believ\u2026 https://t.co/V2oD7WRKPR",
"user.screen_name": "AlexPickard"
},
{
"created_at": "Mon Feb 12 03:38:17 +0000 2018",
"id": 962893595253469185,
"text": "RT @flogmall: FLOGmall video presentation for sellers...\nTo see more\u00a0https://t.co/sjLWubqZI9\n\n#FLOGmall #ico #blockchain #bitcoin #btc #eth\u2026",
"user.screen_name": "Bernard32029161"
},
{
"created_at": "Mon Feb 12 03:38:17 +0000 2018",
"id": 962893594951651328,
"text": "RT @WeAreYourBlock: YourBlock Bounty Campaign now Live https://t.co/CGrgymVBpL\n#bountyprogram #Bounty #TokenSale #ICOs #ICO #blockchain #we\u2026",
"user.screen_name": "resistorgrowlin"
},
{
"created_at": "Mon Feb 12 03:38:16 +0000 2018",
"id": 962893593265438720,
"text": "RT @OxfordCrypto: $500 BITCOIN GIVEAWAY. Must:\n1. FOLLOW @OxfordCrypto\n2. SHARE this tweet\n3. Leave your bitcoin wallet in the comments.\u2026",
"user.screen_name": "hayats72"
},
{
"created_at": "Mon Feb 12 03:38:16 +0000 2018",
"id": 962893592753725441,
"text": "RT @EthyoloCoin: Another usage of YOLO.. Aside from you can use YOLO as payment to buy products, you can also use it for Sports betting! #Y\u2026",
"user.screen_name": "JuhriaMindo"
},
{
"created_at": "Mon Feb 12 03:38:16 +0000 2018",
"id": 962893591017291777,
"text": "Bitcoin Mining Now Consuming More Electricity Than 159 Countries Including Ireland & Most Countries In Africa https://t.co/dFZ0yJKrFs",
"user.screen_name": "JTechpreneur"
},
{
"created_at": "Mon Feb 12 03:38:15 +0000 2018",
"id": 962893585627668483,
"text": "US: Arizona Senate Passes Bill To Allow Tax Payments In Bitcoin https://t.co/QnDAnO7jDS via @Cointelegraph",
"user.screen_name": "LeDylanfreddo"
},
{
"created_at": "Mon Feb 12 03:38:14 +0000 2018",
"id": 962893584159555584,
"text": "RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.\u2026",
"user.screen_name": "janet8588"
},
{
"created_at": "Mon Feb 12 03:38:12 +0000 2018",
"id": 962893576102469632,
"text": "RT @Crypticsup: Cryptocurrency forecast for 11.02.2018\n\nhttps://t.co/KijTjaAG6U\n\n#Cryptics #crowdsale #bitcoin #ico #Cryptocurrencies #cr\u2026",
"user.screen_name": "cefewefWhi"
},
{
"created_at": "Mon Feb 12 03:38:12 +0000 2018",
"id": 962893572579065856,
"text": "@TuurDemeester @starkness Bitcoin was just the beginning haha",
"user.screen_name": "icodewebdesign"
},
{
"created_at": "Mon Feb 12 03:38:11 +0000 2018",
"id": 962893572184911873,
"text": "RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience\u2026",
"user.screen_name": "JamesYoung1986"
},
{
"created_at": "Mon Feb 12 03:38:11 +0000 2018",
"id": 962893572105220097,
"text": "Beyond the Bitcoin Bubble (via @Pocket) #longreads https://t.co/NLcRKoay0f",
"user.screen_name": "David_Sher"
},
{
"created_at": "Mon Feb 12 03:38:11 +0000 2018",
"id": 962893572054888448,
"text": "How many letter tiles does one need to build any 24 word mnemonic? https://t.co/Yg3Cmr3vVm",
"user.screen_name": "cryptoflashn1"
},
{
"created_at": "Mon Feb 12 03:38:10 +0000 2018",
"id": 962893565209739265,
"text": "RT @BTCTN: Bitcoin Private Fork Aiming to Make Bitcoin Anonymous https://t.co/wKng4RlO5u #Bitcoin https://t.co/cO9xeVoMT5",
"user.screen_name": "TheCryptoInvest"
},
{
"created_at": "Mon Feb 12 03:38:10 +0000 2018",
"id": 962893564375117824,
"text": "There\u2019s Now a Girl Pop Group Dedicated to Bitcoin and Other Cryptocurrencies https://t.co/7jFTGVocSk",
"user.screen_name": "omanizen"
},
{
"created_at": "Mon Feb 12 03:38:07 +0000 2018",
"id": 962893553809543169,
"text": "RT @Applancer_pro: Model with Bitcoin-themed Shirt catwalks in the New York Fashion Week https://t.co/4lZ5YoCUzH #Bitcoin #Fashion #inves\u2026",
"user.screen_name": "otiliaflener141"
},
{
"created_at": "Mon Feb 12 03:38:06 +0000 2018",
"id": 962893551146172416,
"text": "RT @kitttenqueen: i take paypal, venmo, apple pay and bitcoin https://t.co/5pOcLGvU7K",
"user.screen_name": "cxmicsams"
},
{
"created_at": "Mon Feb 12 03:38:06 +0000 2018",
"id": 962893551133589504,
"text": "Here is some light hearted #SundayReading on the future of blockchain technology. https://t.co/g45036t9t6",
"user.screen_name": "proteumio"
},
{
"created_at": "Mon Feb 12 03:38:06 +0000 2018",
"id": 962893550538100737,
"text": "RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.\u2026",
"user.screen_name": "fairlane500"
},
{
"created_at": "Mon Feb 12 03:38:05 +0000 2018",
"id": 962893545765064705,
"text": "RT @Blockchainlife: Always do your own research. #Bitcoin #Nimiq #Ardor #Litecoin https://t.co/mEpILI95NR",
"user.screen_name": "Brayanpinilla16"
},
{
"created_at": "Mon Feb 12 03:38:05 +0000 2018",
"id": 962893543382667264,
"text": "RT @iamjosephyoung: Oh wait, so bitcoin wasn't for criminals after all?\n\nNope. Banks are the safe haven for money launderers and criminals.\u2026",
"user.screen_name": "MartdeMontigny"
},
{
"created_at": "Mon Feb 12 03:38:04 +0000 2018",
"id": 962893542417985541,
"text": "Sign up to Binance \u27a1\ufe0f https://t.co/FlPtYbM7Si \"Binance Vs. McAfee: Hack Rumors Refuted, Cryptocurrency Trading Resu\u2026 https://t.co/x0AGOf4vvQ",
"user.screen_name": "Actu_crypto"
},
{
"created_at": "Mon Feb 12 03:38:04 +0000 2018",
"id": 962893541088243712,
"text": "RT @DigitalKeith: Every 60 sec on #Internet.\n#DigitalMarketing #InternetMarketing #SocialMedia #SEO #SMM #Mpgvip #defstar5 #BigData #bitcoi\u2026",
"user.screen_name": "sevilje8pap"
},
{
"created_at": "Mon Feb 12 03:38:03 +0000 2018",
"id": 962893538383007744,
"text": "RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.\u2026",
"user.screen_name": "Galaxi162"
},
{
"created_at": "Mon Feb 12 03:38:03 +0000 2018",
"id": 962893538273955840,
"text": "Sign up to Binance \u27a1\ufe0f https://t.co/FlPtYbM7Si \"Breaking: Crypto Exchange Binance Relaunches After Upg... | News ...\u2026 https://t.co/L91L8BRnDw",
"user.screen_name": "Actu_crypto"
},
{
"created_at": "Mon Feb 12 03:38:03 +0000 2018",
"id": 962893537565011968,
"text": "RT @gramcointoken: \u26cf\ufe0f 1 BITCOIN GIVEAWAY \u26cf\ufe0f\n\ud83d\udcb5 9000$ WORTH OF BITCOINS \ud83d\udcb5\n\ud83d\udcdd LIKE, RT & FOLLOW TO ENTER \ud83d\udcdd\n\ud83d\udd12 ENDS AT 5\u2026",
"user.screen_name": "burtjeffersonp"
},
{
"created_at": "Mon Feb 12 03:38:02 +0000 2018",
"id": 962893532964052992,
"text": "RT @izx_io: Kazakhstan, we are coming!\n\n#izx #izetex #ico #blockchain #cryptocurrency #conference #cryptoevent #bitcoin #ethereum https://t\u2026",
"user.screen_name": "burritosneulog"
},
{
"created_at": "Mon Feb 12 03:38:01 +0000 2018",
"id": 962893527754649600,
"text": "RT @Denaro_io: Do you like to be a winner \ud83d\ude32?\n\nWin $ 50,000 with our referral contest that has started \ud83d\udc47\n\nhttps://t.co/l9cXSqg1N4 \n \nContest\u2026",
"user.screen_name": "mpb1505"
},
{
"created_at": "Mon Feb 12 03:38:00 +0000 2018",
"id": 962893525233930240,
"text": "Two Hour Lull Update: CryptoCompare Bitcoin price: $8517.65 #bitcoin",
"user.screen_name": "Winkdexer"
},
{
"created_at": "Mon Feb 12 03:38:00 +0000 2018",
"id": 962893523195396096,
"text": "Actual footage of the government trying to regulate #cryptocurrency #Bitcoin #altcoin\u2026 https://t.co/flCP5iu8Xj",
"user.screen_name": "TheRealJPeyton"
},
{
"created_at": "Mon Feb 12 03:37:59 +0000 2018",
"id": 962893520448172033,
"text": "@SasgoraBooks @DanDarkPill Wait a minute...you believe the 8/1/2017 Hard Fork was carried out by one man, who has\u2026 https://t.co/c9ylhsf8v3",
"user.screen_name": "scottphall44"
},
{
"created_at": "Mon Feb 12 03:37:57 +0000 2018",
"id": 962893510901841920,
"text": "RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.\u2026",
"user.screen_name": "AbandrewA"
},
{
"created_at": "Mon Feb 12 03:37:54 +0000 2018",
"id": 962893498428088320,
"text": "RT @ricare: Top story: Linux and Open Source, Senate Candidate Accepts Largest Contribution\u2026 https://t.co/52YvLQ1f0k, see more https://t.co\u2026",
"user.screen_name": "Ashygoyal"
},
{
"created_at": "Mon Feb 12 03:37:53 +0000 2018",
"id": 962893494028251136,
"text": "RT @aantonop: While the banks are busy building their permissioned private 'Bubble Boy' blockchains, #Bitcoin has survived more than nine y\u2026",
"user.screen_name": "idan503"
},
{
"created_at": "Mon Feb 12 03:37:50 +0000 2018",
"id": 962893483483828224,
"text": "RT @zerohedge: We have officially gone from \"Bitcoin is a fraud\" to \"cryptocurrencies could potentially have a role in diversifying one\u2019s g\u2026",
"user.screen_name": "Jay_Havs"
},
{
"created_at": "Mon Feb 12 03:37:49 +0000 2018",
"id": 962893479444729856,
"text": "RT @Cointelegraph: Wandering #Bitcoin price starts and ends the week at $8300. https://t.co/JEHHNql0lt",
"user.screen_name": "TheCryptoInvest"
},
{
"created_at": "Mon Feb 12 03:37:48 +0000 2018",
"id": 962893475682422784,
"text": "RT @HeyTaiZen: .@leoncfu & I spoke briefly on why we support @decredproject cuz it solves a huge problem in bitcoin that is not going to be\u2026",
"user.screen_name": "jackliv3r"
},
{
"created_at": "Mon Feb 12 03:37:47 +0000 2018",
"id": 962893469378203648,
"text": "Higher #interestrates, do not affect $SING: #strongbuy, #billiondollarmarket, #buy, #potstocks, #blockchain,\u2026 https://t.co/dA5lmlImaC",
"user.screen_name": "Apex_Capital"
},
{
"created_at": "Mon Feb 12 03:37:47 +0000 2018",
"id": 962893468510117888,
"text": "Bitcoin CRASH: Cryptocurrency PLUMMETS 60 per cent in MONTH as market continues to tumble https://t.co/P1vtOY6v4S",
"user.screen_name": "pekingikakuya"
},
{
"created_at": "Mon Feb 12 03:37:46 +0000 2018",
"id": 962893467310489600,
"text": "Bitcoin CRASH: Cryptocurrency PLUMMETS 60 per cent in MONTH as market continues to tumble https://t.co/CL7ldLiTpc",
"user.screen_name": "saitatatekide"
},
{
"created_at": "Mon Feb 12 03:37:46 +0000 2018",
"id": 962893466098388992,
"text": "RT @YarmolukDan: Google is now using #MachineLearning to predict flight delays https://t.co/PcBKloGFpg #Bitcoin #Ethereum #Cryptocurrency #\u2026",
"user.screen_name": "SteakUtsee"
},
{
"created_at": "Mon Feb 12 03:37:46 +0000 2018",
"id": 962893463988547584,
"text": "RT @BankXRP: A potential Amazon cryptocurrency exchange: Everyone is wondering about this move (AMZN)\n\nhttps://t.co/IzKqe5KnD6\n\n #Ripple #X\u2026",
"user.screen_name": "pollawit2515"
},
{
"created_at": "Mon Feb 12 03:37:44 +0000 2018",
"id": 962893458976501760,
"text": "@vergecurrency @CryptoEmporium_ Love it",
"user.screen_name": "rick_bitcoin"
},
{
"created_at": "Mon Feb 12 03:37:44 +0000 2018",
"id": 962893458699702272,
"text": "After Bitcoin craze, Swedish investors succumb to reefer stock madness https://t.co/BDyDCZotvu",
"user.screen_name": "beritsubunkoro"
},
{
"created_at": "Mon Feb 12 03:37:44 +0000 2018",
"id": 962893456887730176,
"text": "RT @derekmagill: Bitcoin Core does not have a \"proven track record.\" We have absolutely no proof that a high fee coin that sometimes takes\u2026",
"user.screen_name": "accretionist"
},
{
"created_at": "Mon Feb 12 03:37:43 +0000 2018",
"id": 962893453691629570,
"text": "@LukeDashjr @LuckDragon69 @WeathermanIam @maxkeisor @mecampbellsoup @mikeinspace @derose @georgevaccaro\u2026 https://t.co/1hNh8tnc5U",
"user.screen_name": "DanielKrawisz"
},
{
"created_at": "Mon Feb 12 03:37:42 +0000 2018",
"id": 962893448067076096,
"text": "RT @Quantstamp: \"The market for software, services and hardware to secure blockchain activity should grow to $355 billion as the digital ec\u2026",
"user.screen_name": "simone_franzi"
},
{
"created_at": "Mon Feb 12 03:37:40 +0000 2018",
"id": 962893439745523717,
"text": "RT @IsaFX_Trading: #GIVEAWAY of 0.20BTC simply follow, retweet & comment your BTC add \n10 Winners will be picked randomly among all RTs on\u2026",
"user.screen_name": "maxitremblay"
},
{
"created_at": "Mon Feb 12 03:37:40 +0000 2018",
"id": 962893439200309253,
"text": "RT @BTCTN: Roles of Regulators Decided in India, Rules on Bitcoin Coming Soon https://t.co/qEUx4TDs34 #Bitcoin https://t.co/Fnj9A3pBvn",
"user.screen_name": "TheCryptoInvest"
},
{
"created_at": "Mon Feb 12 03:37:39 +0000 2018",
"id": 962893437132472320,
"text": "Bitcoin Snaps Slide as Crypto Markets Dodge Push for Regulation https://t.co/YNxRJs88vi",
"user.screen_name": "betsuorutozai"
},
{
"created_at": "Mon Feb 12 03:37:39 +0000 2018",
"id": 962893434213167105,
"text": "RT @jblefevre60: 10 benefits of #CloudComputing?\n\n#DataScience #Bigdata #IoT #CIO #blockchain #fintech #Deeplearning #Cloud #Bitcoin #Disru\u2026",
"user.screen_name": "michellezaftig"
},
{
"created_at": "Mon Feb 12 03:37:38 +0000 2018",
"id": 962893433458348032,
"text": "RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.\u2026",
"user.screen_name": "queenymom"
},
{
"created_at": "Mon Feb 12 03:37:38 +0000 2018",
"id": 962893432179093504,
"text": "Millennials are afraid stocks are too risky, so they\u2019re investing in bitcoin https://t.co/E9a7uq2B8B",
"user.screen_name": "rainonyakui"
},
{
"created_at": "Mon Feb 12 03:37:38 +0000 2018",
"id": 962893431151489024,
"text": "RT @YarmolukDan: Google is now using #MachineLearning to predict flight delays https://t.co/PcBKloGFpg #Bitcoin #Ethereum #Cryptocurrency #\u2026",
"user.screen_name": "DavidHardacre7"
},
{
"created_at": "Mon Feb 12 03:37:38 +0000 2018",
"id": 962893429939187713,
"text": "@SeatacBCH @AlexPickard @toomuch72 So, theoretically, if someone found a way to mine Bitcoin using 1/100th the ener\u2026 https://t.co/PB2ptZH3JT",
"user.screen_name": "perplextus"
},
{
"created_at": "Mon Feb 12 03:37:37 +0000 2018",
"id": 962893429607948289,
"text": "RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience\u2026",
"user.screen_name": "JimRHenson"
},
{
"created_at": "Mon Feb 12 03:37:37 +0000 2018",
"id": 962893428190318598,
"text": "Demystifying blockchain and Bitcoin https://t.co/rEmJhUexdJ",
"user.screen_name": "denkomufuritsu"
},
{
"created_at": "Mon Feb 12 03:37:37 +0000 2018",
"id": 962893425988292608,
"text": "Bitcoin Price Analysis - Regulators warm to cryptocurrencies \u00bb Brave New Coin https://t.co/QzjcQBhOjo",
"user.screen_name": "yugamiyokosasa"
},
{
"created_at": "Mon Feb 12 03:37:35 +0000 2018",
"id": 962893419377934337,
"text": "RT @giveawaysBTC: 7000 Follower Giveaway\n\nPrize: .5BTC (1 Winner)\n\nTo enter retweet, like, and follow!\n\n#btc #bitcoin #crypto #cryptocurren\u2026",
"user.screen_name": "NicaBertPO"
},
{
"created_at": "Mon Feb 12 03:37:35 +0000 2018",
"id": 962893417352192000,
"text": "RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience\u2026",
"user.screen_name": "BenNatureAddict"
},
{
"created_at": "Mon Feb 12 03:37:34 +0000 2018",
"id": 962893416584560640,
"text": "RT @wheelswordsmith: while she never actually wrote it into the books jk rowling has confirmed that draco malfoy was a libertarian vape ent\u2026",
"user.screen_name": "kris_collinson"
},
{
"created_at": "Mon Feb 12 03:37:34 +0000 2018",
"id": 962893415548702721,
"text": "RT @ArminVanBitcoin: U.S. Senate passes bill allowing Arizona citizens to pay their taxes in #bitcoin. \n\nhttps://t.co/a5IyFflU6u",
"user.screen_name": "8itpreneur"
},
{
"created_at": "Mon Feb 12 03:37:32 +0000 2018",
"id": 962893407248158721,
"text": "RT @YarmolukDan: Google is now using #MachineLearning to predict flight delays https://t.co/PcBKloGFpg #Bitcoin #Ethereum #Cryptocurrency #\u2026",
"user.screen_name": "AudreyPullman5"
},
{
"created_at": "Mon Feb 12 03:37:32 +0000 2018",
"id": 962893405301936129,
"text": "RT @YarmolukDan: Google is now using #MachineLearning to predict flight delays https://t.co/PcBKloGFpg #Bitcoin #Ethereum #Cryptocurrency #\u2026",
"user.screen_name": "SamKelly63"
},
{
"created_at": "Mon Feb 12 03:37:31 +0000 2018",
"id": 962893404072898561,
"text": "RT @gramcointoken: TWO winner Thursday! (2x) Winners of .1BTC \n\nLike, Retweet, and Follow to enter!\n\n#btc #bitcoin #bitcoins #crypto #crypt\u2026",
"user.screen_name": "burtjeffersonp"
},
{
"created_at": "Mon Feb 12 03:37:31 +0000 2018",
"id": 962893403540328448,
"text": "No shock there. Only an idiot would do something illegal with bitcoin and leave a record of the transaction for th\u2026 https://t.co/vsw3MUFunQ",
"user.screen_name": "bkunzi01"
},
{
"created_at": "Mon Feb 12 03:37:31 +0000 2018",
"id": 962893400985960448,
"text": "RT @zerohedge: We have officially gone from \"Bitcoin is a fraud\" to \"cryptocurrencies could potentially have a role in diversifying one\u2019s g\u2026",
"user.screen_name": "MinorJewrley"
},
{
"created_at": "Mon Feb 12 03:37:29 +0000 2018",
"id": 962893395709456384,
"text": "RT @willcole: Read this proto-money paper by @NickSzabo4 in 2012. Despite it not mentioning Bitcoin (it was originally published in 2002 a\u2026",
"user.screen_name": "_ritviksingh"
},
{
"created_at": "Mon Feb 12 03:37:29 +0000 2018",
"id": 962893393994178560,
"text": "RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.\u2026",
"user.screen_name": "BouviesMom"
},
{
"created_at": "Mon Feb 12 03:37:29 +0000 2018",
"id": 962893392328970240,
"text": "RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.\u2026",
"user.screen_name": "rmsitz"
},
{
"created_at": "Mon Feb 12 03:37:28 +0000 2018",
"id": 962893389879562240,
"text": "RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience\u2026",
"user.screen_name": "mustardmary7"
},
{
"created_at": "Mon Feb 12 03:37:28 +0000 2018",
"id": 962893388528877568,
"text": "RT @YarmolukDan: Google is now using #MachineLearning to predict flight delays https://t.co/PcBKloGFpg #Bitcoin #Ethereum #Cryptocurrency #\u2026",
"user.screen_name": "JenniferAlsop7"
},
{
"created_at": "Mon Feb 12 03:37:27 +0000 2018",
"id": 962893387690053632,
"text": "Bitcoin $BTC price is: $8525.63 \n\nBinance is TEMPORARILY accepting new users! GO! \ud83e\udd14 \ud83e\udd11 \n\n\u27a1\ufe0f https://t.co/YXpzwakZF7\u2026 https://t.co/CzexdIoUzp",
"user.screen_name": "RoboJenron"
},
{
"created_at": "Mon Feb 12 03:37:27 +0000 2018",
"id": 962893387622838272,
"text": "RT @BitcoinWrld: JPM: 'cryptocurrencies could potentially have a role in diversifying one\u2019s global bond and equity portfolio. Someone is ge\u2026",
"user.screen_name": "SOCIALCURRENCIE"
},
{
"created_at": "Mon Feb 12 03:37:27 +0000 2018",
"id": 962893387291533313,
"text": "U.K. government sites helping run scripts that mine crypto #Cryptocurrency #Bitcoin #Hacked #CyberSecurity\u2026 https://t.co/zgZmRigYVQ",
"user.screen_name": "Inverselogic"
},
{
"created_at": "Mon Feb 12 03:37:27 +0000 2018",
"id": 962893387287347201,
"text": "RT @CyberDomain: Israeli intelligence has embarked on the most widespread cyber esp https://t.co/lo9xYcLs6d #Cybersecurity #Bitcoin https:/\u2026",
"user.screen_name": "saraswati_79"
},
{
"created_at": "Mon Feb 12 03:37:27 +0000 2018",
"id": 962893386658340865,
"text": "RT @Remi_Vladuceanu: What Is Emercoin? https://t.co/S2CY9v8Bef \n#newsoftheweek #Bitcoin #blockchain #crypto #cryptocurrency #news https://t\u2026",
"user.screen_name": "quantumlucy"
},
{
"created_at": "Mon Feb 12 03:37:27 +0000 2018",
"id": 962893386431819776,
"text": "RT @JamesFourM: @LincolnsBible @Eiggam5955 @KellyannePolls \"A yearlong Senate investigation found that American buyers of the illegal drugs\u2026",
"user.screen_name": "gardengirlove"
},
{
"created_at": "Mon Feb 12 03:37:27 +0000 2018",
"id": 962893384770834432,
"text": "RT @YarmolukDan: Google is now using #MachineLearning to predict flight delays https://t.co/PcBKloGFpg #Bitcoin #Ethereum #Cryptocurrency #\u2026",
"user.screen_name": "VictorSmith67"
},
{
"created_at": "Mon Feb 12 03:37:26 +0000 2018",
"id": 962893382086529025,
"text": "RT @BTCTN: THIS WEEK IN BITCOIN | Subscribe on iTunes https://t.co/ftOqgh43Q4 The most important news in the Bitcoin world, delivered in ju\u2026",
"user.screen_name": "TheCryptoInvest"
},
{
"created_at": "Mon Feb 12 03:37:25 +0000 2018",
"id": 962893379389542400,
"text": "March Holiday Programs and What Students Can Learn From Bitcoin - https://t.co/TCH5xdCuRh",
"user.screen_name": "BrightCulture"
},
{
"created_at": "Mon Feb 12 03:37:25 +0000 2018",
"id": 962893376386486272,
"text": "RT @YarmolukDan: Google is now using #MachineLearning to predict flight delays https://t.co/PcBKloGFpg #Bitcoin #Ethereum #Cryptocurrency #\u2026",
"user.screen_name": "JacobGrant31"
},
{
"created_at": "Mon Feb 12 03:37:25 +0000 2018",
"id": 962893375216201728,
"text": "The 1 Bitcoin Show- Bprivate momentum? Ethereum, Bgold, phone storage th... https://t.co/onnl8chEKy via @YouTube",
"user.screen_name": "TempestEikyuu"
},
{
"created_at": "Mon Feb 12 03:37:24 +0000 2018",
"id": 962893372863143936,
"text": "Some hackers have tied string to a bitcoin and I'm running through cyberspace trying to catch while they pull it aw\u2026 https://t.co/zn1oEW8uFY",
"user.screen_name": "cashbonez"
},
{
"created_at": "Mon Feb 12 03:37:24 +0000 2018",
"id": 962893371789295616,
"text": "How to make money mining bitcoin and other cryptocurrencies without knowing anything about it\u2026 https://t.co/YnrWMupszI",
"user.screen_name": "startupcrunch"
},
{
"created_at": "Mon Feb 12 03:37:23 +0000 2018",
"id": 962893369121767424,
"text": "RT @zerohedge: We have officially gone from \"Bitcoin is a fraud\" to \"cryptocurrencies could potentially have a role in diversifying one\u2019s g\u2026",
"user.screen_name": "arrington"
},
{
"created_at": "Mon Feb 12 03:37:23 +0000 2018",
"id": 962893368035393536,
"text": "RT @giveawaysBTC: 7000 Follower Giveaway\n\nPrize: .5BTC (1 Winner)\n\nTo enter retweet, like, and follow!\n\n#btc #bitcoin #crypto #cryptocurren\u2026",
"user.screen_name": "ALFzie"
},
{
"created_at": "Mon Feb 12 03:37:22 +0000 2018",
"id": 962893366269759489,
"text": "RT @kickcity_io: Our KickCity Explainer Video is out. The video provides the details of our product in less than 3 mins. Watch and let us k\u2026",
"user.screen_name": "nezumenorasei"
},
{
"created_at": "Mon Feb 12 03:37:22 +0000 2018",
"id": 962893365879730177,
"text": "RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience\u2026",
"user.screen_name": "WandererMegan"
},
{
"created_at": "Mon Feb 12 03:37:22 +0000 2018",
"id": 962893363606253568,
"text": "Show me the money. In Episode 2 of Giftcoin: The Launch, how do you go about disrupting a half trillion dollar sec\u2026 https://t.co/2tl8xKKDSC",
"user.screen_name": "bitcoin_army"
},
{
"created_at": "Mon Feb 12 03:37:22 +0000 2018",
"id": 962893362977296385,
"text": "RT @BTCTN: Republican Candidate Austin Petersen Accepts the Largest Campaign Contribution Paid in BTC https://t.co/13LXmgh21K #Bitcoin http\u2026",
"user.screen_name": "TheCryptoInvest"
},
{
"created_at": "Mon Feb 12 03:37:21 +0000 2018",
"id": 962893360699654144,
"text": "RT @The1000pClub: ATH (Athenian Warrior Token) is really picking up on Cryptopia. The whole market is bleeding and still can\u2019t stop this co\u2026",
"user.screen_name": "Caplan2990"
},
{
"created_at": "Mon Feb 12 03:37:21 +0000 2018",
"id": 962893358740967426,
"text": "RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience\u2026",
"user.screen_name": "Alexia_Lavoie"
},
{
"created_at": "Mon Feb 12 03:37:20 +0000 2018",
"id": 962893355024830464,
"text": "RT @YarmolukDan: Google is now using #MachineLearning to predict flight delays https://t.co/PcBKloGFpg #Bitcoin #Ethereum #Cryptocurrency #\u2026",
"user.screen_name": "PaulRees45"
},
{
"created_at": "Mon Feb 12 03:37:20 +0000 2018",
"id": 962893354316062720,
"text": "RT @Remi_Vladuceanu: XRP Price Surges to $1.20 Thanks to Solid 50% Overnight Gain https://t.co/hWD9yAO2jV \n#newsoftheweek #Bitcoin #blockch\u2026",
"user.screen_name": "quantumlucy"
},
{
"created_at": "Mon Feb 12 03:37:19 +0000 2018",
"id": 962893354198593537,
"text": "Bitcoin clawed its way back from the four-month low of $5,922 it touched on Tuesday. https://t.co/oqcWczaVVz via @BloombergQuint",
"user.screen_name": "wisejayofficial"
},
{
"created_at": "Mon Feb 12 03:37:19 +0000 2018",
"id": 962893352202104833,
"text": "What Is Emercoin? https://t.co/S2CY9v8Bef \n#newsoftheweek #Bitcoin #blockchain #crypto #cryptocurrency #news https://t.co/Zp21McZzMy",
"user.screen_name": "Remi_Vladuceanu"
},
{
"created_at": "Mon Feb 12 03:37:19 +0000 2018",
"id": 962893350662758400,
"text": "RT @YarmolukDan: Google is now using #MachineLearning to predict flight delays https://t.co/PcBKloGFpg #Bitcoin #Ethereum #Cryptocurrency #\u2026",
"user.screen_name": "StevenDavidso3"
},
{
"created_at": "Mon Feb 12 03:37:19 +0000 2018",
"id": 962893350172020736,
"text": "RT @zerohedge: We have officially gone from \"Bitcoin is a fraud\" to \"cryptocurrencies could potentially have a role in diversifying one\u2019s g\u2026",
"user.screen_name": "boxing1111"
},
{
"created_at": "Mon Feb 12 03:37:18 +0000 2018",
"id": 962893349878317061,
"text": "Massive Coincheck heist fails to curb Japan's enthusiasm for Bitcoin and other cryptocurrencies\u2026 https://t.co/SksHMUb4Bz",
"user.screen_name": "startupcrunch"
},
{
"created_at": "Mon Feb 12 03:37:18 +0000 2018",
"id": 962893347290574849,
"text": "RT @singhal_harsh: Doing 100 $XRP giveaway in 2 days!\n5 lucky winners will win.\n\nTo enter:\n1. RETWEET AND LIKE THIS \n2. FOLLOW ME\n\n$BTC #cr\u2026",
"user.screen_name": "smith_sm1th"
},
{
"created_at": "Mon Feb 12 03:37:18 +0000 2018",
"id": 962893346682241024,
"text": "RT @ReutersUK: U.S., UK government websites infected with crypto-mining malware - report https://t.co/mNR9eZ95BT https://t.co/4774GvtCIg",
"user.screen_name": "Gyggy"
},
{
"created_at": "Mon Feb 12 03:37:17 +0000 2018",
"id": 962893342651703296,
"text": "Bitcoin Price Analysis: Bearish Continuation Pattern Could Signal End of Bullish Rally https://t.co/9arlfXrMqn",
"user.screen_name": "peirokukazen"
},
{
"created_at": "Mon Feb 12 03:37:17 +0000 2018",
"id": 962893342366470145,
"text": "RT @YarmolukDan: Google is now using #MachineLearning to predict flight delays https://t.co/PcBKloGFpg #Bitcoin #Ethereum #Cryptocurrency #\u2026",
"user.screen_name": "BellaRoberts181"
},
{
"created_at": "Mon Feb 12 03:37:16 +0000 2018",
"id": 962893340193804290,
"text": "@rogerkver Stop spreading #FUD! $BTC is #Bitcoin and don\u2019t forget #LightningNetwork \ud83d\ude0e",
"user.screen_name": "KnightCrypto"
},
{
"created_at": "Mon Feb 12 03:37:16 +0000 2018",
"id": 962893337744281600,
"text": "RT @SecurityNews: https://t.co/kS2bV6fSqa : Bitcoin MLM Software 1.0.2 Cross Site Scripting https://t.co/oT9JuGJMB9",
"user.screen_name": "bitclubbitcoin"
},
{
"created_at": "Mon Feb 12 03:37:15 +0000 2018",
"id": 962893337220001793,
"text": "RT @davidgokhshtein: Update: $BTC \u2014 why you not dip yet? #Cryptos #crypto #bitcoin #cryptonews #cryptosignals #cryptomamba #HODLgang https:\u2026",
"user.screen_name": "JWill954"
},
{
"created_at": "Mon Feb 12 03:37:15 +0000 2018",
"id": 962893334946738176,
"text": "Bitcoin Price Technical Analysis for 02/12/2018 \u2013 Make or Break Level https://t.co/P14Y4J40so\n\nBitcoin Price Key Hi\u2026 https://t.co/wqYqiwXC3S",
"user.screen_name": "abrahammia01"
},
{
"created_at": "Mon Feb 12 03:37:14 +0000 2018",
"id": 962893330148446208,
"text": "RT @Coin_Source: Coinsource leading the way as the World's Largest #BitcoinATM Operator offering the industry's lowest rates, exclusive fee\u2026",
"user.screen_name": "lionbitcoin"
},
{
"created_at": "Mon Feb 12 03:37:12 +0000 2018",
"id": 962893324565622785,
"text": "Bitcoin steady as cryptocurrencies take a back seat to the stock market for another session https://t.co/5qNeAkCvDD\u2026 https://t.co/sjLQLEVdcM",
"user.screen_name": "startupcrunch"
},
{
"created_at": "Mon Feb 12 03:37:12 +0000 2018",
"id": 962893324427313152,
"text": "RT @CryptoKang: Big step for $CRYPTO adoption, thanks @coinbase. (Notice Bitcoin Cash is the first option)\ud83d\ude0a https://t.co/tWBYp4Bgms",
"user.screen_name": "uruururiri"
},
{
"created_at": "Mon Feb 12 03:37:12 +0000 2018",
"id": 962893323152363525,
"text": "@paulvlad34 @CryptoCoinNewz You will have to buy Bitcoin or Ethereum(Eth has lower transaction fees) on Coinbase an\u2026 https://t.co/q60jGpMAVU",
"user.screen_name": "Hola12373621876"
},
{
"created_at": "Mon Feb 12 03:37:12 +0000 2018",
"id": 962893322351267840,
"text": "$UBQ is currently so undervalued\nThe real ones know #UBIQ 's potential.\n \n#ubq #ubiq #cryptocurrency #bitcoin $ubq $ubiq @ubiqsmart",
"user.screen_name": "CryptoKarn"
},
{
"created_at": "Mon Feb 12 03:37:12 +0000 2018",
"id": 962893322204405760,
"text": "Feds Seize $4.7 Million in Bitcoins in Fake ID Sting https://t.co/Kxt8bknIaG \n#newsoftheweek #Bitcoin #blockchain\u2026 https://t.co/8gTJWpY7Bd",
"user.screen_name": "Remi_Vladuceanu"
},
{
"created_at": "Mon Feb 12 03:37:12 +0000 2018",
"id": 962893321965219840,
"text": "RT @CryptoMarauder: If you need some perspective on the general direction of $BTC... Read this AWESOME technical analysis by LewisGlasgow o\u2026",
"user.screen_name": "parabolicpam"
},
{
"created_at": "Mon Feb 12 03:37:12 +0000 2018",
"id": 962893320795062272,
"text": "RT @BitcoinEdu: Give a modest amount of bitcoin to new colleagues and explain how it operates, then assist them get secure to spend it for\u2026",
"user.screen_name": "ScKae007"
},
{
"created_at": "Mon Feb 12 03:37:11 +0000 2018",
"id": 962893317418622977,
"text": "Let government money compete with cryptocurrencies https://t.co/zRL5aBbrAk #crypto https://t.co/8beML1ZdMG",
"user.screen_name": "startupcrunch"
},
{
"created_at": "Mon Feb 12 03:37:10 +0000 2018",
"id": 962893315908755456,
"text": "RT @CryptoBoomNews: Do you panic sell or buy more? #cryptocurrency #bitcoin #crypto https://t.co/dNfHh2GO1h",
"user.screen_name": "rexsanders2010"
},
{
"created_at": "Mon Feb 12 03:37:10 +0000 2018",
"id": 962893312574271489,
"text": "Oil company announces to sell Bitcoin ATMs to Casinos, Stocks Shoot 60% https://t.co/QzKLX5UxM2 #technology",
"user.screen_name": "SGBmedia"
},
{
"created_at": "Mon Feb 12 03:37:09 +0000 2018",
"id": 962893311139659776,
"text": "RT @zerohedge: We have officially gone from \"Bitcoin is a fraud\" to \"cryptocurrencies could potentially have a role in diversifying one\u2019s g\u2026",
"user.screen_name": "hedging_reality"
},
{
"created_at": "Mon Feb 12 03:37:09 +0000 2018",
"id": 962893308186931201,
"text": "CRYPTO \u2b55 Bitcoin Plus (XBC) Hits Market Cap of $7.03 Million https://t.co/lhHVftuX0h \ud83d\ude80 HowToBuy BTS via \u2192 https://t.co/ezGO5ULdtG",
"user.screen_name": "PennyStocksMomo"
},
{
"created_at": "Mon Feb 12 03:37:08 +0000 2018",
"id": 962893306609917952,
"text": "CRYPTO \u2b55 Bitcoin Atom Trading 12.9% Higher This Week (BCA) https://t.co/E0k8WVbu3A \ud83d\ude80 HowToBuy BTS via \u2192 https://t.co/ezGO5ULdtG",
"user.screen_name": "PennyStocksMomo"
},
{
"created_at": "Mon Feb 12 03:37:06 +0000 2018",
"id": 962893296774168577,
"text": "#Bitcoin #bitcoin #iceland #mining Iceland May Implement Bitcoin Mining Tax Due to Energy Consumption\u2026 https://t.co/PDwTA7M7td",
"user.screen_name": "BtcFastFree"
},
{
"created_at": "Mon Feb 12 03:37:06 +0000 2018",
"id": 962893296589787137,
"text": "Bitcoin Price Technical Analysis for 02/12/2018 \u2013 Make or Break Level https://t.co/CDyfrbyBuK #bitcoin",
"user.screen_name": "BitcoinBolt"
},
{
"created_at": "Mon Feb 12 03:37:06 +0000 2018",
"id": 962893295587229696,
"text": "RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.\u2026",
"user.screen_name": "jamaicatouch"
},
{
"created_at": "Mon Feb 12 03:37:00 +0000 2018",
"id": 962893274213240832,
"text": "RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.\u2026",
"user.screen_name": "tinadsm"
},
{
"created_at": "Mon Feb 12 03:37:00 +0000 2018",
"id": 962893273990909953,
"text": "RT @CryptoBoomNews: Do you panic sell or buy more? #cryptocurrency #bitcoin #crypto https://t.co/dNfHh2GO1h",
"user.screen_name": "AnimePumps"
},
{
"created_at": "Mon Feb 12 03:37:00 +0000 2018",
"id": 962893273726566400,
"text": "RT @IsaFX_Trading: #GIVEAWAY of 0.20BTC simply follow, retweet & comment your BTC add 10 Winners will be picked randomly among all RTs on\u2026",
"user.screen_name": "cryptoabhi1809"
},
{
"created_at": "Mon Feb 12 03:37:00 +0000 2018",
"id": 962893272648568833,
"text": "RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.\u2026",
"user.screen_name": "eodelt81"
},
{
"created_at": "Mon Feb 12 03:36:59 +0000 2018",
"id": 962893266550075392,
"text": "RT @zerohedge: We have officially gone from \"Bitcoin is a fraud\" to \"cryptocurrencies could potentially have a role in diversifying one\u2019s g\u2026",
"user.screen_name": "moniology"
},
{
"created_at": "Mon Feb 12 03:36:59 +0000 2018",
"id": 962893266461933568,
"text": "RT @aantonop: While the banks are busy building their permissioned private 'Bubble Boy' blockchains, #Bitcoin has survived more than nine y\u2026",
"user.screen_name": "kydyzyx"
},
{
"created_at": "Mon Feb 12 03:36:58 +0000 2018",
"id": 962893265157677056,
"text": "RT @BTCTN: Japan\u2019s DMM Launches Large-Scale Domestic Cryptocurrency Mining Farm and Showroom https://t.co/VDXzFOSt3f #Bitcoin https://t.co/\u2026",
"user.screen_name": "TheCryptoInvest"
},
{
"created_at": "Mon Feb 12 03:36:58 +0000 2018",
"id": 962893263991705600,
"text": "I liked a @YouTube video https://t.co/WXRQKxAc5a The 1 Bitcoin Show- Bprivate momentum? Ethereum, Bgold, phone storage thoughts, the",
"user.screen_name": "BiGChinGSdotCOM"
},
{
"created_at": "Mon Feb 12 03:36:58 +0000 2018",
"id": 962893262997438464,
"text": "RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.\u2026",
"user.screen_name": "irishgilly"
},
{
"created_at": "Mon Feb 12 03:36:56 +0000 2018",
"id": 962893256857137152,
"text": "RT @RiconaOfficial: Countdown for the #ICO launch Begins...\nDate of Launch: 11th Feb 2018\nRegister now: https://t.co/elfHgHCDZ3\n#upcomingic\u2026",
"user.screen_name": "Vrabac68"
},
{
"created_at": "Mon Feb 12 03:36:56 +0000 2018",
"id": 962893254491561985,
"text": "RT @ElixiumCrypto: Phat #Bitcoin Loot & Sick Gainz Are Now Available Exclusively @\n\nhttps://t.co/xVmu7aXO64\n\n\u2705 Up To 100x Leverage!\n\u2705 Easy\u2026",
"user.screen_name": "clemens_twain"
},
{
"created_at": "Mon Feb 12 03:36:53 +0000 2018",
"id": 962893244081287169,
"text": "RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience\u2026",
"user.screen_name": "GeekJimiLee"
},
{
"created_at": "Mon Feb 12 03:36:51 +0000 2018",
"id": 962893235067785216,
"text": "RT @BTCTN: Coingeek Launches \u00a35 Million Bitcoin Cash Tokenization Contest https://t.co/tSaVae5RQj #Bitcoin https://t.co/qBnpdJvCj5",
"user.screen_name": "TheCryptoInvest"
},
{
"created_at": "Mon Feb 12 03:36:50 +0000 2018",
"id": 962893228671488000,
"text": "@Hhazardless I accept bitcoin, paypal, Moneygram, cash on arrival or Western Union",
"user.screen_name": "luke_smiff"
},
{
"created_at": "Mon Feb 12 03:36:50 +0000 2018",
"id": 962893228470161408,
"text": "RT @DigitalKeith: Every 60 sec on #Internet.\n#DigitalMarketing #InternetMarketing #SocialMedia #SEO #SMM #Mpgvip #defstar5 #BigData #bitcoi\u2026",
"user.screen_name": "pangamabeitsu"
},
{
"created_at": "Mon Feb 12 03:36:49 +0000 2018",
"id": 962893227815616517,
"text": "RT @iamjosephyoung: Oh wait, so bitcoin wasn't for criminals after all?\n\nNope. Banks are the safe haven for money launderers and criminals.\u2026",
"user.screen_name": "JakerSor21"
},
{
"created_at": "Mon Feb 12 03:36:47 +0000 2018",
"id": 962893218906910720,
"text": "RT @giveawaysBTC: 7000 Follower Giveaway\n\nPrize: .5BTC (1 Winner)\n\nTo enter retweet, like, and follow!\n\n#btc #bitcoin #crypto #cryptocurren\u2026",
"user.screen_name": "fanney_aketch"
},
{
"created_at": "Mon Feb 12 03:36:47 +0000 2018",
"id": 962893218647105536,
"text": "RT @davidamesoregan: This can be done on telegram...\n\ud83e\udd14\nInterested in litecoin, take a look at this great opportunity...\n\ud83e\udd14\ud83e\udd14\ud83e\udd14\niCenter Lite Bo\u2026",
"user.screen_name": "davidamesoregan"
},
{
"created_at": "Mon Feb 12 03:36:46 +0000 2018",
"id": 962893214821896192,
"text": "RT @FatBTC: ReTweet To Vote, show the COMMUNITY POWER of your coin:\n\nStep 1: Follow @FatBTC on Twitter\nStep 2: Retweet this post for @bitco\u2026",
"user.screen_name": "mosplus27"
},
{
"created_at": "Mon Feb 12 03:36:42 +0000 2018",
"id": 962893198514323456,
"text": "RT @notgrubles: You are technically proficient and want to run a #Bitcoin Lightning Network node to improve decentralization and maybe earn\u2026",
"user.screen_name": "notgrubles"
},
{
"created_at": "Mon Feb 12 03:36:42 +0000 2018",
"id": 962893196228513792,
"text": "RT @FupoofCoin: Retweet to earn 200 fupoofcoin.Need a min of a 1000 twitter followers .Comment waves address to get paid To hell with payp\u2026",
"user.screen_name": "CryptoBisma"
},
{
"created_at": "Mon Feb 12 03:36:41 +0000 2018",
"id": 962893193573552128,
"text": "Bitcoin SURGE: Cryptocurrency could reward investors and hit $25,000 THIS YEAR THE NEWS - GROUP OF WORLD -\u2026 https://t.co/FkkG6EpmoQ",
"user.screen_name": "newsgwcom"
},
{
"created_at": "Mon Feb 12 03:36:41 +0000 2018",
"id": 962893191019024384,
"text": "RT @HotCryptoCoins: Check it out!\nWe're giving away 2500 Stellar XLM to a lucky follower when we reach 5k followers!\nTo Enter to WIN you mu\u2026",
"user.screen_name": "tunmyintaung"
},
{
"created_at": "Mon Feb 12 03:36:41 +0000 2018",
"id": 962893190691991552,
"text": "Will #Bitcoin Crash to Zero? Yes, Says Dr. Doom Calling Bitcoin th\u2026 #Blockchain #News The post Will Bitcoin Crash t\u2026 https://t.co/eUUXSuAi89",
"user.screen_name": "shopseasonal"
},
{
"created_at": "Mon Feb 12 03:36:38 +0000 2018",
"id": 962893181825273856,
"text": "RT @PhilakoneCrypto: Please see this 3 minute tip that will drastically improve your shorting game with a 10 minute live trade for $90 prof\u2026",
"user.screen_name": "itscryptorick"
},
{
"created_at": "Mon Feb 12 03:36:37 +0000 2018",
"id": 962893175672188930,
"text": "RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.\u2026",
"user.screen_name": "good_wifey"
},
{
"created_at": "Mon Feb 12 03:36:37 +0000 2018",
"id": 962893175160422400,
"text": "RT @Landm_Marius: BITCOIN UPDATE:\nCrypto Friends - There is a new UPDATE on website - FREE to Crypto Friends.\n\nI give you the date the STOC\u2026",
"user.screen_name": "Landm_Marius"
},
{
"created_at": "Mon Feb 12 03:36:30 +0000 2018",
"id": 962893147570393089,
"text": "RT @WeAreYourBlock: YourBlock Bounty Campaign now Live https://t.co/CGrgymVBpL\n#bountyprogram #Bounty #TokenSale #ICOs #ICO #blockchain #we\u2026",
"user.screen_name": "Alvar0_Terra"
},
{
"created_at": "Mon Feb 12 03:36:30 +0000 2018",
"id": 962893147159257088,
"text": "RT @Freetoken_: 1 $ETH giveaway \n\nJoin https://t.co/eu3dZmPrX0\n\nRETWEET+ Follow to participate \n\nWinner will be announced the 15st of Febru\u2026",
"user.screen_name": "MrinalShrivast5"
},
{
"created_at": "Mon Feb 12 03:36:28 +0000 2018",
"id": 962893139559243776,
"text": "RT @bitcoin_token: #BTKtotheMoon #Giveaway of 59,999 $BTK \nThere will be 250 winners [rules]\n1) Follow > @fatbtc AND @bitcoin_token\n2) ReT\u2026",
"user.screen_name": "mosplus27"
},
{
"created_at": "Mon Feb 12 03:36:28 +0000 2018",
"id": 962893137948610560,
"text": "RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.\u2026",
"user.screen_name": "bluesolitaire"
},
{
"created_at": "Mon Feb 12 03:36:25 +0000 2018",
"id": 962893127731179520,
"text": "RT @PeterSchiff: Ivan on Tech debates Peter Schiff - Bitcoin vs Gold, US Dollar Crash https://t.co/fpBeHPA01s via @YouTube",
"user.screen_name": "LuisKAP5"
},
{
"created_at": "Mon Feb 12 03:36:23 +0000 2018",
"id": 962893116251561984,
"text": "RT @ok_appy: What #digital money really means for our #future... https://t.co/bYxwQshzUc #cryptocurrency #blockchain",
"user.screen_name": "creative_safari"
},
{
"created_at": "Mon Feb 12 03:36:21 +0000 2018",
"id": 962893108118618112,
"text": "RT @Lochm1807: \u26cf\ufe0f 1 BITCOIN GIVEAWAY \u26cf\ufe0f\n\ud83d\udcb5 8000$ WORTH OF BITCOINS \ud83d\udcb5\n\ud83d\udcdd LIKE, RT & FOLLOW TO ENTER \ud83d\udcdd\n\ud83d\udd12 ENDS AT 500 RETWEE\u2026",
"user.screen_name": "agparkoreman"
},
{
"created_at": "Mon Feb 12 03:36:19 +0000 2018",
"id": 962893102406025216,
"text": "RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.\u2026",
"user.screen_name": "msallen2u"
},
{
"created_at": "Mon Feb 12 03:36:18 +0000 2018",
"id": 962893097721049088,
"text": "RT @giftzcard: Learn more at https://t.co/IghWOoy46H #blockchain #bitcoin #ico #tokensale https://t.co/331AzPs3KU",
"user.screen_name": "EnlightenedCole"
},
{
"created_at": "Mon Feb 12 03:36:18 +0000 2018",
"id": 962893097008066560,
"text": "You, proletariat: Fuck crypto. \n\nJP Morgan, bank: https://t.co/tmcqRrrAsZ",
"user.screen_name": "Judetruth"
},
{
"created_at": "Mon Feb 12 03:36:17 +0000 2018",
"id": 962893091165351938,
"text": "RT @bitcoin_token: #BTKtotheMoon #Giveaway of 59,999 $BTK \nThere will be 250 winners [rules]\n1) Follow > @fatbtc AND @bitcoin_token\n2) ReT\u2026",
"user.screen_name": "Giftycrypto"
},
{
"created_at": "Mon Feb 12 03:36:15 +0000 2018",
"id": 962893084920025090,
"text": "RT @zerohedge: Bitcoin ETFs pending approval https://t.co/2dS9l4Ggsw",
"user.screen_name": "provendirection"
},
{
"created_at": "Mon Feb 12 03:36:14 +0000 2018",
"id": 962893080922873856,
"text": "RT @Crypticsup: Cryptocurrency forecast for 10.02.2018\n\nhttps://t.co/LwPT4xW4ln\n\n#Cryptics #crowdsale #bitcoin #ico #Cryptocurrencies #cr\u2026",
"user.screen_name": "cefewefWhi"
},
{
"created_at": "Mon Feb 12 03:36:14 +0000 2018",
"id": 962893079593259008,
"text": "RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.\u2026",
"user.screen_name": "pedi_suzanne"
},
{
"created_at": "Mon Feb 12 03:35:19 +0000 2018",
"id": 962892847136391169,
"text": "Started in 2008 by a Yale & MIT grad who became an entrepreneur at age 10, 40Billion is... https://t.co/lXYCv3bORN",
"user.screen_name": "40Billion_com"
},
{
"created_at": "Mon Feb 12 03:35:10 +0000 2018",
"id": 962892810234970112,
"text": "Is tech dividing America? https://t.co/WT2JJD4UXV",
"user.screen_name": "mirabellous"
},
{
"created_at": "Mon Feb 12 03:35:08 +0000 2018",
"id": 962892802995744768,
"text": "MIT Launches Initiative To Develop #ArtificialIntelligence That Learns Like Children | Edify #AI #IA #BigData https://t.co/h6UqjYMyXG",
"user.screen_name": "nschaetti"
},
{
"created_at": "Mon Feb 12 03:35:00 +0000 2018",
"id": 962892770431176710,
"text": "RT @TraDove_ICO: Breakfast with our team, board member Gordon Kaufman, and Professor Emeritus from the MIT Sloan School of Management. Big\u2026",
"user.screen_name": "GoBracket"
},
{
"created_at": "Mon Feb 12 03:34:43 +0000 2018",
"id": 962892698561732608,
"text": "Annina Ucatis #hat harten Sex #mit #einem seiner Cousins #Inzest #xxx #hviaklqs https://t.co/0qxcF2hq7I",
"user.screen_name": "Tanner538Tanner"
},
{
"created_at": "Mon Feb 12 03:34:22 +0000 2018",
"id": 962892608887574529,
"text": "RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a\u2026",
"user.screen_name": "RajivKm19"
},
{
"created_at": "Mon Feb 12 03:33:07 +0000 2018",
"id": 962892294729777152,
"text": "RT @BillAulet: .@jockowillink on fire at Brisbane MIT Global Entrepreneurship Bootcamp talking about #extremeleadership @MITBootcamps @QUT\u2026",
"user.screen_name": "Change_2020"
},
{
"created_at": "Mon Feb 12 03:32:08 +0000 2018",
"id": 962892047362355200,
"text": "https://t.co/kS2bV6fSqa : Eric Schmidt Lands at MIT To Help Answer Deep Questions https://t.co/Fdyq9d9rqm",
"user.screen_name": "SecurityNews"
},
{
"created_at": "Mon Feb 12 03:32:03 +0000 2018",
"id": 962892028697894914,
"text": "Distinctive brain pattern helps habits form: Study identifies neurons that fire at the beginning and end of a behav\u2026 https://t.co/hAn38PZ6um",
"user.screen_name": "BenZviGroup"
},
{
"created_at": "Mon Feb 12 03:31:40 +0000 2018",
"id": 962891928730767360,
"text": "RT @MSFTImagine: Imagine a world with faster, cheaper #AI! @MIT researchers say we're closer to #computers that work like our brains: https\u2026",
"user.screen_name": "devfever"
},
{
"created_at": "Mon Feb 12 03:31:29 +0000 2018",
"id": 962891884958973952,
"text": "MIT Professor requires students to watch Black Mirror episodes to learn lessons for the future #BlackMirror\u2026 https://t.co/ajGA9CItvJ",
"user.screen_name": "top10newsonline"
},
{
"created_at": "Mon Feb 12 03:30:52 +0000 2018",
"id": 962891729799143424,
"text": "RT @MITevents: Tomorrow: BetterMIT #Innovation Week: A week-long program promoting leadership, entrepreneurship, and action for a better fu\u2026",
"user.screen_name": "MIT_Innovation"
},
{
"created_at": "Mon Feb 12 03:30:19 +0000 2018",
"id": 962891588597776384,
"text": "@FoxNews No Doubt that CROOK #TRUMP Not only sold 2RUSSIA but as well Sold 2 Oil&Gas, Weapons, Construction lobbies\u2026 https://t.co/NUjrAHX0EK",
"user.screen_name": "annedelim"
},
{
"created_at": "Mon Feb 12 03:30:07 +0000 2018",
"id": 962891542020132864,
"text": "MIT Professor requires students to watch Black Mirror episodes to learn lessons for the future #BlackMirror\u2026 https://t.co/1AdUuBlqHB",
"user.screen_name": "HealthRanger"
},
{
"created_at": "Mon Feb 12 03:30:03 +0000 2018",
"id": 962891521782702081,
"text": "Trying to play in MPBA MIT and upcoming season.... 6'11 Sharp Athletic Finisher PF.... 91 overall, 32 badges.... st\u2026 https://t.co/vhzxhcNAFw",
"user.screen_name": "djmadefx4"
},
{
"created_at": "Mon Feb 12 03:30:01 +0000 2018",
"id": 962891516111933440,
"text": "MIT Professor requires students to watch Black Mirror episodes to learn lessons for the future #BlackMirror\u2026 https://t.co/seX2RVnW0s",
"user.screen_name": "RealNaturalNews"
},
{
"created_at": "Mon Feb 12 03:29:15 +0000 2018",
"id": 962891320955228161,
"text": "https://t.co/Tfh5hMLNIq Anyone know the computer science blogger who archived a chatroom discussion comparing Harva\u2026 https://t.co/iixpTFAKOq",
"user.screen_name": "reddit4devs"
},
{
"created_at": "Mon Feb 12 03:28:46 +0000 2018",
"id": 962891200771641344,
"text": "RT @TheTastingBoard: Two MIT grads created an algorithm to reveal your cheese preferences. Take the quiz below to find yours for free! \n ht\u2026",
"user.screen_name": "JustOneVoice43"
},
{
"created_at": "Mon Feb 12 03:28:39 +0000 2018",
"id": 962891173189754880,
"text": "@lesmis_mit hoooy follow back \ud83d\ude02",
"user.screen_name": "MarkOdever"
},
{
"created_at": "Mon Feb 12 03:28:34 +0000 2018",
"id": 962891151538663424,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "EricMackC"
},
{
"created_at": "Mon Feb 12 03:28:29 +0000 2018",
"id": 962891127811649536,
"text": "RT @mitsmr: \u201cJournalists often check a CEO\u2019s Twitter account before covering the CEO or the company.\u201d https://t.co/er59CY71Vg",
"user.screen_name": "ruisilva"
},
{
"created_at": "Mon Feb 12 03:28:08 +0000 2018",
"id": 962891042256310273,
"text": "RT @WALLACHLEGAL: I\u2019ll be joining Ted Olson, Laila Mintas (@DrMintas), Chad Millman and Jeff Ma next week at the MIT Sloan Sports Analytics\u2026",
"user.screen_name": "StatementGames"
},
{
"created_at": "Mon Feb 12 03:27:45 +0000 2018",
"id": 962890946466795520,
"text": "RT @drronstrand: Distinctive brain pattern helps habits form https://t.co/JprHWns0hw https://t.co/VQUcuoHIPC",
"user.screen_name": "JolieC"
},
{
"created_at": "Mon Feb 12 03:27:34 +0000 2018",
"id": 962890897020026881,
"text": "RT @mitsmr: Digital innovation can bring renewal to established companies \u2014 but requires careful planning https://t.co/SnYTwEZMXJ https://t\u2026",
"user.screen_name": "rsepulveda8"
},
{
"created_at": "Mon Feb 12 03:27:32 +0000 2018",
"id": 962890890648862720,
"text": "RT @hildabast: Day 2 #BlackHistoryMonth: Physicist, Carolyn Beatrice Parker - a remarkable woman, whose long-lost story shows how much work\u2026",
"user.screen_name": "JChrisPires"
},
{
"created_at": "Mon Feb 12 03:27:14 +0000 2018",
"id": 962890816476909568,
"text": "https://t.co/bYGfywA6sz Pres Bacow PLEASE INSTILL a higher level of patriotism & social responsibility into Harvard\u2026 https://t.co/XCYWnFbrHp",
"user.screen_name": "AmeriMadeHeroes"
},
{
"created_at": "Mon Feb 12 03:27:12 +0000 2018",
"id": 962890807647678464,
"text": "SUPERDRY Angebote Superdry Orange Label Vintage T-Shirt mit Stickerei: Category: Herren / T-Shirts / Langarmshirt I\u2026 https://t.co/Xxkc8gfXaH",
"user.screen_name": "SparVolltreffer"
},
{
"created_at": "Mon Feb 12 03:27:10 +0000 2018",
"id": 962890796897849344,
"text": "RT @MITSloan: The idea of a universal basic income is not new, but the theory has never been thoroughly tested. A massive new study is abou\u2026",
"user.screen_name": "ruisilva"
},
{
"created_at": "Mon Feb 12 03:27:09 +0000 2018",
"id": 962890792925765632,
"text": "SUPERDRY Angebote Superdry SD Sport Rundhalspullover mit Farbblock-Design: Category: Damen / Sport-Sweatshirts / Sw\u2026 https://t.co/DwmquRQGRH",
"user.screen_name": "SparVolltreffer"
},
{
"created_at": "Mon Feb 12 03:26:50 +0000 2018",
"id": 962890713628401665,
"text": "RT @KrisKoles: Harvard names an MIT graduate and son of immigrants, Lawrence S. Bacow, as its 29th president.....\nhttps://t.co/6812AcxHNG",
"user.screen_name": "akateach1"
},
{
"created_at": "Mon Feb 12 03:26:22 +0000 2018",
"id": 962890594442973184,
"text": "Solid aims to radically change the way web applications work https://t.co/qUID3kaD1W",
"user.screen_name": "tmcpro"
},
{
"created_at": "Mon Feb 12 03:26:19 +0000 2018",
"id": 962890582791090176,
"text": "RT @DrHughHarvey: Didn\u2019t study deep learning at MIT?\n\nDon\u2019t worry - here\u2019s the entire course \n\nhttps://t.co/HTONtKKWWz https://t.co/bmbxY5u\u2026",
"user.screen_name": "kayan2727"
},
{
"created_at": "Mon Feb 12 03:26:16 +0000 2018",
"id": 962890569662869504,
"text": "RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a\u2026",
"user.screen_name": "all_that_is"
},
{
"created_at": "Mon Feb 12 03:25:59 +0000 2018",
"id": 962890501748854785,
"text": "RT @mitsmr: RT @MITSloan: Not-so-light reading from last year, courtesy of MIT Sloan faculty. https://t.co/8VEnCacpJG https://t.co/znyZ0eRs\u2026",
"user.screen_name": "RoshaundaDGreen"
},
{
"created_at": "Mon Feb 12 03:25:39 +0000 2018",
"id": 962890416373735424,
"text": "Facial recognition software is biased towards white men, researcher finds\nBiases are seeping into software\u2026 https://t.co/RR86Ga0BGj",
"user.screen_name": "minisharma018"
},
{
"created_at": "Mon Feb 12 03:25:37 +0000 2018",
"id": 962890408962408448,
"text": "#science #technology #News >> 12 years since John Durant took the helm at the MIT Museu... For More LIKE & FOLLOW @JPPMsolutions",
"user.screen_name": "JPPMsolutions"
},
{
"created_at": "Mon Feb 12 03:25:01 +0000 2018",
"id": 962890256474361857,
"text": "RT @BrightCellars: 2 MIT grads built an algorithm to match you with wine. Take the quiz to see your matches! https://t.co/LdIvB7sY05 https:\u2026",
"user.screen_name": "AdriannaMead"
},
{
"created_at": "Mon Feb 12 03:24:38 +0000 2018",
"id": 962890158252089347,
"text": "RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a\u2026",
"user.screen_name": "Law_Purush"
},
{
"created_at": "Mon Feb 12 03:24:14 +0000 2018",
"id": 962890059249803264,
"text": "#harte #fickszenen #mit #bonnie #rotton und co https://t.co/MDSEwiOfhr",
"user.screen_name": "BWo6yxxsNDDr0rf"
},
{
"created_at": "Mon Feb 12 03:24:10 +0000 2018",
"id": 962890043290394624,
"text": "Harvard names an MIT graduate and son of immigrants, Lawrence S. Bacow, as its 29th president.....\nhttps://t.co/6812AcxHNG",
"user.screen_name": "KrisKoles"
},
{
"created_at": "Mon Feb 12 03:24:01 +0000 2018",
"id": 962890003448606720,
"text": "RT @brunelldonald: Shirley Ann Jackson innovated the telecommunications industry by contributing to the inventions of the touchtone phone,\u2026",
"user.screen_name": "pressbuddy"
},
{
"created_at": "Mon Feb 12 03:23:58 +0000 2018",
"id": 962889994456182784,
"text": "Hey guys! Sigma Alpha Iota is trying to raise some money for the initiate class (me!) to help pay our dues and our\u2026 https://t.co/h2E4VuPJtY",
"user.screen_name": "laurenrose1012"
},
{
"created_at": "Mon Feb 12 03:23:48 +0000 2018",
"id": 962889948654321665,
"text": "RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a\u2026",
"user.screen_name": "Kuttchimadu"
},
{
"created_at": "Mon Feb 12 03:23:40 +0000 2018",
"id": 962889915435380736,
"text": "RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a\u2026",
"user.screen_name": "SaisonFemme"
},
{
"created_at": "Mon Feb 12 03:23:34 +0000 2018",
"id": 962889891515285504,
"text": "RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a\u2026",
"user.screen_name": "Kazarelth"
},
{
"created_at": "Mon Feb 12 03:23:02 +0000 2018",
"id": 962889757498978304,
"text": "Distinctive brain pattern helps habits form https://t.co/JprHWns0hw https://t.co/VQUcuoHIPC",
"user.screen_name": "drronstrand"
},
{
"created_at": "Mon Feb 12 03:22:50 +0000 2018",
"id": 962889707297353728,
"text": "RT @dandyliving: Fasching mit @namenlos4 \ud83d\ude0d https://t.co/2hRAjHhXUS",
"user.screen_name": "dfmboy"
},
{
"created_at": "Mon Feb 12 03:22:44 +0000 2018",
"id": 962889681103998978,
"text": "RT @_Cjboogie_: Left colder but the right more smooth https://t.co/wkd0ud8c0T",
"user.screen_name": "Taylor_Mit"
},
{
"created_at": "Mon Feb 12 03:22:26 +0000 2018",
"id": 962889605543493632,
"text": "RT @mitsmr: \u201cThe \u2018blame\u2019 culture that permeates most organizations paralyzes decision makers so much that they don\u2019t take chances and they\u2026",
"user.screen_name": "RoshaundaDGreen"
},
{
"created_at": "Mon Feb 12 03:21:39 +0000 2018",
"id": 962889409615028224,
"text": "RT @Chronicle5: \"My first 6 books were medical thrillers that nobody's ever heard of\" Then along came the book that broke @benmezrich big \"\u2026",
"user.screen_name": "kevintounie"
},
{
"created_at": "Mon Feb 12 03:21:16 +0000 2018",
"id": 962889311761903616,
"text": "RT @mitsmr: People who are \u201cdifferent\u201d \u2014whether behaviorally or neurologically\u2014 don\u2019t always fit into standard job categories. But if you c\u2026",
"user.screen_name": "RoshaundaDGreen"
},
{
"created_at": "Mon Feb 12 03:21:12 +0000 2018",
"id": 962889297153220608,
"text": "\u201cOur institutions are very much under threat at a time when they\u2019re arguably most needed.\u201d https://t.co/tWEIOZorjL https://t.co/45SvfAGGnm",
"user.screen_name": "jbrancha"
},
{
"created_at": "Mon Feb 12 03:21:11 +0000 2018",
"id": 962889291616718854,
"text": "RT @asus10mm: Now live\u27a1\ufe0fhttps://t.co/GJNYSDc3fa\n#porn #sex #naked #bbbh\n@hellosquirty @ASummersXXX @HotMaleStuds @Cam4_GayFR @aligais75 @Lo\u2026",
"user.screen_name": "asus10mm"
},
{
"created_at": "Mon Feb 12 03:21:00 +0000 2018",
"id": 962889247064842240,
"text": "sex pics opa mit oma fun sex questions to ask your boyfriend https://t.co/2KvWWhHXfT",
"user.screen_name": "JahirBN"
},
{
"created_at": "Mon Feb 12 03:20:59 +0000 2018",
"id": 962889239695446016,
"text": "RT @mitsmr: Unbundling Procter & Gamble https://t.co/5lBGpPiaJf @htaneja @kmaney @proctorgamble #Business https://t.co/Ef5exU7fjj",
"user.screen_name": "basole"
},
{
"created_at": "Mon Feb 12 03:20:40 +0000 2018",
"id": 962889162385866752,
"text": "@pnut always been curious about how u guys came up with the title \u201cSilver\u201d. Love what miT and Chad did with the phr\u2026 https://t.co/HjWxQ7GwE2",
"user.screen_name": "ADay36"
},
{
"created_at": "Mon Feb 12 03:20:18 +0000 2018",
"id": 962889071520514048,
"text": "RT @elanazeide: \"Facial recognition software is biased towards white men\" https://t.co/el4r2qhxsr. Sad that this no longer seems out of the\u2026",
"user.screen_name": "MasonMarksMD"
},
{
"created_at": "Mon Feb 12 03:20:14 +0000 2018",
"id": 962889054332301312,
"text": "RT @mitsmr: \"Great strategists are like great chess players or great game theorists: They need to think several steps ahead towards the end\u2026",
"user.screen_name": "RoshaundaDGreen"
},
{
"created_at": "Mon Feb 12 03:19:40 +0000 2018",
"id": 962888910157250560,
"text": "RT @authoritydata: #buynow Data Science (The MIT Press Essential Knowledge series) https://t.co/g70f2FimEy #BigData #Dataviz https://t.co/Z\u2026",
"user.screen_name": "bdt_systems"
},
{
"created_at": "Mon Feb 12 03:19:23 +0000 2018",
"id": 962888837189062656,
"text": "RT @asus10mm: @cam4_gayDE @sk8er_dude_FFM @Silas_Rise @KevinKlose61 @XFuckboy1 @MisterMac80 @skinny22cm @gr8stxxxcock @Mit_Bewohner @LeidiG\u2026",
"user.screen_name": "asus10mm"
},
{
"created_at": "Mon Feb 12 03:19:08 +0000 2018",
"id": 962888774450425856,
"text": "RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a\u2026",
"user.screen_name": "HemantPatel32"
},
{
"created_at": "Mon Feb 12 03:18:40 +0000 2018",
"id": 962888660738719744,
"text": "RT @skocharlakota: One of the important vision and focus of @ArvindKejriwal sarkar is rightly depicted in these pictures here - Education,\u2026",
"user.screen_name": "rajkovvali"
},
{
"created_at": "Mon Feb 12 03:18:27 +0000 2018",
"id": 962888602685452288,
"text": "RT @MITSloan: Design thinking can be applied to any problem in any industry. Here's how. https://t.co/tE8Q21t1Cs https://t.co/wBYILC483w",
"user.screen_name": "johnny_agt"
},
{
"created_at": "Mon Feb 12 03:18:03 +0000 2018",
"id": 962888505167958016,
"text": "Solid is an exciting new project led by Prof. Tim Berners-Lee\nhttps://t.co/G5REhKIBcp",
"user.screen_name": "_7m26"
},
{
"created_at": "Mon Feb 12 03:17:54 +0000 2018",
"id": 962888464755777537,
"text": "RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a\u2026",
"user.screen_name": "MridulaK"
},
{
"created_at": "Mon Feb 12 03:17:46 +0000 2018",
"id": 962888430966452230,
"text": "#buynow Data Science (The MIT Press Essential Knowledge series) https://t.co/g70f2FimEy #BigData #Dataviz https://t.co/ZuNG36al8l",
"user.screen_name": "authoritydata"
},
{
"created_at": "Mon Feb 12 03:17:44 +0000 2018",
"id": 962888425056690177,
"text": "Imagine a world with faster, cheaper #AI! @MIT researchers say we're closer to #computers that work like our brains\u2026 https://t.co/gOTDx89ijo",
"user.screen_name": "AydinIPV6"
},
{
"created_at": "Mon Feb 12 03:17:14 +0000 2018",
"id": 962888296975208449,
"text": "RT @AI__Newz: Facial recognition software is biased towards white men, researcher finds https://t.co/hDbUoSvIvF https://t.co/o6Ve2EzuRy",
"user.screen_name": "VickiJo95367827"
},
{
"created_at": "Mon Feb 12 03:16:39 +0000 2018",
"id": 962888152573767681,
"text": "RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a\u2026",
"user.screen_name": "Pushkarr"
},
{
"created_at": "Mon Feb 12 03:16:39 +0000 2018",
"id": 962888151307038721,
"text": "RT @karenfoelz: MIT Bootcampers receiving lessons in leadership and managing your ego from @jockowillink at @MITBootcamps @QUT #MITbootcamp\u2026",
"user.screen_name": "QUT"
},
{
"created_at": "Mon Feb 12 03:16:34 +0000 2018",
"id": 962888128745889793,
"text": "RT @mitsmr: Applying Dynamic Work Design\n1. Separate well-defined + ambiguous work\n2. Break processes into smaller units of work \n3. Identi\u2026",
"user.screen_name": "Moosi007"
},
{
"created_at": "Mon Feb 12 03:16:08 +0000 2018",
"id": 962888022336458753,
"text": "4) T\u2019Challa has a PhD in Physics from Oxford University. His nemesis in the film Erik Killmonger has his PhD in Engineering from MIT.",
"user.screen_name": "MosGenThePoet"
},
{
"created_at": "Mon Feb 12 03:15:49 +0000 2018",
"id": 962887939528232960,
"text": "RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a\u2026",
"user.screen_name": "samir_knit"
},
{
"created_at": "Mon Feb 12 03:15:48 +0000 2018",
"id": 962887937376571392,
"text": "RT @mitsmr: \"Even with rapid advances,\" says @erikbryn, \"AI won\u2019t be able to replace most jobs anytime soon. But in almost every industry,\u2026",
"user.screen_name": "JakeSchweich"
},
{
"created_at": "Mon Feb 12 03:15:35 +0000 2018",
"id": 962887881646919680,
"text": "RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a\u2026",
"user.screen_name": "b0yblunder"
},
{
"created_at": "Mon Feb 12 03:15:15 +0000 2018",
"id": 962887798343831552,
"text": "RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a\u2026",
"user.screen_name": "asfaqullahkhan9"
},
{
"created_at": "Mon Feb 12 03:15:03 +0000 2018",
"id": 962887747429117952,
"text": "RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a\u2026",
"user.screen_name": "pun_in_the_ass"
},
{
"created_at": "Mon Feb 12 03:15:01 +0000 2018",
"id": 962887739795484672,
"text": "RT @psb_dc: Six Ways Americans View Automation \n\n#automation #machines #futureofwork #AI #AutonomousVehicles \n@mit_ide \n\nhttps://t.co/WS9\u2026",
"user.screen_name": "psb_dc"
},
{
"created_at": "Mon Feb 12 03:14:45 +0000 2018",
"id": 962887671214497792,
"text": "RT @mitsmr: Applying Dynamic Work Design\n1. Separate well-defined + ambiguous work\n2. Break processes into smaller units of work \n3. Identi\u2026",
"user.screen_name": "RoshaundaDGreen"
},
{
"created_at": "Mon Feb 12 03:14:18 +0000 2018",
"id": 962887561331945472,
"text": "Trump's bud get contract @ ! Di$-play. Your$ com mit ted, hon ey.",
"user.screen_name": "JusticeNASA"
},
{
"created_at": "Mon Feb 12 03:14:17 +0000 2018",
"id": 962887555002912768,
"text": "Facial recognition software is biased towards white men, researcher finds - The Verge https://t.co/ez8pnSJ5n4",
"user.screen_name": "justseenthistec"
},
{
"created_at": "Mon Feb 12 03:14:17 +0000 2018",
"id": 962887554113486849,
"text": "@BryanLunduke @facebook completely unrelated but this new Berners-Lee project out of MIT might pique your (concern|\u2026 https://t.co/WlESq0woI4",
"user.screen_name": "disc0__"
},
{
"created_at": "Mon Feb 12 03:14:10 +0000 2018",
"id": 962887524195553281,
"text": "RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a\u2026",
"user.screen_name": "Shakti_Shetty"
},
{
"created_at": "Mon Feb 12 03:13:45 +0000 2018",
"id": 962887419908542465,
"text": "Briana Banderas fucking #mit #ihrem #Mann in #Heimvideo #egzqkvar https://t.co/FsGaq1cgRs",
"user.screen_name": "corey_westall"
},
{
"created_at": "Mon Feb 12 03:13:30 +0000 2018",
"id": 962887359472824321,
"text": "RT @DrHughHarvey: Didn\u2019t study deep learning at MIT?\n\nDon\u2019t worry - here\u2019s the entire course \n\nhttps://t.co/HTONtKKWWz https://t.co/bmbxY5u\u2026",
"user.screen_name": "iamlaksh1"
},
{
"created_at": "Mon Feb 12 03:13:14 +0000 2018",
"id": 962887290916884480,
"text": "RT @siddarth_vyas: Artificial Intelligence...From $282 million in 2011 to more than $5 billion in 2016. https://t.co/kBq5NVxe7n #AI #innova\u2026",
"user.screen_name": "TechnoJeder"
},
{
"created_at": "Mon Feb 12 03:13:03 +0000 2018",
"id": 962887243340824576,
"text": "Well damn. https://t.co/7FVqBdDQRC",
"user.screen_name": "Mit_ch_ell"
},
{
"created_at": "Mon Feb 12 03:12:57 +0000 2018",
"id": 962887220678897666,
"text": "RT @TraDove_ICO: Breakfast with our team, board member Gordon Kaufman, and Professor Emeritus from the MIT Sloan School of Management. Big\u2026",
"user.screen_name": "Destje"
},
{
"created_at": "Mon Feb 12 03:12:48 +0000 2018",
"id": 962887184012345344,
"text": "MIT Bootcampers receiving lessons in leadership and managing your ego from @jockowillink at @MITBootcamps @QUT\u2026 https://t.co/XmKVDjzDsF",
"user.screen_name": "karenfoelz"
},
{
"created_at": "Mon Feb 12 03:12:34 +0000 2018",
"id": 962887123870371840,
"text": "RT @dormash: The MIT Venture Capital and Innovation conference is on! So glad to be hosting @LindiweEM. She will give a talk on coding thr\u2026",
"user.screen_name": "glenmpani"
},
{
"created_at": "Mon Feb 12 03:12:33 +0000 2018",
"id": 962887121282437120,
"text": "RT @mitsmr: RT @MITSloan: Analytics are driving more and more business decisions in sports. 3 from the industry reveal what's next. https:/\u2026",
"user.screen_name": "RoshaundaDGreen"
},
{
"created_at": "Mon Feb 12 03:12:30 +0000 2018",
"id": 962887105511763968,
"text": "How concerned is your org about what the impact of #digitaldisruption might be? https://t.co/aULDsMoqmb\u2026 https://t.co/1chhq18LUG",
"user.screen_name": "siddarth_vyas"
},
{
"created_at": "Mon Feb 12 03:12:29 +0000 2018",
"id": 962887101229551617,
"text": "I\u2019ll be joining Ted Olson, Laila Mintas (@DrMintas), Chad Millman and Jeff Ma next week at the MIT Sloan Sports Ana\u2026 https://t.co/w1JPjG6Lyl",
"user.screen_name": "WALLACHLEGAL"
},
{
"created_at": "Mon Feb 12 03:12:13 +0000 2018",
"id": 962887033944354816,
"text": "Artificial Intelligence...From $282 million in 2011 to more than $5 billion in 2016. https://t.co/kBq5NVxe7n #AI\u2026 https://t.co/5xxMeOPjJV",
"user.screen_name": "siddarth_vyas"
},
{
"created_at": "Mon Feb 12 03:12:00 +0000 2018",
"id": 962886982635540481,
"text": "The latest Business Blueprint Daily! https://t.co/Ma47PbOG9l Thanks to @mit_cmsw @andrewhargadon @MeetEdgar #marketing #business",
"user.screen_name": "BusBlueprint"
},
{
"created_at": "Mon Feb 12 03:11:58 +0000 2018",
"id": 962886971554189312,
"text": "Someday all those people you're(I'm) waiting for and goals you're(I'm) holding on to will be gone or out of reach.\u2026 https://t.co/NiWjGsgtsG",
"user.screen_name": "ffulC_miT"
},
{
"created_at": "Mon Feb 12 03:11:21 +0000 2018",
"id": 962886819321966593,
"text": "SPIELEN #Casino - 300% up to euro1200 on first 3 deposits mit #Timesquare - https://t.co/kxRpC4IB5R https://t.co/h3zzMnvWyU",
"user.screen_name": "atticagambling"
},
{
"created_at": "Mon Feb 12 03:11:21 +0000 2018",
"id": 962886816872484864,
"text": "SPIELEN #Casino - 300% up to euro1200 on first 3 deposits mit #Timesquare - https://t.co/7LPT6ZLm1h https://t.co/GvWVOw7f6R",
"user.screen_name": "bestbetforyou"
},
{
"created_at": "Mon Feb 12 03:10:06 +0000 2018",
"id": 962886503675322368,
"text": "RT @TamaraMcCleary: Mastering the Digital #Innovation Challenge https://t.co/4jbLqULxfg #leadership #digitaltransformation MT @jglass8 via\u2026",
"user.screen_name": "jglass8"
},
{
"created_at": "Mon Feb 12 03:09:44 +0000 2018",
"id": 962886411513819136,
"text": "@andreadiaz37 Cool \ud83d\ude0e",
"user.screen_name": "mit_alexa"
},
{
"created_at": "Mon Feb 12 03:09:24 +0000 2018",
"id": 962886327661486080,
"text": "#Nur #geile #blonde fucking mit #Nacho Vidal https://t.co/UTQI4Ho2Tv",
"user.screen_name": "dZoqiARwYHzITTh"
},
{
"created_at": "Mon Feb 12 03:09:20 +0000 2018",
"id": 962886311832059905,
"text": "SPIELEN #Casino - UP to GBP200 bonus 18+,Ts&Cs apply mit #Karamba - https://t.co/TGFW5TK5TQ https://t.co/Ay0aMVOaGh",
"user.screen_name": "atticagambling"
},
{
"created_at": "Mon Feb 12 03:09:20 +0000 2018",
"id": 962886309365846016,
"text": "SPIELEN #Casino - UP to GBP200 bonus 18+,Ts&Cs apply mit #Karamba - https://t.co/7SE0mNsTdz https://t.co/65ufoTLNnv",
"user.screen_name": "bestbetforyou"
},
{
"created_at": "Mon Feb 12 03:09:06 +0000 2018",
"id": 962886251929010177,
"text": "RT @mitsmr: \u201cJournalists often check a CEO\u2019s Twitter account before covering the CEO or the company.\u201d https://t.co/er59CY71Vg",
"user.screen_name": "RoshaundaDGreen"
},
{
"created_at": "Mon Feb 12 03:09:03 +0000 2018",
"id": 962886239065198594,
"text": "RT @JensRoehrich: Interesting article: The Unique Challenges of Cross-Boundary #Collaboration https://t.co/EXelhBmrId You may also find my\u2026",
"user.screen_name": "NourFreeBird"
},
{
"created_at": "Mon Feb 12 03:09:02 +0000 2018",
"id": 962886233838968832,
"text": "RT @skocharlakota: In the streets of Boston cutting thru MIT and Harvard universities, @msisodia walks with @AamAadmiParty volunteers & wel\u2026",
"user.screen_name": "AAPlogical"
},
{
"created_at": "Mon Feb 12 03:08:48 +0000 2018",
"id": 962886175995265024,
"text": "@Mindcite_US @Google @CarnegieMellon @Cambridge_Uni @MIT @UniofOxford @Caltech @TechnionLive @Princeton @Yale\u2026 https://t.co/hQ0HgCl43g",
"user.screen_name": "4GodsWillBeDone"
},
{
"created_at": "Mon Feb 12 03:08:42 +0000 2018",
"id": 962886151416684545,
"text": "RT @mitsmr: Unbundling Procter & Gamble https://t.co/5lBGpPiaJf @htaneja @kmaney @proctorgamble #Business https://t.co/Ef5exU7fjj",
"user.screen_name": "nancyrubin"
},
{
"created_at": "Mon Feb 12 03:08:29 +0000 2018",
"id": 962886096773410816,
"text": "Life as an MBA Student | Ryan from https://t.co/XQkR8Pg79L, MIT Sloan https://t.co/MbrNmPqURE #gmat #mba #bschool",
"user.screen_name": "30DAYGMAT"
},
{
"created_at": "Mon Feb 12 03:08:10 +0000 2018",
"id": 962886015747837953,
"text": "RT @StanM3: Germany- Afghan(19) stabbed his ex-girlfriend(23) in the shoulder and fled. The police had been called because of domestic viol\u2026",
"user.screen_name": "jenkinskeith9"
},
{
"created_at": "Mon Feb 12 03:07:40 +0000 2018",
"id": 962885891327852544,
"text": "\u2554\u2557 \n\u256c\u2554\u2557\u2551\u2551\u2554\u2557\u2557\u2566\u2554 \u2605\n\u255d\u255a\u255d\u255a\u255a\u255a\u255d\u255a\u2569\u255d\n\u2605\u2b50\u2605\u2b50\u2605\n\u2570\u22b6\ud83c\udd51\u22b6\u256e\n\u256d\u22b6\ud83c\udd54\u22b6\u256f\n\u2570\u22b6\ud83c\udd62\u22b6\u256e\n\u256d\u22b6\ud83c\udd63\u22b6\u256f\n\u2570\u261b \u2605 @Mit_bogorDP \u2605\n\nArea: #BOGOR\n\u2570\u261b Avail Include or Exc\u2026 https://t.co/PFyNGVrSbV",
"user.screen_name": "_DaJhonn"
},
{
"created_at": "Mon Feb 12 03:07:34 +0000 2018",
"id": 962885863603654657,
"text": "@benance_2017 @binance_2017 Scam",
"user.screen_name": "anir_mit"
},
{
"created_at": "Mon Feb 12 03:07:32 +0000 2018",
"id": 962885857295454208,
"text": "RT @itskac: Need to interview a #musician, a #freelancer, a #smallbiz owner (or someone who wants to start one) & a #tech #startup #founder\u2026",
"user.screen_name": "AskVMC"
},
{
"created_at": "Mon Feb 12 03:07:19 +0000 2018",
"id": 962885804161949696,
"text": "SPIELEN #Casino - Up to GBP1000 Welcome bonus 18+,Ts&Cs apply mit #Affpower - https://t.co/nY4UwB6IAC https://t.co/8b4JdLMuhg",
"user.screen_name": "atticagambling"
},
{
"created_at": "Mon Feb 12 03:07:19 +0000 2018",
"id": 962885801800593409,
"text": "SPIELEN #Casino - Up to GBP1000 Welcome bonus 18+,Ts&Cs apply mit #Affpower - https://t.co/AkIJ6dBq69 https://t.co/9Khp1YX8Xj",
"user.screen_name": "bestbetforyou"
},
{
"created_at": "Mon Feb 12 03:06:08 +0000 2018",
"id": 962885505791741952,
"text": "RT @mitsmr: RT @MITSloan: Analytics are driving more and more business decisions in sports. 3 from the industry reveal what's next. https:/\u2026",
"user.screen_name": "Neel__C"
},
{
"created_at": "Mon Feb 12 03:06:06 +0000 2018",
"id": 962885497277304835,
"text": "\"Facial recognition software is biased towards white men\" https://t.co/el4r2qhxsr. Sad that this no longer seems ou\u2026 https://t.co/tDpGVQmZTc",
"user.screen_name": "elanazeide"
},
{
"created_at": "Mon Feb 12 03:06:02 +0000 2018",
"id": 962885479757729797,
"text": "Corporate Transformation - \"the optimal playbook for transformation should involve... reorienting strategy for the\u2026 https://t.co/O76aHLoYUw",
"user.screen_name": "TheIOSummit"
},
{
"created_at": "Mon Feb 12 03:05:59 +0000 2018",
"id": 962885466432339968,
"text": "RT @CupcakKe_rapper: I got to sit by the window with my legs open cause with these thick thighs my pussy like Jordan sparks it gets no air\u2026",
"user.screen_name": "damn_mit"
},
{
"created_at": "Mon Feb 12 03:05:19 +0000 2018",
"id": 962885297393618945,
"text": "SPIELEN #Casino - Get up to GBP2000 Welcome bonus 18+,Ts&Cs apply mit #Affpower - https://t.co/n6JE8kkvuv https://t.co/xsq58Zq4ag",
"user.screen_name": "atticagambling"
},
{
"created_at": "Mon Feb 12 03:05:18 +0000 2018",
"id": 962885294570770432,
"text": "SPIELEN #Casino - Get up to GBP2000 Welcome bonus 18+,Ts&Cs apply mit #Affpower - https://t.co/BCTDq1ieuw https://t.co/tgBxysbMJe",
"user.screen_name": "bestbetforyou"
},
{
"created_at": "Mon Feb 12 03:05:04 +0000 2018",
"id": 962885234244096000,
"text": "Unbundling Procter & Gamble https://t.co/5lBGpPiaJf @htaneja @kmaney @proctorgamble #Business https://t.co/Ef5exU7fjj",
"user.screen_name": "mitsmr"
},
{
"created_at": "Mon Feb 12 03:04:34 +0000 2018",
"id": 962885112139534336,
"text": "Show Time Mit ciscoherrera1 roderickjlp greg_melodia \ud83d\udd25\ud83c\udf4b\ud83c\udf34\ud83d\udc45 en El Hatillo https://t.co/soZRbvyat2",
"user.screen_name": "LsRankiaos"
},
{
"created_at": "Mon Feb 12 03:04:31 +0000 2018",
"id": 962885098033987584,
"text": "That's the C.E.O, Eximius Konceptz. https://t.co/khuWvecjwY",
"user.screen_name": "mit_chelle8"
},
{
"created_at": "Mon Feb 12 03:04:24 +0000 2018",
"id": 962885066497011714,
"text": "A project led by sir Tim berners-Lee\nhttps://t.co/U8EzoMf3M1",
"user.screen_name": "NagendraSanu"
},
{
"created_at": "Mon Feb 12 03:03:22 +0000 2018",
"id": 962884807872204800,
"text": "RT @techreview: Which technologies are making significant progress? We have the answers. Subscribe to MIT Technology Review today for unpar\u2026",
"user.screen_name": "qiming82"
},
{
"created_at": "Mon Feb 12 03:02:58 +0000 2018",
"id": 962884705854083072,
"text": "RT @mitsmr: \u201cJournalists often check a CEO\u2019s Twitter account before covering the CEO or the company.\u201d https://t.co/er59CY71Vg",
"user.screen_name": "CrespoRamiro"
},
{
"created_at": "Mon Feb 12 03:02:38 +0000 2018",
"id": 962884623243141125,
"text": "RT @psb_dc: In the world of 1s and 0s, soft skills matter.\n\n4 things you need to know about soft skills \n\n#leadership #culture #innovation\u2026",
"user.screen_name": "talk2_priya"
},
{
"created_at": "Mon Feb 12 03:01:17 +0000 2018",
"id": 962884285052022785,
"text": "RT @danieldennett: Notice anything unusual about the Edward Gorey cover on the 40th anniversary edition of BRAINSTORMS? (MIT Press). I adde\u2026",
"user.screen_name": "ChampionACause2"
},
{
"created_at": "Mon Feb 12 03:01:17 +0000 2018",
"id": 962884283814875136,
"text": "@WillGordonAgain FWIW Larry was the only administrator who wasn't a giant pile of shit when I was at MIT. My even m\u2026 https://t.co/4KQLLhH25K",
"user.screen_name": "TheDrewStarr"
},
{
"created_at": "Mon Feb 12 03:01:15 +0000 2018",
"id": 962884274859909120,
"text": "SUPERDRY Angebote Superdry Vintage Logo Fade T-Shirt: Category: Damen / T-Shirts / T-Shirt mit Print Item number: 2\u2026 https://t.co/pQ6uexMKyh",
"user.screen_name": "SparVolltreffer"
},
{
"created_at": "Mon Feb 12 03:00:58 +0000 2018",
"id": 962884205095997441,
"text": "Applying philosophy for a better democracy https://t.co/Dp90q2eFV7",
"user.screen_name": "skydog811"
},
{
"created_at": "Mon Feb 12 03:00:43 +0000 2018",
"id": 962884142819094528,
"text": "Pace Layering: How Complex Systems Learn and Keep Learning https://t.co/66GZCyMuLY",
"user.screen_name": "hackernewsrobot"
},
{
"created_at": "Mon Feb 12 03:00:36 +0000 2018",
"id": 962884114155294720,
"text": "RT @Toijuin: MIT Will start this week! Still spots available! Contact me if interested",
"user.screen_name": "A3ria7Assau7t"
},
{
"created_at": "Mon Feb 12 03:00:23 +0000 2018",
"id": 962884056408121344,
"text": "#Innovation-Based #Technology #Standards Are Under Threat - via @mitsmr | https://t.co/XeJ4y8CDbX #RandD #Strategy #ProductDevelopment",
"user.screen_name": "arjenvanberkum"
},
{
"created_at": "Mon Feb 12 03:00:21 +0000 2018",
"id": 962884047356690432,
"text": "Solid aims to radically change the way web applications work: https://t.co/FaTEKHmW3I ( https://t.co/290eZLco2w )",
"user.screen_name": "HighSNHN"
},
{
"created_at": "Mon Feb 12 03:00:00 +0000 2018",
"id": 962883961331552256,
"text": "RT @TerryUm_ML: A series of lectures for deep learning given by MIT\nhttps://t.co/9xMZe50Biw https://t.co/TFN2k0LdWu",
"user.screen_name": "MotazAlfarraj"
},
{
"created_at": "Mon Feb 12 02:59:36 +0000 2018",
"id": 962883861129543680,
"text": "RT @BillAulet: .@jockowillink on fire at Brisbane MIT Global Entrepreneurship Bootcamp talking about #extremeleadership @MITBootcamps @QUT\u2026",
"user.screen_name": "amanda_dunne8"
},
{
"created_at": "Mon Feb 12 02:58:40 +0000 2018",
"id": 962883625372016641,
"text": "Daryaganj Sunday Book Bazar!!! I hope it never shuts down. https://t.co/aJ7SvEx0Rt",
"user.screen_name": "mit_sood"
},
{
"created_at": "Mon Feb 12 02:58:40 +0000 2018",
"id": 962883623685935104,
"text": "RT @thebaemarcus: That\u2019s Lil Boat and mini boat https://t.co/DRXFhaglMO",
"user.screen_name": "Mit_540"
},
{
"created_at": "Mon Feb 12 02:57:58 +0000 2018",
"id": 962883449408442368,
"text": "RT @MITSloan: In a recent study, soft skills delivered a 250% ROI. Here's what else to know about them. https://t.co/Nh8hgLmC0y",
"user.screen_name": "shaks77"
},
{
"created_at": "Mon Feb 12 02:57:46 +0000 2018",
"id": 962883397105233921,
"text": "Is tech dividing America? https://t.co/2IVMmmlolg",
"user.screen_name": "knittingknots"
},
{
"created_at": "Mon Feb 12 02:57:36 +0000 2018",
"id": 962883355359490048,
"text": "RT @MITSloan: Soft skills are underrated. Here's how they can bridge the economic divide and bring big ROI to any org. https://t.co/Nh8hgLm\u2026",
"user.screen_name": "Pato1979"
},
{
"created_at": "Mon Feb 12 02:57:33 +0000 2018",
"id": 962883345368596480,
"text": "RT @BillAulet: .@jockowillink on fire at Brisbane MIT Global Entrepreneurship Bootcamp talking about #extremeleadership @MITBootcamps @QUT\u2026",
"user.screen_name": "ProfBarrett"
},
{
"created_at": "Mon Feb 12 02:56:55 +0000 2018",
"id": 962883183304892417,
"text": "RT @nerdlypainter: Heretical Musings On Heuristic Mechanisms by Regina Valluzzi https://t.co/npnbRzm4z4 #sciart #MIT #geometric #lines #Bos\u2026",
"user.screen_name": "DZaag"
},
{
"created_at": "Mon Feb 12 02:56:46 +0000 2018",
"id": 962883147938652160,
"text": "RT @politico: Is tech dividing America? POLITICO\u2019s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N\u2026",
"user.screen_name": "VRANYwinston"
},
{
"created_at": "Mon Feb 12 02:56:44 +0000 2018",
"id": 962883139029950465,
"text": "RT @mitsmr: Keep this chart handy when you're Identifying potential #leaders in your company. https://t.co/WHj7CM39AJ #management https://\u2026",
"user.screen_name": "DRLeszcynski"
},
{
"created_at": "Mon Feb 12 02:56:12 +0000 2018",
"id": 962883003008667648,
"text": "@davewiner @gilduran76 Good Lard. Bring it. \n\nGeorge Lakoff has been studying linguistics since MIT in the '60's.\u2026 https://t.co/8747yhzM56",
"user.screen_name": "Hoi_Pollois"
},
{
"created_at": "Mon Feb 12 02:56:07 +0000 2018",
"id": 962882981873451008,
"text": "RT @World_Wide_Wob: Meanwhile at the Pistons/Hawks game https://t.co/3Q6Ic7kZCX",
"user.screen_name": "Mit_540"
},
{
"created_at": "Mon Feb 12 02:56:03 +0000 2018",
"id": 962882966727766017,
"text": "RT @techreview: Which technologies are making significant progress? We have the answers. Subscribe to MIT Technology Review today for unpar\u2026",
"user.screen_name": "Kobayashi_Isao"
},
{
"created_at": "Mon Feb 12 02:55:55 +0000 2018",
"id": 962882935128035329,
"text": "RT @politico: Is tech dividing America? POLITICO\u2019s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N\u2026",
"user.screen_name": "gmlavern"
},
{
"created_at": "Mon Feb 12 02:55:39 +0000 2018",
"id": 962882866727223297,
"text": "RT @thesavoyshow: Black Man G-CHECKS his little brothers for trying to join a gang! https://t.co/fxrGUrED5H",
"user.screen_name": "Mit_540"
},
{
"created_at": "Mon Feb 12 02:55:30 +0000 2018",
"id": 962882829158899712,
"text": "RT @BrightCellars: 2 MIT grads built an algorithm to match you with wine. Take the quiz to see your matches! https://t.co/LdIvB7sY05 https:\u2026",
"user.screen_name": "PahouseHouse"
},
{
"created_at": "Mon Feb 12 02:55:24 +0000 2018",
"id": 962882802978119681,
"text": "RT @FreddyAmazin: If this isn\u2019t how you and your Bestfriend describe each other, you ain\u2019t BESTFRIENDS. https://t.co/ZGUxZvyRkr",
"user.screen_name": "Mit_540"
},
{
"created_at": "Mon Feb 12 02:54:59 +0000 2018",
"id": 962882697935970304,
"text": "RT @World_Wide_Wob: When the trade deadline is over https://t.co/P3jhF9K9Ti",
"user.screen_name": "Mit_540"
},
{
"created_at": "Mon Feb 12 02:54:32 +0000 2018",
"id": 962882586136760320,
"text": "RT @NeilKBrand: As my score for #Hitchcock's #Blackmail is being played live tonight by the #N\u00fcrnberg Symphony Orchestra tonight (https://t\u2026",
"user.screen_name": "THEAGENTAPSLEY"
},
{
"created_at": "Mon Feb 12 02:53:44 +0000 2018",
"id": 962882384881504256,
"text": "@BJP4India gr8 decision. Such motormouths shd be sent to oblivion https://t.co/uhsAifL9XJ",
"user.screen_name": "anurag_mit"
},
{
"created_at": "Mon Feb 12 02:53:22 +0000 2018",
"id": 962882293349212166,
"text": "@4GodsWillBeDone @Google @CarnegieMellon @Cambridge_Uni @MIT @UniofOxford @Caltech @TechnionLive @Princeton @Yale\u2026 https://t.co/4wqxgtLaGw",
"user.screen_name": "Mindcite_US"
},
{
"created_at": "Mon Feb 12 02:53:05 +0000 2018",
"id": 962882221689339904,
"text": "The Technological Singularity (The MIT Press Essential Knowledge series) https://t.co/ga2CxzBY6B",
"user.screen_name": "DD_Serena_"
},
{
"created_at": "Mon Feb 12 02:52:58 +0000 2018",
"id": 962882192035729409,
"text": "Solid aims to radically change the way web applications work https://t.co/pYILXPgxnU (https://t.co/Y5cCSw8gHQ)",
"user.screen_name": "newsyc150"
},
{
"created_at": "Mon Feb 12 02:52:38 +0000 2018",
"id": 962882109164675072,
"text": "Solid aims to radically change the way web applications work https://t.co/wKRqEGaLVJ (https://t.co/3RPoPPJRB8)",
"user.screen_name": "Hn150"
},
{
"created_at": "Mon Feb 12 02:52:30 +0000 2018",
"id": 962882073462738944,
"text": "RT @SeldumSeen5: Need a Pure SS will be six man and fighting for starting spot 4 MPBA MIT for proam we are 66-7 E4 @2kProAmReport @2KProAmI\u2026",
"user.screen_name": "DelshunYoung"
},
{
"created_at": "Mon Feb 12 02:52:14 +0000 2018",
"id": 962882008023052288,
"text": "Technology is great for making our lives easier but also replacing jobs as well. #pols341digital \nhttps://t.co/GDw4Npm6PK",
"user.screen_name": "ezekio_"
},
{
"created_at": "Mon Feb 12 02:52:12 +0000 2018",
"id": 962881998929977344,
"text": "Which technologies are making significant progress? We have the answers. Subscribe to MIT Technology Review today f\u2026 https://t.co/gYryRsq0DJ",
"user.screen_name": "bubb13_b0y"
},
{
"created_at": "Mon Feb 12 02:52:11 +0000 2018",
"id": 962881992630132736,
"text": "Like it or not, the future of cryptocurrency will be determined by bureaucrats - MIT Technology Review https://t.co/95UbHdFs1b",
"user.screen_name": "bit_daily"
},
{
"created_at": "Mon Feb 12 02:52:00 +0000 2018",
"id": 962881949877465094,
"text": "\u201cAlumni call on MIT to champion artificial intelligence education\u201d\n\n#AI #Education via @MIT https://t.co/Bd9N4h6WXA",
"user.screen_name": "rzembo"
},
{
"created_at": "Mon Feb 12 02:51:35 +0000 2018",
"id": 962881843598151682,
"text": "@ARossP Oh, this looks relevant to your interests. https://t.co/IBfvR5OMpB",
"user.screen_name": "badger_lifts"
},
{
"created_at": "Mon Feb 12 02:50:59 +0000 2018",
"id": 962881691093106688,
"text": "RT @techreview: Which technologies are making significant progress? We have the answers. Subscribe to MIT Technology Review today for unpar\u2026",
"user.screen_name": "dik_erwin"
},
{
"created_at": "Mon Feb 12 02:50:43 +0000 2018",
"id": 962881625037115392,
"text": "RT @SeldumSeen5: Need a Pure SS will be six man and fighting for starting spot 4 MPBA MIT for proam we are 66-7 E4 @2kProAmReport @2KProAmI\u2026",
"user.screen_name": "Kbizz1988"
},
{
"created_at": "Mon Feb 12 02:50:23 +0000 2018",
"id": 962881541088083968,
"text": "RT @techreview: Which technologies are making significant progress? We have the answers. Subscribe to MIT Technology Review today for unpar\u2026",
"user.screen_name": "Esist_Me"
},
{
"created_at": "Mon Feb 12 02:50:09 +0000 2018",
"id": 962881481713635328,
"text": "RT @techreview: Which technologies are making significant progress? We have the answers. Subscribe to MIT Technology Review today for unpar\u2026",
"user.screen_name": "gixtools"
},
{
"created_at": "Mon Feb 12 02:50:07 +0000 2018",
"id": 962881473635323904,
"text": "Which technologies are making significant progress? We have the answers. Subscribe to MIT Technology Review today f\u2026 https://t.co/F6Jr3Ruf8a",
"user.screen_name": "techreview"
},
{
"created_at": "Mon Feb 12 02:49:14 +0000 2018",
"id": 962881251626557441,
"text": "RT @farnazfassihi: If @Harvard & @MIT want to invite an #Iran intelligence agent in the name of academic exchange, do so. Just don't make a\u2026",
"user.screen_name": "SMohyeddin"
},
{
"created_at": "Mon Feb 12 02:49:11 +0000 2018",
"id": 962881240683593728,
"text": "RT @SeldumSeen5: Need a Pure SS will be six man and fighting for starting spot 4 MPBA MIT for proam we are 66-7 E4 @2kProAmReport @2KProAmI\u2026",
"user.screen_name": "UnknownElites2k"
},
{
"created_at": "Mon Feb 12 02:48:56 +0000 2018",
"id": 962881177823592448,
"text": "Need a Pure SS will be six man and fighting for starting spot 4 MPBA MIT for proam we are 66-7 E4 @2kProAmReport\u2026 https://t.co/abBt0WRY1t",
"user.screen_name": "SeldumSeen5"
},
{
"created_at": "Mon Feb 12 02:48:19 +0000 2018",
"id": 962881022001074176,
"text": "Like it or not, the future of cryptocurrency will be determined by bureaucrats - MIT Technology Review https://t.co/SUMY6bhf4y",
"user.screen_name": "consumer_daily"
},
{
"created_at": "Mon Feb 12 02:48:02 +0000 2018",
"id": 962880949351432192,
"text": "from a patmed raider to a MIT, congrats Noellia \u2764\ufe0f\ud83c\udf39 @ Sigma Alpha Iota-Gamma Delta Chapter https://t.co/HD8BPygBIQ",
"user.screen_name": "v_durao"
},
{
"created_at": "Mon Feb 12 02:47:31 +0000 2018",
"id": 962880820158615552,
"text": "He also wrote the first book on electric lighting and patented 2 more inventions: the 1st on train W.C. and precurs\u2026 https://t.co/LAhHLNhEAJ",
"user.screen_name": "lexaEhayes713"
},
{
"created_at": "Mon Feb 12 02:47:19 +0000 2018",
"id": 962880769369755648,
"text": "RT @TheTastingBoard: Two MIT grads built an algorithm to match your taste preferences with cheese. Click the link below & take the quiz! ht\u2026",
"user.screen_name": "mysterykatz87"
},
{
"created_at": "Mon Feb 12 02:47:10 +0000 2018",
"id": 962880730996109312,
"text": "RT @newsycombinator: Solid aims to radically change the way web applications work https://t.co/x1xBfqvs2v",
"user.screen_name": "the_mcnaveen"
},
{
"created_at": "Mon Feb 12 02:46:50 +0000 2018",
"id": 962880646476681216,
"text": "RT @mitsmr: Now That Your Products Can Talk, What Will They Tell You? https://t.co/3LhZSc4mrj @Eric_GERVET @ATKearney's Suketu Gandhi #IoT",
"user.screen_name": "AssiaWirth"
},
{
"created_at": "Mon Feb 12 02:45:15 +0000 2018",
"id": 962880250832076800,
"text": "Amazon \"Sneaker\" FIND Damen Sneaker mit Material-Mix , Schwarz (Black), 39 EU: Company: FIND List Price: EUR 36,00\u2026 https://t.co/GQ0wE6aVG4",
"user.screen_name": "SparVolltreffer"
},
{
"created_at": "Mon Feb 12 02:44:39 +0000 2018",
"id": 962880099551936517,
"text": "RT @scratch: Scratch Days can be large or small, for beginners and for more experienced Scratchers. Find a Scratch Day in your community, o\u2026",
"user.screen_name": "MuyodiSara"
},
{
"created_at": "Mon Feb 12 02:44:12 +0000 2018",
"id": 962879985441701888,
"text": "@Mighty_Ginge @DrPhiltill There are already multiple alternatives. If schools like MIT refused to submit to non-ope\u2026 https://t.co/gG0MlwaQDV",
"user.screen_name": "Robotbeat"
},
{
"created_at": "Mon Feb 12 02:43:39 +0000 2018",
"id": 962879845674954752,
"text": "Edle Whiskeykaraffe mit Gravur \u201cWhiskey\u201d Whisky-Flasche\u00a0graviert https://t.co/aCRnN74yuL",
"user.screen_name": "hauckiswelt"
},
{
"created_at": "Mon Feb 12 02:43:23 +0000 2018",
"id": 962879778444341254,
"text": "RT @DrHughHarvey: Didn\u2019t study deep learning at MIT?\n\nDon\u2019t worry - here\u2019s the entire course \n\nhttps://t.co/HTONtKKWWz https://t.co/bmbxY5u\u2026",
"user.screen_name": "kmathan"
},
{
"created_at": "Mon Feb 12 02:42:25 +0000 2018",
"id": 962879535858536448,
"text": "@itskac @MIT @matthewumstead @AskVMC @elonmusk @justinbieber I\u2019m going to be out for another couple of hours but le\u2026 https://t.co/jua9nvanUZ",
"user.screen_name": "JingleBeau4"
},
{
"created_at": "Mon Feb 12 02:41:43 +0000 2018",
"id": 962879358187855872,
"text": "RT @stunning_global: BIT STUNNING FOREVER. MIT DEN STUNNING-YOU.\nPlastic & Aesthetic Surgery\nDr. med. univ. Kamil Akhundov\nTel:+4930 921238\u2026",
"user.screen_name": "stunning_global"
},
{
"created_at": "Mon Feb 12 02:41:41 +0000 2018",
"id": 962879351267233795,
"text": "RT @xJustMonika: Sneak peaks......\nIf want to check it out go to\nhttps://t.co/TUqYR9rwOX https://t.co/whdzDjiDHB",
"user.screen_name": "SorenatorShips"
},
{
"created_at": "Mon Feb 12 02:41:26 +0000 2018",
"id": 962879286721089536,
"text": "RT @stunning_global: BIT STUNNING FOREVER. MIT DEN STUNNING-YOU.\nPlastic & Aesthetic Surgery\nDr. med. univ. Kamil Akhundov\nTel:+4930 921238\u2026",
"user.screen_name": "stunning_global"
},
{
"created_at": "Mon Feb 12 02:41:22 +0000 2018",
"id": 962879273278365696,
"text": "RT @stunning_global: BIT STUNNING FOREVER. MIT DEN STUNNING-YOU. \nStunning You\nPlastic & Aesthetic Surgery\nDr. med. univ. Kamil Akhundov\u2026",
"user.screen_name": "stunning_global"
},
{
"created_at": "Mon Feb 12 02:41:22 +0000 2018",
"id": 962879270597963776,
"text": "RT @gbaucom: Meet the biologist who got MIT to examine its treatment of women researchers - via @techreview https://t.co/c6JqibvhkQ //I rec\u2026",
"user.screen_name": "Ann_Neighbors"
},
{
"created_at": "Mon Feb 12 02:41:06 +0000 2018",
"id": 962879205749870592,
"text": "RT @BillAulet: .@jockowillink on fire at Brisbane MIT Global Entrepreneurship Bootcamp talking about #extremeleadership @MITBootcamps @QUT\u2026",
"user.screen_name": "karenfoelz"
},
{
"created_at": "Mon Feb 12 02:40:44 +0000 2018",
"id": 962879110463635456,
"text": "RT @BrightCellars: 2 MIT grads built an algorithm to match you with wine. Take the quiz to see your matches! https://t.co/LdIvB7sY05 https:\u2026",
"user.screen_name": "NOvieraLE"
},
{
"created_at": "Mon Feb 12 02:40:32 +0000 2018",
"id": 962879064036929536,
"text": "Leading with integrity, part 1: Does a hard line lead to a slippery slope? https://t.co/zEEGaKybr0",
"user.screen_name": "Vanellus_PAG"
},
{
"created_at": "Mon Feb 12 02:40:16 +0000 2018",
"id": 962878995091124224,
"text": "RT @TurkHeritage: On International #WomenInScience Day, listen to Turkish MIT @medialab faculty member Dr. Canan Dagdeviren talk at the UN\u2026",
"user.screen_name": "magoriumsworld"
},
{
"created_at": "Mon Feb 12 02:40:14 +0000 2018",
"id": 962878986828374016,
"text": "RT @BillAulet: .@jockowillink on fire at Brisbane MIT Global Entrepreneurship Bootcamp talking about #extremeleadership @MITBootcamps @QUT\u2026",
"user.screen_name": "QUTmedia"
},
{
"created_at": "Mon Feb 12 02:39:47 +0000 2018",
"id": 962878875247267840,
"text": "RT @lildurk: So much fake love in the air now days you don\u2019t kno who love you Forreal",
"user.screen_name": "flyass_mit"
},
{
"created_at": "Mon Feb 12 02:39:34 +0000 2018",
"id": 962878818292785152,
"text": "RT @Qdafool_RS: \"100KEYS\" prod: @zaytovenbeatz \ud83c\udfb9\u203c\ufe0fBEST BELIEVE IM THE REALIST IN THE CITY\u2705AND IM THE RICHEST UNSIGNED ARTIST IN MY CITY\u2705 HA\u2026",
"user.screen_name": "flyass_mit"
},
{
"created_at": "Mon Feb 12 02:39:29 +0000 2018",
"id": 962878796356440064,
"text": "Study reveals molecular mechanisms of memory formation https://t.co/st0YvS5hoA",
"user.screen_name": "Johnson37975725"
},
{
"created_at": "Mon Feb 12 02:39:23 +0000 2018",
"id": 962878771731644416,
"text": "RT @mitsmr: \"Even with rapid advances,\" says @erikbryn, \"AI won\u2019t be able to replace most jobs anytime soon. But in almost every industry,\u2026",
"user.screen_name": "Impactoftech"
},
{
"created_at": "Mon Feb 12 02:39:10 +0000 2018",
"id": 962878719357607937,
"text": "RT @newsycombinator: Solid aims to radically change the way web applications work https://t.co/x1xBfqvs2v",
"user.screen_name": "katchwreck"
},
{
"created_at": "Mon Feb 12 02:39:03 +0000 2018",
"id": 962878688508481536,
"text": "RT @JPPMsolutions: #science #technology #News >> Weiss \u201955, PhD \u201962, professor emeritus of physics at MIT,... For More LIKE & FOLLOW @JPPM\u2026",
"user.screen_name": "vlics"
},
{
"created_at": "Mon Feb 12 02:38:57 +0000 2018",
"id": 962878664772866049,
"text": "#Ficken mit #meiner #Freundin in #Yogahosen #Altenburg https://t.co/hKhnETHmHK",
"user.screen_name": "NfyDcmr3qmyobzA"
},
{
"created_at": "Mon Feb 12 02:38:57 +0000 2018",
"id": 962878662323220480,
"text": "RT @BillAulet: .@jockowillink on fire at Brisbane MIT Global Entrepreneurship Bootcamp talking about #extremeleadership @MITBootcamps @QUT\u2026",
"user.screen_name": "MariusUrsache"
},
{
"created_at": "Mon Feb 12 02:38:34 +0000 2018",
"id": 962878565929902080,
"text": "RT @BAP_US: Dr. #ShirleyJackson the first African-American woman to have earned a doctorate at the MIT.\n\n#BlackAndProud #BlackWomen #BlackE\u2026",
"user.screen_name": "Jameski61861578"
},
{
"created_at": "Mon Feb 12 02:38:32 +0000 2018",
"id": 962878559114035200,
"text": "RT @Ohworditspeter: I can\u2019t decide on who I hate more... \n\n1. The person who changed Snapchat. \n2. The person who took away instagrams chro\u2026",
"user.screen_name": "Mit_ch_ell"
},
{
"created_at": "Mon Feb 12 02:38:29 +0000 2018",
"id": 962878547743461382,
"text": "Contact Eximius Konceptz today......at eximius konceptz, we are ten times better. https://t.co/Ud9KGt4BPv",
"user.screen_name": "mit_chelle8"
},
{
"created_at": "Mon Feb 12 02:38:17 +0000 2018",
"id": 962878497231441920,
"text": "Solid aims to radically change the way web applications work https://t.co/sjGtgIPgsH",
"user.screen_name": "dachelc"
},
{
"created_at": "Mon Feb 12 02:38:06 +0000 2018",
"id": 962878450452217857,
"text": "Keynote Neri Oxman of Sony Corporation and MIT Media Lab at LIGHTFAIR International 2018: \u00a0 ATLANTA, GA \u2014Keynote Ne\u2026 https://t.co/kzzsEswA2h",
"user.screen_name": "CurrentPowerINC"
},
{
"created_at": "Mon Feb 12 02:38:02 +0000 2018",
"id": 962878432861401089,
"text": ".@jockowillink on fire at Brisbane MIT Global Entrepreneurship Bootcamp talking about #extremeleadership\u2026 https://t.co/57vOOYmqTd",
"user.screen_name": "BillAulet"
},
{
"created_at": "Mon Feb 12 02:37:37 +0000 2018",
"id": 962878329765355520,
"text": "#science #technology #News >> Weiss \u201955, PhD \u201962, professor emeritus of physics at MIT,... For More LIKE & FOLLOW @JPPMsolutions",
"user.screen_name": "JPPMsolutions"
},
{
"created_at": "Mon Feb 12 02:37:12 +0000 2018",
"id": 962878221611077632,
"text": "RT @ThisIsMyStream: MIT Technology Review - The Best of the Physics arXiv (week ending February 10, 2018) https://t.co/Zi61SDFZw1",
"user.screen_name": "JDRedding"
},
{
"created_at": "Mon Feb 12 02:36:54 +0000 2018",
"id": 962878146872860673,
"text": "#Steffi Double Penetration mit #einer #blonden XXX #Jena https://t.co/P5HNyuiHwp",
"user.screen_name": "jessica10548987"
},
{
"created_at": "Mon Feb 12 02:36:48 +0000 2018",
"id": 962878121170161664,
"text": "The way analytics is reshaping sports https://t.co/y0OFK5HqtS",
"user.screen_name": "OneLinders"
},
{
"created_at": "Mon Feb 12 02:35:47 +0000 2018",
"id": 962877867783852034,
"text": "RT @politico: Is tech dividing America? POLITICO\u2019s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N\u2026",
"user.screen_name": "StpdAmerHaiku"
},
{
"created_at": "Mon Feb 12 02:35:00 +0000 2018",
"id": 962877669036777473,
"text": "RT @itskac: Need to interview a #musician, a #freelancer, a #smallbiz owner (or someone who wants to start one) & a #tech #startup #founder\u2026",
"user.screen_name": "biconnections"
},
{
"created_at": "Mon Feb 12 02:34:58 +0000 2018",
"id": 962877660123758593,
"text": "Harvard picks ultimate insider who has degrees from Harvard, MIT, and led Tufts and who was originally on search co\u2026 https://t.co/y26I83B7wU",
"user.screen_name": "SkipMarcucciMD"
},
{
"created_at": "Mon Feb 12 02:34:56 +0000 2018",
"id": 962877652309823488,
"text": "RT @IlvesToomas: Is tech dividing America? https://t.co/jzbapAFS7s",
"user.screen_name": "oroande"
},
{
"created_at": "Mon Feb 12 02:34:40 +0000 2018",
"id": 962877583955144704,
"text": "Keynote Neri Oxman of Sony Corporation and MIT Media Lab at LIGHTFAIR International 2018 https://t.co/P7Wrmep6mZ https://t.co/GksM08rnK2",
"user.screen_name": "ReliElectrician"
},
{
"created_at": "Mon Feb 12 02:34:12 +0000 2018",
"id": 962877470142853120,
"text": "Is tech dividing America? https://t.co/6nMjZUXQNC",
"user.screen_name": "bluespiderwasp"
},
{
"created_at": "Mon Feb 12 02:34:03 +0000 2018",
"id": 962877430523355136,
"text": "RT @jdlovejoy: I\u2019m in love with this story about designing the \u201c+\u201d in the Human + AI augmentation loop. It\u2019s like discovering an oasis for\u2026",
"user.screen_name": "artwithMI"
},
{
"created_at": "Mon Feb 12 02:33:18 +0000 2018",
"id": 962877243881074688,
"text": "RT @IlvesToomas: Is tech dividing America? https://t.co/jzbapAFS7s",
"user.screen_name": "Sakpol_SE"
},
{
"created_at": "Mon Feb 12 02:33:13 +0000 2018",
"id": 962877222297243649,
"text": "RT @IlvesToomas: Is tech dividing America? https://t.co/jzbapAFS7s",
"user.screen_name": "Cuprikorn66"
},
{
"created_at": "Mon Feb 12 02:33:03 +0000 2018",
"id": 962877176906313729,
"text": "RT @MIT_alumni: Co-founded by @nevadasanchez '10, SM '11, @ButterflyNetInc creates low cost, clinical-quality ultrasounds on a smartphone h\u2026",
"user.screen_name": "idaveg"
},
{
"created_at": "Mon Feb 12 02:32:33 +0000 2018",
"id": 962877054856265728,
"text": "Pace Layering: How Complex Systems Learn and Keep Learning https://t.co/rqBtpjahaB",
"user.screen_name": "learnlinksfeed"
},
{
"created_at": "Mon Feb 12 02:32:18 +0000 2018",
"id": 962876989794217985,
"text": "Is tech dividing America? https://t.co/jzbapAFS7s",
"user.screen_name": "IlvesToomas"
},
{
"created_at": "Mon Feb 12 02:32:02 +0000 2018",
"id": 962876923868274693,
"text": "\u270c @Reading \"Solid\" https://t.co/8FUXh51m58",
"user.screen_name": "caseyisreading"
},
{
"created_at": "Mon Feb 12 02:32:00 +0000 2018",
"id": 962876915936890881,
"text": "RT @OnlyInBOS: The @NicheSocial Top Party Schools in Massachusetts:\n\n1 UMass Amherst\n2 MIT\n3 BU\n4 BC\n5 Berklee\n6 Northeastern\n7 Bentley\n8 U\u2026",
"user.screen_name": "MarymilGonzalez"
},
{
"created_at": "Mon Feb 12 02:31:58 +0000 2018",
"id": 962876907405668352,
"text": "\u270c @Reading \"Solid\" https://t.co/hll0uD9mKH",
"user.screen_name": "caseyisreading"
},
{
"created_at": "Mon Feb 12 02:31:37 +0000 2018",
"id": 962876817018298369,
"text": "Will Anybody Buy a Drone Large Enough to Carry a Person? - MIT Technology Review https://t.co/jk7bGluhw2",
"user.screen_name": "ConeDrones"
},
{
"created_at": "Mon Feb 12 02:30:34 +0000 2018",
"id": 962876553528037376,
"text": "Facial recognition software is biased towards white men, researcher finds - The Verge https://t.co/Pnaes4YLqC #Google #News #Tech",
"user.screen_name": "DailyNewTech"
},
{
"created_at": "Mon Feb 12 02:30:08 +0000 2018",
"id": 962876446665474048,
"text": "This new company wants to sequence your genome and let you share it on a blockchain. People will be able to earn cr\u2026 https://t.co/DIQYd8MTWP",
"user.screen_name": "CTIChicago"
},
{
"created_at": "Mon Feb 12 02:30:06 +0000 2018",
"id": 962876435332550657,
"text": "@itsmattward Cool article on nature and blockchains. Eduardo Castello Ferrer from MIT media lab has a paper on swar\u2026 https://t.co/eMBaXz87Cf",
"user.screen_name": "sapien_sam"
},
{
"created_at": "Mon Feb 12 02:29:57 +0000 2018",
"id": 962876400364638208,
"text": "RT @itskac: Need to interview a #musician, a #freelancer, a #smallbiz owner (or someone who wants to start one) & a #tech #startup #founder\u2026",
"user.screen_name": "WesPlattTweets"
},
{
"created_at": "Mon Feb 12 02:29:56 +0000 2018",
"id": 962876395994206208,
"text": "RT @itskac: Need to interview a #musician, a #freelancer, a #smallbiz owner (or someone who wants to start one) & a #tech #startup #founder\u2026",
"user.screen_name": "matageli"
},
{
"created_at": "Mon Feb 12 02:29:36 +0000 2018",
"id": 962876310543482880,
"text": "RT @skocharlakota: Happening now - @msisodia taking questions from MIT students. https://t.co/bArfCC0SFu",
"user.screen_name": "MdAsik60605794"
},
{
"created_at": "Mon Feb 12 02:29:35 +0000 2018",
"id": 962876306106003456,
"text": "RT @carlcarrie: MIT Behavioral Trading Cryptocurrency Research Paper -excitation, herding and peer-influence across cryptocurrency Executio\u2026",
"user.screen_name": "aoi_cap"
},
{
"created_at": "Mon Feb 12 02:29:10 +0000 2018",
"id": 962876202691133441,
"text": "RT @itskac: Need to interview a #musician, a #freelancer, a #smallbiz owner (or someone who wants to start one) & a #tech #startup #founder\u2026",
"user.screen_name": "kitty4hawks"
},
{
"created_at": "Mon Feb 12 02:28:49 +0000 2018",
"id": 962876112236789761,
"text": "RT @politico: Is tech dividing America? POLITICO\u2019s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N\u2026",
"user.screen_name": "Unibloo"
},
{
"created_at": "Mon Feb 12 02:28:48 +0000 2018",
"id": 962876109716164609,
"text": "RT @cosmobiologist: Professor Danielle Wood of the Space Enabled Research Lab at the MIT Media Group on how we can use space exploration te\u2026",
"user.screen_name": "tracy_karin"
},
{
"created_at": "Mon Feb 12 02:28:42 +0000 2018",
"id": 962876084248178689,
"text": "RT @mitsmr: \"Great strategists are like great chess players or great game theorists: They need to think several steps ahead towards the end\u2026",
"user.screen_name": "TheCerebrus"
},
{
"created_at": "Mon Feb 12 02:28:26 +0000 2018",
"id": 962876015780548610,
"text": "RT @StanM3: Germany- Afghan(19) stabbed his ex-girlfriend(23) in the shoulder and fled. The police had been called because of domestic viol\u2026",
"user.screen_name": "Cookiemuffen"
},
{
"created_at": "Mon Feb 12 02:28:02 +0000 2018",
"id": 962875914769092609,
"text": "RT @politico: Is tech dividing America? POLITICO\u2019s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N\u2026",
"user.screen_name": "gsngl"
},
{
"created_at": "Mon Feb 12 02:27:51 +0000 2018",
"id": 962875868363161600,
"text": "'Facial recognition software is biased towards white men, researcher finds' from @theverge: https://t.co/8RQBlPCL2A #algorithmicbias",
"user.screen_name": "jpgreenwood"
},
{
"created_at": "Mon Feb 12 02:27:42 +0000 2018",
"id": 962875832451682305,
"text": "\u23ec watch \u23ec\n\nhttps://t.co/MKcbCgSlax\n\nbignaturaltits porn bignaturalbreast mom deutsche mother german hd oldyoung big\u2026 https://t.co/MkVto0RC8l",
"user.screen_name": "Donna9Phyllis"
},
{
"created_at": "Mon Feb 12 02:27:36 +0000 2018",
"id": 962875805335371776,
"text": "RT @ProfBarrett: The MIT Innovation and Entrepreneurship Bootcamp is well underway. https://t.co/xyNaozuPaw",
"user.screen_name": "brizfagan"
},
{
"created_at": "Mon Feb 12 02:27:28 +0000 2018",
"id": 962875773060251649,
"text": "Need to interview a #musician, a #freelancer, a #smallbiz owner (or someone who wants to start one) & a #tech\u2026 https://t.co/K6Yzmslj0Y",
"user.screen_name": "itskac"
},
{
"created_at": "Mon Feb 12 02:27:04 +0000 2018",
"id": 962875674347409408,
"text": "RT @politico: Is tech dividing America? POLITICO\u2019s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N\u2026",
"user.screen_name": "JoseRamonVille6"
},
{
"created_at": "Mon Feb 12 02:26:46 +0000 2018",
"id": 962875596538826753,
"text": "RT @politico: Is tech dividing America? POLITICO\u2019s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N\u2026",
"user.screen_name": "fj_newman"
},
{
"created_at": "Mon Feb 12 02:26:38 +0000 2018",
"id": 962875564792016896,
"text": "Distinctive brain pattern helps habits form https://t.co/ufC3X8r0bt",
"user.screen_name": "Johnson37975725"
},
{
"created_at": "Mon Feb 12 02:25:57 +0000 2018",
"id": 962875393006022656,
"text": "RT @politico: Is tech dividing America? POLITICO\u2019s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N\u2026",
"user.screen_name": "BulletinLoft"
},
{
"created_at": "Mon Feb 12 02:25:47 +0000 2018",
"id": 962875351834611712,
"text": "RT @MITSloan: \"Let us aspire to these kinds of businesses that create value across stakeholders, rather than settling for value only to sha\u2026",
"user.screen_name": "bdean_"
},
{
"created_at": "Mon Feb 12 02:25:43 +0000 2018",
"id": 962875334960885760,
"text": "@gbaucom @techreview I read that article this morning and retweeted on twitter - but not on Facebook #mit #WomeninScience",
"user.screen_name": "JChrisPires"
},
{
"created_at": "Mon Feb 12 02:25:31 +0000 2018",
"id": 962875281215193089,
"text": "RT @politico: Is tech dividing America? POLITICO\u2019s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N\u2026",
"user.screen_name": "SueLeugers"
},
{
"created_at": "Mon Feb 12 02:25:12 +0000 2018",
"id": 962875204153282561,
"text": "RT @politico: Is tech dividing America? POLITICO\u2019s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N\u2026",
"user.screen_name": "NicoletteMpls"
},
{
"created_at": "Mon Feb 12 02:25:07 +0000 2018",
"id": 962875181793533952,
"text": "RT @politico: Is tech dividing America? POLITICO\u2019s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N\u2026",
"user.screen_name": "DarthStarks"
},
{
"created_at": "Mon Feb 12 02:24:32 +0000 2018",
"id": 962875034028183555,
"text": "RT @politico: Is tech dividing America? POLITICO\u2019s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N\u2026",
"user.screen_name": "jeremiahgraves"
},
{
"created_at": "Mon Feb 12 02:24:24 +0000 2018",
"id": 962875003279585281,
"text": "RT @gbaucom: Meet the biologist who got MIT to examine its treatment of women researchers - via @techreview https://t.co/c6JqibvhkQ //I rec\u2026",
"user.screen_name": "JChrisPires"
},
{
"created_at": "Mon Feb 12 02:24:23 +0000 2018",
"id": 962874997416124416,
"text": "RT @politico: Is tech dividing America? POLITICO\u2019s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N\u2026",
"user.screen_name": "AnalyzedLabs"
},
{
"created_at": "Mon Feb 12 02:24:22 +0000 2018",
"id": 962874994047897600,
"text": "RT @politico: Is tech dividing America? POLITICO\u2019s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N\u2026",
"user.screen_name": "Kiwigirl58"
},
{
"created_at": "Mon Feb 12 02:24:13 +0000 2018",
"id": 962874954046984197,
"text": "Divided states of America. Expectations vs Reality. #MIT https://t.co/mg0CzOcODz",
"user.screen_name": "PepPuigRos"
},
{
"created_at": "Mon Feb 12 02:24:04 +0000 2018",
"id": 962874919909494784,
"text": "Is tech dividing America? POLITICO\u2019s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/Nyx6ZDoLpl",
"user.screen_name": "politico"
},
{
"created_at": "Mon Feb 12 02:23:38 +0000 2018",
"id": 962874807900606464,
"text": "RT @DevinGloGod: when i use the \ud83d\ude17 emoji it\u2019s not a kiss it\u2019s this: https://t.co/O9IoJLnWkc",
"user.screen_name": "Taylor_Mit"
},
{
"created_at": "Mon Feb 12 02:22:44 +0000 2018",
"id": 962874584474226688,
"text": "@jeremiefrechet2 That\u2019s actually why MIT has a better rating. More students get in and pretty much if you graduate\u2026 https://t.co/RTymh7XBTy",
"user.screen_name": "alexiajordan24"
},
{
"created_at": "Mon Feb 12 02:22:37 +0000 2018",
"id": 962874551922315264,
"text": "RT @MITSloan: \"Let us aspire to these kinds of businesses that create value across stakeholders, rather than settling for value only to sha\u2026",
"user.screen_name": "vestedventures"
},
{
"created_at": "Mon Feb 12 02:22:06 +0000 2018",
"id": 962874421445910528,
"text": "RT @mitsmr: RT @MITSloan: Analytics are driving more and more business decisions in sports. 3 from the industry reveal what's next. https:/\u2026",
"user.screen_name": "vestedventures"
},
{
"created_at": "Mon Feb 12 02:21:59 +0000 2018",
"id": 962874392249282560,
"text": "sex mit teenie sensual adult greeting cards https://t.co/0vOWeLdVbK",
"user.screen_name": "lauramilenaceti"
},
{
"created_at": "Mon Feb 12 02:21:56 +0000 2018",
"id": 962874379464974338,
"text": "RT @skocharlakota: In the streets of Boston cutting thru MIT and Harvard universities, @msisodia walks with @AamAadmiParty volunteers & wel\u2026",
"user.screen_name": "deshmukh_vinesh"
},
{
"created_at": "Mon Feb 12 02:21:42 +0000 2018",
"id": 962874323189952512,
"text": "RT @mitsmr: RT @MITSloan: Analytics are driving more and more business decisions in sports. 3 from the industry reveal what's next. https:/\u2026",
"user.screen_name": "iSocialFanz"
},
{
"created_at": "Mon Feb 12 02:21:41 +0000 2018",
"id": 962874319528345600,
"text": "RT @karoly_zsolnai: SLAC Dataset From MIT and Facebook | Two Minute Papers #227 - https://t.co/yt00nS5kXp #ai https://t.co/EX709i7mOH",
"user.screen_name": "KageKirin"
},
{
"created_at": "Mon Feb 12 02:21:17 +0000 2018",
"id": 962874217250349057,
"text": "RT @BartekKsieski: Originally \"cracker\" was associated with the \"bad, dark side\" of hacking. #hacking #hackers #hacker #computers #technolo\u2026",
"user.screen_name": "Crucial_Recruit"
},
{
"created_at": "Mon Feb 12 02:21:14 +0000 2018",
"id": 962874205015609344,
"text": "RT @mitsmr: RT @MITSloan: Analytics are driving more and more business decisions in sports. 3 from the industry reveal what's next. https:/\u2026",
"user.screen_name": "rautsan"
},
{
"created_at": "Mon Feb 12 02:21:12 +0000 2018",
"id": 962874195221893120,
"text": "RT @misswolfiee: Beware this auction and seller who goes by Ritsu/Muttritsu. Theyre selling an already paid commission of a finished head o\u2026",
"user.screen_name": "mit_ouo"
},
{
"created_at": "Mon Feb 12 02:21:09 +0000 2018",
"id": 962874185637875714,
"text": "RT @mcsantacaterina: 2 MIT grads built an algorithm to pair you with wine. Take the quiz to see your wine matches https://t.co/tsKDg0Vkl7 h\u2026",
"user.screen_name": "Kish33"
},
{
"created_at": "Mon Feb 12 02:20:27 +0000 2018",
"id": 962874006574530560,
"text": "Originally \"cracker\" was associated with the \"bad, dark side\" of hacking. #hacking #hackers #hacker #computers\u2026 https://t.co/VfcIJHwgZx",
"user.screen_name": "BartekKsieski"
},
{
"created_at": "Mon Feb 12 02:20:10 +0000 2018",
"id": 962873935384768512,
"text": "Solid aims to radically change the way web applications work https://t.co/hJnQ6zZfe5",
"user.screen_name": "_mangesh_tekale"
},
{
"created_at": "Mon Feb 12 02:18:13 +0000 2018",
"id": 962873445200560128,
"text": "@chesscom @HuffPost @JohnCUrschel @MIT Saw him on stream training with Chessbrah's GM Aman Hambleton. He's taking t\u2026 https://t.co/O2yvUmAexF",
"user.screen_name": "Lman92GTR"
},
{
"created_at": "Mon Feb 12 02:17:46 +0000 2018",
"id": 962873334735060992,
"text": "@oliverdarcy @michaelmalice Nothing",
"user.screen_name": "numbut_mit"
},
{
"created_at": "Mon Feb 12 02:17:40 +0000 2018",
"id": 962873305995898880,
"text": "RT @MITSloan: \"Let us aspire to these kinds of businesses that create value across stakeholders, rather than settling for value only to sha\u2026",
"user.screen_name": "bwilcoxwrites"
},
{
"created_at": "Mon Feb 12 02:17:14 +0000 2018",
"id": 962873198906953728,
"text": "12-year study looks at effects of universal basic income https://t.co/nIkwn3M6sX",
"user.screen_name": "marcosplarruda"
},
{
"created_at": "Mon Feb 12 02:17:13 +0000 2018",
"id": 962873195589193728,
"text": "Why am I not surprised about this? https://t.co/eeEkbsWSqH",
"user.screen_name": "tehabe"
},
{
"created_at": "Mon Feb 12 02:16:46 +0000 2018",
"id": 962873081218977792,
"text": "i don't get why y'all be saying i have trash taste in music when i b listening to gems like this https://t.co/zjJuHTt8UR",
"user.screen_name": "damn_mit"
},
{
"created_at": "Mon Feb 12 02:16:19 +0000 2018",
"id": 962872966655725569,
"text": "RT @ncasenmare: My first academic journal article! hooray, i'm a Serious Grown-Up\u2122 now.\n\nAbout AI (Artificial Intelligence) and its forgott\u2026",
"user.screen_name": "adrepd"
},
{
"created_at": "Mon Feb 12 02:15:59 +0000 2018",
"id": 962872884829065218,
"text": "Mit Echo Sound Test Service skypen",
"user.screen_name": "KenshinXV_Bot"
},
{
"created_at": "Mon Feb 12 02:15:59 +0000 2018",
"id": 962872883067441157,
"text": "RT @bobvids: because they want to die https://t.co/Xankr6kjxF",
"user.screen_name": "Punk_mit_Brille"
},
{
"created_at": "Mon Feb 12 02:15:38 +0000 2018",
"id": 962872797629382656,
"text": "RT @ncasenmare: My first academic journal article! hooray, i'm a Serious Grown-Up\u2122 now.\n\nAbout AI (Artificial Intelligence) and its forgott\u2026",
"user.screen_name": "samim"
},
{
"created_at": "Mon Feb 12 02:15:37 +0000 2018",
"id": 962872792420151296,
"text": "MIT Technology Review https://t.co/RbrQ2pleS9",
"user.screen_name": "inayoyurukoga"
},
{
"created_at": "Mon Feb 12 02:15:37 +0000 2018",
"id": 962872790289403904,
"text": "MIT Technology Review https://t.co/ot33bmUDnL",
"user.screen_name": "tekigakidanne"
},
{
"created_at": "Mon Feb 12 02:15:35 +0000 2018",
"id": 962872781452075008,
"text": "MIT Technology Review https://t.co/El2KoUbfi8",
"user.screen_name": "patsugizaeibu"
},
{
"created_at": "Mon Feb 12 02:15:13 +0000 2018",
"id": 962872689550491648,
"text": "RT @mitsmr: RT @MITSloan: Analytics are driving more and more business decisions in sports. 3 from the industry reveal what's next. https:/\u2026",
"user.screen_name": "nancyrubin"
},
{
"created_at": "Mon Feb 12 02:15:08 +0000 2018",
"id": 962872671150264320,
"text": "RT @MPBorman: Using #Analytics to Improve #CustomerEngagement https://t.co/QudJPaK8eD @mitsmr @SASsoftware #corpgov #CEO #CFO #CIO #CMO #Bo\u2026",
"user.screen_name": "lfpazmino"
},
{
"created_at": "Mon Feb 12 02:15:03 +0000 2018",
"id": 962872651109711874,
"text": "IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/fpGQkvZw7z #AI https://t.co/voqbTiLAep",
"user.screen_name": "RPA_AI"
},
{
"created_at": "Mon Feb 12 02:15:00 +0000 2018",
"id": 962872636429627393,
"text": "What to watch besides the athletes at #WinterOlympics. (MIT Management) #Analytics #PyeongchangOlympics\u2026 https://t.co/NCFovQbqG5",
"user.screen_name": "jamesvgingerich"
},
{
"created_at": "Mon Feb 12 02:13:48 +0000 2018",
"id": 962872334007881729,
"text": "RT @MaldenHS_Sports: Breaking News...Kevin Ochoa's time in the 200 Freestyle today at the Division 1 North Sectionals at MIT is a New MHS S\u2026",
"user.screen_name": "sebascries"
},
{
"created_at": "Mon Feb 12 02:13:13 +0000 2018",
"id": 962872186729041920,
"text": "RT @EconoScribe: \u201cA Reddit mob came after 16-year-old Harshita Arora, claiming she didn\u2019t make her Crypto Price Tracker app. Turns out she\u2026",
"user.screen_name": "ifindinternship"
},
{
"created_at": "Mon Feb 12 02:12:41 +0000 2018",
"id": 962872052800675840,
"text": "RT @TraDove_ICO: Breakfast with our team, board member Gordon Kaufman, and Professor Emeritus from the MIT Sloan School of Management. Big\u2026",
"user.screen_name": "HunterBTC1"
},
{
"created_at": "Mon Feb 12 02:12:33 +0000 2018",
"id": 962872018755563520,
"text": "@jeremiefrechet2 I know. I\u2019m just saying. Your argument would\u2019ve been hell of a lot better had you said MIT.",
"user.screen_name": "alexiajordan24"
},
{
"created_at": "Mon Feb 12 02:11:59 +0000 2018",
"id": 962871875599765505,
"text": "RT @DurfeeAthletics: Jaelin Jang represented Durfee today in the Women's MA South Sec. Swim Meet at MIT in Boston, competing in the 200 Yar\u2026",
"user.screen_name": "Poliseno_PE"
},
{
"created_at": "Mon Feb 12 02:11:44 +0000 2018",
"id": 962871815004618752,
"text": "RT @Durfee_Aquatics: Jaelin Jang represented Durfee today in the Women's MA South Sectionals Swim Meet at MIT in\u2026 https://t.co/zDpSCYHKdf",
"user.screen_name": "Poliseno_PE"
},
{
"created_at": "Mon Feb 12 02:11:01 +0000 2018",
"id": 962871634284761088,
"text": "\u201cA Reddit mob came after 16-year-old Harshita Arora, claiming she didn\u2019t make her Crypto Price Tracker app. Turns o\u2026 https://t.co/pcxDFUAGw4",
"user.screen_name": "EconoScribe"
},
{
"created_at": "Mon Feb 12 02:10:58 +0000 2018",
"id": 962871621903093761,
"text": "Pace Layering: How Complex Systems Learn and Keep Learning https://t.co/rL4yxPFVDa (https://t.co/Ic6nLJRPPw)",
"user.screen_name": "newsyc50"
},
{
"created_at": "Mon Feb 12 02:10:53 +0000 2018",
"id": 962871599346192384,
"text": "#Phoenix #mi\u00dfbraucht #Abella #Danger mit #einem strapon #Emden https://t.co/G6oIR7CJ6S",
"user.screen_name": "robertson2555"
},
{
"created_at": "Mon Feb 12 02:10:41 +0000 2018",
"id": 962871549387665408,
"text": "RT @alesiamorris: #BlackHistoryMonth \nShirley Ann Jackson PhD was the first African-American woman to earn a doctorate @MIT \nhttps://t.co/\u2026",
"user.screen_name": "charlesjo"
},
{
"created_at": "Mon Feb 12 02:10:28 +0000 2018",
"id": 962871494731845632,
"text": "#nowplaying #xaviernaidoo ~ Xavier Naidoo | Nimm Mich Mit ||| Radio TEDDY - That's fun - makes clever!",
"user.screen_name": "RadioTeddyMusic"
},
{
"created_at": "Mon Feb 12 02:10:27 +0000 2018",
"id": 962871489879072768,
"text": "RT @BourseetTrading: \ud83d\udd34\" Harvard Geneticist Launches DNA-Fueled #Blockchain #Startup \" :\nhttps://t.co/leTmNo2t0K @CryptoCoinsNews \n@Harvard\u2026",
"user.screen_name": "CarlHansenMD"
},
{
"created_at": "Mon Feb 12 02:10:05 +0000 2018",
"id": 962871401194704897,
"text": "#BlackHistoryMonth \nShirley Ann Jackson PhD was the first African-American woman to earn a doctorate @MIT \nhttps://t.co/y94x70mjDR",
"user.screen_name": "alesiamorris"
},
{
"created_at": "Mon Feb 12 02:09:51 +0000 2018",
"id": 962871338582134784,
"text": "Wow, mi primer essay en purEEE english. Me siento bien MIT.",
"user.screen_name": "p4rtypeople"
},
{
"created_at": "Mon Feb 12 02:09:34 +0000 2018",
"id": 962871269648683008,
"text": "RT @MaldenHS_Sports: Breaking News...Kevin Ochoa's time in the 200 Freestyle today at the Division 1 North Sectionals at MIT is a New MHS S\u2026",
"user.screen_name": "kevinocho19"
},
{
"created_at": "Mon Feb 12 02:09:12 +0000 2018",
"id": 962871178196111360,
"text": "Solid aims to radically change the way web applications work https://t.co/IV0HIvRYmI",
"user.screen_name": "hn_uniq"
},
{
"created_at": "Mon Feb 12 02:09:04 +0000 2018",
"id": 962871143400062976,
"text": "RT @mitsmr: Keep this chart handy when you're Identifying potential #leaders in your company. https://t.co/WHj7CM39AJ #management https://\u2026",
"user.screen_name": "Michael_Oyakojo"
},
{
"created_at": "Mon Feb 12 02:09:03 +0000 2018",
"id": 962871139570601984,
"text": "RT @mitsmr: \"Even with rapid advances,\" says @erikbryn, \"AI won\u2019t be able to replace most jobs anytime soon. But in almost every industry,\u2026",
"user.screen_name": "fundataminsolo"
},
{
"created_at": "Mon Feb 12 02:08:15 +0000 2018",
"id": 962870938462294016,
"text": "50 \u2013 Pace Layering: How Complex Systems Learn and Keep Learning https://t.co/OZXgtiFYnr",
"user.screen_name": "betterhn50"
},
{
"created_at": "Mon Feb 12 02:07:59 +0000 2018",
"id": 962870872741617664,
"text": "Underground News Inc.: MIT expert claims latest chemical weapons attack i... https://t.co/O7DjsofTxR",
"user.screen_name": "XXXTCPorno"
},
{
"created_at": "Mon Feb 12 02:07:58 +0000 2018",
"id": 962870866001432576,
"text": "@jeremiefrechet2 You choose to go for Harvard and not MIT which is the #1 college in the world. Harvard is #3. Stan\u2026 https://t.co/rOESXSU4QZ",
"user.screen_name": "alexiajordan24"
},
{
"created_at": "Mon Feb 12 02:07:53 +0000 2018",
"id": 962870847429111808,
"text": "RT @Global_Renewal: #Reflecting on \"overcoming #resistance to #DiffusionOfInnovation & #AdoptionOfInnovation\">>>\nhttps://t.co/YsOjNCb2mF\n\nh\u2026",
"user.screen_name": "Global_Renewal"
},
{
"created_at": "Mon Feb 12 02:07:53 +0000 2018",
"id": 962870846904721408,
"text": "@ajax_mit Five Guys >",
"user.screen_name": "TrailerParkGoon"
},
{
"created_at": "Mon Feb 12 02:07:27 +0000 2018",
"id": 962870735059456006,
"text": "@Twitter \n@TwitterSupport \n@TwitterSafety \nWhat is Twitter doing to ID & block bots and other antagonistic posts us\u2026 https://t.co/4RngbBbQkh",
"user.screen_name": "countmeout11"
},
{
"created_at": "Mon Feb 12 02:07:22 +0000 2018",
"id": 962870714528354304,
"text": "RT @skocharlakota: One of the important vision and focus of @ArvindKejriwal sarkar is rightly depicted in these pictures here - Education,\u2026",
"user.screen_name": "PrasunKaliB"
},
{
"created_at": "Mon Feb 12 02:07:14 +0000 2018",
"id": 962870682148376576,
"text": "Be a futurist. Check out this cool six-step forecasting methodology created by amywebb. https://t.co/TlWDANYEIg via >mitsmr",
"user.screen_name": "savia_digital"
},
{
"created_at": "Mon Feb 12 02:07:11 +0000 2018",
"id": 962870669968072704,
"text": "@cjzero What software do you use to grab video? I enjoy your content, and wanted to try to experiment on my own a bit.",
"user.screen_name": "ffulC_miT"
},
{
"created_at": "Mon Feb 12 02:06:40 +0000 2018",
"id": 962870537822396416,
"text": "@hyperhydration Bei mir mit kid cudi",
"user.screen_name": "KevMescudi"
},
{
"created_at": "Mon Feb 12 02:05:45 +0000 2018",
"id": 962870307374714881,
"text": "RT @55true4u: James Woods had near-perfect SAT scores, and an IQ of 184.\nWoods was a brilliant student who achieved a perfect 800 on the ve\u2026",
"user.screen_name": "James90972633"
},
{
"created_at": "Mon Feb 12 02:05:18 +0000 2018",
"id": 962870194837352451,
"text": "RT @newsycombinator: Solid aims to radically change the way web applications work https://t.co/x1xBfqvs2v",
"user.screen_name": "martin1975"
},
{
"created_at": "Mon Feb 12 02:03:20 +0000 2018",
"id": 962869699221614592,
"text": "Solid aims to radically change the way web applications work https://t.co/T2KxlLsJN7",
"user.screen_name": "TridzOnline"
},
{
"created_at": "Mon Feb 12 02:03:07 +0000 2018",
"id": 962869645366607872,
"text": "Solid aims to radically change the way web applications work https://t.co/pgd9lz9M6i https://t.co/pmlgcW4wwp",
"user.screen_name": "hn_responder"
},
{
"created_at": "Mon Feb 12 02:03:02 +0000 2018",
"id": 962869626718715905,
"text": "Der Dom ist mit vielen Statuen verziert. The dome is decorated with many statues.",
"user.screen_name": "deutschbot1"
},
{
"created_at": "Mon Feb 12 02:03:02 +0000 2018",
"id": 962869624445591552,
"text": "Solid aims to radically change the way web applications work https://t.co/x1xBfqvs2v",
"user.screen_name": "newsycombinator"
},
{
"created_at": "Mon Feb 12 02:02:50 +0000 2018",
"id": 962869575099473920,
"text": "RT @mitsmr: \"Even with rapid advances,\" says @erikbryn, \"AI won\u2019t be able to replace most jobs anytime soon. But in almost every industry,\u2026",
"user.screen_name": "B2Bbizbuilder"
},
{
"created_at": "Mon Feb 12 02:02:36 +0000 2018",
"id": 962869517058654209,
"text": "RT @TensorFlow: Thanks @MIT for sharing your Intro to Deep Learning class online! \ud83d\ude4c They include slides and videos, as well as labs in Tens\u2026",
"user.screen_name": "2mo_hamisme"
},
{
"created_at": "Mon Feb 12 02:02:21 +0000 2018",
"id": 962869455008272386,
"text": "MIT (Manager in Training) - NEW WAVE WIRELESS - Hot Springs, AR\u00a0\u00a0https://t.co/ptnJqX4mlO",
"user.screen_name": "supra1Bqteam"
},
{
"created_at": "Mon Feb 12 02:02:19 +0000 2018",
"id": 962869445675724800,
"text": "RT @MITSloan: \"Let us aspire to these kinds of businesses that create value across stakeholders, rather than settling for value only to sha\u2026",
"user.screen_name": "neospacefnd"
},
{
"created_at": "Mon Feb 12 02:02:17 +0000 2018",
"id": 962869437761191937,
"text": "RT @HarvardDivinity: \u201cSince meeting and befriending Larry Bacow over 25 years ago at MIT, I have had the privilege of working with one of t\u2026",
"user.screen_name": "elhombremelena"
},
{
"created_at": "Mon Feb 12 02:02:17 +0000 2018",
"id": 962869434749726721,
"text": "#bbw #mit massiven #titten #fickt #geck in der sauna https://t.co/OjAjXKMC8G",
"user.screen_name": "O9WQBDn6iku9Rq7"
},
{
"created_at": "Mon Feb 12 02:01:51 +0000 2018",
"id": 962869325114650625,
"text": "Solid aims to radically change the way web applications work\nhttps://t.co/gE2bcx4juK\nArticle URL: https://t.co/U0elKpRSwY URL: https:",
"user.screen_name": "M157q_News_RSS"
},
{
"created_at": "Mon Feb 12 02:01:34 +0000 2018",
"id": 962869257888464897,
"text": "Solid aims to radically change the way web applications work https://t.co/8qtZrjJ0dR",
"user.screen_name": "betterhn100"
},
{
"created_at": "Mon Feb 12 02:01:25 +0000 2018",
"id": 962869216427855872,
"text": "@rockerskating I have 3 degrees from MIT and can't entirely decipher this",
"user.screen_name": "jodiecongirl"
},
{
"created_at": "Mon Feb 12 02:01:13 +0000 2018",
"id": 962869168264527872,
"text": "Facial recognition software is biased towards white men, researcher finds https://t.co/knzIaaQN3U https://t.co/8RmzoF898x",
"user.screen_name": "grenhall"
},
{
"created_at": "Mon Feb 12 02:01:12 +0000 2018",
"id": 962869163277672448,
"text": "RT @conangray: bi is short for bitchwhatthefuckkissmealready",
"user.screen_name": "mit_ouo"
},
{
"created_at": "Mon Feb 12 02:01:08 +0000 2018",
"id": 962869148559773696,
"text": "RT @Smatterbrain: This is really horrible. Abandoning an animal in the hopes that someone finds it and cares for it is beyond disgusting an\u2026",
"user.screen_name": "mit_ouo"
},
{
"created_at": "Mon Feb 12 02:01:04 +0000 2018",
"id": 962869129530064896,
"text": "RT @mitsmr: \"Even with rapid advances,\" says @erikbryn, \"AI won\u2019t be able to replace most jobs anytime soon. But in almost every industry,\u2026",
"user.screen_name": "bdean_"
},
{
"created_at": "Mon Feb 12 02:00:54 +0000 2018",
"id": 962869089034227712,
"text": "\"\ud83d\udd25NEUES UPDATE\ud83d\udd25OverWatch Unlimited Loot Boxes Glitch 2018 - Kostenlose Beutelboxen *Mit Live Proof*\"\u00a0: https://t.co/zXSViycZsT",
"user.screen_name": "RedoneTweets"
},
{
"created_at": "Mon Feb 12 02:00:39 +0000 2018",
"id": 962869024991391745,
"text": "RT @scratch: Scratch Days can be large or small, for beginners and for more experienced Scratchers. Find a Scratch Day in your community, o\u2026",
"user.screen_name": "TeacherDrSarah"
},
{
"created_at": "Mon Feb 12 02:00:34 +0000 2018",
"id": 962869003478806529,
"text": "RT @MITSloan: \"Let us aspire to these kinds of businesses that create value across stakeholders, rather than settling for value only to sha\u2026",
"user.screen_name": "beatmeyer"
},
{
"created_at": "Mon Feb 12 02:00:14 +0000 2018",
"id": 962868921488564225,
"text": "RT @MITSloan: Analytics are driving more and more business decisions in sports. 3 from the industry reveal what's n\u2026 https://t.co/HTtCyUlB1Y",
"user.screen_name": "mitsmr"
},
{
"created_at": "Mon Feb 12 02:00:09 +0000 2018",
"id": 962868900282191874,
"text": "RT @MaldenHS_Sports: Breaking News...Kevin Ochoa's time in the 200 Freestyle today at the Division 1 North Sectionals at MIT is a New MHS S\u2026",
"user.screen_name": "Joanneee528"
},
{
"created_at": "Mon Feb 12 02:00:01 +0000 2018",
"id": 962868865095970817,
"text": "Solid aims to radically change the way web applications work https://t.co/2eTJ3kq9qY",
"user.screen_name": "hackernewsfeed"
},
{
"created_at": "Mon Feb 12 01:59:55 +0000 2018",
"id": 962868841926877184,
"text": "RT @MaldenHS_Sports: Breaking News...Kevin Ochoa's time in the 200 Freestyle today at the Division 1 North Sectionals at MIT is a New MHS S\u2026",
"user.screen_name": "mschistorymhs"
},
{
"created_at": "Mon Feb 12 01:59:34 +0000 2018",
"id": 962868752823005184,
"text": "@Bobby_Corwin Even if you are alone, candy under the nails is yucky",
"user.screen_name": "mit_ouo"
},
{
"created_at": "Mon Feb 12 01:59:30 +0000 2018",
"id": 962868736469344256,
"text": "RT @MITSloan: Integrating analytics is crucial. Start with these 8 articles. https://t.co/3hxWVgHY9q",
"user.screen_name": "cjvalladares_57"
},
{
"created_at": "Mon Feb 12 01:59:00 +0000 2018",
"id": 962868610594148352,
"text": "\"Let us aspire to these kinds of businesses that create value across stakeholders, rather than settling for value o\u2026 https://t.co/HHUrj7aqBk",
"user.screen_name": "MITSloan"
},
{
"created_at": "Mon Feb 12 01:58:56 +0000 2018",
"id": 962868592814514176,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "PriscaDujardin"
},
{
"created_at": "Mon Feb 12 01:57:50 +0000 2018",
"id": 962868315201748992,
"text": "RT @mitsmr: \u201cJournalists often check a CEO\u2019s Twitter account before covering the CEO or the company.\u201d https://t.co/er59CY71Vg",
"user.screen_name": "Michael_Oyakojo"
},
{
"created_at": "Mon Feb 12 01:57:41 +0000 2018",
"id": 962868278547816448,
"text": "RT @MITSloan: \u201cThe Olympic host city loses money on the venture.\u201d https://t.co/JoFh4VZF8x https://t.co/sioocepgZj",
"user.screen_name": "Michael_Oyakojo"
},
{
"created_at": "Mon Feb 12 01:57:18 +0000 2018",
"id": 962868183672684544,
"text": "RT @LemelsonMIT: Our website is full of free resources, perfect for helping #teachers to inspire their students about #invention. Take your\u2026",
"user.screen_name": "tonyperry"
},
{
"created_at": "Mon Feb 12 01:57:18 +0000 2018",
"id": 962868181789528064,
"text": "RT @deeplearning4j: Pace Layering: How Complex Systems Learn and Keep Learning https://t.co/XysTbEoVZG",
"user.screen_name": "PaaSDev"
},
{
"created_at": "Mon Feb 12 01:57:18 +0000 2018",
"id": 962868180778733574,
"text": "RT @FrRonconi: Meet the 'Copenhagen Wheel', the first smart #bike wheel. It makes your bike an electric bicycle that synchronizes with your\u2026",
"user.screen_name": "luisharoldo"
},
{
"created_at": "Mon Feb 12 01:57:04 +0000 2018",
"id": 962868123639730177,
"text": "RT @mitsmr: RT @joannecanderson: How to achieve \"extreme #productivity\" from @mitsmr : \"Hours are a traditional way of tracking employee p\u2026",
"user.screen_name": "s_fogle"
},
{
"created_at": "Mon Feb 12 01:56:49 +0000 2018",
"id": 962868062046248960,
"text": "Synchronize your crotches! 24hr until VALENSTEINS ...mit HEiNO! \u2665\ufe0f\u23f1\u2665\ufe0f\n#heino #oldweirdeyes\u2026 https://t.co/AQ6RDVOEN8",
"user.screen_name": "HeinoHappyHour"
},
{
"created_at": "Mon Feb 12 01:56:43 +0000 2018",
"id": 962868033453731841,
"text": "@jeremiefrechet2 Assuming you mean MIT. UCLA has a better Civil Engineering program and several other programs. MIT\u2026 https://t.co/mWQYmIDXx7",
"user.screen_name": "alexiajordan24"
},
{
"created_at": "Mon Feb 12 01:56:37 +0000 2018",
"id": 962868010510938113,
"text": "RT @TamaraMcCleary: Mastering the Digital #Innovation Challenge https://t.co/4jbLqULxfg #leadership #digitaltransformation MT @jglass8 via\u2026",
"user.screen_name": "InnoForbes"
},
{
"created_at": "Mon Feb 12 01:56:24 +0000 2018",
"id": 962867955846602752,
"text": "RT @StanM3: Italy- Media silence after a Sudanese man threatens people with knives and axes!\nhttps://t.co/DVlW1hZnrg https://t.co/L4v4xE4l5r",
"user.screen_name": "Do666999"
},
{
"created_at": "Mon Feb 12 01:55:46 +0000 2018",
"id": 962867795196305408,
"text": "#Blockchain Decoded - #MIT Technology Review https://t.co/azJqt6dcHJ",
"user.screen_name": "laurentlequien"
},
{
"created_at": "Mon Feb 12 01:55:17 +0000 2018",
"id": 962867675973042176,
"text": "The @MITBootcamps @QUT is underway. MIT Bootcamp draws environmental entrepreneurs to QUT https://t.co/X2ZyxphqEF",
"user.screen_name": "ProfBarrett"
},
{
"created_at": "Mon Feb 12 01:55:09 +0000 2018",
"id": 962867641504403456,
"text": "#Harvard names Lawrence S. Bacow as 29th president: Widely admired higher education leader, who previously served a\u2026 https://t.co/UjHlYTNGTv",
"user.screen_name": "SoundsFromSound"
},
{
"created_at": "Mon Feb 12 01:54:59 +0000 2018",
"id": 962867600698028032,
"text": "RT @BAP_US: Dr. #ShirleyJackson the first African-American woman to have earned a doctorate at the MIT.\n\n#BlackAndProud #BlackWomen #BlackE\u2026",
"user.screen_name": "dj_moe1300"
},
{
"created_at": "Mon Feb 12 01:54:41 +0000 2018",
"id": 962867524164493312,
"text": "RT @mitsmr: Be a futurist. Check out this cool six-step forecasting methodology created by @amywebb. https://t.co/dGU8wKsCaH https://t.co/\u2026",
"user.screen_name": "checklistmedic"
},
{
"created_at": "Mon Feb 12 01:54:21 +0000 2018",
"id": 962867439393533953,
"text": "RT @mitsmr: \u201cJournalists often check a CEO\u2019s Twitter account before covering the CEO or the company.\u201d https://t.co/er59CY71Vg",
"user.screen_name": "erez_kaminski"
},
{
"created_at": "Mon Feb 12 01:54:05 +0000 2018",
"id": 962867371827519488,
"text": "(CNN)I'm a 19-year-old developer at an MIT-backed startup called dot Learn in Lagos, living in the bustle of... https://t.co/HQci4TEueu",
"user.screen_name": "WigginAndrew"
},
{
"created_at": "Mon Feb 12 01:53:24 +0000 2018",
"id": 962867201622487047,
"text": "@ASU @MayoClinic @MayoClinicSOM @ASUCollegeOfLaw .\nThe public health emergency in that are the idiots @ASU deliver\u2026 https://t.co/uWguG6HkgA",
"user.screen_name": "____iyr_MAS____"
},
{
"created_at": "Mon Feb 12 01:53:21 +0000 2018",
"id": 962867189278756864,
"text": "Solid aims to radically change the way web applications work https://t.co/bhlVuUtiGE",
"user.screen_name": "hackernews100"
},
{
"created_at": "Mon Feb 12 01:52:53 +0000 2018",
"id": 962867070827249664,
"text": "RT @mitsmr: A focus on execution is undermining managers\u2019 ability to develop strategy and leadership skills https://t.co/5uYtpdCfNR",
"user.screen_name": "checklistmedic"
},
{
"created_at": "Mon Feb 12 01:51:59 +0000 2018",
"id": 962866846146772992,
"text": "RT @smorebunnies: @marxistmariah @biselinakyle Tony hasnt been a weapons dealer since 2008 and has since changed entirely? He personally fu\u2026",
"user.screen_name": "spidey_snark"
},
{
"created_at": "Mon Feb 12 01:51:55 +0000 2018",
"id": 962866829415903232,
"text": "RT @garoukike: Mattis admits there was no evidence Assad used gas.\n\nWell, the last year, Theodore Postol, MIT Professor & leading CW expert\u2026",
"user.screen_name": "christophjlheer"
},
{
"created_at": "Mon Feb 12 01:51:09 +0000 2018",
"id": 962866636314222593,
"text": "RT @seattletimes: Several top schools \u2014 including Carnegie Mellon, Cornell, Duke, and MIT \u2014 have added or are rushing to add classes about\u2026",
"user.screen_name": "0x04b1d"
},
{
"created_at": "Mon Feb 12 01:50:30 +0000 2018",
"id": 962866470958043136,
"text": "RT @SJPSwimCoach: A man of few words: Senior Max Scalley tells us the best part about diving at the 2018 MIAA North Sectionals at MIT. Go\u2026",
"user.screen_name": "Asilvestri17"
},
{
"created_at": "Mon Feb 12 01:50:19 +0000 2018",
"id": 962866424061587456,
"text": "RT @lexiblackbriar: AU: she fakes her death when the FBI try to force her to work for them to avoid charges for her hacktivist activities i\u2026",
"user.screen_name": "arrowoverwatch"
},
{
"created_at": "Mon Feb 12 01:49:52 +0000 2018",
"id": 962866311243227138,
"text": "RT @HaroldSinnott: The Hard Truth About Business Model Innovation \n\nhttps://t.co/SpecpDoRWd @claychristensen \n @HarvardBiz via @mitsmr\n#Lea\u2026",
"user.screen_name": "Armando_Ribeiro"
},
{
"created_at": "Mon Feb 12 01:48:56 +0000 2018",
"id": 962866074835300352,
"text": "RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/lg2RZ9eUnd\u2026",
"user.screen_name": "EdgarTodd10"
},
{
"created_at": "Mon Feb 12 01:48:50 +0000 2018",
"id": 962866050885996544,
"text": "Hate to admit it but this is the demographic I have the most trouble recognizing, so thanks! https://t.co/H0O6j4tYUL via @Verge",
"user.screen_name": "mokojumbee"
},
{
"created_at": "Mon Feb 12 01:48:35 +0000 2018",
"id": 962865989258960896,
"text": "RT @skocharlakota: Happening now - @msisodia taking questions from MIT students. https://t.co/bArfCC0SFu",
"user.screen_name": "tarakgoradia"
},
{
"created_at": "Mon Feb 12 01:48:30 +0000 2018",
"id": 962865967486459904,
"text": "RT @mitsmr: Keep this chart handy when you're Identifying potential #leaders in your company. https://t.co/WHj7CM39AJ #management https://\u2026",
"user.screen_name": "bipinjha96"
},
{
"created_at": "Mon Feb 12 01:48:18 +0000 2018",
"id": 962865915946729472,
"text": "i am reminded by https://t.co/tw1miy3SnP of a quote \"the w3c cannot do something as simple as bake bread without se\u2026 https://t.co/m9tAv82viT",
"user.screen_name": "4dieJungs"
},
{
"created_at": "Mon Feb 12 01:47:58 +0000 2018",
"id": 962865833050390529,
"text": "RT @ProfBarrett: The MIT Innovation and Entrepreneurship Bootcamp is well underway. https://t.co/xyNaozuPaw",
"user.screen_name": "QUTfoundry"
},
{
"created_at": "Mon Feb 12 01:47:44 +0000 2018",
"id": 962865775609606144,
"text": "RT @NA_SwimAndDive: Good luck to Dylan Walsh and David O'Leary who compete in individual events at North Sectionals at MIT, as well as in r\u2026",
"user.screen_name": "chetjackson22"
},
{
"created_at": "Mon Feb 12 01:47:40 +0000 2018",
"id": 962865755934089217,
"text": "RT @BourseetTrading: \ud83d\udd34\" Harvard Geneticist Launches DNA-Fueled #Blockchain #Startup \" :\nhttps://t.co/leTmNo2t0K @CryptoCoinsNews \n@Harvard\u2026",
"user.screen_name": "Info_Data_Mgmt"
},
{
"created_at": "Mon Feb 12 01:47:21 +0000 2018",
"id": 962865678603649030,
"text": "How to achieve extreme productivity https://t.co/dteZOVIf1n via @mitsloan",
"user.screen_name": "Paul_Brinkman"
},
{
"created_at": "Mon Feb 12 01:47:21 +0000 2018",
"id": 962865678133940225,
"text": "MIT 6.S191: Introduction to Deep Learning https://t.co/EstVtZDKpL",
"user.screen_name": "learnlinksfeed"
},
{
"created_at": "Mon Feb 12 01:46:45 +0000 2018",
"id": 962865525486338048,
"text": "RT @garoukike: Mattis admits there was no evidence Assad used gas.\n\nWell, the last year, Theodore Postol, MIT Professor & leading CW expert\u2026",
"user.screen_name": "Occupy007"
},
{
"created_at": "Mon Feb 12 01:46:44 +0000 2018",
"id": 962865521791188992,
"text": "RT @skocharlakota: One of the important vision and focus of @ArvindKejriwal sarkar is rightly depicted in these pictures here - Education,\u2026",
"user.screen_name": "SreenivasaBilla"
},
{
"created_at": "Mon Feb 12 01:46:15 +0000 2018",
"id": 962865402610094080,
"text": "@sfreynolds @WhosoeverMike @ReignOfApril Those three men talk about person responsibility, hard work, logic and fai\u2026 https://t.co/LV7hJ2qMgB",
"user.screen_name": "socratictimes"
},
{
"created_at": "Mon Feb 12 01:46:10 +0000 2018",
"id": 962865379080130560,
"text": "RT @medialab: \u201cWhen we have more inclusive innovators, we have more inclusive innovation.\u201d @civicMIT PhD student Joy Buolamwini (@AJLUnited\u2026",
"user.screen_name": "idavar"
},
{
"created_at": "Mon Feb 12 01:46:03 +0000 2018",
"id": 962865352039268352,
"text": "Mountain Hardwear free shipping!: Promotion at Mountain Hardwear: Free shipping for elevated rewards members. free\u2026 https://t.co/gEkvTnovN4",
"user.screen_name": "coupons_u_need"
},
{
"created_at": "Mon Feb 12 01:46:03 +0000 2018",
"id": 962865350642515968,
"text": "Keetsa Discount Code 5%!: Promotion at Keetsa: 5% Off Keetsa Plus Mattress. Discount Code 5%! A Keetsa Coupon, Deal\u2026 https://t.co/1HGu3dg02v",
"user.screen_name": "coupons_u_need"
},
{
"created_at": "Mon Feb 12 01:45:42 +0000 2018",
"id": 962865261933187073,
"text": "@gbaucom @techreview I saw the MIT 150th anniversary exhibit at their museum a few years back, and they had the fir\u2026 https://t.co/F41aZwV5TV",
"user.screen_name": "PlantLearner"
},
{
"created_at": "Mon Feb 12 01:45:19 +0000 2018",
"id": 962865167888416770,
"text": "i found my pink cap on my desk and now i am wondering if I just dreamt this all ...",
"user.screen_name": "damn_mit"
},
{
"created_at": "Mon Feb 12 01:45:18 +0000 2018",
"id": 962865160619618304,
"text": "The MIT Innovation and Entrepreneurship Bootcamp is well underway. https://t.co/xyNaozuPaw",
"user.screen_name": "ProfBarrett"
},
{
"created_at": "Mon Feb 12 01:45:11 +0000 2018",
"id": 962865133990105088,
"text": "@erkam30dakika @erkamtufan MiT hesabi; the account run by Turkish intelligence https://t.co/7GvtWdIZ6Y",
"user.screen_name": "hasan_yaglidere"
},
{
"created_at": "Mon Feb 12 01:45:08 +0000 2018",
"id": 962865118789931008,
"text": "RT @petercoffee: \u201cAll of those businesses evolve from looking forward, reasoning back, figuring out what to do; making some big bets; build\u2026",
"user.screen_name": "muneerkazmi"
},
{
"created_at": "Mon Feb 12 01:44:46 +0000 2018",
"id": 962865028264316933,
"text": "RT @BAP_US: Dr. #ShirleyJackson the first African-American woman to have earned a doctorate at the MIT.\n\n#BlackAndProud #BlackWomen #BlackE\u2026",
"user.screen_name": "UniversalCowboy"
},
{
"created_at": "Mon Feb 12 01:43:50 +0000 2018",
"id": 962864792829661184,
"text": "RT @SJPSwimCoach: A man of few words: Senior Max Scalley tells us the best part about diving at the 2018 MIAA North Sectionals at MIT. Go\u2026",
"user.screen_name": "SJPSwimCoach"
},
{
"created_at": "Mon Feb 12 01:43:46 +0000 2018",
"id": 962864774659919873,
"text": "dance with my dogs in the night time!",
"user.screen_name": "damn_mit"
},
{
"created_at": "Mon Feb 12 01:42:51 +0000 2018",
"id": 962864546665832454,
"text": "@MikeJMika All will get crushed by testing and never see light of day. I\u2019m not optimistic. MIT invented DRACO that\u2026 https://t.co/WWJw6TsZsU",
"user.screen_name": "sean697"
},
{
"created_at": "Mon Feb 12 01:42:37 +0000 2018",
"id": 962864486951432192,
"text": "RT @topnotifier: Solid aims to radically change the way web applications work (31 points on Hacker News): https://t.co/mAi3KjgLmO",
"user.screen_name": "narulama"
},
{
"created_at": "Mon Feb 12 01:41:58 +0000 2018",
"id": 962864325445656576,
"text": "RT @seattletimes: Several top schools \u2014 including Carnegie Mellon, Cornell, Duke, and MIT \u2014 have added or are rushing to add classes about\u2026",
"user.screen_name": "L0veL1fe__Z"
},
{
"created_at": "Mon Feb 12 01:41:58 +0000 2018",
"id": 962864323461828608,
"text": "Solid aims to radically change the way web applications work https://t.co/owz6oa3frC (https://t.co/RB44JjZdNk)",
"user.screen_name": "newsyc100"
},
{
"created_at": "Mon Feb 12 01:41:01 +0000 2018",
"id": 962864084612923393,
"text": "Cops have toppled a $530 million cybercrime empire MIT Technology Review https://t.co/spLKpbmu5t",
"user.screen_name": "AiNewsCurrents"
},
{
"created_at": "Mon Feb 12 01:40:31 +0000 2018",
"id": 962863960327417856,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "LARRYIRBY6"
},
{
"created_at": "Mon Feb 12 01:40:18 +0000 2018",
"id": 962863904756936704,
"text": "RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/fQ1IKfcpVW\u2026",
"user.screen_name": "J3nTyrell"
},
{
"created_at": "Mon Feb 12 01:39:47 +0000 2018",
"id": 962863774049939457,
"text": "Several top schools \u2014 including Carnegie Mellon, Cornell, Duke, and MIT \u2014 have added or are rushing to add classes\u2026 https://t.co/wkWnAXv5gZ",
"user.screen_name": "seattletimes"
},
{
"created_at": "Mon Feb 12 01:39:03 +0000 2018",
"id": 962863588279975936,
"text": "RT @HaroldSinnott: The Hard Truth About Business Model Innovation \n\nhttps://t.co/SpecpDoRWd @claychristensen \n @HarvardBiz via @mitsmr\n#Lea\u2026",
"user.screen_name": "Neel__C"
},
{
"created_at": "Mon Feb 12 01:38:59 +0000 2018",
"id": 962863574585454593,
"text": "RT @QUTBusiness: MIT\u2019s #Innovation & #Entrepreneurship Bootcamp steps up #environmental effort with #QUT https://t.co/LFY6zN83Oa",
"user.screen_name": "DrRimmer"
},
{
"created_at": "Mon Feb 12 01:38:54 +0000 2018",
"id": 962863551714017280,
"text": "@mithayst Wokaay Mit",
"user.screen_name": "thecontenderz"
},
{
"created_at": "Mon Feb 12 01:38:37 +0000 2018",
"id": 962863481707028481,
"text": "RT @mitsmr: \u201cJournalists often check a CEO\u2019s Twitter account before covering the CEO or the company.\u201d https://t.co/er59CY71Vg",
"user.screen_name": "Neel__C"
},
{
"created_at": "Mon Feb 12 01:38:23 +0000 2018",
"id": 962863423045427201,
"text": "New coating for hip implants could prevent premature failure - \n\nNanoscale films developed at MIT promote bone... https://t.co/coqOaeVMLw",
"user.screen_name": "StemCellsNews"
},
{
"created_at": "Mon Feb 12 01:38:13 +0000 2018",
"id": 962863379848318976,
"text": "Facial recognition software is biased towards white men, researcher finds - The Verge https://t.co/AnbfNRa8xx",
"user.screen_name": "widebase"
},
{
"created_at": "Mon Feb 12 01:38:08 +0000 2018",
"id": 962863357345910784,
"text": "Facial recognition software is biased towards white men, researcher finds - The Verge https://t.co/fZTmKjlCGV",
"user.screen_name": "Chaiwattr"
},
{
"created_at": "Mon Feb 12 01:38:05 +0000 2018",
"id": 962863344402255872,
"text": "Corporate Transformation - \"the optimal playbook for transformation should involve... reorienting strategy for the\u2026 https://t.co/TMbnH9n7rC",
"user.screen_name": "NXXTCO"
},
{
"created_at": "Mon Feb 12 01:37:38 +0000 2018",
"id": 962863232527536128,
"text": "@redpillarchive @Atheist_Geek48 @andyguy @Unity_Coach @SweetSourJesus @BabbleStamper @matty_lawrence\u2026 https://t.co/60O7045lYB",
"user.screen_name": "ProbingOmega"
},
{
"created_at": "Mon Feb 12 01:37:07 +0000 2018",
"id": 962863100893413377,
"text": "No com mit ted$, deseAsed. Nothing they, did tool$. bA it ed.$.",
"user.screen_name": "JusticeNASA"
},
{
"created_at": "Mon Feb 12 01:36:33 +0000 2018",
"id": 962862959352598528,
"text": "Hey @mit people! A very cool startup here needs your help to make survivors of domestic violence who own pets don\u2019t\u2026 https://t.co/VoPbAOJtrA",
"user.screen_name": "clarkforamerica"
},
{
"created_at": "Mon Feb 12 01:36:11 +0000 2018",
"id": 962862866205261824,
"text": "RT @skocharlakota: Happening now - @msisodia taking questions from MIT students. https://t.co/bArfCC0SFu",
"user.screen_name": "SreenivasaBilla"
},
{
"created_at": "Mon Feb 12 01:36:07 +0000 2018",
"id": 962862851932278785,
"text": "RT @DrHughHarvey: Didn\u2019t study deep learning at MIT?\n\nDon\u2019t worry - here\u2019s the entire course \n\nhttps://t.co/HTONtKKWWz https://t.co/bmbxY5u\u2026",
"user.screen_name": "Bialogics"
},
{
"created_at": "Mon Feb 12 01:35:59 +0000 2018",
"id": 962862818226786304,
"text": "@paulkrugman Well, you sorta heard it here first, even though Bitcoin was $2000 higher. Wonkishy, at least the MIT\u2026 https://t.co/amdaQys3Gj",
"user.screen_name": "JigsawCapital"
},
{
"created_at": "Mon Feb 12 01:35:30 +0000 2018",
"id": 962862696923189248,
"text": "No com mit ted$, deseAsed$. Nothing they, did drool$.",
"user.screen_name": "JusticeNASA"
},
{
"created_at": "Mon Feb 12 01:35:19 +0000 2018",
"id": 962862649242353664,
"text": "Started in 2008 by a Yale & MIT grad who became an entrepreneur at age 10, 40Billion is... https://t.co/FbDlz2GsPW",
"user.screen_name": "40Billion_com"
},
{
"created_at": "Mon Feb 12 01:35:08 +0000 2018",
"id": 962862602928971776,
"text": "meine 3 leiblings lineups (mit mir)\n1: GiratinaXII, LuqiaXII, _qu und AjexoXII -- Xenium\n2:Nawlyy,Hynami,Scqrlxrd u\u2026 https://t.co/dYmQWQIbmK",
"user.screen_name": "GiratinaXII"
},
{
"created_at": "Mon Feb 12 01:34:46 +0000 2018",
"id": 962862512315293697,
"text": "RT @freedevo_: I remember one burned you alive and the other one gave you electric shocks https://t.co/Aj88I9n7ND",
"user.screen_name": "Taylor_Mit"
},
{
"created_at": "Mon Feb 12 01:33:56 +0000 2018",
"id": 962862302360940544,
"text": "RT @DHUNTtweets: @JdeMontreal @mtlgazette @LP_LaPresse @LeDevoir @CBCNews @McGillU @Concordia @Harvard @UniofOxford @Stanford @MIT\n\nA Unive\u2026",
"user.screen_name": "PHIAtweets"
},
{
"created_at": "Mon Feb 12 01:32:19 +0000 2018",
"id": 962861894087344130,
"text": "RT @MaldenHS_Sports: Breaking News...Kevin Ochoa's time in the 200 Freestyle today at the Division 1 North Sectionals at MIT is a New MHS S\u2026",
"user.screen_name": "m_farias9"
},
{
"created_at": "Mon Feb 12 01:32:15 +0000 2018",
"id": 962861880002916352,
"text": "Snapchat, twitter, 22mds\nEt les technologies de pointes ?\nI look high technology's of specialists of data machining\u2026 https://t.co/kdN3LzhRbL",
"user.screen_name": "AbtMichel"
},
{
"created_at": "Mon Feb 12 01:32:00 +0000 2018",
"id": 962861813917417472,
"text": "Using Analytics To Improve Customer Engagement via @mitsmr https://t.co/jsuNLiXr1H #business #analytics",
"user.screen_name": "dataelixir"
},
{
"created_at": "Mon Feb 12 01:31:16 +0000 2018",
"id": 962861630483828736,
"text": "Biggest Lies Told About Entrepreneurs https://t.co/njFdWAJbnN #entrepreneurs #BigData #startups #GrowthHacking",
"user.screen_name": "thekindleader"
},
{
"created_at": "Mon Feb 12 01:31:11 +0000 2018",
"id": 962861607834484736,
"text": "teenns lesbien porno live mit swans shaved sex video https://t.co/YG5mO0vOU3",
"user.screen_name": "mvzavicola"
},
{
"created_at": "Mon Feb 12 01:30:17 +0000 2018",
"id": 962861384345292800,
"text": "Next Sunday! Join Riz Virk, renowned entrepreneur and MIT grad, for a presentation on using synchronicity, dreams,\u2026 https://t.co/pgGJE9xTeA",
"user.screen_name": "BanyenBooks"
},
{
"created_at": "Mon Feb 12 01:29:18 +0000 2018",
"id": 962861135383887874,
"text": "#Dildos #und anal mit #einem #hei\u00dfen #br\u00fcnette https://t.co/xGUtSE2E3A",
"user.screen_name": "dominguez8342"
},
{
"created_at": "Mon Feb 12 01:29:09 +0000 2018",
"id": 962861097148706821,
"text": "RT @MaldenHS_Sports: Breaking News...Kevin Ochoa's time in the 200 Freestyle today at the Division 1 North Sectionals at MIT is a New MHS S\u2026",
"user.screen_name": "o_forestier"
},
{
"created_at": "Mon Feb 12 01:29:08 +0000 2018",
"id": 962861095135432704,
"text": "RT @garoukike: Mattis admits there was no evidence Assad used gas.\n\nWell, the last year, Theodore Postol, MIT Professor & leading CW expert\u2026",
"user.screen_name": "energizamx"
},
{
"created_at": "Mon Feb 12 01:28:21 +0000 2018",
"id": 962860897516642304,
"text": "RT @garoukike: Mattis admits there was no evidence Assad used gas.\n\nWell, the last year, Theodore Postol, MIT Professor & leading CW expert\u2026",
"user.screen_name": "KingLeoHawk"
},
{
"created_at": "Mon Feb 12 01:28:17 +0000 2018",
"id": 962860878663225349,
"text": "Please RT if you like!! #architecture #design #architects #interiordesign MIT Media Lab's Kino &quot;living.\u2026 https://t.co/CAcItmrIfb",
"user.screen_name": "architectsdays"
},
{
"created_at": "Mon Feb 12 01:28:01 +0000 2018",
"id": 962860813710168065,
"text": "Higher ed news: Lawrence Bacow chosen to be 29th president of Harvard University, effective July 1. Ex-chancellor M\u2026 https://t.co/faIUwrwtzC",
"user.screen_name": "jostonjustice"
},
{
"created_at": "Mon Feb 12 01:27:59 +0000 2018",
"id": 962860802586894337,
"text": "RT @StanM3: Germany- Afghan(19) stabbed his ex-girlfriend(23) in the shoulder and fled. The police had been called because of domestic viol\u2026",
"user.screen_name": "Okay2BWhite"
},
{
"created_at": "Mon Feb 12 01:27:54 +0000 2018",
"id": 962860782101958656,
"text": "Please RT if you like!! #architecture #design #architects #interiordesign MIT Media Lab's Kino &quot;living.\u2026 https://t.co/hI8FOv3cSW",
"user.screen_name": "DecoDays"
},
{
"created_at": "Mon Feb 12 01:27:40 +0000 2018",
"id": 962860724195295232,
"text": "Please RT if you like!! #architecture #design #architects #interiordesign MIT Media Lab's Kino &quot;living.\u2026 https://t.co/jrfHTniKoS",
"user.screen_name": "Interiors__home"
},
{
"created_at": "Mon Feb 12 01:27:34 +0000 2018",
"id": 962860698165563393,
"text": "Congrats AnnaLisa! \nWomen's Track & Field's DeBari Improves 60 Hurdles National Mark at MIT's Gordon Kelly Invitati\u2026 https://t.co/27atNc5xMw",
"user.screen_name": "MHSRedRaiders"
},
{
"created_at": "Mon Feb 12 01:27:05 +0000 2018",
"id": 962860576337743874,
"text": "Please RT if you like!! #architecture #design #architects #interiordesign MIT Media Lab's Kino...\u2026 https://t.co/vCz0X9fG1r",
"user.screen_name": "BestIntDesingn"
},
{
"created_at": "Mon Feb 12 01:26:54 +0000 2018",
"id": 962860531240468480,
"text": "Facial recognition software is biased towards white men, useless research finds #AIisRACIST #tech \n\n https://t.co/NK4FCaSPh4",
"user.screen_name": "BasedAlcatraz"
},
{
"created_at": "Mon Feb 12 01:26:53 +0000 2018",
"id": 962860525553180672,
"text": "@foxy_scientist @CareenIngle Oh. Thought it was cuz I\u2019ve been seeing a lot of warrior cats projects on scratch (\u2026 https://t.co/M6VzVDBHbn",
"user.screen_name": "JeffyStreet"
},
{
"created_at": "Mon Feb 12 01:26:44 +0000 2018",
"id": 962860490308321280,
"text": "RT @mitsmr: \u201cJournalists often check a CEO\u2019s Twitter account before covering the CEO or the company.\u201d https://t.co/er59CY71Vg",
"user.screen_name": "pepetapia44"
},
{
"created_at": "Mon Feb 12 01:26:33 +0000 2018",
"id": 962860441788497921,
"text": "RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/fQ1IKfcpVW\u2026",
"user.screen_name": "MetiJoshi"
},
{
"created_at": "Mon Feb 12 01:26:28 +0000 2018",
"id": 962860422821855233,
"text": "RT @TraDove_ICO: Breakfast with our team, board member Gordon Kaufman, and Professor Emeritus from the MIT Sloan School of Management. Big\u2026",
"user.screen_name": "yunipoerdjo"
},
{
"created_at": "Mon Feb 12 01:25:57 +0000 2018",
"id": 962860293004058624,
"text": "RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/fQ1IKfcpVW\u2026",
"user.screen_name": "JamesFl3tcher"
},
{
"created_at": "Mon Feb 12 01:25:30 +0000 2018",
"id": 962860178948403201,
"text": "\u201cFacebook\u2019s app for kids should freak parents out\u201d by MIT Technology Review https://t.co/CL8DoXnia4 @Soteryx",
"user.screen_name": "ProfChris"
},
{
"created_at": "Mon Feb 12 01:25:27 +0000 2018",
"id": 962860165983756288,
"text": "Underground News Inc.: MIT expert claims latest chemical weapons attack i... https://t.co/0lKRWCN2bF",
"user.screen_name": "GeneralStrikeUS"
},
{
"created_at": "Mon Feb 12 01:25:03 +0000 2018",
"id": 962860067933519874,
"text": "#goingplaces ! #reisemagazin TV #classic #Video : Tracing the tracs of our parents in a #vintage car. Kaiser-Reich\u2026 https://t.co/5luSkTGHza",
"user.screen_name": "tv_imweb"
},
{
"created_at": "Mon Feb 12 01:24:49 +0000 2018",
"id": 962860007535525888,
"text": "RT @petercoffee: \u201cAll of those businesses evolve from looking forward, reasoning back, figuring out what to do; making some big bets; build\u2026",
"user.screen_name": "Ron_Lehman"
},
{
"created_at": "Mon Feb 12 01:24:39 +0000 2018",
"id": 962859965508710400,
"text": "RT @mitsmr: \u201cJournalists often check a CEO\u2019s Twitter account before covering the CEO or the company.\u201d https://t.co/er59CY71Vg",
"user.screen_name": "arvmalhotra"
},
{
"created_at": "Mon Feb 12 01:24:36 +0000 2018",
"id": 962859953269690369,
"text": "RT @mattreaney_: MIT IQ Initiative Is Taking A Different Approach To AI Research https://t.co/dar0RVeBXf\n#ArtificialIntelligence #AI #DeepL\u2026",
"user.screen_name": "Calcaware"
},
{
"created_at": "Mon Feb 12 01:24:33 +0000 2018",
"id": 962859940368076803,
"text": "\"Keine Profite mit der Miete\" WHAT'S THEIR OBSESSION WITH GERMAN QUOTES I'M SHOOK",
"user.screen_name": "piedpiperhes"
},
{
"created_at": "Mon Feb 12 01:24:02 +0000 2018",
"id": 962859810730455040,
"text": "RT @mattreaney_: MIT IQ Initiative Is Taking A Different Approach To AI Research https://t.co/dar0RVeBXf\n#ArtificialIntelligence #AI #DeepL\u2026",
"user.screen_name": "Revelnotion"
},
{
"created_at": "Mon Feb 12 01:23:37 +0000 2018",
"id": 962859705357004800,
"text": "Get ready to leave and they try to short me a taco salad. Incredible! @yumbrands yes I know it's not MIT grads but\u2026 https://t.co/V7u454zJBO",
"user.screen_name": "Czar6127"
},
{
"created_at": "Mon Feb 12 01:23:15 +0000 2018",
"id": 962859613962956801,
"text": "RT @ansontm: 60. This dog was litt https://t.co/vW1yOGW4Tt",
"user.screen_name": "_mit_mit"
},
{
"created_at": "Mon Feb 12 01:22:49 +0000 2018",
"id": 962859504588083200,
"text": "RT @AndyGrewal: Blue checkmarks are mocking the Pences for looking unhappy while visiting a concentration camp\ud83e\udd26\u200d\u2642\ufe0f https://t.co/vGySnhraZF",
"user.screen_name": "mit_baggs"
},
{
"created_at": "Mon Feb 12 01:22:46 +0000 2018",
"id": 962859493506895873,
"text": "RT @ThirdStreamRes: \"The greater concern is not about the number of jobs but whether those jobs will pay decent wages and people will have\u2026",
"user.screen_name": "_jockr"
},
{
"created_at": "Mon Feb 12 01:22:44 +0000 2018",
"id": 962859484807925760,
"text": "Mattis admits there was no evidence Assad used gas.\n\nWell, the last year, Theodore Postol, MIT Professor & leading\u2026 https://t.co/srrbRFor8c",
"user.screen_name": "garoukike"
},
{
"created_at": "Mon Feb 12 01:21:51 +0000 2018",
"id": 962859261666701312,
"text": "She found a great, basic tribute game done by an MIT student. Now, she's heard me say a million times that MIT is a\u2026 https://t.co/0sSgGgMeNJ",
"user.screen_name": "majorboredom"
},
{
"created_at": "Mon Feb 12 01:20:57 +0000 2018",
"id": 962859034109009921,
"text": "kostenlose pornos mit rachel luttrell rachael taylor naked https://t.co/1xL3ttBwUR",
"user.screen_name": "lucasgasmaio"
},
{
"created_at": "Mon Feb 12 01:20:16 +0000 2018",
"id": 962858861676900352,
"text": "@FedupWithSwamp @mit_baggs Better hurry up and get them hanging gallo's built.",
"user.screen_name": "GnatJarman"
},
{
"created_at": "Mon Feb 12 01:19:43 +0000 2018",
"id": 962858725664083968,
"text": "RT @moooooog35: My son wants to attend MIT. He'll get in unless the entrance exam requires him to not get food on his shirt.",
"user.screen_name": "pippijoyahoo"
},
{
"created_at": "Mon Feb 12 01:19:00 +0000 2018",
"id": 962858542003773440,
"text": "RT @mitsmr: \"Great strategists are like great chess players or great game theorists: They need to think several steps ahead towards the end\u2026",
"user.screen_name": "kdahlinpdx"
},
{
"created_at": "Mon Feb 12 01:18:53 +0000 2018",
"id": 962858513985953792,
"text": "RT @MaldenHS_Sports: Breaking News...Kevin Ochoa's time in the 200 Freestyle today at the Division 1 North Sectionals at MIT is a New MHS S\u2026",
"user.screen_name": "NewsMaldenMA"
},
{
"created_at": "Mon Feb 12 01:18:46 +0000 2018",
"id": 962858483782569984,
"text": "RT @Chet_Cannon: Imagine being so far left and anti-Trump that you praise a child-torturing, teen-raping, murderous dictatorship just to sp\u2026",
"user.screen_name": "mit_baggs"
},
{
"created_at": "Mon Feb 12 01:18:25 +0000 2018",
"id": 962858397610708992,
"text": "Felicity smoak, mit class of 09 \u2014 Nyssa Al Ghul, air to the demon. https://t.co/MR0dS5HMdF",
"user.screen_name": "clarysmoak"
},
{
"created_at": "Mon Feb 12 01:18:18 +0000 2018",
"id": 962858367780868096,
"text": "RT @patdiaz: @mfbenitez I highly recommend @stewartbrand \"Pace layering\" in the recent @MIT_JoDS where he brilliantly describes the role fo\u2026",
"user.screen_name": "KrishnRamesh"
},
{
"created_at": "Mon Feb 12 01:18:17 +0000 2018",
"id": 962858364840456192,
"text": "RT @canuckMBT1512: Another link to Hillary is dead? How many is that? Hire a MIT guy to calculate the odds. https://t.co/0A52hiiLFE",
"user.screen_name": "HRClintonPrison"
},
{
"created_at": "Mon Feb 12 01:18:05 +0000 2018",
"id": 962858312772530176,
"text": "Breaking News...Kevin Ochoa's time in the 200 Freestyle today at the Division 1 North Sectionals at MIT is a New MH\u2026 https://t.co/sT64Iks2Pn",
"user.screen_name": "MaldenHS_Sports"
},
{
"created_at": "Mon Feb 12 01:17:13 +0000 2018",
"id": 962858094098374656,
"text": "BLOW THE BALLOON TO POP CHALLENGE Vol.3||mit Dani||FollyOlly: https://t.co/C3sDRGWh5k via @YouTube",
"user.screen_name": "Folly_Olly"
},
{
"created_at": "Mon Feb 12 01:16:52 +0000 2018",
"id": 962858006705668096,
"text": "Thx @MIT: #AI will replace whole systems but it will reshape business models in the short term. This means all\u2026 https://t.co/6QBafDSath",
"user.screen_name": "galipeau"
},
{
"created_at": "Mon Feb 12 01:16:42 +0000 2018",
"id": 962857964594958336,
"text": "RT @BrightCellars: 2 MIT grads built an algorithm to pair you with wine. Take the quiz to reveal the best wine matches for your taste! htt\u2026",
"user.screen_name": "lovedarlingsix"
},
{
"created_at": "Mon Feb 12 01:16:27 +0000 2018",
"id": 962857902921977856,
"text": "MERSD HS Represents at MIT Boys Swimming Sectionals! Congrats from one swim fam to another!\nSee you at States \ud83d\ude00 https://t.co/HiYQirvnSW",
"user.screen_name": "CitMersd"
},
{
"created_at": "Mon Feb 12 01:16:19 +0000 2018",
"id": 962857870352986113,
"text": "RT @DrHughHarvey: Didn\u2019t study deep learning at MIT?\n\nDon\u2019t worry - here\u2019s the entire course \n\nhttps://t.co/HTONtKKWWz https://t.co/bmbxY5u\u2026",
"user.screen_name": "holly_rehu"
},
{
"created_at": "Mon Feb 12 01:15:44 +0000 2018",
"id": 962857719781822464,
"text": "Yo, @EvelynHammonds is my idol. She has degrees in engineering, physics AND computer programming. As a professor at\u2026 https://t.co/HNpaHNwY5v",
"user.screen_name": "TheDoctaZ"
},
{
"created_at": "Mon Feb 12 01:15:35 +0000 2018",
"id": 962857682712510464,
"text": "RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/fQ1IKfcpVW\u2026",
"user.screen_name": "ThancmarFeldt"
},
{
"created_at": "Mon Feb 12 01:15:28 +0000 2018",
"id": 962857653427879936,
"text": "@thresholds_mit your domain name appears to have expired...",
"user.screen_name": "tyler_kvochick"
},
{
"created_at": "Mon Feb 12 01:15:14 +0000 2018",
"id": 962857595626176512,
"text": "SUPERDRY Angebote Superdry Vintage Logo T-Shirt mit Paillettenbesatz: Category: Damen / T-Shirts / T-Shirt mit Prin\u2026 https://t.co/1zN2MX3Irw",
"user.screen_name": "SparVolltreffer"
},
{
"created_at": "Mon Feb 12 01:15:02 +0000 2018",
"id": 962857543318958080,
"text": "Alumni urge MIT to champion AI for the public good #proudtobeMIT #AIethics https://t.co/53nRcML6uu",
"user.screen_name": "thecroissants"
},
{
"created_at": "Mon Feb 12 01:14:55 +0000 2018",
"id": 962857515678621696,
"text": "RT @MITSloan: 6 competitive advantages that come from turning data into insights. (via @mitsmr) https://t.co/O73x7bVxUS",
"user.screen_name": "saint_nine_"
},
{
"created_at": "Mon Feb 12 01:14:28 +0000 2018",
"id": 962857401924898816,
"text": "RT @MITSloan: The idea of a universal basic income is not new, but the theory has never been thoroughly tested. A massive new study is abou\u2026",
"user.screen_name": "jose_greg"
},
{
"created_at": "Mon Feb 12 01:14:19 +0000 2018",
"id": 962857363177918467,
"text": "RT @mitsmr: \u201cJournalists often check a CEO\u2019s Twitter account before covering the CEO or the company.\u201d https://t.co/er59CY71Vg",
"user.screen_name": "nancyrubin"
},
{
"created_at": "Mon Feb 12 01:14:06 +0000 2018",
"id": 962857309323104256,
"text": "IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/Ar5VhufLkD #DataScience #DataScientist\u2026 https://t.co/psmgiOgJmC",
"user.screen_name": "eSURETY"
},
{
"created_at": "Mon Feb 12 01:13:59 +0000 2018",
"id": 962857280130699264,
"text": "RT @ClimateX_MIT: How can sustainability be incorporated into athletics? ClimateX interviews MLB player and co-founder of Players for the P\u2026",
"user.screen_name": "globathletes"
},
{
"created_at": "Mon Feb 12 01:13:27 +0000 2018",
"id": 962857147099906049,
"text": "RT @MITSloan: 6 competitive advantages that come from turning data into insights. (via @mitsmr) https://t.co/O73x7bVxUS",
"user.screen_name": "bwilcoxwrites"
},
{
"created_at": "Mon Feb 12 01:13:05 +0000 2018",
"id": 962857052656685056,
"text": "Suits Outlets Delivery Code!: Promotion at Suits Outlets: Free Shipping for All Orders. Delivery Code! A Suits Outl\u2026 https://t.co/gmHxoSPAhP",
"user.screen_name": "coupons_u_need"
},
{
"created_at": "Mon Feb 12 01:13:04 +0000 2018",
"id": 962857050601484288,
"text": "QP Jewellers Coupon Code 120 GBP!: Promotion at QP Jewellers: Spend 1000 GBP and get 120 GBP Off Order Total. Coupo\u2026 https://t.co/N4dy3dkDWf",
"user.screen_name": "coupons_u_need"
},
{
"created_at": "Mon Feb 12 01:12:37 +0000 2018",
"id": 962856935249907712,
"text": "RT @mitsmr: \u201cJournalists often check a CEO\u2019s Twitter account before covering the CEO or the company.\u201d https://t.co/er59CY71Vg",
"user.screen_name": "claudiaKM"
},
{
"created_at": "Mon Feb 12 01:12:25 +0000 2018",
"id": 962856887162167296,
"text": "Solid is an exciting new project led by Prof. Tim Berners-Lee https://t.co/Pcgk5wojHs",
"user.screen_name": "HackerGoodNews"
},
{
"created_at": "Mon Feb 12 01:12:20 +0000 2018",
"id": 962856865167065088,
"text": "RT @FedupWithSwamp: GITMO is at MAX CAPACITY!!! They have to prep a second prison!!! https://t.co/PVCmqZr4Rj",
"user.screen_name": "mit_baggs"
},
{
"created_at": "Mon Feb 12 01:12:07 +0000 2018",
"id": 962856813124206593,
"text": "Ex-Alphabet Chairman Joins MIT As Visiting Innovation Fellow https://t.co/B8duEiRPmV #MachineLearning https://t.co/lpG6l7WtY6",
"user.screen_name": "dj_shaily"
},
{
"created_at": "Mon Feb 12 01:11:43 +0000 2018",
"id": 962856712750469120,
"text": "Another link to Hillary is dead? How many is that? Hire a MIT guy to calculate the odds. https://t.co/0A52hiiLFE",
"user.screen_name": "canuckMBT1512"
},
{
"created_at": "Mon Feb 12 01:11:15 +0000 2018",
"id": 962856594974240768,
"text": "Harvard University names 29th president, Dr. Lawrence S. Bacow, @MIT S.B. '72, @Harvard J.D. '76, M.P.P. '76, Ph.D.\u2026 https://t.co/cJg3iriDsA",
"user.screen_name": "YoonD"
},
{
"created_at": "Mon Feb 12 01:10:55 +0000 2018",
"id": 962856508798226432,
"text": "Thawed Hf Flo tree Wii Tim MIT ear sex saw ash dry us all if cliff yrs stars see ah bloc commit us at arc sew ah co\u2026 https://t.co/8GKHfGZoXy",
"user.screen_name": "SaharaJohnson77"
},
{
"created_at": "Mon Feb 12 01:10:49 +0000 2018",
"id": 962856482814377984,
"text": "RT @MPBorman: Using #Analytics to Improve #CustomerEngagement https://t.co/QudJPaK8eD @mitsmr @SASsoftware #corpgov #CEO #CFO #CIO #CMO #Bo\u2026",
"user.screen_name": "EicherDaryl"
},
{
"created_at": "Mon Feb 12 01:09:34 +0000 2018",
"id": 962856171039272960,
"text": "RT @conangray: some pals of mine, shot by david aragon https://t.co/sUHe6isNsV",
"user.screen_name": "mit_ouo"
},
{
"created_at": "Mon Feb 12 01:08:38 +0000 2018",
"id": 962855936283963392,
"text": "RT @TraDove_ICO: Breakfast with our team, board member Gordon Kaufman, and Professor Emeritus from the MIT Sloan School of Management. Big\u2026",
"user.screen_name": "GihanKanishkaF"
},
{
"created_at": "Mon Feb 12 01:08:36 +0000 2018",
"id": 962855926305902593,
"text": "Please RT if you like!! #architecture #design #architects #interiordesign MIT Media Lab's Kino...\u2026 https://t.co/QHiub6FLng",
"user.screen_name": "ModernnArch"
},
{
"created_at": "Mon Feb 12 01:08:13 +0000 2018",
"id": 962855828251381760,
"text": "RT @lotzrickards: felicity: felicity smoak, MIT class of 09\noliver: https://t.co/DRpcvdeCK4",
"user.screen_name": "dakheughan"
},
{
"created_at": "Mon Feb 12 01:07:39 +0000 2018",
"id": 962855687926833152,
"text": "Facial recognition software is biased towards white men, researcher finds https://t.co/HOp6qow39E\n\nNew research out\u2026 https://t.co/kCXMqfAmTX",
"user.screen_name": "thetechwarf"
},
{
"created_at": "Mon Feb 12 01:06:52 +0000 2018",
"id": 962855490941341696,
"text": "Implementation Barriers for Emotion-Sending Technologies https://t.co/sSFWCPAywW Eoin541 danmcduff robgleasure\u2026\u2026 https://t.co/RurpLNbJbQ",
"user.screen_name": "savia_digital"
},
{
"created_at": "Mon Feb 12 01:06:23 +0000 2018",
"id": 962855368899596288,
"text": "This feels odd. He was already president of Tufts and chancellor at MIT. https://t.co/tnb6oV3JrQ",
"user.screen_name": "NeoconMaudit"
},
{
"created_at": "Mon Feb 12 01:06:03 +0000 2018",
"id": 962855284040286208,
"text": "RT @MSFTImagine: Imagine a world with faster, cheaper #AI! @MIT researchers say we're closer to #computers that work like our brains: https\u2026",
"user.screen_name": "IamPablo"
},
{
"created_at": "Mon Feb 12 01:05:31 +0000 2018",
"id": 962855148849516544,
"text": "Is tech dividing America?\n\"We should take a lesson from how the discovery of crude remade Saudi Arabia and Norway.\"\u2026 https://t.co/2xaVuuOx9F",
"user.screen_name": "StrategicLbries"
},
{
"created_at": "Mon Feb 12 01:05:11 +0000 2018",
"id": 962855067450773504,
"text": "RT @MITSloan: The idea of a universal basic income is not new, but the theory has never been thoroughly tested. A massive new study is abou\u2026",
"user.screen_name": "danpallotta"
},
{
"created_at": "Mon Feb 12 01:05:09 +0000 2018",
"id": 962855059884306432,
"text": "RT @MITSloan: Design thinking can be applied to any problem in any industry. Here's how. https://t.co/tE8Q21t1Cs https://t.co/wBYILC483w",
"user.screen_name": "Shwetango"
},
{
"created_at": "Mon Feb 12 01:05:07 +0000 2018",
"id": 962855050870689793,
"text": "RT @MITSloan: 6 competitive advantages that come from turning data into insights. (via @mitsmr) https://t.co/O73x7bVxUS",
"user.screen_name": "gogos"
},
{
"created_at": "Mon Feb 12 01:05:04 +0000 2018",
"id": 962855036169719809,
"text": "\u201cJournalists often check a CEO\u2019s Twitter account before covering the CEO or the company.\u201d https://t.co/er59CY71Vg",
"user.screen_name": "mitsmr"
},
{
"created_at": "Mon Feb 12 01:04:40 +0000 2018",
"id": 962854936735289344,
"text": "Need ur kind sponsorship @ProfOsinbajo 2 represent Nigeria @ d upcoming MIT Innovation and entrepreneurship Bootca\u2026 https://t.co/MyFmIwJJl2",
"user.screen_name": "Zeeman_AY"
},
{
"created_at": "Mon Feb 12 01:04:38 +0000 2018",
"id": 962854928669605888,
"text": "RT @officialjaden: Don't Drink Soda",
"user.screen_name": "mit_eto"
},
{
"created_at": "Mon Feb 12 01:04:37 +0000 2018",
"id": 962854922638299141,
"text": "RT @FraHofm: \"MIT biological engineers have created a programming language that allows them to rapidly design complex, DNA-encoded circuits\u2026",
"user.screen_name": "Seanredwolf"
},
{
"created_at": "Mon Feb 12 01:04:29 +0000 2018",
"id": 962854891373957120,
"text": "RT @MITSloan: 6 competitive advantages that come from turning data into insights. (via @mitsmr) https://t.co/O73x7bVxUS",
"user.screen_name": "erictetuan"
},
{
"created_at": "Mon Feb 12 01:03:16 +0000 2018",
"id": 962854583931494401,
"text": "67 \u2013 Solid aims to radically change the way web applications work https://t.co/CzHCQGxfid",
"user.screen_name": "betterhn50"
},
{
"created_at": "Mon Feb 12 01:03:09 +0000 2018",
"id": 962854554453794816,
"text": "RT @gal_deplorable: I'd have to agree Q...\n\n#qanon https://t.co/0dIpTTcKCz",
"user.screen_name": "mit_baggs"
},
{
"created_at": "Mon Feb 12 01:03:03 +0000 2018",
"id": 962854527580991488,
"text": "February 24 at 8pm: Join us for a recital by @MIT_MTA Institute Professor Marcus Thompson, joined by fellow MIT Mus\u2026 https://t.co/EaVGTsG4rP",
"user.screen_name": "MIT_SHASS"
},
{
"created_at": "Mon Feb 12 01:02:54 +0000 2018",
"id": 962854490230542336,
"text": "RT @random_forests: MIT has shared an Intro to Deep Learning course, see: https://t.co/ULJddTvwvZ. Labs include @TensorFlow code (haven't h\u2026",
"user.screen_name": "shinya1900012"
},
{
"created_at": "Mon Feb 12 01:02:22 +0000 2018",
"id": 962854355874471936,
"text": "RT @ItsAngryBob: Things could get crazy in the next few weeks. Which side are you on? If these things go down prepare yourself to help expl\u2026",
"user.screen_name": "mit_baggs"
},
{
"created_at": "Mon Feb 12 01:01:54 +0000 2018",
"id": 962854238555697153,
"text": "RT @MITSloan: 6 competitive advantages that come from turning data into insights. (via @mitsmr) https://t.co/O73x7bVxUS",
"user.screen_name": "jonnymateus"
},
{
"created_at": "Mon Feb 12 01:01:38 +0000 2018",
"id": 962854171077525504,
"text": "@Mindcite_US @Google @CarnegieMellon @Cambridge_Uni @MIT @UniofOxford @Caltech @TechnionLive @Princeton @Yale\u2026 https://t.co/DJtyLt8KSQ",
"user.screen_name": "4GodsWillBeDone"
},
{
"created_at": "Mon Feb 12 01:01:26 +0000 2018",
"id": 962854123912794112,
"text": "RT @JuliaBrotherton: @Beverly_High MIT Model UN Security Council members Colby Snook and Marvin Wernsing. Topic: nuclear threat on the Kor\u2026",
"user.screen_name": "DebSchnabel"
},
{
"created_at": "Mon Feb 12 01:01:25 +0000 2018",
"id": 962854119798132736,
"text": "RT @lotzrickards: felicity: felicity smoak, MIT class of 09\noliver: https://t.co/DRpcvdeCK4",
"user.screen_name": "Dirrtygal"
},
{
"created_at": "Mon Feb 12 01:01:22 +0000 2018",
"id": 962854105671598080,
"text": "RT @gal_deplorable: Just a thought...\n\nQ keeps saying mirror \n\n[14] live backwards is evil [41]\n\nIs Bush Sr targeted?\n\n#QAnon https://t.co/\u2026",
"user.screen_name": "mit_baggs"
},
{
"created_at": "Mon Feb 12 01:01:20 +0000 2018",
"id": 962854099195752448,
"text": "A grizzled MIT physicist can return from the edge of the knife alien.",
"user.screen_name": "cherubikz"
},
{
"created_at": "Mon Feb 12 01:01:19 +0000 2018",
"id": 962854092170293248,
"text": "RT @JuliaBrotherton: @Beverly_High MIT Model UN delegates discussing trade and climate change. https://t.co/kyNrxAjC49",
"user.screen_name": "DebSchnabel"
},
{
"created_at": "Mon Feb 12 01:01:09 +0000 2018",
"id": 962854052760502272,
"text": "RT @ItsAngryBob: Latest Brenden Dilley INTEL drop...12 military panels running right now... POTUS will use Emergency Broadcast System more\u2026",
"user.screen_name": "mit_baggs"
},
{
"created_at": "Mon Feb 12 01:00:42 +0000 2018",
"id": 962853936607703041,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "ArkangelScrap"
},
{
"created_at": "Mon Feb 12 01:00:39 +0000 2018",
"id": 962853925220122624,
"text": "RT @tom_peters: This is priceless, as good as it gets. Take your time!! \"Is tech dividing America? via @POLITICO for iPad\" https://t.co/nwv\u2026",
"user.screen_name": "leadershipstool"
},
{
"created_at": "Mon Feb 12 01:00:37 +0000 2018",
"id": 962853916760334341,
"text": "Solid aims to radically change the way web applications work https://t.co/TSXz4b3skY",
"user.screen_name": "hackernewsrobot"
},
{
"created_at": "Mon Feb 12 01:00:17 +0000 2018",
"id": 962853835298496512,
"text": "Solid aims to radically change the way web applications work https://t.co/NpidiTW5dS",
"user.screen_name": "alfonsowebdev"
},
{
"created_at": "Mon Feb 12 01:00:01 +0000 2018",
"id": 962853766142812161,
"text": "Our website is full of free resources, perfect for helping #teachers to inspire their students about #invention. Ta\u2026 https://t.co/hln3AxWdam",
"user.screen_name": "LemelsonMIT"
},
{
"created_at": "Mon Feb 12 01:00:00 +0000 2018",
"id": 962853761596182529,
"text": "Solid aims to radically change the way web applications work (posted by doener) #1 on HN: https://t.co/ZSrGuxa4Ni",
"user.screen_name": "usepanda"
},
{
"created_at": "Mon Feb 12 00:59:31 +0000 2018",
"id": 962853641085423616,
"text": "RT @IWMF: Audrey Jiajia Li (@SaySayjiajia) is the 13th annual Elizabeth Neuffer Fellow. Watch this video to learn about her recent work as\u2026",
"user.screen_name": "pcdnetwork"
},
{
"created_at": "Mon Feb 12 00:59:15 +0000 2018",
"id": 962853572147843073,
"text": "RT @MITSloan: 6 competitive advantages that come from turning data into insights. (via @mitsmr) https://t.co/O73x7bVxUS",
"user.screen_name": "gogos"
},
{
"created_at": "Mon Feb 12 00:58:15 +0000 2018",
"id": 962853321231994881,
"text": "RT @MITSloan: 1. Measure productivity in results, not hours. https://t.co/6boIw93jQb",
"user.screen_name": "gogos"
},
{
"created_at": "Mon Feb 12 00:57:21 +0000 2018",
"id": 962853095586721793,
"text": "@JacobBiamonte In @MIT class with Ike Chuang he called |\u2022><\u2022| \"Los Alamos notation\" and credited it to Zurek. In co\u2026 https://t.co/OFUeDRod7z",
"user.screen_name": "airwoz"
},
{
"created_at": "Mon Feb 12 00:56:28 +0000 2018",
"id": 962852874962198528,
"text": "From your lips, to God\u2019s ears!\n\nI believe President Trump means to never let us down.\n\n#PatiencePatriots\n\nDoing som\u2026 https://t.co/zsyEW8ERmy",
"user.screen_name": "mit_baggs"
},
{
"created_at": "Mon Feb 12 00:56:26 +0000 2018",
"id": 962852865126682625,
"text": "RT @mitsmr: Keep this chart handy when you're Identifying potential #leaders in your company. https://t.co/WHj7CM39AJ #management https://\u2026",
"user.screen_name": "careyjimzz"
},
{
"created_at": "Mon Feb 12 00:56:17 +0000 2018",
"id": 962852828283842561,
"text": "Wilde analsex #mit Kathy #Anderson https://t.co/mYWABIJCwn",
"user.screen_name": "e5J3B8uxGn02P9e"
},
{
"created_at": "Mon Feb 12 00:55:39 +0000 2018",
"id": 962852665892929536,
"text": "RT @DrHughHarvey: Didn\u2019t study deep learning at MIT?\n\nDon\u2019t worry - here\u2019s the entire course \n\nhttps://t.co/HTONtKKWWz https://t.co/bmbxY5u\u2026",
"user.screen_name": "manaranjanp"
},
{
"created_at": "Mon Feb 12 00:55:00 +0000 2018",
"id": 962852504974307329,
"text": "6 competitive advantages that come from turning data into insights. (via @mitsmr) https://t.co/O73x7bVxUS",
"user.screen_name": "MITSloan"
},
{
"created_at": "Mon Feb 12 00:54:47 +0000 2018",
"id": 962852451354333184,
"text": "RT @franceintheus: Today is International #WomenScienceDay ! \nEsther Duflo is a Professor of Poverty Alleviation & Dev\u2019t Economics at @MIT\u2026",
"user.screen_name": "frelandv"
},
{
"created_at": "Mon Feb 12 00:54:01 +0000 2018",
"id": 962852255581069314,
"text": "@bridgitmendler Just joined to say hello to you. - I'm little bit confused. Are you working at MIT or studying ?",
"user.screen_name": "Ike_Wexter"
},
{
"created_at": "Mon Feb 12 00:53:55 +0000 2018",
"id": 962852229651693568,
"text": "RT @TraDove_ICO: Breakfast with our team, board member Gordon Kaufman, and Professor Emeritus from the MIT Sloan School of Management. Big\u2026",
"user.screen_name": "john_leo25"
},
{
"created_at": "Mon Feb 12 00:53:33 +0000 2018",
"id": 962852138476023808,
"text": "Hot new story Facial recognition software is biased towards white men, researcher finds https://t.co/6ArydpydWz\u2026 https://t.co/PyrwObULrb",
"user.screen_name": "EmpireDynamic"
},
{
"created_at": "Mon Feb 12 00:53:03 +0000 2018",
"id": 962852011065724928,
"text": "Solid aims to radically change the way web applications work\nLink: https://t.co/fqp49EZ0PW\nCmts: https://t.co/JBuxkkuCtO",
"user.screen_name": "HackerNewsPosts"
},
{
"created_at": "Mon Feb 12 00:52:32 +0000 2018",
"id": 962851884695351296,
"text": "RT @TurkHeritage: On International #WomenInScience Day, listen to Turkish MIT @medialab faculty member Dr. Canan Dagdeviren talk at the UN\u2026",
"user.screen_name": "22C0in"
},
{
"created_at": "Mon Feb 12 00:52:24 +0000 2018",
"id": 962851850579009536,
"text": "RT @NeilKBrand: As my score for #Hitchcock's #Blackmail is being played live tonight by the #N\u00fcrnberg Symphony Orchestra tonight (https://t\u2026",
"user.screen_name": "Minghowriter"
},
{
"created_at": "Mon Feb 12 00:52:09 +0000 2018",
"id": 962851785634402304,
"text": "RT @LemelsonMIT: David Sengeh\u2019s interest in designing prostheses stems from his childhood. He grew up in Sierra Leone during the civil war,\u2026",
"user.screen_name": "stansburyj"
},
{
"created_at": "Mon Feb 12 00:51:50 +0000 2018",
"id": 962851708148895745,
"text": "RT @hildabast: Day 2 #BlackHistoryMonth: Physicist, Carolyn Beatrice Parker - a remarkable woman, whose long-lost story shows how much work\u2026",
"user.screen_name": "NMGasparini"
},
{
"created_at": "Mon Feb 12 00:51:49 +0000 2018",
"id": 962851704763973632,
"text": "RT @BrightCellars: 2 MIT grads built an algorithm to match you with wine. Take the quiz to see your matches https://t.co/6bOuliqukx https:/\u2026",
"user.screen_name": "22C0in"
},
{
"created_at": "Mon Feb 12 00:51:47 +0000 2018",
"id": 962851693363941377,
"text": "RT @gbaucom: Meet the biologist who got MIT to examine its treatment of women researchers - via @techreview https://t.co/c6JqibvhkQ //I rec\u2026",
"user.screen_name": "m_gitz"
},
{
"created_at": "Mon Feb 12 00:51:25 +0000 2018",
"id": 962851603429711877,
"text": "RT @TheNolanK: @seangares @launders @stunna @jamesbardolph @Fifflaren @n0thing \"When someone accidentally buys full version of WinRar\" http\u2026",
"user.screen_name": "Kebap_mit_Alles"
},
{
"created_at": "Mon Feb 12 00:51:17 +0000 2018",
"id": 962851569510305792,
"text": "Also looking for any MIT students with access to this https://t.co/5pIn86hNfK",
"user.screen_name": "therealtblake"
},
{
"created_at": "Mon Feb 12 00:50:58 +0000 2018",
"id": 962851488266637314,
"text": "Solid aims to radically change the way web applications work https://t.co/Pk8XjL7SIO (https://t.co/UBcBddSLyz)",
"user.screen_name": "newsyc50"
},
{
"created_at": "Mon Feb 12 00:49:55 +0000 2018",
"id": 962851225506107392,
"text": "Mit means with in German, I think ... unless you are talking about ice in Coca-Cola. Then it means the same as ohne. #cocacola",
"user.screen_name": "DrewArrowood"
},
{
"created_at": "Mon Feb 12 00:49:25 +0000 2018",
"id": 962851098808803331,
"text": "@SMITEGame @PlayHotG When will Hog come to ps4 ?? I mean fully (mit with early acesess",
"user.screen_name": "xHawkeye3"
},
{
"created_at": "Mon Feb 12 00:48:04 +0000 2018",
"id": 962850757442789376,
"text": "@Sergeant_Meow Don't forget Scratch. \ud83d\ude01\ud83d\udc31\ud83d\ude09 https://t.co/vJFQFv2BOZ",
"user.screen_name": "JewelNtheLotus"
},
{
"created_at": "Mon Feb 12 00:46:55 +0000 2018",
"id": 962850471374475264,
"text": "RT @skocharlakota: Happening now - @msisodia taking questions from MIT students. https://t.co/bArfCC0SFu",
"user.screen_name": "jayeshmahajan"
},
{
"created_at": "Mon Feb 12 00:46:35 +0000 2018",
"id": 962850383709265925,
"text": "Solid aims to radically change the way web applications work https://t.co/s2Tyz2Bkpj",
"user.screen_name": "myikegami_bot"
},
{
"created_at": "Mon Feb 12 00:46:31 +0000 2018",
"id": 962850370287554560,
"text": "RT @Teri_Lowe_: who chooses a starter over hot chocolate fudge cake n ice cream?!?not me xoxo https://t.co/mxaRubqWZ5",
"user.screen_name": "harry_mit"
},
{
"created_at": "Mon Feb 12 00:46:13 +0000 2018",
"id": 962850292424261633,
"text": "Facial recognition software is biased towards white men, researcher finds https://t.co/y0Z2PZzaUj",
"user.screen_name": "sunkissedAus"
},
{
"created_at": "Mon Feb 12 00:46:09 +0000 2018",
"id": 962850274997166080,
"text": "This is amazing. Good for you, @JohnCUrschel - wow! Nice to see Ravens support his move too. https://t.co/Xvd2yd3UIz",
"user.screen_name": "dannotdaniel"
},
{
"created_at": "Mon Feb 12 00:45:19 +0000 2018",
"id": 962850067123195909,
"text": "@Dame_mit_muff @WeDoNotLearn73 Not sure where you are going with this one. I feel I have answered. Sorry if it\u2019s not enough. \ud83d\ude0a",
"user.screen_name": "keithfraser2017"
},
{
"created_at": "Mon Feb 12 00:45:02 +0000 2018",
"id": 962849995991822336,
"text": "RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/lg2RZ9eUnd\u2026",
"user.screen_name": "JoonErdogan"
},
{
"created_at": "Mon Feb 12 00:44:52 +0000 2018",
"id": 962849953759612929,
"text": "RT @ItzWolfGives: First Retweet \nOrigin\n\nBei 6 likes geht\u2018s mit First Retweet\u2018s weiter",
"user.screen_name": "Melonenkekse4"
},
{
"created_at": "Mon Feb 12 00:44:34 +0000 2018",
"id": 962849878153056256,
"text": "RT @ItzWolfGives: First Retweet \nOrigin\n\nBei 6 likes geht\u2018s mit First Retweet\u2018s weiter",
"user.screen_name": "die_guten_123"
},
{
"created_at": "Mon Feb 12 00:44:32 +0000 2018",
"id": 962849870607503365,
"text": "RT @ItzWolfGives: First Retweet \nOrigin\n\nBei 6 likes geht\u2018s mit First Retweet\u2018s weiter",
"user.screen_name": "zJxnCoresBW"
},
{
"created_at": "Mon Feb 12 00:44:30 +0000 2018",
"id": 962849859396165632,
"text": "RT @ItzWolfGives: First Retweet \nOrigin\n\nBei 6 likes geht\u2018s mit First Retweet\u2018s weiter",
"user.screen_name": "KiquJr"
},
{
"created_at": "Mon Feb 12 00:44:27 +0000 2018",
"id": 962849849707302913,
"text": "RT @ItzWolfGives: First Retweet \nOrigin\n\nBei 6 likes geht\u2018s mit First Retweet\u2018s weiter",
"user.screen_name": "_Mxmo"
},
{
"created_at": "Mon Feb 12 00:44:22 +0000 2018",
"id": 962849827112570881,
"text": "First Retweet \nOrigin\n\nBei 6 likes geht\u2018s mit First Retweet\u2018s weiter",
"user.screen_name": "ItzWolfGives"
},
{
"created_at": "Mon Feb 12 00:44:22 +0000 2018",
"id": 962849826449784832,
"text": "@winsiah MIT Placement Day ROCKS\ud83e\udd2a\ud83e\udd2a\ud83e\udd2a",
"user.screen_name": "wimitmom"
},
{
"created_at": "Mon Feb 12 00:44:03 +0000 2018",
"id": 962849748456787968,
"text": "RT @mitsmr: RT @joannecanderson: How to achieve \"extreme #productivity\" from @mitsmr : \"Hours are a traditional way of tracking employee p\u2026",
"user.screen_name": "gogos"
},
{
"created_at": "Mon Feb 12 00:43:32 +0000 2018",
"id": 962849617992994816,
"text": "ICE7 aka GES/MIT \nHistoric Facts \nhttps://t.co/EdIrrtvwx7\n\nICE4 complicated 1994 not going to explain context \nICE7\u2026 https://t.co/pBA6s6cxjB",
"user.screen_name": "Phillip_Dabney"
},
{
"created_at": "Mon Feb 12 00:43:13 +0000 2018",
"id": 962849539861434368,
"text": "Fortnite \u25ba Mit Gaming24, Jacky Rainbow I #RoadTo50Abbos I Livestream I German I CraftCent: https://t.co/P2bf44H8SF via @YouTube",
"user.screen_name": "CraftCent_"
},
{
"created_at": "Mon Feb 12 00:42:17 +0000 2018",
"id": 962849304489742336,
"text": "Love being a MIT for SAI \ud83c\udfbc\u2764\ufe0f",
"user.screen_name": "AlmaBradley"
},
{
"created_at": "Mon Feb 12 00:42:12 +0000 2018",
"id": 962849282096328704,
"text": "I like the fact that this new President of Harvard has spent a lot of time in the Boston area (Harvard, Tufts, MIT)\u2026 https://t.co/xUGWUVAucz",
"user.screen_name": "tuke"
},
{
"created_at": "Mon Feb 12 00:42:08 +0000 2018",
"id": 962849264706650112,
"text": "RT @skocharlakota: Happening now - @msisodia taking questions from MIT students. https://t.co/bArfCC0SFu",
"user.screen_name": "Georgekurian4K"
},
{
"created_at": "Mon Feb 12 00:42:05 +0000 2018",
"id": 962849251624538112,
"text": "RT @MITSloan: The idea of a universal basic income is not new, but the theory has never been thoroughly tested. A massive new study is abou\u2026",
"user.screen_name": "MarlonCreative"
},
{
"created_at": "Mon Feb 12 00:41:55 +0000 2018",
"id": 962849212118560768,
"text": "RT @scratch: Scratch Days can be large or small, for beginners and for more experienced Scratchers. Find a Scratch Day in your community, o\u2026",
"user.screen_name": "AnnMoyle"
},
{
"created_at": "Mon Feb 12 00:41:05 +0000 2018",
"id": 962849001656672256,
"text": "Steep Discount Mart Coupon Code 10%!: Promotion at Steep Discount Mart: 10% OFF YOUR ENTIRE ORDER. Coupon Code 10%!\u2026 https://t.co/3rOWCx0yiM",
"user.screen_name": "coupons_u_need"
},
{
"created_at": "Mon Feb 12 00:41:04 +0000 2018",
"id": 962848997558820865,
"text": "Steep Discount Mart Discount Code 70%!: Promotion at Steep Discount Mart: 70% OFF Pendant Necklace Crystal Drop. Di\u2026 https://t.co/94gKIMs6ye",
"user.screen_name": "coupons_u_need"
},
{
"created_at": "Mon Feb 12 00:40:47 +0000 2018",
"id": 962848927971266560,
"text": "@bridgitmendler btw I\u2018m really interested in your current research at MIT media lab\ud83d\ude2d",
"user.screen_name": "momomomoilok"
},
{
"created_at": "Mon Feb 12 00:40:45 +0000 2018",
"id": 962848916659109888,
"text": "RT @MITdusp: We are proud and delighted -- DUSP Emeritus Professor Larry Bacow https://t.co/N7uThsFNfx is the next President of Harvard U\u2026",
"user.screen_name": "joemcgonegal"
},
{
"created_at": "Mon Feb 12 00:40:22 +0000 2018",
"id": 962848819951099905,
"text": "I am starting Artificial Intelligence course with MIT https://t.co/0PimX7wsvy #ai #ml #dl",
"user.screen_name": "AINewsFeed"
},
{
"created_at": "Mon Feb 12 00:39:46 +0000 2018",
"id": 962848669006315520,
"text": "Path Dependency is one of the hindrance for Digital Transformative Capabilities (DTC)\n#digitaltransformation #iiot https://t.co/JPXxMU6BHR",
"user.screen_name": "swapan_ghosh"
},
{
"created_at": "Mon Feb 12 00:39:28 +0000 2018",
"id": 962848593429311488,
"text": "MIT Engineers Have Designed a Chip That Behaves Just Like Brain Cell Connections https://t.co/qQyoitLQ0E",
"user.screen_name": "zananeichan"
},
{
"created_at": "Mon Feb 12 00:37:51 +0000 2018",
"id": 962848186401546246,
"text": "Thomas just turned my oven mit into a puppet. I don\u2019t know whether to be concerned or more in love with this goof.",
"user.screen_name": "Lucy_96115"
},
{
"created_at": "Mon Feb 12 00:36:53 +0000 2018",
"id": 962847942884327424,
"text": "RT @hrnext: ....never knew DJT is nephew of a top tier MIT Physicist https://t.co/EGrtFelzIk",
"user.screen_name": "Georgekurian4K"
},
{
"created_at": "Mon Feb 12 00:36:33 +0000 2018",
"id": 962847859287699456,
"text": "It might be time to take up coding again: https://t.co/WcQDsvoXdd",
"user.screen_name": "jcuene"
},
{
"created_at": "Mon Feb 12 00:36:24 +0000 2018",
"id": 962847824713887745,
"text": "@himebadweather Yum! That would be really good right now. I saw some fresh trai mit when I was in qld. I guess it\u2019s\u2026 https://t.co/mTHJLUMcl4",
"user.screen_name": "itsmelanie_t"
},
{
"created_at": "Mon Feb 12 00:36:13 +0000 2018",
"id": 962847778807451648,
"text": "RT @hildabast: Day 2 #BlackHistoryMonth: Physicist, Carolyn Beatrice Parker - a remarkable woman, whose long-lost story shows how much work\u2026",
"user.screen_name": "labour_zone"
},
{
"created_at": "Mon Feb 12 00:36:13 +0000 2018",
"id": 962847778773880832,
"text": "RT @hildabast: Day 2 #BlackHistoryMonth: Physicist, Carolyn Beatrice Parker - a remarkable woman, whose long-lost story shows how much work\u2026",
"user.screen_name": "Labour_North"
},
{
"created_at": "Mon Feb 12 00:36:13 +0000 2018",
"id": 962847777326804992,
"text": "RT @hildabast: Day 2 #BlackHistoryMonth: Physicist, Carolyn Beatrice Parker - a remarkable woman, whose long-lost story shows how much work\u2026",
"user.screen_name": "ChiOnwurah"
},
{
"created_at": "Mon Feb 12 00:35:51 +0000 2018",
"id": 962847682917171200,
"text": "RT @gfernandoamb: On October 12, 2017, the MIT Inclusive Innovation Challenge awarded over $1 million in prizes to global entrepreneurs usi\u2026",
"user.screen_name": "erikbryn"
},
{
"created_at": "Mon Feb 12 00:35:31 +0000 2018",
"id": 962847601799417860,
"text": "Bachata Sensual Advanced Workshop mit Ruben aus\u00a0Cadiz https://t.co/yn6cPF999S",
"user.screen_name": "salsastisch_de"
},
{
"created_at": "Mon Feb 12 00:35:28 +0000 2018",
"id": 962847586708262916,
"text": "Kizomba Hearts Night mit Kiz Classes Improver und\u00a0Advanced https://t.co/siZfzd2Nz8",
"user.screen_name": "salsastisch_de"
},
{
"created_at": "Mon Feb 12 00:35:24 +0000 2018",
"id": 962847571453599750,
"text": "RT @MITSloan: Integrating analytics is crucial. Start with these 8 articles. https://t.co/3hxWVgHY9q",
"user.screen_name": "pirtlj"
},
{
"created_at": "Mon Feb 12 00:35:07 +0000 2018",
"id": 962847498942468096,
"text": "MIT&F: Relay Team Sets Record At UW-Platteville Invitational https://t.co/jjwnWVuHF8 #d3track",
"user.screen_name": "WLCSports"
},
{
"created_at": "Mon Feb 12 00:35:00 +0000 2018",
"id": 962847472656592897,
"text": "RT @StanM3: Germany- Afghan(19) stabbed his ex-girlfriend(23) in the shoulder and fled. The police had been called because of domestic viol\u2026",
"user.screen_name": "erotao"
},
{
"created_at": "Mon Feb 12 00:34:49 +0000 2018",
"id": 962847424581644288,
"text": "Ich mag das @YouTube-Video: https://t.co/LBOsMTaOxb West-Ost Roadtrip! mit Maik - THE CREW Part 37 | Lets Play The Crew",
"user.screen_name": "Killerdaby"
},
{
"created_at": "Mon Feb 12 00:34:42 +0000 2018",
"id": 962847396689596417,
"text": "MY MIT YOOO",
"user.screen_name": "essaxpizza"
},
{
"created_at": "Mon Feb 12 00:34:34 +0000 2018",
"id": 962847363135045632,
"text": "RT @lenadroid: It is so sunny in Seattle this morning (I know, weird), but no reason to go outside when I have entire MIT Introduction to D\u2026",
"user.screen_name": "pdausman"
},
{
"created_at": "Mon Feb 12 00:34:17 +0000 2018",
"id": 962847288933707781,
"text": "Late Night Stream | KYOAN | Mit Pipo und Andi: https://t.co/nnH6IUhI8b via @YouTube",
"user.screen_name": "KyoanYT"
},
{
"created_at": "Mon Feb 12 00:34:13 +0000 2018",
"id": 962847272001093632,
"text": "RT @ClintFalin: Day 5: They\u2019ve broken past the barrier. I\u2019m out of food and water. If you\u2019re reading this, I https://t.co/YXk5OTvOia",
"user.screen_name": "Mit_ch_ell"
},
{
"created_at": "Mon Feb 12 00:34:03 +0000 2018",
"id": 962847232079745024,
"text": "@itsmelanie_t yeah it is too hard T_T sigh this is making me miss vietnam, trai mit with muoi tieu chanh T______T",
"user.screen_name": "himebadweather"
},
{
"created_at": "Mon Feb 12 00:33:56 +0000 2018",
"id": 962847202686025728,
"text": "MIT report warns U.S. electrical grid vulnerable | Homeland Security News Wire https://t.co/km6jmHKWP5",
"user.screen_name": "WaterWavy"
},
{
"created_at": "Mon Feb 12 00:33:52 +0000 2018",
"id": 962847187322499072,
"text": "RT @TamaraMcCleary: Mastering the Digital #Innovation Challenge https://t.co/4jbLqULxfg #leadership #digitaltransformation MT @jglass8 via\u2026",
"user.screen_name": "dleetweet"
},
{
"created_at": "Mon Feb 12 00:32:58 +0000 2018",
"id": 962846960704204800,
"text": "#MIT 15.361 Executing Strategy for Results (MIT) - This course provides business students an alternative to the mec\u2026 https://t.co/YdCsPxMUZl",
"user.screen_name": "MOOCdirectory"
},
{
"created_at": "Mon Feb 12 00:32:52 +0000 2018",
"id": 962846933890068480,
"text": "We\u2019d like to give a very warm welcome to our two MIT\u2019s who pledged this evening! Congratulations ladies! \u2764\ufe0f\ud83c\udf39 https://t.co/bvkJbT1coC",
"user.screen_name": "saimudelta"
},
{
"created_at": "Mon Feb 12 00:32:31 +0000 2018",
"id": 962846845255987202,
"text": "RT @JensRoehrich: Interesting article: The Unique Challenges of Cross-Boundary #Collaboration https://t.co/EXelhBmrId You may also find my\u2026",
"user.screen_name": "clindsaystrath"
},
{
"created_at": "Mon Feb 12 00:32:22 +0000 2018",
"id": 962846809587666949,
"text": "Future cities built with volcanic ash? - Image via MIT. By Jennifer Chu/MIT MIT engineers working with scientists i\u2026 https://t.co/TBYqDTFm2a",
"user.screen_name": "Jeff_Rebitzke"
},
{
"created_at": "Mon Feb 12 00:32:07 +0000 2018",
"id": 962846743997100032,
"text": "RT @LemelsonMIT: David Sengeh\u2019s interest in designing prostheses stems from his childhood. He grew up in Sierra Leone during the civil war,\u2026",
"user.screen_name": "tonyperry"
},
{
"created_at": "Mon Feb 12 00:32:01 +0000 2018",
"id": 962846720160948225,
"text": ".@MIT research sprouts two startups competing on new AI-focused chips https://t.co/mA2iWvGIuC",
"user.screen_name": "BosBizJournal"
},
{
"created_at": "Mon Feb 12 00:31:33 +0000 2018",
"id": 962846603915689984,
"text": "Live Fortnite mit Facecam live at https://t.co/XKurIvFHev",
"user.screen_name": "OnFireBoss"
},
{
"created_at": "Mon Feb 12 00:31:28 +0000 2018",
"id": 962846583250329601,
"text": "RT @HarvardDivinity: \u201cSince meeting and befriending Larry Bacow over 25 years ago at MIT, I have had the privilege of working with one of t\u2026",
"user.screen_name": "MAKEinANDHRA"
},
{
"created_at": "Mon Feb 12 00:31:28 +0000 2018",
"id": 962846580985430016,
"text": "RT @hildabast: Day 2 #BlackHistoryMonth: Physicist, Carolyn Beatrice Parker - a remarkable woman, whose long-lost story shows how much work\u2026",
"user.screen_name": "stevendengue"
},
{
"created_at": "Mon Feb 12 00:31:25 +0000 2018",
"id": 962846567244984320,
"text": "RT @EdTech_HigherEd: .@MIT research finds #Wikipedia to be a useful research tool. https://t.co/s8tNYSJlRG",
"user.screen_name": "mmkrill"
},
{
"created_at": "Mon Feb 12 00:31:15 +0000 2018",
"id": 962846526367256576,
"text": "RT @newsyc20: Solid aims to radically change the way web applications work https://t.co/pJ2G4pQ57y (https://t.co/1tZgYZ1TbR)",
"user.screen_name": "SelenasWays"
},
{
"created_at": "Mon Feb 12 00:30:59 +0000 2018",
"id": 962846461296828418,
"text": ".@MIT research finds #Wikipedia to be a useful research tool. https://t.co/s8tNYSJlRG",
"user.screen_name": "EdTech_HigherEd"
},
{
"created_at": "Mon Feb 12 00:30:49 +0000 2018",
"id": 962846416828805120,
"text": "Facial recognition software is biased towards white men, researcher finds. https://t.co/KDJ02Kx9RT",
"user.screen_name": "PoliGramR"
},
{
"created_at": "Mon Feb 12 00:30:26 +0000 2018",
"id": 962846323325243394,
"text": "Facial Recognition Software Is Biased Towards White Men, Researcher Finds https://t.co/EvcxrRbCOL https://t.co/7nSIOaSZji",
"user.screen_name": "TechShape"
},
{
"created_at": "Mon Feb 12 00:30:07 +0000 2018",
"id": 962846242287095808,
"text": "MIT IQ Initiative Is Taking A Different Approach To AI Research\u00a0 | Deep_In_Depth: Deep Learning, ML & DS https://t.co/raDuSaZWX3",
"user.screen_name": "Deep_In_Depth"
},
{
"created_at": "Mon Feb 12 00:29:59 +0000 2018",
"id": 962846207830786048,
"text": "Solid aims to radically change the way web applications work https://t.co/pJ2G4pQ57y (https://t.co/1tZgYZ1TbR)",
"user.screen_name": "newsyc20"
},
{
"created_at": "Mon Feb 12 00:29:45 +0000 2018",
"id": 962846151224512512,
"text": "\u270c @Reading \"Podcast, Nick Seaver: \u201cWhat Do People Do All Day?\u201d\" https://t.co/ZeuHBeYJEg",
"user.screen_name": "rogreisreading"
},
{
"created_at": "Mon Feb 12 00:29:41 +0000 2018",
"id": 962846131330875393,
"text": "RT @leathershirts: i hope vine 2 is better than cars 2",
"user.screen_name": "Zoey_mit"
},
{
"created_at": "Mon Feb 12 00:29:18 +0000 2018",
"id": 962846038141804544,
"text": "Deer Island Waste Water Treatment Plant : MIT Libraries https://t.co/0BewMlq8N1",
"user.screen_name": "Energy_Needs"
},
{
"created_at": "Mon Feb 12 00:29:09 +0000 2018",
"id": 962845997239095298,
"text": "RT @MPBorman: Using #Analytics to Improve #CustomerEngagement https://t.co/QudJPaK8eD @mitsmr @SASsoftware #corpgov #CEO #CFO #CIO #CMO #Bo\u2026",
"user.screen_name": "gogos"
},
{
"created_at": "Mon Feb 12 00:29:01 +0000 2018",
"id": 962845965156868097,
"text": "RT @JensRoehrich: Interesting article: The Unique Challenges of Cross-Boundary #Collaboration https://t.co/EXelhBmrId You may also find my\u2026",
"user.screen_name": "JensRoehrich"
},
{
"created_at": "Mon Feb 12 00:28:37 +0000 2018",
"id": 962845866183876610,
"text": "RT @mitsmr: Be a futurist. Check out this cool six-step forecasting methodology created by @amywebb. https://t.co/dGU8wKsCaH https://t.co/\u2026",
"user.screen_name": "NewsNeus"
},
{
"created_at": "Mon Feb 12 00:28:19 +0000 2018",
"id": 962845789373448193,
"text": "Solid aims to radically change the way web applications work (31 points on Hacker News): https://t.co/mAi3KjgLmO",
"user.screen_name": "topnotifier"
},
{
"created_at": "Mon Feb 12 00:27:59 +0000 2018",
"id": 962845706364030976,
"text": "RT @MITSloan: New ideas aren\u2019t in short supply, but they have gotten more expensive. More in @mitsmr. https://t.co/IqpxBs8uhs",
"user.screen_name": "gogos"
},
{
"created_at": "Mon Feb 12 00:26:33 +0000 2018",
"id": 962845343921725440,
"text": "RT @hildabast: Day 2 #BlackHistoryMonth: Physicist, Carolyn Beatrice Parker - a remarkable woman, whose long-lost story shows how much work\u2026",
"user.screen_name": "tkingdot"
},
{
"created_at": "Mon Feb 12 00:25:57 +0000 2018",
"id": 962845193077604352,
"text": "RT @FunctorFact: Functional differential geometry https://t.co/Xq4vPRD2AB",
"user.screen_name": "reeds_michael"
},
{
"created_at": "Mon Feb 12 00:25:45 +0000 2018",
"id": 962845142515404800,
"text": "RT @scratch: Scratch Days can be large or small, for beginners and for more experienced Scratchers. Find a Scratch Day in your community, o\u2026",
"user.screen_name": "mmc955"
},
{
"created_at": "Mon Feb 12 00:25:09 +0000 2018",
"id": 962844993735020546,
"text": "RT @scratch: Scratch Day is a global network of events that celebrates Scratch. This year's Scratch Day is on May 12, 2018. Visit https://t\u2026",
"user.screen_name": "gigabytemag"
},
{
"created_at": "Mon Feb 12 00:25:00 +0000 2018",
"id": 962844952303689729,
"text": "RT @scratch: Scratch Days can be large or small, for beginners and for more experienced Scratchers. Find a Scratch Day in your community, o\u2026",
"user.screen_name": "gigabytemag"
},
{
"created_at": "Mon Feb 12 00:24:56 +0000 2018",
"id": 962844938865205250,
"text": "RT @mitmeche: The latest issue of MechE Connects is now online! Hear from our faculty members, students, and alumni about how they are appl\u2026",
"user.screen_name": "gigabytemag"
},
{
"created_at": "Mon Feb 12 00:24:52 +0000 2018",
"id": 962844920791883776,
"text": "RT @MIT: MIT engineers make microfluidics modular using the popular interlocking blocks. https://t.co/DDcxeTCVvC https://t.co/8vH5DxYZow",
"user.screen_name": "gigabytemag"
},
{
"created_at": "Mon Feb 12 00:24:49 +0000 2018",
"id": 962844907080740864,
"text": "One of the first things I would like to see Dr. Polio do is institute a challenge much like Boston Public Schools d\u2026 https://t.co/1NiHLloPyI",
"user.screen_name": "kycoffeeguy"
},
{
"created_at": "Mon Feb 12 00:24:46 +0000 2018",
"id": 962844893688279040,
"text": "RT @mitenergy: MIT's Translational Fellows Program, founded by @RLEatMIT Director Yoel Fink, helps #postdocs bring their innovations out of\u2026",
"user.screen_name": "gigabytemag"
},
{
"created_at": "Mon Feb 12 00:24:43 +0000 2018",
"id": 962844884154675200,
"text": "RT @WE_BAP_US: Dr. #ShirleyJackson the first African-American woman to have earned a doctorate at the MIT.\n\n#BlackAndProud #BlackWomen #Bla\u2026",
"user.screen_name": "DavisKimbrely"
},
{
"created_at": "Mon Feb 12 00:24:40 +0000 2018",
"id": 962844868371472384,
"text": "RT @MIT: Be sure to root for MIT alumni competing in the 2018 Winter Olympics! \ud83e\udd47\ud83e\udd48\ud83e\udd49 The opening ceremony is tonight at 8 ET https://t.co/9l\u2026",
"user.screen_name": "gigabytemag"
},
{
"created_at": "Mon Feb 12 00:24:39 +0000 2018",
"id": 962844863967518721,
"text": "RT @scratch: Scratch Days can be large or small, for beginners and for more experienced Scratchers. Find a Scratch Day in your community, o\u2026",
"user.screen_name": "scratch"
},
{
"created_at": "Mon Feb 12 00:24:23 +0000 2018",
"id": 962844800230809600,
"text": "\"Find Your Own Way...\" #LeonardNimoy\n\nvia @10MillionMiler #quote #leadership #entrepreneur #startups RT @MIT\u2026 https://t.co/9JyLDLAIwu",
"user.screen_name": "elaine_perry"
},
{
"created_at": "Mon Feb 12 00:24:22 +0000 2018",
"id": 962844794631348224,
"text": "RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/lg2RZ9eUnd\u2026",
"user.screen_name": "RobynPope83"
},
{
"created_at": "Mon Feb 12 00:24:16 +0000 2018",
"id": 962844769079541760,
"text": "RT @mitsmr: Keep this chart handy when you're Identifying potential #leaders in your company. https://t.co/WHj7CM39AJ #management https://\u2026",
"user.screen_name": "meadowsalestech"
},
{
"created_at": "Mon Feb 12 00:24:11 +0000 2018",
"id": 962844748716355584,
"text": "@DieElbmerle go pls und bring hustenstiller mit ^^",
"user.screen_name": "Drachenkatze"
},
{
"created_at": "Mon Feb 12 00:24:07 +0000 2018",
"id": 962844732748648449,
"text": "In 1945, Vannevar Bush described the semantic web in his article \"As We May Think\". Thanks @MIT for publishing a pd\u2026 https://t.co/hoSrU4S3rb",
"user.screen_name": "UXDiane"
},
{
"created_at": "Mon Feb 12 00:23:27 +0000 2018",
"id": 962844564896624645,
"text": "RT @skocharlakota: Happening now - @msisodia taking questions from MIT students. https://t.co/bArfCC0SFu",
"user.screen_name": "AAP4ODISHA"
},
{
"created_at": "Mon Feb 12 00:23:03 +0000 2018",
"id": 962844464703332358,
"text": "Solid is an exciting new project led by Prof. Tim Berners-Lee https://t.co/ZIOC87yb1Z (https://t.co/LOoxwQ6lBP)",
"user.screen_name": "hn_bot_top1"
},
{
"created_at": "Mon Feb 12 00:22:51 +0000 2018",
"id": 962844412194836482,
"text": "Bald ABO ZOCKEN ! Fortnite Live mit Facecam!: https://t.co/b40edjdkhA via @YouTube",
"user.screen_name": "RobsTV_"
},
{
"created_at": "Mon Feb 12 00:22:42 +0000 2018",
"id": 962844373384916992,
"text": "Ex-Alphabet Chairman Joins MIT As Visiting Innovation Fellow - Former Executive Chairman of G https://t.co/buZIOTB8nq #machine-learning",
"user.screen_name": "homeAIinfo"
},
{
"created_at": "Mon Feb 12 00:22:29 +0000 2018",
"id": 962844318774960128,
"text": "RT @mitsmr: 3 new types of AI-driven jobs \n1. Trainers teach AI systems how to perform\n2. Explainers clarify the inner workings of complex\u2026",
"user.screen_name": "8sanjay"
},
{
"created_at": "Mon Feb 12 00:22:08 +0000 2018",
"id": 962844233190334464,
"text": "JUNGE WAS SOLL ICH MIT DENEN FUCK 3RD ANNIVERSAFY https://t.co/pNDSOFGZXq",
"user.screen_name": "AntiLPaz"
},
{
"created_at": "Mon Feb 12 00:21:46 +0000 2018",
"id": 962844139166420992,
"text": "Solid is an exciting new project led by Prof. Tim Berners-Lee https://t.co/MQNSxpDl0m",
"user.screen_name": "angsuman"
},
{
"created_at": "Mon Feb 12 00:21:44 +0000 2018",
"id": 962844131876917248,
"text": "RT @lotzrickards: felicity: felicity smoak, MIT class of 09\noliver: https://t.co/DRpcvdeCK4",
"user.screen_name": "killyamax"
},
{
"created_at": "Mon Feb 12 00:21:14 +0000 2018",
"id": 962844004227444736,
"text": "@dialogic01 bring die uke mit",
"user.screen_name": "TheGurkenkaiser"
},
{
"created_at": "Mon Feb 12 00:20:55 +0000 2018",
"id": 962843925483409413,
"text": "RT @FraHofm: \"MIT biological engineers have created a programming language that allows them to rapidly design complex, DNA-encoded circuits\u2026",
"user.screen_name": "FlyingTigerComx"
},
{
"created_at": "Mon Feb 12 00:20:06 +0000 2018",
"id": 962843721007030272,
"text": "HNews: Solid is an exciting new project led by Prof. Tim Berners-Lee https://t.co/NBuMhRNWws",
"user.screen_name": "tek_news"
},
{
"created_at": "Mon Feb 12 00:20:02 +0000 2018",
"id": 962843702803795968,
"text": "Solid is an exciting new project led by Prof. Tim Berners-Lee: https://t.co/3Ta8UKQhzx Comments: https://t.co/j4YWR4hrHf",
"user.screen_name": "HNTweets"
},
{
"created_at": "Mon Feb 12 00:19:43 +0000 2018",
"id": 962843624533831680,
"text": "I liked a @YouTube video https://t.co/NF786iY9Wy KS Mafia - La fiesta (Ich fick dich mit dem Satansschuh)",
"user.screen_name": "lilskyxo"
},
{
"created_at": "Mon Feb 12 00:19:31 +0000 2018",
"id": 962843572360839171,
"text": "@ladygagarmx wird recreated mit debby",
"user.screen_name": "dasgrizzlylied"
},
{
"created_at": "Mon Feb 12 00:18:56 +0000 2018",
"id": 962843427481141253,
"text": "Facial recognition software is biased towards white men, researcher finds https://t.co/XKQuIhltyB via @Verge",
"user.screen_name": "LaurenGoode"
},
{
"created_at": "Mon Feb 12 00:18:49 +0000 2018",
"id": 962843399857504256,
"text": "RT @cashjim: Which function is better at generating primes: f(n) = 1 + 6n or f(m) = 5 + 6m? @MatthewOldridge @dtangred @lisaannefloyd @mr\u2026",
"user.screen_name": "lisaannefloyd"
},
{
"created_at": "Mon Feb 12 00:18:34 +0000 2018",
"id": 962843335240093696,
"text": "RT @mitsmr: People who are \u201cdifferent\u201d \u2014whether behaviorally or neurologically\u2014 don\u2019t always fit into standard job categories. But if you c\u2026",
"user.screen_name": "ritamakai"
},
{
"created_at": "Mon Feb 12 00:18:29 +0000 2018",
"id": 962843314948108289,
"text": "RT @cashjim: Which function is better at generating primes: f(n) = 1 + 6n or f(m) = 5 + 6m? @MatthewOldridge @dtangred @lisaannefloyd @mr\u2026",
"user.screen_name": "dtangred"
},
{
"created_at": "Mon Feb 12 00:18:22 +0000 2018",
"id": 962843284392509440,
"text": "felicity: felicity smoak, MIT class of 09\noliver: https://t.co/DRpcvdeCK4",
"user.screen_name": "lotzrickards"
},
{
"created_at": "Mon Feb 12 00:18:20 +0000 2018",
"id": 962843277765603328,
"text": "Solid is an exciting new project led by Prof. Tim Berners-Lee https://t.co/1jQSpNoyqu",
"user.screen_name": "neuropuff"
},
{
"created_at": "Mon Feb 12 00:18:17 +0000 2018",
"id": 962843263362244608,
"text": "RT @catherinealonz0: Navigating how to manage your virtual team? These practices can help your #organization succeed at its remote policy:\u2026",
"user.screen_name": "ChiefData2"
},
{
"created_at": "Mon Feb 12 00:18:04 +0000 2018",
"id": 962843207217262593,
"text": "RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/lg2RZ9eUnd\u2026",
"user.screen_name": "michavinogrado1"
},
{
"created_at": "Mon Feb 12 00:17:38 +0000 2018",
"id": 962843101919432704,
"text": "RT @MITengineers: MIT men's volleyball improved to 8-1 this season with a thrilling five set win over St. John Fisher this afternoon! http\u2026",
"user.screen_name": "NoontimeSports"
},
{
"created_at": "Mon Feb 12 00:17:11 +0000 2018",
"id": 962842987150548993,
"text": "SUPERDRY Angebote Superdry Warriors Biker T-Shirt: Category: Herren / T-Shirts / T-Shirt mit Print Item number: 104\u2026 https://t.co/MxYmrna5sW",
"user.screen_name": "SparVolltreffer"
},
{
"created_at": "Mon Feb 12 00:16:58 +0000 2018",
"id": 962842933966843904,
"text": "ameteur sex pics ask sexi kostenlos sex mit tire https://t.co/jmjRGseXmO",
"user.screen_name": "hmoddi1_hmoddi"
},
{
"created_at": "Mon Feb 12 00:16:14 +0000 2018",
"id": 962842747798523904,
"text": "RT @mitsmr: When it comes to digital transformation, #digital isn't the answer. Transformation is. https://t.co/wKK3hp1lgZ @gwesterman @mit\u2026",
"user.screen_name": "Carlos079"
},
{
"created_at": "Mon Feb 12 00:15:42 +0000 2018",
"id": 962842614625169409,
"text": "RT @YouBrandInc: Facial recognition software is biased towards white men, researcher finds - New research out of MIT\u2019s Media Lab... https:/\u2026",
"user.screen_name": "Luiscoutio06"
},
{
"created_at": "Mon Feb 12 00:15:06 +0000 2018",
"id": 962842461147049984,
"text": "Solid is an exciting new project led by Prof. Tim Berners-Lee \n(Discussion on HN - https://t.co/k4FjTUNhNJ) https://t.co/55gQOKiwYh",
"user.screen_name": "hnbot"
},
{
"created_at": "Mon Feb 12 00:15:01 +0000 2018",
"id": 962842442851602432,
"text": "Solid is an exciting new project led by Prof. Tim Berners-Lee : https://t.co/vKgJ70lseW Comments: https://t.co/EbejLVSo75",
"user.screen_name": "hacker_news_hir"
},
{
"created_at": "Mon Feb 12 00:14:22 +0000 2018",
"id": 962842278015287297,
"text": "RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/fQ1IKfcpVW\u2026",
"user.screen_name": "RobynPope83"
},
{
"created_at": "Mon Feb 12 00:14:01 +0000 2018",
"id": 962842190652129280,
"text": "Cmon @ferrarifoster don't be the next Aldon Smith for us \ud83e\udd26\u200d\u2642\ufe0f",
"user.screen_name": "Mit_ch_ell"
},
{
"created_at": "Mon Feb 12 00:13:32 +0000 2018",
"id": 962842069172719616,
"text": "Solid is an exciting new project led by Prof. Tim Berners-Lee https://t.co/TIWM40kZDQ (cmts https://t.co/ZRQBtKXyE4)",
"user.screen_name": "newsycbot"
},
{
"created_at": "Mon Feb 12 00:13:23 +0000 2018",
"id": 962842032359333888,
"text": "RT @SteveCase: Is tech dividing America? https://t.co/sMTVRWErsX \u201cThere are 2 schools of thought: One is \u2018sky is falling & robots are comi\u2026",
"user.screen_name": "AshekulHuq"
},
{
"created_at": "Mon Feb 12 00:13:06 +0000 2018",
"id": 962841957306421248,
"text": "RT @gbaucom: Meet the biologist who got MIT to examine its treatment of women researchers - via @techreview https://t.co/c6JqibvhkQ //I rec\u2026",
"user.screen_name": "RixeyMegan"
},
{
"created_at": "Mon Feb 12 00:12:58 +0000 2018",
"id": 962841925639225344,
"text": "RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/fQ1IKfcpVW\u2026",
"user.screen_name": "ParisMahavira"
},
{
"created_at": "Mon Feb 12 00:12:04 +0000 2018",
"id": 962841699159457792,
"text": "RT @neha: First cryptocurrency class with @tdryja! https://t.co/6ERcuhvGBZ #MITDCI https://t.co/5EG8yvjlyZ",
"user.screen_name": "patmillertime"
},
{
"created_at": "Mon Feb 12 00:11:25 +0000 2018",
"id": 962841536542265344,
"text": "SPIELEN #Casino - 300% up to euro1200 on first 3 deposits mit #Timesquare - https://t.co/7LPT6ZLm1h https://t.co/G9NOTv3v9G",
"user.screen_name": "bestbetforyou"
},
{
"created_at": "Mon Feb 12 00:11:24 +0000 2018",
"id": 962841532180107265,
"text": "SPIELEN #Casino - 300% up to euro1200 on first 3 deposits mit #Timesquare - https://t.co/kxRpC4IB5R https://t.co/lbwI4Ksg9K",
"user.screen_name": "atticagambling"
},
{
"created_at": "Mon Feb 12 00:10:52 +0000 2018",
"id": 962841395802370049,
"text": "What to watch besides the athletes at Winter Olympics https://t.co/balAivNHQ3 via @mitsloan",
"user.screen_name": "BarbaraCoward"
},
{
"created_at": "Mon Feb 12 00:10:33 +0000 2018",
"id": 962841316618104832,
"text": "RT @HamillHimself: Today is the perfect day for letting @MarilouHamill know how grateful I am for having her in my life. She makes the ordi\u2026",
"user.screen_name": "mit_chell03"
},
{
"created_at": "Mon Feb 12 00:10:31 +0000 2018",
"id": 962841309420638208,
"text": "Solid is an exciting new project led by Prof. Tim Berners-Lee https://t.co/9XHMMmnSJz",
"user.screen_name": "zonadigitalPT"
},
{
"created_at": "Mon Feb 12 00:10:23 +0000 2018",
"id": 962841276851937280,
"text": "Solid is an exciting new project led by Prof. Tim Berners-Lee https://t.co/IdkmFmmpcb (cmts https://t.co/AchdqjIseZ)",
"user.screen_name": "FrontPageHN"
},
{
"created_at": "Mon Feb 12 00:10:02 +0000 2018",
"id": 962841185948614656,
"text": "\u23ec watch \u23ec\n\nhttps://t.co/WJfPsX8pLd\n\nfacesitting porn whipping femdom mistress slave bdsm domina xxx sex nsfw",
"user.screen_name": "shim1985sheila"
},
{
"created_at": "Mon Feb 12 00:09:56 +0000 2018",
"id": 962841160724176896,
"text": "RT @HarvardDivinity: \u201cSince meeting and befriending Larry Bacow over 25 years ago at MIT, I have had the privilege of working with one of t\u2026",
"user.screen_name": "hr072"
},
{
"created_at": "Mon Feb 12 00:09:25 +0000 2018",
"id": 962841033041051648,
"text": "RT @MITSloan: The idea of a universal basic income is not new, but the theory has never been thoroughly tested. A massive new study is abou\u2026",
"user.screen_name": "thedroneboy"
},
{
"created_at": "Mon Feb 12 00:09:24 +0000 2018",
"id": 962841027466924038,
"text": "SPIELEN #Casino - UP to GBP200 bonus 18+,Ts&Cs apply mit #Karamba - https://t.co/7SE0mNsTdz https://t.co/jz3QM9wCEn",
"user.screen_name": "bestbetforyou"
},
{
"created_at": "Mon Feb 12 00:09:23 +0000 2018",
"id": 962841022979100673,
"text": "SPIELEN #Casino - UP to GBP200 bonus 18+,Ts&Cs apply mit #Karamba - https://t.co/TGFW5TK5TQ https://t.co/E7TNcRe6De",
"user.screen_name": "atticagambling"
},
{
"created_at": "Mon Feb 12 00:09:02 +0000 2018",
"id": 962840937473892352,
"text": "RT @mitsmr: Keep this chart handy when you're Identifying potential #leaders in your company. https://t.co/WHj7CM39AJ #management https://\u2026",
"user.screen_name": "nancyrubin"
},
{
"created_at": "Mon Feb 12 00:09:01 +0000 2018",
"id": 962840932432449538,
"text": "Solid is an exciting new project led by Prof. Tim Berners-Lee\nL: https://t.co/aZqVHJ2niu\nC: https://t.co/12fvh74TV1",
"user.screen_name": "hn_frontpage"
},
{
"created_at": "Mon Feb 12 00:09:00 +0000 2018",
"id": 962840927625605120,
"text": "RT @joshgerstein: New Harvard president & MIT frat brother on policy punishing membership in single-sex organizations: 'It's the right one\u2026",
"user.screen_name": "EggRetweet"
},
{
"created_at": "Mon Feb 12 00:08:43 +0000 2018",
"id": 962840854338486272,
"text": "RT @MITSloan: Still don't understand blockchain? You're not alone. https://t.co/fInM4OoA2E",
"user.screen_name": "farrasharahap"
},
{
"created_at": "Mon Feb 12 00:08:27 +0000 2018",
"id": 962840787435343872,
"text": "RT @mathematicsprof: I hope every math student knows about MIT's Mathlets that gives animations of many math concepts. https://t.co/3Jtc1b\u2026",
"user.screen_name": "amaatouq"
},
{
"created_at": "Mon Feb 12 00:08:15 +0000 2018",
"id": 962840736868728833,
"text": "#Doppel penetration #mit #Andy Anderson #jvswzizy https://t.co/Ea2o7zMdqL",
"user.screen_name": "rDdECJ5u6BAogvs"
},
{
"created_at": "Mon Feb 12 00:08:05 +0000 2018",
"id": 962840696175542273,
"text": "Sparkles Make It Special Coupon Code 10 USD!: Promotion at Sparkles Make It Special: 10 USD off 50 USD with code. C\u2026 https://t.co/uaDVNGW47y",
"user.screen_name": "coupons_u_need"
},
{
"created_at": "Mon Feb 12 00:08:04 +0000 2018",
"id": 962840694644621314,
"text": "Sparkles Make It Special Discount Code 5 USD!: Promotion at Sparkles Make It Special: 5 USD off 25 USD on all Organ\u2026 https://t.co/XR8iPTgNGK",
"user.screen_name": "coupons_u_need"
},
{
"created_at": "Mon Feb 12 00:07:26 +0000 2018",
"id": 962840532178427905,
"text": "RT @SJPSwimCoach: A man of few words: Senior Max Scalley tells us the best part about diving at the 2018 MIAA North Sectionals at MIT. Go\u2026",
"user.screen_name": "leavitt_dylan5"
},
{
"created_at": "Mon Feb 12 00:07:22 +0000 2018",
"id": 962840518211309568,
"text": "SPIELEN #Casino - Up to GBP1000 Welcome bonus 18+,Ts&Cs apply mit #Affpower - https://t.co/AkIJ6dBq69 https://t.co/Wf3d18VQlV",
"user.screen_name": "bestbetforyou"
},
{
"created_at": "Mon Feb 12 00:07:21 +0000 2018",
"id": 962840514025357312,
"text": "RT @TurkHeritage: On International #WomenInScience Day, listen to Turkish MIT @medialab faculty member Dr. Canan Dagdeviren talk at the UN\u2026",
"user.screen_name": "TrendNe_"
},
{
"created_at": "Mon Feb 12 00:07:21 +0000 2018",
"id": 962840513941524482,
"text": "SPIELEN #Casino - Up to GBP1000 Welcome bonus 18+,Ts&Cs apply mit #Affpower - https://t.co/nY4UwB6IAC https://t.co/5T6r4TjWfS",
"user.screen_name": "atticagambling"
},
{
"created_at": "Mon Feb 12 00:07:20 +0000 2018",
"id": 962840507146756097,
"text": "#Neu\n\nHeavy Metal TV 2018 M\u00e4rz\n\nmit:\nBilly Idol\n\nDazed and Confused\n\nWoodstock 15.08.1969\n\nEasy Rider Movie\n\nIan... https://t.co/YmWDfXYAZJ",
"user.screen_name": "HansHeavyMetal"
},
{
"created_at": "Mon Feb 12 00:07:01 +0000 2018",
"id": 962840426603597825,
"text": "RT @girlposts: Someone brought their bear to the mall. https://t.co/JMIyG51auS",
"user.screen_name": "Mit_540"
},
{
"created_at": "Mon Feb 12 00:06:25 +0000 2018",
"id": 962840275772149760,
"text": "RT @ansontm: 2. Dopest family in America https://t.co/t6tRR9qGCF",
"user.screen_name": "Mit_540"
},
{
"created_at": "Mon Feb 12 00:05:21 +0000 2018",
"id": 962840009475788801,
"text": "SPIELEN #Casino - Get up to GBP2000 Welcome bonus 18+,Ts&Cs apply mit #Affpower - https://t.co/BCTDq1ieuw https://t.co/qYo9GMD5jp",
"user.screen_name": "bestbetforyou"
},
{
"created_at": "Mon Feb 12 00:05:20 +0000 2018",
"id": 962840003343765504,
"text": "SPIELEN #Casino - Get up to GBP2000 Welcome bonus 18+,Ts&Cs apply mit #Affpower - https://t.co/n6JE8kkvuv https://t.co/b3AXNk0lKC",
"user.screen_name": "atticagambling"
},
{
"created_at": "Mon Feb 12 00:05:05 +0000 2018",
"id": 962839943633625088,
"text": "Keep this chart handy when you're Identifying potential #leaders in your company. https://t.co/WHj7CM39AJ\u2026 https://t.co/XXUDkPJjqk",
"user.screen_name": "mitsmr"
},
{
"created_at": "Mon Feb 12 00:04:44 +0000 2018",
"id": 962839853762260992,
"text": "RT @FlLMGRAIN: when crew love starts https://t.co/oqahYlnjwC",
"user.screen_name": "Mit_540"
},
{
"created_at": "Mon Feb 12 00:04:37 +0000 2018",
"id": 962839824356069376,
"text": "RT @BAP_US: Dr. #ShirleyJackson the first African-American woman to have earned a doctorate at the MIT.\n\n#BlackAndProud #BlackWomen #BlackE\u2026",
"user.screen_name": "ChxJenn"
},
{
"created_at": "Mon Feb 12 00:03:52 +0000 2018",
"id": 962839635868217344,
"text": "RT @finah: What Rihanna sounds like in Needed Me slowed down \ud83d\ude33 https://t.co/0jEsxjlqr3",
"user.screen_name": "Mit_540"
},
{
"created_at": "Mon Feb 12 00:03:39 +0000 2018",
"id": 962839580159500288,
"text": "RT @MichaelTripper: Page preparing readers for the next one:\nhttps://t.co/esmsdW8EZ3\nThe Hook, the actual #wtf for a #scientist, mass #medi\u2026",
"user.screen_name": "everburningfire"
},
{
"created_at": "Mon Feb 12 00:03:39 +0000 2018",
"id": 962839579266027520,
"text": "RT @lithiumforum: New independent study of #ICCT shows: #EV much better for climate than ICE. No surprise, but some lobbyists still distrib\u2026",
"user.screen_name": "01moreland10"
},
{
"created_at": "Mon Feb 12 00:03:38 +0000 2018",
"id": 962839576149725184,
"text": "RT @Syzdem: ADHS mit @Imprezziv\n\nhttps://t.co/R40zOKoH0r https://t.co/ZUTIAIEl32",
"user.screen_name": "Syzdem"
},
{
"created_at": "Mon Feb 12 00:03:25 +0000 2018",
"id": 962839522982719488,
"text": "#hot #redhead amateur #blowjob mit #cumshot https://t.co/6213Wegj0u",
"user.screen_name": "WnURm8yiEjCdO5w"
},
{
"created_at": "Mon Feb 12 00:03:21 +0000 2018",
"id": 962839504234172417,
"text": "RT @akwyz: Surviving a Day Without Smartphones https://t.co/iQXbYrRbKz",
"user.screen_name": "Lord_Sirjs"
},
{
"created_at": "Mon Feb 12 00:03:12 +0000 2018",
"id": 962839467995336704,
"text": "@BleacherReport This is the 3rd time in the last month I've seen him toss the ball towards someone with some sort o\u2026 https://t.co/l68DjluWwo",
"user.screen_name": "ffulC_miT"
},
{
"created_at": "Mon Feb 12 00:03:10 +0000 2018",
"id": 962839458415566848,
"text": "RT @Syzdem: ADHS 2.0 mit @Imprezziv\n\nhttps://t.co/R40zOKoH0r https://t.co/Dhgp5qdVyV",
"user.screen_name": "Syzdem"
},
{
"created_at": "Mon Feb 12 00:02:43 +0000 2018",
"id": 962839344187879425,
"text": "Surviving a Day Without Smartphones https://t.co/iQXbYrRbKz",
"user.screen_name": "akwyz"
},
{
"created_at": "Mon Feb 12 00:02:05 +0000 2018",
"id": 962839187723554821,
"text": "Ficken #mit #meiner #Freundin in Yogahosen https://t.co/LWhSbejZh8",
"user.screen_name": "huber_eldridge"
},
{
"created_at": "Mon Feb 12 00:01:54 +0000 2018",
"id": 962839139136823296,
"text": "RT @kweintraub: Harvard names Larry Bacow its next president. Son of immigrants, former head of Tufts, and Professor of Environmental Studi\u2026",
"user.screen_name": "AliciaBlatchfor"
},
{
"created_at": "Mon Feb 12 00:01:37 +0000 2018",
"id": 962839068475314177,
"text": "RT @StanM3: Germany- Afghan(19) stabbed his ex-girlfriend(23) in the shoulder and fled. The police had been called because of domestic viol\u2026",
"user.screen_name": "Halo5_"
},
{
"created_at": "Mon Feb 12 00:01:31 +0000 2018",
"id": 962839042571358208,
"text": "RT @MITSloan: The idea of a universal basic income is not new, but the theory has never been thoroughly tested. A massive new study is abou\u2026",
"user.screen_name": "AshishHosalkar"
},
{
"created_at": "Mon Feb 12 00:00:56 +0000 2018",
"id": 962838895481278464,
"text": "RT @mitsmr: Take a few minutes to read this classic: The Nine Elements of Digital Transformation: https://t.co/FBFlzQbwQF #digitaltransfor\u2026",
"user.screen_name": "Juanbg"
},
{
"created_at": "Mon Feb 12 00:00:45 +0000 2018",
"id": 962838853227876352,
"text": "RT @joshgerstein: New Harvard president & MIT frat brother on policy punishing membership in single-sex organizations: 'It's the right one\u2026",
"user.screen_name": "lvbgal"
},
{
"created_at": "Mon Feb 12 00:00:39 +0000 2018",
"id": 962838826547892225,
"text": "#Update\n\nHeavy Metal TV 2018 Februar\n\nmit:\nSteven Tyler (Aerosmith) \n\nGene Simmons (KISS) \n\nWolveSpirit... https://t.co/O66eS2suMa",
"user.screen_name": "HansHeavyMetal"
},
{
"created_at": "Mon Feb 12 00:00:19 +0000 2018",
"id": 962838743873826816,
"text": "MIT created the smart home app of the future https://t.co/9jbJI5lM4m",
"user.screen_name": "KlinikuNet"
},
{
"created_at": "Mon Feb 12 00:00:19 +0000 2018",
"id": 962838741026033664,
"text": "Live mit CoD WW2 https://t.co/knqiDSYTBq #CoD #MWR #twitch",
"user.screen_name": "cr4sher619Fritz"
},
{
"created_at": "Mon Feb 12 00:00:02 +0000 2018",
"id": 962838669257314304,
"text": "RT @MITSloan: The idea of a universal basic income is not new, but the theory has never been thoroughly tested. A massive new study is abou\u2026",
"user.screen_name": "Rod_Pardo"
},
{
"created_at": "Sun Feb 11 23:59:21 +0000 2018",
"id": 962838499333255168,
"text": "RT @MITSloan: \u201cThe Olympic host city loses money on the venture.\u201d https://t.co/JoFh4VZF8x https://t.co/sioocepgZj",
"user.screen_name": "megumitakata"
},
{
"created_at": "Sun Feb 11 23:59:12 +0000 2018",
"id": 962838463086190592,
"text": "@haydentiff @pl_mothergoose please don\u2019t without reading this first. many have tried to bash $IOTA. they all failed\u2026 https://t.co/xGXXcoVXFw",
"user.screen_name": "c4chaos"
},
{
"created_at": "Sun Feb 11 23:59:04 +0000 2018",
"id": 962838428717957120,
"text": "Page preparing readers for the next one:\nhttps://t.co/esmsdW8EZ3\nThe Hook, the actual #wtf for a #scientist, mass\u2026 https://t.co/VKj6IIXfuv",
"user.screen_name": "MichaelTripper"
},
{
"created_at": "Sun Feb 11 23:58:36 +0000 2018",
"id": 962838311948742656,
"text": "@NetflixMulhouse @MsEmmaPeele @CRUSADER0fTRUTH @louann_rolph @hereticornot @CentaurSteed @deadheadsticker\u2026 https://t.co/7Dvq1CuJgl",
"user.screen_name": "MarionF74"
},
{
"created_at": "Sun Feb 11 23:58:17 +0000 2018",
"id": 962838230600007680,
"text": "@beauty_b_me @karawalker_art @ngadc https://t.co/fZTGtnPITS https://t.co/eoyWYUCu7R I recommend emailing the\u2026 https://t.co/QgR9G27UH5",
"user.screen_name": "PeripateticMe"
},
{
"created_at": "Sun Feb 11 23:57:30 +0000 2018",
"id": 962838032956121088,
"text": "RT @ThomasWictor: (10) Turkey did exactly the same thing when reporters revealed that the \nNational Intelligence Organization (MIT) was fun\u2026",
"user.screen_name": "DavyJonesPizza"
},
{
"created_at": "Sun Feb 11 23:57:11 +0000 2018",
"id": 962837954702991362,
"text": "RT @joshgerstein: New Harvard president & MIT frat brother on policy punishing membership in single-sex organizations: 'It's the right one\u2026",
"user.screen_name": "jeanee5TAM"
},
{
"created_at": "Sun Feb 11 23:57:06 +0000 2018",
"id": 962837932049555456,
"text": "MIT 6.S191: Introduction to Deep Learning(19):https://t.co/5PyyZi6tps",
"user.screen_name": "kogatake"
},
{
"created_at": "Sun Feb 11 23:56:36 +0000 2018",
"id": 962837805054513157,
"text": "RT @dark_shark: How Rocket Science And Early Computer Music Converged At Bell Labs by #MaxMathews #IBM #MIT @geetadayal https://t.co/msjR9E\u2026",
"user.screen_name": "TurneReeves"
},
{
"created_at": "Sun Feb 11 23:56:34 +0000 2018",
"id": 962837796653289473,
"text": "RT @mitsmr: If your company has rigid timelines about promotions and salary raises, you will lose valuable talent https://t.co/GAJNArfr0B",
"user.screen_name": "DaphneHalkias"
},
{
"created_at": "Sun Feb 11 23:55:57 +0000 2018",
"id": 962837642143346688,
"text": "@BioRender 1. My sister @kaymtye whose lab studies how emotional & motivational states influence behavior at MIT. \ud83d\ude0d\u2026 https://t.co/O4hFreGOGS",
"user.screen_name": "lynnetye"
},
{
"created_at": "Sun Feb 11 23:55:44 +0000 2018",
"id": 962837588737445894,
"text": "I just released a #frontend for Nu #Html #Checker written with HTML5 / CSS3 / Javascript. You can do bulk validatio\u2026 https://t.co/yWEXxGTXdB",
"user.screen_name": "BeFiveINFO"
},
{
"created_at": "Sun Feb 11 23:55:32 +0000 2018",
"id": 962837540129689600,
"text": "40 kWh and #V2G ready: Very good!\n#nissan #range #cube\nhttps://t.co/tm7D45aA7b",
"user.screen_name": "PeterLoeck"
},
{
"created_at": "Sun Feb 11 23:55:19 +0000 2018",
"id": 962837485544931328,
"text": "mit Knibbol! https://t.co/FHKfueK8MQ",
"user.screen_name": "Hack_Dedrul"
},
{
"created_at": "Sun Feb 11 23:53:46 +0000 2018",
"id": 962837095562715137,
"text": "Asggee https://t.co/H6PCOqtfTZ",
"user.screen_name": "LarryTasse"
},
{
"created_at": "Sun Feb 11 23:53:36 +0000 2018",
"id": 962837051937665025,
"text": "RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/lg2RZ9eUnd\u2026",
"user.screen_name": "BuanaFrank3"
},
{
"created_at": "Sun Feb 11 23:53:11 +0000 2018",
"id": 962836947084435457,
"text": "RT @MITSloan: The idea of a universal basic income is not new, but the theory has never been thoroughly tested. A massive new study is abou\u2026",
"user.screen_name": "2be_here"
},
{
"created_at": "Sun Feb 11 23:53:01 +0000 2018",
"id": 962836904428359681,
"text": "@DieBatsuDie *yoda dabs*",
"user.screen_name": "mit_ouo"
},
{
"created_at": "Sun Feb 11 23:52:29 +0000 2018",
"id": 962836770705506305,
"text": "RT @MITSloan: The idea of a universal basic income is not new, but the theory has never been thoroughly tested. A massive new study is abou\u2026",
"user.screen_name": "diaviv"
},
{
"created_at": "Sun Feb 11 23:52:26 +0000 2018",
"id": 962836759116595200,
"text": "RT @mitsmr: People who are \u201cdifferent\u201d \u2014whether behaviorally or neurologically\u2014 don\u2019t always fit into standard job categories. But if you c\u2026",
"user.screen_name": "meadowsalestech"
},
{
"created_at": "Sun Feb 11 23:52:03 +0000 2018",
"id": 962836662744158208,
"text": "@lad1121 @dqjul @BrianKempGA @FultonGOP @MIT Go back to Chicago you snowflake",
"user.screen_name": "RobertJonesJr12"
},
{
"created_at": "Sun Feb 11 23:51:43 +0000 2018",
"id": 962836578858143746,
"text": "RT @MITSloan: The idea of a universal basic income is not new, but the theory has never been thoroughly tested. A massive new study is abou\u2026",
"user.screen_name": "TammyBo35924315"
},
{
"created_at": "Sun Feb 11 23:51:07 +0000 2018",
"id": 962836425266868226,
"text": "RT @CCollinsPhD: TRAILBLAZERS: Nuclear physicist and engineer, Dr. Shirley A. Jackson, was the 1st African-American woman to earn a Ph.D. @\u2026",
"user.screen_name": "DrEFleming7"
},
{
"created_at": "Sun Feb 11 23:51:02 +0000 2018",
"id": 962836406522515456,
"text": "RT @dandyliving: Fasching mit @namenlos4 \ud83d\ude0d https://t.co/2hRAjHhXUS",
"user.screen_name": "VCrncec"
},
{
"created_at": "Sun Feb 11 23:51:00 +0000 2018",
"id": 962836398842744832,
"text": "The idea of a universal basic income is not new, but the theory has never been thoroughly tested. A massive new stu\u2026 https://t.co/NY8zOBOEVt",
"user.screen_name": "MITSloan"
},
{
"created_at": "Sun Feb 11 23:50:10 +0000 2018",
"id": 962836188385107968,
"text": "RT @kendricklamar: Black Panther \n\nRespect to all the artist/producers that allowed me to execute a sound for the soundtrack.\n\nThe concept\u2026",
"user.screen_name": "Mit_ch_ell"
},
{
"created_at": "Sun Feb 11 23:49:48 +0000 2018",
"id": 962836093954478080,
"text": "RT @mitsmr: \u201cThe \u2018blame\u2019 culture that permeates most organizations paralyzes decision makers so much that they don\u2019t take chances and they\u2026",
"user.screen_name": "Duckydoodle18"
},
{
"created_at": "Sun Feb 11 23:49:31 +0000 2018",
"id": 962836025566531584,
"text": "RT @ProfBuehlerMIT: Registration now open for the Materials By Design short course @MIT this summer: Learn how multiscale simulation is use\u2026",
"user.screen_name": "CSHub_MIT"
},
{
"created_at": "Sun Feb 11 23:49:23 +0000 2018",
"id": 962835991714246657,
"text": "RT @MIT: Shirley Ann Jackson '68 PhD '73 was the first black woman to earn a doctorate from MIT. Jackson helped to bring about more diversi\u2026",
"user.screen_name": "SusanaPablo"
},
{
"created_at": "Sun Feb 11 23:49:02 +0000 2018",
"id": 962835902425980929,
"text": "Facial recognition software is biased towards white men, researcher finds https://t.co/KLeYD34Kdp",
"user.screen_name": "drinkncode"
},
{
"created_at": "Sun Feb 11 23:48:29 +0000 2018",
"id": 962835764445925376,
"text": "#HarvardUniversity Names Former .@TuftsUniversity President Lawrence S. Bacow To Lead University, spent 24 years at\u2026 https://t.co/w5hdjJqboL",
"user.screen_name": "finneyeric"
},
{
"created_at": "Sun Feb 11 23:48:22 +0000 2018",
"id": 962835736155377664,
"text": "Facial recognition software is biased towards white men, researcher finds https://t.co/E7mta8U40g via @Verge",
"user.screen_name": "AntoninPribetic"
},
{
"created_at": "Sun Feb 11 23:47:49 +0000 2018",
"id": 962835598657585152,
"text": "lowkey thinking about putting subs in the maro \ud83d\ude43",
"user.screen_name": "Taylor_Mit"
},
{
"created_at": "Sun Feb 11 23:47:09 +0000 2018",
"id": 962835428956131328,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "kellyandkids3"
},
{
"created_at": "Sun Feb 11 23:47:09 +0000 2018",
"id": 962835428876410887,
"text": "RT @MITengineers: MIT men's volleyball improved to 8-1 this season with a thrilling five set win over St. John Fisher this afternoon! http\u2026",
"user.screen_name": "TheUVC"
},
{
"created_at": "Sun Feb 11 23:47:09 +0000 2018",
"id": 962835427446071296,
"text": "RT @DrMattFinch: @alamw gently & lovingly sassing MIT reminds me of this project we did in Aussie - the one thing you can\u2019t hack in the USA\u2026",
"user.screen_name": "ebeh"
},
{
"created_at": "Sun Feb 11 23:47:07 +0000 2018",
"id": 962835422320758784,
"text": "RT @The_EmmaxD: I liked a @YouTube video https://t.co/a4pQcGKlZ6 Minecraft KLARO | Ententanz mit Unterhose | 02",
"user.screen_name": "IRTMC"
},
{
"created_at": "Sun Feb 11 23:47:01 +0000 2018",
"id": 962835396831870976,
"text": "RT @JuliaBrotherton: @Beverly_High Congrats to award winners Jennie Krigbaum, Laina Meagher, and Ibrahima Diagne, AND to the entire BHS de\u2026",
"user.screen_name": "APDestefano"
},
{
"created_at": "Sun Feb 11 23:46:54 +0000 2018",
"id": 962835366532194304,
"text": "RT @deeplearning4j: Pace Layering: How Complex Systems Learn and Keep Learning https://t.co/XysTbEoVZG",
"user.screen_name": "pranjaltandon2"
},
{
"created_at": "Sun Feb 11 23:46:52 +0000 2018",
"id": 962835356642152448,
"text": "RT @FisherAthletics: Men's Volleyball Outlasted By MIT In Five Set UVC Matchup https://t.co/ChyxbIlxuh",
"user.screen_name": "TheUVC"
},
{
"created_at": "Sun Feb 11 23:46:49 +0000 2018",
"id": 962835343140585473,
"text": "I liked a @YouTube video https://t.co/a4pQcGKlZ6 Minecraft KLARO | Ententanz mit Unterhose | 02",
"user.screen_name": "The_EmmaxD"
},
{
"created_at": "Sun Feb 11 23:46:40 +0000 2018",
"id": 962835307405217792,
"text": "RT @scratch: Scratch Days can be large or small, for beginners and for more experienced Scratchers. Find a Scratch Day in your community, o\u2026",
"user.screen_name": "shyduroff"
},
{
"created_at": "Sun Feb 11 23:46:37 +0000 2018",
"id": 962835294839083009,
"text": "#RonWhite https://t.co/9cgaaDF5Re This bioengineering technique removes/replace the genetic code for passing on cer\u2026 https://t.co/7FLNc5BObl",
"user.screen_name": "lazymanltd"
},
{
"created_at": "Sun Feb 11 23:46:28 +0000 2018",
"id": 962835254905069568,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "drgregjones"
},
{
"created_at": "Sun Feb 11 23:46:23 +0000 2018",
"id": 962835236043177984,
"text": "RT @LeadershipPros2: RT @mitsmr \"\u201cThe \u2018blame\u2019 culture that permeates most organizations paralyzes decision makers so much that they don\u2019t t\u2026",
"user.screen_name": "Duckydoodle18"
},
{
"created_at": "Sun Feb 11 23:46:23 +0000 2018",
"id": 962835233874890752,
"text": "New post: Rudolf Kingslake Medal awarded by SPIE for paper on space-based imaging Researchers at MIT have won th https://t.co/ArNLfccWc6",
"user.screen_name": "grp_net"
},
{
"created_at": "Sun Feb 11 23:46:17 +0000 2018",
"id": 962835211070291968,
"text": "@alamw gently & lovingly sassing MIT reminds me of this project we did in Aussie - the one thing you can\u2019t hack in\u2026 https://t.co/qhBXKe4zeQ",
"user.screen_name": "DrMattFinch"
},
{
"created_at": "Sun Feb 11 23:46:15 +0000 2018",
"id": 962835204183293952,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "allisongrrl"
},
{
"created_at": "Sun Feb 11 23:46:05 +0000 2018",
"id": 962835159618797568,
"text": "Electric Circuits | MIT OpenCourseWare | Free Online Course Materials https://t.co/Kg0vz02Oe5",
"user.screen_name": "Wire_Queen"
},
{
"created_at": "Sun Feb 11 23:45:59 +0000 2018",
"id": 962835133727498240,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "stevegagne99"
},
{
"created_at": "Sun Feb 11 23:45:58 +0000 2018",
"id": 962835131185672193,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "Nissan__Xterra"
},
{
"created_at": "Sun Feb 11 23:45:57 +0000 2018",
"id": 962835128383926272,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "RimboltBlack"
},
{
"created_at": "Sun Feb 11 23:45:56 +0000 2018",
"id": 962835120809037824,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "Toyota_Venza"
},
{
"created_at": "Sun Feb 11 23:45:46 +0000 2018",
"id": 962835082011652096,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "StewartJaxson"
},
{
"created_at": "Sun Feb 11 23:45:43 +0000 2018",
"id": 962835069944713216,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "HeavenGianna"
},
{
"created_at": "Sun Feb 11 23:45:42 +0000 2018",
"id": 962835062311006211,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "AsiliaZinsha"
},
{
"created_at": "Sun Feb 11 23:45:41 +0000 2018",
"id": 962835058368401408,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "PaulRees45"
},
{
"created_at": "Sun Feb 11 23:45:39 +0000 2018",
"id": 962835052731256833,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "AudreyPullman5"
},
{
"created_at": "Sun Feb 11 23:45:35 +0000 2018",
"id": 962835035995951105,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "BloggerLeeWhite"
},
{
"created_at": "Sun Feb 11 23:45:32 +0000 2018",
"id": 962835023656378368,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "StevenDavidso3"
},
{
"created_at": "Sun Feb 11 23:45:32 +0000 2018",
"id": 962835023232716800,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "VictorSmith67"
},
{
"created_at": "Sun Feb 11 23:45:31 +0000 2018",
"id": 962835019214540801,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "KathyEnzerink"
},
{
"created_at": "Sun Feb 11 23:45:29 +0000 2018",
"id": 962835007445323781,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "Raphaelle_Smith"
},
{
"created_at": "Sun Feb 11 23:45:26 +0000 2018",
"id": 962834996439416832,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "DavidHardacre7"
},
{
"created_at": "Sun Feb 11 23:45:25 +0000 2018",
"id": 962834994652737536,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "HarmonyEmilie"
},
{
"created_at": "Sun Feb 11 23:45:25 +0000 2018",
"id": 962834993130196992,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "JenniferAlsop7"
},
{
"created_at": "Sun Feb 11 23:45:25 +0000 2018",
"id": 962834991460900865,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "SamKelly63"
},
{
"created_at": "Sun Feb 11 23:45:16 +0000 2018",
"id": 962834956308434945,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "AlomoraSimslens"
},
{
"created_at": "Sun Feb 11 23:45:12 +0000 2018",
"id": 962834939342401537,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "BellaRoberts181"
},
{
"created_at": "Sun Feb 11 23:45:09 +0000 2018",
"id": 962834926839238656,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "JacobGrant31"
},
{
"created_at": "Sun Feb 11 23:45:05 +0000 2018",
"id": 962834908392632320,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "MarkWhite1983"
},
{
"created_at": "Sun Feb 11 23:44:58 +0000 2018",
"id": 962834881104482304,
"text": "RT @StanM3: Germany- Afghan(19) stabbed his ex-girlfriend(23) in the shoulder and fled. The police had been called because of domestic viol\u2026",
"user.screen_name": "andreasguenth22"
},
{
"created_at": "Sun Feb 11 23:44:55 +0000 2018",
"id": 962834865757462528,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "AkanshaDigital"
},
{
"created_at": "Sun Feb 11 23:44:49 +0000 2018",
"id": 962834843091402752,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "DollyRay1987"
},
{
"created_at": "Sun Feb 11 23:44:42 +0000 2018",
"id": 962834813517414400,
"text": "RT @Ehh_Le_Nah: When u peep ur boo like another girls pic on the tl https://t.co/IFx42pLtUc",
"user.screen_name": "_mit_mit"
},
{
"created_at": "Sun Feb 11 23:44:39 +0000 2018",
"id": 962834799378489344,
"text": "@Humbug0505 mit wem",
"user.screen_name": "Reppinum"
},
{
"created_at": "Sun Feb 11 23:44:37 +0000 2018",
"id": 962834792436953093,
"text": "Schrimps \ud83c\udf64 mit Broccoli \ud83e\udd66 Karotten \ud83e\udd55 und Bohnen \ud83d\udc4c\ud83c\udffd shrimp with broccoli carrots & beans\u2026 https://t.co/ahImvIePpS",
"user.screen_name": "MamaKukiTweets"
},
{
"created_at": "Sun Feb 11 23:44:36 +0000 2018",
"id": 962834788049563648,
"text": "RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/fQ1IKfcpVW\u2026",
"user.screen_name": "Jozef_Moffat_AI"
},
{
"created_at": "Sun Feb 11 23:44:33 +0000 2018",
"id": 962834773667233792,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "Michael_Jacobe"
},
{
"created_at": "Sun Feb 11 23:44:31 +0000 2018",
"id": 962834765836505089,
"text": "RT @DrHughHarvey: Didn\u2019t study deep learning at MIT?\n\nDon\u2019t worry - here\u2019s the entire course \n\nhttps://t.co/HTONtKKWWz https://t.co/bmbxY5u\u2026",
"user.screen_name": "dangrsmind"
},
{
"created_at": "Sun Feb 11 23:44:26 +0000 2018",
"id": 962834743820632064,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "DollyRayDigital"
},
{
"created_at": "Sun Feb 11 23:44:12 +0000 2018",
"id": 962834686614560768,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "SocialMedia_ist"
},
{
"created_at": "Sun Feb 11 23:44:08 +0000 2018",
"id": 962834670520971265,
"text": "RT @mitsmr: RT @MITSloan: There actually are enough hours in the day. Get more out of them with these 7 productivity tips from @Pozen. http\u2026",
"user.screen_name": "micki59806"
},
{
"created_at": "Sun Feb 11 23:43:58 +0000 2018",
"id": 962834628640784384,
"text": "\"It's really hard to relate to MIT\" https://t.co/VSBJ2rDsOc",
"user.screen_name": "The_Informaiden"
},
{
"created_at": "Sun Feb 11 23:43:55 +0000 2018",
"id": 962834613893701632,
"text": "@klmccook \u201cIt\u2019s hard to relate to MIT.\u201d #alamw18",
"user.screen_name": "ebeh"
},
{
"created_at": "Sun Feb 11 23:43:51 +0000 2018",
"id": 962834596600492032,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "SMDominator"
},
{
"created_at": "Sun Feb 11 23:43:46 +0000 2018",
"id": 962834575838924801,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "itknowingness"
},
{
"created_at": "Sun Feb 11 23:43:45 +0000 2018",
"id": 962834573733257216,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "SunnyRayDigital"
},
{
"created_at": "Sun Feb 11 23:43:35 +0000 2018",
"id": 962834531907751936,
"text": "\"it's really hard to relate to MIT\" ooooouch, that was a good burn #alamw18",
"user.screen_name": "aamcnamara"
},
{
"created_at": "Sun Feb 11 23:42:33 +0000 2018",
"id": 962834272984993792,
"text": "RT @tom_peters: This is priceless, as good as it gets. Take your time!! \"Is tech dividing America? via @POLITICO for iPad\" https://t.co/nwv\u2026",
"user.screen_name": "OwenMasonOMC"
},
{
"created_at": "Sun Feb 11 23:42:12 +0000 2018",
"id": 962834183470002176,
"text": "@aashdizzleeeeee Must be nice\ud83d\ude43",
"user.screen_name": "_mit_mit"
},
{
"created_at": "Sun Feb 11 23:41:41 +0000 2018",
"id": 962834053245427714,
"text": "RT @juliagalef: I'm excited MIT is trying this: A master's in development economics that doesn't require a degree, GRE, or letters of recom\u2026",
"user.screen_name": "realABSHOKOYA"
},
{
"created_at": "Sun Feb 11 23:41:31 +0000 2018",
"id": 962834011356848128,
"text": "RT @judah47: \"Records are meant to be broken\" new all time record set in poleward #heat transport into the #polar stratosphere.Increasing t\u2026",
"user.screen_name": "solhog"
},
{
"created_at": "Sun Feb 11 23:41:03 +0000 2018",
"id": 962833893970890752,
"text": "New research from MIT suggests that beta brainwaves act to control working memory, while gamma brainwaves are assoc\u2026 https://t.co/egD1ATo8w2",
"user.screen_name": "R_RedRaider"
},
{
"created_at": "Sun Feb 11 23:39:33 +0000 2018",
"id": 962833517594935296,
"text": "RT @mitsmr: 4 steps to sharing positive stories\n1. Work with consumers to generate compelling stories\n2. Convert stories into high-quality\u2026",
"user.screen_name": "MMinevich"
},
{
"created_at": "Sun Feb 11 23:39:29 +0000 2018",
"id": 962833500494880770,
"text": "RT @StanM3: Germany- Afghan(19) stabbed his ex-girlfriend(23) in the shoulder and fled. The police had been called because of domestic viol\u2026",
"user.screen_name": "ElTheochari"
},
{
"created_at": "Sun Feb 11 23:39:23 +0000 2018",
"id": 962833472850145280,
"text": "RT @mitsmr: Free webinar: Turning Data Into Customer Engagement Thursday, February 15, 2018 * 11 EST / 8 PST If you\u2019re unable to attend liv\u2026",
"user.screen_name": "katie350501"
},
{
"created_at": "Sun Feb 11 23:39:08 +0000 2018",
"id": 962833410614898690,
"text": "Facial recognition software is biased towards white men, researcher finds https://t.co/I0Yy48YqZI https://t.co/pLJZ4WLuCx",
"user.screen_name": "SynetecUK"
},
{
"created_at": "Sun Feb 11 23:38:56 +0000 2018",
"id": 962833359373242369,
"text": "@tomkraftwerk https://t.co/UjygbnEdJX\n\nPudding mit Haut!",
"user.screen_name": "Klingelpfote"
},
{
"created_at": "Sun Feb 11 23:38:50 +0000 2018",
"id": 962833337470652416,
"text": "RT @hildabast: Day 2 #BlackHistoryMonth: Physicist, Carolyn Beatrice Parker - a remarkable woman, whose long-lost story shows how much work\u2026",
"user.screen_name": "OpheliaBottom"
},
{
"created_at": "Sun Feb 11 23:38:29 +0000 2018",
"id": 962833249830690817,
"text": "RT @BPoD_mrc: Preventing #memories from sticking and retrieving lost ones. Research by @MIT_Picower in PNAS @PNASNews. Read more on https:/\u2026",
"user.screen_name": "artcollisions"
},
{
"created_at": "Sun Feb 11 23:37:53 +0000 2018",
"id": 962833097246085120,
"text": "RT @JuliaBrotherton: @Beverly_High Congrats to award winners Jennie Krigbaum, Laina Meagher, and Ibrahima Diagne, AND to the entire BHS de\u2026",
"user.screen_name": "DebSchnabel"
},
{
"created_at": "Sun Feb 11 23:37:51 +0000 2018",
"id": 962833089150857216,
"text": "@CNBC @coinics @MIT And people will debate over its actual colour they really see. Is it black or purple?",
"user.screen_name": "tokioessence"
},
{
"created_at": "Sun Feb 11 23:37:45 +0000 2018",
"id": 962833064027217921,
"text": "@ultsongnieI klaudia mit k but you will know who i mean the second she comes on",
"user.screen_name": "thssmslkfn"
},
{
"created_at": "Sun Feb 11 23:37:44 +0000 2018",
"id": 962833059669299201,
"text": "@keithfraser2017 @WeDoNotLearn73 Ok, so why do policemen have 'pay and conditions' which allow them to retire at le\u2026 https://t.co/EOpsmM8rIr",
"user.screen_name": "Dame_mit_muff"
},
{
"created_at": "Sun Feb 11 23:37:35 +0000 2018",
"id": 962833019626192897,
"text": "The Power of Consumer Stories in Digital Marketing https://t.co/haNc6q5d6u via @mitsmr #Digital #Marketing",
"user.screen_name": "simonhodgkins"
},
{
"created_at": "Sun Feb 11 23:37:33 +0000 2018",
"id": 962833014827995136,
"text": "At the bar I chatted with a man whose daughter is studying aerospace engineering at MIT. #womeninscience",
"user.screen_name": "justmaryse"
},
{
"created_at": "Sun Feb 11 23:37:11 +0000 2018",
"id": 962832920212922370,
"text": "RT @FraHofm: \"MIT biological engineers have created a programming language that allows them to rapidly design complex, DNA-encoded circuits\u2026",
"user.screen_name": "skyjones55"
},
{
"created_at": "Sun Feb 11 23:36:43 +0000 2018",
"id": 962832804982779904,
"text": "@TaylorLorenz @ChrisCaesar same https://t.co/7ncPbUCjcv",
"user.screen_name": "peteyreplies"
},
{
"created_at": "Sun Feb 11 23:36:35 +0000 2018",
"id": 962832770996224000,
"text": "RT @PhilosophyMttrs: Applying philosophy for a better democracy ... https://t.co/vToYau9O2Q",
"user.screen_name": "ojcius"
},
{
"created_at": "Sun Feb 11 23:36:17 +0000 2018",
"id": 962832695951798272,
"text": "RT @mitsmr: RT @MITSloan: There actually are enough hours in the day. Get more out of them with these 7 productivity tips from @Pozen. http\u2026",
"user.screen_name": "RayBordogna"
},
{
"created_at": "Sun Feb 11 23:35:54 +0000 2018",
"id": 962832599394725889,
"text": "RT @random_forests: MIT has shared an Intro to Deep Learning course, see: https://t.co/ULJddTvwvZ. Labs include @TensorFlow code (haven't h\u2026",
"user.screen_name": "dev_kaique"
},
{
"created_at": "Sun Feb 11 23:35:36 +0000 2018",
"id": 962832523645435904,
"text": "RT @MITSloan: Integrating analytics is crucial. Start with these 8 articles. https://t.co/3hxWVgHY9q",
"user.screen_name": "StephanieSFOSIS"
},
{
"created_at": "Sun Feb 11 23:35:26 +0000 2018",
"id": 962832479861297154,
"text": "RT @StanM3: Germany- Afghan(19) stabbed his ex-girlfriend(23) in the shoulder and fled. The police had been called because of domestic viol\u2026",
"user.screen_name": "Wizzy9883"
},
{
"created_at": "Sun Feb 11 23:35:22 +0000 2018",
"id": 962832463339847680,
"text": "Chips mit Dip https://t.co/xjEGpZZlFZ",
"user.screen_name": "Te_Meerkats"
},
{
"created_at": "Sun Feb 11 23:35:21 +0000 2018",
"id": 962832461087551489,
"text": "RT @mitsmr: Take a few minutes to read this classic: The Nine Elements of Digital Transformation: https://t.co/FBFlzQbwQF #digitaltransfor\u2026",
"user.screen_name": "RayBordogna"
},
{
"created_at": "Sun Feb 11 23:35:20 +0000 2018",
"id": 962832453957275649,
"text": "RT @CoyleAthletics: Good luck to Julie Mason today at the swimming sectionals at MIT! #gowarriors",
"user.screen_name": "fdeepsportstalk"
},
{
"created_at": "Sun Feb 11 23:34:52 +0000 2018",
"id": 962832338798501888,
"text": "RT @mcsantacaterina: 2 MIT grads built an algorithm to match you with wine. Take the quiz to see your matches. https://t.co/ynQQomEIak",
"user.screen_name": "detroitdre1974"
},
{
"created_at": "Sun Feb 11 23:34:51 +0000 2018",
"id": 962832332997750784,
"text": "RT @mitsmr: 4 steps to sharing positive stories\n1. Work with consumers to generate compelling stories\n2. Convert stories into high-quality\u2026",
"user.screen_name": "CurationSuite"
},
{
"created_at": "Sun Feb 11 23:34:36 +0000 2018",
"id": 962832270695567360,
"text": "RT @ToniPirosa: 2 SONGS in 1 mit DANERGY!!!\n\nLink: https://t.co/bA57YWP3w1 https://t.co/YcMSotQQxY",
"user.screen_name": "AndreaPutzgrub1"
},
{
"created_at": "Sun Feb 11 23:34:26 +0000 2018",
"id": 962832226932043776,
"text": "RT @BAP_US: Dr. #ShirleyJackson the first African-American woman to have earned a doctorate at the MIT.\n\n#BlackAndProud #BlackWomen #BlackE\u2026",
"user.screen_name": "melaniepknight"
},
{
"created_at": "Sun Feb 11 23:34:03 +0000 2018",
"id": 962832131029381122,
"text": "@USRealityCheck Congratulations to Professor Bacow who was my teacher and advisor at MIT.",
"user.screen_name": "mucketymucks"
},
{
"created_at": "Sun Feb 11 23:33:57 +0000 2018",
"id": 962832107100807168,
"text": "Defining a problem is the most underrated skill in management. It requires \u2018soft\u2019 skills (critical thinking, abili\u2026 https://t.co/6UiI997ijO",
"user.screen_name": "knowablekate"
},
{
"created_at": "Sun Feb 11 23:33:46 +0000 2018",
"id": 962832062410559488,
"text": "RT @GarthGreenwell: I talked to Der Spiegel about #WhatBelongstoYou. The best bits are the photographs they included by Marc Martin, a Fren\u2026",
"user.screen_name": "vvxzz26"
},
{
"created_at": "Sun Feb 11 23:33:02 +0000 2018",
"id": 962831877848608768,
"text": "RT @econromesh: Empirical, tightly focused studies of trade & development - overview of research by David Atkin @MITEcon, #WhatEconomistsRe\u2026",
"user.screen_name": "Motoconomist"
},
{
"created_at": "Sun Feb 11 23:32:45 +0000 2018",
"id": 962831804507000832,
"text": "RT @mitsmr: Take a few minutes to read this classic: The Nine Elements of Digital Transformation: https://t.co/FBFlzQbwQF #digitaltransfor\u2026",
"user.screen_name": "Sufiy"
},
{
"created_at": "Sun Feb 11 23:32:45 +0000 2018",
"id": 962831803206787072,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "WandererMegan"
},
{
"created_at": "Sun Feb 11 23:32:43 +0000 2018",
"id": 962831795933929473,
"text": "RT @mitsmr: The 20 Most Popular @MITSMR Articles of 2017. Spoiler alert: The impact of artificial intelligence on the #FutureofWork and or\u2026",
"user.screen_name": "Sufiy"
},
{
"created_at": "Sun Feb 11 23:32:33 +0000 2018",
"id": 962831753403564032,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "JamesYoung1986"
},
{
"created_at": "Sun Feb 11 23:32:31 +0000 2018",
"id": 962831744528453632,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "mustardmary7"
},
{
"created_at": "Sun Feb 11 23:32:25 +0000 2018",
"id": 962831719794728961,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "JimRHenson"
},
{
"created_at": "Sun Feb 11 23:32:16 +0000 2018",
"id": 962831682620608512,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "Hyundai__Equus"
},
{
"created_at": "Sun Feb 11 23:32:15 +0000 2018",
"id": 962831677922988037,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "BenNatureAddict"
},
{
"created_at": "Sun Feb 11 23:32:10 +0000 2018",
"id": 962831657181917184,
"text": "RT @MITSloanAdcom: How do you map the future of a rapidly growing city? MIT and @Tsinghua_Uni in #Beijing teamed up to develop leading-edge\u2026",
"user.screen_name": "HunanofChina"
},
{
"created_at": "Sun Feb 11 23:32:07 +0000 2018",
"id": 962831644314005504,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "AntonioRelenn"
},
{
"created_at": "Sun Feb 11 23:32:05 +0000 2018",
"id": 962831638999846912,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "Honda_Ridgeline"
},
{
"created_at": "Sun Feb 11 23:31:58 +0000 2018",
"id": 962831607517401088,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "Alexia_Lavoie"
},
{
"created_at": "Sun Feb 11 23:31:54 +0000 2018",
"id": 962831590224289792,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "GeekJimiLee"
},
{
"created_at": "Sun Feb 11 23:31:53 +0000 2018",
"id": 962831587158183937,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "Toyota__Yaris"
},
{
"created_at": "Sun Feb 11 23:31:52 +0000 2018",
"id": 962831581034381312,
"text": "RT @deeplearning4j: Pace Layering: How Complex Systems Learn and Keep Learning https://t.co/XysTbEoVZG",
"user.screen_name": "aneesha"
},
{
"created_at": "Sun Feb 11 23:31:38 +0000 2018",
"id": 962831525195780096,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "Lamborghini__US"
},
{
"created_at": "Sun Feb 11 23:31:34 +0000 2018",
"id": 962831508187828229,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "smithylife"
},
{
"created_at": "Sun Feb 11 23:31:31 +0000 2018",
"id": 962831494975836160,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "Mark_Lewis_NYC"
},
{
"created_at": "Sun Feb 11 23:31:29 +0000 2018",
"id": 962831487216136193,
"text": "MIT Bootcampers from 39 countries hearing from @BillAulet at @QUT @MITBootcamps #entrepreneurship #MITbootcamp https://t.co/Ji14TD0jWl",
"user.screen_name": "karenfoelz"
},
{
"created_at": "Sun Feb 11 23:31:29 +0000 2018",
"id": 962831485043605505,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "DorothyPCarter"
},
{
"created_at": "Sun Feb 11 23:31:25 +0000 2018",
"id": 962831468342009857,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "DeryaGaby"
},
{
"created_at": "Sun Feb 11 23:31:24 +0000 2018",
"id": 962831464005021696,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "suzieqnelson"
},
{
"created_at": "Sun Feb 11 23:31:23 +0000 2018",
"id": 962831460813111301,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "SMM_Lisa"
},
{
"created_at": "Sun Feb 11 23:31:23 +0000 2018",
"id": 962831460095942656,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "SofiaMiller0"
},
{
"created_at": "Sun Feb 11 23:31:19 +0000 2018",
"id": 962831443188748289,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "KirkwoodTalon"
},
{
"created_at": "Sun Feb 11 23:31:16 +0000 2018",
"id": 962831429787729921,
"text": "Well this looks exciting... \n\nhttps://t.co/bGvxubEVHY\n\n@timberners_lee @MIT can't wait to try this out!",
"user.screen_name": "_alexray"
},
{
"created_at": "Sun Feb 11 23:31:15 +0000 2018",
"id": 962831425924890624,
"text": "Il a mit une photo PWAAAAA",
"user.screen_name": "FannySalimat"
},
{
"created_at": "Sun Feb 11 23:31:13 +0000 2018",
"id": 962831418069016581,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "AndersonJohn74"
},
{
"created_at": "Sun Feb 11 23:31:13 +0000 2018",
"id": 962831417855102977,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "YoginiMaureen"
},
{
"created_at": "Sun Feb 11 23:31:13 +0000 2018",
"id": 962831416978542594,
"text": "RT @cmualumnihouse: The 2nd round of @CarnegieMellon #Crowdfunding campaigns are off & running! From Art Therapy and the Social Good Expo,\u2026",
"user.screen_name": "jluisaguirre"
},
{
"created_at": "Sun Feb 11 23:31:11 +0000 2018",
"id": 962831410099900416,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "honecks85"
},
{
"created_at": "Sun Feb 11 23:31:11 +0000 2018",
"id": 962831409940455424,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "sharonocarter"
},
{
"created_at": "Sun Feb 11 23:31:07 +0000 2018",
"id": 962831392794202112,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "Nissan__Juke"
},
{
"created_at": "Sun Feb 11 23:31:04 +0000 2018",
"id": 962831379494047745,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "Theresa21Young"
},
{
"created_at": "Sun Feb 11 23:31:03 +0000 2018",
"id": 962831376109264896,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "jesspatrick86"
},
{
"created_at": "Sun Feb 11 23:31:02 +0000 2018",
"id": 962831372191698945,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "PurvisRobinson"
},
{
"created_at": "Sun Feb 11 23:30:57 +0000 2018",
"id": 962831350649819136,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "elizabethlswai"
},
{
"created_at": "Sun Feb 11 23:30:55 +0000 2018",
"id": 962831342374457344,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "fernandocuenca"
},
{
"created_at": "Sun Feb 11 23:30:50 +0000 2018",
"id": 962831321566412800,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "docdavis77"
},
{
"created_at": "Sun Feb 11 23:30:49 +0000 2018",
"id": 962831318684856320,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "akdm_bot"
},
{
"created_at": "Sun Feb 11 23:30:49 +0000 2018",
"id": 962831317061730305,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "jayjohannes24"
},
{
"created_at": "Sun Feb 11 23:30:44 +0000 2018",
"id": 962831298099376129,
"text": "RT @VARcrypt: The latest The Virtual and Augmented Reality Daily! https://t.co/dWEgocjwYf Thanks to @virtrealitytime @hashVR @mit_cmsw #vr\u2026",
"user.screen_name": "VirginiaKettle1"
},
{
"created_at": "Sun Feb 11 23:30:43 +0000 2018",
"id": 962831293355405312,
"text": "RT @mitsmr: People who are \u201cdifferent\u201d \u2014whether behaviorally or neurologically\u2014 don\u2019t always fit into standard job categories. But if you c\u2026",
"user.screen_name": "Duckydoodle18"
},
{
"created_at": "Sun Feb 11 23:30:43 +0000 2018",
"id": 962831292646780931,
"text": "RT @scratch: Scratch Days can be large or small, for beginners and for more experienced Scratchers. Find a Scratch Day in your community, o\u2026",
"user.screen_name": "fabrica23"
},
{
"created_at": "Sun Feb 11 23:30:43 +0000 2018",
"id": 962831292151803904,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "carterjamss"
},
{
"created_at": "Sun Feb 11 23:30:41 +0000 2018",
"id": 962831286305017856,
"text": "RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I\u2026",
"user.screen_name": "Berardinelli3"
},
{
"created_at": "Sun Feb 11 23:30:39 +0000 2018",
"id": 962831276129603594,
"text": "Facial recognition software is biased towards white men, researcher finds https://t.co/YhDiIsNBIC",
"user.screen_name": "NGRColosimo"
},
{
"created_at": "Sun Feb 11 23:30:37 +0000 2018",
"id": 962831266822303744,
"text": "RT @StanM3: Germany- Afghan(19) stabbed his ex-girlfriend(23) in the shoulder and fled. The police had been called because of domestic viol\u2026",
"user.screen_name": "beatlesjad"
},
{
"created_at": "Sun Feb 11 23:30:20 +0000 2018",
"id": 962831195200516096,
"text": "RT @mitsmr: 4 steps to sharing positive stories\n1. Work with consumers to generate compelling stories\n2. Convert stories into high-quality\u2026",
"user.screen_name": "LibertadCompart"
},
{
"created_at": "Sun Feb 11 23:30:13 +0000 2018",
"id": 962831169413726208,
"text": "@SteveKornacki You really need a time travel device. Possibly MIT could work on that for you. After all, you are a native.",
"user.screen_name": "ruralfabulous"
},
{
"created_at": "Sun Feb 11 23:30:02 +0000 2018",
"id": 962831122181869568,
"text": "#nowplaying: DJ Rewerb pr. Houseschuh - Houseschuh, HSP134 Freak Like Osterhase mit Lee Walker, Basti Grub & Natch! und Luca Bisori Teil2",
"user.screen_name": "radiohouseschuh"
},
{
"created_at": "Sun Feb 11 23:29:41 +0000 2018",
"id": 962831035246567425,
"text": "RT @mitsmr: \"Even with rapid advances,\" says @erikbryn, \"AI won\u2019t be able to replace most jobs anytime soon. But in almost every industry,\u2026",
"user.screen_name": "AlanHollandCork"
},
{
"created_at": "Sun Feb 11 23:29:38 +0000 2018",
"id": 962831022214864897,
"text": "RT @scratch: Scratch Days can be large or small, for beginners and for more experienced Scratchers. Find a Scratch Day in your community, o\u2026",
"user.screen_name": "Joan_Artes"
},
{
"created_at": "Sun Feb 11 23:29:36 +0000 2018",
"id": 962831011909373952,
"text": "RT DWV13: RT mitsmr: \"Great strategists are like great chess players or great game theorists: They need to think se\u2026 https://t.co/kQSD2Ncfmk",
"user.screen_name": "DWV13"
},
{
"created_at": "Sun Feb 11 23:29:25 +0000 2018",
"id": 962830967596462081,
"text": "RT @franceintheus: Today is International #WomenScienceDay ! \nEsther Duflo is a Professor of Poverty Alleviation & Dev\u2019t Economics at @MIT\u2026",
"user.screen_name": "BigSkyFlyer"
},
{
"created_at": "Sun Feb 11 23:29:22 +0000 2018",
"id": 962830954711658496,
"text": "@Trace_Of_Jesus @RevSteLilimborn @WoopsWoah @Ah_Science So \"Gott mit Uns\" means atheism? Joseph Stalin wasn't an Or\u2026 https://t.co/jSWcxGfLZd",
"user.screen_name": "FredMacManus"
},
{
"created_at": "Sun Feb 11 23:29:18 +0000 2018",
"id": 962830937112399872,
"text": "MIT alumnus Ryan Robinson will talk about \"Breaking the #Blockchain: The Quantum Computing Effect\" this Tuesday (13\u2026 https://t.co/njukFx14EE",
"user.screen_name": "MITBitcoinClub"
},
{
"created_at": "Sun Feb 11 23:29:07 +0000 2018",
"id": 962830890903752705,
"text": "RT @judah47: \"Records are meant to be broken\" new all time record set in poleward #heat transport into the #polar stratosphere.Increasing t\u2026",
"user.screen_name": "Ana_von_blis"
},
{
"created_at": "Sun Feb 11 23:29:05 +0000 2018",
"id": 962830881458216960,
"text": "MIT AGI: Building machines that see, learn, and think like people (Josh Tenenbaum) https://t.co/FSxG5opAp8",
"user.screen_name": "tbsmartens"
},
{
"created_at": "Sun Feb 11 23:28:59 +0000 2018",
"id": 962830856799817728,
"text": "RT @kaysevenkenya: Some Djs Tweeting #StopArrestingDjs Are Either hypocrites or they Don't Use Twitter Often \u263a \n\nWhen #KOT Shouted #PayMo\u2026",
"user.screen_name": "billboardlatest"
},
{
"created_at": "Sun Feb 11 23:28:42 +0000 2018",
"id": 962830785207263232,
"text": "Facial recognition software is biased towards white men, researcher finds https://t.co/I0hzRdp8gN via @Verge",
"user.screen_name": "SusiDarwin"
},
{
"created_at": "Sun Feb 11 23:28:21 +0000 2018",
"id": 962830697860878336,
"text": "I liked a @YouTube video https://t.co/KO251BRBZA Fortnite Battle Royale Gameplay German - Gewinnen mit Slurp Hammer",
"user.screen_name": "G12RG1"
},
{
"created_at": "Sun Feb 11 23:27:57 +0000 2018",
"id": 962830598158127104,
"text": "RT @journal_edit: #MIT neuroscientists study how the brain manages habit formation - truly incredible! #cognitivescience #neurology #brain\u2026",
"user.screen_name": "CathSalisbury"
},
{
"created_at": "Sun Feb 11 23:27:29 +0000 2018",
"id": 962830481581633536,
"text": "RT @ToniPirosa: 2 SONGS in 1 mit DANERGY!!!\n\nLink: https://t.co/bA57YWP3w1 https://t.co/YcMSotQQxY",
"user.screen_name": "ChristophBahner"
},
{
"created_at": "Sun Feb 11 23:27:15 +0000 2018",
"id": 962830420680282112,
"text": "Here is coverage from #CNN on the new #HarvardUniversity President -- #LawrenceBacow who brings his experience at\u2026 https://t.co/QJlEDRXaLX",
"user.screen_name": "Shamstress"
},
{
"created_at": "Sun Feb 11 23:27:12 +0000 2018",
"id": 962830408932052993,
"text": "RT @Fuchsmariechen: @citoyen_lauris \nPassend: \u2018All I know is the content of my own mind.\u2019 That\u2019s paving the path to authoritarianism.\nhttps\u2026",
"user.screen_name": "citoyen_lauris"
},
{
"created_at": "Sun Feb 11 23:27:10 +0000 2018",
"id": 962830398555410437,
"text": "RT @DeSantisMarcelo: Design thinking, explained https://t.co/rb8dJU2Pmi",
"user.screen_name": "D_ThoughtLeader"
},
{
"created_at": "Sun Feb 11 23:26:50 +0000 2018",
"id": 962830316841963521,
"text": "Instead of doing the same thing you always do, read this a piece Humanyze CEO and co-founder and MIT Media Lab visi\u2026 https://t.co/fpf4gd28mV",
"user.screen_name": "NetworkingPhx"
},
{
"created_at": "Sun Feb 11 23:26:01 +0000 2018",
"id": 962830108745719809,
"text": "Design thinking, explained https://t.co/rb8dJU2Pmi",
"user.screen_name": "DeSantisMarcelo"
},
{
"created_at": "Sun Feb 11 23:26:00 +0000 2018",
"id": 962830107797835776,
"text": "RT @deeplearning4j: Pace Layering: How Complex Systems Learn and Keep Learning https://t.co/XysTbEoVZG",
"user.screen_name": "homeAIinfo"
},
{
"created_at": "Sun Feb 11 23:26:00 +0000 2018",
"id": 962830106908643330,
"text": "RT @MITSloan: Integrating analytics is crucial. Start with these 8 articles. https://t.co/3hxWVgHY9q",
"user.screen_name": "MrLuckyClover"
},
{
"created_at": "Sun Feb 11 23:25:38 +0000 2018",
"id": 962830012691857408,
"text": "#science #technology #News >> href=\"https://t.co/R1sDHyBZPq\">MIT Initiative on the Digital ... For More LIKE & FOLLOW @JPPMsolutions",
"user.screen_name": "JPPMsolutions"
},
{
"created_at": "Sun Feb 11 23:25:37 +0000 2018",
"id": 962830011282739200,
"text": "RT @skymindio: Pace Layering: How Complex Systems Learn and Keep Learning https://t.co/BneRsa2frY",
"user.screen_name": "AdaptToReality"
},
{
"created_at": "Sun Feb 11 23:25:31 +0000 2018",
"id": 962829983390380032,
"text": "@QuixotesHorse @MartinLarner @ni_treasa @ClintWarren6 @mapon888 @Genghis_McCann @RenieriArts @VanessaBeeley\u2026 https://t.co/TDgtujmPYb",
"user.screen_name": "taigstaigs"
},
{
"created_at": "Sun Feb 11 23:25:09 +0000 2018",
"id": 962829892076187649,
"text": "RT @JackedYoTweets: How the club owner must look at the birthday girl who is there celebrating her 21st but has been a regular at the club\u2026",
"user.screen_name": "Mit_ch_ell"
},
{
"created_at": "Sun Feb 11 23:25:06 +0000 2018",
"id": 962829880554475520,
"text": "Pace Layering: How Complex Systems Learn and Keep Learning \n(Discussion on HN - https://t.co/GLTyLa8VgB) https://t.co/xpV0Omaq0n",
"user.screen_name": "hnbot"
},
{
"created_at": "Sun Feb 11 23:25:05 +0000 2018",
"id": 962829875634671616,
"text": "Ein #sehr sexy Casting mit Stacey #fhmzmjkt https://t.co/5IeueYkDmE",
"user.screen_name": "allen_allen9116"
},
{
"created_at": "Sun Feb 11 23:25:04 +0000 2018",
"id": 962829870723190784,
"text": "RT @judah47: \"Records are meant to be broken\" new all time record set in poleward #heat transport into the #polar stratosphere.Increasing t\u2026",
"user.screen_name": "MindOfAn_Empath"
},
{
"created_at": "Sun Feb 11 23:24:58 +0000 2018",
"id": 962829844957618176,
"text": "Men's Volleyball Outlasted By MIT In Five Set UVC Matchup https://t.co/ChyxbIlxuh",
"user.screen_name": "FisherAthletics"
},
{
"created_at": "Sun Feb 11 23:24:21 +0000 2018",
"id": 962829690015834113,
"text": "POLICY INNOVATION GAI/BASIC INCOME @AndrewYangVFA @kevinroose @erikbryn @MIT_IDE https://t.co/nY9i0QPAt7 on the iss\u2026 https://t.co/v7EY29Kqjr",
"user.screen_name": "jimdewilde"
},
{
"created_at": "Sun Feb 11 23:24:14 +0000 2018",
"id": 962829660248793088,
"text": "#Sexualtherapie mit #der #Psychologe Shanda #Fay #mwpkhnic https://t.co/3aduqyi3q8",
"user.screen_name": "christy31633198"
},
{
"created_at": "Sun Feb 11 23:23:13 +0000 2018",
"id": 962829406933667840,
"text": "\"Facial recognition technology is subject to biases based on the data sets provided and the conditions in which alg\u2026 https://t.co/guq26mzW5a",
"user.screen_name": "doublejrecords"
},
{
"created_at": "Sun Feb 11 23:22:56 +0000 2018",
"id": 962829335928459264,
"text": "Should I go to MIT now? \ud83d\ude02",
"user.screen_name": "Applezap42"
},
{
"created_at": "Sun Feb 11 23:22:34 +0000 2018",
"id": 962829241145585664,
"text": "RT @StanM3: Germany- Afghan(19) stabbed his ex-girlfriend(23) in the shoulder and fled. The police had been called because of domestic viol\u2026",
"user.screen_name": "aaaadam75"
},
{
"created_at": "Sun Feb 11 23:22:22 +0000 2018",
"id": 962829193703841792,
"text": "@ashleylynne4 Cause that's annoying \ud83d\ude02\ud83d\ude02 get out my damn mit",
"user.screen_name": "amayaaa_j"
},
{
"created_at": "Sun Feb 11 23:21:44 +0000 2018",
"id": 962829031954673664,
"text": "Pace Layering: How Complex Systems Learn and Keep Learning https://t.co/XysTbEoVZG",
"user.screen_name": "deeplearning4j"
},
{
"created_at": "Sun Feb 11 23:21:44 +0000 2018",
"id": 962829031728123905,
"text": "Pace Layering: How Complex Systems Learn and Keep Learning https://t.co/BneRsa2frY",
"user.screen_name": "skymindio"
},
{
"created_at": "Sun Feb 11 23:21:37 +0000 2018",
"id": 962829004167401472,
"text": "RT @scratch: Scratch Days can be large or small, for beginners and for more experienced Scratchers. Find a Scratch Day in your community, o\u2026",
"user.screen_name": "suprmrkt"
},
{
"created_at": "Sun Feb 11 23:21:37 +0000 2018",
"id": 962829001105358848,
"text": "RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/fQ1IKfcpVW\u2026",
"user.screen_name": "KristiAlvarad0"
},
{
"created_at": "Sun Feb 11 23:21:20 +0000 2018",
"id": 962828929928118272,
"text": "SUPERDRY Angebote Superdry Premium Goods Tri-Fade T-Shirt: Category: Damen / T-Shirts / T-Shirt mit Print Item numb\u2026 https://t.co/ICljsrnlOm",
"user.screen_name": "SparVolltreffer"
},
{
"created_at": "Sun Feb 11 23:21:18 +0000 2018",
"id": 962828924303659014,
"text": "RT @LaughOutNOW: \"RU or UR FUNNY FRIEND HBO WORTHY?\" (Gift idea) https://t.co/h2QGPHTOFs #minneapolis #kuwtk #teenmom2 #lifeofkyle #califor\u2026",
"user.screen_name": "MilwaukeeHotBuy"
},
{
"created_at": "Sun Feb 11 23:21:05 +0000 2018",
"id": 962828868397789184,
"text": "Facial recognition software is biased towards white men, researcher finds - New research out of MIT\u2019s Media Lab... https://t.co/D5YgJdKECq",
"user.screen_name": "YouBrandInc"
},
{
"created_at": "Sun Feb 11 23:20:59 +0000 2018",
"id": 962828841789132800,
"text": "\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\"Ed Sheeran\"\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\n\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0dmit\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\u2026 https://t.co/82dLGaetjC",
"user.screen_name": "_ronny_14"
},
{
"created_at": "Sun Feb 11 23:20:51 +0000 2018",
"id": 962828809056673793,
"text": "RT @DLoesch: \u201cFlashing smiles outflanking,\u201d \u201ccaptivates people,\u201d \u201cstealing the show,\u201d North Korea didn\u2019t have to hire PR to rehabilitate it\u2026",
"user.screen_name": "mit_baggs"
},
{
"created_at": "Sun Feb 11 23:20:46 +0000 2018",
"id": 962828790199144448,
"text": "RT @scratch: Scratch Days can be large or small, for beginners and for more experienced Scratchers. Find a Scratch Day in your community, o\u2026",
"user.screen_name": "afromusing"
},
{
"created_at": "Sun Feb 11 23:19:17 +0000 2018",
"id": 962828417304596487,
"text": "wow god bless mit open courseware for having compsci courses because I really need to brush up on everything before\u2026 https://t.co/TUyR0B7lW5",
"user.screen_name": "_hannabal_"
},
{
"created_at": "Sun Feb 11 23:18:58 +0000 2018",
"id": 962828334680936449,
"text": "RT @scratch: Scratch Days can be large or small, for beginners and for more experienced Scratchers. Find a Scratch Day in your community, o\u2026",
"user.screen_name": "johnmaeda"
},
{
"created_at": "Sun Feb 11 23:18:48 +0000 2018",
"id": 962828294524669952,
"text": "RT @medical_xpress: Study identifies neurons that fire at the beginning and end of a #behavior as it becomes a #habit @MIT @currentbiology\u2026",
"user.screen_name": "GuiltFreeTips"
},
{
"created_at": "Sun Feb 11 23:18:43 +0000 2018",
"id": 962828273460961281,
"text": "RT @Carlos_E_Goico: How an analytics-based predictive model can improve kidney transplant survival rates https://t.co/1lnNPohQa8",
"user.screen_name": "Red_IDi"
},
{
"created_at": "Sun Feb 11 23:18:34 +0000 2018",
"id": 962828234583879680,
"text": "RT @BAP_US: Dr. #ShirleyJackson the first African-American woman to have earned a doctorate at the MIT.\n\n#BlackAndProud #BlackWomen #BlackE\u2026",
"user.screen_name": "xzppaddy"
},
{
"created_at": "Sun Feb 11 23:18:25 +0000 2018",
"id": 962828196180910080,
"text": "RT @mitsmr: RT @MITSloan: There actually are enough hours in the day. Get more out of them with these 7 productivity tips from @Pozen. http\u2026",
"user.screen_name": "katie350501"
},
{
"created_at": "Sun Feb 11 23:18:08 +0000 2018",
"id": 962828124504428545,
"text": "RT @BenjaminTseng: The remarkable career of Shirley Ann Jackson: first African-American woman to earn a PhD from MIT, chair of US NRC under\u2026",
"user.screen_name": "RMilesMD"
},
{
"created_at": "Sun Feb 11 23:17:51 +0000 2018",
"id": 962828056497938436,
"text": "How an analytics-based predictive model can improve kidney transplant survival rates https://t.co/1lnNPohQa8",
"user.screen_name": "Carlos_E_Goico"
},
{
"created_at": "Sun Feb 11 23:17:28 +0000 2018",
"id": 962827960309993472,
"text": "@DPolGBerlin leckere Curry mit Darm ;)\n\nStay safe!",
"user.screen_name": "GPRealomon"
},
{
"created_at": "Sun Feb 11 23:17:26 +0000 2018",
"id": 962827950008696834,
"text": "RT @econromesh: Empirical, tightly focused studies of trade & development - overview of research by David Atkin @MITEcon, #WhatEconomistsRe\u2026",
"user.screen_name": "arthurbraganca7"
},
{
"created_at": "Sun Feb 11 23:17:07 +0000 2018",
"id": 962827868966330368,
"text": "RT @takis_metaxas: Can\u2019t wait to read Artificial Unintelligence by @merbroussard. We need to think about her perspective. https://t.co/H0Wh\u2026",
"user.screen_name": "LUtang_Secret"
},
{
"created_at": "Sun Feb 11 23:17:02 +0000 2018",
"id": 962827848494010368,
"text": "RT @mitsmr: RT @joannecanderson: How to achieve \"extreme #productivity\" from @mitsmr : \"Hours are a traditional way of tracking employee p\u2026",
"user.screen_name": "CountryStar72"
},
{
"created_at": "Sun Feb 11 23:16:59 +0000 2018",
"id": 962827835466567681,
"text": "Facial recognition software is biased towards white men, researcher finds. https://t.co/JeztqmKOSG",
"user.screen_name": "LivesInThought"
},
{
"created_at": "Sun Feb 11 23:16:51 +0000 2018",
"id": 962827802675326976,
"text": "RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/fQ1IKfcpVW\u2026",
"user.screen_name": "CarrieH3nry"
},
{
"created_at": "Sun Feb 11 23:16:51 +0000 2018",
"id": 962827802469945345,
"text": "RT @FiveRights: Laura Ingraham on Fox: Why did George W. Bush refuse to criticize Obama even when O screwed up badly but he often criticize\u2026",
"user.screen_name": "AutumndiPace1"
},
{
"created_at": "Sun Feb 11 23:16:50 +0000 2018",
"id": 962827800171499522,
"text": "RT @GrrrGraphics: \"In the Head of Hillary\" #BenGarrison #cartoon \nSomeone asked me why I draw so many #Obama & #Hillary cartoons. \nread mor\u2026",
"user.screen_name": "JStiverson13"
},
{
"created_at": "Sun Feb 11 23:16:50 +0000 2018",
"id": 962827799927996417,
"text": "RT @captcapt1234: The Great Experiment \u2018Narional Review\u2019 https://t.co/zxEmpmWWTZ",
"user.screen_name": "LindaKight64"
},
{
"created_at": "Sun Feb 11 23:16:50 +0000 2018",
"id": 962827798888009728,
"text": "RT @JessieJaneDuff: DHS official & former Obama ambassador James Nealon resigned, upset recommendations to extend \u201ctemporary protected stat\u2026",
"user.screen_name": "JaniceTXBlessed"
},
{
"created_at": "Sun Feb 11 23:16:50 +0000 2018",
"id": 962827797566812166,
"text": "@rejialex7 Let them stay in tbe UK, sorry obama your wish 4 the invasion of AMERICA is on hold",
"user.screen_name": "kochtb606"
},
{
"created_at": "Sun Feb 11 23:16:49 +0000 2018",
"id": 962827796233023489,
"text": "@BonneauGenie NAW YOU ENJOY, I DEPEND ON ME\nNOT DEMOCRATS.\nAND YO MOUTH BIG \nSO QUICK TO THINK I'M GULLIBLE, YOU'RE\u2026 https://t.co/J7vf2hIqjS",
"user.screen_name": "Fleetwoodmack3"
},
{
"created_at": "Sun Feb 11 23:16:49 +0000 2018",
"id": 962827795213594624,
"text": "Solve For \"X\": A comparison of X under Obama and Trump during the same period in their presidencies shows better pe\u2026 https://t.co/Grt8a5C4el",
"user.screen_name": "PaulHRosenberg"
},
{
"created_at": "Sun Feb 11 23:16:49 +0000 2018",
"id": 962827793926107137,
"text": "RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary\u2019s campaign assisted in the effort\n-Russians assisted the Hi\u2026",
"user.screen_name": "RustyMayeux"
},
{
"created_at": "Sun Feb 11 23:16:49 +0000 2018",
"id": 962827793850494977,
"text": "@adamcbest @PaulStewartII The GOP will blame the left and/or Hillary, Obama, etc. for all of their faults and f*kup\u2026 https://t.co/j8hDVaKtkC",
"user.screen_name": "QuancyClayborne"
},
{
"created_at": "Sun Feb 11 23:16:49 +0000 2018",
"id": 962827793108107264,
"text": "RT @SebGorka: The UNMASKING Scandal will prove to be much bigger than FISAGate or Watergate combined. \n\nTime to just call it what it is:\u2026",
"user.screen_name": "hwfranzjr"
},
{
"created_at": "Sun Feb 11 23:16:48 +0000 2018",
"id": 962827792382681090,
"text": "RT @GRYKING: WHAAAAAAAT?!!?! Obama grew a beard? https://t.co/V1mzrDcrYy",
"user.screen_name": "jps521"
},
{
"created_at": "Sun Feb 11 23:16:48 +0000 2018",
"id": 962827791854170112,
"text": "RT @clivebushjd: Take a look what Democrats, Neocons & RINOs have done to America\n\nWe must #DeportDreamers #EndChainMigration & #BuildTheWa\u2026",
"user.screen_name": "jeangalvanonly"
},
{
"created_at": "Sun Feb 11 23:16:48 +0000 2018",
"id": 962827791111684098,
"text": "@JBitterly @mikebloodworth @realDonaldTrump Says who? One pollster that consistently leans R by a significant amoun\u2026 https://t.co/0SUGxaRNjl",
"user.screen_name": "JustAPerson83"
},
{
"created_at": "Sun Feb 11 23:16:48 +0000 2018",
"id": 962827791019446274,
"text": "RT @robjh1: For all the doubters Obama gave us this picture after an imaginary line in the sand was trounced by Syria. Naturally, to a larg\u2026",
"user.screen_name": "LoriJac47135906"
},
{
"created_at": "Sun Feb 11 23:16:48 +0000 2018",
"id": 962827789866061825,
"text": "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.\u2026",
"user.screen_name": "lucas_glenn"
},
{
"created_at": "Sun Feb 11 23:16:48 +0000 2018",
"id": 962827789656363013,
"text": "RT @RealJack: It\u2019s not looking good for the Democrats.\n\nPOLL: Majority of Americans Believe Obama SPIED on Trump Campaign https://t.co/dC30\u2026",
"user.screen_name": "mcowgerFL"
},
{
"created_at": "Sun Feb 11 23:16:47 +0000 2018",
"id": 962827788435841025,
"text": "RT @brianklaas: You falsely alleged that Ted Cruz\u2019s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos\u2026",
"user.screen_name": "Kimmy2858"
},
{
"created_at": "Sun Feb 11 23:16:47 +0000 2018",
"id": 962827788314034176,
"text": "@FoxNews @McDonalds This started happening when Barack Obama was elected president. He said he would fundamentally\u2026 https://t.co/bzY3thWKEw",
"user.screen_name": "crash99502"
},
{
"created_at": "Sun Feb 11 23:16:47 +0000 2018",
"id": 962827785843638277,
"text": "RT @DorothyYonker: I don't think the President can unseal Obama's records but if Obama is charged with a crime, A/G Sessions could. I may\u2026",
"user.screen_name": "BrockXerox"
},
{
"created_at": "Sun Feb 11 23:16:47 +0000 2018",
"id": 962827784728072192,
"text": "This is the ultra bizarre that is right wing Fox. no matter how nonsensical if they can put Obama's name (or Clinto\u2026 https://t.co/JCQNSrRAFQ",
"user.screen_name": "leejcaroll"
},
{
"created_at": "Sun Feb 11 23:16:46 +0000 2018",
"id": 962827784178618369,
"text": "RT @Imperator_Rex3: Important thread focussing on how the criminals used a foreign intelligence service (GCHQ) to inject the dodgy dossier\u2026",
"user.screen_name": "DaisyClover4"
},
{
"created_at": "Sun Feb 11 23:16:46 +0000 2018",
"id": 962827782853185536,
"text": "RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader\u2026",
"user.screen_name": "c_millerhorton"
},
{
"created_at": "Sun Feb 11 23:16:46 +0000 2018",
"id": 962827782848991232,
"text": "RT @FiveRights: For 5 years Obama couldn't stop ISIS, couldn't even contain them.\nTrump, w same military, wiped out ISIS in 9 mos.\nO wasn't\u2026",
"user.screen_name": "IBumbybee"
},
{
"created_at": "Sun Feb 11 23:16:46 +0000 2018",
"id": 962827781771091968,
"text": "RT @Hoosiers1986: #FakeRelationshipFacts\n\nDEM voters are gullible fools!\n\nThey revere idiots like Obama, Schumer & Pelosi who COULD have pr\u2026",
"user.screen_name": "Riff_Raff45"
},
{
"created_at": "Sun Feb 11 23:16:46 +0000 2018",
"id": 962827781661962240,
"text": "RT @oxminaox: Snapchat didn\u2019t suck while Obama was in office... just saying",
"user.screen_name": "lety_xo"
},
{
"created_at": "Sun Feb 11 23:16:46 +0000 2018",
"id": 962827781326430208,
"text": "RT @fubaglady: How Obama\u2019s Hillary Clinton cover-ups destroyed DOJ and FBI https://t.co/26KPBHmpyz",
"user.screen_name": "Pando18483"
},
{
"created_at": "Sun Feb 11 23:16:45 +0000 2018",
"id": 962827779992576000,
"text": "@jfreewright @JudgeJeanine WTF?? so it's Obama's fault that Porter abused his wife???\ud83d\ude44\n\nWhen I wake up each day & s\u2026 https://t.co/VBfU2M2Rgp",
"user.screen_name": "bunnyhuggr"
},
{
"created_at": "Sun Feb 11 23:16:45 +0000 2018",
"id": 962827779803824128,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "Mskifast"
},
{
"created_at": "Sun Feb 11 23:16:45 +0000 2018",
"id": 962827776595320833,
"text": "RT @ErrBodyLuvsCris: Honorable mentions:\n\u2022 Mo\u2019Nique\n\u2022 Drinking Water \n\u2022 Black Panther \n\u2022 Why black owned businesses fail \n\u2022 Obama\n\u2022 False a\u2026",
"user.screen_name": "hanifipuffs06"
},
{
"created_at": "Sun Feb 11 23:16:44 +0000 2018",
"id": 962827775227957248,
"text": "@DWCDroneGuy @4everNeverTrump @GothamKnight05 Obama couldn't have competed with Melania anyway!! https://t.co/FcCNODEwmB",
"user.screen_name": "rlbmcb14"
},
{
"created_at": "Sun Feb 11 23:16:44 +0000 2018",
"id": 962827774359691264,
"text": "RT @kylegriffin1: A comparison of the S&P 500 under Obama and Trump during the same period in their presidencies shows better performance u\u2026",
"user.screen_name": "erconger"
},
{
"created_at": "Sun Feb 11 23:16:44 +0000 2018",
"id": 962827773810237440,
"text": "RT @KarenThomasson1: @Johnpdca More so than Obama's college records and birth certificate, I'd like to see all of his acts of treason revea\u2026",
"user.screen_name": "BJCollins131"
},
{
"created_at": "Sun Feb 11 23:16:44 +0000 2018",
"id": 962827773126602753,
"text": "RT @oxminaox: Snapchat didn\u2019t suck while Obama was in office... just saying",
"user.screen_name": "diciembre_tres_"
},
{
"created_at": "Sun Feb 11 23:16:44 +0000 2018",
"id": 962827773030125568,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "vickiha08202081"
},
{
"created_at": "Sun Feb 11 23:16:44 +0000 2018",
"id": 962827772879101953,
"text": "@DonaldJTrumpJr The guy really shocked is Obama ...that we found out.",
"user.screen_name": "AlexPeresviet"
},
{
"created_at": "Sun Feb 11 23:16:44 +0000 2018",
"id": 962827772774187008,
"text": "My new waffle maker arrived today. Went out and got some waffle mix and chocolate chips. When I got home the electr\u2026 https://t.co/JNUifSSQLC",
"user.screen_name": "Gregg25Gelzinis"
},
{
"created_at": "Sun Feb 11 23:16:43 +0000 2018",
"id": 962827771973120000,
"text": "RT @MJoemal19: @ObozoLies 2011: Why Iran's capture of US drone will shake CIA https://t.co/3PVqMWjGKZ #CIA #Obama #NationalSecurity",
"user.screen_name": "ObozoLies"
},
{
"created_at": "Sun Feb 11 23:16:43 +0000 2018",
"id": 962827770291281920,
"text": "RT @Pink_About_it: The real question about fake dossier is not IF #Fisa warrant is now a widely known retroactive cover up, but rather, wha\u2026",
"user.screen_name": "DecosterGina"
},
{
"created_at": "Sun Feb 11 23:16:43 +0000 2018",
"id": 962827769611739136,
"text": "@DonaldJTrumpJr Obama got caught paying the Terrorist on his payroll. Now what?",
"user.screen_name": "mjtullo64"
},
{
"created_at": "Sun Feb 11 23:16:43 +0000 2018",
"id": 962827769355763712,
"text": "RT @KrisParonto: We also didn\u2019t use the @FBI @CIA and @NSAGov to spy on @realDonaldTrump either.......isn\u2019t that what you said to Chris Wal\u2026",
"user.screen_name": "hwfranzjr"
},
{
"created_at": "Sun Feb 11 23:16:43 +0000 2018",
"id": 962827769318064128,
"text": "@A_BettyD What facts have you stated? I cannot find any. I understand your predicament. You hate Trump, but he is m\u2026 https://t.co/b6GjElMmMt",
"user.screen_name": "Patr4915"
},
{
"created_at": "Sun Feb 11 23:16:42 +0000 2018",
"id": 962827767200010241,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "blacklabapril23"
},
{
"created_at": "Sun Feb 11 23:16:42 +0000 2018",
"id": 962827766117883904,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "StephMcMurphy"
},
{
"created_at": "Sun Feb 11 23:16:41 +0000 2018",
"id": 962827763286728704,
"text": "RT @theinquisitr: New Poll Finds Many Americans Think Obama Administration \u2018Improperly\u2019 Spied On Trump Campaign. Many survey respondents ar\u2026",
"user.screen_name": "letsplay2of3"
},
{
"created_at": "Sun Feb 11 23:16:41 +0000 2018",
"id": 962827761944530944,
"text": "RT @Education4Libs: Obama\u2019s election was the worst thing to ever happen to this country. \n\nTrump\u2019s election was the best.\n\nWe now have a gr\u2026",
"user.screen_name": "nitesky56"
},
{
"created_at": "Sun Feb 11 23:16:41 +0000 2018",
"id": 962827761747419136,
"text": "RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary\u2019s campaign assisted in the effort\n-Russians assisted the Hi\u2026",
"user.screen_name": "sdmack"
},
{
"created_at": "Sun Feb 11 23:16:41 +0000 2018",
"id": 962827761185378304,
"text": "RT @brianklaas: You falsely alleged that Ted Cruz\u2019s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos\u2026",
"user.screen_name": "billybong79"
},
{
"created_at": "Sun Feb 11 23:16:40 +0000 2018",
"id": 962827759037960192,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "MariaMexs"
},
{
"created_at": "Sun Feb 11 23:16:40 +0000 2018",
"id": 962827758924529664,
"text": "RT @clivebushjd: Take a look what Democrats, Neocons & RINOs have done to America\n\nWe must #DeportDreamers #EndChainMigration & #BuildTheWa\u2026",
"user.screen_name": "ElisAmerica1"
},
{
"created_at": "Sun Feb 11 23:16:40 +0000 2018",
"id": 962827758723313665,
"text": "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.\u2026",
"user.screen_name": "_strate"
},
{
"created_at": "Sun Feb 11 23:16:40 +0000 2018",
"id": 962827757737558016,
"text": "RT @MplsMe: Wall can't stop MS-13 because it started in Los Angeles, and is well-established in US. Many US citizens are members. Wall won'\u2026",
"user.screen_name": "sherry_bath"
},
{
"created_at": "Sun Feb 11 23:16:40 +0000 2018",
"id": 962827757628608513,
"text": "RT @Patbagley: Let's keep in mind Obama had scandals early on in his administration https://t.co/qjp2XQDU2s",
"user.screen_name": "cy_yenke"
},
{
"created_at": "Sun Feb 11 23:16:40 +0000 2018",
"id": 962827756768653312,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "TotalBroadcast"
},
{
"created_at": "Sun Feb 11 23:16:39 +0000 2018",
"id": 962827755149705216,
"text": "RT @AZjbc: They are Alinskey Tactics!! Chicago's Finest Barack Obama! Student of Marxist Agenda...Hard 2 Believe Half of the Country Just\u2026",
"user.screen_name": "Anak72297161"
},
{
"created_at": "Sun Feb 11 23:16:39 +0000 2018",
"id": 962827754076033024,
"text": "RT @EntheosShines: Source: Obama Fears #MuslimBrotherhood & CAIR Link to Downing of Russian Airliner @MattJAnder @CathyTo47590555 https://t\u2026",
"user.screen_name": "JamesGoodall17"
},
{
"created_at": "Sun Feb 11 23:16:39 +0000 2018",
"id": 962827752566087681,
"text": "RT @KrisParonto: We also didn\u2019t use the @FBI @CIA and @NSAGov to spy on @realDonaldTrump either.......isn\u2019t that what you said to Chris Wal\u2026",
"user.screen_name": "bkgroh"
},
{
"created_at": "Sun Feb 11 23:16:39 +0000 2018",
"id": 962827751668568065,
"text": "RT @brianklaas: You falsely alleged that Ted Cruz\u2019s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos\u2026",
"user.screen_name": "Zenaphobe"
},
{
"created_at": "Sun Feb 11 23:16:39 +0000 2018",
"id": 962827751400058885,
"text": "RT @EdKrassen: @IRdotnet @realDonaldTrump You have been falsely accusing the Democrats, Hillary, Obama, and just anyone else who doesn't ag\u2026",
"user.screen_name": "Sandy24689844"
},
{
"created_at": "Sun Feb 11 23:16:38 +0000 2018",
"id": 962827750921981952,
"text": "RT @MRSSMH2: No, sweetie. No one sat on twitter defending Obama 24 hours a day the way Trump morons do. Look at yourselves. You\u2019re still at\u2026",
"user.screen_name": "Barkforlove1"
},
{
"created_at": "Sun Feb 11 23:16:38 +0000 2018",
"id": 962827749936324608,
"text": "@MRSSMH2 @TomiLahren Then you are totally blind and you slept through the Obama presidency! The left along with the\u2026 https://t.co/zOu30GfEsE",
"user.screen_name": "RickBrown3440"
},
{
"created_at": "Sun Feb 11 23:16:38 +0000 2018",
"id": 962827749164486656,
"text": "@Amy_Siskind This is actually hilarious, considering the Pres. Obama targeted journalists, spied on American citize\u2026 https://t.co/XjhJmQKUaB",
"user.screen_name": "account_redact"
},
{
"created_at": "Sun Feb 11 23:16:38 +0000 2018",
"id": 962827747943829505,
"text": "RT @Bakari_Sellers: Fox News viewers believe its Obama\u2019s fault Rob Porter beat his wives. https://t.co/5y8wPzWLOu",
"user.screen_name": "seraphimmoon13"
},
{
"created_at": "Sun Feb 11 23:16:38 +0000 2018",
"id": 962827747491016705,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "moonbeam_0416"
},
{
"created_at": "Sun Feb 11 23:16:38 +0000 2018",
"id": 962827747209990144,
"text": "RT @JudicialWatch: As part of our effort to hold Mueller's investigation accountable, JW uncovered docs showing top DOJ officials including\u2026",
"user.screen_name": "rosdel128"
},
{
"created_at": "Sun Feb 11 23:16:37 +0000 2018",
"id": 962827745553088513,
"text": "RT @bellaace52: @realDonaldTrump Not Obama!!!! His rein had no problems at all. Obama was a shinning light in a world of darkness. Here\u2019s\u2026",
"user.screen_name": "AxelrodLorin"
},
{
"created_at": "Sun Feb 11 23:16:36 +0000 2018",
"id": 962827742625632257,
"text": "@dan11thhour Obama and his handlers pulled off a world-wide coup. Not just the U.S. and Canada. S. America is seeing this also.",
"user.screen_name": "gttbotl"
},
{
"created_at": "Sun Feb 11 23:16:36 +0000 2018",
"id": 962827741820280832,
"text": "RT @joncoopertweets: Sure, @realDonaldTrump is a lying, corrupt, racist, traitorous imbecile who defends white supremacists, Nazis, wife be\u2026",
"user.screen_name": "future_md23"
},
{
"created_at": "Sun Feb 11 23:16:36 +0000 2018",
"id": 962827740901715968,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "flip_flopps"
},
{
"created_at": "Sun Feb 11 23:16:36 +0000 2018",
"id": 962827740129869824,
"text": "Obama Official: I Passed Clinton Lies to Steele That Were Used Against Trump.A top State Department official who se\u2026 https://t.co/uwW0qV10zy",
"user.screen_name": "Lanchr4"
},
{
"created_at": "Sun Feb 11 23:16:36 +0000 2018",
"id": 962827738682978305,
"text": "RT @TeaPainUSA: FUN FACTS: DACA was established by the Obama Administration in June 2012 and RESCINDED by the Trump Administration in Sept\u2026",
"user.screen_name": "KimEbeth"
},
{
"created_at": "Sun Feb 11 23:16:35 +0000 2018",
"id": 962827735138750465,
"text": "RT @Owens4996: @MichelleObama You are awesome, many of us miss you and President Obama everyday! \u2764\ufe0f\u2764\ufe0f\u2764\ufe0f",
"user.screen_name": "TimminsRealtor"
},
{
"created_at": "Sun Feb 11 23:16:35 +0000 2018",
"id": 962827734979289088,
"text": "RT @oxminaox: Snapchat didn\u2019t suck while Obama was in office... just saying",
"user.screen_name": "xoaleenah"
},
{
"created_at": "Sun Feb 11 23:16:34 +0000 2018",
"id": 962827733276545024,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "lakemichigangal"
},
{
"created_at": "Sun Feb 11 23:16:34 +0000 2018",
"id": 962827732932485120,
"text": "RT @NevadaJack2: American Public Opinion Finally Turns on Obama Administration... \"Overwhelmingly\" https://t.co/i7LRoJ5lZc",
"user.screen_name": "BillWes76233793"
},
{
"created_at": "Sun Feb 11 23:16:34 +0000 2018",
"id": 962827731753877504,
"text": "RT @Chicago1Ray: \" You, me... we own this Country. Politicians are employees of ours. And when somebody doesn't do the Job, We gotta let 'e\u2026",
"user.screen_name": "TheRose50302638"
},
{
"created_at": "Sun Feb 11 23:16:33 +0000 2018",
"id": 962827727861637120,
"text": "@TheStarsFan @realDonaldTrump QE happened under Obama. Fed moves were dictated by his policy so I don't see how tha\u2026 https://t.co/l6Rpd95c1a",
"user.screen_name": "nickrock23"
},
{
"created_at": "Sun Feb 11 23:16:33 +0000 2018",
"id": 962827726267789312,
"text": "RT @SusanStormXO: @hatedtruthpig77 @Ann_B_Barber @wolfgangfaustX Burns me Up \ud83d\udd25\ud83d\udd25\nHow do we have people in America that are condoning this !\u2026",
"user.screen_name": "DagnyRed"
},
{
"created_at": "Sun Feb 11 23:16:32 +0000 2018",
"id": 962827725189894144,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "sixthgentexan"
},
{
"created_at": "Sun Feb 11 23:16:31 +0000 2018",
"id": 962827720542605314,
"text": "RT @TuckerCarlson: Here's what is clear right now, the bottom line on what we've learned this week and the one thing worth remembering: The\u2026",
"user.screen_name": "MorgannaMorales"
},
{
"created_at": "Sun Feb 11 23:16:31 +0000 2018",
"id": 962827720009900032,
"text": "@thehill Watergate reporter: We've never had a president who lies like @realDonaldTrump and Americans never will be\u2026 https://t.co/4CbbGPaZdo",
"user.screen_name": "MikeAE35"
},
{
"created_at": "Sun Feb 11 23:16:30 +0000 2018",
"id": 962827717413568515,
"text": "@realDonaldTrump Thank you Mr. President for standing up for American values and beliefs!! I am proud to support y\u2026 https://t.co/OX41abJ2Mk",
"user.screen_name": "striperbassman"
},
{
"created_at": "Sun Feb 11 23:16:30 +0000 2018",
"id": 962827716780331009,
"text": "RT @FiveRights: For 5 years Obama couldn't stop ISIS, couldn't even contain them.\nTrump, w same military, wiped out ISIS in 9 mos.\nO wasn't\u2026",
"user.screen_name": "marinebrothers1"
},
{
"created_at": "Sun Feb 11 23:16:30 +0000 2018",
"id": 962827716323041280,
"text": "RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,\u2026",
"user.screen_name": "CyndieHarris"
},
{
"created_at": "Sun Feb 11 23:16:30 +0000 2018",
"id": 962827714066571264,
"text": "RT @Brasilmagic: Jeanine Pirro needs a straight-jacket https://t.co/G4wzGBUJ0b",
"user.screen_name": "eugeniad26"
},
{
"created_at": "Sun Feb 11 23:16:29 +0000 2018",
"id": 962827712825036803,
"text": "RT @EdwardTHardy: Donald Trump spent years spreading the false allegation that Barack Obama was not born in the US https://t.co/d0XiP8l2yI",
"user.screen_name": "LatonaDawn"
},
{
"created_at": "Sun Feb 11 23:16:29 +0000 2018",
"id": 962827711939936257,
"text": "RT @DineshDSouza: There is more proof to date that Obama\u2014not Trump\u2014tried to rig the 2016 election. Let the truth come out & hold the guilty\u2026",
"user.screen_name": "AshleyEdam"
},
{
"created_at": "Sun Feb 11 23:16:29 +0000 2018",
"id": 962827711214272512,
"text": "RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,\u2026",
"user.screen_name": "Rayr63"
},
{
"created_at": "Sun Feb 11 23:16:29 +0000 2018",
"id": 962827709272526849,
"text": "RT @MplsMe: Wall can't stop MS-13 because it started in Los Angeles, and is well-established in US. Many US citizens are members. Wall won'\u2026",
"user.screen_name": "mdfazende"
},
{
"created_at": "Sun Feb 11 23:16:28 +0000 2018",
"id": 962827708794396672,
"text": "RT @SebGorka: The UNMASKING Scandal will prove to be much bigger than FISAGate or Watergate combined. \n\nTime to just call it what it is:\u2026",
"user.screen_name": "GourleyEwing"
},
{
"created_at": "Sun Feb 11 23:16:28 +0000 2018",
"id": 962827707921944576,
"text": "@RCdeWinter them the White House with the help of Putin and friends. Now, tRUMP has the whole lot of the GOP over a\u2026 https://t.co/O5wePkKKzD",
"user.screen_name": "giantdave1"
},
{
"created_at": "Sun Feb 11 23:16:28 +0000 2018",
"id": 962827707020140544,
"text": "RT @Bakari_Sellers: Fox News viewers believe its Obama\u2019s fault Rob Porter beat his wives. https://t.co/5y8wPzWLOu",
"user.screen_name": "BitterSaltiness"
},
{
"created_at": "Sun Feb 11 23:16:28 +0000 2018",
"id": 962827706810413056,
"text": "RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,\u2026",
"user.screen_name": "rightyfrommont"
},
{
"created_at": "Sun Feb 11 23:16:28 +0000 2018",
"id": 962827705610842112,
"text": "RT @DonnaWR8: In addition to removing ALL pagan and demonic items from the Obama and Clinton years at the White House, Pastor Paul Begley s\u2026",
"user.screen_name": "Sherry_Bass"
},
{
"created_at": "Sun Feb 11 23:16:27 +0000 2018",
"id": 962827704562274304,
"text": "RT @GeorgiaDirtRoad: Eric Holder is thinking of running for president... He was Obama\u2019s lap dog & now wants to be the next clown to run fo\u2026",
"user.screen_name": "Esthersaved12"
},
{
"created_at": "Sun Feb 11 23:16:27 +0000 2018",
"id": 962827703098454017,
"text": "RT @MEMLiberal: .@JudgeJeanine Pirro brilliantly pins the blame for the #RobPorter fiasco where it belongs. On Barack Obama.\n\nIn other news\u2026",
"user.screen_name": "hoover913"
},
{
"created_at": "Sun Feb 11 23:16:27 +0000 2018",
"id": 962827701114621952,
"text": "RT @FoxNews: .@TomFitton: \"[@realDonaldTrump] has been victimized by the Obama Administration.\" https://t.co/z3Vn9KY1M3",
"user.screen_name": "leapingknown"
},
{
"created_at": "Sun Feb 11 23:16:26 +0000 2018",
"id": 962827699411607552,
"text": "RT @JessieJaneDuff: DHS official & former Obama ambassador James Nealon resigned, upset recommendations to extend \u201ctemporary protected stat\u2026",
"user.screen_name": "cathie_lagrange"
},
{
"created_at": "Sun Feb 11 23:16:26 +0000 2018",
"id": 962827697901789186,
"text": "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.\u2026",
"user.screen_name": "Triscuitttt"
},
{
"created_at": "Sun Feb 11 23:16:26 +0000 2018",
"id": 962827697708703744,
"text": "RT @joncoopertweets: Sure, @realDonaldTrump is a lying, corrupt, racist, traitorous imbecile who defends white supremacists, Nazis, wife be\u2026",
"user.screen_name": "JTDENVERDUBS"
},
{
"created_at": "Sun Feb 11 23:16:26 +0000 2018",
"id": 962827697314394113,
"text": "RT @yoly4Trump: Tom Del Beccaro: All Corrupt DOJ and FBI Roads Lead to Obama https://t.co/JxPNVW1yWp via @BreitbartNews",
"user.screen_name": "yoly4Trump"
},
{
"created_at": "Sun Feb 11 23:16:26 +0000 2018",
"id": 962827697092288512,
"text": "@GOP You don\u2019t want to give Obama credit because you don\u2019t want to give Bush credit either. What kind of chesse\u2026 https://t.co/cdgxkI5FAD",
"user.screen_name": "Michael51114020"
},
{
"created_at": "Sun Feb 11 23:16:26 +0000 2018",
"id": 962827696937070592,
"text": "RT @fubaglady: How Obama\u2019s Hillary Clinton cover-ups destroyed DOJ and FBI https://t.co/26KPBHmpyz",
"user.screen_name": "RedBaronUSA1"
},
{
"created_at": "Sun Feb 11 23:16:25 +0000 2018",
"id": 962827696060289024,
"text": "Obama and Democrats never solved this man's problem. https://t.co/gbciZ04pCP",
"user.screen_name": "Hardhat_Patriot"
},
{
"created_at": "Sun Feb 11 23:16:25 +0000 2018",
"id": 962827695297097728,
"text": "RT @Go_DeeJay21: Barack Obama https://t.co/0T4ZCvOzGL",
"user.screen_name": "Harbsyy"
},
{
"created_at": "Sun Feb 11 23:16:25 +0000 2018",
"id": 962827694558728192,
"text": "RT @ElderLansing: I will never respect the Ex Resident Coward Obama! He was a horrible leader and had numerous scandals overlooked because\u2026",
"user.screen_name": "Lynny222"
},
{
"created_at": "Sun Feb 11 23:16:25 +0000 2018",
"id": 962827693648527360,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "realtime1954"
},
{
"created_at": "Sun Feb 11 23:16:25 +0000 2018",
"id": 962827693115899905,
"text": "RT @HrrEerrer: Does @realDonaldTrump hafta spend money where congress says?Obama didn\u2019t!Almost NO stimulus went2shovel ready jobs https://t\u2026",
"user.screen_name": "BillWes76233793"
},
{
"created_at": "Sun Feb 11 23:16:24 +0000 2018",
"id": 962827692268810240,
"text": "RT @joncoopertweets: Sure, @realDonaldTrump is a lying, corrupt, racist, traitorous imbecile who defends white supremacists, Nazis, wife be\u2026",
"user.screen_name": "UsEmpowered"
},
{
"created_at": "Sun Feb 11 23:16:24 +0000 2018",
"id": 962827691350200320,
"text": "RT @GeorgiaDirtRoad: Eric Holder is thinking of running for president... He was Obama\u2019s lap dog & now wants to be the next clown to run fo\u2026",
"user.screen_name": "pepper10001"
},
{
"created_at": "Sun Feb 11 23:16:24 +0000 2018",
"id": 962827689710120961,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "BettinaVLA"
},
{
"created_at": "Sun Feb 11 23:16:24 +0000 2018",
"id": 962827689399787520,
"text": "RT @mattmfm: Barack Obama was in the same room as Louis Farrakhan once and it caused a decades-long controversy. \n\nDonald Trump gave a shou\u2026",
"user.screen_name": "JosephOsaka"
},
{
"created_at": "Sun Feb 11 23:16:24 +0000 2018",
"id": 962827688980332544,
"text": "How ironic that only the wealthy elite can hear Michelle Obama speak. Heck, I can not even afford parking in the area let alone $$$ tix.",
"user.screen_name": "feschukphoto"
},
{
"created_at": "Sun Feb 11 23:16:23 +0000 2018",
"id": 962827684794351617,
"text": "RT @JessieJaneDuff: DHS official & former Obama ambassador James Nealon resigned, upset recommendations to extend \u201ctemporary protected stat\u2026",
"user.screen_name": "Harper04138060"
},
{
"created_at": "Sun Feb 11 23:16:23 +0000 2018",
"id": 962827684639322113,
"text": "RT @miamijj48: Our fast-growing national debt is a toxic legacy for my generation \n\n$1 Trillion in debt is unacceptable-We need to continue\u2026",
"user.screen_name": "SouthurnMama"
},
{
"created_at": "Sun Feb 11 23:16:22 +0000 2018",
"id": 962827683016134656,
"text": "RT @qz: Hip-hop painter Kehinde Wiley\u2019s portrait of Barack Obama will be unveiled tomorrow https://t.co/8wCPxkTX78",
"user.screen_name": "fisachi3x"
},
{
"created_at": "Sun Feb 11 23:16:22 +0000 2018",
"id": 962827682344992768,
"text": "RT @bfraser747: Is anyone actually surprised that Obama wanted to \u201cknow everything\u201d?\n\nOf course he interfered with the Hillary investigatio\u2026",
"user.screen_name": "TruthsbyRalph"
},
{
"created_at": "Sun Feb 11 23:16:22 +0000 2018",
"id": 962827681665568771,
"text": "RT @kylegriffin1: A comparison of the S&P 500 under Obama and Trump during the same period in their presidencies shows better performance u\u2026",
"user.screen_name": "972_834"
},
{
"created_at": "Sun Feb 11 23:16:22 +0000 2018",
"id": 962827681619496960,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "RichardVerMeul1"
},
{
"created_at": "Sun Feb 11 23:16:22 +0000 2018",
"id": 962827681577558016,
"text": "RT @MsMcMullan: Am I the only one who knows with complete certainty that the GOP never would have let the Democrats steal their Supreme Cou\u2026",
"user.screen_name": "IPM_Tweets"
},
{
"created_at": "Sun Feb 11 23:16:21 +0000 2018",
"id": 962827679694123008,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "Brew_sir54"
},
{
"created_at": "Sun Feb 11 23:16:21 +0000 2018",
"id": 962827679119667200,
"text": "RT @Go_DeeJay21: Barack Obama https://t.co/0T4ZCvOzGL",
"user.screen_name": "Drake_4"
},
{
"created_at": "Sun Feb 11 23:16:21 +0000 2018",
"id": 962827679027220480,
"text": "RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader\u2026",
"user.screen_name": "bretpdx"
},
{
"created_at": "Sun Feb 11 23:16:21 +0000 2018",
"id": 962827676519223296,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "Sbeks72986"
},
{
"created_at": "Sun Feb 11 23:16:20 +0000 2018",
"id": 962827675374161921,
"text": "RT @SebGorka: Just REMEMBER:\n\n@JohnBrennan was proud to have voted for Gus Hall the Communist candidate for American President. \n\nTHEN OBAM\u2026",
"user.screen_name": "Ed19642Ed"
},
{
"created_at": "Sun Feb 11 23:16:20 +0000 2018",
"id": 962827674610782213,
"text": "RT @brianklaas: You falsely alleged that Ted Cruz\u2019s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos\u2026",
"user.screen_name": "StevBlacker"
},
{
"created_at": "Sun Feb 11 23:16:20 +0000 2018",
"id": 962827673318969345,
"text": "RT @ARmastrangelo: We all know Obama loves weaponizing government agencies. Remember the IRS?\n\nWe all know Hillary loves to cheat. Remember\u2026",
"user.screen_name": "BlgaethGaeth"
},
{
"created_at": "Sun Feb 11 23:16:19 +0000 2018",
"id": 962827668675731456,
"text": "RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary\u2019s campaign assisted in the effort\n-Russians assisted the Hi\u2026",
"user.screen_name": "Verona83"
},
{
"created_at": "Sun Feb 11 23:16:18 +0000 2018",
"id": 962827666196967424,
"text": "@mikebloodworth @JBitterly @realDonaldTrump Trump is still talk about Obama & Hillary so his supporters will do the\u2026 https://t.co/iM5134O4z0",
"user.screen_name": "pam_pannarai"
},
{
"created_at": "Sun Feb 11 23:16:18 +0000 2018",
"id": 962827665744031746,
"text": "RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary\u2019s campaign assisted in the effort\n-Russians assisted the Hi\u2026",
"user.screen_name": "jennyfields79"
},
{
"created_at": "Sun Feb 11 23:16:18 +0000 2018",
"id": 962827665542664192,
"text": "RT @abiantes: @amandanaude @IamMarkStephens @bellaace52 @realDonaldTrump You do know that America's current economic situation came about u\u2026",
"user.screen_name": "FuelMan55"
},
{
"created_at": "Sun Feb 11 23:16:18 +0000 2018",
"id": 962827663579762688,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "terryjgosh"
},
{
"created_at": "Sun Feb 11 23:16:18 +0000 2018",
"id": 962827663122472960,
"text": "RT @MOVEFORWARDHUGE: THE OBAMA ADMINISTRATION HOUSE OF CARDS\n\nIS ABOUT TO MEET GITMO BARS!\n\nWHEN THE MILITARY TRIBUNALS ARE DONE,\n\nAMERICA\u2026",
"user.screen_name": "MOVEFORWARDHUGE"
},
{
"created_at": "Sun Feb 11 23:16:17 +0000 2018",
"id": 962827661583310850,
"text": "@conserv_tribune It is incredible and awesome obama was the worst president ever and it erasing the stain he left behind is necessary",
"user.screen_name": "m_mmilling"
},
{
"created_at": "Sun Feb 11 23:16:17 +0000 2018",
"id": 962827659804733440,
"text": "RT @tangJINjaemx: @vlissful @BTS_twt OBAMA SUPPORTS THIS! \ud83d\udc4f\ud83d\udc4f\ud83d\udc4f\ud83d\udc4f LEGEEEEENDS!!\n\n#BTS #BestBoyBand #iHeartAwards @BTS_twt https://t.co/hvqe2sI\u2026",
"user.screen_name": "becauseofKTH"
},
{
"created_at": "Sun Feb 11 23:16:16 +0000 2018",
"id": 962827658449928192,
"text": "RT @StevenTDennis: DACA exists because Obama acted after a Senate minority filibustered the DREAM Act in 2010; John Boehner and Paul Ryan h\u2026",
"user.screen_name": "dazilmz"
},
{
"created_at": "Sun Feb 11 23:16:16 +0000 2018",
"id": 962827657422491648,
"text": "@___aniT___ @Obama_FOS @Tiffany1985B We\u2019re a thing now so don\u2019t push me away when I\u2019m all up in your business. \ud83d\ude09\ud83d\ude02",
"user.screen_name": "jennyleesac30"
},
{
"created_at": "Sun Feb 11 23:16:16 +0000 2018",
"id": 962827657384812544,
"text": "RT @a4_adorable: Barack Obama https://t.co/a1EuLpeoT9",
"user.screen_name": "CharlayaTyler"
},
{
"created_at": "Sun Feb 11 23:16:16 +0000 2018",
"id": 962827656868892672,
"text": "RT @realDonaldTrump: \u201cMy view is that not only has Trump been vindicated in the last several weeks about the mishandling of the Dossier and\u2026",
"user.screen_name": "babafemi9"
},
{
"created_at": "Sun Feb 11 23:16:16 +0000 2018",
"id": 962827655765725184,
"text": "RT @JohnJHarwood: Obama and Democratic Congress constructed their central domestic initiative, the ACA, with sufficient tax revenue so that\u2026",
"user.screen_name": "wonz"
},
{
"created_at": "Sun Feb 11 23:16:16 +0000 2018",
"id": 962827655211925504,
"text": "RT @cbouzy: \ud83d\udd25\ud83d\udd25\ud83d\udd25OMG!!! Jeanine Pirro blames Barack Obama for Rob Porter wife-beating scandal. Fox News is a fake news network endorsed by th\u2026",
"user.screen_name": "michellred"
},
{
"created_at": "Sun Feb 11 23:16:16 +0000 2018",
"id": 962827654876549121,
"text": "mr obama pwease hewp.",
"user.screen_name": "younghocsp"
},
{
"created_at": "Sun Feb 11 23:16:15 +0000 2018",
"id": 962827651827355648,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "RichardVerMeul1"
},
{
"created_at": "Sun Feb 11 23:16:14 +0000 2018",
"id": 962827649759444997,
"text": "RT @KrisParonto: We also didn\u2019t use the @FBI @CIA and @NSAGov to spy on @realDonaldTrump either.......isn\u2019t that what you said to Chris Wal\u2026",
"user.screen_name": "Baltazar_Bolado"
},
{
"created_at": "Sun Feb 11 23:16:14 +0000 2018",
"id": 962827649750990850,
"text": "RT @GOP: Democrats are trying to take credit for our thriving economy. \ud83d\ude02\nhttps://t.co/gKTke2wqO3",
"user.screen_name": "BettinaVLA"
},
{
"created_at": "Sun Feb 11 23:16:14 +0000 2018",
"id": 962827647452463104,
"text": "RT @OliverMcGee: Wow. Throwback to when Senator Barack Obama agreed with @realDonaldTrump on immigration! RT this so your friends see this!\u2026",
"user.screen_name": "SandraM02169645"
},
{
"created_at": "Sun Feb 11 23:16:13 +0000 2018",
"id": 962827645279981568,
"text": "RT @TrumpNewsz: \"Instant Justice: After G W Bush & Obama Teamed Up to Attack Trump, Fox Host Leaked Their Worst Nightmare\" https://t.co/KbE\u2026",
"user.screen_name": "ceci8775"
},
{
"created_at": "Sun Feb 11 23:16:13 +0000 2018",
"id": 962827644113997825,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "BrookhartKim"
},
{
"created_at": "Sun Feb 11 23:16:13 +0000 2018",
"id": 962827643149221888,
"text": "Obama by Kevin Bozeman is #NowPlaying on https://t.co/IBx3JZxB9Y https://t.co/94jE4ONxEt",
"user.screen_name": "CCS_Radio"
},
{
"created_at": "Sun Feb 11 23:16:13 +0000 2018",
"id": 962827642339774465,
"text": "RT @phil200269: Reminder: \n\nThe Obama Appointees Who Covered Up Hillary and Obama's Uranium Sale To Russia Are Still In Charge of the Trump\u2026",
"user.screen_name": "page_kimiko"
},
{
"created_at": "Sun Feb 11 23:16:12 +0000 2018",
"id": 962827641639391233,
"text": "@DonnaWR8 @POTUS Obama and crew got away with everything.",
"user.screen_name": "SaraBuc44740477"
},
{
"created_at": "Sun Feb 11 23:16:12 +0000 2018",
"id": 962827640980860928,
"text": "RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,\u2026",
"user.screen_name": "gbetree"
},
{
"created_at": "Sun Feb 11 23:16:12 +0000 2018",
"id": 962827640624250880,
"text": "RT @AMErikaNGIRLBOT: Watch:Leaked footage of Trump firing Comey\ud83d\udca5\u201dYou\u2019re Fired!\u201d \nThe Obama admin turned America into a sitcom where every d\u2026",
"user.screen_name": "bsgirl2u"
},
{
"created_at": "Sun Feb 11 23:16:12 +0000 2018",
"id": 962827640343285761,
"text": "RT @MaxBlumenthal: This excellent move would almost make up for giving the prize to Obama https://t.co/pJV5GoPJp9",
"user.screen_name": "DianeDobrski"
},
{
"created_at": "Sun Feb 11 23:16:12 +0000 2018",
"id": 962827640255270913,
"text": "Newt Hammer Clinton And The Deep State https://t.co/VKMy2s67WD",
"user.screen_name": "starrick1"
},
{
"created_at": "Sun Feb 11 23:16:12 +0000 2018",
"id": 962827639672074240,
"text": "RT @AriFleischer: It\u2019s easy to be a thug dealing with liberal media. The MSM forgets prison camps, forced hunger, brutality, nuclear threat\u2026",
"user.screen_name": "Verona83"
},
{
"created_at": "Sun Feb 11 23:16:11 +0000 2018",
"id": 962827637638029314,
"text": "@DineshDSouza @Debber66 @realDonaldTrump #DrainTheSorosCesspool\n#ObamaKnew\n#CorruptFBI\nObama's FBI and DOJ tricked\u2026 https://t.co/yqiv6aRsUL",
"user.screen_name": "j_c_k17jck"
},
{
"created_at": "Sun Feb 11 23:16:11 +0000 2018",
"id": 962827637562466304,
"text": "BOMBSHELL: FBI Informant In Uranium One Scandal Testifies Against Obama. Here's What He Said. https://t.co/AwCYRiLoug",
"user.screen_name": "MrLeeHanna"
},
{
"created_at": "Sun Feb 11 23:16:11 +0000 2018",
"id": 962827637524754432,
"text": "RT @Sunrise51052: DACA was created on 6/15/12 because polling showed Obama would need more Hispanic votes to win 2012. \n\n#MAGA #AmericaFirs\u2026",
"user.screen_name": "denverkb"
},
{
"created_at": "Sun Feb 11 23:16:11 +0000 2018",
"id": 962827636132196352,
"text": "RT @FiveRights: Laura Ingraham on Fox: Why did George W. Bush refuse to criticize Obama even when O screwed up badly but he often criticize\u2026",
"user.screen_name": "DianeMDeath"
},
{
"created_at": "Sun Feb 11 23:16:11 +0000 2018",
"id": 962827634064244736,
"text": "RT @JessieJaneDuff: DHS official & former Obama ambassador James Nealon resigned, upset recommendations to extend \u201ctemporary protected stat\u2026",
"user.screen_name": "queensword"
},
{
"created_at": "Sun Feb 11 23:16:10 +0000 2018",
"id": 962827633410105344,
"text": "RT @RealMAGASteve: This bombshell report from the Senate Homeland Security Comm. IMPLICATES OBAMA in the #Obamagate scandal & Clinton email\u2026",
"user.screen_name": "willieluv2016"
},
{
"created_at": "Sun Feb 11 23:16:10 +0000 2018",
"id": 962827633234006017,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "TreetopMcPhers2"
},
{
"created_at": "Sun Feb 11 23:16:10 +0000 2018",
"id": 962827632705449984,
"text": "RT @TommyAl40344973: @JanC182 @DerkaCards @ChaMamasHouse @realDonaldTrump Obama was worst pres ever. He ruined the economy & started a raci\u2026",
"user.screen_name": "dbaug57942"
},
{
"created_at": "Sun Feb 11 23:16:10 +0000 2018",
"id": 962827630570438656,
"text": "RT @JalenSkutt: Barack Obama https://t.co/Z91o7bG2EH",
"user.screen_name": "danyyy26"
},
{
"created_at": "Sun Feb 11 23:16:10 +0000 2018",
"id": 962827630457352192,
"text": "RT @Logic_Triumphs: \u2b50\u2b50\u2b50\u2b50\u2b50\nBarack Obama has 99.7 million followers.\nIt would kill Donald Trump if Obama hit 100 million. Whatever you do do\u2026",
"user.screen_name": "gjackson963"
},
{
"created_at": "Sun Feb 11 23:16:09 +0000 2018",
"id": 962827628037197829,
"text": "RT @TomFitton: The American people should be able to see for themselves the FISA court docs on how Obama admin used Clinton document to mis\u2026",
"user.screen_name": "nuzombie4"
},
{
"created_at": "Sun Feb 11 23:16:09 +0000 2018",
"id": 962827627991060481,
"text": "RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader\u2026",
"user.screen_name": "gatorKayla2"
},
{
"created_at": "Sun Feb 11 23:16:09 +0000 2018",
"id": 962827627324207104,
"text": "RT @omriceren: Obama Dec 2011, after Iran seized American UAV: \"We've asked for it back. We'll see how the Iranians respond\" https://t.co/y\u2026",
"user.screen_name": "awkwardfuzzball"
},
{
"created_at": "Sun Feb 11 23:16:08 +0000 2018",
"id": 962827624434323456,
"text": "RT @AZWS: This meme is aging very well. It\u2019s still amazing the Mainstream Media would have you believe Obama\u2019s presidency was scandal free.\u2026",
"user.screen_name": "maxislv"
},
{
"created_at": "Sun Feb 11 23:16:07 +0000 2018",
"id": 962827619640033281,
"text": "RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader\u2026",
"user.screen_name": "pcphx90"
},
{
"created_at": "Sun Feb 11 23:16:07 +0000 2018",
"id": 962827619023687681,
"text": "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.\u2026",
"user.screen_name": "MLGoley"
},
{
"created_at": "Sun Feb 11 23:16:06 +0000 2018",
"id": 962827616125415424,
"text": "RT @Imperator_Rex3: Important thread focussing on how the criminals used a foreign intelligence service (GCHQ) to inject the dodgy dossier\u2026",
"user.screen_name": "Teresa13218380"
},
{
"created_at": "Sun Feb 11 23:16:06 +0000 2018",
"id": 962827615160684545,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "oqven"
},
{
"created_at": "Sun Feb 11 23:16:06 +0000 2018",
"id": 962827614934175744,
"text": "RT @goodoldcatchy: Jesus wasn\u2019t white. Trump isn\u2019t a Christian. Trickle-down economics doesn\u2019t work. A border wall isn\u2019t feasible. Climate\u2026",
"user.screen_name": "chels2saucy"
},
{
"created_at": "Sun Feb 11 23:16:06 +0000 2018",
"id": 962827613948530688,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "WoodCarma"
},
{
"created_at": "Sun Feb 11 23:16:06 +0000 2018",
"id": 962827612992299009,
"text": "RT @yogagenie: Poll: Americans 'Overwhelmingly' Believe Obama 'Improperly Surveilled' Trump Campaign - Breitbart https://t.co/6vZcuiaf2b",
"user.screen_name": "M08D26"
},
{
"created_at": "Sun Feb 11 23:16:06 +0000 2018",
"id": 962827612811751424,
"text": "RT @USArmy333: Wait #Obama \n\nYou mean you destroyed cars that were FINE! While #Homeless #Veterans need a car? https://t.co/RKQvQdDdQD",
"user.screen_name": "BRADALL76027393"
},
{
"created_at": "Sun Feb 11 23:16:06 +0000 2018",
"id": 962827612736315392,
"text": "RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader\u2026",
"user.screen_name": "ttcriddell"
},
{
"created_at": "Sun Feb 11 23:16:04 +0000 2018",
"id": 962827608508588039,
"text": "RT @BenjaminNorton: US Ambassador Confirms Billions Spent On Regime Change in Syria, Debunking 'Obama Did Nothing' Myth https://t.co/nWGvwI\u2026",
"user.screen_name": "ymahfooz"
},
{
"created_at": "Sun Feb 11 23:16:04 +0000 2018",
"id": 962827608021856257,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "cathie_lagrange"
},
{
"created_at": "Sun Feb 11 23:16:04 +0000 2018",
"id": 962827607724253184,
"text": "RT @NewtTrump: Newt Gingrich: \"Let me just point out how sick the elite media is \u2014 they report all that as though it\u2019s something bad about\u2026",
"user.screen_name": "kfwinter15"
},
{
"created_at": "Sun Feb 11 23:16:04 +0000 2018",
"id": 962827605601914880,
"text": "If President Obama wasn\u2019t President Obama he\u2019d be James Bond , Idris Elba , The Dos Equis man , John Shaft , Jason\u2026 https://t.co/wt0Y950nPn",
"user.screen_name": "bergamp64"
},
{
"created_at": "Sun Feb 11 23:16:03 +0000 2018",
"id": 962827603903094784,
"text": "@dorianp626 You\u2019ve got Trump confused with War Instigator Champ, Obama.",
"user.screen_name": "donaldpirl"
},
{
"created_at": "Sun Feb 11 23:16:03 +0000 2018",
"id": 962827602535833600,
"text": "RT @JudicialWatch: Reminder: JW found evidence showing Obama State Dept under John Kerry sent its own \"dossier\" of classified info on Russi\u2026",
"user.screen_name": "donrh65"
},
{
"created_at": "Sun Feb 11 23:16:03 +0000 2018",
"id": 962827601768337409,
"text": "@RealCandaceO Black Nationalism under Obama https://t.co/dVNWiTLMeX",
"user.screen_name": "JTCMD"
},
{
"created_at": "Sun Feb 11 23:16:02 +0000 2018",
"id": 962827599880781824,
"text": "RT @JudicialWatch: Reminder: JW found evidence showing Obama State Dept under John Kerry sent its own \"dossier\" of classified info on Russi\u2026",
"user.screen_name": "danecloud1"
},
{
"created_at": "Sun Feb 11 23:16:02 +0000 2018",
"id": 962827599708938240,
"text": "RT @GrrrGraphics: \"In the Head of Hillary\" #BenGarrison #cartoon \nSomeone asked me why I draw so many #Obama & #Hillary cartoons. \nread mor\u2026",
"user.screen_name": "velvet_chainsaw"
},
{
"created_at": "Sun Feb 11 23:16:02 +0000 2018",
"id": 962827599377448960,
"text": "RT @brianklaas: Man who called to execute Central Park 5 & insisted they were guilty after DNA evidence proved their innocence; spread birt\u2026",
"user.screen_name": "LegendOfSandy"
},
{
"created_at": "Sun Feb 11 23:16:02 +0000 2018",
"id": 962827598723211264,
"text": "RT @brianklaas: You falsely alleged that Ted Cruz\u2019s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos\u2026",
"user.screen_name": "HavicanWatson"
},
{
"created_at": "Sun Feb 11 23:16:02 +0000 2018",
"id": 962827598589022208,
"text": "RT @winstonmeiiis: Dems are still denying the facts that Obama/Clinton admin knowingly used fake Trump dossier to obtain FISA warrants.\nDo\u2026",
"user.screen_name": "donnamaxwell861"
},
{
"created_at": "Sun Feb 11 23:16:02 +0000 2018",
"id": 962827597087309824,
"text": "RT @MOVEFORWARDHUGE: THE OBAMA ADMINISTRATION HOUSE OF CARDS\n\nIS ABOUT TO MEET GITMO BARS!\n\nWHEN THE MILITARY TRIBUNALS ARE DONE,\n\nAMERICA\u2026",
"user.screen_name": "michaelroller"
},
{
"created_at": "Sun Feb 11 23:16:01 +0000 2018",
"id": 962827593547501568,
"text": "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.\u2026",
"user.screen_name": "BobaFenwick"
},
{
"created_at": "Sun Feb 11 23:16:01 +0000 2018",
"id": 962827593316818946,
"text": "@gal_deplorable @tamaraleighllc It's become a valid certification that gained prominence under obama. Prior to 200\u2026 https://t.co/tyXxGpwMUh",
"user.screen_name": "JaiceHarmon"
},
{
"created_at": "Sun Feb 11 23:16:01 +0000 2018",
"id": 962827593161625601,
"text": "RT @justinamash: This morning, every Republican in Congress who blasted government growth under Pres. Obama gets to answer the following qu\u2026",
"user.screen_name": "clarkeswa"
},
{
"created_at": "Sun Feb 11 23:16:01 +0000 2018",
"id": 962827592871981056,
"text": "RT @1776Stonewall: @JudiMichels I'll never forget when he went at Obama and the empty chair at the RNC convention/ The left, of course, att\u2026",
"user.screen_name": "edwardjrcomcas1"
},
{
"created_at": "Sun Feb 11 23:16:01 +0000 2018",
"id": 962827592805027842,
"text": "RT @rocketsales44: You must have been asleep for the Obama years #MAGA #LiberalismIsAMentalDisorder https://t.co/m8hVmN0q2g",
"user.screen_name": "sg07840_mayra"
},
{
"created_at": "Sun Feb 11 23:16:00 +0000 2018",
"id": 962827590133202944,
"text": "RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,\u2026",
"user.screen_name": "Darlem303"
},
{
"created_at": "Sun Feb 11 23:16:00 +0000 2018",
"id": 962827589835546624,
"text": "Israel Strikes Iran in Syria and Loses a Jet via @NYTimes. Obama\u2019s other legacy? https://t.co/R7bEaEn2CM",
"user.screen_name": "JoelPFeldman"
},
{
"created_at": "Sun Feb 11 23:16:00 +0000 2018",
"id": 962827589009231873,
"text": "RT @labuda_robert: Define Russian Collusion.:\n\nWhy did Barack Obama\n\n1) Work With Iran?\n\n2) Use the Intel Community to Monitor/Attack Benja\u2026",
"user.screen_name": "SthrnMomNGram"
},
{
"created_at": "Sun Feb 11 23:16:00 +0000 2018",
"id": 962827587813888000,
"text": "RT @DineshDSouza: There is more proof to date that Obama\u2014not Trump\u2014tried to rig the 2016 election. Let the truth come out & hold the guilty\u2026",
"user.screen_name": "NMLifestyles"
},
{
"created_at": "Sun Feb 11 23:15:59 +0000 2018",
"id": 962827584827359232,
"text": "@MohamedMOSalih Harriet Tubman, Frederick Douglass, MLK, Nichelle Nichols. Barack & Michelle Obama. U.S. Rep John Lewis. Just to name a few.",
"user.screen_name": "LisaBlycker"
},
{
"created_at": "Sun Feb 11 23:15:59 +0000 2018",
"id": 962827584005287936,
"text": "RT @RyanAFournier: Do you believe the Obama Administration improperly and illegally surveilled the Trump Campaign? #SHARE",
"user.screen_name": "crookedchair69"
},
{
"created_at": "Sun Feb 11 23:15:58 +0000 2018",
"id": 962827582461894657,
"text": "RT @rmasher2: Funny. I don't recall President Obama being called to testify before a Special Counsel/Grand Jury looking into possible crimi\u2026",
"user.screen_name": "MayIrmamay14"
},
{
"created_at": "Sun Feb 11 23:15:58 +0000 2018",
"id": 962827581434183680,
"text": "RT @BenjaminNorton: US Ambassador Confirms Billions Spent On Regime Change in Syria, Debunking 'Obama Did Nothing' Myth https://t.co/nWGvwI\u2026",
"user.screen_name": "Pepperpear"
},
{
"created_at": "Sun Feb 11 23:15:58 +0000 2018",
"id": 962827580968759296,
"text": "@keithellison @ErikaAndiola DACA is unconstitutional Obama stated that fact 25xs! Democrat majority could of passed\u2026 https://t.co/UtC7GYPkBj",
"user.screen_name": "KellyCurran20"
},
{
"created_at": "Sun Feb 11 23:15:58 +0000 2018",
"id": 962827580901679109,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "deb_sadie"
},
{
"created_at": "Sun Feb 11 23:15:58 +0000 2018",
"id": 962827580863758336,
"text": "@shirleyann32 @HouseGOP Did you see any of that 2500 Obama promise you, or did you healthcare go down or are you on the free line??",
"user.screen_name": "GregoryMaul"
},
{
"created_at": "Sun Feb 11 23:15:58 +0000 2018",
"id": 962827580348030977,
"text": "RT @RyanAFournier: Do you believe the Obama Administration improperly and illegally surveilled the Trump Campaign? #SHARE",
"user.screen_name": "I_am_KevinW"
},
{
"created_at": "Sun Feb 11 23:15:58 +0000 2018",
"id": 962827579286843397,
"text": "RT @BettyBowers: TRUMP LIE: Democrats didn't fix #DACA from 2008-2011. \n\nINCONVENIENT FACT: DACA didn't exist until 2012.\n\nTRUMP LIE: Repub\u2026",
"user.screen_name": "kingT"
},
{
"created_at": "Sun Feb 11 23:15:57 +0000 2018",
"id": 962827577864966144,
"text": "@RadioFreeTom Many of those voters were possessed of the same magical thinking as Obama voters.",
"user.screen_name": "TomNeven1"
},
{
"created_at": "Sun Feb 11 23:15:57 +0000 2018",
"id": 962827577760145408,
"text": "RT @Jali_Cat: Two days after Obama sent Iran the ransom cash, USA government wired 13 individual payments for $99,999,999.99 , each w/ an i\u2026",
"user.screen_name": "dalvis0921"
},
{
"created_at": "Sun Feb 11 23:15:57 +0000 2018",
"id": 962827576510242817,
"text": "RT @RealMAGASteve: This bombshell report from the Senate Homeland Security Comm. IMPLICATES OBAMA in the #Obamagate scandal & Clinton email\u2026",
"user.screen_name": "DianneSteiner"
},
{
"created_at": "Sun Feb 11 23:15:56 +0000 2018",
"id": 962827574215819265,
"text": "RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader\u2026",
"user.screen_name": "ccary67"
},
{
"created_at": "Sun Feb 11 23:15:56 +0000 2018",
"id": 962827573351866368,
"text": "RT @sportsfan_james: @dbongino He knew it from the start he has been a trained liar. He lied about the ILLEGAL spying to Congress and AMERI\u2026",
"user.screen_name": "cooch28"
},
{
"created_at": "Sun Feb 11 23:15:56 +0000 2018",
"id": 962827573133750272,
"text": "RT @Brasilmagic: Jeanine Pirro needs a straight-jacket https://t.co/G4wzGBUJ0b",
"user.screen_name": "ResistTilDeath"
},
{
"created_at": "Sun Feb 11 23:15:56 +0000 2018",
"id": 962827571611275270,
"text": "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.\u2026",
"user.screen_name": "meg_moreno"
},
{
"created_at": "Sun Feb 11 23:15:55 +0000 2018",
"id": 962827570050891778,
"text": "RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove\u2026",
"user.screen_name": "facingeast52"
},
{
"created_at": "Sun Feb 11 23:15:55 +0000 2018",
"id": 962827567727247360,
"text": "RT @KaniJJackson: This is just your daily reminder that Barack Obama did not have 1 scandal or allegation against him during his time in th\u2026",
"user.screen_name": "DredPirateJames"
},
{
"created_at": "Sun Feb 11 23:15:55 +0000 2018",
"id": 962827567320391680,
"text": "RT @Education4Libs: Obama\u2019s election was the worst thing to ever happen to this country. \n\nTrump\u2019s election was the best.\n\nWe now have a gr\u2026",
"user.screen_name": "Rayr63"
},
{
"created_at": "Sun Feb 11 23:15:55 +0000 2018",
"id": 962827567203012614,
"text": "RT @BettyBowers: TRUMP LIE: Democrats didn't fix #DACA from 2008-2011. \n\nINCONVENIENT FACT: DACA didn't exist until 2012.\n\nTRUMP LIE: Repub\u2026",
"user.screen_name": "BenKallaway"
},
{
"created_at": "Sun Feb 11 23:15:55 +0000 2018",
"id": 962827567198818304,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "lkw72258"
},
{
"created_at": "Sun Feb 11 23:15:54 +0000 2018",
"id": 962827566083133441,
"text": "@DineshDSouza @JessieJaneDuff Like the IRS acted as Obama's SS on conservative NFP's",
"user.screen_name": "Publius7"
},
{
"created_at": "Sun Feb 11 23:15:54 +0000 2018",
"id": 962827565957287937,
"text": "RT @JudicialWatch: As part of our effort to hold Mueller's investigation accountable, JW uncovered docs showing top DOJ officials including\u2026",
"user.screen_name": "PatriotMarie"
},
{
"created_at": "Sun Feb 11 23:15:54 +0000 2018",
"id": 962827565751730178,
"text": "RT @TomFitton: The American people should be able to see for themselves the FISA court docs on how Obama admin used Clinton document to mis\u2026",
"user.screen_name": "gwoodle"
},
{
"created_at": "Sun Feb 11 23:15:54 +0000 2018",
"id": 962827564665405440,
"text": "RT @MEL2AUSA: If anyone is looking for #Obama he\u2019s in his safe space.\nIt\u2019s in the ladies restroom. #ObamaKnew #ObamaGate https://t.co/TKakg\u2026",
"user.screen_name": "Mtweetie4848gm2"
},
{
"created_at": "Sun Feb 11 23:15:54 +0000 2018",
"id": 962827564153745408,
"text": "RT @Psychoman1976: Marie Harf on #Outnumbered having a coronary about #Obama involvement with email and dossier scandals Bwahahaha!!!!!! ht\u2026",
"user.screen_name": "MikeJorgensen5"
},
{
"created_at": "Sun Feb 11 23:15:54 +0000 2018",
"id": 962827563910475776,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "RichardVerMeul1"
},
{
"created_at": "Sun Feb 11 23:15:53 +0000 2018",
"id": 962827562052411392,
"text": "I hope @tedlieu @RepSwalwell get to the bottom of whether Hope Hicks pegs Trump\u2019s bottom with the Obama dildo, as h\u2026 https://t.co/2xmVkVnFZo",
"user.screen_name": "BeurreyBlanco"
},
{
"created_at": "Sun Feb 11 23:15:53 +0000 2018",
"id": 962827558273208320,
"text": "@CNN And Bullets paid for by Obama\u2019s Nuclear Deal.",
"user.screen_name": "TASWhatever"
},
{
"created_at": "Sun Feb 11 23:15:52 +0000 2018",
"id": 962827555551240192,
"text": "RT @JessieJaneDuff: DHS official & former Obama ambassador James Nealon resigned, upset recommendations to extend \u201ctemporary protected stat\u2026",
"user.screen_name": "hockeymom9598"
},
{
"created_at": "Sun Feb 11 23:15:52 +0000 2018",
"id": 962827554842439680,
"text": "RT @Khanoisseur: This is arguably the most important speech Obama has given\n\nListen to it carefully and share with friends https://t.co/Heq\u2026",
"user.screen_name": "tabfreeweir"
},
{
"created_at": "Sun Feb 11 23:15:52 +0000 2018",
"id": 962827554745970689,
"text": "RT @RyanAFournier: Do you believe the Obama Administration improperly and illegally surveilled the Trump Campaign? #SHARE",
"user.screen_name": "bwcawilderness"
},
{
"created_at": "Sun Feb 11 23:15:51 +0000 2018",
"id": 962827553424773121,
"text": "RT @brianklaas: You falsely alleged that Ted Cruz\u2019s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos\u2026",
"user.screen_name": "PLFord52"
},
{
"created_at": "Sun Feb 11 23:15:51 +0000 2018",
"id": 962827553215012864,
"text": "RT @jackshafer: \"Obama & Hillary Ordered FBI to Spy on Trump!\" https://t.co/l007E3XT81",
"user.screen_name": "SeanOCasey1"
},
{
"created_at": "Sun Feb 11 23:15:51 +0000 2018",
"id": 962827553038888960,
"text": "RT @mattmfm: Barack Obama was in the same room as Louis Farrakhan once and it caused a decades-long controversy. \n\nDonald Trump gave a shou\u2026",
"user.screen_name": "barbjean"
},
{
"created_at": "Sun Feb 11 23:15:51 +0000 2018",
"id": 962827552279719936,
"text": "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.\u2026",
"user.screen_name": "VeronicaSam13"
},
{
"created_at": "Sun Feb 11 23:15:51 +0000 2018",
"id": 962827550715031552,
"text": "RT @JudicialWatch: As part of our effort to hold Mueller's investigation accountable, JW uncovered docs showing top DOJ officials including\u2026",
"user.screen_name": "BreeColorado"
},
{
"created_at": "Sun Feb 11 23:15:50 +0000 2018",
"id": 962827547481427969,
"text": "RT @tonyposnanski: Trump believes in due process except for...\n\n- Kenyan born Obama\n- Crooked Hillary\n- FBI\n- Anyone in the media who doesn\u2026",
"user.screen_name": "TwymanPaige"
},
{
"created_at": "Sun Feb 11 23:15:50 +0000 2018",
"id": 962827546697064449,
"text": "RT @RealMAGASteve: This bombshell report from the Senate Homeland Security Comm. IMPLICATES OBAMA in the #Obamagate scandal & Clinton email\u2026",
"user.screen_name": "broker1ajs"
},
{
"created_at": "Sun Feb 11 23:15:50 +0000 2018",
"id": 962827546390876160,
"text": "RT @BluePillSheep: New FBI Text Messages Show Obama \u2018Wants To Know Everything We\u2019re Doing\u2019\n\nREAD OUR STORY HERE https://t.co/TRrmxBavZj\n\n#S\u2026",
"user.screen_name": "OnlyJeanSeixasM"
},
{
"created_at": "Sun Feb 11 23:15:49 +0000 2018",
"id": 962827545572933633,
"text": "RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader\u2026",
"user.screen_name": "EarlSimpsonII"
},
{
"created_at": "Sun Feb 11 23:15:49 +0000 2018",
"id": 962827543513411584,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "SATwerdnerd"
},
{
"created_at": "Sun Feb 11 23:15:49 +0000 2018",
"id": 962827543261806592,
"text": "RT @brianklaas: Man who called to execute Central Park 5 & insisted they were guilty after DNA evidence proved their innocence; spread birt\u2026",
"user.screen_name": "ametola"
},
{
"created_at": "Sun Feb 11 23:15:48 +0000 2018",
"id": 962827541374435329,
"text": "RT @realDonaldTrump: \u201cMy view is that not only has Trump been vindicated in the last several weeks about the mishandling of the Dossier and\u2026",
"user.screen_name": "fidman_143"
},
{
"created_at": "Sun Feb 11 23:15:48 +0000 2018",
"id": 962827540791521280,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "CureOurCountry"
},
{
"created_at": "Sun Feb 11 23:15:48 +0000 2018",
"id": 962827540426567680,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "lynn_laj"
},
{
"created_at": "Sun Feb 11 23:15:48 +0000 2018",
"id": 962827539428380673,
"text": "RT @TuckerCarlson: Here's what is clear right now, the bottom line on what we've learned this week and the one thing worth remembering: The\u2026",
"user.screen_name": "bulladave"
},
{
"created_at": "Sun Feb 11 23:15:48 +0000 2018",
"id": 962827538895695872,
"text": "@Shaithis1404 She hasn\u2019t done nothing? You\u2019re an idiot, is it normal to bleach and destroy your computer hard drive\u2026 https://t.co/FJvrd3NZMP",
"user.screen_name": "JPK051315"
},
{
"created_at": "Sun Feb 11 23:15:48 +0000 2018",
"id": 962827538438406144,
"text": "RT @Go_DeeJay21: Barack Obama https://t.co/0T4ZCvOzGL",
"user.screen_name": "CagedElefunt_"
},
{
"created_at": "Sun Feb 11 23:15:47 +0000 2018",
"id": 962827536341364736,
"text": "@LorraineButch10 @patfo49 @Renshaw1921 @MrConsrvative @darkbeautiful77 @DeannaSands1 @blkftid @TenaciousTwitt\u2026 https://t.co/WOK6gW3Fg8",
"user.screen_name": "Chazmaspaz"
},
{
"created_at": "Sun Feb 11 23:15:47 +0000 2018",
"id": 962827534298628096,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "Vammen2"
},
{
"created_at": "Sun Feb 11 23:15:47 +0000 2018",
"id": 962827534198067200,
"text": "RT @Fuctupmind: Pretty much everyone knew about the Steele Dossier.\n\nThe entire Obama admin.\nSid Blumenthal.\nHillary Clinton.\nLoretta Lynch\u2026",
"user.screen_name": "Dimplenut"
},
{
"created_at": "Sun Feb 11 23:15:47 +0000 2018",
"id": 962827533791014912,
"text": "RT @SoCoolUSA: It seems Holder and OBama and Kerry thinking aiding terrorists and enemies of the US is okay. I call it treason. https://t\u2026",
"user.screen_name": "TinaWest123321"
},
{
"created_at": "Sun Feb 11 23:15:47 +0000 2018",
"id": 962827533371797504,
"text": "RT @KaniJJackson: This is just your daily reminder that Barack Obama did not have 1 scandal or allegation against him during his time in th\u2026",
"user.screen_name": "diaz_suzanneX"
},
{
"created_at": "Sun Feb 11 23:15:46 +0000 2018",
"id": 962827532897841154,
"text": "RT @NewtTrump: Newt Gingrich: \"Let me just point out how sick the elite media is \u2014 they report all that as though it\u2019s something bad about\u2026",
"user.screen_name": "circumspectus"
},
{
"created_at": "Sun Feb 11 23:15:46 +0000 2018",
"id": 962827532109262848,
"text": "@Education4Libs Don't forget Obama meeting a chick that eats cereal out of the bathtub.",
"user.screen_name": "LOLatSJWs"
},
{
"created_at": "Sun Feb 11 23:15:46 +0000 2018",
"id": 962827531903815681,
"text": "\"Instant Justice: After G W Bush & Obama Teamed Up to Attack Trump, Fox Host Leaked Their Worst Nightmare\" https://t.co/KbExiSstJD",
"user.screen_name": "TrumpNewsz"
},
{
"created_at": "Sun Feb 11 23:15:46 +0000 2018",
"id": 962827530846769155,
"text": "RT @Bakari_Sellers: Fox News viewers believe its Obama\u2019s fault Rob Porter beat his wives. https://t.co/5y8wPzWLOu",
"user.screen_name": "JeffMisterWhite"
},
{
"created_at": "Sun Feb 11 23:15:46 +0000 2018",
"id": 962827530834186242,
"text": "RT @qz: Hip-hop painter Kehinde Wiley\u2019s portrait of Barack Obama will be unveiled tomorrow https://t.co/8wCPxkTX78",
"user.screen_name": "zakouts84"
},
{
"created_at": "Sun Feb 11 23:15:45 +0000 2018",
"id": 962827528095219713,
"text": "RT @YugeCrowd: Trump speaking about Putin:\n\n\"I do have a relationship with him\"\n\n\"He's done a brilliant job\"\n\nOn Putin's leadership:\n\n\"Some\u2026",
"user.screen_name": "TheMadWhitaker"
},
{
"created_at": "Sun Feb 11 23:15:45 +0000 2018",
"id": 962827528066002946,
"text": "#Comey's court declaration may lead to #Obama & #ObamaGate\nComey must clear himself - and everyone - of suspicion t\u2026 https://t.co/0ANp5FOp42",
"user.screen_name": "LanceSilver1"
},
{
"created_at": "Sun Feb 11 23:15:45 +0000 2018",
"id": 962827526816108547,
"text": "RT @sdc0911: \ud83d\udd25Clinton and Obama\ud83d\udd25Two people\u2019s \ud83d\ude21NAMES\ud83d\ude21 that are ENOUGH\u274c\u274cTO PISS YOU OFF\u203c\ufe0f\ud83d\ude21#LockThemUp\ud83d\udca5#ClintonCrimeFamily \ud83d\udca5#ObamaGateExposed\u2026",
"user.screen_name": "tkearney922"
},
{
"created_at": "Sun Feb 11 23:15:45 +0000 2018",
"id": 962827526170128386,
"text": "RT @renato_mariotti: President Obama created DACA because Republicans blocked the Dream Act. Trump ended DACA on his own\u2014don\u2019t let him get\u2026",
"user.screen_name": "8ayonetta"
},
{
"created_at": "Sun Feb 11 23:15:45 +0000 2018",
"id": 962827525226340353,
"text": "@realDonaldTrump when are you going to Fix education? The system is corrupted with Obama era liberal & self entitle\u2026 https://t.co/IEF5Rpehjm",
"user.screen_name": "voltagerisk"
},
{
"created_at": "Sun Feb 11 23:15:45 +0000 2018",
"id": 962827525146759168,
"text": "RT @hectormorenco: Obama\u2019s Iran Deal was such a ridiculous and amateur attempt at foreign policy. He gave billions in cash and nuclear weap\u2026",
"user.screen_name": "pepper10001"
},
{
"created_at": "Sun Feb 11 23:15:44 +0000 2018",
"id": 962827524630827014,
"text": "RT @treasonstickers: Multiple people have taken plea deals in Mueller\u2019s investigation\n\n\ud83d\udc47\n\nMueller would only approve a plea deal for a witn\u2026",
"user.screen_name": "b_l_edwards"
},
{
"created_at": "Sun Feb 11 23:15:44 +0000 2018",
"id": 962827523775221760,
"text": "RT @JimKuther: JUST IN: Police Searching for Obama DREAMer Accused of Brutal Murder https://t.co/FAmqybSgBn via @truthfeednews",
"user.screen_name": "carlislecockato"
},
{
"created_at": "Sun Feb 11 23:15:44 +0000 2018",
"id": 962827522751811585,
"text": "RT @Chicago1Ray: \" You, me... we own this Country. Politicians are employees of ours. And when somebody doesn't do the Job, We gotta let 'e\u2026",
"user.screen_name": "acom5sm"
},
{
"created_at": "Sun Feb 11 23:15:44 +0000 2018",
"id": 962827521346756608,
"text": "\u201cTrue democracy is a project that\u2019s much bigger than any one of us. It\u2019s bigger than any one person, any one presid\u2026 https://t.co/35NzyKVx0I",
"user.screen_name": "PattiLaRue"
},
{
"created_at": "Sun Feb 11 23:15:44 +0000 2018",
"id": 962827520797265926,
"text": "RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,\u2026",
"user.screen_name": "kOCarter2016"
},
{
"created_at": "Sun Feb 11 23:15:43 +0000 2018",
"id": 962827520214093824,
"text": "Tom Del Beccaro: All Corrupt DOJ and FBI Roads Lead to Obama https://t.co/JxPNVW1yWp via @BreitbartNews",
"user.screen_name": "yoly4Trump"
},
{
"created_at": "Sun Feb 11 23:15:43 +0000 2018",
"id": 962827518955831296,
"text": "RT @oxminaox: Snapchat didn\u2019t suck while Obama was in office... just saying",
"user.screen_name": "ryannsinclaire"
},
{
"created_at": "Sun Feb 11 23:15:43 +0000 2018",
"id": 962827518322663424,
"text": "RT @RobertIobbi: @CharlieDaniels Assets were spinning up within minutes. Obama gave the stand down order They were protecting their gun smu\u2026",
"user.screen_name": "HellyerE"
},
{
"created_at": "Sun Feb 11 23:15:43 +0000 2018",
"id": 962827517353656321,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "DennisKulpa"
},
{
"created_at": "Sun Feb 11 23:15:43 +0000 2018",
"id": 962827516439416833,
"text": "RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader\u2026",
"user.screen_name": "YaReelDaddy"
},
{
"created_at": "Sun Feb 11 23:15:42 +0000 2018",
"id": 962827514694586373,
"text": "RT @Hoosiers1986: #FakeRelationshipFacts\n\nDEM voters are gullible fools!\n\nThey revere idiots like Obama, Schumer & Pelosi who COULD have pr\u2026",
"user.screen_name": "sissylou1"
},
{
"created_at": "Sun Feb 11 23:15:42 +0000 2018",
"id": 962827514539380736,
"text": "RT @RyanAFournier: Do you believe the Obama Administration improperly and illegally surveilled the Trump Campaign? #SHARE",
"user.screen_name": "decadentbehavi1"
},
{
"created_at": "Sun Feb 11 23:15:42 +0000 2018",
"id": 962827513499090949,
"text": "RT @Bakari_Sellers: Fox News viewers believe its Obama\u2019s fault Rob Porter beat his wives. https://t.co/5y8wPzWLOu",
"user.screen_name": "javierroman3711"
},
{
"created_at": "Sun Feb 11 23:15:41 +0000 2018",
"id": 962827510462537728,
"text": "RT @mike_Zollo: Obama's former Press Secretary @JayCarney, as well as the #FakeNews Media say Obama NEVER spoke about the #StockMarket when\u2026",
"user.screen_name": "DianneSteiner"
},
{
"created_at": "Sun Feb 11 23:15:41 +0000 2018",
"id": 962827509170520064,
"text": "RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove\u2026",
"user.screen_name": "Arise_Israel"
},
{
"created_at": "Sun Feb 11 23:15:41 +0000 2018",
"id": 962827508969299969,
"text": "RT @tonyposnanski: Trump believes in due process except for...\n\n- Kenyan born Obama\n- Crooked Hillary\n- FBI\n- Anyone in the media who doesn\u2026",
"user.screen_name": "miightymiighty"
},
{
"created_at": "Sun Feb 11 23:15:40 +0000 2018",
"id": 962827505781665797,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "lindamarlow4"
},
{
"created_at": "Sun Feb 11 23:15:40 +0000 2018",
"id": 962827505588736000,
"text": "RT @rmasher2: Funny. I don't recall President Obama being called to testify before a Special Counsel/Grand Jury looking into possible crimi\u2026",
"user.screen_name": "AugustLady241"
},
{
"created_at": "Sun Feb 11 23:15:40 +0000 2018",
"id": 962827503885848576,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "VetforP"
},
{
"created_at": "Sun Feb 11 23:15:39 +0000 2018",
"id": 962827502640132098,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "jaded5643"
},
{
"created_at": "Sun Feb 11 23:15:39 +0000 2018",
"id": 962827502543515648,
"text": "Poll: Most Americans believe former President Barack Obama wiretapped the Trump administration & want a special pro\u2026 https://t.co/cyFWAfA7lf",
"user.screen_name": "d_notices"
},
{
"created_at": "Sun Feb 11 23:15:39 +0000 2018",
"id": 962827501599936514,
"text": "RT @DeborahDiltz: @MarthaG45242469 @MonumentsForUSA @realDonaldTrump @SecretaryZinke Obama named 33 huge areas of US National Monuments. N\u2026",
"user.screen_name": "DebRourke4"
},
{
"created_at": "Sun Feb 11 23:15:39 +0000 2018",
"id": 962827500123500544,
"text": "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.\u2026",
"user.screen_name": "Cass_I_Nova"
},
{
"created_at": "Sun Feb 11 23:15:38 +0000 2018",
"id": 962827498773012480,
"text": "@wi11iedigital @JudgeJudyPovich @kylegriffin1 Yes and my grandpa use to wear red boxers, and we had a moonlight 3 d\u2026 https://t.co/Tpwc23iHcT",
"user.screen_name": "needimpeachment"
},
{
"created_at": "Sun Feb 11 23:15:38 +0000 2018",
"id": 962827497598541826,
"text": "RT @johncusack: You wanna play ? Answer- look up Obama\u2019s war on constitution - interview I did - check out @FreedomofPress I\u2019m on the bo\u2026",
"user.screen_name": "butterflyann"
},
{
"created_at": "Sun Feb 11 23:15:38 +0000 2018",
"id": 962827496495374336,
"text": "RT @11S_L_2016_Cat: What deluded Upside Down world do you live in? You sent him a memo YOU knew could not be released. The louder you prote\u2026",
"user.screen_name": "ElisAmerica1"
},
{
"created_at": "Sun Feb 11 23:15:38 +0000 2018",
"id": 962827496361267200,
"text": "@chelseahandler Yes Obama\u2019s supports the left. Weinstein\u2019s actions are ok by you guys",
"user.screen_name": "10th_03blacksvt"
},
{
"created_at": "Sun Feb 11 23:15:38 +0000 2018",
"id": 962827496319344641,
"text": "RT @edgecrusher23: DEA Agent Notices $200,000,000 in Cars Being Shipped into South Africa by Obama Admin. as Drug Money flows to American B\u2026",
"user.screen_name": "JonnybeHood"
},
{
"created_at": "Sun Feb 11 23:15:38 +0000 2018",
"id": 962827495438475265,
"text": "RT @DropTha_Mic25: @PoliticalShort It even began before Crowdstrike was hanging out with John Carlin, Hillary henchmen, Obama wingmen & GCH\u2026",
"user.screen_name": "see_jl"
},
{
"created_at": "Sun Feb 11 23:15:37 +0000 2018",
"id": 962827495203659776,
"text": "RT @JessieJaneDuff: DHS official & former Obama ambassador James Nealon resigned, upset recommendations to extend \u201ctemporary protected stat\u2026",
"user.screen_name": "JNG1925"
},
{
"created_at": "Sun Feb 11 23:15:37 +0000 2018",
"id": 962827494931030023,
"text": "@dlreddy14051 @honeysiota @Scaramucci Hussein turned the federal government into a corrupt, Chicago-style machine,\u2026 https://t.co/ovLV8yelHL",
"user.screen_name": "SandyWocs"
},
{
"created_at": "Sun Feb 11 23:15:37 +0000 2018",
"id": 962827492892360704,
"text": "RT @eschaz12: @rich752913078 @lehimesa 2 years ago all my protests were tagged 2 Obama & his horse killer Secretary of the Interior #KenSal\u2026",
"user.screen_name": "lehimesa"
},
{
"created_at": "Sun Feb 11 23:15:37 +0000 2018",
"id": 962827492280164353,
"text": "RT @TheNYevening: Sylvester Stallone: \u2018Pathetic\u2019 Obama Is \u2018Closet Homosexual Living A Lie\u2019 https://t.co/FbeFN3Fu3N https://t.co/FJDWQ0HS8X",
"user.screen_name": "Imlacerci"
},
{
"created_at": "Sun Feb 11 23:15:37 +0000 2018",
"id": 962827491500089344,
"text": "RT @TomFitton: The American people should be able to see for themselves the FISA court docs on how Obama admin used Clinton document to mis\u2026",
"user.screen_name": "Najum13"
},
{
"created_at": "Sun Feb 11 23:15:36 +0000 2018",
"id": 962827488899473408,
"text": "RT @NinoCutraro: She say do you love me, I tell her only partly, I only love my bed and Obama, I'm sorry. https://t.co/6Pc1fsg8jn",
"user.screen_name": "Cinnamon_daddy"
},
{
"created_at": "Sun Feb 11 23:15:36 +0000 2018",
"id": 962827486986895362,
"text": "RT @LBCINDAHOUSE: @HandofGOD7 George Soros is a financial terrorist, and a forked tongue lizard who said: \"the culmination of my life's wor\u2026",
"user.screen_name": "spurs4eva1965"
},
{
"created_at": "Sun Feb 11 23:15:35 +0000 2018",
"id": 962827484898131968,
"text": "RT @GStuedler: Budget-busting deal shows that Barack Obama was much better at business than Trump https://t.co/DaC4HutnHh",
"user.screen_name": "LeAnnLawson15"
},
{
"created_at": "Sun Feb 11 23:15:35 +0000 2018",
"id": 962827484118077440,
"text": "RT @UnitedWeStandDT: @AMErikaNGIRLBOT @realDonaldTrump @DonaldJTrumpJr The only time I have ever agreed with @BarackObama\u2026",
"user.screen_name": "juliegw613"
},
{
"created_at": "Sun Feb 11 23:15:35 +0000 2018",
"id": 962827483807735808,
"text": "RT @JudicialWatch: As part of our effort to hold Mueller's investigation accountable, JW uncovered docs showing top DOJ officials including\u2026",
"user.screen_name": "Beck38094740"
},
{
"created_at": "Sun Feb 11 23:15:34 +0000 2018",
"id": 962827479265128448,
"text": "@AynRandPaulRyan Just can't stop blaming every Trump screw up on Obama or Hillary. Come take ownership when your gu\u2026 https://t.co/SeBEpg8hDj",
"user.screen_name": "Leafsbh"
},
{
"created_at": "Sun Feb 11 23:15:33 +0000 2018",
"id": 962827478313132032,
"text": "RT @JessieJaneDuff: DHS official & former Obama ambassador James Nealon resigned, upset recommendations to extend \u201ctemporary protected stat\u2026",
"user.screen_name": "LibertysCall45"
},
{
"created_at": "Sun Feb 11 23:15:33 +0000 2018",
"id": 962827477822394369,
"text": "RT @WilDonnelly: Rajesh De, who served as top lawyer at the NSA, and also in Porter's job in Obama WH, says he was exposed to much more sen\u2026",
"user.screen_name": "mvanderKist"
},
{
"created_at": "Sun Feb 11 23:15:33 +0000 2018",
"id": 962827476677341184,
"text": "RT @SebGorka: The UNMASKING Scandal will prove to be much bigger than FISAGate or Watergate combined. \n\nTime to just call it what it is:\u2026",
"user.screen_name": "RainerMcDermott"
},
{
"created_at": "Sun Feb 11 23:15:33 +0000 2018",
"id": 962827476497059843,
"text": "RT @TheTrumpLady: BREAKING: FBI Informant Just Flipped on Obama in Uranium One Testimony. Obama's House of Cards Is Starting To Tumble In T\u2026",
"user.screen_name": "koaga7"
},
{
"created_at": "Sun Feb 11 23:15:33 +0000 2018",
"id": 962827475729375232,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "mrmatt408"
},
{
"created_at": "Sun Feb 11 23:15:32 +0000 2018",
"id": 962827473409880064,
"text": "RT @jtwigg52: @sam_doucette @kelly4NC Just curious. Do you feel that Trumps executive orders are just as illegal as President Obama's were,\u2026",
"user.screen_name": "pookietooth"
},
{
"created_at": "Sun Feb 11 23:15:32 +0000 2018",
"id": 962827472160088065,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "Warhead85Ben"
},
{
"created_at": "Sun Feb 11 23:15:32 +0000 2018",
"id": 962827470603997184,
"text": "RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove\u2026",
"user.screen_name": "JohnRealSmith"
},
{
"created_at": "Sun Feb 11 23:15:31 +0000 2018",
"id": 962827469781807104,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "Alpha_Lady1"
},
{
"created_at": "Sun Feb 11 23:15:31 +0000 2018",
"id": 962827469345636352,
"text": "Obama Official: I Passed Clinton Lies to Steele That Were Used Against Trump https://t.co/JZWF387sNz",
"user.screen_name": "Lanchr4"
},
{
"created_at": "Sun Feb 11 23:15:31 +0000 2018",
"id": 962827467575578624,
"text": "Next week she'll blame Obama for beating Porter's wife and framing Porter. https://t.co/AR1X66TgDJ",
"user.screen_name": "FakeArtCritic"
},
{
"created_at": "Sun Feb 11 23:15:30 +0000 2018",
"id": 962827465541419008,
"text": "@MikaelaSkyeSays @Shoq His recent tweets are about him trying to get MAGA people to admit even one thing they disag\u2026 https://t.co/jGg7fNJSMK",
"user.screen_name": "KubeJ9"
},
{
"created_at": "Sun Feb 11 23:15:30 +0000 2018",
"id": 962827465512058882,
"text": "RT @PimpingPolitics: @JerylBier AND wherever you find @LouisFarrakhan, you're gonna find #Muslims & @BarackObama engaging with @scientology\u2026",
"user.screen_name": "PimpingPolitics"
},
{
"created_at": "Sun Feb 11 23:15:29 +0000 2018",
"id": 962827461430882305,
"text": "RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove\u2026",
"user.screen_name": "tree165r"
},
{
"created_at": "Sun Feb 11 23:15:29 +0000 2018",
"id": 962827460197875712,
"text": "RT @BillPeriman: @TomAdams9999 @MyReaume @jcdwms @sholzbee @USAlivestrong @Peggyha85570471 @blove65 @mommydean74 @Tierrah46 @yjon97 @thetoy\u2026",
"user.screen_name": "MclaneScott"
},
{
"created_at": "Sun Feb 11 23:15:29 +0000 2018",
"id": 962827459879194624,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "sgenie"
},
{
"created_at": "Sun Feb 11 23:15:29 +0000 2018",
"id": 962827458126012417,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "JamesJo76415286"
},
{
"created_at": "Sun Feb 11 23:15:29 +0000 2018",
"id": 962827458029420549,
"text": "RT @BennytheKite: @brandona5811 @ObozoLies Thank you for following me.\n\nWhat a shame that #WheresBarack is sill missing. A photo of him wi\u2026",
"user.screen_name": "ObozoLies"
},
{
"created_at": "Sun Feb 11 23:15:29 +0000 2018",
"id": 962827457647673344,
"text": "RT @aligiarc: Real criminality by BHO is lying in PLAIN SIGHT. Epic corruption purposely ignored by self-proclaimed arbiters of truth in MS\u2026",
"user.screen_name": "yoly4Trump"
},
{
"created_at": "Sun Feb 11 23:15:28 +0000 2018",
"id": 962827456888569857,
"text": "RT @JudicialWatch: Reminder: JW found evidence showing Obama State Dept under John Kerry sent its own \"dossier\" of classified info on Russi\u2026",
"user.screen_name": "cyndi_obrion"
},
{
"created_at": "Sun Feb 11 23:15:28 +0000 2018",
"id": 962827455403786245,
"text": "RT @WilDonnelly: Rajesh De, who served as top lawyer at the NSA, and also in Porter's job in Obama WH, says he was exposed to much more sen\u2026",
"user.screen_name": "cecilia45301471"
},
{
"created_at": "Sun Feb 11 23:15:28 +0000 2018",
"id": 962827455076716545,
"text": "RT @cathibrgnr58: @LoriJac47135906 @SandraTXAS @ClintonM614 @LVNancy @JVER1 @Hoosiers1986 @GrizzleMeister @GaetaSusan @baalter @On_The_Hook\u2026",
"user.screen_name": "Chriskl70208387"
},
{
"created_at": "Sun Feb 11 23:15:28 +0000 2018",
"id": 962827454904766464,
"text": "@TomFitton @JudicialWatch @realDonaldTrump obama's 3000 days of repugnant jihadist tyranny, we haven't seen this le\u2026 https://t.co/L5cskkj8tp",
"user.screen_name": "americanpro1"
},
{
"created_at": "Sun Feb 11 23:15:28 +0000 2018",
"id": 962827453822586887,
"text": "@MaudlinTown Truer words were never spoken. I have always been apprehensive about President Trump\u2019s manner and word\u2026 https://t.co/uSlvTT9tF6",
"user.screen_name": "tediph"
},
{
"created_at": "Sun Feb 11 23:15:27 +0000 2018",
"id": 962827451595288576,
"text": "RT @_David_Edward: The worst part about this outrage bait is the fact that literally nobody is ignoring North Korea. Well, except maybe Oba\u2026",
"user.screen_name": "mooshakins"
},
{
"created_at": "Sun Feb 11 23:15:27 +0000 2018",
"id": 962827450462879744,
"text": "@islandmama0105 @WayneDupreeShow @GOP I'm neither lib or conservative I'm about the truth. Yes Obama took a pic wit\u2026 https://t.co/7z7J4nQ8Hn",
"user.screen_name": "Bdwal359"
},
{
"created_at": "Sun Feb 11 23:15:27 +0000 2018",
"id": 962827450123104257,
"text": "RT @MrFutbol: A Day at Svasvar with the Trumps https://t.co/xy0f8MZkHv",
"user.screen_name": "MrFutbol"
},
{
"created_at": "Sun Feb 11 23:15:27 +0000 2018",
"id": 962827449946972160,
"text": "RT @JessieJaneDuff: DHS official & former Obama ambassador James Nealon resigned, upset recommendations to extend \u201ctemporary protected stat\u2026",
"user.screen_name": "PeggySizemore1"
},
{
"created_at": "Sun Feb 11 23:15:26 +0000 2018",
"id": 962827448890089473,
"text": "RT @TomFitton: The American people should be able to see for themselves the FISA court docs on how Obama admin used Clinton document to mis\u2026",
"user.screen_name": "LoriHasso"
},
{
"created_at": "Sun Feb 11 23:15:26 +0000 2018",
"id": 962827448642621440,
"text": "RT @chuckwoolery: CONFIRMED: Cash from Obama\u2019s $1.7 Billion Ransom Payment to Iran Traced to Terrorist Groups (VIDEO) https://t.co/iXgrFQyw\u2026",
"user.screen_name": "AlliSheKnows"
},
{
"created_at": "Sun Feb 11 23:15:26 +0000 2018",
"id": 962827446989946880,
"text": "RT @renato_mariotti: President Obama created DACA because Republicans blocked the Dream Act. Trump ended DACA on his own\u2014don\u2019t let him get\u2026",
"user.screen_name": "iandjardine"
},
{
"created_at": "Sun Feb 11 23:15:26 +0000 2018",
"id": 962827445693906945,
"text": "RT @FiveRights: Obama State Dept Official Jonathan Winer:\nI took opposition research from Hillary's best friend, Sid Blumenthal, and fed it\u2026",
"user.screen_name": "177618122016USA"
},
{
"created_at": "Sun Feb 11 23:15:26 +0000 2018",
"id": 962827445685702656,
"text": "RT @Chicago1Ray: \" You, me... we own this Country. Politicians are employees of ours. And when somebody doesn't do the Job, We gotta let 'e\u2026",
"user.screen_name": "Marla68983234"
},
{
"created_at": "Sun Feb 11 23:15:25 +0000 2018",
"id": 962827444905480192,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "TNbabyboomer"
},
{
"created_at": "Sun Feb 11 23:15:25 +0000 2018",
"id": 962827443143766017,
"text": "RT @GaitaudCons: Another 1st ! Barack Obama has been eerily silent, now exposed that this is not just a federal offense, but also it can le\u2026",
"user.screen_name": "schmuckal51"
},
{
"created_at": "Sun Feb 11 23:15:24 +0000 2018",
"id": 962827439704629248,
"text": "RT @JudicialWatch: Reminder: JW found evidence showing Obama State Dept under John Kerry sent its own \"dossier\" of classified info on Russi\u2026",
"user.screen_name": "joeycanoli62"
},
{
"created_at": "Sun Feb 11 23:15:24 +0000 2018",
"id": 962827438232297472,
"text": "RT @wraithwrites: @hotfunkytown @DineshDSouza Obama failed at everything he did. Why should this be any different? Corrupt FBI & DOJ agents\u2026",
"user.screen_name": "SiewTng"
},
{
"created_at": "Sun Feb 11 23:15:23 +0000 2018",
"id": 962827436126765057,
"text": "RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary\u2019s campaign assisted in the effort\n-Russians assisted the Hi\u2026",
"user.screen_name": "Aledajane"
},
{
"created_at": "Sun Feb 11 23:15:23 +0000 2018",
"id": 962827435560570880,
"text": "RT @JudicialWatch: Reminder: JW found evidence showing Obama State Dept under John Kerry sent its own \"dossier\" of classified info on Russi\u2026",
"user.screen_name": "brendakae42"
},
{
"created_at": "Sun Feb 11 23:15:23 +0000 2018",
"id": 962827434658758657,
"text": "RT @brianklaas: Man who called to execute Central Park 5 & insisted they were guilty after DNA evidence proved their innocence; spread birt\u2026",
"user.screen_name": "siegel_nancy"
},
{
"created_at": "Sun Feb 11 23:15:23 +0000 2018",
"id": 962827433371164673,
"text": "@JerylBier AND wherever you find @LouisFarrakhan, you're gonna find #Muslims & @BarackObama engaging with\u2026 https://t.co/xynpCUGrhs",
"user.screen_name": "PimpingPolitics"
},
{
"created_at": "Sun Feb 11 23:15:22 +0000 2018",
"id": 962827430972084225,
"text": "RT @joncoopertweets: Sure, @realDonaldTrump is a lying, corrupt, racist, traitorous imbecile who defends white supremacists, Nazis, wife be\u2026",
"user.screen_name": "Yates4Prez"
},
{
"created_at": "Sun Feb 11 23:15:22 +0000 2018",
"id": 962827429210411008,
"text": "RT @Logic_Triumphs: \u2b50\u2b50\u2b50\u2b50\u2b50\nBarack Obama has 99.7 million followers.\nIt would kill Donald Trump if Obama hit 100 million. Whatever you do do\u2026",
"user.screen_name": "lamadness123"
},
{
"created_at": "Sun Feb 11 23:15:22 +0000 2018",
"id": 962827428899979264,
"text": "RT @KaniJJackson: This is just your daily reminder that Barack Obama did not have 1 scandal or allegation against him during his time in th\u2026",
"user.screen_name": "Bill_Canter"
},
{
"created_at": "Sun Feb 11 23:15:21 +0000 2018",
"id": 962827427880738817,
"text": "Why Sasha Obama Why Expose Yourself #Why2Me",
"user.screen_name": "Gwiz24"
},
{
"created_at": "Sun Feb 11 23:15:21 +0000 2018",
"id": 962827426928750592,
"text": "@Indyria57Maria @SusResister @POTUS44 That picture and thinking of what it said to me, made me cry tears of joy thi\u2026 https://t.co/SfZ3wX7Pvv",
"user.screen_name": "mydogsmom315"
},
{
"created_at": "Sun Feb 11 23:15:21 +0000 2018",
"id": 962827425259446272,
"text": "@Abnsojer1970 @FoxNews @foxandfriends @Franklin_Graham @realDonaldTrump Give some examples of Clinton and Obama sco\u2026 https://t.co/ur420flAOo",
"user.screen_name": "Reini25"
},
{
"created_at": "Sun Feb 11 23:15:21 +0000 2018",
"id": 962827424051417088,
"text": "RT @brianklaas: You falsely alleged that Ted Cruz\u2019s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos\u2026",
"user.screen_name": "Yvyraiju"
},
{
"created_at": "Sun Feb 11 23:15:20 +0000 2018",
"id": 962827423866814465,
"text": "Most Think Obama White House Spied On Trump Campaign, Want Special Counsel: IBD/TIPP Poll https://t.co/5jq53vtMS3 -\n @IBDeditorials",
"user.screen_name": "SMcK17"
},
{
"created_at": "Sun Feb 11 23:15:20 +0000 2018",
"id": 962827422855933952,
"text": "RT @EdKrassen: If Jeanine Pirro can blame Barack Obama for Rob Porter beating his wives, then I blame Jeanine Pirro for Donald Trump assaul\u2026",
"user.screen_name": "CatMamacat324"
},
{
"created_at": "Sun Feb 11 23:15:20 +0000 2018",
"id": 962827421518106624,
"text": "Another trusted scourge Jonathan Winer comes clean!TRUTH shows Obama, HRC, Dems House/Senate, FBI Director Comey, D\u2026 https://t.co/DmWKFyGXk9",
"user.screen_name": "JonReynolds6"
},
{
"created_at": "Sun Feb 11 23:15:20 +0000 2018",
"id": 962827421018984448,
"text": "RT @ElderLansing: I've taken on the Ex Resident Coward Obama, Jay Z , Oprah, Steph Curry, LeBron James, Poverty Pump Maxine Waters and the\u2026",
"user.screen_name": "SternsMarilyn"
},
{
"created_at": "Sun Feb 11 23:15:20 +0000 2018",
"id": 962827420280619008,
"text": "Obama State Dept. Official Admits Free-Flowing Exchange of Reports with Trump Dossier Author https://t.co/G4X08ifm3L.",
"user.screen_name": "S10MD3141592ne"
},
{
"created_at": "Sun Feb 11 23:15:19 +0000 2018",
"id": 962827417126612994,
"text": "@ontarioisproud same reason Obama weakened US military. Trudeau is 'the last hope for international liberal order'",
"user.screen_name": "ThreadgoodIdgy"
},
{
"created_at": "Sun Feb 11 23:15:19 +0000 2018",
"id": 962827416430243841,
"text": "RT @DearAuntCrabby: Trump promotes argument that he's been 'victimized' by Obama administration https://t.co/NY5a0e77YZ \n\nOh brother, what\u2026",
"user.screen_name": "Jorin_AZ_"
},
{
"created_at": "Sun Feb 11 23:15:19 +0000 2018",
"id": 962827415910277120,
"text": "RT @danwlin: TRUMP: False allegations are dangerous\n\nALSO TRUMP: Obama is a foreigner. Central Park Five are guilty. Rafael Cruz killed JFK\u2026",
"user.screen_name": "old_new_dad"
},
{
"created_at": "Sun Feb 11 23:15:18 +0000 2018",
"id": 962827414547107841,
"text": "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.\u2026",
"user.screen_name": "Kaos_Vs_Control"
},
{
"created_at": "Sun Feb 11 23:15:18 +0000 2018",
"id": 962827412668022784,
"text": "If Edwin Jackson were Malia Obama, borders would be closed https://t.co/jdF0rJHtSQ",
"user.screen_name": "res416"
},
{
"created_at": "Sun Feb 11 23:15:18 +0000 2018",
"id": 962827412135432192,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "Janettegallag15"
},
{
"created_at": "Sun Feb 11 23:15:17 +0000 2018",
"id": 962827409723572224,
"text": "RT @FoxNews: .@TomFitton: \"[@realDonaldTrump] has been victimized by the Obama Administration.\" https://t.co/z3Vn9KY1M3",
"user.screen_name": "sweetpeach77"
},
{
"created_at": "Sun Feb 11 23:15:17 +0000 2018",
"id": 962827408905732098,
"text": "@realDonaldTrump The Obama Admin has indeed victimized our great President! Can't wait to see justice done!",
"user.screen_name": "LivingSmallNews"
},
{
"created_at": "Sun Feb 11 23:15:17 +0000 2018",
"id": 962827407773364224,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "P0TUSTrump2020"
},
{
"created_at": "Sun Feb 11 23:15:17 +0000 2018",
"id": 962827407659970560,
"text": "RT @MRSSMH2: No, sweetie. No one sat on twitter defending Obama 24 hours a day the way Trump morons do. Look at yourselves. You\u2019re still at\u2026",
"user.screen_name": "SylviaDonoghue3"
},
{
"created_at": "Sun Feb 11 23:15:17 +0000 2018",
"id": 962827407253106688,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "jpatton05"
},
{
"created_at": "Sun Feb 11 23:15:16 +0000 2018",
"id": 962827405915287552,
"text": "RT @ObozoLies: This treasonous bastard Obama should be arrested for Sedition and Espionage for allowing Iran to obtain America's most advan\u2026",
"user.screen_name": "ObozoLies"
},
{
"created_at": "Sun Feb 11 23:15:16 +0000 2018",
"id": 962827405802004481,
"text": "RT @KaniJJackson: This is just your daily reminder that Barack Obama did not have 1 scandal or allegation against him during his time in th\u2026",
"user.screen_name": "SpeckTara"
},
{
"created_at": "Sun Feb 11 23:15:16 +0000 2018",
"id": 962827405311266817,
"text": "RT @Thomas1774Paine: ICYMI + DNC Letter May Have Uncovered Obama Scheme to Have FBI Frame-Up Trump https://t.co/NFmEyprw8C",
"user.screen_name": "JUSTSHEKEL"
},
{
"created_at": "Sun Feb 11 23:15:16 +0000 2018",
"id": 962827403406884864,
"text": "Truth\nhttps://t.co/FwJXbaqutT",
"user.screen_name": "Dozingstocks"
},
{
"created_at": "Sun Feb 11 23:15:15 +0000 2018",
"id": 962827402694021120,
"text": "RT @SebGorka: The UNMASKING Scandal will prove to be much bigger than FISAGate or Watergate combined. \n\nTime to just call it what it is:\u2026",
"user.screen_name": "UzjetotuF"
},
{
"created_at": "Sun Feb 11 23:15:15 +0000 2018",
"id": 962827400617889792,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "siesienna"
},
{
"created_at": "Sun Feb 11 23:15:15 +0000 2018",
"id": 962827400336871426,
"text": "RT @tonyposnanski: Trump believes in due process except for...\n\n- Kenyan born Obama\n- Crooked Hillary\n- FBI\n- Anyone in the media who doesn\u2026",
"user.screen_name": "mrboneheaddave"
},
{
"created_at": "Sun Feb 11 23:15:15 +0000 2018",
"id": 962827399464337408,
"text": "RT @KrisParonto: We also didn\u2019t use the @FBI @CIA and @NSAGov to spy on @realDonaldTrump either.......isn\u2019t that what you said to Chris Wal\u2026",
"user.screen_name": "sportschef"
},
{
"created_at": "Sun Feb 11 23:15:15 +0000 2018",
"id": 962827399359533062,
"text": "@JasonJdphillips @Clark408 @realDonaldTrump Thanks Obama for setting that up.",
"user.screen_name": "loum102"
},
{
"created_at": "Sun Feb 11 23:15:15 +0000 2018",
"id": 962827398919188480,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "VetforP"
},
{
"created_at": "Sun Feb 11 23:15:14 +0000 2018",
"id": 962827398310973443,
"text": "RT @Hoosiers1986: #FakeRelationshipFacts\n\nDEM voters are gullible fools!\n\nThey revere idiots like Obama, Schumer & Pelosi who COULD have pr\u2026",
"user.screen_name": "DianeMDeath"
},
{
"created_at": "Sun Feb 11 23:15:14 +0000 2018",
"id": 962827397753061377,
"text": "This Week in Media Bias History: Journalist Excited Over Obama Sex Dreams... https://t.co/xnNTEUjfCF #NightmareFromHell #Nobama",
"user.screen_name": "DragonForce_One"
},
{
"created_at": "Sun Feb 11 23:15:14 +0000 2018",
"id": 962827395043540992,
"text": "RT @Imperator_Rex3: @DonaldJTrumpJr @KevinBooker212 I'm not. \n\nObama wanted to make Iran and Hezbollah stronger.\n\nThat's why Obama delivere\u2026",
"user.screen_name": "tonibfoster"
},
{
"created_at": "Sun Feb 11 23:15:13 +0000 2018",
"id": 962827394464845832,
"text": "@KaniJJackson @radiochick841 \ud83d\ude22 miss the Obama's",
"user.screen_name": "SpeckTara"
},
{
"created_at": "Sun Feb 11 23:15:13 +0000 2018",
"id": 962827391537221632,
"text": "@thesmed1 @Nativemanley @corinnemcdevitt @SarahPalinUSA Obama is not in office..we are dealing with a serial liar n\u2026 https://t.co/LpTQghNP7b",
"user.screen_name": "andyscandy10"
},
{
"created_at": "Sun Feb 11 23:15:13 +0000 2018",
"id": 962827390522220545,
"text": "RT @clivebushjd: Take a look what Democrats, Neocons & RINOs have done to America\n\nWe must #DeportDreamers #EndChainMigration & #BuildTheWa\u2026",
"user.screen_name": "Pug2016"
},
{
"created_at": "Sun Feb 11 23:15:12 +0000 2018",
"id": 962827390106984450,
"text": "RT @linda_lindylou: @NorthTXBlue @ChrisKosowski1 @DemWrite GO MOMS!! WE NEED EVERY ONE ON BOARD!! Be an ACTIVIST whever wnd however you can\u2026",
"user.screen_name": "ChrisKosowski1"
},
{
"created_at": "Sun Feb 11 23:15:12 +0000 2018",
"id": 962827389498789889,
"text": "RT @FiveRights: .@CNN\nTwo huge stories broke this wk:\n1. Strzok & Page texts show Obama knew abt FBI's illegal spying on Trump & did nothin\u2026",
"user.screen_name": "bjdunniw001"
},
{
"created_at": "Sun Feb 11 23:15:12 +0000 2018",
"id": 962827388764721158,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "DanaZim92427381"
},
{
"created_at": "Sun Feb 11 23:15:12 +0000 2018",
"id": 962827388496293888,
"text": "RT @ScottyBrain: \"One day we will realize that the Barack Obama Presidency was the biggest fraud ever perpetrated on the American people.\"\u2026",
"user.screen_name": "CaseyPGAPro"
},
{
"created_at": "Sun Feb 11 23:15:12 +0000 2018",
"id": 962827387963658241,
"text": "RT @HrrEerrer: Maybe Kelly didn\u2019t know because it didn\u2019t happen. How many times did obama say he found out when a scandal hit the press? Be\u2026",
"user.screen_name": "TheRea1Hazelnut"
},
{
"created_at": "Sun Feb 11 23:15:11 +0000 2018",
"id": 962827386122272768,
"text": "@DevinSavageOfcl @realDonaldTrump @DonaldJTrumpJr @JudgeJeanine @GovMikeHuckabee @seanhannity @SebGorka\u2026 https://t.co/0sf2Y5qT3P",
"user.screen_name": "zackmantx"
},
{
"created_at": "Sun Feb 11 23:15:11 +0000 2018",
"id": 962827383739994112,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "jillfahmyyahoo1"
},
{
"created_at": "Sun Feb 11 23:15:11 +0000 2018",
"id": 962827383479861248,
"text": "RT @RyanAFournier: Do you believe the Obama Administration improperly and illegally surveilled the Trump Campaign? #SHARE",
"user.screen_name": "dalvis0921"
},
{
"created_at": "Sun Feb 11 23:15:11 +0000 2018",
"id": 962827383135809537,
"text": "RT @adamcbest: The Fox News playbook in a nutshell: When there\u2019s absolutely, positively no way you can blame Hillary, some crackpot theory\u2026",
"user.screen_name": "PaulStewartII"
},
{
"created_at": "Sun Feb 11 23:15:11 +0000 2018",
"id": 962827382297001984,
"text": "RT @Joseph_B_James: @hotfunkytown @davidrodneyarch Obama is the epitome of fail.",
"user.screen_name": "SiewTng"
},
{
"created_at": "Sun Feb 11 23:15:10 +0000 2018",
"id": 962827380204228609,
"text": "'Democrats should be absolutely not confident in our ability to beat Donald Trump.' https://t.co/dBPx2xejdW",
"user.screen_name": "PoliticsIsDirty"
},
{
"created_at": "Sun Feb 11 23:15:10 +0000 2018",
"id": 962827379914788864,
"text": "RT @RealMAGASteve: This bombshell report from the Senate Homeland Security Comm. IMPLICATES OBAMA in the #Obamagate scandal & Clinton email\u2026",
"user.screen_name": "yogagenie"
},
{
"created_at": "Sun Feb 11 23:15:10 +0000 2018",
"id": 962827379197562880,
"text": "Just watchin @MeetThePress...what a waste of an interview. Every time this adm brings up President Obama they shoul\u2026 https://t.co/VD0oiS95dt",
"user.screen_name": "mommadigs"
},
{
"created_at": "Sun Feb 11 23:15:10 +0000 2018",
"id": 962827378534899717,
"text": "RT @omriceren: Obama Dec 2011, after Iran seized American UAV: \"We've asked for it back. We'll see how the Iranians respond\" https://t.co/y\u2026",
"user.screen_name": "boomdudecom"
},
{
"created_at": "Sun Feb 11 23:15:09 +0000 2018",
"id": 962827376865419264,
"text": "RT @oxminaox: Snapchat didn\u2019t suck while Obama was in office... just saying",
"user.screen_name": "BiancaaAlyssaa"
},
{
"created_at": "Sun Feb 11 23:15:09 +0000 2018",
"id": 962827374604816384,
"text": "RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary\u2019s campaign assisted in the effort\n-Russians assisted the Hi\u2026",
"user.screen_name": "mhand4159"
},
{
"created_at": "Sun Feb 11 23:15:09 +0000 2018",
"id": 962827374587912192,
"text": "RT @MRSSMH2: No, sweetie. No one sat on twitter defending Obama 24 hours a day the way Trump morons do. Look at yourselves. You\u2019re still at\u2026",
"user.screen_name": "shaker0309"
},
{
"created_at": "Sun Feb 11 23:15:09 +0000 2018",
"id": 962827374306963456,
"text": "RT @Hoosiers1986: #FakeRelationshipFacts\n\nDEM voters are gullible fools!\n\nThey revere idiots like Obama, Schumer & Pelosi who COULD have pr\u2026",
"user.screen_name": "carlislecockato"
},
{
"created_at": "Sun Feb 11 23:15:08 +0000 2018",
"id": 962827372830576641,
"text": "@realDonaldTrump @JohnKasich @WestervillePD So Sad. Black guy guns down 2 officers. Where is black lives matter. Oh\u2026 https://t.co/g1AzJeFYw9",
"user.screen_name": "HDSG2013"
},
{
"created_at": "Sun Feb 11 23:15:08 +0000 2018",
"id": 962827370565656576,
"text": "@RepAdamSchiff You are such an idiot. No more Obama and Hillary and you just can\u2019t help yourself. You haven\u2019t prov\u2026 https://t.co/CjL7vn47qe",
"user.screen_name": "KarenGlasgow3"
},
{
"created_at": "Sun Feb 11 23:15:08 +0000 2018",
"id": 962827370502803456,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "PattyxB"
},
{
"created_at": "Sun Feb 11 23:15:07 +0000 2018",
"id": 962827366559985665,
"text": "RT @TrumpBrat: ASTOUNDING 96% believe you, Bush41, are THE SWAMP\u203c\ufe0f in bed with Obama & terrorists\u203c\ufe0f\n\nYOU LOSE! America is winning again w/P\u2026",
"user.screen_name": "Mykalbq"
},
{
"created_at": "Sun Feb 11 23:15:07 +0000 2018",
"id": 962827366073622529,
"text": "RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,\u2026",
"user.screen_name": "NancyCatalano6"
},
{
"created_at": "Sun Feb 11 23:15:07 +0000 2018",
"id": 962827365511446529,
"text": "RT @LouDobbs: Surveillance Abuse- @EdRollins: The Obama administration did not play by the rules. They thought Clinton would be the next pr\u2026",
"user.screen_name": "GateOfDemocracy"
},
{
"created_at": "Sun Feb 11 23:15:06 +0000 2018",
"id": 962827362911096832,
"text": "The left will likely attempt to commandeer this success as a leftover effect of the Obama presidency, but there... https://t.co/85JWVd02O7",
"user.screen_name": "visiontoamerica"
},
{
"created_at": "Sun Feb 11 23:15:06 +0000 2018",
"id": 962827362781024264,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "StaceyMaLaine"
},
{
"created_at": "Sun Feb 11 23:15:05 +0000 2018",
"id": 962827359647883264,
"text": "RT @peterjhasson: Obama was at that 2005 meeting and took a smiling picture with Farrakhan...Which the the caucus suppressed for 13 years t\u2026",
"user.screen_name": "txlady706"
},
{
"created_at": "Sun Feb 11 23:15:05 +0000 2018",
"id": 962827359437996032,
"text": "RT @brianklaas: You falsely alleged that Ted Cruz\u2019s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos\u2026",
"user.screen_name": "1jeffwest"
},
{
"created_at": "Sun Feb 11 23:15:05 +0000 2018",
"id": 962827359052234752,
"text": "RT @TheRISEofROD: The Day of Reckoning is coming for Dirty Dossier Dems/RINOs.\n\nIG Horowitz Report w/ over 1M pages of evidence to convict\u2026",
"user.screen_name": "unkSWestside"
},
{
"created_at": "Sun Feb 11 23:15:05 +0000 2018",
"id": 962827358989443077,
"text": "@WatchChad Hear Ye!! Hear Ye! As usual #celebrity #liberals admiring now the #NorthKoreans a country who\u2019s leaders\u2026 https://t.co/wPmub41GE0",
"user.screen_name": "soniajanet27"
},
{
"created_at": "Sun Feb 11 23:15:05 +0000 2018",
"id": 962827357286379520,
"text": "RT @GartrellLinda: Flashback: Obama Felt 'Patriotic Resentment' Towards Mexican Flag-Waving Illegal Supporters\nWhy is it a punishment to be\u2026",
"user.screen_name": "Arise_Israel"
},
{
"created_at": "Sun Feb 11 23:15:05 +0000 2018",
"id": 962827357093580800,
"text": "RT @OliverMcGee: Jumping the Aisle: How I became a Black Republican in the Age of Obama. Retweet to share with your friends https://t.co/XE\u2026",
"user.screen_name": "MaddoxMags"
},
{
"created_at": "Sun Feb 11 23:15:04 +0000 2018",
"id": 962827355650777090,
"text": "RT @Bakari_Sellers: Fox News viewers believe its Obama\u2019s fault Rob Porter beat his wives. https://t.co/5y8wPzWLOu",
"user.screen_name": "dnabarbera"
},
{
"created_at": "Sun Feb 11 23:15:04 +0000 2018",
"id": 962827355570999298,
"text": "RT @bbusa617: JUST IN: GEORGE W. BUSH In Abu Dhabi\u2026TRASHES Trump, Embraces Illegals\u2026Pushes Russian Meddling In 2016 US Elections https://t.\u2026",
"user.screen_name": "steadman_fl"
},
{
"created_at": "Sun Feb 11 23:15:04 +0000 2018",
"id": 962827354773995520,
"text": "RT @twpettyVeteran: Another \u201chit job\u201d on President Trump. Had their beloved messiah, Obama, been treated in such a manner, the MSM would ha\u2026",
"user.screen_name": "ImmoralReport"
},
{
"created_at": "Sun Feb 11 23:15:04 +0000 2018",
"id": 962827353343762432,
"text": "RT @oxminaox: Snapchat didn\u2019t suck while Obama was in office... just saying",
"user.screen_name": "Ryan_Chriss"
},
{
"created_at": "Sun Feb 11 23:15:03 +0000 2018",
"id": 962827352630800384,
"text": "High level intelligence also continued as Crimea and sanctions were still recent events under Obama and, in 2017, t\u2026 https://t.co/QIafgU71Tb",
"user.screen_name": "SRASorg"
},
{
"created_at": "Sun Feb 11 23:15:03 +0000 2018",
"id": 962827351062171648,
"text": "@chuckwoolery THEY ARE ALL STILL WORKING FOR OBAMA'S 'I HAVE DREAM' MOMENT BY TRYING TO STEAL THE UNITED STATES IN\u2026 https://t.co/DfMhjSACnL",
"user.screen_name": "uptheante99"
},
{
"created_at": "Sun Feb 11 23:15:03 +0000 2018",
"id": 962827350864887808,
"text": "RT @PamelaGeller: Obama provided Iran with stealth drone that penetrated Israel\u2019s border https://t.co/pQqaiwDeSN https://t.co/rJuFUggwZl",
"user.screen_name": "cali_dreamer12"
},
{
"created_at": "Sun Feb 11 23:15:03 +0000 2018",
"id": 962827350781112321,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "JimP3737"
},
{
"created_at": "Sun Feb 11 23:15:03 +0000 2018",
"id": 962827350449811456,
"text": "RT @GartrellLinda: Obama Official Johnathan Winer: I Passed Clinton Lies to Steele That Were Used Against Trump Now the #ObamaGate scandal\u2026",
"user.screen_name": "franginter"
},
{
"created_at": "Sun Feb 11 23:15:03 +0000 2018",
"id": 962827349933854727,
"text": "RT @Brasilmagic: Jeanine Pirro needs a straight-jacket https://t.co/G4wzGBUJ0b",
"user.screen_name": "lamadness123"
},
{
"created_at": "Sun Feb 11 23:15:03 +0000 2018",
"id": 962827349220831233,
"text": "RT @mikebloodworth: @JBitterly @realDonaldTrump Lol it never fails. Can\u2019t defend Trump without bringing up Obama or a Clinton.",
"user.screen_name": "JadeJensen29"
},
{
"created_at": "Sun Feb 11 23:15:03 +0000 2018",
"id": 962827349095079937,
"text": "RT @conserv_tribune: It's incredible how fast Obama's \"legacy\" is collapsing. https://t.co/q1fK0zCVsO",
"user.screen_name": "m_mmilling"
},
{
"created_at": "Sun Feb 11 23:15:03 +0000 2018",
"id": 962827348788858882,
"text": "RT @WEEI: Kevin Garnett, Rajon Rondo and Doc Rivers on hand for Paul Pierce's number retirement https://t.co/o7Mra8B1Gz",
"user.screen_name": "Obama_FOS"
},
{
"created_at": "Sun Feb 11 23:15:03 +0000 2018",
"id": 962827348709117952,
"text": "Obama \u201cBureau\u201d Delivers Millions To Supporters, No Oversight, Now Laptops Gone https://t.co/vVQprXv45L via @cdp-something",
"user.screen_name": "Usnst4"
},
{
"created_at": "Sun Feb 11 23:15:02 +0000 2018",
"id": 962827347681513477,
"text": "@Shouty_Dave @Puckberger @LifeZette @trumps_feed @POTUS And BTW, there are a lot more facts supporting Obama/Hillar\u2026 https://t.co/a75n9Sywlw",
"user.screen_name": "jbowser74"
},
{
"created_at": "Sun Feb 11 23:15:01 +0000 2018",
"id": 962827343319375877,
"text": "RT @SassBaller: \u201cYou have the power to show our children that they matter!\u201d \n\nMichelle Obama gave this inspirational speech at the 2018 Sch\u2026",
"user.screen_name": "olrockcandymtns"
},
{
"created_at": "Sun Feb 11 23:15:01 +0000 2018",
"id": 962827340685377536,
"text": "RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary\u2019s campaign assisted in the effort\n-Russians assisted the Hi\u2026",
"user.screen_name": "alecserovic"
},
{
"created_at": "Sun Feb 11 23:15:00 +0000 2018",
"id": 962827336260481024,
"text": "@ChrisCuomo Chris your network is fake. Obama administration spied on Trump. FACT\n\nYou called Trump a liar for that. CNN is pathetic.",
"user.screen_name": "toddkazz"
},
{
"created_at": "Sun Feb 11 23:14:59 +0000 2018",
"id": 962827332691136512,
"text": "RT @EdKrassen: If Jeanine Pirro can blame Barack Obama for Rob Porter beating his wives, then I blame Jeanine Pirro for Donald Trump assaul\u2026",
"user.screen_name": "eeh230"
},
{
"created_at": "Sun Feb 11 23:14:58 +0000 2018",
"id": 962827331529306112,
"text": "RT @Imperator_Rex3: @PoliticalShort Steele gave the dossier to Hannigan, who passes it to Brennan, who then passed it to Obama & Comey.\n\nHe\u2026",
"user.screen_name": "see_jl"
},
{
"created_at": "Sun Feb 11 23:14:58 +0000 2018",
"id": 962827330082271232,
"text": "@Legski0301 @HCiavotto @wildbez @DineshDSouza @dbongino @realDonaldTrump U don't know if you'll spend $500,000 of\u2026 https://t.co/f2yQ5M1JuR",
"user.screen_name": "DennisLittle19"
},
{
"created_at": "Sun Feb 11 23:14:58 +0000 2018",
"id": 962827328282943488,
"text": "RT @nizmycuba: \"Melania Trump Demanded Spiritual Cleansing of Obama & Clinton White House, Removal of Pagan and Demonic Idols.\" That\u2019s a st\u2026",
"user.screen_name": "Imlacerci"
},
{
"created_at": "Sun Feb 11 23:14:57 +0000 2018",
"id": 962827326550573056,
"text": "RT @FiveRights: Laura Ingraham on Fox: Why did George W. Bush refuse to criticize Obama even when O screwed up badly but he often criticize\u2026",
"user.screen_name": "n1bbles"
},
{
"created_at": "Sun Feb 11 23:14:57 +0000 2018",
"id": 962827325623566336,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "ckylecarter4"
},
{
"created_at": "Sun Feb 11 23:14:57 +0000 2018",
"id": 962827325271191553,
"text": "RT @oxminaox: Snapchat didn\u2019t suck while Obama was in office... just saying",
"user.screen_name": "donutsayit"
},
{
"created_at": "Sun Feb 11 23:14:57 +0000 2018",
"id": 962827323719299073,
"text": "@blades_brad @MBach63 @Redpainter1 Maybe you missed Obama bringing us back from the brink of a major depression after Bush.",
"user.screen_name": "AM_McCarthy"
},
{
"created_at": "Sun Feb 11 23:14:56 +0000 2018",
"id": 962827323111329793,
"text": "New FBI Text Messages Show Obama \u2018Wants To Know Everything We\u2019re Doing\u2019\n\nREAD OUR STORY HERE\u2026 https://t.co/biwVstHLdw",
"user.screen_name": "BluePillSheep"
},
{
"created_at": "Sun Feb 11 23:14:56 +0000 2018",
"id": 962827322268172289,
"text": "RT @GaitaudCons: Another 1st ! Barack Obama has been eerily silent, now exposed that this is not just a federal offense, but also it can le\u2026",
"user.screen_name": "elgomes15"
},
{
"created_at": "Sun Feb 11 23:14:56 +0000 2018",
"id": 962827321404162053,
"text": "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.\u2026",
"user.screen_name": "_raymondngo"
},
{
"created_at": "Sun Feb 11 23:14:55 +0000 2018",
"id": 962827315364339714,
"text": "#UniteBlue, Obama bombed way more countries than Bush and sold twice the weapons to terrorist nations. Your corpor\u2026 https://t.co/ihvnNsAsBR",
"user.screen_name": "TravisRuger"
},
{
"created_at": "Sun Feb 11 23:14:55 +0000 2018",
"id": 962827315234459650,
"text": "@StopTrump2020 @lann111 @FoxNews I think the Wife Beater was there when Obama was President and both times HE was i\u2026 https://t.co/imODhkSddN",
"user.screen_name": "Shadowcat22"
},
{
"created_at": "Sun Feb 11 23:14:54 +0000 2018",
"id": 962827313669902336,
"text": "@horowitz39 More than we need. Obama really stuck it to us. His acolytes are still entrenched, but the veneer is wearing thin.",
"user.screen_name": "gttbotl"
},
{
"created_at": "Sun Feb 11 23:14:54 +0000 2018",
"id": 962827313305055232,
"text": "RT @TheRISEofROD: The Day of Reckoning is coming for Dirty Dossier Dems/RINOs.\n\nIG Horowitz Report w/ over 1M pages of evidence to convict\u2026",
"user.screen_name": "txGirl4ever_"
},
{
"created_at": "Sun Feb 11 23:14:54 +0000 2018",
"id": 962827312642363395,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "JPBENAVE"
},
{
"created_at": "Sun Feb 11 23:14:54 +0000 2018",
"id": 962827312541528065,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "Vammen2"
},
{
"created_at": "Sun Feb 11 23:14:54 +0000 2018",
"id": 962827310973030401,
"text": "RT @BreeNewsome: Again, Obama faced such racist backlash that white America elected Trump to undo his presidency because no matter how much\u2026",
"user.screen_name": "musicalcure"
},
{
"created_at": "Sun Feb 11 23:14:53 +0000 2018",
"id": 962827309718831104,
"text": "@kristianlaliber @ArthurSchwartz Do you call out the Iran and N.Korea regime? Or do you try to normalize them? Also\u2026 https://t.co/hrMmkjnoJm",
"user.screen_name": "Indy4MAGA"
},
{
"created_at": "Sun Feb 11 23:14:53 +0000 2018",
"id": 962827308980719616,
"text": "RT @GrrrGraphics: \"In the Head of Hillary\" #BenGarrison #cartoon \nSomeone asked me why I draw so many #Obama & #Hillary cartoons. \nread mor\u2026",
"user.screen_name": "leewal"
},
{
"created_at": "Sun Feb 11 23:14:53 +0000 2018",
"id": 962827308947202048,
"text": "RT @JessieJaneDuff: DHS official & former Obama ambassador James Nealon resigned, upset recommendations to extend \u201ctemporary protected stat\u2026",
"user.screen_name": "Pal3Z"
},
{
"created_at": "Sun Feb 11 23:14:53 +0000 2018",
"id": 962827308775149568,
"text": "RT @JudicialWatch: Reminder: JW found evidence showing Obama State Dept under John Kerry sent its own \"dossier\" of classified info on Russi\u2026",
"user.screen_name": "chachalaca"
},
{
"created_at": "Sun Feb 11 23:14:53 +0000 2018",
"id": 962827308749881344,
"text": "RT @kylegriffin1: A comparison of the S&P 500 under Obama and Trump during the same period in their presidencies shows better performance u\u2026",
"user.screen_name": "KirkNason"
},
{
"created_at": "Sun Feb 11 23:14:53 +0000 2018",
"id": 962827308527702017,
"text": "RT @charliebearnix: @RepSwalwell I, for one would like to see that birth certificate again now that it\u2019s a fact Obama is a 1st liar & trait\u2026",
"user.screen_name": "kachninja"
},
{
"created_at": "Sun Feb 11 23:14:53 +0000 2018",
"id": 962827307630002176,
"text": "RT @SebGorka: The UNMASKING Scandal will prove to be much bigger than FISAGate or Watergate combined. \n\nTime to just call it what it is:\u2026",
"user.screen_name": "TonyMerwin55"
},
{
"created_at": "Sun Feb 11 23:14:53 +0000 2018",
"id": 962827307592372224,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "flymum"
},
{
"created_at": "Sun Feb 11 23:14:53 +0000 2018",
"id": 962827307294523392,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "StaceyMaLaine"
},
{
"created_at": "Sun Feb 11 23:14:52 +0000 2018",
"id": 962827306451513344,
"text": "RT @joannperrone15: @RyanAFournier What happens to Obama because of this and all the rest of his cartel, including Hillary and her crew....\u2026",
"user.screen_name": "fearlessfoe1"
},
{
"created_at": "Sun Feb 11 23:14:52 +0000 2018",
"id": 962827304547299328,
"text": "RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,\u2026",
"user.screen_name": "Sundncefn"
},
{
"created_at": "Sun Feb 11 23:14:51 +0000 2018",
"id": 962827298629144576,
"text": "RT @Chicago1Ray: \" You, me... we own this Country. Politicians are employees of ours. And when somebody doesn't do the Job, We gotta let 'e\u2026",
"user.screen_name": "RealPowerSlave"
},
{
"created_at": "Sun Feb 11 23:14:50 +0000 2018",
"id": 962827296972386304,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "Too_Many_Leaks"
},
{
"created_at": "Sun Feb 11 23:14:50 +0000 2018",
"id": 962827295781150720,
"text": "@thereallj915 I am digging civilian Obama, tho.",
"user.screen_name": "ucruben"
},
{
"created_at": "Sun Feb 11 23:14:50 +0000 2018",
"id": 962827294619312128,
"text": "@President1Trump @julieaallen1958 @MariaBartiromo @DevinNunes The guilty will not be prosecuted. Equal justice in\u2026 https://t.co/BaBhzy23Qu",
"user.screen_name": "ljkoolone"
},
{
"created_at": "Sun Feb 11 23:14:50 +0000 2018",
"id": 962827294317330432,
"text": "RT @kylegriffin1: A comparison of the S&P 500 under Obama and Trump during the same period in their presidencies shows better performance u\u2026",
"user.screen_name": "RitaChmielCEO"
},
{
"created_at": "Sun Feb 11 23:14:50 +0000 2018",
"id": 962827294266937345,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "Harper04138060"
},
{
"created_at": "Sun Feb 11 23:14:49 +0000 2018",
"id": 962827292543279105,
"text": "RT @krassenstein: The Trump Administrations has literally had more scandals in the last week than Obama had in his entire 8 years in office\u2026",
"user.screen_name": "SheralynDuncum"
},
{
"created_at": "Sun Feb 11 23:14:48 +0000 2018",
"id": 962827289560928256,
"text": "RT @RyanAFournier: Do you believe the Obama Administration improperly and illegally surveilled the Trump Campaign? #SHARE",
"user.screen_name": "AshleyEdam"
},
{
"created_at": "Sun Feb 11 23:14:48 +0000 2018",
"id": 962827286805450752,
"text": "RT @RedWaveRising: #ObamaGate\n\n#SundayThoughts\n#BarackObama used classified intelligence leaks for political gain - https://t.co/tkba3Y498I\u2026",
"user.screen_name": "GaryWil59456334"
},
{
"created_at": "Sun Feb 11 23:14:48 +0000 2018",
"id": 962827286348091392,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "MyPugGrumble"
},
{
"created_at": "Sun Feb 11 23:14:48 +0000 2018",
"id": 962827286197174283,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "DannyNflfreak"
},
{
"created_at": "Sun Feb 11 23:14:48 +0000 2018",
"id": 962827285710680065,
"text": "@thehill Oh give it up. Obama lied continually.",
"user.screen_name": "Freebirdwraps"
},
{
"created_at": "Sun Feb 11 23:14:47 +0000 2018",
"id": 962827284594831360,
"text": "RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary\u2019s campaign assisted in the effort\n-Russians assisted the Hi\u2026",
"user.screen_name": "DarekisGo"
},
{
"created_at": "Sun Feb 11 23:14:47 +0000 2018",
"id": 962827284251054080,
"text": "RT @JohnFromCranber: After 8 Yrs of Obama, US Teetered on The Abyss. The Damage Was Nearly Irreversible...But Now Trump, + a Chance to Und\u2026",
"user.screen_name": "larryqqueen"
},
{
"created_at": "Sun Feb 11 23:14:46 +0000 2018",
"id": 962827279951908864,
"text": "RT @JudicialWatch: Reminder: JW found evidence showing Obama State Dept under John Kerry sent its own \"dossier\" of classified info on Russi\u2026",
"user.screen_name": "JohnstonDennise"
},
{
"created_at": "Sun Feb 11 23:14:46 +0000 2018",
"id": 962827278265831426,
"text": "RT @oxminaox: Snapchat didn\u2019t suck while Obama was in office... just saying",
"user.screen_name": "daniellep703"
},
{
"created_at": "Sun Feb 11 23:14:45 +0000 2018",
"id": 962827276713852928,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "nitsch_robert"
},
{
"created_at": "Sun Feb 11 23:14:45 +0000 2018",
"id": 962827274813890561,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "kattywompas1"
},
{
"created_at": "Sun Feb 11 23:14:45 +0000 2018",
"id": 962827274075680769,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "MezzoMoon"
},
{
"created_at": "Sun Feb 11 23:14:45 +0000 2018",
"id": 962827273597603840,
"text": "RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary\u2019s campaign assisted in the effort\n-Russians assisted the Hi\u2026",
"user.screen_name": "ctsew377"
},
{
"created_at": "Sun Feb 11 23:14:44 +0000 2018",
"id": 962827270762258432,
"text": "RT @claverackjac: \ud83e\udd14@realDonaldTrump \n\nThere is one thing trumpy is great at. In fact he's bigly great at it...\n\nLetting Americans know each\u2026",
"user.screen_name": "bagglo"
},
{
"created_at": "Sun Feb 11 23:14:44 +0000 2018",
"id": 962827270703296512,
"text": "RT @FoxNews: .@TomFitton: \"[@realDonaldTrump] has been victimized by the Obama Administration.\" https://t.co/z3Vn9KY1M3",
"user.screen_name": "Novella1_JJ"
},
{
"created_at": "Sun Feb 11 23:14:44 +0000 2018",
"id": 962827269185077248,
"text": "RT @TranslateRealDT: In the \u201cold days,\u201d when it was still Obama's final fiscal year, the Stock Market would go up. Today, now that my tax p\u2026",
"user.screen_name": "Harlis_8"
},
{
"created_at": "Sun Feb 11 23:14:43 +0000 2018",
"id": 962827267989786624,
"text": "RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader\u2026",
"user.screen_name": "mjktinkell"
},
{
"created_at": "Sun Feb 11 23:14:43 +0000 2018",
"id": 962827267469651968,
"text": "RT @bfraser747: Is anyone actually surprised that Obama wanted to \u201cknow everything\u201d?\n\nOf course he interfered with the Hillary investigatio\u2026",
"user.screen_name": "BrandonJLandry"
},
{
"created_at": "Sun Feb 11 23:14:43 +0000 2018",
"id": 962827265175359489,
"text": "Btw, Obama made health insurance mandatory & more expensive. Since when do we need the Govt to Determine our money\u2026 https://t.co/hqVpsrWGK0",
"user.screen_name": "MMeomi4r"
},
{
"created_at": "Sun Feb 11 23:14:42 +0000 2018",
"id": 962827263040544769,
"text": "RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary\u2019s campaign assisted in the effort\n-Russians assisted the Hi\u2026",
"user.screen_name": "n1bbles"
},
{
"created_at": "Sun Feb 11 23:14:42 +0000 2018",
"id": 962827262981758977,
"text": "RT @Hoosiers1986: #FakeRelationshipFacts\n\nDEM voters are gullible fools!\n\nThey revere idiots like Obama, Schumer & Pelosi who COULD have pr\u2026",
"user.screen_name": "WI4Palin"
},
{
"created_at": "Sun Feb 11 23:14:41 +0000 2018",
"id": 962827259433373696,
"text": "RT @paulbhb: \"By my count, there are now at least 4 Obama/Clinton \"get Trump\" dossiers.\" https://t.co/8nRSog9KlZ",
"user.screen_name": "Pearl33502007"
},
{
"created_at": "Sun Feb 11 23:14:41 +0000 2018",
"id": 962827258921709568,
"text": "@cl822 @DavidCornDC My opinion? Combination of 9 years of glowing stories about him (\u201coh, he paints now!\u201d) and Obam\u2026 https://t.co/3HQ5Vzj6pJ",
"user.screen_name": "jasonbgray"
},
{
"created_at": "Sun Feb 11 23:14:41 +0000 2018",
"id": 962827258678382597,
"text": "RT @SebGorka: The UNMASKING Scandal will prove to be much bigger than FISAGate or Watergate combined. \n\nTime to just call it what it is:\u2026",
"user.screen_name": "MarioB80"
},
{
"created_at": "Sun Feb 11 23:14:41 +0000 2018",
"id": 962827257239785472,
"text": "RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove\u2026",
"user.screen_name": "Rollergirltx"
},
{
"created_at": "Sun Feb 11 23:14:41 +0000 2018",
"id": 962827256732246016,
"text": "RT @ConservaMomUSA: it\u2019s #BlackHistoryMonth\u00a0-so it\u2019s only fitting 2point out that America\u2019s 1st black president #Obama has been implicated\u2026",
"user.screen_name": "usaconcretetom"
},
{
"created_at": "Sun Feb 11 23:14:40 +0000 2018",
"id": 962827255960387584,
"text": "RT @SebGorka: The UNMASKING Scandal will prove to be much bigger than FISAGate or Watergate combined. \n\nTime to just call it what it is:\u2026",
"user.screen_name": "hankandmya12"
},
{
"created_at": "Sun Feb 11 23:14:40 +0000 2018",
"id": 962827255327199233,
"text": "RT @KatrinaPierson: BREAKING: It goes to the Top! Newly revealed text message between anti-Trump lovers Peter Strzok and Lisa Page appear t\u2026",
"user.screen_name": "Tresidential"
},
{
"created_at": "Sun Feb 11 23:14:40 +0000 2018",
"id": 962827252978409472,
"text": "RT @jaybeware: Mike Pence and the Trump regime (like the Obama regime before them) run more, bigger gulags, with a lot more people in them.\u2026",
"user.screen_name": "aloofwoofwoof"
},
{
"created_at": "Sun Feb 11 23:14:40 +0000 2018",
"id": 962827252315586560,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "MobileMagnolia"
},
{
"created_at": "Sun Feb 11 23:14:39 +0000 2018",
"id": 962827251770261505,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "pc325"
},
{
"created_at": "Sun Feb 11 23:14:39 +0000 2018",
"id": 962827250763739137,
"text": "RT @brianklaas: You falsely alleged that Ted Cruz\u2019s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos\u2026",
"user.screen_name": "Zappatista"
},
{
"created_at": "Sun Feb 11 23:14:39 +0000 2018",
"id": 962827249874587648,
"text": "RT @FoxNews: .@TomFitton: \"[@realDonaldTrump] has been victimized by the Obama Administration.\" https://t.co/z3Vn9KY1M3",
"user.screen_name": "DanielNanle"
},
{
"created_at": "Sun Feb 11 23:14:38 +0000 2018",
"id": 962827246892343296,
"text": "RT @charliekirk11: Obama assuredly knew the Democrat party paid $160,000 for a fake dossier to get a memo to spy on Trump \n\nHillary paid fo\u2026",
"user.screen_name": "Terrawales"
},
{
"created_at": "Sun Feb 11 23:14:38 +0000 2018",
"id": 962827246783275009,
"text": "RT @kylegriffin1: A comparison of the S&P 500 under Obama and Trump during the same period in their presidencies shows better performance u\u2026",
"user.screen_name": "ronbeckner"
},
{
"created_at": "Sun Feb 11 23:14:38 +0000 2018",
"id": 962827246145888256,
"text": "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.\u2026",
"user.screen_name": "lassekoskela"
},
{
"created_at": "Sun Feb 11 23:14:38 +0000 2018",
"id": 962827246032502784,
"text": "Republicans really that stupid to be claiming that Michelle Obama is a man? Lmao damn.",
"user.screen_name": "alexxslappz"
},
{
"created_at": "Sun Feb 11 23:14:38 +0000 2018",
"id": 962827245906612224,
"text": "RT @tonyposnanski: Trump believes in due process except for...\n\n- Kenyan born Obama\n- Crooked Hillary\n- FBI\n- Anyone in the media who doesn\u2026",
"user.screen_name": "RitaMarietwo"
},
{
"created_at": "Sun Feb 11 23:14:38 +0000 2018",
"id": 962827245038514178,
"text": "RT @RedWaveRising: #ObamaGate\n\n#SundayThoughts\n#BarackObama used classified intelligence leaks for political gain - https://t.co/tkba3Y498I\u2026",
"user.screen_name": "Mannaleemer"
},
{
"created_at": "Sun Feb 11 23:14:37 +0000 2018",
"id": 962827243549372417,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "GateOfDemocracy"
},
{
"created_at": "Sun Feb 11 23:14:37 +0000 2018",
"id": 962827241770987520,
"text": "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.\u2026",
"user.screen_name": "Icebox74"
},
{
"created_at": "Sun Feb 11 23:14:37 +0000 2018",
"id": 962827240466731008,
"text": "RT @RyanAFournier: Do you believe the Obama Administration improperly and illegally surveilled the Trump Campaign? #SHARE",
"user.screen_name": "The__Claud"
},
{
"created_at": "Sun Feb 11 23:14:37 +0000 2018",
"id": 962827240131018752,
"text": "RT @dave1234_david: @hotfunkytown @KNP2BP The only thing Obama has been consistent at is failure. #ObamaGate #MAGA",
"user.screen_name": "SiewTng"
},
{
"created_at": "Sun Feb 11 23:14:36 +0000 2018",
"id": 962827237639811078,
"text": "RT @joncoopertweets: Sure, @realDonaldTrump is a lying, corrupt, racist, traitorous imbecile who defends white supremacists, Nazis, wife be\u2026",
"user.screen_name": "CelesteT333"
},
{
"created_at": "Sun Feb 11 23:14:36 +0000 2018",
"id": 962827237098774528,
"text": "RT @tjbpdb: How AWESOME Would it be, if when all said & done the proof is shown that Saint Obama, was in on the hole thing. J.Carter & R.Ni\u2026",
"user.screen_name": "beansforme2"
},
{
"created_at": "Sun Feb 11 23:14:36 +0000 2018",
"id": 962827235307769857,
"text": "Trump Sends Feds To Arrest Obama Appointed Judge - https://t.co/HBqVfa8YPG",
"user.screen_name": "SUCCESSFULGGIRL"
},
{
"created_at": "Sun Feb 11 23:14:35 +0000 2018",
"id": 962827235068661761,
"text": "RT @RealMAGASteve: This bombshell report from the Senate Homeland Security Comm. IMPLICATES OBAMA in the #Obamagate scandal & Clinton email\u2026",
"user.screen_name": "jluke121"
},
{
"created_at": "Sun Feb 11 23:14:35 +0000 2018",
"id": 962827233483161603,
"text": "Barack Obama - https://t.co/2sNp15OF0K https://t.co/ccnrAg36sx",
"user.screen_name": "treasurestore5"
},
{
"created_at": "Sun Feb 11 23:14:35 +0000 2018",
"id": 962827232090587136,
"text": "RT @SebGorka: The UNMASKING Scandal will prove to be much bigger than FISAGate or Watergate combined. \n\nTime to just call it what it is:\u2026",
"user.screen_name": "MagnumJedi"
},
{
"created_at": "Sun Feb 11 23:14:35 +0000 2018",
"id": 962827231650242560,
"text": "RT @TruthFeedNews: ICYMI: Obama Official Admits Working With Close Clinton Friend to Take Down Trump! https://t.co/OxIn68e2sy #MAGA #TrumpT\u2026",
"user.screen_name": "cliff_shaw1"
},
{
"created_at": "Sun Feb 11 23:14:35 +0000 2018",
"id": 962827231591653376,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "JessieJaneDuff"
},
{
"created_at": "Sun Feb 11 23:14:35 +0000 2018",
"id": 962827231289659394,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "Rick_497"
},
{
"created_at": "Sun Feb 11 23:14:35 +0000 2018",
"id": 962827231230873600,
"text": "@MRSSMH2 Because we didn\u2019t have to defend Obama for even ONE hour https://t.co/Ajy6NKPJUD",
"user.screen_name": "jasoncopeland73"
},
{
"created_at": "Sun Feb 11 23:14:34 +0000 2018",
"id": 962827231012651008,
"text": "RT @wesley_jordan: With Mueller closing in & the Russia scandal exploding all around him, one-trick Trump once again blamed everything on O\u2026",
"user.screen_name": "WaltonDornisch"
},
{
"created_at": "Sun Feb 11 23:14:34 +0000 2018",
"id": 962827230995996672,
"text": "RT @brianklaas: You falsely alleged that Ted Cruz\u2019s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos\u2026",
"user.screen_name": "scody89"
},
{
"created_at": "Sun Feb 11 23:14:34 +0000 2018",
"id": 962827229443997696,
"text": "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.\u2026",
"user.screen_name": "iamopressed"
},
{
"created_at": "Sun Feb 11 23:14:34 +0000 2018",
"id": 962827227686670336,
"text": "@Squirl00 @laura_stietz @realDonaldTrump Libturds can\u2019t stand to lose! Enjoy the next 4-8 yrs. we sure will! I h\u2026 https://t.co/QlYacUXlBz",
"user.screen_name": "tootickedoff"
},
{
"created_at": "Sun Feb 11 23:14:34 +0000 2018",
"id": 962827227225354241,
"text": "RT @TheRickyDavila: A racist lunatic once again finding a way to blame President Obama for the actions of yet another abuser of women.\n\nA s\u2026",
"user.screen_name": "1961pattieann"
},
{
"created_at": "Sun Feb 11 23:14:33 +0000 2018",
"id": 962827226571051008,
"text": "RT @jefftiedrich: Kellyanne Conway, because when I need facts grounded in reality I turn to a woman who accused Barack Obama of spying on t\u2026",
"user.screen_name": "paragonhealth21"
},
{
"created_at": "Sun Feb 11 23:14:33 +0000 2018",
"id": 962827226340384770,
"text": "@jh45123 We Agree. Obama is a Manchurian Candidate, probably Paid for By Soros.",
"user.screen_name": "G_Pond47"
},
{
"created_at": "Sun Feb 11 23:14:33 +0000 2018",
"id": 962827226021486592,
"text": "RT @Bakari_Sellers: Fox News viewers believe its Obama\u2019s fault Rob Porter beat his wives. https://t.co/5y8wPzWLOu",
"user.screen_name": "OldSouthernDem"
},
{
"created_at": "Sun Feb 11 23:14:33 +0000 2018",
"id": 962827222707875840,
"text": "RT @TuckerCarlson: Here's what is clear right now, the bottom line on what we've learned this week and the one thing worth remembering: The\u2026",
"user.screen_name": "kimengland9"
},
{
"created_at": "Sun Feb 11 23:14:32 +0000 2018",
"id": 962827222632419328,
"text": "RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove\u2026",
"user.screen_name": "healthysuzi"
},
{
"created_at": "Sun Feb 11 23:14:32 +0000 2018",
"id": 962827221810458624,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "jennfox515"
},
{
"created_at": "Sun Feb 11 23:14:32 +0000 2018",
"id": 962827221399490560,
"text": "RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,\u2026",
"user.screen_name": "TaNee69216947"
},
{
"created_at": "Sun Feb 11 23:14:32 +0000 2018",
"id": 962827220749230080,
"text": "RT @HowitzerPatriot: @hotfunkytown I love the SNL skit when Obama refutes Trumps claims as Obama being worst President in history. He does\u2026",
"user.screen_name": "SiewTng"
},
{
"created_at": "Sun Feb 11 23:14:32 +0000 2018",
"id": 962827220195700736,
"text": "RT @brianklaas: You falsely alleged that Ted Cruz\u2019s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos\u2026",
"user.screen_name": "_Carallena_"
},
{
"created_at": "Sun Feb 11 23:14:32 +0000 2018",
"id": 962827219155505157,
"text": "RT @BillKristol: Got home, took a look at Twitter: The media seem to love North Korea; people mock Mike and Karen Pence for appearing unhap\u2026",
"user.screen_name": "iluvliberals"
},
{
"created_at": "Sun Feb 11 23:14:32 +0000 2018",
"id": 962827219025481728,
"text": "RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary\u2019s campaign assisted in the effort\n-Russians assisted the Hi\u2026",
"user.screen_name": "lring1up"
},
{
"created_at": "Sun Feb 11 23:14:31 +0000 2018",
"id": 962827218236911617,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "kfwinter15"
},
{
"created_at": "Sun Feb 11 23:14:31 +0000 2018",
"id": 962827216869609472,
"text": "RT @KrisParonto: We also didn\u2019t use the @FBI @CIA and @NSAGov to spy on @realDonaldTrump either.......isn\u2019t that what you said to Chris Wal\u2026",
"user.screen_name": "joannet57"
},
{
"created_at": "Sun Feb 11 23:14:31 +0000 2018",
"id": 962827215581863936,
"text": "RT @nutquacker1: Majority of Americans now think President Obama surveilled the Trump campaign. Time to throw him in jail\n\nPoll: Americans\u2026",
"user.screen_name": "LoriHasso"
},
{
"created_at": "Sun Feb 11 23:14:30 +0000 2018",
"id": 962827214042681345,
"text": "RT @HrrEerrer: Maybe Kelly didn\u2019t know because it didn\u2019t happen. How many times did obama say he found out when a scandal hit the press? Be\u2026",
"user.screen_name": "terriUKfan"
},
{
"created_at": "Sun Feb 11 23:14:30 +0000 2018",
"id": 962827211509202944,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "charitystartsat"
},
{
"created_at": "Sun Feb 11 23:14:30 +0000 2018",
"id": 962827211333033984,
"text": "RT @SebGorka: Just REMEMBER:\n\n@JohnBrennan was proud to have voted for Gus Hall the Communist candidate for American President. \n\nTHEN OBAM\u2026",
"user.screen_name": "cjlutje21"
},
{
"created_at": "Sun Feb 11 23:14:29 +0000 2018",
"id": 962827209928073217,
"text": "RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove\u2026",
"user.screen_name": "MobileMagnolia"
},
{
"created_at": "Sun Feb 11 23:14:29 +0000 2018",
"id": 962827209038733313,
"text": "RT @joncoopertweets: Setting aside Donald Trump\u2019s minor scandals \u2014 such as Trump\u2019s conspiracy with Russia, obstruction of justice, politica\u2026",
"user.screen_name": "ShelbyEmerald"
},
{
"created_at": "Sun Feb 11 23:14:29 +0000 2018",
"id": 962827209022033920,
"text": "RT @CKnSD619: I\u2019m still very confused as to why it\u2019s Obama\u2019s fault that two men physically abused women. The logic that @FoxNews spreads is\u2026",
"user.screen_name": "ChandaFinch"
},
{
"created_at": "Sun Feb 11 23:14:29 +0000 2018",
"id": 962827208820690944,
"text": "RT @brianklaas: You falsely alleged that Ted Cruz\u2019s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos\u2026",
"user.screen_name": "KenElevan"
},
{
"created_at": "Sun Feb 11 23:14:29 +0000 2018",
"id": 962827208359256064,
"text": "@foxandfriends We are seeing the brainwashing of the mentality of the younger people in the USA.\nThis is being done\u2026 https://t.co/GrLmXVpbXq",
"user.screen_name": "dottieh1932"
},
{
"created_at": "Sun Feb 11 23:14:29 +0000 2018",
"id": 962827208099356672,
"text": "RT @RepStevenSmith: Diane Feinstein thinks the dossier is true because it\u2019s not \u201crefuted.\u201d\n\nShe doesn\u2019t care that it\u2019s COMPLETELY UNVERIFIE\u2026",
"user.screen_name": "keesie59"
},
{
"created_at": "Sun Feb 11 23:14:28 +0000 2018",
"id": 962827205481910272,
"text": "RT @G6throughF5: @JulianAssange Do you have Obama's sealed records? https://t.co/6P2jS8vhrM",
"user.screen_name": "Unkle_Ken"
},
{
"created_at": "Sun Feb 11 23:14:28 +0000 2018",
"id": 962827205310115842,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "Doanziegirl"
},
{
"created_at": "Sun Feb 11 23:14:28 +0000 2018",
"id": 962827202537689089,
"text": "RT @KaniJJackson: This is just your daily reminder that Barack Obama did not have 1 scandal or allegation against him during his time in th\u2026",
"user.screen_name": "GuileRita"
},
{
"created_at": "Sun Feb 11 23:14:27 +0000 2018",
"id": 962827200771870720,
"text": "RT @Bakari_Sellers: Fox News viewers believe its Obama\u2019s fault Rob Porter beat his wives. https://t.co/5y8wPzWLOu",
"user.screen_name": "rlsrox"
},
{
"created_at": "Sun Feb 11 23:14:27 +0000 2018",
"id": 962827200415203328,
"text": "RT @JudicialWatch: As part of our effort to hold Mueller's investigation accountable, JW uncovered docs showing top DOJ officials including\u2026",
"user.screen_name": "bbl58"
},
{
"created_at": "Sun Feb 11 23:14:27 +0000 2018",
"id": 962827200062877697,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "kcSnoWhite"
},
{
"created_at": "Sun Feb 11 23:14:27 +0000 2018",
"id": 962827199656136704,
"text": "RT @DrXPsychologist: The House, Senate & Presidency aren't the 3 branches of govt, you dope. DACA didn't exist in 2008-2011, you dope. The\u2026",
"user.screen_name": "historygirlMA"
},
{
"created_at": "Sun Feb 11 23:14:27 +0000 2018",
"id": 962827199429529600,
"text": "Brackin OBama https://t.co/jbpsXClPsf",
"user.screen_name": "chkwma"
},
{
"created_at": "Sun Feb 11 23:14:27 +0000 2018",
"id": 962827199089991680,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "UzjetotuF"
},
{
"created_at": "Sun Feb 11 23:14:27 +0000 2018",
"id": 962827198771224576,
"text": "RT @MaxDevlin: Here\u2019s what some of the Hollywood Powerhouses have said about this article:\n\nKim Kardashian \u201cI haven\u2019t read it.\u201d\nTom Hanks \u201c\u2026",
"user.screen_name": "ggma5757"
},
{
"created_at": "Sun Feb 11 23:14:27 +0000 2018",
"id": 962827198641135617,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "thplett"
},
{
"created_at": "Sun Feb 11 23:14:27 +0000 2018",
"id": 962827198611652608,
"text": "RT @NxGenEarthlings: How\u2019s that #ObamaLegacy looking now...\n\nSucking even more now, isn\u2019t it?\n\n#Obama #SaturdayMorning https://t.co/W1ayvRn\u2026",
"user.screen_name": "Stargazer2020"
},
{
"created_at": "Sun Feb 11 23:14:27 +0000 2018",
"id": 962827197546295298,
"text": "RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary\u2019s campaign assisted in the effort\n-Russians assisted the Hi\u2026",
"user.screen_name": "BicknellShirley"
},
{
"created_at": "Sun Feb 11 23:14:26 +0000 2018",
"id": 962827197139603459,
"text": "RT @MichelleObama: There\u2019s Zaniya, who won our #BetterMakeRoom essay contest and got to be on the cover of @Seventeen with me in 2016. Now,\u2026",
"user.screen_name": "TimminsRealtor"
},
{
"created_at": "Sun Feb 11 23:14:26 +0000 2018",
"id": 962827196044840960,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "RealityBoost"
},
{
"created_at": "Sun Feb 11 23:14:26 +0000 2018",
"id": 962827194799214595,
"text": "@ge2229617 @DonaldJTrumpJr Anyone with COMMON SENSE knew that money was going to their NUCLEAR AMBITIONS & TERRORIS\u2026 https://t.co/Fcuv65KYuo",
"user.screen_name": "LeeEllmauerJr"
},
{
"created_at": "Sun Feb 11 23:14:26 +0000 2018",
"id": 962827194119548928,
"text": "RT @JalenSkutt: Barack Obama https://t.co/Z91o7bG2EH",
"user.screen_name": "_Veronica_10"
},
{
"created_at": "Sun Feb 11 23:14:26 +0000 2018",
"id": 962827193998077954,
"text": "RT @Golfinggary5221: \u201cThe bottom line is that these Trump-hating FBI agents were on an anti-Trump mission and President Obama may be involv\u2026",
"user.screen_name": "Tresaann70"
},
{
"created_at": "Sun Feb 11 23:14:26 +0000 2018",
"id": 962827193398198272,
"text": "RT @sxdoc: CONFIRMED: FRONT PAGE NEWS Cash from Obama's $1.7 Billion Ransom Payment to Iran Traced to Terrorist Groups (VIDEO) SURPRISE SUR\u2026",
"user.screen_name": "papaschu1"
},
{
"created_at": "Sun Feb 11 23:14:26 +0000 2018",
"id": 962827193364566016,
"text": "@dakota295752 @jllgraham @Jerusal53393006 @Diann12stephens @Bruchell1 @realDonaldTrump @PenelopePratts\u2026 https://t.co/G2dwCKvgyn",
"user.screen_name": "kefkapelazzo"
},
{
"created_at": "Sun Feb 11 23:14:25 +0000 2018",
"id": 962827193121460226,
"text": "RT @ChrissyUSA1: #MAGA #Patriot #Qanon #TheStormIsHere #GreatAwakening #AmericaFirst #WeThePeople #CCCTrain #TrumpsTroops \ud83c\uddfa\ud83c\uddf8 FACT; Who paid\u2026",
"user.screen_name": "zanadu99laura"
},
{
"created_at": "Sun Feb 11 23:14:25 +0000 2018",
"id": 962827191905112064,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "arsneddon"
},
{
"created_at": "Sun Feb 11 23:14:25 +0000 2018",
"id": 962827191586295809,
"text": "DHS official & former Obama ambassador James Nealon resigned, upset recommendations to extend \u201ctemporary protected\u2026 https://t.co/W0Fy1AUSrW",
"user.screen_name": "JessieJaneDuff"
},
{
"created_at": "Sun Feb 11 23:14:25 +0000 2018",
"id": 962827191422803970,
"text": "RT @PoliticalShort: Brennan put the pressure on the FBI and Congress to investigate Trump while hiding behind the scenes not only briefing\u2026",
"user.screen_name": "RoloT17"
},
{
"created_at": "Sun Feb 11 23:14:25 +0000 2018",
"id": 962827191015809024,
"text": "@cshirky Dowd is the writer who repeatedly faulted Obama for not having Paul Newman's blue eyes. Too bad she isn't a special case.",
"user.screen_name": "alanatpaterra"
},
{
"created_at": "Sun Feb 11 23:14:25 +0000 2018",
"id": 962827190642626560,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "brian_cadena"
},
{
"created_at": "Sun Feb 11 23:14:25 +0000 2018",
"id": 962827190458114048,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "marthyjazz"
},
{
"created_at": "Sun Feb 11 23:14:25 +0000 2018",
"id": 962827189606604805,
"text": "RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,\u2026",
"user.screen_name": "HelenHelenc"
},
{
"created_at": "Sun Feb 11 23:14:25 +0000 2018",
"id": 962827189384335360,
"text": "RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove\u2026",
"user.screen_name": "superfastbobby"
},
{
"created_at": "Sun Feb 11 23:14:24 +0000 2018",
"id": 962827188507639808,
"text": "RT @HrrEerrer: Maybe Kelly didn\u2019t know because it didn\u2019t happen. How many times did obama say he found out when a scandal hit the press? Be\u2026",
"user.screen_name": "connieSuver"
},
{
"created_at": "Sun Feb 11 23:14:24 +0000 2018",
"id": 962827188272803840,
"text": "RT @EdKrassen: If Jeanine Pirro can blame Barack Obama for Rob Porter beating his wives, then I blame Jeanine Pirro for Donald Trump assaul\u2026",
"user.screen_name": "lamadness123"
},
{
"created_at": "Sun Feb 11 23:14:24 +0000 2018",
"id": 962827188214140933,
"text": "RT @AlexMunday_2018: \"There is no limit to what we, as women, can accomplish.\" \u2014Michelle Obama\n\nWe see you, @GOP. Midterms are coming and w\u2026",
"user.screen_name": "LicorcePony"
},
{
"created_at": "Sun Feb 11 23:14:24 +0000 2018",
"id": 962827188117626880,
"text": "$10 Trillion Spent on the Democrat Great Society vote getting gambit and $10 Trillion more added to the national de\u2026 https://t.co/6CMtCxZTs6",
"user.screen_name": "JC7109"
},
{
"created_at": "Sun Feb 11 23:14:24 +0000 2018",
"id": 962827186934894592,
"text": "RT @Hoosiers1986: #FakeRelationshipFacts\n\nDEM voters are gullible fools!\n\nThey revere idiots like Obama, Schumer & Pelosi who COULD have pr\u2026",
"user.screen_name": "JdhCap"
},
{
"created_at": "Sun Feb 11 23:14:23 +0000 2018",
"id": 962827184300789762,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "BaRebelmom"
},
{
"created_at": "Sun Feb 11 23:14:23 +0000 2018",
"id": 962827183977828352,
"text": "RT @TheZullinator: If Obama wasn't part black the entire country would have turned against him a long time ago. Can we as Americans just lo\u2026",
"user.screen_name": "M08D26"
},
{
"created_at": "Sun Feb 11 23:14:23 +0000 2018",
"id": 962827183646425088,
"text": "RT @charliekirk11: If Bush would have done the same exact things Obama did he would have been impeached",
"user.screen_name": "Terrawales"
},
{
"created_at": "Sun Feb 11 23:14:23 +0000 2018",
"id": 962827183034003456,
"text": "@bbusa617 Let\u2019s hope Clinton\u2019s & Mueller,obama all pay the piper",
"user.screen_name": "expiditer57"
},
{
"created_at": "Sun Feb 11 23:14:23 +0000 2018",
"id": 962827182434390016,
"text": "RT @goodoldcatchy: Trump hounded Obama for his birth certificate because he was black, ran for President because Obama mocked him, was vote\u2026",
"user.screen_name": "kjoerwin"
},
{
"created_at": "Sun Feb 11 23:14:23 +0000 2018",
"id": 962827181008224257,
"text": "The Daily Caller | Only Obama's expansionary fiscal policies can be good.... https://t.co/hxZSwec5Qf https://t.co/SPCyheMLwX",
"user.screen_name": "obamolizer"
},
{
"created_at": "Sun Feb 11 23:14:22 +0000 2018",
"id": 962827180383326208,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "bocabelo"
},
{
"created_at": "Sun Feb 11 23:14:22 +0000 2018",
"id": 962827177879203840,
"text": "RT @jcpenni7maga: I am dropping my #HBO subscription after hearing about this BS\ud83e\udd2c\ud83e\udd2c\ud83e\udd2cand you should too!\n\nHBO - #HomeBoxOffice is hiring #Oba\u2026",
"user.screen_name": "RouleLynda"
},
{
"created_at": "Sun Feb 11 23:14:21 +0000 2018",
"id": 962827175979339777,
"text": "RT @BreeNewsome: Again, Obama faced such racist backlash that white America elected Trump to undo his presidency because no matter how much\u2026",
"user.screen_name": "AbortionFaerie"
},
{
"created_at": "Sun Feb 11 23:14:21 +0000 2018",
"id": 962827174553284608,
"text": "Turns out Obama\u2019s American \u201chome\u201d is just like his real home in Kenya....a shithole\n\n#QAnon #Trump #ObamaGate \n\n https://t.co/L7a7IPvP57",
"user.screen_name": "_00111111_"
},
{
"created_at": "Sun Feb 11 23:14:21 +0000 2018",
"id": 962827173135572993,
"text": "@CNN Victimized by Obama my ass. If anyone's been victimized by anytime it's the American people by you, you asshat",
"user.screen_name": "amc91355"
},
{
"created_at": "Sun Feb 11 23:14:21 +0000 2018",
"id": 962827172724592640,
"text": "RT @Fuctupmind: Pretty much everyone knew about the Steele Dossier.\n\nThe entire Obama admin.\nSid Blumenthal.\nHillary Clinton.\nLoretta Lynch\u2026",
"user.screen_name": "ejmichaels74"
},
{
"created_at": "Sun Feb 11 23:14:20 +0000 2018",
"id": 962827171508183040,
"text": "RT @JGreenbergSez: At the time, Dick Cheney called for the Obama Admin to order an attack to destroy our drone and the unit that brought it\u2026",
"user.screen_name": "csvari"
},
{
"created_at": "Sun Feb 11 23:14:20 +0000 2018",
"id": 962827168161193984,
"text": "RT @FoxNews: .@TomFitton: \"[@realDonaldTrump] has been victimized by the Obama Administration.\" https://t.co/z3Vn9KY1M3",
"user.screen_name": "Ciminolaw"
},
{
"created_at": "Sun Feb 11 23:14:19 +0000 2018",
"id": 962827165325778945,
"text": "RT @lawlerchuck1: @sxdoc @realDonaldTrump Proof Obama Supporting Terrorists !\nIsn\u2019t That Treason ?",
"user.screen_name": "Brendag38323989"
},
{
"created_at": "Sun Feb 11 23:14:19 +0000 2018",
"id": 962827164335960065,
"text": "RT @DearAuntCrabby: Trump promotes argument that he's been 'victimized' by Obama administration https://t.co/NY5a0e77YZ \n\nOh brother, what\u2026",
"user.screen_name": "DeannFields13"
},
{
"created_at": "Sun Feb 11 23:14:18 +0000 2018",
"id": 962827162008018944,
"text": "RT @starcrosswolf: Rep Jim Himes, D, took his dumb pills & admitted there is something in the Democratic intelligence memo that shows the F\u2026",
"user.screen_name": "blondefrog123"
},
{
"created_at": "Sun Feb 11 23:14:18 +0000 2018",
"id": 962827161857155072,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "Electroman05"
},
{
"created_at": "Sun Feb 11 23:14:18 +0000 2018",
"id": 962827161194283008,
"text": "RT @prayingmedic: 48) When you hear that the FBI, DOJ or Obama State Department were involved in something nefarious, keep in mind the fact\u2026",
"user.screen_name": "mpg25mary"
},
{
"created_at": "Sun Feb 11 23:14:17 +0000 2018",
"id": 962827159613116421,
"text": "RT @kylegriffin1: A comparison of the S&P 500 under Obama and Trump during the same period in their presidencies shows better performance u\u2026",
"user.screen_name": "24baseballReed"
},
{
"created_at": "Sun Feb 11 23:14:17 +0000 2018",
"id": 962827158828863490,
"text": "RT @Chicago1Ray: \" You, me... we own this Country. Politicians are employees of ours. And when somebody doesn't do the Job, We gotta let 'e\u2026",
"user.screen_name": "MousseauJim"
},
{
"created_at": "Sun Feb 11 23:14:17 +0000 2018",
"id": 962827157998374912,
"text": "RT @SusanStormXO: @hatedtruthpig77 @Ann_B_Barber @wolfgangfaustX Burns me Up \ud83d\udd25\ud83d\udd25\nHow do we have people in America that are condoning this !\u2026",
"user.screen_name": "MichaelYuchuck"
},
{
"created_at": "Sun Feb 11 23:14:17 +0000 2018",
"id": 962827157792854016,
"text": "RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove\u2026",
"user.screen_name": "Covfefe445"
},
{
"created_at": "Sun Feb 11 23:14:17 +0000 2018",
"id": 962827156744261634,
"text": "RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove\u2026",
"user.screen_name": "bill_lindy1959"
},
{
"created_at": "Sun Feb 11 23:14:17 +0000 2018",
"id": 962827155829940225,
"text": "RT @realDonaldTrump: \u201cMy view is that not only has Trump been vindicated in the last several weeks about the mishandling of the Dossier and\u2026",
"user.screen_name": "mylifebox"
},
{
"created_at": "Sun Feb 11 23:14:17 +0000 2018",
"id": 962827155737542661,
"text": "RT @TomFitton: The American people should be able to see for themselves the FISA court docs on how Obama admin used Clinton document to mis\u2026",
"user.screen_name": "JoyceBruns"
},
{
"created_at": "Sun Feb 11 23:14:16 +0000 2018",
"id": 962827152457633792,
"text": "George .W Refused to criticize obama during his presidency https://t.co/N8eVgSjIfb via @YouTube",
"user.screen_name": "ukchima61"
},
{
"created_at": "Sun Feb 11 23:14:16 +0000 2018",
"id": 962827152306724867,
"text": "RT @FiveRights: Obama State Dept Official Jonathan Winer finally comes clean:\nI fed opposition research from Sid Blumenthal (Hillary's best\u2026",
"user.screen_name": "chelsea7707"
},
{
"created_at": "Sun Feb 11 23:14:15 +0000 2018",
"id": 962827150255644672,
"text": "RT @fubaglady: All Corrupt DOJ and FBI Roads Lead to Obama https://t.co/mEzuGckwxr",
"user.screen_name": "Jan26475074"
},
{
"created_at": "Sun Feb 11 23:14:14 +0000 2018",
"id": 962827143523729410,
"text": "RT @MOVEFORWARDHUGE: MOTHER EARTH IS CRYING BECAUSE YOU CHILDREN WOULD BELIEVE \n\nOBAMA WAS A GOOD POTUS & HILLARY IS A FEMINIST. \n\nMY LORD\u2026",
"user.screen_name": "JimJimbo54"
},
{
"created_at": "Sun Feb 11 23:14:14 +0000 2018",
"id": 962827143024599041,
"text": "RT @demsrloosers: Crooked Eric, The Obama Lap Dog, Responsible for the IRS Targeting of Tea Party Conservatives, is thinking of running fo\u2026",
"user.screen_name": "SpeculativePig"
},
{
"created_at": "Sun Feb 11 23:14:13 +0000 2018",
"id": 962827142546579456,
"text": "RT @kylegriffin1: A comparison of the S&P 500 under Obama and Trump during the same period in their presidencies shows better performance u\u2026",
"user.screen_name": "DanaHogue5"
},
{
"created_at": "Sun Feb 11 23:14:12 +0000 2018",
"id": 962827137765036032,
"text": "RT @brianklaas: You falsely alleged that Ted Cruz\u2019s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos\u2026",
"user.screen_name": "246Cyd"
},
{
"created_at": "Sun Feb 11 23:14:12 +0000 2018",
"id": 962827137060409344,
"text": "RT @PoliticalShort: Brennan put the pressure on the FBI and Congress to investigate Trump while hiding behind the scenes not only briefing\u2026",
"user.screen_name": "see_jl"
},
{
"created_at": "Sun Feb 11 23:14:12 +0000 2018",
"id": 962827135873302529,
"text": "RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,\u2026",
"user.screen_name": "MousseauJim"
},
{
"created_at": "Sun Feb 11 23:14:12 +0000 2018",
"id": 962827135718129665,
"text": "RT @Bakari_Sellers: Fox News viewers believe its Obama\u2019s fault Rob Porter beat his wives. https://t.co/5y8wPzWLOu",
"user.screen_name": "OgNazeem"
},
{
"created_at": "Sun Feb 11 23:14:12 +0000 2018",
"id": 962827135613202433,
"text": "RT @sxdoc: Newt Hammers Hillary, Obama And \u2018#DeepState\u2019 For Destroying The Rule Of Law; Chaos Reigns When Laws Not Enforced #LawAndOrder ht\u2026",
"user.screen_name": "AshleyEdam"
},
{
"created_at": "Sun Feb 11 23:14:12 +0000 2018",
"id": 962827135567192064,
"text": "RT @MEL2AUSA: If anyone is looking for #Obama he\u2019s in his safe space.\nIt\u2019s in the ladies restroom. #ObamaKnew #ObamaGate https://t.co/TKakg\u2026",
"user.screen_name": "RubyRockstar333"
},
{
"created_at": "Sun Feb 11 23:14:11 +0000 2018",
"id": 962827133742649347,
"text": "RT @GartrellLinda: Obama Official Johnathan Winer: I Passed Clinton Lies to Steele That Were Used Against Trump Now the #ObamaGate scandal\u2026",
"user.screen_name": "RHLIVEFREEORDIE"
},
{
"created_at": "Sun Feb 11 23:14:11 +0000 2018",
"id": 962827133306388481,
"text": "RT @GrrrGraphics: #ObamaGate #Obamaspyingscandal #ObamaForPrison #LockThemAllUp \n\nYour #SaturdayMorning #Throwback #BenGarrison #cartoon #O\u2026",
"user.screen_name": "SKITZOx916"
},
{
"created_at": "Sun Feb 11 23:14:11 +0000 2018",
"id": 962827133205794821,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "STARFORCEHH"
},
{
"created_at": "Sun Feb 11 23:14:11 +0000 2018",
"id": 962827132719087616,
"text": "RT @12foto: All the funds that are traced to terrorists should be seized from Obama\u2019s assets! https://t.co/JWDHLaeVza",
"user.screen_name": "Stargazer2020"
},
{
"created_at": "Sun Feb 11 23:14:11 +0000 2018",
"id": 962827131662274566,
"text": "RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary\u2019s campaign assisted in the effort\n-Russians assisted the Hi\u2026",
"user.screen_name": "kiowa581997"
},
{
"created_at": "Sun Feb 11 23:14:10 +0000 2018",
"id": 962827129569280006,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "TonyinNY"
},
{
"created_at": "Sun Feb 11 23:14:10 +0000 2018",
"id": 962827128751493125,
"text": "@timriley70 @realDonaldTrump Your just another nose ring liberal missing your Prince Liar Muslim Obama",
"user.screen_name": "FighterAngel1"
},
{
"created_at": "Sun Feb 11 23:14:10 +0000 2018",
"id": 962827128747319296,
"text": "RT @ChristiChat: OBAMA KNEW EVERYTHING\nOn Friday Sept 2, 2016\n67 days before America's\nPresidential Election\nFBI Lawyer Lisa Page\nsent a te\u2026",
"user.screen_name": "VetforP"
},
{
"created_at": "Sun Feb 11 23:14:10 +0000 2018",
"id": 962827128231247872,
"text": "RT @starcrosswolf: Rep Jim Himes, D, took his dumb pills & admitted there is something in the Democratic intelligence memo that shows the F\u2026",
"user.screen_name": "gbiggieatb"
},
{
"created_at": "Sun Feb 11 23:14:09 +0000 2018",
"id": 962827124892606465,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "james_kacee"
},
{
"created_at": "Sun Feb 11 23:14:09 +0000 2018",
"id": 962827124586381312,
"text": "RT @Brasilmagic: Jeanine Pirro needs a straight-jacket https://t.co/G4wzGBUJ0b",
"user.screen_name": "Sybertuts"
},
{
"created_at": "Sun Feb 11 23:14:09 +0000 2018",
"id": 962827124271804416,
"text": "RT @TomFitton: The American people should be able to see for themselves the FISA court docs on how Obama admin used Clinton document to mis\u2026",
"user.screen_name": "TinaWest123321"
},
{
"created_at": "Sun Feb 11 23:14:09 +0000 2018",
"id": 962827123277881344,
"text": "RT @PoliticalShort: Grassley-Graham memo tells us that we need not only a full-blown investigation of what possessed the Obama admin to sub\u2026",
"user.screen_name": "ChrisCandysh"
},
{
"created_at": "Sun Feb 11 23:14:09 +0000 2018",
"id": 962827122715832322,
"text": "@GOP Obama is responsible for the great economy\u2014-BECAUSE HE IS NOT POTUS ANYMORE, thank GOD!!",
"user.screen_name": "Searcher1911"
},
{
"created_at": "Sun Feb 11 23:14:08 +0000 2018",
"id": 962827121793077248,
"text": "RT @JalenSkutt: Barack Obama https://t.co/Z91o7bG2EH",
"user.screen_name": "MarieBacungan"
},
{
"created_at": "Sun Feb 11 23:14:08 +0000 2018",
"id": 962827120870350850,
"text": "RT @Thomas1774Paine: New York Times photographer: Trump gives us more access than Obama https://t.co/T6Z1CVtk5O",
"user.screen_name": "divabusiness"
},
{
"created_at": "Sun Feb 11 23:14:08 +0000 2018",
"id": 962827120622874625,
"text": "RT @GartrellLinda: Obama Official Johnathan Winer: I Passed Clinton Lies to Steele That Were Used Against Trump Now the #ObamaGate scandal\u2026",
"user.screen_name": "teokee"
},
{
"created_at": "Sun Feb 11 23:14:08 +0000 2018",
"id": 962827119410610176,
"text": ".American Public Opinion Finally Turns on Obama Admin... Overwhelmingly \nhttps://t.co/8LkWJogy54",
"user.screen_name": "CharlieRand9"
},
{
"created_at": "Sun Feb 11 23:14:08 +0000 2018",
"id": 962827118521540608,
"text": "RT @starcrosswolf: Rep Jim Himes, D, took his dumb pills & admitted there is something in the Democratic intelligence memo that shows the F\u2026",
"user.screen_name": "laearle"
},
{
"created_at": "Sun Feb 11 23:14:07 +0000 2018",
"id": 962827115761725440,
"text": "RT @joncoopertweets: Sure, @realDonaldTrump is a lying, corrupt, racist, traitorous imbecile who defends white supremacists, Nazis, wife be\u2026",
"user.screen_name": "MosesDidItBest"
},
{
"created_at": "Sun Feb 11 23:14:07 +0000 2018",
"id": 962827115552038912,
"text": "RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove\u2026",
"user.screen_name": "navigatorclan"
},
{
"created_at": "Sun Feb 11 23:14:07 +0000 2018",
"id": 962827114377441280,
"text": "Trump wants to screw his own daughter, cheated on all 3 wives = good. Obama 1 wife 2 kids faithful and faithful = B\u2026 https://t.co/dZQ15IC8da",
"user.screen_name": "Nativemanley"
},
{
"created_at": "Sun Feb 11 23:14:06 +0000 2018",
"id": 962827113148674049,
"text": "@amanda_pompili @FML_Nation @Kimosabe12345 @KurtSchlichter @VadersDeLorean @Judges445 66 million vs 63 million. He\u2026 https://t.co/QxvvfgdetL",
"user.screen_name": "turningabout"
},
{
"created_at": "Sun Feb 11 23:14:06 +0000 2018",
"id": 962827109696786432,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "brhardy1"
},
{
"created_at": "Sun Feb 11 23:14:05 +0000 2018",
"id": 962827108757180416,
"text": "RT @AynRandPaulRyan: Fox News host Jeanine Pirro, inexplicably and yet somehow predictably, blames Barack Obama for Rob Porter wife-beating\u2026",
"user.screen_name": "VinLospinuso91"
},
{
"created_at": "Sun Feb 11 23:14:05 +0000 2018",
"id": 962827107922579456,
"text": "I liked a @YouTube video https://t.co/eAVEU0BIQA Barack Obama on employers who hire illegal immigrants",
"user.screen_name": "Renlou14Smasher"
},
{
"created_at": "Sun Feb 11 23:14:05 +0000 2018",
"id": 962827106660077568,
"text": "RT @MichelleRMed: Pres Trump & VP Pence love & respect our military. Trump gave Mattis free reign to destroy ISIS which he did in less than\u2026",
"user.screen_name": "daisylueboo1"
},
{
"created_at": "Sun Feb 11 23:14:05 +0000 2018",
"id": 962827106504855553,
"text": "@TrueFactsStated Friendly reminder that Michael Flynn could still be there.\n\nAnd would be if an American Hero hadn'\u2026 https://t.co/PGIatAjh6V",
"user.screen_name": "nebhusker84"
},
{
"created_at": "Sun Feb 11 23:14:04 +0000 2018",
"id": 962827104655200256,
"text": "RT @juniperbreeze07: @RepSwalwell You can point the finger at your buddy Sid Blumenthal and Hillary Clinton\u2019s handler who started the birth\u2026",
"user.screen_name": "kachninja"
},
{
"created_at": "Sun Feb 11 23:14:04 +0000 2018",
"id": 962827103761850370,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "Ciminolaw"
},
{
"created_at": "Sun Feb 11 23:14:04 +0000 2018",
"id": 962827102688079872,
"text": "RT @CreechJeff: @cazad1966 @LisaASchulz2 @Teddysmom1 @Azonei1 @_etgeeee_ @SenFeinstein The US Constitution will hold. \nObama and Holder (bo\u2026",
"user.screen_name": "Browser60911"
},
{
"created_at": "Sun Feb 11 23:14:04 +0000 2018",
"id": 962827101618532353,
"text": "RT @RealMAGASteve: When more of the truth comes out we will discover Levin is right about the Presidential Daily Briefing.\n\nObama tried to\u2026",
"user.screen_name": "GloriaProphet"
},
{
"created_at": "Sun Feb 11 23:14:04 +0000 2018",
"id": 962827101601714183,
"text": "RT @kelly4NC: Bots out in full force with \u201cUsing Us as Pawns\u201d bullsh*t. Anyone paying attention knows the Trump administration is using DAC\u2026",
"user.screen_name": "lizmbd2"
},
{
"created_at": "Sun Feb 11 23:14:03 +0000 2018",
"id": 962827100553179137,
"text": "RT @BillKristol: Got home, took a look at Twitter: The media seem to love North Korea; people mock Mike and Karen Pence for appearing unhap\u2026",
"user.screen_name": "JackJLSmith"
},
{
"created_at": "Sun Feb 11 23:14:03 +0000 2018",
"id": 962827098607046656,
"text": "RT @EdKrassen: If Jeanine Pirro can blame Barack Obama for Rob Porter beating his wives, then I blame Jeanine Pirro for Donald Trump assaul\u2026",
"user.screen_name": "VinLospinuso91"
},
{
"created_at": "Sun Feb 11 23:14:01 +0000 2018",
"id": 962827091451437056,
"text": "RT @Bossip: President Obama\u2019s Photoshopped Beard Is Pulverizing Panny Drawls Across The Internet https://t.co/8MKoR6RHmq https://t.co/aMSAP\u2026",
"user.screen_name": "_sabrinadsena"
},
{
"created_at": "Sun Feb 11 23:14:01 +0000 2018",
"id": 962827091300487174,
"text": "RT @c19485591: @John3_and_16 What is disheartening.....this is much deeper than obama's presidency...the swamp is still in force and every\u2026",
"user.screen_name": "JackieMcReath1"
},
{
"created_at": "Sun Feb 11 23:14:01 +0000 2018",
"id": 962827090751115264,
"text": "RT @DTrumpPoll: Do you think @realDonaldTrump was vicitmized by the Obama Administration, or were investigations in to ties with Russia jus\u2026",
"user.screen_name": "herunlikelyname"
},
{
"created_at": "Sun Feb 11 23:14:00 +0000 2018",
"id": 962827087122907137,
"text": "RT @jeromegravesbm1: @hotfunkytown All the world leaders knew Obama was a \"girly man\" and this is no surprise from the weak leadership he h\u2026",
"user.screen_name": "SiewTng"
},
{
"created_at": "Sun Feb 11 23:14:00 +0000 2018",
"id": 962827085164167168,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "schmuckal51"
},
{
"created_at": "Sun Feb 11 23:14:00 +0000 2018",
"id": 962827084883099648,
"text": "RT @MyDaughtersArmy: Fox News - If all else fails, blame Obama. https://t.co/kpZ28fwWtx",
"user.screen_name": "the_tanner21"
},
{
"created_at": "Sun Feb 11 23:14:00 +0000 2018",
"id": 962827084467974144,
"text": "RT @johncusack: You wanna play ? Answer- look up Obama\u2019s war on constitution - interview I did - check out @FreedomofPress I\u2019m on the bo\u2026",
"user.screen_name": "TJSeraphim"
},
{
"created_at": "Sun Feb 11 23:13:59 +0000 2018",
"id": 962827084228853760,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "RealityBoost"
},
{
"created_at": "Sun Feb 11 23:13:59 +0000 2018",
"id": 962827083993972739,
"text": "@jetking428 @JGreenblattADL The Obama admin is already gone \ud83e\udd14The Democratic bastard slavers will be out by truth &\u2026 https://t.co/xF4IQ1gCdF",
"user.screen_name": "Virgomae2891"
},
{
"created_at": "Sun Feb 11 23:13:59 +0000 2018",
"id": 962827083541110789,
"text": "Obama, Michelle portraits to be unveiled Monday at National Portrait Gallery\n\nhttps://t.co/TJbcc9PqgQ",
"user.screen_name": "mafoya"
},
{
"created_at": "Sun Feb 11 23:13:59 +0000 2018",
"id": 962827081410256896,
"text": "RT @KaniJJackson: This is just your daily reminder that Barack Obama did not have 1 scandal or allegation against him during his time in th\u2026",
"user.screen_name": "CrimeDefense"
},
{
"created_at": "Sun Feb 11 23:13:59 +0000 2018",
"id": 962827080827326464,
"text": "RT @DFBHarvard: Well, that's DACA for you! Thanks Obama for your big fat Legacy! https://t.co/K8wwJ5Np7c",
"user.screen_name": "katscan27_kim"
},
{
"created_at": "Sun Feb 11 23:13:59 +0000 2018",
"id": 962827080785453061,
"text": "RT @SebGorka: The UNMASKING Scandal will prove to be much bigger than FISAGate or Watergate combined. \n\nTime to just call it what it is:\u2026",
"user.screen_name": "eva48w4"
},
{
"created_at": "Sun Feb 11 23:13:59 +0000 2018",
"id": 962827080470876162,
"text": "RT @HawksGal_: @LevineJonathan #OMAROSA is full of BS..she knows @POTUS is undoing #Obama\u2019s mess\ud83d\ude44#MAGA @peachespulliam @helloross #TruthTel\u2026",
"user.screen_name": "JesusIsTrueKing"
},
{
"created_at": "Sun Feb 11 23:13:59 +0000 2018",
"id": 962827080416325633,
"text": "RT @renato_mariotti: President Obama created DACA because Republicans blocked the Dream Act. Trump ended DACA on his own\u2014don\u2019t let him get\u2026",
"user.screen_name": "caseysigmundd"
},
{
"created_at": "Sun Feb 11 23:13:58 +0000 2018",
"id": 962827079124422657,
"text": "RT @MichelleTrain79: Don't forget Obama sent his cronies to three funerals and never sent one to kate's funeral https://t.co/mnOfzmIFqF",
"user.screen_name": "kevinmklerks"
},
{
"created_at": "Sun Feb 11 23:13:58 +0000 2018",
"id": 962827076221972482,
"text": "Obama also waved instead of saluting while exiting Air Force One . https://t.co/fcoLHNe7Ts",
"user.screen_name": "slamman140"
},
{
"created_at": "Sun Feb 11 23:13:57 +0000 2018",
"id": 962827075315838976,
"text": "RT @TeaPainUSA: Who does Fox News blame for Trump harborin' serial domestic abuser, Rob Porter? \n\nYou guessed it! The black guy!\n\nhttps:/\u2026",
"user.screen_name": "kfseattle"
},
{
"created_at": "Sun Feb 11 23:13:57 +0000 2018",
"id": 962827073273417729,
"text": "RT @timmoore1973: @shoot38special @jamacia813 @TNMouth @Nprestn23 @Idclair @DearAuntCrabby @grammyresists @Write_Sense @PiconeKaren @DocSto\u2026",
"user.screen_name": "shoot38special"
},
{
"created_at": "Sun Feb 11 23:13:57 +0000 2018",
"id": 962827072623316992,
"text": "RT @hotfunkytown: This was Obama's military parade. https://t.co/boCUoj7MIW",
"user.screen_name": "sharonsizelove"
},
{
"created_at": "Sun Feb 11 23:13:57 +0000 2018",
"id": 962827071968960512,
"text": "RT @brianklaas: You falsely alleged that Ted Cruz\u2019s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos\u2026",
"user.screen_name": "Jaxgma3235"
},
{
"created_at": "Sun Feb 11 23:13:56 +0000 2018",
"id": 962827071214014465,
"text": "RT @Isa4031AMP: BOMBSHELL: FBI Informant In Uranium One Scandal Testifies Against Obama. Here's What He Said https://t.co/cfs5cyQw14 https:\u2026",
"user.screen_name": "MikeJudy12"
},
{
"created_at": "Sun Feb 11 23:13:56 +0000 2018",
"id": 962827070370996224,
"text": "@Mike562017 @DiogenesLamp0 @Pr0litical @evan_manifesto @amoreimarketing @Aeon__News @Sequencer16 @LisaTomain\u2026 https://t.co/ZL2z4tgBie",
"user.screen_name": "Raypatrick7734"
},
{
"created_at": "Sun Feb 11 23:13:56 +0000 2018",
"id": 962827069536092160,
"text": "RT @brianklaas: You falsely alleged that Ted Cruz\u2019s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos\u2026",
"user.screen_name": "M5B1tch"
},
{
"created_at": "Sun Feb 11 23:13:56 +0000 2018",
"id": 962827067481116672,
"text": "RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,\u2026",
"user.screen_name": "snowbirdron"
},
{
"created_at": "Sun Feb 11 23:13:55 +0000 2018",
"id": 962827067233619969,
"text": "RT @TeaPainUSA: Who does Fox News blame for Trump harborin' serial domestic abuser, Rob Porter? \n\nYou guessed it! The black guy!\n\nhttps:/\u2026",
"user.screen_name": "MajinNita"
},
{
"created_at": "Sun Feb 11 23:13:55 +0000 2018",
"id": 962827065971093504,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "gns1013"
},
{
"created_at": "Sun Feb 11 23:13:55 +0000 2018",
"id": 962827064977043456,
"text": "RT @Logic_Triumphs: \u2b50\u2b50\u2b50\u2b50\u2b50\nBarack Obama has 99.7 million followers.\nIt would kill Donald Trump if Obama hit 100 million. Whatever you do do\u2026",
"user.screen_name": "b_l_edwards"
},
{
"created_at": "Sun Feb 11 23:13:55 +0000 2018",
"id": 962827063299313664,
"text": "RT @JudicialWatch: Reminder: JW found evidence showing Obama State Dept under John Kerry sent its own \"dossier\" of classified info on Russi\u2026",
"user.screen_name": "TaNee69216947"
},
{
"created_at": "Sun Feb 11 23:13:54 +0000 2018",
"id": 962827061063688192,
"text": "RT @SusanStormXO: @hatedtruthpig77 @Ann_B_Barber @wolfgangfaustX Burns me Up \ud83d\udd25\ud83d\udd25\nHow do we have people in America that are condoning this !\u2026",
"user.screen_name": "Jaywall13271015"
},
{
"created_at": "Sun Feb 11 23:13:53 +0000 2018",
"id": 962827058270343175,
"text": "RT @starcrosswolf: Rep Jim Himes, D, took his dumb pills & admitted there is something in the Democratic intelligence memo that shows the F\u2026",
"user.screen_name": "MtRushmore2016"
},
{
"created_at": "Sun Feb 11 23:13:53 +0000 2018",
"id": 962827058098290688,
"text": "RT @Chicago1Ray: \" You, me... we own this Country. Politicians are employees of ours. And when somebody doesn't do the Job, We gotta let 'e\u2026",
"user.screen_name": "VickieSpringer"
},
{
"created_at": "Sun Feb 11 23:13:53 +0000 2018",
"id": 962827057045692416,
"text": "RT @KaniJJackson: This is just your daily reminder that Barack Obama did not have 1 scandal or allegation against him during his time in th\u2026",
"user.screen_name": "bluediamond421"
},
{
"created_at": "Sun Feb 11 23:13:53 +0000 2018",
"id": 962827056458485760,
"text": "RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,\u2026",
"user.screen_name": "JamesRLarkins"
},
{
"created_at": "Sun Feb 11 23:13:53 +0000 2018",
"id": 962827056382869506,
"text": "RT @lowereast4derr: Someone needs to tell them Obama, unfortunately, has finished his term, Clinton is a private citizen(despite what bat s\u2026",
"user.screen_name": "RobynNess1"
},
{
"created_at": "Sun Feb 11 23:13:53 +0000 2018",
"id": 962827055808294913,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "CarolynTittle"
},
{
"created_at": "Sun Feb 11 23:13:52 +0000 2018",
"id": 962827054558384129,
"text": "RT @brianklaas: You falsely alleged that Ted Cruz\u2019s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos\u2026",
"user.screen_name": "afterthebridge"
},
{
"created_at": "Sun Feb 11 23:13:52 +0000 2018",
"id": 962827054549909504,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "DrJudyOhmer"
},
{
"created_at": "Sun Feb 11 23:13:52 +0000 2018",
"id": 962827053958447104,
"text": "RT @RedWaveRising: #ObamaGate\n\n#SundayThoughts\n#BarackObama used classified intelligence leaks for political gain - https://t.co/tkba3Y498I\u2026",
"user.screen_name": "ElisAmerica1"
},
{
"created_at": "Sun Feb 11 23:13:52 +0000 2018",
"id": 962827053010771968,
"text": "RT @Hoosiers1986: #FakeRelationshipFacts\n\nDEM voters are gullible fools!\n\nThey revere idiots like Obama, Schumer & Pelosi who COULD have pr\u2026",
"user.screen_name": "Doembon"
},
{
"created_at": "Sun Feb 11 23:13:52 +0000 2018",
"id": 962827052893302785,
"text": "RT @stardesert418: @sxdoc @realDonaldTrump OBAMA's $1.7B ransom payment to Iran's Terrorists groups... sell out!",
"user.screen_name": "Brendag38323989"
},
{
"created_at": "Sun Feb 11 23:13:52 +0000 2018",
"id": 962827050808676357,
"text": "RT @FiveRights: For 5 years Obama couldn't stop ISIS, couldn't even contain them.\nTrump, w same military, wiped out ISIS in 9 mos.\nO wasn't\u2026",
"user.screen_name": "onthesoundshore"
},
{
"created_at": "Sun Feb 11 23:13:51 +0000 2018",
"id": 962827050640748544,
"text": "RT @kylegriffin1: A comparison of the S&P 500 under Obama and Trump during the same period in their presidencies shows better performance u\u2026",
"user.screen_name": "SeattleRocko"
},
{
"created_at": "Sun Feb 11 23:13:51 +0000 2018",
"id": 962827050162810880,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "tommylowens1"
},
{
"created_at": "Sun Feb 11 23:13:51 +0000 2018",
"id": 962827050083143681,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "stevetwiss"
},
{
"created_at": "Sun Feb 11 23:13:51 +0000 2018",
"id": 962827048678051840,
"text": "Make America Informed Again #MAIA: Is Trump even conscious? Barack Obama was sworn in on January 20, 2009. In the 2\u2026 https://t.co/6v1vkxzOVf",
"user.screen_name": "eagle3300"
},
{
"created_at": "Sun Feb 11 23:13:51 +0000 2018",
"id": 962827048619249664,
"text": "RT @JudicialWatch: Reminder: JW found evidence showing Obama State Dept under John Kerry sent its own \"dossier\" of classified info on Russi\u2026",
"user.screen_name": "TxMsLee"
},
{
"created_at": "Sun Feb 11 23:13:51 +0000 2018",
"id": 962827047671402496,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "cbferry1860"
},
{
"created_at": "Sun Feb 11 23:13:51 +0000 2018",
"id": 962827047184642049,
"text": "RT @Vento921: @hotfunkytown As much as I disliked Obama, it showed the power of Trump and his supporters, and the indomitable spirit of Am\u2026",
"user.screen_name": "SiewTng"
},
{
"created_at": "Sun Feb 11 23:13:51 +0000 2018",
"id": 962827046878679040,
"text": "RT @brianklaas: You falsely alleged that Ted Cruz\u2019s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos\u2026",
"user.screen_name": "jfhdvm"
},
{
"created_at": "Sun Feb 11 23:13:50 +0000 2018",
"id": 962827046278791168,
"text": "@MikaelaSkyeSays @Shoq He doesn't hate Obama, but he did disagree with some of Obama's foreign policies. He believe\u2026 https://t.co/lAP9l7fBwy",
"user.screen_name": "KubeJ9"
},
{
"created_at": "Sun Feb 11 23:13:50 +0000 2018",
"id": 962827044785676289,
"text": "@BarackObama Obama is from Chicago! Did the murder rate go up or down in his eight years in Washington?",
"user.screen_name": "jonwoock"
},
{
"created_at": "Sun Feb 11 23:13:50 +0000 2018",
"id": 962827044642897921,
"text": "RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove\u2026",
"user.screen_name": "BRADALL76027393"
},
{
"created_at": "Sun Feb 11 23:13:50 +0000 2018",
"id": 962827043648999425,
"text": "RT @RVAwonk: Guy who falsely accused President Obama of a felony is suddenly concerned about false accusations. https://t.co/VBCuQmKh7N",
"user.screen_name": "PatPattip860"
},
{
"created_at": "Sun Feb 11 23:13:50 +0000 2018",
"id": 962827042965409792,
"text": "RT @oxminaox: Snapchat didn\u2019t suck while Obama was in office... just saying",
"user.screen_name": "DevenMotley"
},
{
"created_at": "Sun Feb 11 23:13:50 +0000 2018",
"id": 962827042872963072,
"text": "RT @stand4honor: @4USASoldiers @CAoutcast @RoryGilligan1 @CothranVicky @jeeptec420 @Baby___Del @bronson69 @Seeds81Planting @ezrateach @Tabb\u2026",
"user.screen_name": "ElisAmerica1"
},
{
"created_at": "Sun Feb 11 23:13:49 +0000 2018",
"id": 962827042256506880,
"text": "RT @Chicago1Ray: \" You, me... we own this Country. Politicians are employees of ours. And when somebody doesn't do the Job, We gotta let 'e\u2026",
"user.screen_name": "jeff_jamz"
},
{
"created_at": "Sun Feb 11 23:13:49 +0000 2018",
"id": 962827039454588928,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "sexy702latina"
},
{
"created_at": "Sun Feb 11 23:13:49 +0000 2018",
"id": 962827038666051584,
"text": "@joancichon @USAneedsTRUMP @RedaMor_ @realDonaldTrump @JohnKasich @WestervillePD Did you complain during Obama 10 t\u2026 https://t.co/W0r2mhB205",
"user.screen_name": "jayracer440"
},
{
"created_at": "Sun Feb 11 23:13:48 +0000 2018",
"id": 962827037844164608,
"text": "RT @carrieksada: Poll: Americans 'Overwhelmingly' Believe Obama 'Improperly Surveilled' Trump Campaign \n https://t.co/TVVpOkBUTT\n\n#CouldBea\u2026",
"user.screen_name": "rightyfrommont"
},
{
"created_at": "Sun Feb 11 23:13:48 +0000 2018",
"id": 962827037089017856,
"text": "RT @BJcrazyaunt: There is a reason Obama bought a house in a country that does not extradite. There is a reason Obama just hired 12 lawyers\u2026",
"user.screen_name": "177618122016USA"
},
{
"created_at": "Sun Feb 11 23:13:48 +0000 2018",
"id": 962827035251847169,
"text": "RT @andersonDrLJA: #OBAMA & #HILLARY....2 OF THE GREATEST FRAUDS EVER PERPETRATED ON AMERICA......EVER! https://t.co/eFLCNCdNs1",
"user.screen_name": "proudnana_3"
},
{
"created_at": "Sun Feb 11 23:13:48 +0000 2018",
"id": 962827034790694913,
"text": "RT @Fuctupmind: Pretty much everyone knew about the Steele Dossier.\n\nThe entire Obama admin.\nSid Blumenthal.\nHillary Clinton.\nLoretta Lynch\u2026",
"user.screen_name": "dwulke"
},
{
"created_at": "Sun Feb 11 23:13:47 +0000 2018",
"id": 962827032747917312,
"text": "RT @oxminaox: Snapchat didn\u2019t suck while Obama was in office... just saying",
"user.screen_name": "Clariiiiice"
},
{
"created_at": "Sun Feb 11 23:13:47 +0000 2018",
"id": 962827030202060800,
"text": "@rcevat69 @JacobAWohl @realDonaldTrump I would like to hear the whole story on how Porter blames Obama for that! Pl\u2026 https://t.co/TRuGfyErbv",
"user.screen_name": "WilliamEBraunJr"
},
{
"created_at": "Sun Feb 11 23:13:47 +0000 2018",
"id": 962827030155821056,
"text": "RT @TeaPainUSA: Who does Fox News blame for Trump harborin' serial domestic abuser, Rob Porter? \n\nYou guessed it! The black guy!\n\nhttps:/\u2026",
"user.screen_name": "biegenci"
},
{
"created_at": "Sun Feb 11 23:13:46 +0000 2018",
"id": 962827029493231617,
"text": "RT @village_jordan: @sxdoc @realcorylynn @realDonaldTrump Iran and Obama and Valerie Jarrett \nhow close do you get..\nEvil Muslims in the WH\u2026",
"user.screen_name": "Brendag38323989"
},
{
"created_at": "Sun Feb 11 23:13:46 +0000 2018",
"id": 962827029094785024,
"text": "RT @mattmfm: Barack Obama was in the same room as Louis Farrakhan once and it caused a decades-long controversy. \n\nDonald Trump gave a shou\u2026",
"user.screen_name": "bluejay6537"
},
{
"created_at": "Sun Feb 11 23:13:46 +0000 2018",
"id": 962827027526103042,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "prioleaustreet"
},
{
"created_at": "Sun Feb 11 23:13:46 +0000 2018",
"id": 962827026380996609,
"text": "RT @Maryland4Trump2: @realDonaldTrump How liberals view the stock market:\ud83d\udc47\n\n\u2796Up:\u00a0\u00a0Credit Obama\u00a0\u00a0\n\u2796Down:\u00a0\u00a0Blame Trump\u00a0\u00a0\n\nIt\u2019s ok liberals...\u2026",
"user.screen_name": "dsshep1959"
},
{
"created_at": "Sun Feb 11 23:13:46 +0000 2018",
"id": 962827026217381888,
"text": "RT @ElderLansing: I will never respect the Ex Resident Coward Obama! He was a horrible leader and had numerous scandals overlooked because\u2026",
"user.screen_name": "Gregory52230449"
},
{
"created_at": "Sun Feb 11 23:13:45 +0000 2018",
"id": 962827025416204288,
"text": "#MAGA #Patriot #Qanon #TheStormIsHere #GreatAwakening #AmericaFirst #WeThePeople #CCCTrain #TrumpsTroops \ud83c\uddfa\ud83c\uddf8 FACT; W\u2026 https://t.co/h9wfMO7gOo",
"user.screen_name": "ChrissyUSA1"
},
{
"created_at": "Sun Feb 11 23:13:45 +0000 2018",
"id": 962827024749420544,
"text": "Hey Demorats your \"MEMO\" wasn't blocked,it was sent back to you to correct your screw up that you wanted in it or m\u2026 https://t.co/mkIJwiQMnw",
"user.screen_name": "hwfranzjr"
},
{
"created_at": "Sun Feb 11 23:13:45 +0000 2018",
"id": 962827023067398144,
"text": "RT @SebGorka: The UNMASKING Scandal will prove to be much bigger than FISAGate or Watergate combined. \n\nTime to just call it what it is:\u2026",
"user.screen_name": "Anasoptora3"
},
{
"created_at": "Sun Feb 11 23:13:45 +0000 2018",
"id": 962827022513958912,
"text": "RT @ChristiChat: OBAMA KNEW EVERYTHING\nOn Friday Sept 2, 2016\n67 days before America's\nPresidential Election\nFBI Lawyer Lisa Page\nsent a te\u2026",
"user.screen_name": "Chicago10th"
},
{
"created_at": "Sun Feb 11 23:13:44 +0000 2018",
"id": 962827020853014530,
"text": "RT @Education4Libs: The media is going nuts over Trump\u2019s hair flapping in the wind which revealed part of his scalp.\n\nTell me again how thi\u2026",
"user.screen_name": "Deplorable_Didi"
},
{
"created_at": "Sun Feb 11 23:13:44 +0000 2018",
"id": 962827019213066240,
"text": "@Tiffany1985B @jennyleesac30 @Obama_FOS Oh, I practice it frequently and still get stuff wrong! It gets hard for me\u2026 https://t.co/qzIrc2ks4q",
"user.screen_name": "___aniT___"
},
{
"created_at": "Sun Feb 11 23:13:44 +0000 2018",
"id": 962827017858179072,
"text": "RT @Frederick987: foxnews should be stopped. Enough . No Democratic country has to put up,with an anti democratic, non factual broadcasting\u2026",
"user.screen_name": "scubasylph49"
},
{
"created_at": "Sun Feb 11 23:13:43 +0000 2018",
"id": 962827015320633345,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "stevetwiss"
},
{
"created_at": "Sun Feb 11 23:13:43 +0000 2018",
"id": 962827014959960064,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "graycsam"
},
{
"created_at": "Sun Feb 11 23:13:43 +0000 2018",
"id": 962827014741766145,
"text": "RT @AlexTJohansen: I saw a documentrary where Obama's Kenyan grandmother pointed out the hut he was born in.\n\nWeird.\n\nIt's almost like he w\u2026",
"user.screen_name": "AlexTJohansen"
},
{
"created_at": "Sun Feb 11 23:13:42 +0000 2018",
"id": 962827011529027585,
"text": "RT @brianklaas: You falsely alleged that Ted Cruz\u2019s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos\u2026",
"user.screen_name": "SheerHubris"
},
{
"created_at": "Sun Feb 11 23:13:42 +0000 2018",
"id": 962827011369480193,
"text": "RT @watspn1013: \ud83d\udd25Obama-Backed, Holder-Led Group\ud83d\udd25 dedicated to \"enacting a comprehensive, multi-cycle Democratic Party redistricting strateg\u2026",
"user.screen_name": "Snap_Politics"
},
{
"created_at": "Sun Feb 11 23:13:42 +0000 2018",
"id": 962827008911781890,
"text": "RT @JohnFromCranber: America Dodged a Bullet. Hillary Would Have Been a '3rd Obama Term'. Alt-Left/Soros's Fundamental Transformation Woul\u2026",
"user.screen_name": "usedcars1995"
},
{
"created_at": "Sun Feb 11 23:13:41 +0000 2018",
"id": 962827008660172800,
"text": "RT @RyanAFournier: Do you believe the Obama Administration improperly and illegally surveilled the Trump Campaign? #SHARE",
"user.screen_name": "dough43"
},
{
"created_at": "Sun Feb 11 23:13:41 +0000 2018",
"id": 962827004755300352,
"text": "@AnthonyDiGrazio Think what he means is they could have done something properly (i.e. legislatively) But did nothin\u2026 https://t.co/5pxTMi7V1f",
"user.screen_name": "PhillyFanForum"
},
{
"created_at": "Sun Feb 11 23:13:40 +0000 2018",
"id": 962827004084215809,
"text": "RT @thecharleschall: The rest of America is catching up to what we said 7 years ago: Obama is one of the worst presidents ever!\n\n\u201cAmericans\u2026",
"user.screen_name": "JeffW20762675"
},
{
"created_at": "Sun Feb 11 23:13:40 +0000 2018",
"id": 962827002989498370,
"text": "RT @FiveRights: For 5 years Obama couldn't stop ISIS, couldn't even contain them.\nTrump, w same military, wiped out ISIS in 9 mos.\nO wasn't\u2026",
"user.screen_name": "Chriskl70208387"
},
{
"created_at": "Sun Feb 11 23:13:40 +0000 2018",
"id": 962827002934804480,
"text": "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.\u2026",
"user.screen_name": "drwpuma"
},
{
"created_at": "Sun Feb 11 23:13:40 +0000 2018",
"id": 962827001592778753,
"text": "RT @Riff_Raff45: @EddieGriffinCom which budget did Obama balance? His checking account? I turned you off after 10 minutes. Sorry. I was a f\u2026",
"user.screen_name": "DrSchmalz"
},
{
"created_at": "Sun Feb 11 23:13:40 +0000 2018",
"id": 962827001588584448,
"text": "RT @mattmfm: Barack Obama was in the same room as Louis Farrakhan once and it caused a decades-long controversy. \n\nDonald Trump gave a shou\u2026",
"user.screen_name": "francie57"
},
{
"created_at": "Sun Feb 11 23:13:40 +0000 2018",
"id": 962827000690884608,
"text": "RT @FaceTheNation: .@RandPaul: We were very critical of President Obama\u2019s deficits approaching a trillion dollars a year. We talked endless\u2026",
"user.screen_name": "bmain249"
},
{
"created_at": "Sun Feb 11 23:13:39 +0000 2018",
"id": 962826999667474432,
"text": "Back in 2009, a NYTimes blogger is obsessed with Obama. She writes about having 'Sex Dreams' about Barack!! ... Yuc\u2026 https://t.co/mexl2E5E7c",
"user.screen_name": "DragonForce_One"
},
{
"created_at": "Sun Feb 11 23:13:39 +0000 2018",
"id": 962826999298486272,
"text": "RT @TheNYevening: #Trump Sends Feds To Arrest #Obama Appointed Judge https://t.co/dZPMNBglSH https://t.co/luPGCQtyv7",
"user.screen_name": "SUCCESSFULGGIRL"
},
{
"created_at": "Sun Feb 11 23:13:39 +0000 2018",
"id": 962826998392545280,
"text": "RT @oxminaox: Snapchat didn\u2019t suck while Obama was in office... just saying",
"user.screen_name": "_teralynn_"
},
{
"created_at": "Sun Feb 11 23:13:39 +0000 2018",
"id": 962826997461405696,
"text": "@CNN @VanJones68 He\u2019s still 100 percent better then obama",
"user.screen_name": "standaman218"
},
{
"created_at": "Sun Feb 11 23:13:39 +0000 2018",
"id": 962826996689629186,
"text": "RT @oxminaox: Snapchat didn\u2019t suck while Obama was in office... just saying",
"user.screen_name": "heyitsssaj"
},
{
"created_at": "Sun Feb 11 23:13:38 +0000 2018",
"id": 962826996018540544,
"text": "@OmnivoreBlog @MaxBoot No. I don't think you owe me anything. I do think it's misleading to tweet that you're a car\u2026 https://t.co/sf3sE9s9QN",
"user.screen_name": "DawnDCS92"
},
{
"created_at": "Sun Feb 11 23:13:38 +0000 2018",
"id": 962826994911203329,
"text": "RT @RyanAFournier: Do you believe the Obama Administration improperly and illegally surveilled the Trump Campaign? #SHARE",
"user.screen_name": "harrowsand"
},
{
"created_at": "Sun Feb 11 23:13:38 +0000 2018",
"id": 962826994214842368,
"text": "RT @MatthewACherry: This Michelle Obama gif was from BET's \"Love & Happiness\" musical celebration at the White House honoring the Obamas.\u2026",
"user.screen_name": "Smoke_nd_Pearls"
},
{
"created_at": "Sun Feb 11 23:13:38 +0000 2018",
"id": 962826993673887745,
"text": "RT @Hoosiers1986: #FakeRelationshipFacts\n\nDEM voters are gullible fools!\n\nThey revere idiots like Obama, Schumer & Pelosi who COULD have pr\u2026",
"user.screen_name": "PhilMcCrackin44"
},
{
"created_at": "Sun Feb 11 23:13:37 +0000 2018",
"id": 962826991614529536,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "kpjc57"
},
{
"created_at": "Sun Feb 11 23:13:37 +0000 2018",
"id": 962826991371149312,
"text": "@amandanaude @1234bulldog @abiantes @IamMarkStephens @bellaace52 @realDonaldTrump \ud83e\udd23 Prez Obama regulations. Can you\u2026 https://t.co/0miYUDEKwT",
"user.screen_name": "Inked_Buddhist"
},
{
"created_at": "Sun Feb 11 23:13:37 +0000 2018",
"id": 962826989836128256,
"text": "RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove\u2026",
"user.screen_name": "GinaWinter"
},
{
"created_at": "Sun Feb 11 23:13:37 +0000 2018",
"id": 962826988778962944,
"text": "RT @jeffhauser: Donald Trump's hidden tax returns should have been a DEFINING ISSUE of 2017. \n\nInstead, Trump's tax returns discussed less\u2026",
"user.screen_name": "comeau6_paul"
},
{
"created_at": "Sun Feb 11 23:13:37 +0000 2018",
"id": 962826988263280642,
"text": "RT @jh45123: This is Obama's birth certificate born in Kenya look for yourself Obama is a fraud his whole life is a fraud! https://t.co/aKf\u2026",
"user.screen_name": "G_Pond47"
},
{
"created_at": "Sun Feb 11 23:13:36 +0000 2018",
"id": 962826986870763521,
"text": "RT @TheLastRefuge2: Andrew McCarthy admits he was wrong. Obama/Clinton's FISA-Gate is very real. The Grassley-Graham Memo proves it... htt\u2026",
"user.screen_name": "SharonK_s"
},
{
"created_at": "Sun Feb 11 23:13:36 +0000 2018",
"id": 962826984173834240,
"text": "RT @Maeve_Crowley: I only love my bed and Obama, I\u2019m sorry",
"user.screen_name": "mollygravy"
},
{
"created_at": "Sun Feb 11 23:13:35 +0000 2018",
"id": 962826982361915392,
"text": "RT @MOVEFORWARDHUGE: THE OBAMA ADMINISTRATION HOUSE OF CARDS\n\nIS ABOUT TO MEET GITMO BARS!\n\nWHEN THE MILITARY TRIBUNALS ARE DONE,\n\nAMERICA\u2026",
"user.screen_name": "shillelagh1"
},
{
"created_at": "Sun Feb 11 23:13:35 +0000 2018",
"id": 962826981803884544,
"text": "RT @EdKrassen: If Jeanine Pirro can blame Barack Obama for Rob Porter beating his wives, then I blame Jeanine Pirro for Donald Trump assaul\u2026",
"user.screen_name": "CrimeDefense"
},
{
"created_at": "Sun Feb 11 23:13:35 +0000 2018",
"id": 962826980616998912,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "william_mendel"
},
{
"created_at": "Sun Feb 11 23:13:35 +0000 2018",
"id": 962826980222734337,
"text": "To Everyone who says that in the short amount of time in office, @realDonaldTrump has done more than @BarackObama d\u2026 https://t.co/2PLFfshWzK",
"user.screen_name": "I_create_things"
},
{
"created_at": "Sun Feb 11 23:13:35 +0000 2018",
"id": 962826979635597312,
"text": "RT @TuckerCarlson: Here's what is clear right now, the bottom line on what we've learned this week and the one thing worth remembering: The\u2026",
"user.screen_name": "Okay_kaykay_"
},
{
"created_at": "Sun Feb 11 23:13:34 +0000 2018",
"id": 962826978209488898,
"text": "RT @TheNYevening: Trump BLOWS THE LID Off Obama\u2019s Phony Birth Certificate https://t.co/N19XzDzTvc https://t.co/HL8qmo6xhT",
"user.screen_name": "GHallSAFC"
},
{
"created_at": "Sun Feb 11 23:13:34 +0000 2018",
"id": 962826977689219074,
"text": "#twitter - Tweets About Obama's Facial Hair \u201cPhoto\u201d Have Twitter So Damn Thirsty - Elite Daily\u2026 https://t.co/h3kGJFemTa",
"user.screen_name": "Tw1tterDemise"
},
{
"created_at": "Sun Feb 11 23:13:34 +0000 2018",
"id": 962826976036765696,
"text": "RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader\u2026",
"user.screen_name": "Pam9291"
},
{
"created_at": "Sun Feb 11 23:13:34 +0000 2018",
"id": 962826975743266816,
"text": "With these faces I hope they are behind the camera: #HBO hires former Obama staffers to create specials ahead of m\u2026 https://t.co/4eDV17gFc4",
"user.screen_name": "BruceMajors4DC"
},
{
"created_at": "Sun Feb 11 23:13:34 +0000 2018",
"id": 962826975260958721,
"text": "RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader\u2026",
"user.screen_name": "annebernstein64"
},
{
"created_at": "Sun Feb 11 23:13:33 +0000 2018",
"id": 962826974795243520,
"text": "RT @MichelleTrain79: Never forget @BarackObama invited Black Lives Matter to the White House. Obama praised the leaders and encouraged the\u2026",
"user.screen_name": "Raymoz50"
},
{
"created_at": "Sun Feb 11 23:13:33 +0000 2018",
"id": 962826973759393794,
"text": "@ArthurSchwartz @michellemalkin So, how does CNN's view on fascism work again? \n\nI guess, they'd be happy if Obama\u2026 https://t.co/eVJ8X0FMVf",
"user.screen_name": "JohnAdversary"
},
{
"created_at": "Sun Feb 11 23:13:33 +0000 2018",
"id": 962826971242745856,
"text": "RT @Chicago1Ray: \" You, me... we own this Country. Politicians are employees of ours. And when somebody doesn't do the Job, We gotta let 'e\u2026",
"user.screen_name": "RitaLeach9"
},
{
"created_at": "Sun Feb 11 23:13:32 +0000 2018",
"id": 962826970978570242,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "Electroman05"
},
{
"created_at": "Sun Feb 11 23:13:32 +0000 2018",
"id": 962826969388847104,
"text": "RT @miamijj48: Our fast-growing national debt is a toxic legacy for my generation \n\n$1 Trillion in debt is unacceptable-We need to continue\u2026",
"user.screen_name": "Carlstrasburge1"
},
{
"created_at": "Sun Feb 11 23:13:31 +0000 2018",
"id": 962826966289141760,
"text": "RT @FiveRights: For 5 years Obama couldn't stop ISIS, couldn't even contain them.\nTrump, w same military, wiped out ISIS in 9 mos.\nO wasn't\u2026",
"user.screen_name": "carr_55"
},
{
"created_at": "Sun Feb 11 23:13:31 +0000 2018",
"id": 962826965848739841,
"text": "RT @gymbeaux143: Yup! Along with MSNBC and NBC for certain. Look how they all played up Obama's visit with the COMMUNIST MURDERERS in Cuba\u2026",
"user.screen_name": "williamlharbuck"
},
{
"created_at": "Sun Feb 11 23:13:31 +0000 2018",
"id": 962826964833841154,
"text": "RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary\u2019s campaign assisted in the effort\n-Russians assisted the Hi\u2026",
"user.screen_name": "jamievisser21"
},
{
"created_at": "Sun Feb 11 23:13:31 +0000 2018",
"id": 962826963873353729,
"text": "RT @jefftiedrich: Kellyanne Conway, because when I need facts grounded in reality I turn to a woman who accused Barack Obama of spying on t\u2026",
"user.screen_name": "learnpolsci"
},
{
"created_at": "Sun Feb 11 23:13:30 +0000 2018",
"id": 962826962518659073,
"text": "RT @Debradelai: @GenFlynn (29) When it came out thet this jewel of a journalist was clearing stories with Obama\u2019s CIA before publication:\u2026",
"user.screen_name": "Lrod49"
},
{
"created_at": "Sun Feb 11 23:13:30 +0000 2018",
"id": 962826959808950272,
"text": "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.\u2026",
"user.screen_name": "Tyger_Yang"
},
{
"created_at": "Sun Feb 11 23:13:29 +0000 2018",
"id": 962826957288128513,
"text": "What? And implicate OBAMA in this scandal?! Can\u2019t do that.......yet. https://t.co/aNu8J4384J",
"user.screen_name": "Randobot_Z"
},
{
"created_at": "Sun Feb 11 23:13:29 +0000 2018",
"id": 962826957170896902,
"text": "RT @cathibrgnr58: @LoriJac47135906 @SandraTXAS @ClintonM614 @LVNancy @JVER1 @Hoosiers1986 @GrizzleMeister @GaetaSusan @baalter @On_The_Hook\u2026",
"user.screen_name": "GramsStands"
},
{
"created_at": "Sun Feb 11 23:13:29 +0000 2018",
"id": 962826956508225536,
"text": "@tedlieu The GOP would have had kittens if Obama did this. And they would have already drawn up impeachment papers\u2026 https://t.co/wnenCI4jxZ",
"user.screen_name": "CliftRobbie"
},
{
"created_at": "Sun Feb 11 23:13:29 +0000 2018",
"id": 962826954310406147,
"text": "@MSNBC #msnbc @NBC is really Hard UP. Backed into a corner they decide to fight back using Domestic Abuse & Securit\u2026 https://t.co/S0OWZwFPT4",
"user.screen_name": "Writer_Big"
},
{
"created_at": "Sun Feb 11 23:13:28 +0000 2018",
"id": 962826953966399488,
"text": "@chrislhayes Remind #OMB Director #Mulvaney that despite #GreatRecession, #Obama saved US from #Depression, brought\u2026 https://t.co/YsC7E1MzNG",
"user.screen_name": "TravelFeatures"
},
{
"created_at": "Sun Feb 11 23:13:28 +0000 2018",
"id": 962826953752563713,
"text": "@Will4Pres2020 @AlbertM17889786 @davidpom2000 @FoxNews @Franklin_Graham @POTUS Obama been in hiding. So you ain't reading much.",
"user.screen_name": "MMchiefsquid"
},
{
"created_at": "Sun Feb 11 23:13:28 +0000 2018",
"id": 962826953651838981,
"text": "@Franklin_Graham @FoxNews @foxandfriends So far, Graham & @SamaritansPurse have accepted $235K from Trump, some whi\u2026 https://t.co/FECmgFiXBJ",
"user.screen_name": "Tribulation7"
},
{
"created_at": "Sun Feb 11 23:13:28 +0000 2018",
"id": 962826950766194688,
"text": "RT @realDonaldTrump: \u201cMy view is that not only has Trump been vindicated in the last several weeks about the mishandling of the Dossier and\u2026",
"user.screen_name": "JohnPaulSimpso2"
},
{
"created_at": "Sun Feb 11 23:13:28 +0000 2018",
"id": 962826950376124416,
"text": "Former Obama campaign manager says 'all public pollsters should be shot' https://t.co/a7pHbTsSBq #FoxNews",
"user.screen_name": "SilverFoxOO7"
},
{
"created_at": "Sun Feb 11 23:13:27 +0000 2018",
"id": 962826949910462465,
"text": "RT @MplsMe: Wall can't stop MS-13 because it started in Los Angeles, and is well-established in US. Many US citizens are members. Wall won'\u2026",
"user.screen_name": "jennah_justen"
},
{
"created_at": "Sun Feb 11 23:13:27 +0000 2018",
"id": 962826949877002241,
"text": "RT @MOVEFORWARDHUGE: THE OBAMA ADMINISTRATION HOUSE OF CARDS\n\nIS ABOUT TO MEET GITMO BARS!\n\nWHEN THE MILITARY TRIBUNALS ARE DONE,\n\nAMERICA\u2026",
"user.screen_name": "DavesSpataro"
},
{
"created_at": "Sun Feb 11 23:13:27 +0000 2018",
"id": 962826949415653377,
"text": "@realDonaldTrump \n\nUm are you smoking weed cos you are definitely NOT more popular than Obama... it should skip fro\u2026 https://t.co/9cjMQBiRmJ",
"user.screen_name": "111AdVictoriam"
},
{
"created_at": "Sun Feb 11 23:13:27 +0000 2018",
"id": 962826949033803776,
"text": "RT @AynRandPaulRyan: Fox News host Jeanine Pirro, inexplicably and yet somehow predictably, blames Barack Obama for Rob Porter wife-beating\u2026",
"user.screen_name": "CrimeDefense"
},
{
"created_at": "Sun Feb 11 23:13:27 +0000 2018",
"id": 962826948673228800,
"text": "RT @JrcheneyJohn: Obama\u2019s Department Of Justice was Politically Biased And they Politicized That BIAS to Attack Conservatives \n\n#MAGA #Frid\u2026",
"user.screen_name": "Hillbilly45638"
},
{
"created_at": "Sun Feb 11 23:13:27 +0000 2018",
"id": 962826948480262144,
"text": "@dcexaminer Good. More Obama people leaving",
"user.screen_name": "Kelly2Teresa"
},
{
"created_at": "Sun Feb 11 23:13:27 +0000 2018",
"id": 962826948236972038,
"text": "@jlflorida14 @Richard2015200 @DMansini Obama said this in October 2016. Please watch the video\nhttps://t.co/nOmqtqxgHI",
"user.screen_name": "brian_dutch"
},
{
"created_at": "Sun Feb 11 23:13:27 +0000 2018",
"id": 962826947226144768,
"text": "RT @miamijj48: Our fast-growing national debt is a toxic legacy for my generation \n\n$1 Trillion in debt is unacceptable-We need to continue\u2026",
"user.screen_name": "bswerdon"
},
{
"created_at": "Sun Feb 11 23:13:27 +0000 2018",
"id": 962826946349621248,
"text": "Do you guys remember how much shit Obama talked openly & derisively about the repubs when they locked arms to go wh\u2026 https://t.co/1LNc6mDYdK",
"user.screen_name": "imtanjab"
},
{
"created_at": "Sun Feb 11 23:13:27 +0000 2018",
"id": 962826946303479808,
"text": "It's time to drop the DOUBLE Standard of the Laws against Obama and Hillary Clinton. And it's time to give equal Ju\u2026 https://t.co/2DQz8WDwm1",
"user.screen_name": "62seabee"
},
{
"created_at": "Sun Feb 11 23:13:27 +0000 2018",
"id": 962826946261409792,
"text": "RT @JalenSkutt: Barack Obama https://t.co/Z91o7bG2EH",
"user.screen_name": "Babypaige2012"
},
{
"created_at": "Sun Feb 11 23:13:27 +0000 2018",
"id": 962826946186043392,
"text": "RT @stand4honor: @4USASoldiers @CAoutcast @RoryGilligan1 @CothranVicky @jeeptec420 @Baby___Del @bronson69 @Seeds81Planting @ezrateach @Tabb\u2026",
"user.screen_name": "DonDonsmith007"
},
{
"created_at": "Sun Feb 11 23:13:26 +0000 2018",
"id": 962826945548443654,
"text": "RT @FiveRights: For 5 years Obama couldn't stop ISIS, couldn't even contain them.\nTrump, w same military, wiped out ISIS in 9 mos.\nO wasn't\u2026",
"user.screen_name": "momofhornnhalos"
},
{
"created_at": "Sun Feb 11 23:13:26 +0000 2018",
"id": 962826945280045056,
"text": "RT @Bakari_Sellers: Fox News viewers believe its Obama\u2019s fault Rob Porter beat his wives. https://t.co/5y8wPzWLOu",
"user.screen_name": "rasssalgc"
},
{
"created_at": "Sun Feb 11 23:13:26 +0000 2018",
"id": 962826944961064961,
"text": "RT @joncoopertweets: Sure, @realDonaldTrump is a lying, corrupt, racist, traitorous imbecile who defends white supremacists, Nazis, wife be\u2026",
"user.screen_name": "kats_horsemen"
},
{
"created_at": "Sun Feb 11 23:13:26 +0000 2018",
"id": 962826944474595328,
"text": "RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader\u2026",
"user.screen_name": "mizwalliz"
},
{
"created_at": "Sun Feb 11 23:13:26 +0000 2018",
"id": 962826942125715456,
"text": "RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,\u2026",
"user.screen_name": "sofiegeorge"
},
{
"created_at": "Sun Feb 11 23:13:25 +0000 2018",
"id": 962826940792082433,
"text": "RT @Imperator_Rex3: Important thread focussing on how the criminals used a foreign intelligence service (GCHQ) to inject the dodgy dossier\u2026",
"user.screen_name": "PurpleDragon333"
},
{
"created_at": "Sun Feb 11 23:13:25 +0000 2018",
"id": 962826940481703938,
"text": "RT @kylegriffin1: A comparison of the S&P 500 under Obama and Trump during the same period in their presidencies shows better performance u\u2026",
"user.screen_name": "Hops_a_Chord"
},
{
"created_at": "Sun Feb 11 23:13:25 +0000 2018",
"id": 962826939357716481,
"text": "RT @msue1000: Jeanine Pirro ~~> This cross-eyed lunatic is placing blame on President Obama for Rob Porter abuse scandal. I guess Hillary C\u2026",
"user.screen_name": "Fearless211314"
},
{
"created_at": "Sun Feb 11 23:13:24 +0000 2018",
"id": 962826937407361024,
"text": "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.\u2026",
"user.screen_name": "SeeNacks"
},
{
"created_at": "Sun Feb 11 23:13:24 +0000 2018",
"id": 962826937075949568,
"text": "RT @MarkRocon: Obama, the Marxist and Chief, shoving his brand of Socialism down our throats. https://t.co/qshHa0XAcF",
"user.screen_name": "carlislecockato"
},
{
"created_at": "Sun Feb 11 23:13:24 +0000 2018",
"id": 962826934018289664,
"text": "This is so not true!! Obama is the one who brought racism to the surface again and President Trump is trying to fix\u2026 https://t.co/RkPLYnX2JM",
"user.screen_name": "accmomcat"
},
{
"created_at": "Sun Feb 11 23:13:24 +0000 2018",
"id": 962826933544218625,
"text": "RT @essenviews: Sarah Huckabee Sanders is one of the officials who is spreading the false smear that Obama didn\u2019t call Gen. John Kelly afte\u2026",
"user.screen_name": "dupergramp"
},
{
"created_at": "Sun Feb 11 23:13:24 +0000 2018",
"id": 962826933380591616,
"text": "RT @MichelleTrain79: Don't forget Obama sent his cronies to three funerals and never sent one to kate's funeral https://t.co/mnOfzmIFqF",
"user.screen_name": "Raymoz50"
},
{
"created_at": "Sun Feb 11 23:13:23 +0000 2018",
"id": 962826930587389952,
"text": "RT @FiveRights: Laura Ingraham on Fox: Why did George W. Bush refuse to criticize Obama even when O screwed up badly but he often criticize\u2026",
"user.screen_name": "jjmac59"
},
{
"created_at": "Sun Feb 11 23:13:23 +0000 2018",
"id": 962826929291358214,
"text": "RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,\u2026",
"user.screen_name": "auntiejul"
},
{
"created_at": "Sun Feb 11 23:13:22 +0000 2018",
"id": 962826928896983040,
"text": "RT @EdKrassen: If Jeanine Pirro can blame Barack Obama for Rob Porter beating his wives, then I blame Jeanine Pirro for Donald Trump assaul\u2026",
"user.screen_name": "BettyArtLemus1"
},
{
"created_at": "Sun Feb 11 23:13:22 +0000 2018",
"id": 962826928255307783,
"text": "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.\u2026",
"user.screen_name": "FchubayFred"
},
{
"created_at": "Sun Feb 11 23:13:22 +0000 2018",
"id": 962826927995326464,
"text": "RT @sdc0911: \ud83d\udd25Clinton and Obama\ud83d\udd25Two people\u2019s \ud83d\ude21NAMES\ud83d\ude21 that are ENOUGH\u274c\u274cTO PISS YOU OFF\u203c\ufe0f\ud83d\ude21#LockThemUp\ud83d\udca5#ClintonCrimeFamily \ud83d\udca5#ObamaGateExposed\u2026",
"user.screen_name": "jen4trump1"
},
{
"created_at": "Sun Feb 11 23:13:22 +0000 2018",
"id": 962826926074155009,
"text": "RT @thestationchief: The Truth will out, eventually...\n\nNo suprise that Obama, who Lives in DC, has been keeping a low profile lately....\u2026",
"user.screen_name": "mrmatt408"
},
{
"created_at": "Sun Feb 11 23:13:21 +0000 2018",
"id": 962826924358762497,
"text": "RT @KaniJJackson: This is just your daily reminder that Barack Obama did not have 1 scandal or allegation against him during his time in th\u2026",
"user.screen_name": "lyarmosky1"
},
{
"created_at": "Sun Feb 11 23:13:21 +0000 2018",
"id": 962826923444441088,
"text": "RT @brianklaas: You falsely alleged that Ted Cruz\u2019s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos\u2026",
"user.screen_name": "J_DCB"
},
{
"created_at": "Sun Feb 11 23:13:20 +0000 2018",
"id": 962826920487456770,
"text": "RT @TuckerCarlson: Here's what is clear right now, the bottom line on what we've learned this week and the one thing worth remembering: The\u2026",
"user.screen_name": "EdHarvey55"
},
{
"created_at": "Sun Feb 11 23:13:20 +0000 2018",
"id": 962826919778639872,
"text": "RT @Hoosiers1986: #FakeRelationshipFacts\n\nDEM voters are gullible fools!\n\nThey revere idiots like Obama, Schumer & Pelosi who COULD have pr\u2026",
"user.screen_name": "couerfidele"
},
{
"created_at": "Sun Feb 11 23:13:20 +0000 2018",
"id": 962826919090835457,
"text": "RT @JudicialWatch: Reminder: JW found evidence showing Obama State Dept under John Kerry sent its own \"dossier\" of classified info on Russi\u2026",
"user.screen_name": "jb19tele"
},
{
"created_at": "Sun Feb 11 23:13:20 +0000 2018",
"id": 962826918977507330,
"text": "RT @Pink_About_it: The real question about fake dossier is not IF #Fisa warrant is now a widely known retroactive cover up, but rather, wha\u2026",
"user.screen_name": "RitaLeach9"
},
{
"created_at": "Sun Feb 11 23:13:20 +0000 2018",
"id": 962826918633484288,
"text": "RT @conserv_tribune: It's incredible how fast Obama's \"legacy\" is collapsing. https://t.co/q1fK0zCVsO",
"user.screen_name": "Sonorandesertra"
},
{
"created_at": "Sun Feb 11 23:13:20 +0000 2018",
"id": 962826917689913344,
"text": "RT @Fuctupmind: Pretty much everyone knew about the Steele Dossier.\n\nThe entire Obama admin.\nSid Blumenthal.\nHillary Clinton.\nLoretta Lynch\u2026",
"user.screen_name": "GrantJanzen"
},
{
"created_at": "Sun Feb 11 23:13:20 +0000 2018",
"id": 962826916846866432,
"text": "@FoxNews FROM A HAS BEEN ACTOR ,THAT'S FUNNY. LIBERALS HATE THAT TRUMP DID IN 1 YEAR WHAT OBAMA FAILED TO DO IN A\n8\u2026 https://t.co/M056RU9A1s",
"user.screen_name": "PoppopktruckPop"
},
{
"created_at": "Sun Feb 11 23:13:19 +0000 2018",
"id": 962826915924135936,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "PattyxB"
},
{
"created_at": "Sun Feb 11 23:13:19 +0000 2018",
"id": 962826915827671040,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "circumspectus"
},
{
"created_at": "Sun Feb 11 23:13:19 +0000 2018",
"id": 962826914821017600,
"text": "RT @jcpenni7maga: I am dropping my #HBO subscription after hearing about this BS\ud83e\udd2c\ud83e\udd2c\ud83e\udd2cand you should too!\n\nHBO - #HomeBoxOffice is hiring #Oba\u2026",
"user.screen_name": "S25040459"
},
{
"created_at": "Sun Feb 11 23:13:19 +0000 2018",
"id": 962826914544209920,
"text": "RT @mattmfm: Barack Obama was in the same room as Louis Farrakhan once and it caused a decades-long controversy. \n\nDonald Trump gave a shou\u2026",
"user.screen_name": "annejowrites"
},
{
"created_at": "Sun Feb 11 23:13:19 +0000 2018",
"id": 962826912547536896,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "DrJudyOhmer"
},
{
"created_at": "Sun Feb 11 23:13:18 +0000 2018",
"id": 962826911897530368,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "AColorfulBrain"
},
{
"created_at": "Sun Feb 11 23:13:18 +0000 2018",
"id": 962826911796858881,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "JPrekoski"
},
{
"created_at": "Sun Feb 11 23:13:18 +0000 2018",
"id": 962826911301980161,
"text": "RT @GrrrGraphics: \"In the Head of Hillary\" #BenGarrison #cartoon \nSomeone asked me why I draw so many #Obama & #Hillary cartoons. \nread mor\u2026",
"user.screen_name": "jared96540410"
},
{
"created_at": "Sun Feb 11 23:13:18 +0000 2018",
"id": 962826911201206274,
"text": "RT @MichelleTrain79: #Obama best friends. Says a lot about obama. https://t.co/jnFAx8bGAJ",
"user.screen_name": "Raymoz50"
},
{
"created_at": "Sun Feb 11 23:13:18 +0000 2018",
"id": 962826911159287808,
"text": "RT @Chicago1Ray: \" You, me... we own this Country. Politicians are employees of ours. And when somebody doesn't do the Job, We gotta let 'e\u2026",
"user.screen_name": "RLee50608689"
},
{
"created_at": "Sun Feb 11 23:13:18 +0000 2018",
"id": 962826910060355584,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "Reggievm"
},
{
"created_at": "Sun Feb 11 23:13:18 +0000 2018",
"id": 962826909603319808,
"text": "@Clark408 @realDonaldTrump Better than it did under obama",
"user.screen_name": "Davidalandavis3"
},
{
"created_at": "Sun Feb 11 23:13:18 +0000 2018",
"id": 962826909536067584,
"text": "RT @HrrEerrer: Maybe Kelly didn\u2019t know because it didn\u2019t happen. How many times did obama say he found out when a scandal hit the press? Be\u2026",
"user.screen_name": "Bob42746"
},
{
"created_at": "Sun Feb 11 23:13:18 +0000 2018",
"id": 962826909498437632,
"text": "RT @DTrumpPoll: Do you think @realDonaldTrump was vicitmized by the Obama Administration, or were investigations in to ties with Russia jus\u2026",
"user.screen_name": "Maniacus"
},
{
"created_at": "Sun Feb 11 23:13:17 +0000 2018",
"id": 962826906679894017,
"text": "@realDonaldTrump Thanks Obama - thanks to Trump we can play now and pay later - back to roaring 20\u2019s",
"user.screen_name": "jccalabrese"
},
{
"created_at": "Sun Feb 11 23:13:17 +0000 2018",
"id": 962826906650361857,
"text": "RT @dailykos: Budget-busting deal shows that Barack Obama was much better at business than Trump https://t.co/N9OWwlHjwL",
"user.screen_name": "9Gweedo"
},
{
"created_at": "Sun Feb 11 23:13:17 +0000 2018",
"id": 962826906524704769,
"text": "RT @FiveRights: Laura Ingraham on Fox: Why did George W. Bush refuse to criticize Obama even when O screwed up badly but he often criticize\u2026",
"user.screen_name": "kattywompas1"
},
{
"created_at": "Sun Feb 11 23:13:17 +0000 2018",
"id": 962826903882223616,
"text": "RT @PatriotHole: Eerie: This Compilation Proves That A Lone Seagull Has Been Following Obama Everywhere For Years https://t.co/6kbWOv3BeI",
"user.screen_name": "SquillyWonka"
},
{
"created_at": "Sun Feb 11 23:13:16 +0000 2018",
"id": 962826903412400128,
"text": "@RepPeteKing @RandPaul You called out Obama as not being Presidential because he wore a tan suit yet I believe call\u2026 https://t.co/grVcyrJTfB",
"user.screen_name": "vanithaj11"
},
{
"created_at": "Sun Feb 11 23:13:16 +0000 2018",
"id": 962826902770733058,
"text": "@TeaPainUSA @realDonaldTrump @BarackObama PRESIDENT OBAMA WASNT ALWAYS RIGHT ABOUT EVERYTHING NO ONE EVER IS BUT TR\u2026 https://t.co/B3CsDJZp6T",
"user.screen_name": "pootsie01"
},
{
"created_at": "Sun Feb 11 23:13:16 +0000 2018",
"id": 962826902217076736,
"text": "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.\u2026",
"user.screen_name": "Sean_Tillery23"
},
{
"created_at": "Sun Feb 11 23:13:16 +0000 2018",
"id": 962826902053453824,
"text": "RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove\u2026",
"user.screen_name": "mtaft48"
},
{
"created_at": "Sun Feb 11 23:13:16 +0000 2018",
"id": 962826901914923008,
"text": "@Maycatyll1 @CaravellaBeth @SAAR1980 @fourtwentytoday @us_poll @hogwarts7777777 @TAKEURLANDBACK @EveTweets\u2026 https://t.co/nGVjhjPdWI",
"user.screen_name": "cybervoyager"
},
{
"created_at": "Sun Feb 11 23:13:16 +0000 2018",
"id": 962826901889921024,
"text": "RT @realDonaldTrump: \u201cMy view is that not only has Trump been vindicated in the last several weeks about the mishandling of the Dossier and\u2026",
"user.screen_name": "JustinPell03"
},
{
"created_at": "Sun Feb 11 23:13:16 +0000 2018",
"id": 962826900836986880,
"text": "RT @KNP2BP: @Thom_Thom9 #Feinstein is WRONG on every issue\n\nSides w/Palestine to make it appear Israel is the aggressor rather than victim\u2026",
"user.screen_name": "RLPolk3"
},
{
"created_at": "Sun Feb 11 23:13:16 +0000 2018",
"id": 962826899918553089,
"text": "RT @brianklaas: You falsely alleged that Ted Cruz\u2019s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos\u2026",
"user.screen_name": "RahamanMD"
},
{
"created_at": "Sun Feb 11 23:13:15 +0000 2018",
"id": 962826898492547077,
"text": "RT @ElderLansing: I will never respect the Ex Resident Coward Obama! He was a horrible leader and had numerous scandals overlooked because\u2026",
"user.screen_name": "wsaideh74"
},
{
"created_at": "Sun Feb 11 23:13:14 +0000 2018",
"id": 962826893312577539,
"text": "RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader\u2026",
"user.screen_name": "micket123"
},
{
"created_at": "Sun Feb 11 23:13:14 +0000 2018",
"id": 962826892872159232,
"text": "@Exile714 @2021_free @realDonaldTrump Obama & dems tried to change it, Republicans stonewalled it, as they held congress!",
"user.screen_name": "JLily10303"
},
{
"created_at": "Sun Feb 11 23:13:14 +0000 2018",
"id": 962826892238782465,
"text": "Watching @Marcshort45 try to vaguely blame Obama for wife beater Rob Porter's clearance on Meet The Press is really something else",
"user.screen_name": "Kip_PR"
},
{
"created_at": "Sun Feb 11 23:13:13 +0000 2018",
"id": 962826889579630592,
"text": "RT @PamelaGeller: Obama provided Iran with stealth drone that penetrated Israel\u2019s border https://t.co/pQqaiwDeSN https://t.co/rJuFUggwZl",
"user.screen_name": "williamgardanis"
},
{
"created_at": "Sun Feb 11 23:13:13 +0000 2018",
"id": 962826888749166595,
"text": "RT @brianklaas: You falsely alleged that Ted Cruz\u2019s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos\u2026",
"user.screen_name": "pwykoff"
},
{
"created_at": "Sun Feb 11 23:13:13 +0000 2018",
"id": 962826888417865735,
"text": "RT @mattmfm: Barack Obama was in the same room as Louis Farrakhan once and it caused a decades-long controversy. \n\nDonald Trump gave a shou\u2026",
"user.screen_name": "CareBear_Kara"
},
{
"created_at": "Sun Feb 11 23:13:13 +0000 2018",
"id": 962826888094855168,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "moonbeam_0416"
},
{
"created_at": "Sun Feb 11 23:13:12 +0000 2018",
"id": 962826886345822208,
"text": "RT @retireleo: Obama knew! Damning texts surface that name Barack Obama in corrupt exoneration of Hillary Clinton and her illegal email ser\u2026",
"user.screen_name": "ARRESTBHO"
},
{
"created_at": "Sun Feb 11 23:13:12 +0000 2018",
"id": 962826885473370112,
"text": "@foxandfriends @Nigel_Farage Soros is a socialist and communist. He and a couple his wealthy cronies tried to take\u2026 https://t.co/YlMGsysCJs",
"user.screen_name": "john_jcedwards"
},
{
"created_at": "Sun Feb 11 23:13:12 +0000 2018",
"id": 962826884387082241,
"text": "RT @PoliticalShort: When did Obama\u2019s CIA Director John Brennan begin his \u201cinvestigation\u201d of Trump? Brennan has some questions he needs to a\u2026",
"user.screen_name": "josephbenning"
},
{
"created_at": "Sun Feb 11 23:13:12 +0000 2018",
"id": 962826883623673856,
"text": "RT @oxminaox: Snapchat didn\u2019t suck while Obama was in office... just saying",
"user.screen_name": "bigdaddycaddy2"
},
{
"created_at": "Sun Feb 11 23:13:12 +0000 2018",
"id": 962826883292266496,
"text": "RT @TeaPainUSA: FUN FACTS: DACA was established by the Obama Administration in June 2012 and RESCINDED by the Trump Administration in Sept\u2026",
"user.screen_name": "Blackswan725"
},
{
"created_at": "Sun Feb 11 23:13:12 +0000 2018",
"id": 962826883141455877,
"text": "RT @CraigRozniecki: \"Fox News host Jeanine Pirro blames Barack Obama for Rob Porter wife-beating scandal\" - https://t.co/lxGf4GPCmu",
"user.screen_name": "ILoveBernie1"
},
{
"created_at": "Sun Feb 11 23:13:11 +0000 2018",
"id": 962826881228619777,
"text": "RT @edgecrusher23: DEA Agent Notices $200,000,000 in Cars Being Shipped into South Africa by Obama Admin. as Drug Money flows to American B\u2026",
"user.screen_name": "Justice41ca"
},
{
"created_at": "Sun Feb 11 23:13:11 +0000 2018",
"id": 962826881123962880,
"text": "RT @ChristieC733: When is #Obama going to update his bio from President to to former or 44th president? \n\n#TrumpIsYourPresident \n#GetOverIt\u2026",
"user.screen_name": "laearle"
},
{
"created_at": "Sun Feb 11 23:13:11 +0000 2018",
"id": 962826879874097153,
"text": "RT @mattmfm: Barack Obama was in the same room as Louis Farrakhan once and it caused a decades-long controversy. \n\nDonald Trump gave a shou\u2026",
"user.screen_name": "jlastivka"
},
{
"created_at": "Sun Feb 11 23:13:11 +0000 2018",
"id": 962826879836262406,
"text": "@algonman77 @saderman @LarryCoppock1 @realDonaldTrump June 15, 2012 - President Obama Signs DACA to Allow Some Undo\u2026 https://t.co/g0sbxf9jD6",
"user.screen_name": "SaintlyCitySue"
},
{
"created_at": "Sun Feb 11 23:13:11 +0000 2018",
"id": 962826879261691905,
"text": "RT @sujkar: @DeeptiSathe @NancyPelosi @SenatorDurbin @NancyPelosi @chuckschumer @SenateDems Legal Tax Paying immigrants have supported Dems\u2026",
"user.screen_name": "RashGC"
},
{
"created_at": "Sun Feb 11 23:13:10 +0000 2018",
"id": 962826878569668608,
"text": "@SugarBearJohnW @thehill Mean spirited is what your brutal N. Korean friends did to an American student. Sorry no s\u2026 https://t.co/5Qns4fJ4ZX",
"user.screen_name": "truthsquad123"
},
{
"created_at": "Sun Feb 11 23:13:10 +0000 2018",
"id": 962826878481416192,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "CDFREEIII"
},
{
"created_at": "Sun Feb 11 23:13:10 +0000 2018",
"id": 962826876518625280,
"text": "RT @SebGorka: The UNMASKING Scandal will prove to be much bigger than FISAGate or Watergate combined. \n\nTime to just call it what it is:\u2026",
"user.screen_name": "earle_ella"
},
{
"created_at": "Sun Feb 11 23:13:10 +0000 2018",
"id": 962826876258365440,
"text": "RT @jeffhauser: Donald Trump's hidden tax returns should have been a DEFINING ISSUE of 2017. \n\nInstead, Trump's tax returns discussed less\u2026",
"user.screen_name": "kate_hawkins776"
},
{
"created_at": "Sun Feb 11 23:13:10 +0000 2018",
"id": 962826875591634946,
"text": "@Keeu19 @qlc_1983 @mrscynthia88 @realDonaldTrump Will somebody tell me wtf has Trump done other than piggy back on\u2026 https://t.co/4XfNGGtVLi",
"user.screen_name": "sine_nomine88"
},
{
"created_at": "Sun Feb 11 23:13:10 +0000 2018",
"id": 962826875532972032,
"text": "RT @kylegriffin1: A comparison of the S&P 500 under Obama and Trump during the same period in their presidencies shows better performance u\u2026",
"user.screen_name": "jaquelinehogreb"
},
{
"created_at": "Sun Feb 11 23:13:10 +0000 2018",
"id": 962826875486818305,
"text": "@ricardo_de_anda Melania Trump only follows 5 people Pres. Obama is one of them!",
"user.screen_name": "kling_barbara"
},
{
"created_at": "Sun Feb 11 23:13:10 +0000 2018",
"id": 962826875109179392,
"text": "Saddest eBay item of the day: Obama/Grateful Dead/Star Wars acid blotter paper. https://t.co/ZykCLdXZ1E https://t.co/qSUHeFn2js",
"user.screen_name": "patrick_brice"
},
{
"created_at": "Sun Feb 11 23:13:10 +0000 2018",
"id": 962826874966675456,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "ImBlest247"
},
{
"created_at": "Sun Feb 11 23:13:09 +0000 2018",
"id": 962826873469308928,
"text": "RT @C_3MAGA: We\u2019re witnessing a battle between GOOD & EVIL for the survival of the USA.\n\nGOOD\nTrump\nRogers\nSessions\nWray\nNunes\nGrassley\nGoo\u2026",
"user.screen_name": "gns1013"
},
{
"created_at": "Sun Feb 11 23:13:09 +0000 2018",
"id": 962826873431609344,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "Ludi2shoes"
},
{
"created_at": "Sun Feb 11 23:13:09 +0000 2018",
"id": 962826872039100417,
"text": "@DavidTurley4 @tangncallie @RepAdamSchiff Grow up telling them how great Killary and Obama were and how awful Trump\u2026 https://t.co/H2gMbWoAT0",
"user.screen_name": "Heraldthehedge"
},
{
"created_at": "Sun Feb 11 23:13:09 +0000 2018",
"id": 962826871426682880,
"text": "RT @Bakari_Sellers: Fox News viewers believe its Obama\u2019s fault Rob Porter beat his wives. https://t.co/5y8wPzWLOu",
"user.screen_name": "EhrenreichAlex"
},
{
"created_at": "Sun Feb 11 23:13:08 +0000 2018",
"id": 962826869707075585,
"text": "RT cathibrgnr58: LoriJac47135906 SandraTXAS ClintonM614 LVNancy JVER1 Hoosiers1986 GrizzleMeister GaetaSusan baalte\u2026 https://t.co/E8wrrD3odp",
"user.screen_name": "realityblow"
},
{
"created_at": "Sun Feb 11 23:13:08 +0000 2018",
"id": 962826868448813056,
"text": "RT @RealJack: It\u2019s not looking good for the Democrats.\n\nPOLL: Majority of Americans Believe Obama SPIED on Trump Campaign https://t.co/dC30\u2026",
"user.screen_name": "salinas_m123"
},
{
"created_at": "Sun Feb 11 23:13:08 +0000 2018",
"id": 962826867773407232,
"text": "@kscdc @MAGAPILL @realDonaldTrump Thank you President Obama for keeping America safe, for getting us out of a reces\u2026 https://t.co/biV4JzKFVb",
"user.screen_name": "Ailia88248158"
},
{
"created_at": "Sun Feb 11 23:13:08 +0000 2018",
"id": 962826866305437696,
"text": "I hate who ever photoshopped an earring on obama lol https://t.co/7jZEIGbjDO",
"user.screen_name": "axnxnxa_"
},
{
"created_at": "Sun Feb 11 23:13:07 +0000 2018",
"id": 962826865672060928,
"text": "RT @jhershour: @realDonaldTrump And President Obama signed an executive order in 2012 to support DACA. You signed an executive order in 201\u2026",
"user.screen_name": "WalkerWorlde"
},
{
"created_at": "Sun Feb 11 23:13:07 +0000 2018",
"id": 962826864011173888,
"text": "I think that we are agreeing.\n\ud83e\udd14@jerp163 my personal belief is that Obama did more to hurt America and help foreign\u2026 https://t.co/SlX4a7m86u",
"user.screen_name": "FortkampValerie"
},
{
"created_at": "Sun Feb 11 23:13:07 +0000 2018",
"id": 962826863520440322,
"text": "RT @jefftiedrich: Kellyanne Conway, because when I need facts grounded in reality I turn to a woman who accused Barack Obama of spying on t\u2026",
"user.screen_name": "c2015_rafael"
},
{
"created_at": "Sun Feb 11 23:13:07 +0000 2018",
"id": 962826863273037824,
"text": "RT @joncoopertweets: Setting aside Donald Trump\u2019s minor scandals \u2014 such as Trump\u2019s conspiracy with Russia, obstruction of justice, politica\u2026",
"user.screen_name": "NancyRo45542024"
},
{
"created_at": "Sun Feb 11 23:13:07 +0000 2018",
"id": 962826863222640641,
"text": "RT @NewtTrump: Newt Gingrich: \"Let me just point out how sick the elite media is \u2014 they report all that as though it\u2019s something bad about\u2026",
"user.screen_name": "NanaOxford"
},
{
"created_at": "Sun Feb 11 23:13:06 +0000 2018",
"id": 962826861800763392,
"text": "RT @unscriptedmike: Ex-Obama State Official Jonathan Winer admits passing dossier to Kerry & info from Sid Blumenthal to Steele.\n\nHe \u201cadmit\u2026",
"user.screen_name": "FrankVespa1"
},
{
"created_at": "Sun Feb 11 23:13:06 +0000 2018",
"id": 962826860429266944,
"text": "RT @GartrellLinda: Obama Official Johnathan Winer: I Passed Clinton Lies to Steele That Were Used Against Trump Now the #ObamaGate scandal\u2026",
"user.screen_name": "LizzyBB10"
},
{
"created_at": "Sun Feb 11 23:13:06 +0000 2018",
"id": 962826859217010688,
"text": "RT @mattmfm: Barack Obama was in the same room as Louis Farrakhan once and it caused a decades-long controversy. \n\nDonald Trump gave a shou\u2026",
"user.screen_name": "ElianaT_CA"
},
{
"created_at": "Sun Feb 11 23:13:06 +0000 2018",
"id": 962826859191955456,
"text": "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.\u2026",
"user.screen_name": "NickiiBloom"
},
{
"created_at": "Sun Feb 11 23:13:06 +0000 2018",
"id": 962826857937887232,
"text": "@cyanideann @BarackObama @POTUS Obama started the dam daca program illegally with his pen remember???",
"user.screen_name": "RayWeinkauf"
},
{
"created_at": "Sun Feb 11 23:13:05 +0000 2018",
"id": 962826856046186496,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "NancyCatalano6"
},
{
"created_at": "Sun Feb 11 23:13:05 +0000 2018",
"id": 962826855932981248,
"text": "RT @KrisParonto: We also didn\u2019t use the @FBI @CIA and @NSAGov to spy on @realDonaldTrump either.......isn\u2019t that what you said to Chris Wal\u2026",
"user.screen_name": "Mayauk1219"
},
{
"created_at": "Sun Feb 11 23:13:05 +0000 2018",
"id": 962826855001726976,
"text": "RT @ConservaMomUSA: It\u2019s undeniable that #Obama worked tirelessly 2weaken& hobble America for 8 yrs with the expectation #CrookedHillary wo\u2026",
"user.screen_name": "Chanel4646"
},
{
"created_at": "Sun Feb 11 23:13:04 +0000 2018",
"id": 962826853185654784,
"text": "RT @FoxNews: .@TomFitton: \"[@realDonaldTrump] has been victimized by the Obama Administration.\" https://t.co/z3Vn9KY1M3",
"user.screen_name": "auntiejul"
},
{
"created_at": "Sun Feb 11 23:13:04 +0000 2018",
"id": 962826849754730498,
"text": "RT @Debradelai: @GenFlynn (25) She\u2019s got her head so far up Obama\u2019s arse they had to isert an oxygen tube.\n\nAnd\u2026",
"user.screen_name": "Lrod49"
},
{
"created_at": "Sun Feb 11 23:13:04 +0000 2018",
"id": 962826849490493441,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "whetzel_sherri"
},
{
"created_at": "Sun Feb 11 23:13:03 +0000 2018",
"id": 962826848899141633,
"text": "RT @tonyposnanski: Trump believes in due process except for...\n\n- Kenyan born Obama\n- Crooked Hillary\n- FBI\n- Anyone in the media who doesn\u2026",
"user.screen_name": "DeanBrowncrayon"
},
{
"created_at": "Sun Feb 11 23:13:03 +0000 2018",
"id": 962826847607296002,
"text": "RT @DonnaWR8: In addition to removing ALL pagan and demonic items from the Obama and Clinton years at the White House, Pastor Paul Begley s\u2026",
"user.screen_name": "1gudGOD"
},
{
"created_at": "Sun Feb 11 23:13:03 +0000 2018",
"id": 962826846785155072,
"text": "RT @Momof3gngrs: @HopeEstaAqui @Jthe4th Its even better when you show them that Obama actually volunteered in the humanitarian efforts post\u2026",
"user.screen_name": "baldgotti"
},
{
"created_at": "Sun Feb 11 23:13:03 +0000 2018",
"id": 962826845162000384,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "jjmac59"
},
{
"created_at": "Sun Feb 11 23:13:02 +0000 2018",
"id": 962826844566269953,
"text": "RT @KaniJJackson: This is just your daily reminder that Barack Obama did not have 1 scandal or allegation against him during his time in th\u2026",
"user.screen_name": "chelseaboots"
},
{
"created_at": "Sun Feb 11 23:13:02 +0000 2018",
"id": 962826843861798912,
"text": "@kwilli1046 Calling for DOJ AG Jeff Sessions to do his job. Convene a special counsel to investigate these\u2026 https://t.co/NR9XLcUwBO",
"user.screen_name": "bienafe"
},
{
"created_at": "Sun Feb 11 23:13:02 +0000 2018",
"id": 962826842163089408,
"text": "RT @MartyVizi: @sxdoc @KatTheHammer1 @realDonaldTrump Obama should be treated and charged as a terrorist!!! Because he is.",
"user.screen_name": "Brendag38323989"
},
{
"created_at": "Sun Feb 11 23:13:02 +0000 2018",
"id": 962826842095759360,
"text": "How AWESOME Would it be, if when all said & done the proof is shown that Saint Obama, was in on the hole thing. J.C\u2026 https://t.co/F3S7kURVcz",
"user.screen_name": "tjbpdb"
},
{
"created_at": "Sun Feb 11 23:13:02 +0000 2018",
"id": 962826841361977344,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "iluvamerica1208"
},
{
"created_at": "Sun Feb 11 23:13:02 +0000 2018",
"id": 962826840980127744,
"text": "RT @johncusack: You wanna play ? Answer- look up Obama\u2019s war on constitution - interview I did - check out @FreedomofPress I\u2019m on the bo\u2026",
"user.screen_name": "lgwiesen1"
},
{
"created_at": "Sun Feb 11 23:13:01 +0000 2018",
"id": 962826839956905984,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "LianaMaria___"
},
{
"created_at": "Sun Feb 11 23:13:01 +0000 2018",
"id": 962826839378022400,
"text": "RT @FiveRights: .@CNN\nTwo huge stories broke this wk:\n1. Strzok & Page texts show Obama knew abt FBI's illegal spying on Trump & did nothin\u2026",
"user.screen_name": "jb19tele"
},
{
"created_at": "Sun Feb 11 23:13:01 +0000 2018",
"id": 962826838635560960,
"text": "RT @RedWaveRising: #ObamaGate\n\n#SundayThoughts\n#BarackObama used classified intelligence leaks for political gain - https://t.co/tkba3Y498I\u2026",
"user.screen_name": "Sputtter"
},
{
"created_at": "Sun Feb 11 23:13:01 +0000 2018",
"id": 962826838635499521,
"text": "RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,\u2026",
"user.screen_name": "KenNg"
},
{
"created_at": "Sun Feb 11 23:13:01 +0000 2018",
"id": 962826837163421696,
"text": "RT @CHIZMAGA: So if Donald Trump interacts with James Comey on an FBI Investigation it\u2019s \u201cObstructing Justice\u201d, but when Barack Obama inter\u2026",
"user.screen_name": "Matarr1776"
},
{
"created_at": "Sun Feb 11 23:13:00 +0000 2018",
"id": 962826835678715904,
"text": "RT @oxminaox: Snapchat didn\u2019t suck while Obama was in office... just saying",
"user.screen_name": "Alexsofiag"
},
{
"created_at": "Sun Feb 11 23:13:00 +0000 2018",
"id": 962826835175276544,
"text": "RT @johncusack: You wanna play ? Answer- look up Obama\u2019s war on constitution - interview I did - check out @FreedomofPress I\u2019m on the bo\u2026",
"user.screen_name": "Painless_Dave"
},
{
"created_at": "Sun Feb 11 23:13:00 +0000 2018",
"id": 962826834126651392,
"text": "RT @BettyBowers: TRUMP LIE: Democrats didn't fix #DACA from 2008-2011. \n\nINCONVENIENT FACT: DACA didn't exist until 2012.\n\nTRUMP LIE: Repub\u2026",
"user.screen_name": "karolynnnnnn12"
},
{
"created_at": "Sun Feb 11 23:13:00 +0000 2018",
"id": 962826833480900608,
"text": "RT @EdKrassen: If Jeanine Pirro can blame Barack Obama for Rob Porter beating his wives, then I blame Jeanine Pirro for Donald Trump assaul\u2026",
"user.screen_name": "divineem"
},
{
"created_at": "Sun Feb 11 23:13:00 +0000 2018",
"id": 962826833111715840,
"text": "RT @anne_boydston: @romeo49435 @JacquieLeyns @Brasilmagic Well, this white person can\u2019t stand trump and I voted for President Obama both ti\u2026",
"user.screen_name": "booatticus63"
},
{
"created_at": "Sun Feb 11 23:13:00 +0000 2018",
"id": 962826832889425920,
"text": "RT @RyanAFournier: Do you believe the Obama Administration improperly and illegally surveilled the Trump Campaign? #SHARE",
"user.screen_name": "JessicaLyn55"
},
{
"created_at": "Sun Feb 11 23:13:00 +0000 2018",
"id": 962826832709009409,
"text": "RT @mattmfm: Barack Obama was in the same room as Louis Farrakhan once and it caused a decades-long controversy. \n\nDonald Trump gave a shou\u2026",
"user.screen_name": "keeponkeepngon"
},
{
"created_at": "Sun Feb 11 23:13:00 +0000 2018",
"id": 962826832625176576,
"text": "@braun_fay52 @CoreyLMJones @realDonaldTrump @WestervillePD We the people have call or write our Congressmen in our\u2026 https://t.co/t7QMxZGb70",
"user.screen_name": "arfed88"
},
{
"created_at": "Sun Feb 11 23:12:59 +0000 2018",
"id": 962826831987691520,
"text": "RT @kylegriffin1: A comparison of the S&P 500 under Obama and Trump during the same period in their presidencies shows better performance u\u2026",
"user.screen_name": "curiocat13"
},
{
"created_at": "Sun Feb 11 23:12:59 +0000 2018",
"id": 962826831547256832,
"text": "@NancyKellyMart1 Hell was 8 years of Obama",
"user.screen_name": "RRaymond_FL"
},
{
"created_at": "Sun Feb 11 23:12:59 +0000 2018",
"id": 962826831354216448,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "PamNeufeld"
},
{
"created_at": "Sun Feb 11 23:12:59 +0000 2018",
"id": 962826828414177280,
"text": "RT @HrrEerrer: Does @realDonaldTrump hafta spend money where congress says?Obama didn\u2019t!Almost NO stimulus went2shovel ready jobs https://t\u2026",
"user.screen_name": "SiddonsDan"
},
{
"created_at": "Sun Feb 11 23:12:58 +0000 2018",
"id": 962826827843751936,
"text": "RT @algonzalezlu393: trump is promoting a conservative argument that he's been \"victimized\" by the Obama administration. https://t.co/iR07Z\u2026",
"user.screen_name": "pamelakissinger"
},
{
"created_at": "Sun Feb 11 23:12:58 +0000 2018",
"id": 962826827826974720,
"text": "RT @RedWaveRising: #ObamaGate\n\n#SundayThoughts\n#BarackObama used classified intelligence leaks for political gain - https://t.co/tkba3Y498I\u2026",
"user.screen_name": "DonDonsmith007"
},
{
"created_at": "Sun Feb 11 23:12:58 +0000 2018",
"id": 962826826925174784,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "hammerman0206"
},
{
"created_at": "Sun Feb 11 23:12:58 +0000 2018",
"id": 962826826761539584,
"text": "RT @SebGorka: The UNMASKING Scandal will prove to be much bigger than FISAGate or Watergate combined. \n\nTime to just call it what it is:\u2026",
"user.screen_name": "shotgunss52"
},
{
"created_at": "Sun Feb 11 23:12:58 +0000 2018",
"id": 962826826639904768,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "gftzer"
},
{
"created_at": "Sun Feb 11 23:12:58 +0000 2018",
"id": 962826826069495810,
"text": "RT @joncoopertweets: Sure, @realDonaldTrump is a lying, corrupt, racist, traitorous imbecile who defends white supremacists, Nazis, wife be\u2026",
"user.screen_name": "ILoveBernie1"
},
{
"created_at": "Sun Feb 11 23:12:58 +0000 2018",
"id": 962826824592928768,
"text": "@ThomasMHern @RyanAFournier Obama, Democrats and the MSM were ALL instrumental in pushing the hate and Obama's invi\u2026 https://t.co/rbMeioEL1d",
"user.screen_name": "ClaraWeim"
},
{
"created_at": "Sun Feb 11 23:12:57 +0000 2018",
"id": 962826823708024832,
"text": "RT @jobahout: \u201cIn order to address a terrifying but hypothetical danger -an Iranian nuke- the Obama administration\u2019s foreign policy accepte\u2026",
"user.screen_name": "AMR11082016"
},
{
"created_at": "Sun Feb 11 23:12:57 +0000 2018",
"id": 962826823259250690,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "Taffi801"
},
{
"created_at": "Sun Feb 11 23:12:57 +0000 2018",
"id": 962826821288022016,
"text": "RT @JudicialWatch: Reminder: JW found evidence showing Obama State Dept under John Kerry sent its own \"dossier\" of classified info on Russi\u2026",
"user.screen_name": "WildHogs6"
},
{
"created_at": "Sun Feb 11 23:12:57 +0000 2018",
"id": 962826821082365952,
"text": "RT @1GodlessWoman: We see your identity politics @JustinTrudeau first with Muslims #HijabHoax that backfired & now the natives. This too is\u2026",
"user.screen_name": "snappy_peas"
},
{
"created_at": "Sun Feb 11 23:12:56 +0000 2018",
"id": 962826819476041729,
"text": "RT @brianklaas: You falsely alleged that Ted Cruz\u2019s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos\u2026",
"user.screen_name": "rdehler16"
},
{
"created_at": "Sun Feb 11 23:12:56 +0000 2018",
"id": 962826817810976768,
"text": "RT @RedWaveRising: #ObamaGate\n\n#SundayThoughts\n#BarackObama used classified intelligence leaks for political gain - https://t.co/tkba3Y498I\u2026",
"user.screen_name": "raymondlipford"
},
{
"created_at": "Sun Feb 11 23:12:56 +0000 2018",
"id": 962826817307541504,
"text": "RT @DearAuntCrabby: Trump promotes argument that he's been 'victimized' by Obama administration https://t.co/NY5a0e77YZ \n\nOh brother, what\u2026",
"user.screen_name": "SheriBmuddy"
},
{
"created_at": "Sun Feb 11 23:12:56 +0000 2018",
"id": 962826816900628480,
"text": "RT @RogueNASA: Trump believes Porter may be innocent even though he saw the picture of his ex-wife\u2019s black eye.\n\nTrump still believes Obama\u2026",
"user.screen_name": "dapetrick"
},
{
"created_at": "Sun Feb 11 23:12:56 +0000 2018",
"id": 962826816728772608,
"text": "RT @FiveRights: Laura Ingraham on Fox: Why did George W. Bush refuse to criticize Obama even when O screwed up badly but he often criticize\u2026",
"user.screen_name": "BjLloyd3"
},
{
"created_at": "Sun Feb 11 23:12:55 +0000 2018",
"id": 962826815600390144,
"text": "RT @soledadobrien: 'Sabato said he was \"absolutely\" sure President Obama was a Muslim and not a Christian. ' https://t.co/yAVnhP3JI6",
"user.screen_name": "ronbeckner"
},
{
"created_at": "Sun Feb 11 23:12:55 +0000 2018",
"id": 962826815197687808,
"text": "@JohnFromCranber Then Bush and Obama are both traitors!",
"user.screen_name": "Lynny222"
},
{
"created_at": "Sun Feb 11 23:12:55 +0000 2018",
"id": 962826812895178754,
"text": "RT @RedWaveRising: #ObamaGate\n\n#SundayThoughts\n#BarackObama used classified intelligence leaks for political gain - https://t.co/tkba3Y498I\u2026",
"user.screen_name": "specialK1947"
},
{
"created_at": "Sun Feb 11 23:12:55 +0000 2018",
"id": 962826812299628545,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "BobbieH95713641"
},
{
"created_at": "Sun Feb 11 23:12:55 +0000 2018",
"id": 962826812261851136,
"text": "@robreiner Fox News is not state run. If you are referring to being favorable to Trump, that is not all of Fox New\u2026 https://t.co/Rby7F1g4dF",
"user.screen_name": "LinkMEP"
},
{
"created_at": "Sun Feb 11 23:12:54 +0000 2018",
"id": 962826811460800512,
"text": "RT @SebGorka: The UNMASKING Scandal will prove to be much bigger than FISAGate or Watergate combined. \n\nTime to just call it what it is:\u2026",
"user.screen_name": "KateReilly111"
},
{
"created_at": "Sun Feb 11 23:12:54 +0000 2018",
"id": 962826811448217600,
"text": "@vnuek BS story !! If Kelly's staff said that then they got paid and/or are Obama left overs! But I'm calling BS! D\u2026 https://t.co/h8Wa8kvBMN",
"user.screen_name": "moreenie31"
},
{
"created_at": "Sun Feb 11 23:12:54 +0000 2018",
"id": 962826808675545089,
"text": "RT @RealJack: The whole system is going to come crashing down...\n\nFamous Trump Prophet Just Said It: \"Obama Is Going To Jail\" https://t.co\u2026",
"user.screen_name": "DECMarkWalker"
},
{
"created_at": "Sun Feb 11 23:12:53 +0000 2018",
"id": 962826804133335040,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "Jasongoofygrape"
},
{
"created_at": "Sun Feb 11 23:12:52 +0000 2018",
"id": 962826802514182144,
"text": "RT @evangesolc: @KimStrassel The biggest scandal is the MSM\u2019s effort to cover up the Obama administration\u2019s corruption - proving without\u2026",
"user.screen_name": "EricSteeleLive"
},
{
"created_at": "Sun Feb 11 23:12:52 +0000 2018",
"id": 962826802203975680,
"text": "RT @TuckerCarlson: Here's what is clear right now, the bottom line on what we've learned this week and the one thing worth remembering: The\u2026",
"user.screen_name": "sharonocasey"
},
{
"created_at": "Sun Feb 11 23:12:52 +0000 2018",
"id": 962826801667018752,
"text": "RT @Fuctupmind: Pretty much everyone knew about the Steele Dossier.\n\nThe entire Obama admin.\nSid Blumenthal.\nHillary Clinton.\nLoretta Lynch\u2026",
"user.screen_name": "Tarkan291"
},
{
"created_at": "Sun Feb 11 23:12:52 +0000 2018",
"id": 962826800601747456,
"text": "RT @DineshDSouza: It seems the FBI during Obama\u2019s tenure acted like the Democratic Party\u2019s private protection agency & police force",
"user.screen_name": "dmassad12"
},
{
"created_at": "Sun Feb 11 23:12:52 +0000 2018",
"id": 962826799523577857,
"text": "RT @MOVEFORWARDHUGE: YOU SNOWFLAKES THINK YOU HAD A BAD DAY YESTERDAY,\n\nWAIT TILL I TELL YOU WHAT OBAMA, HILLARY AND THE CABAL REALLY DID T\u2026",
"user.screen_name": "rebrokerjoe"
},
{
"created_at": "Sun Feb 11 23:12:52 +0000 2018",
"id": 962826799427260416,
"text": "@ZPoet That was Obama\u2019s Admin",
"user.screen_name": "19Patriot59"
},
{
"created_at": "Sun Feb 11 23:12:52 +0000 2018",
"id": 962826799204978688,
"text": "RT @jefftiedrich: Kellyanne Conway, because when I need facts grounded in reality I turn to a woman who accused Barack Obama of spying on t\u2026",
"user.screen_name": "windmillcharger"
},
{
"created_at": "Sun Feb 11 23:12:51 +0000 2018",
"id": 962826798923993090,
"text": "RT @Jthe4th: @NatashaBertrand This reminds me of all the pro-Trumpers criticizing Obama\u2019s Katrina response after Trump Admin\u2019s failures in\u2026",
"user.screen_name": "baldgotti"
},
{
"created_at": "Sun Feb 11 23:12:51 +0000 2018",
"id": 962826798869266433,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "TweetTweetHAR"
},
{
"created_at": "Sun Feb 11 23:12:51 +0000 2018",
"id": 962826795979624448,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "ChadAnimeTweets"
},
{
"created_at": "Sun Feb 11 23:12:51 +0000 2018",
"id": 962826795690135554,
"text": "RT @ziki0001: A bad #website can destroy your whole business. #Obama learned it the hard way. https://t.co/XmSYLIewoW #18f #internet #bus\u2026",
"user.screen_name": "LJT_is_me"
},
{
"created_at": "Sun Feb 11 23:12:50 +0000 2018",
"id": 962826793768992769,
"text": "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.\u2026",
"user.screen_name": "WhiteLotus3_9"
},
{
"created_at": "Sun Feb 11 23:12:50 +0000 2018",
"id": 962826793521700865,
"text": "RT @brianklaas: You falsely alleged that Ted Cruz\u2019s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos\u2026",
"user.screen_name": "momma_carp"
},
{
"created_at": "Sun Feb 11 23:12:50 +0000 2018",
"id": 962826792070537216,
"text": "RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.\u2026",
"user.screen_name": "luxtualuceat"
},
{
"created_at": "Sun Feb 11 23:12:49 +0000 2018",
"id": 962826789843120135,
"text": "RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader\u2026",
"user.screen_name": "AngelVa13497878"
},
{
"created_at": "Sun Feb 11 23:12:49 +0000 2018",
"id": 962826789272899584,
"text": "RT @johncusack: You wanna play ? Answer- look up Obama\u2019s war on constitution - interview I did - check out @FreedomofPress I\u2019m on the bo\u2026",
"user.screen_name": "V_4_Vendetta27"
},
{
"created_at": "Sun Feb 11 23:12:49 +0000 2018",
"id": 962826788534734848,
"text": "The Truth will out, eventually...\n\nNo suprise that Obama, who Lives in DC, has been keeping a low profile lately...\u2026 https://t.co/RAkNJE8eUv",
"user.screen_name": "thestationchief"
},
{
"created_at": "Sun Feb 11 23:12:49 +0000 2018",
"id": 962826788291440645,
"text": "RT @qz: Hip-hop painter Kehinde Wiley\u2019s portrait of Barack Obama will be unveiled tomorrow https://t.co/8wCPxkTX78",
"user.screen_name": "_bredda_"
},
{
"created_at": "Sun Feb 11 23:12:49 +0000 2018",
"id": 962826787792347141,
"text": "RT @PoliticalShort: Obama-Backed, Holder-Led Group Raised More Than $11 Million in 2017; Will Target Republicans in 12 states https://t.co/\u2026",
"user.screen_name": "cubbiebear07"
},
{
"created_at": "Sun Feb 11 23:12:48 +0000 2018",
"id": 962826784696946693,
"text": "RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State\u2026",
"user.screen_name": "jared96540410"
},
{
"created_at": "Sun Feb 11 23:12:48 +0000 2018",
"id": 962826782264217600,
"text": "RT @kylegriffin1: A comparison of the S&P 500 under Obama and Trump during the same period in their presidencies shows better performance u\u2026",
"user.screen_name": "DerekBritain"
},
{
"created_at": "Sun Feb 11 23:12:47 +0000 2018",
"id": 962826781555240960,
"text": "RT @ElderLansing: I will never respect the Ex Resident Coward Obama! He was a horrible leader and had numerous scandals overlooked because\u2026",
"user.screen_name": "andrea77214732"
},
{
"created_at": "Sun Feb 11 23:12:47 +0000 2018",
"id": 962826780418756608,
"text": "Can't wait for the Obama bootlicker @BobbyScott to try and explain how getting more money is a bad thing to his con\u2026 https://t.co/PMiaEGUvkn",
"user.screen_name": "leroyritter86"
},
{
"created_at": "Sun Feb 11 23:12:47 +0000 2018",
"id": 962826780410294274,
"text": "RT @KrisParonto: We also didn\u2019t use the @FBI @CIA and @NSAGov to spy on @realDonaldTrump either.......isn\u2019t that what you said to Chris Wal\u2026",
"user.screen_name": "lackerman009"
}
]
|
[{'created_at': 'Mon Feb 12 03:41:30 +0000 2018', 'id': 962894403256901632, 'text': 'RT @JonAcuff: Dear Olympics commentators, at the beginning of each figure skating couple please let us know if the couple loves each other…', 'user.screen_name': 'h0llaJess'}, {'created_at': 'Mon Feb 12 03:41:30 +0000 2018', 'id': 962894403210809349, 'text': 'RT @charliekirk11: South Korea only exists thanks to US troops sacrifice in the 1950’s \n\n36,000 Americans died so South Korea could be free…', 'user.screen_name': 'DCiszczon'}, {'created_at': 'Mon Feb 12 03:41:30 +0000 2018', 'id': 962894402849927168, 'text': 'RT @JordanSchachtel: When u watch N Korean "cheerleaders" doing Olympics routine\n\nWhat you see is slavery in action \n\nThey r forced to prac…', 'user.screen_name': 'goldwaterkid65'}, {'created_at': 'Mon Feb 12 03:41:29 +0000 2018', 'id': 962894402648670213, 'text': "I used to wonder what being an Olympian would be like, but I just heard that Julia Marino's favorite snack is dried… https://t.co/xPfu8WvBdo", 'user.screen_name': 'KaraGiacobazzi'}, {'created_at': 'Mon Feb 12 03:41:29 +0000 2018', 'id': 962894402606661632, 'text': "RT @bobby: normally i don't care about the events that are included in the olympics, but now? when the olympics are happening? well let's j…", 'user.screen_name': 'HarshilShah1910'}, {'created_at': 'Mon Feb 12 03:41:29 +0000 2018', 'id': 962894402573209600, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'DesotellRacing'}, {'created_at': 'Mon Feb 12 03:41:29 +0000 2018', 'id': 962894401205780480, 'text': 'RT @kalynkahler: "That was shiny, sparkling redemption." - @JohnnyGWeir \nMirai was eating In and Out with @Adaripp and watching the last Ol…', 'user.screen_name': 'JKBartleby'}, {'created_at': 'Mon Feb 12 03:41:29 +0000 2018', 'id': 962894401105100800, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'dar_vidder'}, {'created_at': 'Mon Feb 12 03:41:29 +0000 2018', 'id': 962894401079934976, 'text': 'RT @94_degrees: Russian Figure Skater, Evgeniia Medvedeva who’s an EXO-L set a new world record in the Pyeongchang Olympics & mentioned EXO…', 'user.screen_name': 'kyungmallows'}, {'created_at': 'Mon Feb 12 03:41:29 +0000 2018', 'id': 962894400547360768, 'text': 'RT @peachyblackgorl: as the winter Olympics begin....never forget about Surya Bonaly, a French figure skater who did a backflip and landed…', 'user.screen_name': 'braggs02'}, {'created_at': 'Mon Feb 12 03:41:29 +0000 2018', 'id': 962894400274780160, 'text': 'RT @BuzzFeedNews: Mirai Nagasu just became the first American woman in history to land a triple axel at the Winter Olympics(!) https://t.co…', 'user.screen_name': 'kyahas'}, {'created_at': 'Mon Feb 12 03:41:29 +0000 2018', 'id': 962894400073359360, 'text': 'RT @Devin_Heroux: This was Mark McMorris 11 months ago. \n\nHe’s a bronze medallist at the #Olympics today. \n\nRemarkable. https://t.co/UnhBs9…', 'user.screen_name': 'ashleyhines_'}, {'created_at': 'Mon Feb 12 03:41:29 +0000 2018', 'id': 962894399394013185, 'text': 'RT @maybealexislost: RT if adam rippon just made you cry FAV if you’re buying a bedazzler on ebay rn #olympics https://t.co/LzRkQEmzLj', 'user.screen_name': 'Sethersk82'}, {'created_at': 'Mon Feb 12 03:41:29 +0000 2018', 'id': 962894399322632193, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'parker_jody'}, {'created_at': 'Mon Feb 12 03:41:29 +0000 2018', 'id': 962894399125491721, 'text': 'the winter olympics are ass in comparison to the summer olympics', 'user.screen_name': 'DaniMartorella'}, {'created_at': 'Mon Feb 12 03:41:29 +0000 2018', 'id': 962894399100342272, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'taryngraceee'}, {'created_at': 'Mon Feb 12 03:41:29 +0000 2018', 'id': 962894398877925376, 'text': 'RT @EWTimStack: ANDREA #Olympics https://t.co/xbqm8FDt7u', 'user.screen_name': 'jman151'}, {'created_at': 'Mon Feb 12 03:41:29 +0000 2018', 'id': 962894398806781952, 'text': "RT @markfollman: My god, how does @NBC's Olympics coverage manage to suck so badly. Nothing shown live or when you want to see it, the endl…", 'user.screen_name': 'rimarthag'}, {'created_at': 'Mon Feb 12 03:41:29 +0000 2018', 'id': 962894398773235712, 'text': 'RT @TheRickyDavila: It says something when our amazing athletes can so easily represent the United States with class, grace, honor, dignity…', 'user.screen_name': 'Piatfernandez'}, {'created_at': 'Mon Feb 12 03:41:28 +0000 2018', 'id': 962894398592815104, 'text': 'RT @LynnRutherford: Mixed zone: "I landed triple axel at the Olympics. That\'s historical and no one can take it away from me." #Pyeongchang…', 'user.screen_name': 'quadlutzes'}, {'created_at': 'Mon Feb 12 03:41:28 +0000 2018', 'id': 962894398580195328, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'LanaDelRae__'}, {'created_at': 'Mon Feb 12 03:41:28 +0000 2018', 'id': 962894398357950465, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'fvnnyboo'}, {'created_at': 'Mon Feb 12 03:41:28 +0000 2018', 'id': 962894398093713408, 'text': 'RT @ThatBoysGood: The Winter Olympics are like hockey and soccer if hockey and soccer fans didn’t try to convince you they’re fun. Ok wait,…', 'user.screen_name': 'CoachBourbonUSA'}, {'created_at': 'Mon Feb 12 03:41:28 +0000 2018', 'id': 962894398055907328, 'text': "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on…", 'user.screen_name': 'erikarunning'}, {'created_at': 'Mon Feb 12 03:41:28 +0000 2018', 'id': 962894397758234625, 'text': 'RT @billboard: Olympic figure skater Adam Rippon on how Martin Garrix, Coldplay & Queen helped him go for the gold https://t.co/omcLm2iLlr…', 'user.screen_name': 'LadyGagaKids'}, {'created_at': 'Mon Feb 12 03:41:28 +0000 2018', 'id': 962894397468823552, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'wizardjada'}, {'created_at': 'Mon Feb 12 03:41:28 +0000 2018', 'id': 962894397024059392, 'text': 'RT @hnltraveler: NBC\'s Olympics Asian Analyst Joshua Cooper Ramo says having the next three Olympics in Korea, Japan and China is an "oppor…', 'user.screen_name': 'shutale_3981'}, {'created_at': 'Mon Feb 12 03:41:28 +0000 2018', 'id': 962894396999065601, 'text': "Planet Earth needs Bob Costas' pink eye back to make these olympics even palatable.", 'user.screen_name': 'mentallyunsable'}, {'created_at': 'Mon Feb 12 03:41:28 +0000 2018', 'id': 962894396608958465, 'text': 'RT @MMFlint: I just loved the whole F-Trump opening to the Olympics last night. From all Koreans coming in together under one blue flag of…', 'user.screen_name': 'rhonutau3'}, {'created_at': 'Mon Feb 12 03:41:28 +0000 2018', 'id': 962894395803611136, 'text': 'Burned my tongue sipping hot chocolate while doing my taxes and trying to keep my dog interested in a game of tug-o… https://t.co/Om8tXLJKFn', 'user.screen_name': 'carIisIe'}, {'created_at': 'Mon Feb 12 03:41:28 +0000 2018', 'id': 962894395786846209, 'text': 'RT @dumbbeezie: I could do that. \n\n-Me watching people eating at the Olympics', 'user.screen_name': 'heyjude305'}, {'created_at': 'Mon Feb 12 03:41:28 +0000 2018', 'id': 962894395765903365, 'text': 'RT @HRC: Anti-LGBTQ Mike Pence can\'t hide his hatred behind misleading tweets. As @HRC\'s @cmclymer said, "He’s a soft-spoken bigot. He does…', 'user.screen_name': 'exoknowles'}, {'created_at': 'Mon Feb 12 03:41:28 +0000 2018', 'id': 962894395396702208, 'text': "RT @MichaelWosnick: Spirit of Canada. Last year he almost died in a snowboarding accident. Now he's won bronze at the Olympics @cnnsport h…", 'user.screen_name': 'DrPeterLang'}, {'created_at': 'Mon Feb 12 03:41:28 +0000 2018', 'id': 962894394817789955, 'text': 'IOC President Bach should take responsibility for this political exploitation of the Olympics. https://t.co/HD9tIpjzcn', 'user.screen_name': 'cooler_cucumber'}, {'created_at': 'Mon Feb 12 03:41:28 +0000 2018', 'id': 962894394511650816, 'text': 'RT @HarlanCoben: Me: I’ve never watched luge. I know nothing about it. \n\nMe 20 minutes later: Turns 9 through 12 are really the key to vict…', 'user.screen_name': 'lavishhog'}, {'created_at': 'Mon Feb 12 03:41:27 +0000 2018', 'id': 962894392884449280, 'text': '#Olympics #FigureSkating Cappellini was so excited with that beautiful performance she almost knocked Lanotte over… https://t.co/mONXRaMVZ7', 'user.screen_name': 'JKMemeQueen'}, {'created_at': 'Mon Feb 12 03:41:27 +0000 2018', 'id': 962894392699772928, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'ashbetkouchar'}, {'created_at': 'Mon Feb 12 03:41:27 +0000 2018', 'id': 962894392616013825, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'Jesskreegs'}, {'created_at': 'Mon Feb 12 03:41:27 +0000 2018', 'id': 962894392427134976, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': '_A2GH_'}, {'created_at': 'Mon Feb 12 03:41:27 +0000 2018', 'id': 962894392276107264, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'ElwerLauren'}, {'created_at': 'Mon Feb 12 03:41:27 +0000 2018', 'id': 962894392007839744, 'text': "RT @judah_robinson: Here's the story of the last time #SouthKorea hosted the #Olympics -- and more importantly the chaos that surrounded th…", 'user.screen_name': 'umesh5152'}, {'created_at': 'Mon Feb 12 03:41:27 +0000 2018', 'id': 962894391995256832, 'text': 'RT @501stLegion: Members of the @AlpineGarrison in the winter Olympics spirit! #501st https://t.co/HlgygwY6L6', 'user.screen_name': 'derekester'}, {'created_at': 'Mon Feb 12 03:41:27 +0000 2018', 'id': 962894391928152064, 'text': "RT @NBCOlympics: A performance for the record books by Mirai Nagasu, complete with a celebration we'll remember for a long time. #BestOfUS…", 'user.screen_name': 'jessaloliveira'}, {'created_at': 'Mon Feb 12 03:41:27 +0000 2018', 'id': 962894391701467138, 'text': 'RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G', 'user.screen_name': 'alexiswins12'}, {'created_at': 'Mon Feb 12 03:41:27 +0000 2018', 'id': 962894391529570304, 'text': 'Watching team free dance #winter Olympics This Italian Team skating to the theme from the movie Life is Beautiful.… https://t.co/RWoQOUPclt', 'user.screen_name': 'fawn_Graham'}, {'created_at': 'Mon Feb 12 03:41:27 +0000 2018', 'id': 962894390921519104, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'SimmonsREteam'}, {'created_at': 'Mon Feb 12 03:41:27 +0000 2018', 'id': 962894390523031552, 'text': 'For this #Luge demonstration, @NBCOlympics used their patented \nBall-Cam™ technology. \ud83d\udd35\ud83d\udd35\n#Olympics #PyeongChang2018… https://t.co/yzSfF2b2FA', 'user.screen_name': 'NormanCharles88'}, {'created_at': 'Mon Feb 12 03:41:26 +0000 2018', 'id': 962894389738586114, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'adamricardo14'}, {'created_at': 'Mon Feb 12 03:41:26 +0000 2018', 'id': 962894389419954176, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'axshup'}, {'created_at': 'Mon Feb 12 03:41:26 +0000 2018', 'id': 962894389340180480, 'text': 'RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.', 'user.screen_name': 'Lb28627987'}, {'created_at': 'Mon Feb 12 03:41:26 +0000 2018', 'id': 962894389285662721, 'text': 'RT @tedlieu: Congratulations to Mirai Nagasu for being the first American in history to land a triple axle at the Winter Olympics! https://…', 'user.screen_name': 'ssedloffthomas'}, {'created_at': 'Mon Feb 12 03:41:26 +0000 2018', 'id': 962894389004656640, 'text': 'RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://…', 'user.screen_name': 'psychopappy1961'}, {'created_at': 'Mon Feb 12 03:41:26 +0000 2018', 'id': 962894388824330241, 'text': 'Gonna join the Olympics to contract aids', 'user.screen_name': 'bradberryzone'}, {'created_at': 'Mon Feb 12 03:41:26 +0000 2018', 'id': 962894388769812481, 'text': 'RT @peachyblackgorl: as the winter Olympics begin....never forget about Surya Bonaly, a French figure skater who did a backflip and landed…', 'user.screen_name': 'brucejones105'}, {'created_at': 'Mon Feb 12 03:41:26 +0000 2018', 'id': 962894388723638273, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'Bianca8282'}, {'created_at': 'Mon Feb 12 03:41:26 +0000 2018', 'id': 962894388673372160, 'text': 'RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face…', 'user.screen_name': 'CoachWertz12'}, {'created_at': 'Mon Feb 12 03:41:26 +0000 2018', 'id': 962894388274913282, 'text': 'RT @TwitterMoments: Team USA figure skater @mirai_nagasu is the first American woman to land a triple axel at the Winter Olympics. #PyeongC…', 'user.screen_name': 'CubbyPau'}, {'created_at': 'Mon Feb 12 03:41:26 +0000 2018', 'id': 962894387909988352, 'text': 'Can I just permanently join figure skating Stan twt this is so less stressful than kpop twt and it’s during the Olympics', 'user.screen_name': 'HanyvYuzuru'}, {'created_at': 'Mon Feb 12 03:41:26 +0000 2018', 'id': 962894387742113792, 'text': 'Winter Olympics 2018: Samsung giveaway phone snub sparks Iran fury', 'user.screen_name': 'Paul_Banal'}, {'created_at': 'Mon Feb 12 03:41:26 +0000 2018', 'id': 962894387574394880, 'text': 'RT @Lesdoggg: Um did Adam need to fall to his routine wtf?! Very confused right now. @NBCOlympics @Olympics https://t.co/KGiGW4OUrs', 'user.screen_name': 'Cartoonfreak1'}, {'created_at': 'Mon Feb 12 03:41:26 +0000 2018', 'id': 962894387519918080, 'text': '@NoelleGodfather LOL, the machines are taking over the Olympics!', 'user.screen_name': 'francium11'}, {'created_at': 'Mon Feb 12 03:41:26 +0000 2018', 'id': 962894387322802176, 'text': 'RT @rodger_sherman: The Olympics are a reminder that in spite of our differences, every country has super-hot people', 'user.screen_name': 'TristynTucker3'}, {'created_at': 'Mon Feb 12 03:41:26 +0000 2018', 'id': 962894387138256899, 'text': 'I also got emotional for that performance. #Olympics', 'user.screen_name': 'AnnaRMercier'}, {'created_at': 'Mon Feb 12 03:41:26 +0000 2018', 'id': 962894387071143941, 'text': 'RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.', 'user.screen_name': '1nomdeplume'}, {'created_at': 'Mon Feb 12 03:41:26 +0000 2018', 'id': 962894386970284032, 'text': 'RT @oniontaker: SNSD Gee dance competition at the Olympics on the big screen! 9 years and still iconic.\n\nDo not ask how I got raw footage f…', 'user.screen_name': 'chuti_petch'}, {'created_at': 'Mon Feb 12 03:41:26 +0000 2018', 'id': 962894386962059264, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'LuchoLap'}, {'created_at': 'Mon Feb 12 03:41:26 +0000 2018', 'id': 962894386639065088, 'text': 'RT @5RingsPodcast: 5 Rings Daily-PyeongChang 2018, Day 2 Curling Talk with Ben Massey and Our GSBWP Medals for Day 2\nhttps://t.co/4fykUsIEe…', 'user.screen_name': 'KevLaramee'}, {'created_at': 'Mon Feb 12 03:41:26 +0000 2018', 'id': 962894386202849281, 'text': 'RT @olympicchannel: That feeling when you land the first triple axel by a @TeamUSA woman at the #Olympics! \ud83e\udd29\ud83e\udd17 An incredible moment for @mir…', 'user.screen_name': 'cargille5'}, {'created_at': 'Mon Feb 12 03:41:25 +0000 2018', 'id': 962894385942880256, 'text': 'RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G', 'user.screen_name': 'wolfsan11'}, {'created_at': 'Mon Feb 12 03:41:25 +0000 2018', 'id': 962894385808470016, 'text': 'Since the winter Olympics are going on just want to say my favorite figure skaters are Chazz Micheal Micheals and… https://t.co/NRFWlGEhgK', 'user.screen_name': 'Paaccoo24'}, {'created_at': 'Mon Feb 12 03:41:25 +0000 2018', 'id': 962894385238237184, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'Wanncook'}, {'created_at': 'Mon Feb 12 03:41:25 +0000 2018', 'id': 962894385124859904, 'text': 'RT @u2gigs: The Mexican alpine skiers (yes you read that right) have amazing Dia de los Muertas themed outfits at these Olympics.', 'user.screen_name': 'juliomarmol'}, {'created_at': 'Mon Feb 12 03:41:25 +0000 2018', 'id': 962894384822931457, 'text': '"I think this is irresponsible."\n\nThere are strong gusts of wind, but the #snowboard slopestyle continues. \n\nWatch… https://t.co/QbGz7WWdaL', 'user.screen_name': 'BBCSport'}, {'created_at': 'Mon Feb 12 03:41:25 +0000 2018', 'id': 962894384768286721, 'text': 'RT @VP: What a special privilege & honor for Karen and me to lead the U.S. delegation to the Olympics Opening Ceremony, to represent our GR…', 'user.screen_name': 'morris0731'}, {'created_at': 'Mon Feb 12 03:41:25 +0000 2018', 'id': 962894384030101506, 'text': 'RT @jdaniel4smom: Your children can create their own Olympic flame in a bottle! This is a fun STEM activity! https://t.co/DYyyRdomuX #STEM…', 'user.screen_name': 'mishrendon'}, {'created_at': 'Mon Feb 12 03:41:25 +0000 2018', 'id': 962894383984140288, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'AustinBurrowsX'}, {'created_at': 'Mon Feb 12 03:41:25 +0000 2018', 'id': 962894383916908544, 'text': 'RT @peachyblackgorl: as the winter Olympics begin....never forget about Surya Bonaly, a French figure skater who did a backflip and landed…', 'user.screen_name': 'whoelsebutrico'}, {'created_at': 'Mon Feb 12 03:41:25 +0000 2018', 'id': 962894383640076289, 'text': 'They should stop referring to the previously banned athletes as #Russians. They are athletes of the Olympiad. Russi… https://t.co/pZLfqFLuPD', 'user.screen_name': 'mkwtsn'}, {'created_at': 'Mon Feb 12 03:41:25 +0000 2018', 'id': 962894382792871937, 'text': "RT @mishacollins: You have great taste in TV, @bradie_tennell! We're rooting for you to bring home the gold, of course... But if you bring…", 'user.screen_name': 'AtomicNun'}, {'created_at': 'Mon Feb 12 03:41:25 +0000 2018', 'id': 962894382100709377, 'text': 'RT @tedlieu: Congratulations to Mirai Nagasu for being the first American in history to land a triple axle at the Winter Olympics! https://…', 'user.screen_name': 'TaePhoenix'}, {'created_at': 'Mon Feb 12 03:41:25 +0000 2018', 'id': 962894382021017600, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'MaryGambetty'}, {'created_at': 'Mon Feb 12 03:41:24 +0000 2018', 'id': 962894381098336256, 'text': 'Please tell me the guys have pads in their pants for when the girl stands on their leg, digging in their blade. Rig… https://t.co/ROPnRdncaW', 'user.screen_name': 'LisaJohnson'}, {'created_at': 'Mon Feb 12 03:41:24 +0000 2018', 'id': 962894381056430081, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': '3dancelover'}, {'created_at': 'Mon Feb 12 03:41:24 +0000 2018', 'id': 962894381022724096, 'text': 'RT @JORDANBENNlNG: grown ass men be looking me dead in the eye and telling me that they couldve made it to the olympics when they were youn…', 'user.screen_name': 'ninanovakk'}, {'created_at': 'Mon Feb 12 03:41:24 +0000 2018', 'id': 962894381014573056, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'Gdf4r'}, {'created_at': 'Mon Feb 12 03:41:24 +0000 2018', 'id': 962894380737671168, 'text': "RT @NPRrussell: The first medals of the Pyeongchang Olympics are in the books. In the women’s 7.5km + 7.5km skiathlon, Sweden's Charlotte K…", 'user.screen_name': 'SPORTYNBICHT'}, {'created_at': 'Mon Feb 12 03:41:24 +0000 2018', 'id': 962894380511170560, 'text': 'RT @BuzzFeedNews: Mirai Nagasu just became the first American woman in history to land a triple axel at the Winter Olympics(!) https://t.co…', 'user.screen_name': 'EEnebak'}, {'created_at': 'Mon Feb 12 03:41:24 +0000 2018', 'id': 962894379542224897, 'text': 'RT @Swanny_06: I get too hype during the Olympics. I don’t think you’re supposed to be yelling during the figure skating', 'user.screen_name': 'OverRitz'}, {'created_at': 'Mon Feb 12 03:41:24 +0000 2018', 'id': 962894379152232448, 'text': "Day 284 of why I love Lego - the #biathlon is totally king and I've loved watching it this #olympics. Thanks, inter… https://t.co/Wv1CzGJJ1B", 'user.screen_name': 'FloorCharts'}, {'created_at': 'Mon Feb 12 03:41:24 +0000 2018', 'id': 962894378879524865, 'text': 'RT @BTSFollowing: @Koreaboo Look at the kings getting all this media coverage and not even being at the olympics \n\n#BestFanArmy #BTSARMY #i…', 'user.screen_name': 'Starberryvie'}, {'created_at': 'Mon Feb 12 03:41:24 +0000 2018', 'id': 962894378632060928, 'text': 'NBC Olympics on Twitter https://t.co/YntqEDZRqa', 'user.screen_name': 'thewilliam'}, {'created_at': 'Mon Feb 12 03:41:24 +0000 2018', 'id': 962894378590093312, 'text': 'My moms watching figure skating for the Winter Olympics and she said @EthanDolan and @GraysonDolan can do it better\ud83d\ude02', 'user.screen_name': 'AlexSandValero'}, {'created_at': 'Mon Feb 12 03:41:24 +0000 2018', 'id': 962894378388852736, 'text': 'RT @TheRickyDavila: What can I say? Mirai Nagasu was effortlessly brilliant. So proud of her and proud that she’s representing the USA. Go…', 'user.screen_name': 'SharonGammell1'}, {'created_at': 'Mon Feb 12 03:41:24 +0000 2018', 'id': 962894378372075520, 'text': 'RT @THV11: Mirai Nagasu is now the first American woman to land triple axel during Olympics figure skating! \n\nhttps://t.co/TrkyZy9stA\n\n#Oly…', 'user.screen_name': 'MelindaKinnaird'}, {'created_at': 'Mon Feb 12 03:41:24 +0000 2018', 'id': 962894378011373568, 'text': 'RT @adamconover: read this headline three times before i realized it’s about the olympics and not a man who dates skeletons \ud83d\ude0d☠️ https://t.c…', 'user.screen_name': 'meta_jeff'}, {'created_at': 'Mon Feb 12 03:41:24 +0000 2018', 'id': 962894377914904576, 'text': '3.40am and I’m watching the Winter Olympics because as usual I can’t sleep.', 'user.screen_name': 'archersfan2'}, {'created_at': 'Mon Feb 12 03:41:24 +0000 2018', 'id': 962894377889693696, 'text': 'RT @MarkHarrisNYC: I finally feel represented at the Olympics. https://t.co/RUiylelbbD', 'user.screen_name': 'Linds_Zolna'}, {'created_at': 'Mon Feb 12 03:41:23 +0000 2018', 'id': 962894377541660677, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'Perspectvz'}, {'created_at': 'Mon Feb 12 03:41:23 +0000 2018', 'id': 962894377465999361, 'text': 'RT @lolacoaster: olympics drinking game rules\nsomeone falls: do a shot\nsomeone cries when they get their score: do a shot\na koch industries…', 'user.screen_name': 'cxmicsams'}, {'created_at': 'Mon Feb 12 03:41:23 +0000 2018', 'id': 962894377248067585, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'butterfly4u4eva'}, {'created_at': 'Mon Feb 12 03:41:23 +0000 2018', 'id': 962894377151426560, 'text': '@Ray_Devlin @TIME The Olympics is during the summer break for soccer players, so they love the pre season competiti… https://t.co/hBI07eNXcz', 'user.screen_name': 'SeanTheLad20'}, {'created_at': 'Mon Feb 12 03:41:23 +0000 2018', 'id': 962894376316866561, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'Nova21471346'}, {'created_at': 'Mon Feb 12 03:41:23 +0000 2018', 'id': 962894375851143168, 'text': 'The first Sunday without #NFL football has left a void in my life. Thank God for the #Olympics #PyeongChang2018', 'user.screen_name': 'sara_candice'}, {'created_at': 'Mon Feb 12 03:41:23 +0000 2018', 'id': 962894375633195009, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'AnniDoub'}, {'created_at': 'Mon Feb 12 03:41:23 +0000 2018', 'id': 962894375587078144, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'yeskisc'}, {'created_at': 'Mon Feb 12 03:41:23 +0000 2018', 'id': 962894375528300544, 'text': 'RT @USATODAY: It doesn’t get much more impressive than this. https://t.co/La2NeZLE9J #Olympics', 'user.screen_name': 'jsonlee71'}, {'created_at': 'Mon Feb 12 03:41:23 +0000 2018', 'id': 962894375230607360, 'text': 'RT @tedlieu: Congratulations to Mirai Nagasu for being the first American in history to land a triple axle at the Winter Olympics! https://…', 'user.screen_name': 'schmat22'}, {'created_at': 'Mon Feb 12 03:41:23 +0000 2018', 'id': 962894375012438016, 'text': 'RT @LynnRutherford: Mixed zone: "I landed triple axel at the Olympics. That\'s historical and no one can take it away from me." #Pyeongchang…', 'user.screen_name': 'marcylauren'}, {'created_at': 'Mon Feb 12 03:41:23 +0000 2018', 'id': 962894374786031618, 'text': 'Nice! Way to go @mirai_nagasu \ud83d\udc4f\ud83c\udffb #TeamUSA #Olympics \ud83c\uddfa\ud83c\uddf8 https://t.co/c5qRpHD1aD', 'user.screen_name': 'LinCrossland'}, {'created_at': 'Mon Feb 12 03:41:23 +0000 2018', 'id': 962894374786031617, 'text': "Hey @nbc. There's other sports besides figure skating. #Olympics", 'user.screen_name': 'shanejblair'}, {'created_at': 'Mon Feb 12 03:41:23 +0000 2018', 'id': 962894374647599104, 'text': 'RT @KFCBarstool: The Olympics are tough to really get into because it’s hard to relate to these weirdos who play weirdo sports.\n\nBut that’s…', 'user.screen_name': 'bircheezy'}, {'created_at': 'Mon Feb 12 03:41:23 +0000 2018', 'id': 962894374181974016, 'text': 'RT @16WAPTNews: Everyone is buzzing about this figure skater who performed to Beyoncé at the Olympics https://t.co/WKmUjmUCvl https://t.co/…', 'user.screen_name': 'Stagger_Lee__'}, {'created_at': 'Mon Feb 12 03:41:23 +0000 2018', 'id': 962894374022602752, 'text': "RT @RepMarkMeadows: While some in the media look fondly upon North Korea during the Olympics, I can't help but recall this from 2 weeks ago…", 'user.screen_name': 'Prof_Treylawney'}, {'created_at': 'Mon Feb 12 03:41:23 +0000 2018', 'id': 962894373917724672, 'text': 'RT @Lesdoggg: Shiiiiit like to see you give her a bad score!!! @NBCOlympics @Olympics https://t.co/0krtijP4vb', 'user.screen_name': '_bangbanguk'}, {'created_at': 'Mon Feb 12 03:41:22 +0000 2018', 'id': 962894373414494213, 'text': 'RT @nytimes: Mike Pence denied a report that Adam Rippon, a gay American figure skater, had refused to meet with him. But the Olympic athle…', 'user.screen_name': 'bethsinniresist'}, {'created_at': 'Mon Feb 12 03:41:22 +0000 2018', 'id': 962894373376659457, 'text': 'Beautiful free dance skating by the Italian team! \ud83d\udc4f\ud83d\udc4f\ud83d\udc4f#Olympics #Olympics2018', 'user.screen_name': 'AnneDASHMarie'}, {'created_at': 'Mon Feb 12 03:41:22 +0000 2018', 'id': 962894373087334400, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'kshyamasagar'}, {'created_at': 'Mon Feb 12 03:41:22 +0000 2018', 'id': 962894372974022656, 'text': 'The Life is Beautiful program is gorgeous. #olympics', 'user.screen_name': 'ac_bitter'}, {'created_at': 'Mon Feb 12 03:41:22 +0000 2018', 'id': 962894372957175809, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'DeepEndDining'}, {'created_at': 'Mon Feb 12 03:41:22 +0000 2018', 'id': 962894372709785600, 'text': "RT @NumbersMuncher: Me in 2017: I can't understand how people could be so stupid to fall for fake Facebook stories promoted by Russia.\n\nMe…", 'user.screen_name': 'angelazinypsi'}, {'created_at': 'Mon Feb 12 03:41:22 +0000 2018', 'id': 962894372638511104, 'text': 'RT @peachyblackgorl: as the winter Olympics begin....never forget about Surya Bonaly, a French figure skater who did a backflip and landed…', 'user.screen_name': 'crumrineJenny'}, {'created_at': 'Mon Feb 12 03:41:22 +0000 2018', 'id': 962894372567052288, 'text': "RT @RepMarkMeadows: While some in the media look fondly upon North Korea during the Olympics, I can't help but recall this from 2 weeks ago…", 'user.screen_name': 'Darkvader1776'}, {'created_at': 'Mon Feb 12 03:41:22 +0000 2018', 'id': 962894372302761984, 'text': 'My brother tried holding me on his back and DROPPED MY ASS so I envy the pairs team with their level of trust cause… https://t.co/EXNE7SsSzA', 'user.screen_name': 'jbdd1293'}, {'created_at': 'Mon Feb 12 03:41:22 +0000 2018', 'id': 962894372193882112, 'text': 'RT @BizNasty2point0: Good luck to all the @TeamCanada athletes in this years Olympics. Some very special stories going in. Especially the o…', 'user.screen_name': 'drkeating'}, {'created_at': 'Mon Feb 12 03:41:22 +0000 2018', 'id': 962894372139347968, 'text': 'RT @KAy_TIEmyshoes: I love the Olympics https://t.co/YarQnjbr9c', 'user.screen_name': 'GabrielaDayss'}, {'created_at': 'Mon Feb 12 03:41:22 +0000 2018', 'id': 962894371669491712, 'text': 'I am missing @BobCostasEyes in this winter Olympics.', 'user.screen_name': 'fourcookies'}, {'created_at': 'Mon Feb 12 03:41:22 +0000 2018', 'id': 962894371573116933, 'text': 'RT @Machaizelli: A figure skater just made American Olympic history and the NBC commentators still had to compare her to the men #Olympics…', 'user.screen_name': 'watson_susy'}, {'created_at': 'Mon Feb 12 03:41:22 +0000 2018', 'id': 962894371560525824, 'text': "RT @mikalapaula: Patrick Chan and Olympic Athlete from Russia can fall over the damn ice repeatedly and score higher than Adam Rippon's per…", 'user.screen_name': 'marley_lunsford'}, {'created_at': 'Mon Feb 12 03:41:22 +0000 2018', 'id': 962894371489304578, 'text': 'RT @jpbrammer: my favorite part of the Olympics so far was when Aja jumped off that box', 'user.screen_name': 'MOONLlGHT_MP3'}, {'created_at': 'Mon Feb 12 03:41:22 +0000 2018', 'id': 962894371061485571, 'text': "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on…", 'user.screen_name': 'AlyxODay'}, {'created_at': 'Mon Feb 12 03:41:22 +0000 2018', 'id': 962894370570727425, 'text': "I thought Nagasu should've gone to the last #Olympics and I guess she proved her right to be there tonight! #PyeongChang2018", 'user.screen_name': 'shortygotloh'}, {'created_at': 'Mon Feb 12 03:41:22 +0000 2018', 'id': 962894370520420353, 'text': 'Caught the 10km Sprint at the Olympics which is the skiing then stopping to shoot at targets. Instead of giving the… https://t.co/uhXXPbmUvN', 'user.screen_name': 'Wheels865'}, {'created_at': 'Mon Feb 12 03:41:22 +0000 2018', 'id': 962894370356781056, 'text': 'RT @JamesHasson20: Here are stories fawning over North Korea at the Olympics from:\n-Wapo\n-Wall Street Journal\n-NYT\n-CNN\n-ABC News\n-NBC News…', 'user.screen_name': 'MaeAndTheDove'}, {'created_at': 'Mon Feb 12 03:41:22 +0000 2018', 'id': 962894370201571329, 'text': 'RT @misslaneym: Italy ice dancing to Life is Beautiful is everything. #IceDancing #olympics2018 #olympics', 'user.screen_name': 'mich_eck'}, {'created_at': 'Mon Feb 12 03:41:22 +0000 2018', 'id': 962894370000326656, 'text': 'We deserve so much better than NBC. #Olympics', 'user.screen_name': 'MurrayRen'}, {'created_at': 'Mon Feb 12 03:41:22 +0000 2018', 'id': 962894369668943872, 'text': 'RT @RealAlexJones: Watch Live: As MSM Cheers North Korea Against America At The Winter Olympics https://t.co/QhyUB1ooLt', 'user.screen_name': 'Zacharyeldog245'}, {'created_at': 'Mon Feb 12 03:41:22 +0000 2018', 'id': 962894369492742144, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'MariaaaT'}, {'created_at': 'Mon Feb 12 03:41:22 +0000 2018', 'id': 962894369316421633, 'text': "RT @MarkDice: @CNN You clowns just reported that Kim Jun Un's sister 'stole the show' at the Olympics. Stop.", 'user.screen_name': 'TeenyLZP'}, {'created_at': 'Mon Feb 12 03:41:22 +0000 2018', 'id': 962894369303887872, 'text': 'RT @PHShriver: Trying to convince my 12 year old son to watch @TeamUSA during team skating, I told him this is the same country I competed…', 'user.screen_name': 'gabyserrar'}, {'created_at': 'Mon Feb 12 03:41:21 +0000 2018', 'id': 962894369115144193, 'text': 'RT @thehill: Dutch fans troll Trump at the Olympics with flag: "Sorry Mr. President. The Netherlands First... And 2nd... And 3rd" https://t…', 'user.screen_name': 'jrad1014hi'}, {'created_at': 'Mon Feb 12 03:41:21 +0000 2018', 'id': 962894368947421184, 'text': 'But they put their legs up like that with a FLEXED foot! \ud83d\ude31 #Olympics', 'user.screen_name': 'TalkNerdyWithUs'}, {'created_at': 'Mon Feb 12 03:41:21 +0000 2018', 'id': 962894368872034304, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'caroljdavy'}, {'created_at': 'Mon Feb 12 03:41:21 +0000 2018', 'id': 962894368767066112, 'text': '@amandacarpenter This game is about the athletes. Don’t rain on the Olympics. Shelf your politics for 2 was.', 'user.screen_name': 'LaurieBouchar12'}, {'created_at': 'Mon Feb 12 03:41:21 +0000 2018', 'id': 962894368414752769, 'text': 'RT @Spokesbird: Skraaarrk! Reactions to watching the Olympics, as told by ocean creatures: https://t.co/B4aXFCUkeH #EarnTheFern\ud83c\udf3f\xa0#PyeongCha…', 'user.screen_name': '7_ohmiya'}, {'created_at': 'Mon Feb 12 03:41:21 +0000 2018', 'id': 962894368167354368, 'text': 'RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://…', 'user.screen_name': 'drshnpatel'}, {'created_at': 'Mon Feb 12 03:41:21 +0000 2018', 'id': 962894367408181248, 'text': 'RT @BreakingNNow: #BREAKING: Canada has won Gold in the Figure Skating Team event at the Winter Olympics.', 'user.screen_name': 'Audreypearlz23'}, {'created_at': 'Mon Feb 12 03:41:21 +0000 2018', 'id': 962894366724456449, 'text': 'RT @SandraTXAS: CNN, NY Times, etc:\nUS mainstream media reckless in praise of Little Rocket Girl Kim Yo Jong. Undermining foreign affairs b…', 'user.screen_name': 'BuhByeHillary'}, {'created_at': 'Mon Feb 12 03:41:21 +0000 2018', 'id': 962894366581735424, 'text': "Adam Rippon's skate today though. \ud83d\udc4f\ud83d\udc4f\ud83d\udc4f #TeamUSA #Olympics", 'user.screen_name': 'Jasey6'}, {'created_at': 'Mon Feb 12 03:41:21 +0000 2018', 'id': 962894366296559617, 'text': 'So this guy was last and passed every. single. skier. To win. Only at the Olympics.... #respect https://t.co/nN8GI9Yrsh', 'user.screen_name': 'elexis_h'}, {'created_at': 'Mon Feb 12 03:41:21 +0000 2018', 'id': 962894366128857088, 'text': 'RT @BuzzFeed: Mirai Nagasu just became the first US woman to land the triple axel at the Olympics https://t.co/JLdvT17Q9t https://t.co/T4mX…', 'user.screen_name': 'OhhKimmiekoe'}, {'created_at': 'Mon Feb 12 03:41:21 +0000 2018', 'id': 962894365851971584, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'Emily_1797'}, {'created_at': 'Mon Feb 12 03:41:21 +0000 2018', 'id': 962894365378015232, 'text': 'RT @greenikkie: #WINNER on "Sports Hochi" and "Nikkan Sports" (News Paper with the focus of Sports and Entertainment) Interestingly, they b…', 'user.screen_name': 'WayamaYukihiro'}, {'created_at': 'Mon Feb 12 03:41:21 +0000 2018', 'id': 962894365118124033, 'text': '@NBCOlympics Wait - so no woman has done a triple axel in olympics???', 'user.screen_name': 'dissentingj'}, {'created_at': 'Mon Feb 12 03:41:20 +0000 2018', 'id': 962894364979748865, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'emilykchilton'}, {'created_at': 'Mon Feb 12 03:41:20 +0000 2018', 'id': 962894364681916416, 'text': "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on…", 'user.screen_name': 'xtabaychaparro'}, {'created_at': 'Mon Feb 12 03:41:20 +0000 2018', 'id': 962894364262457344, 'text': 'RT @BuzzFeed: Mirai Nagasu just became the first US woman to land the triple axel at the Olympics https://t.co/JLdvT17Q9t https://t.co/T4mX…', 'user.screen_name': 'AlexaSa135'}, {'created_at': 'Mon Feb 12 03:41:20 +0000 2018', 'id': 962894364262330368, 'text': 'RT @Clefairyhyun: Acc to this article, the artists in the opening and closing of the Olympics ceremony, Exo included, receive little to no…', 'user.screen_name': 'kyngshoo'}, {'created_at': 'Mon Feb 12 03:41:20 +0000 2018', 'id': 962894363872374784, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': '_terralu'}, {'created_at': 'Mon Feb 12 03:41:20 +0000 2018', 'id': 962894363226525696, 'text': 'RT @KristySwansonXO: I Am Beyond Excited! Tyler Is Gonna Hold On To His Gloves For Me \ud83d\ude03 He Was My Team Captain On The @HollywoodCurl Team C…', 'user.screen_name': 'benvoncronos'}, {'created_at': 'Mon Feb 12 03:41:20 +0000 2018', 'id': 962894362958073856, 'text': 'RT @peachyblackgorl: as the winter Olympics begin....never forget about Surya Bonaly, a French figure skater who did a backflip and landed…', 'user.screen_name': 'NicaRozier'}, {'created_at': 'Mon Feb 12 03:41:20 +0000 2018', 'id': 962894362307805184, 'text': 'RT @CBCOlympics: Medal Alert \ud83d\udea8\n\nCanada guaranteed to win first gold medal in figure skating team event \ud83c\udde8\ud83c\udde6 \ud83e\udd47 #PyeongChang2018 \n\nWatch Tessa…', 'user.screen_name': 'The_Unicorn22'}, {'created_at': 'Mon Feb 12 03:41:20 +0000 2018', 'id': 962894362207191040, 'text': 'RT @BuzzFeedNews: Mirai Nagasu just became the first American woman in history to land a triple axel at the Winter Olympics(!) https://t.co…', 'user.screen_name': 'Alexa_romo1'}, {'created_at': 'Mon Feb 12 03:41:20 +0000 2018', 'id': 962894361737359361, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'HYPERSILVER777'}, {'created_at': 'Mon Feb 12 03:41:20 +0000 2018', 'id': 962894361724968961, 'text': 'RT @TechnicallyRon: Your definitive guide to the sports of the 2018 Winter Olympics https://t.co/Oyon5qfHBc', 'user.screen_name': 'spacedaydreamer'}, {'created_at': 'Mon Feb 12 03:41:20 +0000 2018', 'id': 962894361691172864, 'text': "I like how some of these ice skaters dress up. It's like cosplay on ice. #Olympics", 'user.screen_name': 'TheDoIIars'}, {'created_at': 'Mon Feb 12 03:41:20 +0000 2018', 'id': 962894361557176320, 'text': '@Lesdoggg live tweeting the Olympics gives me life. \ud83d\ude02\ud83d\ude02\ud83d\ude02 she’s sooooo funny and true. You go girl! #Olympics2018', 'user.screen_name': 'lizpro2401'}, {'created_at': 'Mon Feb 12 03:41:20 +0000 2018', 'id': 962894361401835520, 'text': 'RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.', 'user.screen_name': 'HeyGenevieve'}, {'created_at': 'Mon Feb 12 03:41:20 +0000 2018', 'id': 962894361087430656, 'text': 'They should put diving competitions in the winter Olympics. And also hold them outside.', 'user.screen_name': 'johncheese'}, {'created_at': 'Mon Feb 12 03:41:19 +0000 2018', 'id': 962894360793767936, 'text': 'RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G', 'user.screen_name': 'toonys_tweets'}, {'created_at': 'Mon Feb 12 03:41:19 +0000 2018', 'id': 962894360433053696, 'text': 'RT @tedlieu: Congratulations to Mirai Nagasu for being the first American in history to land a triple axle at the Winter Olympics! https://…', 'user.screen_name': 'jdclements50'}, {'created_at': 'Mon Feb 12 03:41:19 +0000 2018', 'id': 962894360034525184, 'text': 'RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G', 'user.screen_name': 'bwv_816'}, {'created_at': 'Mon Feb 12 03:41:19 +0000 2018', 'id': 962894359640260608, 'text': 'The Italian ice dancers are really lovely but I feel like either his shirt should be white or her costume yellow? M… https://t.co/4HMHTHDvU5', 'user.screen_name': 'WintersRegan'}, {'created_at': 'Mon Feb 12 03:41:19 +0000 2018', 'id': 962894359371833345, 'text': "RT @ReutersSports: North Korean cheerleaders sing 'We are one!' in Games culture clash https://t.co/SRwMycYLFR @pearswick #PyeongChang2018…", 'user.screen_name': 'twinkleyapp'}, {'created_at': 'Mon Feb 12 03:41:19 +0000 2018', 'id': 962894358864216064, 'text': 'RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G', 'user.screen_name': 'BarbaritaRunner'}, {'created_at': 'Mon Feb 12 03:41:19 +0000 2018', 'id': 962894357815812097, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'diablejambe'}, {'created_at': 'Mon Feb 12 03:41:19 +0000 2018', 'id': 962894357669011456, 'text': 'RT @sohanjnu1: Winter Olympics 2018 opening ceremony: Korean athletes enter under unified flag – live! https://t.co/EhDOMK5MmA', 'user.screen_name': 'RealBobHoward'}, {'created_at': 'Mon Feb 12 03:41:19 +0000 2018', 'id': 962894357534781441, 'text': 'RT @TrumpGirlStrong: No desire whatsoever to watch #Olympics with so many whiny bitches representing USA - or shall I say "representing the…', 'user.screen_name': 'KahlerSabrina'}, {'created_at': 'Mon Feb 12 03:41:19 +0000 2018', 'id': 962894357371244544, 'text': 'RT @hotfunkytown: Race reared its ugly head at the Olympics. Davis boycotted the opening ceremonies using #blackhistorymonth\n\nFor Shani Da…', 'user.screen_name': 'JarredMattingl3'}, {'created_at': 'Mon Feb 12 03:41:19 +0000 2018', 'id': 962894357161529344, 'text': 'RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G', 'user.screen_name': 'spencebrandon3'}, {'created_at': 'Mon Feb 12 03:41:19 +0000 2018', 'id': 962894356830093312, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'jessianna_r'}, {'created_at': 'Mon Feb 12 03:41:18 +0000 2018', 'id': 962894356649861121, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'dbol1964'}, {'created_at': 'Mon Feb 12 03:41:18 +0000 2018', 'id': 962894356595331072, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'CMontclaire45'}, {'created_at': 'Mon Feb 12 03:41:18 +0000 2018', 'id': 962894356414894081, 'text': 'RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face…', 'user.screen_name': 'careuhhlynn'}, {'created_at': 'Mon Feb 12 03:41:18 +0000 2018', 'id': 962894356385550339, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'dianen207'}, {'created_at': 'Mon Feb 12 03:41:18 +0000 2018', 'id': 962894356326834177, 'text': 'RT @CarolineSiede: This on-ice interview he did with Tyler Oakley made me fall in love with Adam Rippon. #Olympics #Pyeonchang2018 https://…', 'user.screen_name': 'ljessg'}, {'created_at': 'Mon Feb 12 03:41:18 +0000 2018', 'id': 962894355739566080, 'text': 'Retweeted Sarah (@sarah_liza21):\n\nAgain... this Italian team is just so charming \ud83d\udc96\ud83d\udc96\ud83d\udc96 #PyeongChang2018 #Olympics #OlympicGames #FigureSkating', 'user.screen_name': 'SashaCAiresse'}, {'created_at': 'Mon Feb 12 03:41:18 +0000 2018', 'id': 962894355626446849, 'text': 'RT @CBCOlympics: Medal Alert \ud83d\udea8\n\nCanada guaranteed to win first gold medal in figure skating team event \ud83c\udde8\ud83c\udde6 \ud83e\udd47 #PyeongChang2018 \n\nWatch Tessa…', 'user.screen_name': '_KMarcotte'}, {'created_at': 'Mon Feb 12 03:41:18 +0000 2018', 'id': 962894355341238273, 'text': 'RT @CoxWebDev: Hey @NBCSports I know there are other sports going on besides figure skating. Can we see some of those? #Olympics', 'user.screen_name': 'ViralDonutz'}, {'created_at': 'Mon Feb 12 03:41:18 +0000 2018', 'id': 962894355034984448, 'text': 'RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face…', 'user.screen_name': 'angxlitav'}, {'created_at': 'Mon Feb 12 03:41:18 +0000 2018', 'id': 962894354846187521, 'text': 'RT @hotfunkytown: Race reared its ugly head at the Olympics. Davis boycotted the opening ceremonies using #blackhistorymonth\n\nFor Shani Da…', 'user.screen_name': 'jayMAGA45'}, {'created_at': 'Mon Feb 12 03:41:18 +0000 2018', 'id': 962894354724671489, 'text': "I'm a proud supporter of democracy and runaway spending so I only root for the European countries that nearly collapsed in 2008. #Olympics", 'user.screen_name': 'zacklemore92'}, {'created_at': 'Mon Feb 12 03:41:18 +0000 2018', 'id': 962894354602962944, 'text': 'Still a fan of the snowboard slopestyle event, but it is kind of interesting to hear the announcers talk about how,… https://t.co/AjTvmrfZBl', 'user.screen_name': 'KBecks_ATC'}, {'created_at': 'Mon Feb 12 03:41:18 +0000 2018', 'id': 962894354078621696, 'text': 'RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.', 'user.screen_name': 'BIGSEXYYT'}, {'created_at': 'Mon Feb 12 03:41:18 +0000 2018', 'id': 962894353927680000, 'text': 'RT @rockerskating: In case you need to know, the tiebreaker rules for the #Olympics #figureskating Team Event https://t.co/goLqHw85oA', 'user.screen_name': 'dukebaby401'}, {'created_at': 'Mon Feb 12 03:41:18 +0000 2018', 'id': 962894353294245889, 'text': 'RT @linzsports: Four years ago, Adam Rippon and MIrai Nagasu were eating in-n-out burger in California, crying and watching the Sochi Olymp…', 'user.screen_name': 'LeeCaraher'}, {'created_at': 'Mon Feb 12 03:41:18 +0000 2018', 'id': 962894352983953408, 'text': "RT @NBCOlympics: Italy's Carolina Kostner was magnificent in the ladies' short program. #WinterOlympics https://t.co/a8E2Sv9O2T https://t.c…", 'user.screen_name': 'ChrisPe00000486'}, {'created_at': 'Mon Feb 12 03:41:18 +0000 2018', 'id': 962894352933679104, 'text': 'RT @pronounced_ing: Also, I’m having a lot of feelings at seeing so many Asian Americans in the spotlight the Olympics. I remember what see…', 'user.screen_name': 'Anthropic'}, {'created_at': 'Mon Feb 12 03:41:18 +0000 2018', 'id': 962894352593940485, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'gabi32luis'}, {'created_at': 'Mon Feb 12 03:41:17 +0000 2018', 'id': 962894352245719042, 'text': 'This is amazing!!! \ud83d\ude01\ud83d\ude01\ud83d\ude01#Olympics https://t.co/c88Z4o1UQM', 'user.screen_name': 'jesschnei'}, {'created_at': 'Mon Feb 12 03:41:17 +0000 2018', 'id': 962894351637602305, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': '_clayonce'}, {'created_at': 'Mon Feb 12 03:41:17 +0000 2018', 'id': 962894351150989312, 'text': 'Holy damn! Italy’s ice dance performance is mesmerising!! I mean, the lady is too graceful omg \ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\udc4f\ud83d\udc4f\ud83d\udc4f #figureskating #Olympics', 'user.screen_name': 'matelliii'}, {'created_at': 'Mon Feb 12 03:41:17 +0000 2018', 'id': 962894350928642049, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'sunezzell'}, {'created_at': 'Mon Feb 12 03:41:17 +0000 2018', 'id': 962894350345801733, 'text': 'RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.', 'user.screen_name': 'AmericanBoxFan'}, {'created_at': 'Mon Feb 12 03:41:17 +0000 2018', 'id': 962894350324727808, 'text': 'RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G', 'user.screen_name': 'doggietreat'}, {'created_at': 'Mon Feb 12 03:41:17 +0000 2018', 'id': 962894350236700672, 'text': 'RT @SohrabAhmari: Replace "North Korea" with "Germany" and add "1936" before "Olympics," and it\'ll give you a good sense of what a disgrace…', 'user.screen_name': 'pyarnes'}, {'created_at': 'Mon Feb 12 03:41:17 +0000 2018', 'id': 962894350077386753, 'text': 'RT @Heritage: The perverse fawning over brutal Kim Jong-un’s sister at the Olympics @bethanyshondark https://t.co/CTijmDXibJ https://t.co/O…', 'user.screen_name': 'JPhlps'}, {'created_at': 'Mon Feb 12 03:41:17 +0000 2018', 'id': 962894350047940608, 'text': "RT @CBCOlympics: When the event is delayed, women's slopestyle will play! \n\n@spencerobrien @LaurieBlouin Brooke Voigt @aimee_fuller \n\nLive…", 'user.screen_name': 'TitsDeep'}, {'created_at': 'Mon Feb 12 03:41:17 +0000 2018', 'id': 962894349318189061, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'kristennic27'}, {'created_at': 'Mon Feb 12 03:41:17 +0000 2018', 'id': 962894349087408129, 'text': 'RT @jpbrammer: my favorite part of the Olympics so far was when Aja jumped off that box', 'user.screen_name': 'thekaeleesi'}, {'created_at': 'Mon Feb 12 03:41:17 +0000 2018', 'id': 962894348349329408, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'ShaunLKelly1955'}, {'created_at': 'Mon Feb 12 03:41:17 +0000 2018', 'id': 962894348336721920, 'text': 'RT @RebeccaUgolini: Figure skating announcers: "The... very soul of... skating... lies within... this woman... splendid."\nSnowboarding anno…', 'user.screen_name': 'autumnbreezed'}, {'created_at': 'Mon Feb 12 03:41:16 +0000 2018', 'id': 962894348047220736, 'text': 'RT @JHanuszczyk: Imagine what if everyone who sees this bought a pair of Johnscrazysocks. 5% of profits go to Special Olympics. https://t.c…', 'user.screen_name': 'FubarFoot'}, {'created_at': 'Mon Feb 12 03:41:16 +0000 2018', 'id': 962894347707600897, 'text': "RT @guskenworthy: We're here. We're queer. Get used to it. @Adaripp #Olympics #OpeningCeremony https://t.co/OCeiqiY6BN", 'user.screen_name': 'herdesertplaces'}, {'created_at': 'Mon Feb 12 03:41:16 +0000 2018', 'id': 962894347552215040, 'text': 'RT @NBCOlympics: COMING UP: @mirai_nagasu returns to the #WinterOlympics!\n\nSee it on @nbc or stream it here: https://t.co/NsNuy9F46h https:…', 'user.screen_name': 'cristallum_arca'}, {'created_at': 'Mon Feb 12 03:41:16 +0000 2018', 'id': 962894347250253825, 'text': 'Winter Olympics 2018: Windy conditions cause Aimee Fuller problems in first run https://t.co/BKt08NEItu', 'user.screen_name': 'LIMITED_ZONE'}, {'created_at': 'Mon Feb 12 03:41:16 +0000 2018', 'id': 962894347187490817, 'text': "RT @CHENGANSITO: Since the Olympics just started I'm bringing back this iconic moment\n\n#EXOL #BestFanArmy #iHeartAwards @weareoneEXO PUPPY…", 'user.screen_name': 'zhazhma'}, {'created_at': 'Mon Feb 12 03:41:16 +0000 2018', 'id': 962894347019673600, 'text': 'RT @BuzzFeed: Mirai Nagasu just became the first US woman to land the triple axel at the Olympics https://t.co/JLdvT17Q9t https://t.co/T4mX…', 'user.screen_name': 'brooke_dunn143'}, {'created_at': 'Mon Feb 12 03:41:16 +0000 2018', 'id': 962894346478587904, 'text': 'RT @VP: Headed to the Olympics to cheer on #TeamUSA. One reporter trying to distort 18 yr old nonstory to sow seeds of division. We won’t l…', 'user.screen_name': 'BrandyRena_79'}, {'created_at': 'Mon Feb 12 03:41:16 +0000 2018', 'id': 962894345933414400, 'text': 'RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G', 'user.screen_name': 'browngirlvibes'}, {'created_at': 'Mon Feb 12 03:41:16 +0000 2018', 'id': 962894345668997121, 'text': 'tbh i both can and cannot believe that the US does not let you stream the olympics for free, adding this to the man… https://t.co/o3zM2wWjcV', 'user.screen_name': 'karaastone'}, {'created_at': 'Mon Feb 12 03:41:16 +0000 2018', 'id': 962894345497030656, 'text': 'RT @billboard: Korean singers and K-pop acts get drawn into Pyeongchang 2018 Winter Olympics! EXO and CL are set to perform at the closing…', 'user.screen_name': 'salsabilafr_'}, {'created_at': 'Mon Feb 12 03:41:16 +0000 2018', 'id': 962894345211863040, 'text': 'RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://…', 'user.screen_name': 'danasbrookes'}, {'created_at': 'Mon Feb 12 03:41:16 +0000 2018', 'id': 962894345048240128, 'text': 'RT @jongninied: EXO CHOSE NOT TO RECEIVE ANYTHING AS IT IS SUCH AN HONOR FOR THEM TO PERFORM AT THE CLOSING CEREMONY PYEONCHANG WINTER OLYM…', 'user.screen_name': 'PurpleNatelie'}, {'created_at': 'Mon Feb 12 03:41:16 +0000 2018', 'id': 962894344901529601, 'text': 'RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face…', 'user.screen_name': 'RachaelHash98'}, {'created_at': 'Mon Feb 12 03:41:16 +0000 2018', 'id': 962894344788365313, 'text': 'RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face…', 'user.screen_name': 'CarlyCausey'}, {'created_at': 'Mon Feb 12 03:41:16 +0000 2018', 'id': 962894344456777728, 'text': 'RT @ABC: U.S. figure skater Mirai Nagasu makes history, becoming the first American woman - and third overall - to land a triple axel in th…', 'user.screen_name': 'Earlgrey000052'}, {'created_at': 'Mon Feb 12 03:41:16 +0000 2018', 'id': 962894344268238853, 'text': 'RT @ChelseaClinton: Catching up on the Olympics. @Adaripp, you were spectacular on the ice and completely charming afterwards. Very proud y…', 'user.screen_name': 'JoshuaDeck2'}, {'created_at': 'Mon Feb 12 03:41:15 +0000 2018', 'id': 962894343995625473, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'PennyEMN'}, {'created_at': 'Mon Feb 12 03:41:15 +0000 2018', 'id': 962894343919976448, 'text': 'RT @TheAlexNevil: Nobody paid attention to Bob.\nHis ideas were dismissed.\nHis enthusiasm was laughed at.\n\nBut then he was hired by the Wint…', 'user.screen_name': 'lmwortho'}, {'created_at': 'Mon Feb 12 03:41:15 +0000 2018', 'id': 962894343693570048, 'text': "RT @btschartdata: [!] Another BTS' song played at #Olympics , '21st Century Girl' was used as background music in Women Hockey Match, Canad…", 'user.screen_name': 'AlejandraSiles3'}, {'created_at': 'Mon Feb 12 03:41:15 +0000 2018', 'id': 962894343618011136, 'text': "RT @CBCOlympics: #CAN's @tessavirtue & @ScottMoir skate 5th in the last event of the #FigureSkating Team Event. Even if they finish last, C…", 'user.screen_name': 'physedbum'}, {'created_at': 'Mon Feb 12 03:41:15 +0000 2018', 'id': 962894343483920385, 'text': 'RT @nytimes: Mike Pence denied a report that Adam Rippon, a gay American figure skater, had refused to meet with him. But the Olympic athle…', 'user.screen_name': 'laurenss14'}, {'created_at': 'Mon Feb 12 03:41:15 +0000 2018', 'id': 962894343257362433, 'text': "RT @RachelRoseGold1: Adam Rippon and Mirai Nagasu are roomies at the Olympics. They ate In and Out Burger when they didn't make the 2014 Ol…", 'user.screen_name': 'sharminated'}, {'created_at': 'Mon Feb 12 03:41:15 +0000 2018', 'id': 962894342917472256, 'text': 'Omg the Italian team free dance fr made me cry #Olympics', 'user.screen_name': 'SlayBitch666'}, {'created_at': 'Mon Feb 12 03:41:15 +0000 2018', 'id': 962894342674403333, 'text': "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on…", 'user.screen_name': 'alexpokerguy'}, {'created_at': 'Mon Feb 12 03:41:15 +0000 2018', 'id': 962894342351474695, 'text': 'RT @tedlieu: Congratulations to Mirai Nagasu for being the first American in history to land a triple axle at the Winter Olympics! https://…', 'user.screen_name': 'reddcurlz'}, {'created_at': 'Mon Feb 12 03:41:15 +0000 2018', 'id': 962894341575512065, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'mabess96'}, {'created_at': 'Mon Feb 12 03:41:15 +0000 2018', 'id': 962894341357297664, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'radicalanduhrew'}, {'created_at': 'Mon Feb 12 03:41:15 +0000 2018', 'id': 962894341202219009, 'text': 'RT @USATODAY: It doesn’t get much more impressive than this. https://t.co/La2NeZLE9J #Olympics', 'user.screen_name': 'kevinlockett'}, {'created_at': 'Mon Feb 12 03:41:15 +0000 2018', 'id': 962894340635832320, 'text': 'RT @sarah_liza21: Again... this Italian team is just so charming \ud83d\udc96\ud83d\udc96\ud83d\udc96 #PyeongChang2018 #Olympics #OlympicGames #FigureSkating', 'user.screen_name': 'SashaCAiresse'}, {'created_at': 'Mon Feb 12 03:41:15 +0000 2018', 'id': 962894340061323264, 'text': 'RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://…', 'user.screen_name': 'eDiscMatters'}, {'created_at': 'Mon Feb 12 03:41:15 +0000 2018', 'id': 962894340044582913, 'text': 'RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G', 'user.screen_name': 'sarumitrash'}, {'created_at': 'Mon Feb 12 03:41:15 +0000 2018', 'id': 962894339973132288, 'text': 'RT @jpbrammer: my favorite part of the Olympics so far was when Aja jumped off that box', 'user.screen_name': 'joshdotgif'}, {'created_at': 'Mon Feb 12 03:41:15 +0000 2018', 'id': 962894339943878656, 'text': 'RT @benshapiro: All you need to know about the media’s not-so-secret love for Marxist dictatorships can be seen in their treatment of the c…', 'user.screen_name': 'watin_dey'}, {'created_at': 'Mon Feb 12 03:41:14 +0000 2018', 'id': 962894339725766656, 'text': 'RT @BuzzFeed: Mirai Nagasu just became the first US woman to land the triple axel at the Olympics https://t.co/JLdvT17Q9t https://t.co/T4mX…', 'user.screen_name': 'Barbara80014143'}, {'created_at': 'Mon Feb 12 03:41:14 +0000 2018', 'id': 962894339708928000, 'text': 'I’m amazed at how people who have never played a particular sport suddenly become experts during the Olympics. It’s… https://t.co/zIw1SqsNm7', 'user.screen_name': 'itsmikebivins'}, {'created_at': 'Mon Feb 12 03:41:14 +0000 2018', 'id': 962894338748551173, 'text': 'RT @TheRickyDavila: It says something when our amazing athletes can so easily represent the United States with class, grace, honor, dignity…', 'user.screen_name': 'bdworkin'}, {'created_at': 'Mon Feb 12 03:41:14 +0000 2018', 'id': 962894338694008837, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'the_teezus'}, {'created_at': 'Mon Feb 12 03:41:14 +0000 2018', 'id': 962894338635321344, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'BrynnLay'}, {'created_at': 'Mon Feb 12 03:41:14 +0000 2018', 'id': 962894337955708928, 'text': 'RT @USATODAY: It doesn’t get much more impressive than this. https://t.co/La2NeZLE9J #Olympics', 'user.screen_name': 'randyslovacek'}, {'created_at': 'Mon Feb 12 03:41:14 +0000 2018', 'id': 962894337863401472, 'text': 'RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://…', 'user.screen_name': 'citlalli861'}, {'created_at': 'Mon Feb 12 03:41:14 +0000 2018', 'id': 962894337758629888, 'text': 'team free skating is so cute! some of the couples are really amazing! #Winter #Olympics 2018\ud83e\udd29✨', 'user.screen_name': 'simoneaustina'}, {'created_at': 'Mon Feb 12 03:41:14 +0000 2018', 'id': 962894337737744384, 'text': 'RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face…', 'user.screen_name': 'mattinwpg'}, {'created_at': 'Mon Feb 12 03:41:14 +0000 2018', 'id': 962894337670557697, 'text': 'Damn Italy that was beautiful. #Olympics2018 #olympics', 'user.screen_name': 'ChristineInLou'}, {'created_at': 'Mon Feb 12 03:41:14 +0000 2018', 'id': 962894337054068737, 'text': 'Wow...judges are especially shading the American figure skaters this year...they hate us. #Olympics', 'user.screen_name': 'MeLovesMLE'}, {'created_at': 'Mon Feb 12 03:41:14 +0000 2018', 'id': 962894336982577152, 'text': 'RT @maddysnekutai: winter olympics 2018? you mean the return of yuzuru hanyu and his infamous winnie the pooh tissue box https://t.co/0xu0C…', 'user.screen_name': 'mooglins'}, {'created_at': 'Mon Feb 12 03:41:14 +0000 2018', 'id': 962894336869335040, 'text': 'RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.', 'user.screen_name': 'Clogic3'}, {'created_at': 'Mon Feb 12 03:41:14 +0000 2018', 'id': 962894336865153024, 'text': "this Italian team's style is on point. #Olympics #figureskating", 'user.screen_name': 'irishbronco'}, {'created_at': 'Mon Feb 12 03:41:14 +0000 2018', 'id': 962894336701665282, 'text': 'PSA: Do not twitter while watching the Olympics. #spoilers', 'user.screen_name': 'jen_hedberg'}, {'created_at': 'Mon Feb 12 03:41:14 +0000 2018', 'id': 962894336601088002, 'text': "The bravest team with the most at risk at the #Olympics is the #NorthKoreanCheerleaders. If they don't perform with… https://t.co/X5x0IFH6yZ", 'user.screen_name': 'Wombat32'}, {'created_at': 'Mon Feb 12 03:41:14 +0000 2018', 'id': 962894336173121536, 'text': 'RT @joshrogin: Did I photobomb the North Korea cheer squad? Absolutely. #PyeongChang #Olympics H/T: @W7VOA https://t.co/q8WnOK7hhF', 'user.screen_name': 'Dan__i'}, {'created_at': 'Mon Feb 12 03:41:14 +0000 2018', 'id': 962894336005476352, 'text': 'RT @LanceUlanoff: Boom! 3.25– a first at the Winter #Olympics #nagasu #tripleaxel https://t.co/f5sG2pJVb8', 'user.screen_name': 'RoadsideWonders'}, {'created_at': 'Mon Feb 12 03:41:14 +0000 2018', 'id': 962894335925784576, 'text': '@ljqzhang All of the sudden I care about the Olympics', 'user.screen_name': 'alindsaydiaz'}, {'created_at': 'Mon Feb 12 03:41:14 +0000 2018', 'id': 962894335825113088, 'text': 'RT @morgan_murphy: I am having a separate Olympics at my house and it’s completely thrilling. https://t.co/sonV0zWGCe', 'user.screen_name': 'chesspoof'}, {'created_at': 'Mon Feb 12 03:41:14 +0000 2018', 'id': 962894335820861440, 'text': '@KattyKayBBC US should be boycotting the Olympics as part of sanctions against the korean duopoluy', 'user.screen_name': 'ALLSOLUTIONS_'}, {'created_at': 'Mon Feb 12 03:41:13 +0000 2018', 'id': 962894335627808769, 'text': 'RT @BleacherReport: Mirai Nagasu becomes the first U.S. woman to land a triple axel at the #WinterOlympics \n\n\ud83c\udfa5: https://t.co/sG1l47slJ4 htt…', 'user.screen_name': 'u2bheavenbound'}, {'created_at': 'Mon Feb 12 03:41:13 +0000 2018', 'id': 962894335397236736, 'text': '@bec901 I was watching the Olympics in the room before we went to the track. And Dan Hicks is a commentator for NB… https://t.co/a05EFmW1lu', 'user.screen_name': 'ldock93'}, {'created_at': 'Mon Feb 12 03:41:13 +0000 2018', 'id': 962894335321677826, 'text': 'RT @chalanlexi: MIDORI-MAO-MIRAI --- Three women who landed the difficult triple axel in the Olympics #Midori, #MaoAsada and @mirai_nagasu.…', 'user.screen_name': 'nica_idling'}, {'created_at': 'Mon Feb 12 03:41:13 +0000 2018', 'id': 962894335279878144, 'text': "RT @StandWithUs: Israel's \ud83c\uddee\ud83c\uddf1️ Aimee Buchanan wows the crowd in the Olympics team competition today! ⛸️ ⛸️ ⛸️ We are so proud!\n\n\ud83c\uddee\ud83c\uddf1️ GO TEA…", 'user.screen_name': 'indifrundig'}, {'created_at': 'Mon Feb 12 03:41:13 +0000 2018', 'id': 962894335015612417, 'text': 'RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://…', 'user.screen_name': 'LaMonica'}, {'created_at': 'Mon Feb 12 03:41:13 +0000 2018', 'id': 962894334952534016, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'pacortez16'}, {'created_at': 'Mon Feb 12 03:41:13 +0000 2018', 'id': 962894334910545926, 'text': 'The only part of the olympics I care about is figure skating', 'user.screen_name': 'yokoneris'}, {'created_at': 'Mon Feb 12 03:41:13 +0000 2018', 'id': 962894334789120001, 'text': 'These ice skating athletes are so amazing. Can we at least get them fabric that doesn’t show sweat stains? #Olympics #IceDancing', 'user.screen_name': 'JillBidenVeep'}, {'created_at': 'Mon Feb 12 03:41:13 +0000 2018', 'id': 962894334541606912, 'text': 'Johnny Weir: "This free skate program is almost like running a full marathon and then 50 sprints right after". No,… https://t.co/oafxiHWywu', 'user.screen_name': 'realdjm14'}, {'created_at': 'Mon Feb 12 03:41:13 +0000 2018', 'id': 962894334239518720, 'text': "RT @btschartdata: [!] Another BTS' song played at #Olympics , '21st Century Girl' was used as background music in Women Hockey Match, Canad…", 'user.screen_name': 'JungKoo18767621'}, {'created_at': 'Mon Feb 12 03:41:13 +0000 2018', 'id': 962894333585313793, 'text': 'RT @ABC: U.S. figure skater Mirai Nagasu makes history, becoming the first American woman - and third overall - to land a triple axel in th…', 'user.screen_name': 'empresswenjing'}, {'created_at': 'Mon Feb 12 03:41:13 +0000 2018', 'id': 962894333107204096, 'text': 'Game Changing Tech in action. The PyeongChang games have the most widespread use of 360-degree virtual reality... https://t.co/vw9fdyv7j4', 'user.screen_name': 'NextStepCincy'}, {'created_at': 'Mon Feb 12 03:41:13 +0000 2018', 'id': 962894332834598912, 'text': '@3L3V3NTH Well sort of, the Russians - who were kicked out for doping - still sent athletes under a code name. The… https://t.co/WAAuoJr6l8', 'user.screen_name': 'MockingJayMom'}, {'created_at': 'Mon Feb 12 03:41:13 +0000 2018', 'id': 962894332448550914, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'GaelFC'}, {'created_at': 'Mon Feb 12 03:41:13 +0000 2018', 'id': 962894332356452352, 'text': 'RT @romania_sistas: @NBCOlympics From this younger age to a triple in the Olympics....so proud)))) https://t.co/dPmEmuy5OK', 'user.screen_name': 'BongioviSue'}, {'created_at': 'Mon Feb 12 03:41:13 +0000 2018', 'id': 962894332259811328, 'text': "Decision to hold women's snowboard slopestyle in windy conditions looks questionable after numerous wipeouts https://t.co/OZvY7VHSXK", 'user.screen_name': 'DanWolken'}, {'created_at': 'Mon Feb 12 03:41:13 +0000 2018', 'id': 962894332243013637, 'text': '@null Winter Olympics 2018: Windy conditions cause Aimee Fuller problems in first run https://t.co/OF7pFUWCBc', 'user.screen_name': 'RAMOSSAVIOR'}, {'created_at': 'Mon Feb 12 03:41:13 +0000 2018', 'id': 962894332037648384, 'text': 'RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G', 'user.screen_name': 'YuravageGtrPlyr'}, {'created_at': 'Mon Feb 12 03:41:13 +0000 2018', 'id': 962894331781685248, 'text': 'RT @chalanlexi: MIDORI-MAO-MIRAI --- Three women who landed the difficult triple axel in the Olympics #Midori, #MaoAsada and @mirai_nagasu.…', 'user.screen_name': 'mizuesan'}, {'created_at': 'Mon Feb 12 03:41:13 +0000 2018', 'id': 962894331756535808, 'text': 'Tonya Harding did it 3 decades ago, not at the Olympics! https://t.co/N8AEIrSJlb', 'user.screen_name': 'FitToPrint'}, {'created_at': 'Mon Feb 12 03:41:13 +0000 2018', 'id': 962894331634946048, 'text': 'RT @VABVOX: This is the campaign from @Toyota for the Olympics & Paralympics. \nAs a paralyzed person (and former athlete), I really appreci…', 'user.screen_name': 'RenwriterRenee'}, {'created_at': 'Mon Feb 12 03:41:13 +0000 2018', 'id': 962894331593089024, 'text': "RT @my2k: LOOK AT THEIR FACES THEY'RE SO HAPPY OMG #olympics", 'user.screen_name': 'elknight20'}, {'created_at': 'Mon Feb 12 03:41:12 +0000 2018', 'id': 962894331190349824, 'text': 'RT @BuzzFeedNews: Mirai Nagasu just became the first American woman in history to land a triple axel at the Winter Olympics(!) https://t.co…', 'user.screen_name': 'andreaxduarte'}, {'created_at': 'Mon Feb 12 03:41:12 +0000 2018', 'id': 962894331114852352, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'kenbutnobarbie'}, {'created_at': 'Mon Feb 12 03:41:12 +0000 2018', 'id': 962894331081363456, 'text': 'RT @RichOToole: Winter Olympics looking like The Hunger Games https://t.co/7sDAxeC9ir', 'user.screen_name': 'coffeetalkwc'}, {'created_at': 'Mon Feb 12 03:41:12 +0000 2018', 'id': 962894330510811136, 'text': 'RT @tedlieu: Congratulations to Mirai Nagasu for being the first American in history to land a triple axle at the Winter Olympics! https://…', 'user.screen_name': 'SteveHensonME'}, {'created_at': 'Mon Feb 12 03:41:12 +0000 2018', 'id': 962894329755918337, 'text': "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on…", 'user.screen_name': 'suburbanmon'}, {'created_at': 'Mon Feb 12 03:41:12 +0000 2018', 'id': 962894328610816001, 'text': 'RT @tedlieu: Congratulations to Mirai Nagasu for being the first American in history to land a triple axle at the Winter Olympics! https://…', 'user.screen_name': 'justicelover'}, {'created_at': 'Mon Feb 12 03:41:12 +0000 2018', 'id': 962894328522665984, 'text': 'RT @olympicchannel: Start your day right with the @Olympics \ud83e\udd5e\ud83d\ude0b #PyeongChang2018 https://t.co/MJYc7cyHjv', 'user.screen_name': 'llovejy0822'}, {'created_at': 'Mon Feb 12 03:41:12 +0000 2018', 'id': 962894328166305792, 'text': 'that was better than LIFE IS BEAUTIFUL #Olympics', 'user.screen_name': 'nicksgoodtweets'}, {'created_at': 'Mon Feb 12 03:41:11 +0000 2018', 'id': 962894327218307072, 'text': '@jaketapper Seriously why are your cohorts falling all over themselves in praise of NK and it’s representatives at the Olympics?', 'user.screen_name': 'djb_in_cbus'}, {'created_at': 'Mon Feb 12 03:41:11 +0000 2018', 'id': 962894327117594625, 'text': 'RT @TheRickyDavila: It says something when our amazing athletes can so easily represent the United States with class, grace, honor, dignity…', 'user.screen_name': 'Rmart0311'}, {'created_at': 'Mon Feb 12 03:41:11 +0000 2018', 'id': 962894327033688064, 'text': 'RT @jongninied: EXO CHOSE NOT TO RECEIVE ANYTHING AS IT IS SUCH AN HONOR FOR THEM TO PERFORM AT THE CLOSING CEREMONY PYEONCHANG WINTER OLYM…', 'user.screen_name': 'honeybear0114'}, {'created_at': 'Mon Feb 12 03:41:11 +0000 2018', 'id': 962894326333231104, 'text': 'RT @nytimes: Mike Pence denied a report that Adam Rippon, a gay American figure skater, had refused to meet with him. But the Olympic athle…', 'user.screen_name': 'Gaudias1927'}, {'created_at': 'Mon Feb 12 03:41:11 +0000 2018', 'id': 962894326153072641, 'text': 'Olympics Figure Skating Live Results: Canada Leads; US Third https://t.co/8P93NyGqkw', 'user.screen_name': 'esveerst0e'}, {'created_at': 'Mon Feb 12 03:41:11 +0000 2018', 'id': 962894325976776704, 'text': "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on…", 'user.screen_name': 'witchybyun'}, {'created_at': 'Mon Feb 12 03:41:11 +0000 2018', 'id': 962894325641134080, 'text': "RT @saminseok: EXO chose not to receive compensation for performing at the Olympics\ud83d\ude2d \n\nHonor > money ❤️ We love the Nation's pick!\n\n#EXOL #…", 'user.screen_name': 'tresyameiy'}, {'created_at': 'Mon Feb 12 03:41:11 +0000 2018', 'id': 962894325565853696, 'text': 'RT @BayAreaKoreans: In 2002, Shin Hyo Sun & Shim Misun, two 14 year old girls in South Korea, were killed when US soldiers ran a tank over…', 'user.screen_name': 'brucezzhang'}, {'created_at': 'Mon Feb 12 03:41:11 +0000 2018', 'id': 962894325465088001, 'text': 'RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://…', 'user.screen_name': 'xPa0lax'}, {'created_at': 'Mon Feb 12 03:41:11 +0000 2018', 'id': 962894325439975424, 'text': 'RT @KAy_TIEmyshoes: I love the Olympics https://t.co/YarQnjbr9c', 'user.screen_name': 'HHuffhines'}, {'created_at': 'Mon Feb 12 03:41:11 +0000 2018', 'id': 962894325330792448, 'text': 'RT @Lesdoggg: What. Is. This!!!!! @NBCOlympics @Olympics https://t.co/SQuWG7nVYZ', 'user.screen_name': 'troysteinmetz'}, {'created_at': 'Mon Feb 12 03:41:11 +0000 2018', 'id': 962894324957507584, 'text': 'Dutch fans troll Trump at the Olympics with flag: “Sorry Mr. President. The Netherlands First… And 2nd… And 3rd”… https://t.co/Zw4iSDWiIK', 'user.screen_name': 'Bunny_Godfather'}, {'created_at': 'Mon Feb 12 03:41:11 +0000 2018', 'id': 962894324898856960, 'text': 'RT @HarryPotterMAGE: As #Olympics2018 shift to sports, what on Earth happened? \nQuite simply, there were N and S Korea, side by side in th…', 'user.screen_name': 'SoniaRo59106523'}, {'created_at': 'Mon Feb 12 03:41:11 +0000 2018', 'id': 962894324580212736, 'text': "RT @paulwaldman1: +1000. I've written before about how the diversity of our team is the coolest thing about the Olympics, and a quadrennial…", 'user.screen_name': 'clrih9'}, {'created_at': 'Mon Feb 12 03:41:11 +0000 2018', 'id': 962894324223520769, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'cjc708'}, {'created_at': 'Mon Feb 12 03:41:11 +0000 2018', 'id': 962894324013944833, 'text': 'RT @hueber_sydney: FIRST US WOMAN TO LAND A TRIPLE AXEL AT THE #Olympics YES MY GIIIIIRL YOU DID IT ! ! \n#PyeongChang2018 #MiraiNagasu @mir…', 'user.screen_name': 'thegazelle22'}, {'created_at': 'Mon Feb 12 03:41:11 +0000 2018', 'id': 962894323946803200, 'text': "RT @Maryland4Trump2: What's funny is liberals are against taking military action against North Korea, but if Kim was making insensitive com…", 'user.screen_name': 'emfbd'}, {'created_at': 'Mon Feb 12 03:41:11 +0000 2018', 'id': 962894323254665216, 'text': 'When I find out Canada won gold at the olympics #canada https://t.co/fjEjdLwjFf', 'user.screen_name': 'Sports6ix'}, {'created_at': 'Mon Feb 12 03:41:10 +0000 2018', 'id': 962894322927628288, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'AMEMEGUY'}, {'created_at': 'Mon Feb 12 03:41:10 +0000 2018', 'id': 962894322906497024, 'text': 'RT @billboard: Korean singers and K-pop acts get drawn into Pyeongchang 2018 Winter Olympics! EXO and CL are set to perform at the closing…', 'user.screen_name': 'sehunnnn14'}, {'created_at': 'Mon Feb 12 03:41:10 +0000 2018', 'id': 962894322898104320, 'text': "There's another U.S. power couple at Olympics https://t.co/5UAms03BD7 via @yahoo", 'user.screen_name': 'JKamka'}, {'created_at': 'Mon Feb 12 03:41:10 +0000 2018', 'id': 962894322483040256, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'harjjo'}, {'created_at': 'Mon Feb 12 03:41:10 +0000 2018', 'id': 962894321136623621, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'BreanaJean'}, {'created_at': 'Mon Feb 12 03:41:10 +0000 2018', 'id': 962894321052631040, 'text': 'RT @NBCOlympics: Quite the dramatic entrance for 2010 Olympic champion @Yunaaaa. #WinterOlympics #OpeningCeremony https://t.co/Ay5QOzAHZD h…', 'user.screen_name': 'dabsorama'}, {'created_at': 'Mon Feb 12 03:41:10 +0000 2018', 'id': 962894320960389120, 'text': 'RT @vlissful: i was simply reporting that the north korean cheering squad was dancing while a BTS song, blood sweat & tears, was playing at…', 'user.screen_name': 'lunetwt'}, {'created_at': 'Mon Feb 12 03:41:10 +0000 2018', 'id': 962894320708800512, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'CeciliayueWang'}, {'created_at': 'Mon Feb 12 03:41:10 +0000 2018', 'id': 962894320419434496, 'text': 'RT @AnnaApp91838450: https://t.co/E2yd8MEmn7\nLeave it to our Corrupt Bias Fake \nMedia To Put The Spot Light on North Korea Cheerleaders\ud83d\udc4e\ud83c\uddfa\ud83c\uddf8…', 'user.screen_name': 'toiletman01'}, {'created_at': 'Mon Feb 12 03:41:10 +0000 2018', 'id': 962894319609876480, 'text': 'RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G', 'user.screen_name': 'Dev24Sev'}, {'created_at': 'Mon Feb 12 03:41:10 +0000 2018', 'id': 962894319593156608, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'Smelty246'}, {'created_at': 'Mon Feb 12 03:41:10 +0000 2018', 'id': 962894319442042881, 'text': 'RT @RedTRaccoon: Showing a complete lack of respect and class, Mike Pence refuses to stand for any country other than the United States at…', 'user.screen_name': 'michaelj45000'}, {'created_at': 'Mon Feb 12 03:41:10 +0000 2018', 'id': 962894319362469888, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'pineappIemily'}, {'created_at': 'Mon Feb 12 03:41:10 +0000 2018', 'id': 962894319307849728, 'text': 'Me waiting for #VirtueMoir to begin skating and thinking about their clearly platonic friendship:\n\n#Olympics… https://t.co/UHAkCyTIJc', 'user.screen_name': 'Lem0nade23'}, {'created_at': 'Mon Feb 12 03:41:10 +0000 2018', 'id': 962894319232237568, 'text': "RT @TheNewMusicBuzz: BUZZ BITES: K-Pop Was Celebrated at the Opening Ceremony as USA Comes out to @psy_oppa'Gangnam Style' and @bts_bighit…", 'user.screen_name': 'elmafatika'}, {'created_at': 'Mon Feb 12 03:41:10 +0000 2018', 'id': 962894319135928320, 'text': '#digitaltransformation in action with the #olympics2018 Tech companies built infrastructure for billions to view https://t.co/ukgaCswWtp', 'user.screen_name': 'sakura280869'}, {'created_at': 'Mon Feb 12 03:41:10 +0000 2018', 'id': 962894319119159296, 'text': 'If this was my NBC app fun fact while I was skating my damn ass off in the olympics I would get divorced.… https://t.co/pjfewY5JmO', 'user.screen_name': 'Alyssa_Dawn'}, {'created_at': 'Mon Feb 12 03:41:10 +0000 2018', 'id': 962894319014342657, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'scuttling'}, {'created_at': 'Mon Feb 12 03:41:10 +0000 2018', 'id': 962894318985007104, 'text': 'RT @DLoesch: Who determined this? They’ve made no concessions, starve and torture their populace, threaten war, and all they have to do is…', 'user.screen_name': 'SgtNickBristow'}, {'created_at': 'Mon Feb 12 03:41:09 +0000 2018', 'id': 962894318917873664, 'text': '@Lesdoggg @NBCOlympics @Olympics Begging for Tara and Johnny to host SNL...who do I need to contact?\nPlease and tha… https://t.co/dVlX9HszcU', 'user.screen_name': 'realthisgirl'}, {'created_at': 'Mon Feb 12 03:41:09 +0000 2018', 'id': 962894318825623552, 'text': "RT @TIME: Tara Lipinski and Johnny Weir's brutal skating commentary should be an Olympic sport https://t.co/cYf0Z0PTOH", 'user.screen_name': 'LetsGoHeather'}, {'created_at': 'Mon Feb 12 03:41:09 +0000 2018', 'id': 962894318678749184, 'text': 'RT @BetteMidler: Yes, I’m watching the Winter Olympics while grinding my teeth\nwatching our Government, hurtling down a slippery slope unt…', 'user.screen_name': 'rpj66'}, {'created_at': 'Mon Feb 12 03:41:09 +0000 2018', 'id': 962894318062071809, 'text': 'RT @TorontoStar: Canada has won its first gold medal of the Pyeongchang Winter Olympics. https://t.co/QE8AbJ5gpG', 'user.screen_name': 'jesshwprince'}, {'created_at': 'Mon Feb 12 03:41:09 +0000 2018', 'id': 962894317554511873, 'text': 'RT @Clefairyhyun: Acc to this article, the artists in the opening and closing of the Olympics ceremony, Exo included, receive little to no…', 'user.screen_name': 'oviani0114'}, {'created_at': 'Mon Feb 12 03:41:09 +0000 2018', 'id': 962894317391106048, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'rabbighiniVW'}, {'created_at': 'Mon Feb 12 03:41:09 +0000 2018', 'id': 962894317101592576, 'text': 'RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G', 'user.screen_name': 'Kkalihane'}, {'created_at': 'Mon Feb 12 03:41:09 +0000 2018', 'id': 962894317068128258, 'text': "RT @RepMarkMeadows: While some in the media look fondly upon North Korea during the Olympics, I can't help but recall this from 2 weeks ago…", 'user.screen_name': 'Right_This_Ship'}, {'created_at': 'Mon Feb 12 03:41:09 +0000 2018', 'id': 962894316757815301, 'text': "RT @RachelRoseGold1: Adam Rippon and Mirai Nagasu are roomies at the Olympics. They ate In and Out Burger when they didn't make the 2014 Ol…", 'user.screen_name': 'ouatlover468'}, {'created_at': 'Mon Feb 12 03:41:09 +0000 2018', 'id': 962894315935621122, 'text': 'RT @NumbersMuncher: Kim Jong Un himself has to be shocked at how easy it is to win the media over after decades of murdering his own people…', 'user.screen_name': 'beinpulse'}, {'created_at': 'Mon Feb 12 03:41:09 +0000 2018', 'id': 962894315608530945, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'Miguel_Yunda'}, {'created_at': 'Mon Feb 12 03:41:09 +0000 2018', 'id': 962894314937430017, 'text': 'Being both Dutch and Canadian, I can safely say that the Winter Olympics are my jam. #sven', 'user.screen_name': '_allard'}, {'created_at': 'Mon Feb 12 03:41:08 +0000 2018', 'id': 962894314509549570, 'text': 'Nicely done Italy. I got a little teary eyed. #icedance #olympics', 'user.screen_name': 'SandiAdy'}, {'created_at': 'Mon Feb 12 03:41:08 +0000 2018', 'id': 962894314153050112, 'text': "RT @WBURartery: Trying to watch the #Olympics, but you #cutthecord? Here's how to watch: https://t.co/NRFZ1G5i3Y", 'user.screen_name': 'IronicMusic'}, {'created_at': 'Mon Feb 12 03:41:08 +0000 2018', 'id': 962894314035601408, 'text': 'RT @HRC: RT to cheer on Adam Rippon (@AdaRipp) at the #Olympics! https://t.co/KIO5zX9z6i', 'user.screen_name': 'RainbowAurora88'}, {'created_at': 'Mon Feb 12 03:41:08 +0000 2018', 'id': 962894313452552192, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'Spa5m'}, {'created_at': 'Mon Feb 12 03:41:08 +0000 2018', 'id': 962894313410658305, 'text': 'RT @RobbySpankme: @Quadrant4change I’ll know they’re serious about Winter Olympics when they add snow shoveling & black ice driving', 'user.screen_name': 'starzwithfeet'}, {'created_at': 'Mon Feb 12 03:41:08 +0000 2018', 'id': 962894313133715456, 'text': 'RT @DLoesch: She’s such a good person because she showed up at the Olympics, right? That makes up for the labor camps; rapes; murder of men…', 'user.screen_name': 'kerin_wotsirb'}, {'created_at': 'Mon Feb 12 03:41:08 +0000 2018', 'id': 962894312995516416, 'text': '#TeamItalia pairs free skate for their team performance is an amazing display of artistry and story telling. So muc… https://t.co/nIo3WkqZwa', 'user.screen_name': 'Shoujothoughts'}, {'created_at': 'Mon Feb 12 03:41:08 +0000 2018', 'id': 962894312806608896, 'text': 'RT @TheRickyDavila: Adam Rippon was absolutely incredible. What a masterful routine and a beautiful display of artistry. Spellbinding. So p…', 'user.screen_name': 'THEMissB_says'}, {'created_at': 'Mon Feb 12 03:41:08 +0000 2018', 'id': 962894312584364037, 'text': 'RT @saminseok: good morning, korean media says Olympics athletes and are all secretly/openly excited that the world stars EXO are performin…', 'user.screen_name': 'smilechennieee'}, {'created_at': 'Mon Feb 12 03:41:08 +0000 2018', 'id': 962894312575942657, 'text': 'RT @CBCOlympics: Medal Alert \ud83d\udea8\n\nCanada guaranteed to win first gold medal in figure skating team event \ud83c\udde8\ud83c\udde6 \ud83e\udd47 #PyeongChang2018 \n\nWatch Tessa…', 'user.screen_name': 'dana_abossi'}, {'created_at': 'Mon Feb 12 03:41:08 +0000 2018', 'id': 962894312542437376, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'that1pendeja'}, {'created_at': 'Mon Feb 12 03:41:08 +0000 2018', 'id': 962894312437682178, 'text': 'RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.', 'user.screen_name': 'KeithAltarac'}, {'created_at': 'Mon Feb 12 03:41:08 +0000 2018', 'id': 962894312437633025, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'TalBG5'}, {'created_at': 'Mon Feb 12 03:41:08 +0000 2018', 'id': 962894312403955713, 'text': 'RT @seohyundaily: Imagine getting call from Blue House to perform historic concert same day for Olympics in presence of President....with n…', 'user.screen_name': 'PastelRosePearl'}, {'created_at': 'Mon Feb 12 03:41:08 +0000 2018', 'id': 962894312328581120, 'text': "RT @FearDept: At #Olympics opening ceremonies:\n- Kim Jong Un’s sister stood & clapped for Team America\n- VP Mike Pence didn't acknowledge N…", 'user.screen_name': 'NotMeCharles'}, {'created_at': 'Mon Feb 12 03:41:08 +0000 2018', 'id': 962894312202821632, 'text': 'RT @NBCOlympics: Alina Zagitova was simply flawless, and her teammate Evgenia Medvedeva was LOVING IT! #WinterOlympics https://t.co/NsNuy9F…', 'user.screen_name': 'inuyashas_'}, {'created_at': 'Mon Feb 12 03:41:08 +0000 2018', 'id': 962894312169246720, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'maisany'}, {'created_at': 'Mon Feb 12 03:41:08 +0000 2018', 'id': 962894312089489408, 'text': 'RT @peachyblackgorl: as the winter Olympics begin....never forget about Surya Bonaly, a French figure skater who did a backflip and landed…', 'user.screen_name': 'otrasIou'}, {'created_at': 'Mon Feb 12 03:41:08 +0000 2018', 'id': 962894311330283521, 'text': 'RT @tedlieu: Congratulations to Mirai Nagasu for being the first American in history to land a triple axle at the Winter Olympics! https://…', 'user.screen_name': 'fastwriter2'}, {'created_at': 'Mon Feb 12 03:41:08 +0000 2018', 'id': 962894311229739009, 'text': 'RT @KHOU: Mirai Nagasu is first American woman to land triple axel during Olympics https://t.co/j1SV2Jsg2e #khou https://t.co/hqaASrv8jQ', 'user.screen_name': 'Like_A_Ross16'}, {'created_at': 'Mon Feb 12 03:41:08 +0000 2018', 'id': 962894311149981696, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'SHeczko'}, {'created_at': 'Mon Feb 12 03:41:08 +0000 2018', 'id': 962894311095455744, 'text': 'Mirai Nagasu Just Became the First American Woman to Land a Triple Axel in the Winter Olympics - Jezebel https://t.co/bfp5gRdjc0', 'user.screen_name': 'UserGlobal'}, {'created_at': 'Mon Feb 12 03:41:08 +0000 2018', 'id': 962894311015829505, 'text': 'lesbuchanan: Summer Olympics: Who can run the fastest? :) Who can swim the fastest? :) Who can do the best... https://t.co/FgQKhzYDxk', 'user.screen_name': 'theESC'}, {'created_at': 'Mon Feb 12 03:41:08 +0000 2018', 'id': 962894310952919040, 'text': 'Hard to believe that there are families that don’t watch the Olympics together. It’s literally our favorite thing.… https://t.co/jXptnKzf4i', 'user.screen_name': 'WPBCharlie'}, {'created_at': 'Mon Feb 12 03:41:08 +0000 2018', 'id': 962894310818697216, 'text': 'Not an Olympics follower but I am so here for this https://t.co/4uGquztg0S', 'user.screen_name': 'BCWallin'}, {'created_at': 'Mon Feb 12 03:41:08 +0000 2018', 'id': 962894310692683776, 'text': 'Yonghwa should have been at the Olympics but that was stolen from him by SBS and KHU. Give him justice!… https://t.co/qKcM2cKcLL', 'user.screen_name': 'PurpleInYrEyes'}, {'created_at': 'Mon Feb 12 03:41:08 +0000 2018', 'id': 962894310613041153, 'text': 'RT @Rosie: beautiful man - beautiful soul \n#AdamRippon - national hero\n#Olympics https://t.co/MbjOoXJhP6', 'user.screen_name': 'sharilynns65'}, {'created_at': 'Mon Feb 12 03:41:07 +0000 2018', 'id': 962894310114054145, 'text': 'RT @LanceUlanoff: Boom! 3.25– a first at the Winter #Olympics #nagasu #tripleaxel https://t.co/f5sG2pJVb8', 'user.screen_name': 'Aznmomma69'}, {'created_at': 'Mon Feb 12 03:41:07 +0000 2018', 'id': 962894310017400832, 'text': 'RT @chalanlexi: MIDORI-MAO-MIRAI --- Three women who landed the difficult triple axel in the Olympics #Midori, #MaoAsada and @mirai_nagasu.…', 'user.screen_name': 'lennan6'}, {'created_at': 'Mon Feb 12 03:41:07 +0000 2018', 'id': 962894309778509825, 'text': 'Figure skating is like professional wrestling. When it’s at its best, it’s transcendent; it’s sports entertainment. #Olympics #WWE', 'user.screen_name': 'TheCoachAdair'}, {'created_at': 'Mon Feb 12 03:41:07 +0000 2018', 'id': 962894309442932739, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'Gabby_Zibell'}, {'created_at': 'Mon Feb 12 03:41:07 +0000 2018', 'id': 962894308864090112, 'text': 'RT @nytimes: Mike Pence denied a report that Adam Rippon, a gay American figure skater, had refused to meet with him. But the Olympic athle…', 'user.screen_name': 'HelmsMedia'}, {'created_at': 'Mon Feb 12 03:41:07 +0000 2018', 'id': 962894308440530944, 'text': 'I couldn’t help but smile wth Capellini/Lanotte. #PyeongChang2018 #Olympics #FigureSkating', 'user.screen_name': 'NaiDarling'}, {'created_at': 'Mon Feb 12 03:41:07 +0000 2018', 'id': 962894308322918401, 'text': 'It\'s Olympics season aka "OHMIGOD you\'ve been practicing your whole life to FALL IN THE FIRST 20 SECONDS WHAT THE F… https://t.co/fiLXSJ9RnQ', 'user.screen_name': 'kayfrizzz'}, {'created_at': 'Mon Feb 12 03:41:07 +0000 2018', 'id': 962894308239073280, 'text': "RT @donnyosmond: Debbie & I are watching the @Olympics tonight and we think it's so cool that there's an Osmond in the Olympics. @kaetlyn_2…", 'user.screen_name': 'BobbySudds'}, {'created_at': 'Mon Feb 12 03:41:07 +0000 2018', 'id': 962894307576504321, 'text': 'That "obscure" sport has been around for 600 years and is quite popular in many parts of the world. You might want… https://t.co/NbDLE43KSl', 'user.screen_name': 'dreamsof2005'}, {'created_at': 'Mon Feb 12 03:41:07 +0000 2018', 'id': 962894307488358405, 'text': 'RT @sidewalkangels: In the shadow of the Olympics, a brutal trade in dog meat (opinion) - CNN https://t.co/gFOY9So3ho', 'user.screen_name': 'YaRicher'}, {'created_at': 'Mon Feb 12 03:41:07 +0000 2018', 'id': 962894307043758080, 'text': 'RT @Machaizelli: A figure skater just made American Olympic history and the NBC commentators still had to compare her to the men #Olympics…', 'user.screen_name': 'MichelleHalm'}, {'created_at': 'Mon Feb 12 03:41:07 +0000 2018', 'id': 962894306875977729, 'text': 'RT @CharlieDaniels: There’s a Cowboy Olympics in Las Vegas every December\nIts called the National Finals Rodeo and its the toughest games i…', 'user.screen_name': 'sonshineandrain'}, {'created_at': 'Mon Feb 12 03:41:07 +0000 2018', 'id': 962894306829680640, 'text': 'The ice skaters in the olympics are soo good \ud83d\ude0d', 'user.screen_name': 'Danielle053101'}, {'created_at': 'Mon Feb 12 03:41:06 +0000 2018', 'id': 962894306208989184, 'text': 'RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face…', 'user.screen_name': 'ModernMarvel_14'}, {'created_at': 'Mon Feb 12 03:41:06 +0000 2018', 'id': 962894306112569345, 'text': "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on…", 'user.screen_name': 'megasorusrex'}, {'created_at': 'Mon Feb 12 03:41:06 +0000 2018', 'id': 962894306045517824, 'text': "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on…", 'user.screen_name': 'victorialynn___'}, {'created_at': 'Mon Feb 12 03:41:06 +0000 2018', 'id': 962894305915531264, 'text': 'RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G', 'user.screen_name': 'Mr_LeRok'}, {'created_at': 'Mon Feb 12 03:41:06 +0000 2018', 'id': 962894305860902912, 'text': 'RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G', 'user.screen_name': 'maldy777'}, {'created_at': 'Mon Feb 12 03:41:06 +0000 2018', 'id': 962894304619520000, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'carlysschaublin'}, {'created_at': 'Mon Feb 12 03:41:06 +0000 2018', 'id': 962894304438992898, 'text': "RT @MKBHD: Ok this drone light show during the opening ceremonies of the Olympics is definitely one of the coolest thing I've ever seen. HO…", 'user.screen_name': 'amalaey'}, {'created_at': 'Mon Feb 12 03:41:06 +0000 2018', 'id': 962894304380268544, 'text': 'RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://…', 'user.screen_name': 'DeepEndDining'}, {'created_at': 'Mon Feb 12 03:41:06 +0000 2018', 'id': 962894303608623105, 'text': 'RT @reuterspictures: Snowboarder Mark McMorris of Canada celebrates winning bronze less than a year after after nearly dying in backcountry…', 'user.screen_name': 'De94989504O'}, {'created_at': 'Mon Feb 12 03:41:06 +0000 2018', 'id': 962894303348506629, 'text': 'RT @TechnicallyRon: Your definitive guide to the sports of the 2018 Winter Olympics https://t.co/Oyon5qfHBc', 'user.screen_name': 'doubleflutz'}, {'created_at': 'Mon Feb 12 03:41:06 +0000 2018', 'id': 962894303176491008, 'text': 'RT @olympicchannel: That feeling when you land the first triple axel by a @TeamUSA woman at the #Olympics! \ud83e\udd29\ud83e\udd17 An incredible moment for @mir…', 'user.screen_name': 'BluecosmosH'}, {'created_at': 'Mon Feb 12 03:41:06 +0000 2018', 'id': 962894303059161088, 'text': 'RT @bleuvaIentine: naomi campbell, london olympics closing ceremony (2012) https://t.co/Jhj45iTf1e', 'user.screen_name': 'lisa_shwayze'}, {'created_at': 'Mon Feb 12 03:41:06 +0000 2018', 'id': 962894303034003456, 'text': 'I enjoy figure skating at the #Olympics as much as the next casual fan, but I cannot wait for the day they allow queer skating pairs \ud83d\ude0d', 'user.screen_name': 'rachelhwrites'}, {'created_at': 'Mon Feb 12 03:41:06 +0000 2018', 'id': 962894302840942593, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'JulieFrey10'}, {'created_at': 'Mon Feb 12 03:41:06 +0000 2018', 'id': 962894302836940801, 'text': 'RT @olympicchannel: That feeling when you land the first triple axel by a @TeamUSA woman at the #Olympics! \ud83e\udd29\ud83e\udd17 An incredible moment for @mir…', 'user.screen_name': 'Sandy_NM'}, {'created_at': 'Mon Feb 12 03:41:06 +0000 2018', 'id': 962894302585044992, 'text': 'RT @NBCOlympics: COMING UP: @mirai_nagasu returns to the #WinterOlympics!\n\nSee it on @nbc or stream it here: https://t.co/NsNuy9F46h https:…', 'user.screen_name': 'yuzurunrun357'}, {'created_at': 'Mon Feb 12 03:41:06 +0000 2018', 'id': 962894302501392384, 'text': 'RT @jeantinb: Sorry #Trump @POTUS \nThe Netherlands First - Second and Thirth!! #Olympics #Iceskating https://t.co/KqUbBB3jE5', 'user.screen_name': 'EduardoPradoTV'}, {'created_at': 'Mon Feb 12 03:41:06 +0000 2018', 'id': 962894302324998144, 'text': "@mitchellvii I've got a USA Hockey hat - just waiting for the real games at the Olympics", 'user.screen_name': 'caarecengi'}, {'created_at': 'Mon Feb 12 03:41:06 +0000 2018', 'id': 962894302258057216, 'text': "RT @therebeccasun: Mirai Nagasu didn't need to redeem herself, because she always deserved to make the 2014 Olympic team. What she did was…", 'user.screen_name': 'LorenLChen'}, {'created_at': 'Mon Feb 12 03:41:05 +0000 2018', 'id': 962894301842804736, 'text': '@jimmyfallon @FallonTonight here is our daughter, Bailey, competing in some at-home winter Olympics! #goldmedalbaby https://t.co/uVMMviplwh', 'user.screen_name': 'ElverKelsey'}, {'created_at': 'Mon Feb 12 03:41:05 +0000 2018', 'id': 962894301566001154, 'text': 'RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://…', 'user.screen_name': 'SteveCalderon85'}, {'created_at': 'Mon Feb 12 03:41:05 +0000 2018', 'id': 962894301490569221, 'text': 'Ahh this #Olympics #IceDancing is making me want an #OutlawQueen manip of Robin & Regina as figure skaters,', 'user.screen_name': 'MediaKAT1912'}, {'created_at': 'Mon Feb 12 03:41:05 +0000 2018', 'id': 962894300467159041, 'text': 'RT @BuzzFeed: Mirai Nagasu just became the first US woman to land the triple axel at the Olympics https://t.co/JLdvT17Q9t https://t.co/T4mX…', 'user.screen_name': 'kelceycee'}, {'created_at': 'Mon Feb 12 03:41:05 +0000 2018', 'id': 962894300022386689, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': '910escape'}, {'created_at': 'Mon Feb 12 03:41:05 +0000 2018', 'id': 962894300018221056, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'thewilliam'}, {'created_at': 'Mon Feb 12 03:41:05 +0000 2018', 'id': 962894299879768065, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'neptuniabox'}, {'created_at': 'Mon Feb 12 03:41:05 +0000 2018', 'id': 962894299850473472, 'text': 'These Winter Olympics are making me want to watch Yuri on Ice again!!', 'user.screen_name': 'kaymarie47'}, {'created_at': 'Mon Feb 12 03:41:05 +0000 2018', 'id': 962894299791745025, 'text': '@nolanfast @Olympics Valid point. You just have to do it at 60+ miles per hour', 'user.screen_name': 'thatgirlfromOH'}, {'created_at': 'Mon Feb 12 03:41:05 +0000 2018', 'id': 962894299007504385, 'text': 'RT @CdnPress: BREAKING: Canada wins gold medal in team figure skating at #PyeongChang2018 Olympics\n\n#TeamCanada https://t.co/CMrTX8xsz1', 'user.screen_name': 'MaxColella1'}, {'created_at': 'Mon Feb 12 03:41:05 +0000 2018', 'id': 962894298709557253, 'text': '@ririkyos yo the winter olympics belong to Asians this year everyone is just tearing. this. shit. upppPPPPPppp', 'user.screen_name': 'T1mco'}, {'created_at': 'Mon Feb 12 03:41:05 +0000 2018', 'id': 962894298432901121, 'text': 'RT @BuzzFeedNews: Mirai Nagasu just became the first American woman in history to land a triple axel at the Winter Olympics(!) https://t.co…', 'user.screen_name': 'ghayes221'}, {'created_at': 'Mon Feb 12 03:41:05 +0000 2018', 'id': 962894298202042369, 'text': "RT @CBCOlympics: When the event is delayed, women's slopestyle will play! \n\n@spencerobrien @LaurieBlouin Brooke Voigt @aimee_fuller \n\nLive…", 'user.screen_name': 'TinDizzy'}, {'created_at': 'Mon Feb 12 03:41:05 +0000 2018', 'id': 962894298004865025, 'text': 'Things I would like to see changed in Winter Olympics: 1. Put figure skating in its own channel so I don’t ever hav… https://t.co/1GBiCzFzK8', 'user.screen_name': 'Tpstewart8'}, {'created_at': 'Mon Feb 12 03:41:04 +0000 2018', 'id': 962894297648549889, 'text': 'The latest U.S. Flash Feed ! https://t.co/bbXJOLu8sI #olympics #winterolympics', 'user.screen_name': 'Flash_Feed'}, {'created_at': 'Mon Feb 12 03:41:04 +0000 2018', 'id': 962894297598189569, 'text': 'RT @jewellwindrow: the figure skating olympics are so intense', 'user.screen_name': '_laureneliz'}, {'created_at': 'Mon Feb 12 03:41:04 +0000 2018', 'id': 962894297426141184, 'text': 'RT @wani_chenchen: Power play in Dubai Fountain \nEXO perform in Winter Olympics closing ceremony\nJunmyeon, Kyungsoo & Sehun new drama/ film…', 'user.screen_name': 'silverscky'}, {'created_at': 'Mon Feb 12 03:41:04 +0000 2018', 'id': 962894297040281606, 'text': 'RT @Olympics: Anything is possible. @markmcmorris #NeverGiveUp #PyeongChang2018 #Olympics https://t.co/485NH8MJUq', 'user.screen_name': 'leona_banana'}, {'created_at': 'Mon Feb 12 03:41:04 +0000 2018', 'id': 962894296897740806, 'text': 'RT @ABC: U.S. figure skater Mirai Nagasu makes history, becoming the first American woman - and third overall - to land a triple axel in th…', 'user.screen_name': 'lindseykhale'}, {'created_at': 'Mon Feb 12 03:41:04 +0000 2018', 'id': 962894296847237120, 'text': "RT @CNN: Last year he almost died in a snowboarding accident. Now he's won bronze at the Olympics. https://t.co/S9Rf6QufiQ https://t.co/BiZ…", 'user.screen_name': 'beaucarborundum'}, {'created_at': 'Mon Feb 12 03:41:04 +0000 2018', 'id': 962894296771907584, 'text': "RT @Maryland4Trump2: What's funny is liberals are against taking military action against North Korea, but if Kim was making insensitive com…", 'user.screen_name': 'inittowinit007'}, {'created_at': 'Mon Feb 12 03:41:04 +0000 2018', 'id': 962894296721457153, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': '_khaleesikay_'}, {'created_at': 'Mon Feb 12 03:41:04 +0000 2018', 'id': 962894296658710528, 'text': 'RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://…', 'user.screen_name': 'Stillsaucinmare'}, {'created_at': 'Mon Feb 12 03:41:04 +0000 2018', 'id': 962894296532824064, 'text': 'RT @TheRickyDavila: It says something when our amazing athletes can so easily represent the United States with class, grace, honor, dignity…', 'user.screen_name': 'candacemickey1'}, {'created_at': 'Mon Feb 12 03:41:04 +0000 2018', 'id': 962894296369201154, 'text': 'RT @BetteMidler: Yes, I’m watching the Winter Olympics while grinding my teeth\nwatching our Government, hurtling down a slippery slope unt…', 'user.screen_name': 'FoxxyGlamKitty'}, {'created_at': 'Mon Feb 12 03:41:04 +0000 2018', 'id': 962894296163610624, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'kimprovising'}, {'created_at': 'Mon Feb 12 03:41:04 +0000 2018', 'id': 962894295945523200, 'text': 'RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://…', 'user.screen_name': 'kenianotx'}, {'created_at': 'Mon Feb 12 03:41:04 +0000 2018', 'id': 962894295605874688, 'text': 'RT @tedlieu: Congratulations to Mirai Nagasu for being the first American in history to land a triple axle at the Winter Olympics! https://…', 'user.screen_name': 'luciahoff'}, {'created_at': 'Mon Feb 12 03:41:04 +0000 2018', 'id': 962894294817259521, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'jimstamant'}, {'created_at': 'Mon Feb 12 03:41:04 +0000 2018', 'id': 962894294687215616, 'text': 'RT @StandingDarrell: @ericbolling \ud83c\uddfa\ud83c\uddf8I’d rather watch grass grow than either a leftist/muslim propaganda show or the self indulgent orgy of…', 'user.screen_name': 'norvilgirl'}, {'created_at': 'Mon Feb 12 03:41:04 +0000 2018', 'id': 962894294544613378, 'text': "RT @rockerskating: From Muramoto/Reed's protocols, the calls seem to be less strict today - 5 lvl 4 elements, 1 lvl 3 on the diagonal step,…", 'user.screen_name': 'as_a_ki'}, {'created_at': 'Mon Feb 12 03:41:04 +0000 2018', 'id': 962894294439878657, 'text': 'RT @AmericaFirstPAC: Congrats @RedmondGerard on bringing home the first gold medal for @TeamUSA! #Olympics2018\ud83e\udd47https://t.co/zKVon8N5OY', 'user.screen_name': 'tnevilletx2'}, {'created_at': 'Mon Feb 12 03:41:04 +0000 2018', 'id': 962894294435745793, 'text': "@NBCOlympics reference wopeople's #snowboard competition at #Olympics tell you announcers that it's called the… https://t.co/i2nGCKRShN", 'user.screen_name': 'CarlSpry'}, {'created_at': 'Mon Feb 12 03:41:04 +0000 2018', 'id': 962894293944938497, 'text': 'RT @pourmecoffee: Incredible double-jump by the Russian athlete at the Olympics. https://t.co/R2oftxmlsV', 'user.screen_name': 'chelleinchicago'}, {'created_at': 'Mon Feb 12 03:41:04 +0000 2018', 'id': 962894293810659328, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'lizzifranceska'}, {'created_at': 'Mon Feb 12 03:41:04 +0000 2018', 'id': 962894293781438465, 'text': 'RT @mamaloie: @brithume @kits54 Not watching the Olympics. I would rather miss the whole week than listen to our media’s drivel.', 'user.screen_name': 'SabinaSweet16'}, {'created_at': 'Mon Feb 12 03:41:03 +0000 2018', 'id': 962894293034774528, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'katie_6943'}, {'created_at': 'Mon Feb 12 03:41:03 +0000 2018', 'id': 962894292892225537, 'text': 'Beautiful skate from Team Italy. #olympics', 'user.screen_name': 'Destini41'}, {'created_at': 'Mon Feb 12 03:41:03 +0000 2018', 'id': 962894292820873216, 'text': '@BenSuttonISP @TeamUSA @Olympics @pyeongchang2018 What’s the old saying? Flying is easy, it’s the landing that’s tu… https://t.co/o7cP8FplIC', 'user.screen_name': 'Mark_CWilson'}, {'created_at': 'Mon Feb 12 03:41:03 +0000 2018', 'id': 962894292678250502, 'text': 'RT @BuzzFeedNews: Mirai Nagasu just became the first American woman in history to land a triple axel at the Winter Olympics(!) https://t.co…', 'user.screen_name': 'savannah_jackk'}, {'created_at': 'Mon Feb 12 03:41:03 +0000 2018', 'id': 962894292661493760, 'text': "RT @Olympics: That moment when you win your country's first ever men's singles Olympic #luge medal in history! Congratulations @Mazdzer! \ud83d\udc4f\ud83d\udc4f…", 'user.screen_name': 'laureenm01'}, {'created_at': 'Mon Feb 12 03:41:03 +0000 2018', 'id': 962894292183379968, 'text': '#Annacappellini and #LucaLanotte that was just breath taking!! #figureskating #Olympics #PyeongChang2018 #Italy', 'user.screen_name': 'beakey3'}, {'created_at': 'Mon Feb 12 03:41:03 +0000 2018', 'id': 962894291923238913, 'text': 'RT @BuzzFeedNews: Mirai Nagasu just became the first American woman in history to land a triple axel at the Winter Olympics(!) https://t.co…', 'user.screen_name': 'BMK0204'}, {'created_at': 'Mon Feb 12 03:41:03 +0000 2018', 'id': 962894291919036416, 'text': "RT @CBCNews: BREAKING: Canada's first gold in Pyeongchang will be in figure skating https://t.co/8wKDWpzISR", 'user.screen_name': '_warriorstrongx'}, {'created_at': 'Mon Feb 12 03:41:03 +0000 2018', 'id': 962894291763740672, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'RedTheTrucker'}, {'created_at': 'Mon Feb 12 03:41:03 +0000 2018', 'id': 962894291302600704, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'gabbyrooo'}, {'created_at': 'Mon Feb 12 03:41:03 +0000 2018', 'id': 962894290908139520, 'text': "RT @RepMarkMeadows: While some in the media look fondly upon North Korea during the Olympics, I can't help but recall this from 2 weeks ago…", 'user.screen_name': 'nickbarnesaus'}, {'created_at': 'Mon Feb 12 03:41:03 +0000 2018', 'id': 962894290883174400, 'text': 'https://t.co/PaqtIc7kjF: "Winter Olympics 2018: Windy conditions cause Aimee Fuller problems in first run" https://t.co/2jMRxHLmdr', 'user.screen_name': 'SportsNewsBet'}, {'created_at': 'Mon Feb 12 03:41:03 +0000 2018', 'id': 962894290585255936, 'text': "RT @FoxNews: CNN slammed for glowing puff piece about Kim Jong Un's sister at Olympics https://t.co/OBkZEtFD15", 'user.screen_name': 'rp_robinson'}, {'created_at': 'Mon Feb 12 03:41:03 +0000 2018', 'id': 962894290446835712, 'text': 'RT @GlobalBC: Do you care about the Olympics at all?\nhttps://t.co/maGeVrznKZ', 'user.screen_name': 'Mike49117484'}, {'created_at': 'Mon Feb 12 03:41:03 +0000 2018', 'id': 962894290409132032, 'text': 'RT @USATODAY: It doesn’t get much more impressive than this. https://t.co/La2NeZLE9J #Olympics', 'user.screen_name': 'anboyd0806'}, {'created_at': 'Mon Feb 12 03:41:03 +0000 2018', 'id': 962894290161754112, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'silkyjoons'}, {'created_at': 'Mon Feb 12 03:41:03 +0000 2018', 'id': 962894289645768704, 'text': "RT @RealMAGASteve: RETWEET - If you believe @CNN should be recognized as North Korea's Official State Propaganda Network after their perver…", 'user.screen_name': 'cindy_uzzell'}, {'created_at': 'Mon Feb 12 03:41:03 +0000 2018', 'id': 962894289633124353, 'text': "RT @btschartdata: [!] Another BTS' song played at #Olympics , '21st Century Girl' was used as background music in Women Hockey Match, Canad…", 'user.screen_name': 'PinkVunny'}, {'created_at': 'Mon Feb 12 03:41:03 +0000 2018', 'id': 962894289591291904, 'text': 'I’m watching the partner ice skating Olympics at Apollo’s and there’s no sound so I’m imagining all of them are ska… https://t.co/Wuw4HJnkbl', 'user.screen_name': 'JordanBillings1'}, {'created_at': 'Mon Feb 12 03:41:02 +0000 2018', 'id': 962894289368899584, 'text': "\ud83c\udf47 It's a damn shame McKayla Maroney isn't in the Olympics this year (27 Photos)\n\nhttps://t.co/V46adsI7xc", 'user.screen_name': 'eustoliagasser'}, {'created_at': 'Mon Feb 12 03:41:02 +0000 2018', 'id': 962894289121488896, 'text': 'RT @Slate: Mirai Nagasu is the third woman to do a triple axel in the Olympics. Watch all three: https://t.co/gQO2lcL2Uh https://t.co/HveC5…', 'user.screen_name': 'NigelHaarstad'}, {'created_at': 'Mon Feb 12 03:41:02 +0000 2018', 'id': 962894289117241344, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'Minion_Vale'}, {'created_at': 'Mon Feb 12 03:41:02 +0000 2018', 'id': 962894288655929344, 'text': "RT @nytimes: The Olympics in Pyeongchang are in full swing. Here's what you may have missed, from the perspective of our photographers. htt…", 'user.screen_name': 'lolahwalker'}, {'created_at': 'Mon Feb 12 03:41:02 +0000 2018', 'id': 962894288408363009, 'text': 'RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face…', 'user.screen_name': 'carmenyount'}, {'created_at': 'Mon Feb 12 03:41:02 +0000 2018', 'id': 962894287829655552, 'text': "RT @SInow: You can't fake this kind of chemistry https://t.co/rEsmxO8rHs", 'user.screen_name': 'Mayrely_Rojas'}, {'created_at': 'Mon Feb 12 03:41:02 +0000 2018', 'id': 962894287439581184, 'text': 'Highkey gonna start saving for Tokyo 2020 Olympics at the end of this year.', 'user.screen_name': 'MilenaToro_'}, {'created_at': 'Mon Feb 12 03:41:02 +0000 2018', 'id': 962894287095713792, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'RouhiJaan'}, {'created_at': 'Mon Feb 12 03:41:02 +0000 2018', 'id': 962894287053770752, 'text': 'RT @ABC: U.S. figure skater Mirai Nagasu makes history, becoming the first American woman - and third overall - to land a triple axel in th…', 'user.screen_name': 'PottstownNews'}, {'created_at': 'Mon Feb 12 03:41:02 +0000 2018', 'id': 962894287041019904, 'text': "RT @CBCAlerts: BREAKING: Canada's first gold in Pyeongchang will be in figure skating https://t.co/lZnL5HPwQT", 'user.screen_name': 'Toby1Kanobe'}, {'created_at': 'Mon Feb 12 03:41:02 +0000 2018', 'id': 962894286831398912, 'text': 'RT @Lesdoggg: Then this outfit LORDT!!!!! @NBCOlympics @Olympics https://t.co/W6sMnrvuPg', 'user.screen_name': 'DJMKHennelz'}, {'created_at': 'Mon Feb 12 03:41:02 +0000 2018', 'id': 962894286785261568, 'text': 'RT @KAy_TIEmyshoes: I love the Olympics https://t.co/YarQnjbr9c', 'user.screen_name': 'lovalle25'}, {'created_at': 'Mon Feb 12 03:41:02 +0000 2018', 'id': 962894285971623937, 'text': "RT @CNN: Last year he almost died in a snowboarding accident. Now he's won bronze at the Olympics. https://t.co/S9Rf6QufiQ https://t.co/BiZ…", 'user.screen_name': 'KimiMom3'}, {'created_at': 'Mon Feb 12 03:41:02 +0000 2018', 'id': 962894285594091521, 'text': 'This is what self confidence looks like. An exceptional performance! Outstanding! \n#Olympics #OlympicWinterGames https://t.co/CEb6ytuO3j', 'user.screen_name': 'prevostscifi'}, {'created_at': 'Mon Feb 12 03:41:02 +0000 2018', 'id': 962894285593968640, 'text': "RT @AlpineGarrison: Is everybody enjoying the Olympics?\n\nAlpine Garrison actually went through the trials but unfortunately didn't make the…", 'user.screen_name': 'kindy0416'}, {'created_at': 'Mon Feb 12 03:41:02 +0000 2018', 'id': 962894285589721088, 'text': 'RT @LegendsExoOT9: Dont forget to watch Nations Boygroup EXO who will perform as Koreas representatives in Olympics #ClosingCeremony on 25t…', 'user.screen_name': 'mylordsehun'}, {'created_at': 'Mon Feb 12 03:41:02 +0000 2018', 'id': 962894285564608512, 'text': 'RT @hotfunkytown: Race reared its ugly head at the Olympics. Davis boycotted the opening ceremonies using #blackhistorymonth\n\nFor Shani Da…', 'user.screen_name': 'cordia_83'}, {'created_at': 'Mon Feb 12 03:41:02 +0000 2018', 'id': 962894285401042944, 'text': 'RT @vonhonkington: really excited for the olympics this year https://t.co/5UMAIoKh7U', 'user.screen_name': 'norimaro_game'}, {'created_at': 'Mon Feb 12 03:41:01 +0000 2018', 'id': 962894285334081536, 'text': "RT @TheEconomist: On some days during the 2016 Olympics almost half the tests were abandoned because the testers couldn't find the athletes…", 'user.screen_name': 'stephaniekays'}, {'created_at': 'Mon Feb 12 03:41:01 +0000 2018', 'id': 962894284998565889, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'MEG_nog98'}, {'created_at': 'Mon Feb 12 03:41:01 +0000 2018', 'id': 962894284881096706, 'text': '@NickyBlack17 Jason Belmonti pro bowler is from Australia I call him the thunder from down under he won championshi… https://t.co/VCJualUNK1', 'user.screen_name': 'TheRobertDennis'}, {'created_at': 'Mon Feb 12 03:41:01 +0000 2018', 'id': 962894284826451968, 'text': '@JKNo_emi @the50person It’s the Olympics you will not get any calls...', 'user.screen_name': 'chiburahakkai'}, {'created_at': 'Mon Feb 12 03:41:01 +0000 2018', 'id': 962894284725899264, 'text': 'RT @byrdinator: This story is literally “Kim Jong Un’s sister got more media attention than Mike Pence!”\n\nThere’s something uniquely self-a…', 'user.screen_name': 'SnarkActual'}, {'created_at': 'Mon Feb 12 03:41:01 +0000 2018', 'id': 962894284545544192, 'text': 'RT @TechnicallyRon: Your definitive guide to the sports of the 2018 Winter Olympics https://t.co/Oyon5qfHBc', 'user.screen_name': 'RikkuPyon'}, {'created_at': 'Mon Feb 12 03:41:01 +0000 2018', 'id': 962894284268634112, 'text': "Figure skaters have nice ass's hahaha xD thanks Olympics !! \ud83c\udf51\ud83c\udf51\ud83c\udf51\ud83d\ude0d\ud83d\ude0d tight pants are great hehe", 'user.screen_name': 'JBawesome69'}, {'created_at': 'Mon Feb 12 03:41:01 +0000 2018', 'id': 962894282871967745, 'text': 'RT @LauraEichsteadt: Rippon better get a medal after making me weep with that routine \ud83d\ude0d\ud83d\ude22 #Olympics', 'user.screen_name': 'Hhutchison23'}, {'created_at': 'Mon Feb 12 03:41:01 +0000 2018', 'id': 962894282855272448, 'text': '.@NBCSN #Olympics "coverage". Two minutes of actual competition, five minutes of commercials, three minute "feature… https://t.co/6V7AS6YcK8', 'user.screen_name': 'retrofade'}, {'created_at': 'Mon Feb 12 03:41:01 +0000 2018', 'id': 962894282746195969, 'text': 'RT @Lesdoggg: Shiiiiit like to see you give her a bad score!!! @NBCOlympics @Olympics https://t.co/0krtijP4vb', 'user.screen_name': 'hopscotchy'}, {'created_at': 'Mon Feb 12 03:41:01 +0000 2018', 'id': 962894282515300352, 'text': 'RT @HarlanCoben: Me: I’ve never watched luge. I know nothing about it. \n\nMe 20 minutes later: Turns 9 through 12 are really the key to vict…', 'user.screen_name': 'DominicDs34'}, {'created_at': 'Mon Feb 12 03:41:01 +0000 2018', 'id': 962894282368671744, 'text': 'RT @jigolden: All of these winter sports look incredibly hard. But, I think the scoring for figure skating is the most brutal by far. #Olym…', 'user.screen_name': 'DiChristine'}, {'created_at': 'Mon Feb 12 03:41:01 +0000 2018', 'id': 962894282142044160, 'text': "RT @CBCOlympics: When the event is delayed, women's slopestyle will play! \n\n@spencerobrien @LaurieBlouin Brooke Voigt @aimee_fuller \n\nLive…", 'user.screen_name': '_angelaandrews'}, {'created_at': 'Mon Feb 12 03:41:01 +0000 2018', 'id': 962894282112761862, 'text': "RT @MKBHD: Ok this drone light show during the opening ceremonies of the Olympics is definitely one of the coolest thing I've ever seen. HO…", 'user.screen_name': 'PavelBicu'}, {'created_at': 'Mon Feb 12 03:41:01 +0000 2018', 'id': 962894281932328961, 'text': 'RT @TechnicallyRon: Your definitive guide to the sports of the 2018 Winter Olympics https://t.co/Oyon5qfHBc', 'user.screen_name': 'BGHilton'}, {'created_at': 'Mon Feb 12 03:41:01 +0000 2018', 'id': 962894281424982017, 'text': 'Speaking of the Olympics, Is it normal for my TOES to hurt after a very long run because I feel like my body is rap… https://t.co/daSHwgbG4T', 'user.screen_name': 'StephLauren'}, {'created_at': 'Mon Feb 12 03:41:00 +0000 2018', 'id': 962894280514850817, 'text': "@AmazingArtist89 @RenOperative_ I'm not sure how this works...is the child racist...are the Olympics racist.....is… https://t.co/rWO2lUBbN6", 'user.screen_name': 'StryderHazuki'}, {'created_at': 'Mon Feb 12 03:41:00 +0000 2018', 'id': 962894280070189056, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'fsfscarlett'}, {'created_at': 'Mon Feb 12 03:41:00 +0000 2018', 'id': 962894279575207937, 'text': 'RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face…', 'user.screen_name': 'john14_15'}, {'created_at': 'Mon Feb 12 03:41:00 +0000 2018', 'id': 962894279524999168, 'text': "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on…", 'user.screen_name': 'drgaynascully'}, {'created_at': 'Mon Feb 12 03:41:00 +0000 2018', 'id': 962894279466192896, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'skrelp'}, {'created_at': 'Mon Feb 12 03:41:00 +0000 2018', 'id': 962894279378112512, 'text': 'RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.', 'user.screen_name': 'catwright17'}, {'created_at': 'Mon Feb 12 03:41:00 +0000 2018', 'id': 962894279302696961, 'text': 'RT @ABC: U.S. figure skater Mirai Nagasu makes history, becoming the first American woman - and third overall - to land a triple axel in th…', 'user.screen_name': 'ashwagners'}, {'created_at': 'Mon Feb 12 03:41:00 +0000 2018', 'id': 962894279281725440, 'text': 'RT @KAy_TIEmyshoes: I love the Olympics https://t.co/YarQnjbr9c', 'user.screen_name': 'jazzt98'}, {'created_at': 'Mon Feb 12 03:41:00 +0000 2018', 'id': 962894278740578305, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'SteveCalderon85'}, {'created_at': 'Mon Feb 12 03:41:00 +0000 2018', 'id': 962894278648311810, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'tannerspearman'}, {'created_at': 'Mon Feb 12 03:41:00 +0000 2018', 'id': 962894278568550400, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'peterakaspidey'}, {'created_at': 'Mon Feb 12 03:41:00 +0000 2018', 'id': 962894278094704640, 'text': "RT @RepMarkMeadows: While some in the media look fondly upon North Korea during the Olympics, I can't help but recall this from 2 weeks ago…", 'user.screen_name': 'CwarkentinC'}, {'created_at': 'Mon Feb 12 03:41:00 +0000 2018', 'id': 962894278077886464, 'text': 'RT @KAy_TIEmyshoes: I love the Olympics https://t.co/YarQnjbr9c', 'user.screen_name': 'Jenna0019'}, {'created_at': 'Mon Feb 12 03:41:00 +0000 2018', 'id': 962894278031654913, 'text': 'This Italian figure skating lair did awesome themselves. \ud83d\udc4d\ud83c\udffb⛸ #olympics', 'user.screen_name': 'BriThibodeaux'}, {'created_at': 'Mon Feb 12 03:41:00 +0000 2018', 'id': 962894277972983808, 'text': "RT @fs_gossips: @CBCOlympics @Pchiddy There's no bigger justice today than Patrick becoming an Olympics Champion. Best present for Valentin…", 'user.screen_name': 'H1STORYMAK3R'}, {'created_at': 'Mon Feb 12 03:41:00 +0000 2018', 'id': 962894277775945730, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'itssdani23'}, {'created_at': 'Mon Feb 12 03:41:00 +0000 2018', 'id': 962894277440430080, 'text': 'For how big of a sports fan i am. I truly hate the olympics with a passion \ud83e\udd37\ud83c\udffb\u200d♂️ #SorryNotSorry #Boring #SnoozeFest #WWEIsBetter', 'user.screen_name': 'Riffell_17'}, {'created_at': 'Mon Feb 12 03:41:00 +0000 2018', 'id': 962894277280870400, 'text': "RT @squishysoo0: ''exo only breaks exo's records''\n''like idol, like fans''\n\nour sister, evgenia medvedeva has proven those two sentences.…", 'user.screen_name': 'zuali_94'}, {'created_at': 'Mon Feb 12 03:41:00 +0000 2018', 'id': 962894277192929280, 'text': 'RT @carolynmaeee: dam when did the olympics get so intense?\ud83d\ude33\ud83d\ude33 https://t.co/IienOHy5uq', 'user.screen_name': 'BumblingBombus'}, {'created_at': 'Mon Feb 12 03:41:00 +0000 2018', 'id': 962894277004075008, 'text': 'RT @94_degrees: Russian Figure Skater, Evgeniia Medvedeva who’s an EXO-L set a new world record in the Pyeongchang Olympics & mentioned EXO…', 'user.screen_name': 'dyeolie61'}, {'created_at': 'Mon Feb 12 03:40:59 +0000 2018', 'id': 962894276811198464, 'text': 'RT @barbs_cr8v: @MartinCox0155 @mariacilene212 @purpleamma1 @ardnasremmos @Lucretiasbear @geraghty_cheryl @mflemming185 Goodnight Martin! G…', 'user.screen_name': 'mariacilene212'}, {'created_at': 'Mon Feb 12 03:40:59 +0000 2018', 'id': 962894276211421184, 'text': "RT @thejimpster: @JonAcuff To be fair, if you are throwing a person in the air.. I'd feel much better if you at least liked me. #ouch #Olym…", 'user.screen_name': 'GenesisColema19'}, {'created_at': 'Mon Feb 12 03:40:59 +0000 2018', 'id': 962894276156825600, 'text': 'RT @BetteMidler: Yes, I’m watching the Winter Olympics while grinding my teeth\nwatching our Government, hurtling down a slippery slope unt…', 'user.screen_name': 'krisconner_'}, {'created_at': 'Mon Feb 12 03:40:59 +0000 2018', 'id': 962894275456524289, 'text': 'RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.', 'user.screen_name': 'rotchgates'}, {'created_at': 'Mon Feb 12 03:40:59 +0000 2018', 'id': 962894275263565824, 'text': 'I think snowboarders might be the only athletes I believe when they say "I\'m just stoked to be here & get in a grea… https://t.co/FISZiBWfBe', 'user.screen_name': 'ellebrownlee'}, {'created_at': 'Mon Feb 12 03:40:59 +0000 2018', 'id': 962894275087396864, 'text': 'RT @dereklew: Watching Team Canada erupt into applause when American skater Mirai Nagasu became only the third woman to land a triple axel…', 'user.screen_name': 'softandstrongly'}, {'created_at': 'Mon Feb 12 03:40:59 +0000 2018', 'id': 962894274953207808, 'text': "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on…", 'user.screen_name': 'efilicetti_'}, {'created_at': 'Mon Feb 12 03:40:59 +0000 2018', 'id': 962894274709766145, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'shebetheonelive'}, {'created_at': 'Mon Feb 12 03:40:59 +0000 2018', 'id': 962894274407825408, 'text': 'RT @diehrd9: You eat more in a day then every North Korean at the Olympics eats annually \n\nYet you still think your words matter\n\n#FreetheT…', 'user.screen_name': 'LindaAs04621507'}, {'created_at': 'Mon Feb 12 03:40:59 +0000 2018', 'id': 962894274206543872, 'text': 'RT @thehill: Dutch fans troll Trump at the Olympics with flag: "Sorry Mr. President. The Netherlands First... And 2nd... And 3rd" https://t…', 'user.screen_name': 'BlackLoisLane'}, {'created_at': 'Mon Feb 12 03:40:59 +0000 2018', 'id': 962894274110074881, 'text': 'RT @ArthurSchwartz: CNN: Our puff piece on murderous dictator Kim Jong-un’s sister is the most embarrassing piece of journalism that anyone…', 'user.screen_name': 'Blake1x'}, {'created_at': 'Mon Feb 12 03:40:59 +0000 2018', 'id': 962894273808134144, 'text': 'Beautiful, Italy.\n\n#olympics', 'user.screen_name': 'AquariusOnFire'}, {'created_at': 'Mon Feb 12 03:40:59 +0000 2018', 'id': 962894273518678016, 'text': "RT @tictoc: Redmond Gerard wins the first gold medal for Team USA at #PyeongChang2018 #Olympics for his performance at men's snowboard slop…", 'user.screen_name': 'kristynaweh'}, {'created_at': 'Mon Feb 12 03:40:59 +0000 2018', 'id': 962894273023590400, 'text': 'RT @insideskating: “I am impressed with myself, if that makes sense” - no better time to come back to our interview with @mirai_nagasu, don…', 'user.screen_name': 'atsuko_kaineko'}, {'created_at': 'Mon Feb 12 03:40:59 +0000 2018', 'id': 962894272876961792, 'text': 'Missed u @ winter Olympics', 'user.screen_name': 'Churra08'}, {'created_at': 'Mon Feb 12 03:40:59 +0000 2018', 'id': 962894272792969217, 'text': 'RT @BuzzFeedNews: Mirai Nagasu just became the first American woman in history to land a triple axel at the Winter Olympics(!) https://t.co…', 'user.screen_name': 'jascnstcdd'}, {'created_at': 'Mon Feb 12 03:40:58 +0000 2018', 'id': 962894272424022022, 'text': 'Ohhhhhhhh @EricaWFAN and @LRubinson feuding over #Olympics', 'user.screen_name': 'BGoody30'}, {'created_at': 'Mon Feb 12 03:40:58 +0000 2018', 'id': 962894272381976576, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'ShaLongSr'}, {'created_at': 'Mon Feb 12 03:40:58 +0000 2018', 'id': 962894272277241862, 'text': 'Ice dancing is so freaking mesmerizing. Eyes glued to the television all wrapped up in the story, lifts, moves. Agh… https://t.co/dG78TQTYSn', 'user.screen_name': 'rosefox13'}, {'created_at': 'Mon Feb 12 03:40:58 +0000 2018', 'id': 962894272004546561, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': '_xXxBabyy'}, {'created_at': 'Mon Feb 12 03:40:58 +0000 2018', 'id': 962894271887101952, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'annieschenk'}, {'created_at': 'Mon Feb 12 03:40:58 +0000 2018', 'id': 962894271698251777, 'text': 'RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G', 'user.screen_name': 'sana_93'}, {'created_at': 'Mon Feb 12 03:40:58 +0000 2018', 'id': 962894271492669440, 'text': 'RT @TheRickyDavila: It says something when our amazing athletes can so easily represent the United States with class, grace, honor, dignity…', 'user.screen_name': 'claudiggs'}, {'created_at': 'Mon Feb 12 03:40:58 +0000 2018', 'id': 962894271442509824, 'text': 'RT @tedlieu: Congratulations to Mirai Nagasu for being the first American in history to land a triple axle at the Winter Olympics! https://…', 'user.screen_name': 'claudiameadows2'}, {'created_at': 'Mon Feb 12 03:40:58 +0000 2018', 'id': 962894271371186176, 'text': 'RT @3L3V3NTH: Olympics have stricter rules than national elections', 'user.screen_name': 'phendricks71'}, {'created_at': 'Mon Feb 12 03:40:58 +0000 2018', 'id': 962894271333335040, 'text': 'NASA Seeks the Gold in Winter season Olympics\xa0Snow https://t.co/mmcnEobjSJ', 'user.screen_name': 'newsroundcom'}, {'created_at': 'Mon Feb 12 03:40:58 +0000 2018', 'id': 962894271299883008, 'text': 'VONETTA FLOWERS\nthe first African-American person, of any gender, to win a gold medal at the Winter Olympics. Vone… https://t.co/cvOPm4BVrD', 'user.screen_name': 'f_francavilla'}, {'created_at': 'Mon Feb 12 03:40:58 +0000 2018', 'id': 962894271199240193, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'shaythag'}, {'created_at': 'Mon Feb 12 03:40:58 +0000 2018', 'id': 962894270981201921, 'text': 'RT @imbeccable: if you were skating at the olympics, which song would you choose?', 'user.screen_name': 'Harshmelllo'}, {'created_at': 'Mon Feb 12 03:40:58 +0000 2018', 'id': 962894270947627008, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'assthantics'}, {'created_at': 'Mon Feb 12 03:40:58 +0000 2018', 'id': 962894270909661184, 'text': "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on…", 'user.screen_name': 'nikkigibala'}, {'created_at': 'Mon Feb 12 03:40:58 +0000 2018', 'id': 962894270045749249, 'text': 'RT @JamesHasson20: Here are stories fawning over North Korea at the Olympics from:\n-Wapo\n-Wall Street Journal\n-NYT\n-CNN\n-ABC News\n-NBC News…', 'user.screen_name': 'edwardjames7'}, {'created_at': 'Mon Feb 12 03:40:58 +0000 2018', 'id': 962894269747904512, 'text': 'RT @Slate: Mirai Nagasu is the third woman to do a triple axel in the Olympics. Watch all three: https://t.co/gQO2lcL2Uh https://t.co/HveC5…', 'user.screen_name': 'lilei2000'}, {'created_at': 'Mon Feb 12 03:40:58 +0000 2018', 'id': 962894269697507328, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': '___DrJ___'}, {'created_at': 'Mon Feb 12 03:40:58 +0000 2018', 'id': 962894269441753088, 'text': "RT @martyn_williams: So far, viewers of North Korea's main TV channel have seen just two still images of Olympic competition. Monitoring re…", 'user.screen_name': 'AkikoFujita'}, {'created_at': 'Mon Feb 12 03:40:58 +0000 2018', 'id': 962894269236232194, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'emxbye'}, {'created_at': 'Mon Feb 12 03:40:58 +0000 2018', 'id': 962894269022392325, 'text': 'RT @WSJ: Adam Rippon is the first openly gay U.S. figure skater and leading up to the Winter Olympics found himself in a political drama wi…', 'user.screen_name': 'CatrinaRazvan'}, {'created_at': 'Mon Feb 12 03:40:58 +0000 2018', 'id': 962894268733034496, 'text': "RT @NumbersMuncher: Me in 2017: I can't understand how people could be so stupid to fall for fake Facebook stories promoted by Russia.\n\nMe…", 'user.screen_name': 'KayeHigh'}, {'created_at': 'Mon Feb 12 03:40:57 +0000 2018', 'id': 962894268191911936, 'text': 'What Brands and Sponsored Athletes Can and Can’t Say, Wear and Do During the Olympics https://t.co/HgVRqRFpFI', 'user.screen_name': 'egriffing'}, {'created_at': 'Mon Feb 12 03:40:57 +0000 2018', 'id': 962894268053577729, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'NicoleNicole070'}, {'created_at': 'Mon Feb 12 03:40:57 +0000 2018', 'id': 962894267894116352, 'text': 'RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G', 'user.screen_name': '_balloonsfly_'}, {'created_at': 'Mon Feb 12 03:40:57 +0000 2018', 'id': 962894267642458117, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'Maxlm22_'}, {'created_at': 'Mon Feb 12 03:40:57 +0000 2018', 'id': 962894267445403648, 'text': 'RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G', 'user.screen_name': 'jonowles88'}, {'created_at': 'Mon Feb 12 03:40:57 +0000 2018', 'id': 962894267411726336, 'text': 'RT @AthleteSwag: Team USA figure skater Mirai Nagasu is the first American woman to land a triple axel at the Winter Olympics https://t.co/…', 'user.screen_name': 'amdion13'}, {'created_at': 'Mon Feb 12 03:40:57 +0000 2018', 'id': 962894267231252480, 'text': 'RT @AliciaAmin: Julian Yee is the first ever Malaysian to compete in the Winter Olympics & so many of us sleeping on him (incl me)\n\nHe’s wo…', 'user.screen_name': 'ToxicHaiqal'}, {'created_at': 'Mon Feb 12 03:40:57 +0000 2018', 'id': 962894266581291009, 'text': 'RT @morningpassages: Isn’t EXO so sweet to send a signed album to Evgenia knowing that she is a world champion Eri competing in Olympics. T…', 'user.screen_name': 'petite_soo'}, {'created_at': 'Mon Feb 12 03:40:57 +0000 2018', 'id': 962894266526785537, 'text': 'RT @chr1sa: Best view of the @Intel drone swarm performance at the Olympics https://t.co/mCsILkq38Z', 'user.screen_name': 'livefromtheabys'}, {'created_at': 'Mon Feb 12 03:40:57 +0000 2018', 'id': 962894266199572480, 'text': "RT @iWatchiAm: It would be really nice if the NBC livestream didn't cut off the first half of everyone's routine tonight. #Olympics", 'user.screen_name': 'elknight20'}, {'created_at': 'Mon Feb 12 03:40:57 +0000 2018', 'id': 962894266115739648, 'text': 'RT @redsteeze: Reuters looked strong in bringing home the gold for North Korea today but coming through late, the New York Times. Think Pro…', 'user.screen_name': 'PeeteySDee'}, {'created_at': 'Mon Feb 12 03:40:57 +0000 2018', 'id': 962894265637580801, 'text': "RT @EXOVotingSquad: EXO's diary - 11th Feb 2018\n\nOur fellow EXOL, Evgenia Medvedeva has set a new world record of 81.06 in Pyeong Chang Oly…", 'user.screen_name': 'exo60464427'}, {'created_at': 'Mon Feb 12 03:40:57 +0000 2018', 'id': 962894265532801024, 'text': "#QAnon #MAGA #FollowTheWhiteRabbit #Olympics \n\nLook at McCain's donor list. \n\nhttps://t.co/5cL9U5LL9p", 'user.screen_name': 'AngelaLily0501'}, {'created_at': 'Mon Feb 12 03:40:57 +0000 2018', 'id': 962894265360662528, 'text': 'me linsey katey and cooper are sitting here literally screaming for these figure skaters on the olympics', 'user.screen_name': 'kelsiedanderson'}, {'created_at': 'Mon Feb 12 03:40:57 +0000 2018', 'id': 962894265163624450, 'text': '#Olympics Twitter is \ud83d\udd25right now.', 'user.screen_name': 'rob_blog'}, {'created_at': 'Mon Feb 12 03:40:57 +0000 2018', 'id': 962894264597278720, 'text': 'You know the schedule for skating is arranged ahead of time.\nYou can work with that and move your training to suit… https://t.co/baPRzEh59k', 'user.screen_name': 'Jinath_Hyder'}, {'created_at': 'Mon Feb 12 03:40:56 +0000 2018', 'id': 962894264098283520, 'text': 'Can’t believe they still went ahead with the women’s slope style event. Really unfair and unsafe for these women.… https://t.co/HiobEjcEEn', 'user.screen_name': 'sarsilvz'}, {'created_at': 'Mon Feb 12 03:40:56 +0000 2018', 'id': 962894263842373632, 'text': 'RT @guybranum: The Winter Olympics and Aruba are the only remaining vestiges of the Dutch Empire.', 'user.screen_name': 'rachelmgiles'}, {'created_at': 'Mon Feb 12 03:40:56 +0000 2018', 'id': 962894263276118017, 'text': 'RT @nytimes: Mike Pence denied a report that Adam Rippon, a gay American figure skater, had refused to meet with him. But the Olympic athle…', 'user.screen_name': 'g_birdslide'}, {'created_at': 'Mon Feb 12 03:40:56 +0000 2018', 'id': 962894263095738368, 'text': 'RT @TeamUSA: Standings after the first #snowboard slopestyle run! ⬇️\n\n1 - @jamieasnow \ud83c\uddfa\ud83c\uddf8 \n2 - Silje Norendal \ud83c\uddf3\ud83c\uddf4\n3 - @jessika_jenson \ud83c\uddfa\ud83c\uddf8\n\nONE…', 'user.screen_name': 'BPratto'}, {'created_at': 'Mon Feb 12 03:40:56 +0000 2018', 'id': 962894262772928514, 'text': 'RT @VP: We are determined to make sure that even in the midst of the powerful background & idealism of the Olympics, the World is reminded…', 'user.screen_name': 'WhatSquinkyEye'}, {'created_at': 'Mon Feb 12 03:40:56 +0000 2018', 'id': 962894262160388097, 'text': 'RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://…', 'user.screen_name': 'aquianakii'}, {'created_at': 'Mon Feb 12 03:40:56 +0000 2018', 'id': 962894261950693376, 'text': "RT @FoxNews: 'It's Absurd': @edhenry Blasts @CNN for 'Sucking Up' to Kim Jong Un's Sister https://t.co/9m6Lnh36LB", 'user.screen_name': 'Kaczbo1'}, {'created_at': 'Mon Feb 12 03:40:56 +0000 2018', 'id': 962894261095198720, 'text': 'RT @AP_Sports: The fates of Lindsey Vonn, Mikaela Shiffrin and many of the best speed skiers at the Olympics are tied to the handiwork of a…', 'user.screen_name': 'ChancePlett'}, {'created_at': 'Mon Feb 12 03:40:56 +0000 2018', 'id': 962894260973527040, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'maryfrances1128'}, {'created_at': 'Mon Feb 12 03:40:56 +0000 2018', 'id': 962894260969259009, 'text': 'RT @chalanlexi: MIDORI-MAO-MIRAI --- Three women who landed the difficult triple axel in the Olympics #Midori, #MaoAsada and @mirai_nagasu.…', 'user.screen_name': 'kyasarin123'}, {'created_at': 'Mon Feb 12 03:40:56 +0000 2018', 'id': 962894260717735936, 'text': 'RT @peachyblackgorl: as the winter Olympics begin....never forget about Surya Bonaly, a French figure skater who did a backflip and landed…', 'user.screen_name': 'ThePrimadonna_k'}, {'created_at': 'Mon Feb 12 03:40:56 +0000 2018', 'id': 962894260633767936, 'text': 'RT @nytimes: Mike Pence denied a report that Adam Rippon, a gay American figure skater, had refused to meet with him. But the Olympic athle…', 'user.screen_name': 'MuseAmicK'}, {'created_at': 'Mon Feb 12 03:40:56 +0000 2018', 'id': 962894260524781568, 'text': 'RT @charliekirk11: South Korea only exists thanks to US troops sacrifice in the 1950’s \n\n36,000 Americans died so South Korea could be free…', 'user.screen_name': 'jjsjulia'}, {'created_at': 'Mon Feb 12 03:40:56 +0000 2018', 'id': 962894260348575744, 'text': "@hulu @NBCOlympics @nbc @olympics (1/2) I'm sorry, I've really tried but your monopoly US Olympics coverage is UNW… https://t.co/7pp4lTaYru", 'user.screen_name': 'scottish_expat'}, {'created_at': 'Mon Feb 12 03:40:56 +0000 2018', 'id': 962894260256301062, 'text': 'like I said, if anyone needs me I’ll be watching the olympics for the next two weeks', 'user.screen_name': '_paigesoria'}, {'created_at': 'Mon Feb 12 03:40:55 +0000 2018', 'id': 962894259857838080, 'text': 'RT @Heritage: The perverse fawning over brutal Kim Jong-un’s sister at the Olympics @bethanyshondark https://t.co/CTijmDXibJ https://t.co/O…', 'user.screen_name': '2smokytop'}, {'created_at': 'Mon Feb 12 03:40:55 +0000 2018', 'id': 962894259434205184, 'text': 'RT @linzsports: Four years ago, Adam Rippon and MIrai Nagasu were eating in-n-out burger in California, crying and watching the Sochi Olymp…', 'user.screen_name': 'ichi1054'}, {'created_at': 'Mon Feb 12 03:40:55 +0000 2018', 'id': 962894259077529600, 'text': 'RT @vlissful: @jintellectually okay for those who are confused, read the article here\n\nthe nbc guy said “Every Korean will tell you that Ja…', 'user.screen_name': 'JimIntenseStare'}, {'created_at': 'Mon Feb 12 03:40:55 +0000 2018', 'id': 962894259035635714, 'text': 'RT @C_hodgy: Can we pause and take a second to appreciate the RIDICULOUSLY AWESOME amount of curling exposure to the world during the Olymp…', 'user.screen_name': 'CurlingZone'}, {'created_at': 'Mon Feb 12 03:40:55 +0000 2018', 'id': 962894258733711360, 'text': "RT @McGrumpenstein: why isn't there a shovelling event in the winter olympics", 'user.screen_name': 'JD_Wisco'}, {'created_at': 'Mon Feb 12 03:40:55 +0000 2018', 'id': 962894258708467712, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'citlalli861'}, {'created_at': 'Mon Feb 12 03:40:55 +0000 2018', 'id': 962894258293239809, 'text': 'RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://…', 'user.screen_name': 'melakatweets'}, {'created_at': 'Mon Feb 12 03:40:55 +0000 2018', 'id': 962894258016530433, 'text': 'RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face…', 'user.screen_name': '_JamilaImani_'}, {'created_at': 'Mon Feb 12 03:40:55 +0000 2018', 'id': 962894257836113920, 'text': 'RT @USFigureSkating: It’s the FINAL segment of the #FigureSkating Team Event. @MaiaShibutani and @AlexShibutani are up for #TeamUSA. Let’s…', 'user.screen_name': 'csnyder887'}, {'created_at': 'Mon Feb 12 03:40:55 +0000 2018', 'id': 962894257206968320, 'text': 'RT @GLValentine: me: this year i\'ll be able to handle the olympics!\n\nannouncer, casually, about a sidelined skier, "All the work of the pas…', 'user.screen_name': 'Kartos'}, {'created_at': 'Mon Feb 12 03:40:55 +0000 2018', 'id': 962894257093775361, 'text': '@Lesdoggg @NBCOlympics @Olympics WOO HOO!!!!!!!!!', 'user.screen_name': 'Nancyrussell'}, {'created_at': 'Mon Feb 12 03:40:55 +0000 2018', 'id': 962894256993067008, 'text': 'RT @TheRickyDavila: It says something when our amazing athletes can so easily represent the United States with class, grace, honor, dignity…', 'user.screen_name': 'suzan5150'}, {'created_at': 'Mon Feb 12 03:40:55 +0000 2018', 'id': 962894256900685824, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'drkkyu'}, {'created_at': 'Mon Feb 12 03:40:55 +0000 2018', 'id': 962894256238153728, 'text': 'RT @redsteeze: Reuters looked strong in bringing home the gold for North Korea today but coming through late, the New York Times. Think Pro…', 'user.screen_name': 'k3rdann'}, {'created_at': 'Mon Feb 12 03:40:54 +0000 2018', 'id': 962894255978176514, 'text': "RT @tictoc: The #Olympics host nation, South Korea, earned its first gold medal in 2018 thanks to Lim Hyo-Jun in the men's short track 1500…", 'user.screen_name': 'kristynaweh'}, {'created_at': 'Mon Feb 12 03:40:54 +0000 2018', 'id': 962894255797751809, 'text': "RT @ksannews: WATCH: Here's a great explainer about the differences between skates athletes use at the #Olympics https://t.co/ofrM5CBQv8", 'user.screen_name': 'FatherLarryR'}, {'created_at': 'Mon Feb 12 03:40:54 +0000 2018', 'id': 962894255340642304, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'Mellijuana'}, {'created_at': 'Mon Feb 12 03:40:54 +0000 2018', 'id': 962894255311089664, 'text': 'RT @ABC: U.S. figure skater Mirai Nagasu makes history, becoming the first American woman - and third overall - to land a triple axel in th…', 'user.screen_name': 'Eric_JamesSmith'}, {'created_at': 'Mon Feb 12 03:40:54 +0000 2018', 'id': 962894254933602304, 'text': 'RT @ArthurSchwartz: CNN: Our puff piece on murderous dictator Kim Jong-un’s sister is the most embarrassing piece of journalism that anyone…', 'user.screen_name': 'Vanqaro'}, {'created_at': 'Mon Feb 12 03:40:54 +0000 2018', 'id': 962894254916952064, 'text': 'RT @BetteMidler: Yes, I’m watching the Winter Olympics while grinding my teeth\nwatching our Government, hurtling down a slippery slope unt…', 'user.screen_name': 'JoshuaDeck2'}, {'created_at': 'Mon Feb 12 03:40:54 +0000 2018', 'id': 962894254740668416, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'kateyholland'}, {'created_at': 'Mon Feb 12 03:40:54 +0000 2018', 'id': 962894254690525184, 'text': "RT @ARSenMissyIrvin: NBC's political spin on a brutal dictator regime and country who is threatening the world with nuclear weapons is unbe…", 'user.screen_name': 'laneighpfalser'}, {'created_at': 'Mon Feb 12 03:40:54 +0000 2018', 'id': 962894254342361089, 'text': 'RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face…', 'user.screen_name': 'Xclusive_Ishyyy'}, {'created_at': 'Mon Feb 12 03:40:54 +0000 2018', 'id': 962894254279405568, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'candygraham0813'}, {'created_at': 'Mon Feb 12 03:40:54 +0000 2018', 'id': 962894253713248256, 'text': '@jaketapper But then who will ABC be able to say will have stole the show when he hosts the Olympics?', 'user.screen_name': 'Tfalwell'}, {'created_at': 'Mon Feb 12 03:40:54 +0000 2018', 'id': 962894253235097600, 'text': 'RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.', 'user.screen_name': 'GittaSapiano'}, {'created_at': 'Mon Feb 12 03:40:54 +0000 2018', 'id': 962894253205721088, 'text': "RT @saskystewart: I'd be interested to see why (academically) our valuation of female athletes in sports sponsorship and media coverage shi…", 'user.screen_name': 'ruthiefisher'}, {'created_at': 'Mon Feb 12 03:40:54 +0000 2018', 'id': 962894252756951040, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'conoriburton'}, {'created_at': 'Mon Feb 12 03:40:54 +0000 2018', 'id': 962894252652015616, 'text': "RT @CBCOlympics: #CAN's @tessavirtue & @ScottMoir skate 5th in the last event of the #FigureSkating Team Event. Even if they finish last, C…", 'user.screen_name': 'Justin481'}, {'created_at': 'Mon Feb 12 03:40:54 +0000 2018', 'id': 962894252375027712, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'ghoulgoulash'}, {'created_at': 'Mon Feb 12 03:40:54 +0000 2018', 'id': 962894251943108608, 'text': "RT @baekyeolangst: exols are amazing. exo's fans are actual surgeons, teachers, dentists (especially that one girl who checked pcy's teeth…", 'user.screen_name': 'smilechennieee'}, {'created_at': 'Mon Feb 12 03:40:53 +0000 2018', 'id': 962894251624312833, 'text': 'RT @Capital_Bromo: Periodic reminder that the Winter Olympics have arrived: https://t.co/va2xwNovCX', 'user.screen_name': 'allmodelguys1'}, {'created_at': 'Mon Feb 12 03:40:53 +0000 2018', 'id': 962894251431522304, 'text': '@cdbnyc @HeyGeek I AM. That\'s literally what I said!!! " it always just looks like a bunch of ducklings sort of gli… https://t.co/eWicri1abF', 'user.screen_name': 'j_tak'}, {'created_at': 'Mon Feb 12 03:40:53 +0000 2018', 'id': 962894251410509824, 'text': 'RT @peachyblackgorl: as the winter Olympics begin....never forget about Surya Bonaly, a French figure skater who did a backflip and landed…', 'user.screen_name': 'Samie_thomps'}, {'created_at': 'Mon Feb 12 03:40:53 +0000 2018', 'id': 962894250236137477, 'text': 'The Winter Olympics always makes me want to try and do ice skating but I know imma fall straight on my butt', 'user.screen_name': 'kelseythies1'}, {'created_at': 'Mon Feb 12 03:40:53 +0000 2018', 'id': 962894250177454081, 'text': 'RT @JoyPuder: “This might be my first Olympics, but it’s not my first rodeo.”-@Adaripp \n\nThis is the perfect Housewives tagline. #Olympics…', 'user.screen_name': 'peteratthepark'}, {'created_at': 'Mon Feb 12 03:40:53 +0000 2018', 'id': 962894249590251520, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'four_ofthem'}, {'created_at': 'Mon Feb 12 03:40:53 +0000 2018', 'id': 962894249409818624, 'text': "RT @CloydRivers: Rollin' into the Olympics like.... Merica.\nhttps://t.co/ep2Qe5YCo1", 'user.screen_name': 'bgill7831'}, {'created_at': 'Mon Feb 12 03:40:53 +0000 2018', 'id': 962894248868810752, 'text': "RT @sportingnews: Mirai Nagasu becomes the first USA women's figure skater to land an extremely difficult jump in #olympics competition. ht…", 'user.screen_name': 'AceSports11'}, {'created_at': 'Mon Feb 12 03:40:53 +0000 2018', 'id': 962894248659079168, 'text': 'RT @BuzzFeedNews: Mirai Nagasu just became the first American woman in history to land a triple axel at the Winter Olympics(!) https://t.co…', 'user.screen_name': 'boldlyshuffle'}, {'created_at': 'Mon Feb 12 03:40:53 +0000 2018', 'id': 962894248394698752, 'text': "The #FigureSkating #TeamEvent isn't over yet, but #TeamCanada has the gold!!! #Congrats #Olympics https://t.co/hf4kfkELwT", 'user.screen_name': 'MegGregory'}, {'created_at': 'Mon Feb 12 03:40:53 +0000 2018', 'id': 962894248357089281, 'text': '#ShaniDavis apparently started his period at the Olympics, you lost the toss, break a leg or both', 'user.screen_name': 'scottmorehead'}, {'created_at': 'Mon Feb 12 03:40:53 +0000 2018', 'id': 962894247920795648, 'text': 'RT @HarlanCoben: Me: I’ve never watched luge. I know nothing about it. \n\nMe 20 minutes later: Turns 9 through 12 are really the key to vict…', 'user.screen_name': 'cbns007'}, {'created_at': 'Mon Feb 12 03:40:52 +0000 2018', 'id': 962894247220441088, 'text': '@Lesdoggg @NBCOlympics @Olympics His hair!!! I’ve never seen its equal.', 'user.screen_name': 'Drsteward'}, {'created_at': 'Mon Feb 12 03:40:52 +0000 2018', 'id': 962894247203614721, 'text': 'RT @780613: ajhjhjh im screaminf @ how knets are calling the olympics speed skaters 빙탄소년단', 'user.screen_name': 'yeahhzmin'}, {'created_at': 'Mon Feb 12 03:40:52 +0000 2018', 'id': 962894247153291266, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'GabiNoel4'}, {'created_at': 'Mon Feb 12 03:40:52 +0000 2018', 'id': 962894247077834753, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'IagosRavenWife'}, {'created_at': 'Mon Feb 12 03:40:52 +0000 2018', 'id': 962894246792613888, 'text': 'RT @DylansFreshTake: Congrats to Mirai Nagasu on becoming the first American \ud83c\uddfa\ud83c\uddf8 woman to ever land a Triple Axel at the Olympics.\n\n#WinterO…', 'user.screen_name': 'ToreeWit2Es'}, {'created_at': 'Mon Feb 12 03:40:52 +0000 2018', 'id': 962894246691848192, 'text': 'RT @morningpassages: Isn’t EXO so sweet to send a signed album to Evgenia knowing that she is a world champion Eri competing in Olympics. T…', 'user.screen_name': 'dddyixing'}, {'created_at': 'Mon Feb 12 03:40:52 +0000 2018', 'id': 962894246628896768, 'text': 'RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.', 'user.screen_name': 'kerin_wotsirb'}, {'created_at': 'Mon Feb 12 03:40:52 +0000 2018', 'id': 962894246574481409, 'text': "RT @KPRC2: We're talking Bitcoins and why Houston could be a hotbed of activity for the cryptocurrency. Cha-ching! Tonight after the Olympi…", 'user.screen_name': 'kymmer7691'}, {'created_at': 'Mon Feb 12 03:40:52 +0000 2018', 'id': 962894246415032320, 'text': 'RT @hnltraveler: NBC\'s Olympics Asian Analyst Joshua Cooper Ramo says having the next three Olympics in Korea, Japan and China is an "oppor…', 'user.screen_name': 'rox_c'}, {'created_at': 'Mon Feb 12 03:40:52 +0000 2018', 'id': 962894246167461888, 'text': 'RT @benshapiro: All you need to know about the media’s not-so-secret love for Marxist dictatorships can be seen in their treatment of the c…', 'user.screen_name': 'StellaLorenzo5'}, {'created_at': 'Mon Feb 12 03:40:52 +0000 2018', 'id': 962894245991518208, 'text': '@Lesdoggg @NBCOlympics @Olympics Ya, i didn’t get it, but he looked incredible regardless', 'user.screen_name': 'lovlilady88'}, {'created_at': 'Mon Feb 12 03:40:52 +0000 2018', 'id': 962894245878255617, 'text': 'ok...see i thought the ice dance free skate was gon have some....u know....LATIN RITMO!!! its like whats happpening… https://t.co/eJuuUlSbk8', 'user.screen_name': 'LilMissDiabla'}, {'created_at': 'Mon Feb 12 03:40:52 +0000 2018', 'id': 962894245680971776, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'Wh1tneyyy'}, {'created_at': 'Mon Feb 12 03:40:52 +0000 2018', 'id': 962894245664210944, 'text': "When the event is delayed, women's slopestyle will play! \n\n@spencerobrien @LaurieBlouin Brooke Voigt @aimee_fuller… https://t.co/7QlCzChmvk", 'user.screen_name': 'CBCOlympics'}, {'created_at': 'Mon Feb 12 03:40:52 +0000 2018', 'id': 962894245635022848, 'text': 'RT @BuzzFeed: Mirai Nagasu just became the first US woman to land the triple axel at the Olympics https://t.co/JLdvT17Q9t https://t.co/T4mX…', 'user.screen_name': 'bourgeois_maci'}, {'created_at': 'Mon Feb 12 03:40:52 +0000 2018', 'id': 962894245571907585, 'text': 'RT @FlowerPrince_CY: K-pop fan Medvedeva finds her groove to set record. #EXOL #BestFanArmy #iHeartAwards @weareoneexo https://t.co/vah21T…', 'user.screen_name': 'chanbaekoxygen'}, {'created_at': 'Mon Feb 12 03:40:52 +0000 2018', 'id': 962894245559488512, 'text': 'RT @JoyPuder: “This might be my first Olympics, but it’s not my first rodeo.”-@Adaripp \n\nThis is the perfect Housewives tagline. #Olympics…', 'user.screen_name': 'skylerzane'}, {'created_at': 'Mon Feb 12 03:40:52 +0000 2018', 'id': 962894245181800448, 'text': 'RT @VictorianDamsel: AWESOME to see Tim Goddard, Adelaide fire spinner, interviewed by the official Olympic news. His contribution to the C…', 'user.screen_name': 'loveracehorses1'}, {'created_at': 'Mon Feb 12 03:40:52 +0000 2018', 'id': 962894245144047616, 'text': 'RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G', 'user.screen_name': 'hmmjinseiwanani'}, {'created_at': 'Mon Feb 12 03:40:52 +0000 2018', 'id': 962894244968108033, 'text': 'RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://…', 'user.screen_name': 'spino255'}, {'created_at': 'Mon Feb 12 03:40:52 +0000 2018', 'id': 962894244926038016, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'julioatena'}, {'created_at': 'Mon Feb 12 03:40:52 +0000 2018', 'id': 962894244691304448, 'text': 'RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.', 'user.screen_name': 'Emassey678'}, {'created_at': 'Mon Feb 12 03:40:52 +0000 2018', 'id': 962894244506632192, 'text': 'That feeling when you land the first triple axel by a @TeamUSA woman at the #Olympics! \ud83e\udd29\ud83e\udd17 An incredible moment for… https://t.co/VrQqxdHLkb', 'user.screen_name': 'olympicchannel'}, {'created_at': 'Mon Feb 12 03:40:52 +0000 2018', 'id': 962894244296847360, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'Julia_Huynh'}, {'created_at': 'Mon Feb 12 03:40:52 +0000 2018', 'id': 962894244041150465, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'amber_g95'}, {'created_at': 'Mon Feb 12 03:40:52 +0000 2018', 'id': 962894243844026368, 'text': 'This ice dance Italy is doing to the “Life Is Beautiful” soundtrack is incredible. I have the chills. So much emotion. #Olympics', 'user.screen_name': 'yesterdaysprize'}, {'created_at': 'Mon Feb 12 03:40:51 +0000 2018', 'id': 962894243315544066, 'text': 'Anna and Luca are stunning, holy shit #PeyongChang2018 #olympics #Olympics2018', 'user.screen_name': 'Lady_Fantasmic'}, {'created_at': 'Mon Feb 12 03:40:51 +0000 2018', 'id': 962894243315535872, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'bIueberryfarmer'}, {'created_at': 'Mon Feb 12 03:40:51 +0000 2018', 'id': 962894242459697152, 'text': 'RT @94_degrees: Russian Figure Skater, Evgeniia Medvedeva who’s an EXO-L set a new world record in the Pyeongchang Olympics & mentioned EXO…', 'user.screen_name': 'exoelyxion94'}, {'created_at': 'Mon Feb 12 03:40:51 +0000 2018', 'id': 962894242447265792, 'text': 'RT @TechnicallyRon: Your definitive guide to the sports of the 2018 Winter Olympics https://t.co/Oyon5qfHBc', 'user.screen_name': 'gclaramunt'}, {'created_at': 'Mon Feb 12 03:40:51 +0000 2018', 'id': 962894242443137024, 'text': 'I think instead of sending our best to the Olympics we should send our worst. Like do Hunger games style lotteries… https://t.co/0VEu0TQu1c', 'user.screen_name': 'GhostyGirl01'}, {'created_at': 'Mon Feb 12 03:40:51 +0000 2018', 'id': 962894242132750336, 'text': 'RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face…', 'user.screen_name': 'alejandratimm'}, {'created_at': 'Mon Feb 12 03:40:51 +0000 2018', 'id': 962894241956581376, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'blahtrbl'}, {'created_at': 'Mon Feb 12 03:40:51 +0000 2018', 'id': 962894241692188672, 'text': "NOOOOOOOOOOOOOOOO Muramoto & Reed were doing so BEAUTIFULLY! Good God I really felt that fall...T~T' #Olympics #OlympicGames2018", 'user.screen_name': 'MMBCO_'}, {'created_at': 'Mon Feb 12 03:40:51 +0000 2018', 'id': 962894241679773696, 'text': 'RT @Lesdoggg: Damn.. @NBCOlympics @Olympics https://t.co/rsfInnwNS1', 'user.screen_name': 'Untitled_84'}, {'created_at': 'Mon Feb 12 03:40:51 +0000 2018', 'id': 962894241453215744, 'text': 'RT @jpbrammer: my favorite part of the Olympics so far was when Aja jumped off that box', 'user.screen_name': '_zombiequeen'}, {'created_at': 'Mon Feb 12 03:40:51 +0000 2018', 'id': 962894240815689728, 'text': 'RT @JayCostTWS: The Olympics pitch: “Hey you know that sport you don’t really like ... well what if we combine it with 30 other sports you…', 'user.screen_name': 'S_Wallace_'}, {'created_at': 'Mon Feb 12 03:40:51 +0000 2018', 'id': 962894240790470656, 'text': 'Whose watching too? I just love it, the artristy and beauty... — watching Figure skating at the Winter Olympics', 'user.screen_name': 'CCsCelebrations'}, {'created_at': 'Mon Feb 12 03:40:51 +0000 2018', 'id': 962894240333246464, 'text': 'RT @Slate: Mirai Nagasu is the third woman to do a triple axel in the Olympics. Watch all three: https://t.co/gQO2lcL2Uh https://t.co/HveC5…', 'user.screen_name': 'UniteWomenOrg'}, {'created_at': 'Mon Feb 12 03:40:51 +0000 2018', 'id': 962894240043823106, 'text': 'Kind of obsessed with the personalities of American ice dancing duo #ShibSibs (Maia and Alex Shibutani) - nice to s… https://t.co/AeD2DkYoUg', 'user.screen_name': 'MenoxMusic'}, {'created_at': 'Mon Feb 12 03:40:51 +0000 2018', 'id': 962894239414730752, 'text': 'RT @tedlieu: Congratulations to Mirai Nagasu for being the first American in history to land a triple axle at the Winter Olympics! https://…', 'user.screen_name': 'RhiannonRappel'}, {'created_at': 'Mon Feb 12 03:40:51 +0000 2018', 'id': 962894239247060995, 'text': "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on…", 'user.screen_name': '7CSkowronski'}, {'created_at': 'Mon Feb 12 03:40:50 +0000 2018', 'id': 962894239175729157, 'text': "RT @jhoeck: Surrounded by all the buzz for the Winter Olympics, we're about to have our own mini Olympics in Yankton for the next week...…", 'user.screen_name': 'GHSD605'}, {'created_at': 'Mon Feb 12 03:40:50 +0000 2018', 'id': 962894238953496576, 'text': "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on…", 'user.screen_name': 'martha__norton'}, {'created_at': 'Mon Feb 12 03:40:50 +0000 2018', 'id': 962894238274019331, 'text': 'RT @jpbrammer: my favorite part of the Olympics so far was when Aja jumped off that box', 'user.screen_name': 'finlay_the_king'}, {'created_at': 'Mon Feb 12 03:40:50 +0000 2018', 'id': 962894238257111040, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'deniseg1996'}, {'created_at': 'Mon Feb 12 03:40:50 +0000 2018', 'id': 962894238135607296, 'text': 'RT @chr1sa: Best view of the @Intel drone swarm performance at the Olympics https://t.co/mCsILkq38Z', 'user.screen_name': 'william_vab'}, {'created_at': 'Mon Feb 12 03:40:50 +0000 2018', 'id': 962894237938454528, 'text': 'RT @BuzzFeedNews: Mirai Nagasu just became the first American woman in history to land a triple axel at the Winter Olympics(!) https://t.co…', 'user.screen_name': 'algr95'}, {'created_at': 'Mon Feb 12 03:40:50 +0000 2018', 'id': 962894237284134912, 'text': "The #Olympics end right as #MarchMadness gets ready to crank up. I'm not sure I can catch up on enough #sleep in those few days. #spark", 'user.screen_name': 'MBHolder21'}, {'created_at': 'Mon Feb 12 03:40:50 +0000 2018', 'id': 962894235719622656, 'text': 'RT @CloydRivers: The Olympics. Just another opportunity to prove America dominates the world. \ud83c\uddfa\ud83c\uddf8', 'user.screen_name': 'GavinPutnam15'}, {'created_at': 'Mon Feb 12 03:40:50 +0000 2018', 'id': 962894235585470465, 'text': 'RT @charliekirk11: South Korea only exists thanks to US troops sacrifice in the 1950’s \n\n36,000 Americans died so South Korea could be free…', 'user.screen_name': 'cbfrasier13'}, {'created_at': 'Mon Feb 12 03:40:50 +0000 2018', 'id': 962894235493072896, 'text': 'RT @barstoolhrtland: While watching Olympics.. “I can do that, get the truck” https://t.co/BOkY8l55w4', 'user.screen_name': 'Titan_lb_'}, {'created_at': 'Mon Feb 12 03:40:50 +0000 2018', 'id': 962894235266564096, 'text': 'RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.', 'user.screen_name': 'LindacoxCox'}, {'created_at': 'Mon Feb 12 03:40:50 +0000 2018', 'id': 962894235224739840, 'text': 'Also, I’m having a lot of feelings at seeing so many Asian Americans in the spotlight the Olympics. I remember what… https://t.co/R3IO8Dkv4G', 'user.screen_name': 'pronounced_ing'}, {'created_at': 'Mon Feb 12 03:40:50 +0000 2018', 'id': 962894235170234368, 'text': "RT @NBCOlympics: A performance for the record books by Mirai Nagasu, complete with a celebration we'll remember for a long time. #BestOfUS…", 'user.screen_name': 'BongioviSue'}, {'created_at': 'Mon Feb 12 03:40:50 +0000 2018', 'id': 962894235161767936, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'jess_ducky98'}, {'created_at': 'Mon Feb 12 03:40:49 +0000 2018', 'id': 962894234855538688, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'CarlaJackson'}, {'created_at': 'Mon Feb 12 03:40:49 +0000 2018', 'id': 962894234851389441, 'text': 'RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face…', 'user.screen_name': 'sarsbran'}, {'created_at': 'Mon Feb 12 03:40:49 +0000 2018', 'id': 962894234834542593, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'peachymiriam'}, {'created_at': 'Mon Feb 12 03:40:49 +0000 2018', 'id': 962894234826108928, 'text': 'RT @CP__12: It’s really tough watching people significantly younger than you be in the Olympics. Especially when you’re a giant piece of sh…', 'user.screen_name': 'madeline_sayre'}, {'created_at': 'Mon Feb 12 03:40:49 +0000 2018', 'id': 962894234683564032, 'text': "RT @jensoo_xoxo: South Korea's first gold medalist at PyeongChang Olympics Lim Hyo-Jun mentioned majimakchoeroem and he likes Jennie https:…", 'user.screen_name': 'era_moreugessda'}, {'created_at': 'Mon Feb 12 03:40:49 +0000 2018', 'id': 962894234574643200, 'text': "RT @womensmediacntr: 'Time's up': Women ski jumpers still battle for equality https://t.co/bkO4APotyF", 'user.screen_name': 'Viktor_DoKaren'}, {'created_at': 'Mon Feb 12 03:40:49 +0000 2018', 'id': 962894234377445376, 'text': 'RT @SuSuLeEsq: I hope we can leave Tonya Harding in history now that Mirai Nagasu is the first American woman to land the triple axel in th…', 'user.screen_name': 'kirdarearab'}, {'created_at': 'Mon Feb 12 03:40:49 +0000 2018', 'id': 962894233844658176, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'michthebay'}, {'created_at': 'Mon Feb 12 03:40:49 +0000 2018', 'id': 962894233702191104, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'crenita'}, {'created_at': 'Mon Feb 12 03:40:49 +0000 2018', 'id': 962894232389234689, 'text': 'RT @InsideSoCalSpts: Mirai Nagasu (@mirai_nagasu) becomes the first American to land a triple axel at the Winter #Olympics. \n\nWATCH: \n\nhttp…', 'user.screen_name': 'GlendoraChief'}, {'created_at': 'Mon Feb 12 03:40:49 +0000 2018', 'id': 962894232359874560, 'text': 'RT @rockerskating: Because @mirai_nagasu is hella patriotic. #TeamUSA #athletictape #PyeongChang2018 #Olympics #figureskating https://t.co/…', 'user.screen_name': 'MsIngaSpoke'}, {'created_at': 'Mon Feb 12 03:40:49 +0000 2018', 'id': 962894231978229760, 'text': "I'm always nervous to Tweet during the #Olympics because what if Something Amazing Happens and I was Tweeting?… https://t.co/nnNpjPUguv", 'user.screen_name': 'OliviaGraceSP'}, {'created_at': 'Mon Feb 12 03:40:49 +0000 2018', 'id': 962894231500148736, 'text': "RT @DrMCar: Leslie Jones' Winter Olympics Twitter Game Keeps Killing It https://t.co/kKSRVAgA4l", 'user.screen_name': 'janetnews'}, {'created_at': 'Mon Feb 12 03:40:49 +0000 2018', 'id': 962894231403749376, 'text': 'RT @TheRickyDavila: It says something when our amazing athletes can so easily represent the United States with class, grace, honor, dignity…', 'user.screen_name': 'phendricks71'}, {'created_at': 'Mon Feb 12 03:40:49 +0000 2018', 'id': 962894230950760449, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'jjuliannachen'}, {'created_at': 'Mon Feb 12 03:40:48 +0000 2018', 'id': 962894230497751040, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'KellyLemke11'}, {'created_at': 'Mon Feb 12 03:40:48 +0000 2018', 'id': 962894230183030784, 'text': "RT @nytimes: Without a word, only flashing smiles, Kim Jong-un's sister outflanked Vice President Mike Pence in diplomacy https://t.co/c2gT…", 'user.screen_name': 'hartsigns'}, {'created_at': 'Mon Feb 12 03:40:48 +0000 2018', 'id': 962894230170501121, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'kimmy_rmz'}, {'created_at': 'Mon Feb 12 03:40:48 +0000 2018', 'id': 962894229646147584, 'text': 'RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G', 'user.screen_name': 'SoneAlyah'}, {'created_at': 'Mon Feb 12 03:40:48 +0000 2018', 'id': 962894229256265728, 'text': 'RT @Education4Libs: CNN claims “If ‘diplomatic dance’ were an event at the Winter Olympics, Kim Jong Un’s younger sister would be favored t…', 'user.screen_name': 'mlpardew'}, {'created_at': 'Mon Feb 12 03:40:48 +0000 2018', 'id': 962894228887097344, 'text': 'RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.', 'user.screen_name': 'jknight908'}, {'created_at': 'Mon Feb 12 03:40:48 +0000 2018', 'id': 962894228878708736, 'text': 'RT @pourmecoffee: Incredible double-jump by the Russian athlete at the Olympics. https://t.co/R2oftxmlsV', 'user.screen_name': 'kstansbu'}, {'created_at': 'Mon Feb 12 03:40:48 +0000 2018', 'id': 962894228383813633, 'text': 'Wow, Italy was spectacular again! Beautiful storytelling. #Olympics', 'user.screen_name': 'NightoftheLark'}, {'created_at': 'Mon Feb 12 03:40:48 +0000 2018', 'id': 962894228052422656, 'text': 'RT @MrT: I am really Pumped watching the Winter Olympics. I am watching events I never thought I would watch before, like curling. You hear…', 'user.screen_name': 'mtking87'}, {'created_at': 'Mon Feb 12 03:40:48 +0000 2018', 'id': 962894227985362944, 'text': 'RT @TheRickyDavila: It says something when our amazing athletes can so easily represent the United States with class, grace, honor, dignity…', 'user.screen_name': 'jimbealjr'}, {'created_at': 'Mon Feb 12 03:40:48 +0000 2018', 'id': 962894227226193920, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'laurahxc'}, {'created_at': 'Mon Feb 12 03:40:48 +0000 2018', 'id': 962894227100393472, 'text': 'RT @online_shawn: Olympics reporter: You won a gold medal, are you happy? \nAthlete: oh yes. I am happy I won the gold medal', 'user.screen_name': 'IneptBisexual'}, {'created_at': 'Mon Feb 12 03:40:48 +0000 2018', 'id': 962894226861281282, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'CassetteTape76'}, {'created_at': 'Mon Feb 12 03:40:48 +0000 2018', 'id': 962894226735349760, 'text': 'RT @OwenBenjamin: Saranac Lake, NY just got a shout out on the olympics! The guy who just got gold in luge is from the tiny town i live in!…', 'user.screen_name': 'Dsquared69'}, {'created_at': 'Mon Feb 12 03:40:47 +0000 2018', 'id': 962894226617978880, 'text': 'man i love the olympics', 'user.screen_name': 'AARONR0DGERS'}, {'created_at': 'Mon Feb 12 03:40:47 +0000 2018', 'id': 962894226588602368, 'text': 'RT @ArthurSchwartz: CNN: Our puff piece on murderous dictator Kim Jong-un’s sister is the most embarrassing piece of journalism that anyone…', 'user.screen_name': 'trumpgirl261'}, {'created_at': 'Mon Feb 12 03:40:47 +0000 2018', 'id': 962894226068590592, 'text': 'RT @DearAuntCrabby: After Podium Sweep At The Olympics, The Netherlands Celebrated By Trolling Trump https://t.co/w0KIWT1wBn Bwaahaha!! Con…', 'user.screen_name': 'ChangeAgent002'}, {'created_at': 'Mon Feb 12 03:40:47 +0000 2018', 'id': 962894225934307328, 'text': "I just found out yulia lipnitskaya retired from figure skating bc of anorexia and she had so much potential now I'm… https://t.co/yXf6buvS3i", 'user.screen_name': 'yIIeza'}, {'created_at': 'Mon Feb 12 03:40:47 +0000 2018', 'id': 962894225124728834, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'Sonic_Kurosaki'}, {'created_at': 'Mon Feb 12 03:40:47 +0000 2018', 'id': 962894225024020481, 'text': 'RT @seohyundaily: Imagine getting call from Blue House to perform historic concert same day for Olympics in presence of President....with n…', 'user.screen_name': 'tyron_triston'}, {'created_at': 'Mon Feb 12 03:40:47 +0000 2018', 'id': 962894224713687044, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'miss_haileyj'}, {'created_at': 'Mon Feb 12 03:40:47 +0000 2018', 'id': 962894224621428736, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'raconteurally'}, {'created_at': 'Mon Feb 12 03:40:47 +0000 2018', 'id': 962894224369897472, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'emilyslayden'}, {'created_at': 'Mon Feb 12 03:40:47 +0000 2018', 'id': 962894224281755648, 'text': 'RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G', 'user.screen_name': 'ArinaArena'}, {'created_at': 'Mon Feb 12 03:40:47 +0000 2018', 'id': 962894224193540096, 'text': 'RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G', 'user.screen_name': 'gaeaearth'}, {'created_at': 'Mon Feb 12 03:40:47 +0000 2018', 'id': 962894224122314753, 'text': 'RT @BuzzFeed: Mirai Nagasu just became the first US woman to land the triple axel at the Olympics https://t.co/JLdvT17Q9t https://t.co/T4mX…', 'user.screen_name': 'infinityonloops'}, {'created_at': 'Mon Feb 12 03:40:47 +0000 2018', 'id': 962894224042598400, 'text': 'RT @TechnicallyRon: Your definitive guide to the sports of the 2018 Winter Olympics https://t.co/Oyon5qfHBc', 'user.screen_name': 'wiggintontom'}, {'created_at': 'Mon Feb 12 03:40:47 +0000 2018', 'id': 962894223984021504, 'text': 'RT @BuzzFeedNews: Mirai Nagasu just became the first American woman in history to land a triple axel at the Winter Olympics(!) https://t.co…', 'user.screen_name': 'soldierDtruth'}, {'created_at': 'Mon Feb 12 03:40:47 +0000 2018', 'id': 962894223904329728, 'text': "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on…", 'user.screen_name': 'zackjones1994'}, {'created_at': 'Mon Feb 12 03:40:47 +0000 2018', 'id': 962894223715590151, 'text': 'RT @HRC: RT to cheer on Adam Rippon (@AdaRipp) at the #Olympics! https://t.co/KIO5zX9z6i', 'user.screen_name': 'NicholasBiondo'}, {'created_at': 'Mon Feb 12 03:40:47 +0000 2018', 'id': 962894223631704065, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'Rodriguez8027'}, {'created_at': 'Mon Feb 12 03:40:47 +0000 2018', 'id': 962894223602274304, 'text': 'RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G', 'user.screen_name': 'SamVimesBoots'}, {'created_at': 'Mon Feb 12 03:40:47 +0000 2018', 'id': 962894223505874947, 'text': 'This Italian ice dancer looks like Alexis Bledel. #Olympics #figureskating', 'user.screen_name': 'chickflick1979'}, {'created_at': 'Mon Feb 12 03:40:47 +0000 2018', 'id': 962894223287771136, 'text': 'RT @JessieJaneDuff: This CNN International headline is poorly written:\n\nMurderous dictator Kim Jong Un, whose regime starves, tortures and…', 'user.screen_name': 'PeterLe30125667'}, {'created_at': 'Mon Feb 12 03:40:47 +0000 2018', 'id': 962894222939643904, 'text': 'RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face…', 'user.screen_name': 'novemberpoems'}, {'created_at': 'Mon Feb 12 03:40:47 +0000 2018', 'id': 962894222620700678, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'SaithFigueroa8'}, {'created_at': 'Mon Feb 12 03:40:47 +0000 2018', 'id': 962894222553690113, 'text': 'RT @chr1sa: Best view of the @Intel drone swarm performance at the Olympics https://t.co/mCsILkq38Z', 'user.screen_name': 'katherinekiewel'}, {'created_at': 'Mon Feb 12 03:40:46 +0000 2018', 'id': 962894222092316674, 'text': 'RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.', 'user.screen_name': 'Derrick16392665'}, {'created_at': 'Mon Feb 12 03:40:46 +0000 2018', 'id': 962894221576429568, 'text': "RT @gatewaypundit: OUTRAGE After CNN Compares Kim Jong Un's Sister To Ivanka Trump Amid Winter Olympics Media Frenzy https://t.co/Mu5jJ4mkFZ", 'user.screen_name': 'jemz1113'}, {'created_at': 'Mon Feb 12 03:40:46 +0000 2018', 'id': 962894221505126400, 'text': 'RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face…', 'user.screen_name': 'Gorall007'}, {'created_at': 'Mon Feb 12 03:40:46 +0000 2018', 'id': 962894221337415680, 'text': '"Mirai" (未来) means "the future" in Japanese, and Mirai Nagasu lives up to her name, representing the future of US f… https://t.co/jBFXF4coCD', 'user.screen_name': 'poshprogrammer'}, {'created_at': 'Mon Feb 12 03:40:46 +0000 2018', 'id': 962894220687265793, 'text': 'RT @nytimes: Mike Pence denied a report that Adam Rippon, a gay American figure skater, had refused to meet with him. But the Olympic athle…', 'user.screen_name': 'butchpa'}, {'created_at': 'Mon Feb 12 03:40:46 +0000 2018', 'id': 962894220511121408, 'text': "RT @CNN: Last year he almost died in a snowboarding accident. Now he's won bronze at the Olympics. https://t.co/S9Rf6QufiQ https://t.co/BiZ…", 'user.screen_name': 'BGolpour'}, {'created_at': 'Mon Feb 12 03:40:46 +0000 2018', 'id': 962894220318117888, 'text': 'Ok but how are they going to portray the man GETTING SHOT BY A NAZI IN A CONCENTRATION CAMP???? (Life Is Beautiful… https://t.co/tLzD6CMF3p', 'user.screen_name': 'pinklily7333'}, {'created_at': 'Mon Feb 12 03:40:46 +0000 2018', 'id': 962894219512758274, 'text': 'RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.', 'user.screen_name': 'saavedrar0717'}, {'created_at': 'Mon Feb 12 03:40:46 +0000 2018', 'id': 962894219366010880, 'text': 'RT @chr1sa: Best view of the @Intel drone swarm performance at the Olympics https://t.co/mCsILkq38Z', 'user.screen_name': 'AwaretoBeware'}, {'created_at': 'Mon Feb 12 03:40:46 +0000 2018', 'id': 962894219298910208, 'text': "RT @FoxNews: 'It's Absurd': @edhenry Blasts CNN for 'Sucking Up' to Kim Jong Un's Sister https://t.co/u0H5YWhSYT", 'user.screen_name': 'PohligT'}, {'created_at': 'Mon Feb 12 03:40:46 +0000 2018', 'id': 962894219085049866, 'text': "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on…", 'user.screen_name': 'livielives98'}, {'created_at': 'Mon Feb 12 03:40:46 +0000 2018', 'id': 962894218518724608, 'text': 'So, whose watching the OLYMPICS?\nI am..', 'user.screen_name': 'BryanGarten'}, {'created_at': 'Mon Feb 12 03:40:46 +0000 2018', 'id': 962894218338426881, 'text': 'Find you someone who will couple figure skate with you. #Olympics', 'user.screen_name': 'TylerJFrye'}, {'created_at': 'Mon Feb 12 03:40:45 +0000 2018', 'id': 962894218174849026, 'text': 'RT @linzsports: Four years ago, Adam Rippon and MIrai Nagasu were eating in-n-out burger in California, crying and watching the Sochi Olymp…', 'user.screen_name': 'EWasser17'}, {'created_at': 'Mon Feb 12 03:40:45 +0000 2018', 'id': 962894217017286656, 'text': 'Ice skaters have a real appreciation of film, and I’m eating it up. I can’t believe they distilled Life is Beautiful so we’ll. #olympics', 'user.screen_name': 'curiouslykat'}, {'created_at': 'Mon Feb 12 03:40:45 +0000 2018', 'id': 962894216509739009, 'text': 'RT @mattstopera: This is one of the wildest things I have ever witnessed with my own two eyes!! A North Korean cheer sqaud at the Olympics…', 'user.screen_name': 'Kaymatic_'}, {'created_at': 'Mon Feb 12 03:40:45 +0000 2018', 'id': 962894216325222400, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'sasha_seckers'}, {'created_at': 'Mon Feb 12 03:40:45 +0000 2018', 'id': 962894216199368704, 'text': 'Her triple axel was badass. #Olympics https://t.co/DOGIIUL0d2', 'user.screen_name': 'belles_lettres'}, {'created_at': 'Mon Feb 12 03:40:45 +0000 2018', 'id': 962894216081952768, 'text': "RT @NBCOlympics: A performance for the record books by Mirai Nagasu, complete with a celebration we'll remember for a long time. #BestOfUS…", 'user.screen_name': 'whitneyuland'}, {'created_at': 'Mon Feb 12 03:40:45 +0000 2018', 'id': 962894216006217728, 'text': 'RT @ricoricoriiii: In 2 years;\n\nTwice had ‘TT’ written on the Tokyo Tower & were called Asia’s #1 GG there [& in Korea]\n\nTwice had the whol…', 'user.screen_name': 'fifthhormoneyy'}, {'created_at': 'Mon Feb 12 03:40:45 +0000 2018', 'id': 962894215339565057, 'text': "@CBCOlympics @Pchiddy There's no bigger justice today than Patrick becoming an Olympics Champion. Best present for… https://t.co/fwlDOIc0dt", 'user.screen_name': 'fs_gossips'}, {'created_at': 'Mon Feb 12 03:40:45 +0000 2018', 'id': 962894215054110720, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'softyIove'}, {'created_at': 'Mon Feb 12 03:40:45 +0000 2018', 'id': 962894214978818050, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'DJSHIRE'}, {'created_at': 'Mon Feb 12 03:40:45 +0000 2018', 'id': 962894214852894720, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'troika10659'}, {'created_at': 'Mon Feb 12 03:40:45 +0000 2018', 'id': 962894214458691584, 'text': 'Time for a cuppa whilst waiting for @aimee_fuller to take to the course. The wind is forever changing so hopefully… https://t.co/usQ2jZF2cN', 'user.screen_name': 'LukeJohnFrost'}, {'created_at': 'Mon Feb 12 03:40:45 +0000 2018', 'id': 962894214445940737, 'text': "LOOK AT THEIR FACES THEY'RE SO HAPPY OMG #olympics", 'user.screen_name': 'my2k'}, {'created_at': 'Mon Feb 12 03:40:44 +0000 2018', 'id': 962894213984563200, 'text': "RT @NBCOlympics: A performance for the record books by Mirai Nagasu, complete with a celebration we'll remember for a long time. #BestOfUS…", 'user.screen_name': 'moonlightboobo'}, {'created_at': 'Mon Feb 12 03:40:44 +0000 2018', 'id': 962894213921742848, 'text': 'RT @nytimes: Mike Pence denied a report that Adam Rippon, a gay American figure skater, had refused to meet with him. But the Olympic athle…', 'user.screen_name': 'Conwaytheseahag'}, {'created_at': 'Mon Feb 12 03:40:44 +0000 2018', 'id': 962894213875732481, 'text': 'RT @billboard: Korean singers and K-pop acts get drawn into Pyeongchang 2018 Winter Olympics! EXO and CL are set to perform at the closing…', 'user.screen_name': 'lovxlyeol'}, {'created_at': 'Mon Feb 12 03:40:44 +0000 2018', 'id': 962894213812838401, 'text': "RT @hancxck: russia being banned from the olympics and not being allowed to wear the nation's colors has produced an absolute miracle of gr…", 'user.screen_name': 'lanadenzelrey'}, {'created_at': 'Mon Feb 12 03:40:44 +0000 2018', 'id': 962894213338845189, 'text': "RT @CHENGANSITO: Since the Olympics just started I'm bringing back this iconic moment\n\n#EXOL #BestFanArmy #iHeartAwards @weareoneEXO PUPPY…", 'user.screen_name': 'TaekookieJimin'}, {'created_at': 'Mon Feb 12 03:40:44 +0000 2018', 'id': 962894213120585728, 'text': 'RT @flwrpwr1969: Pence agreed to be VP bc no one else wanted the job & he saw it as an avenue to be prez. He doesn’t belong in WH any more…', 'user.screen_name': 'AbandrewA'}, {'created_at': 'Mon Feb 12 03:40:44 +0000 2018', 'id': 962894212642480128, 'text': 'RT @BuzzFeedNews: Mirai Nagasu just became the first American woman in history to land a triple axel at the Winter Olympics(!) https://t.co…', 'user.screen_name': 'peanuts_2005'}, {'created_at': 'Mon Feb 12 03:40:44 +0000 2018', 'id': 962894212185362432, 'text': "Cigarette companies don't sponsor the Olympics. Why does Coca-Cola? | Ian D Caterson and Mychelle Farmer https://t.co/wEdDI6yVg7", 'user.screen_name': 'alyframpton'}, {'created_at': 'Mon Feb 12 03:40:44 +0000 2018', 'id': 962894211996704769, 'text': 'RT @JonAcuff: Dear Olympics commentators, at the beginning of each figure skating couple please let us know if the couple loves each other…', 'user.screen_name': 'leeeesie'}, {'created_at': 'Mon Feb 12 03:40:44 +0000 2018', 'id': 962894211874930688, 'text': 'RT @HRC: RT to cheer on Adam Rippon (@AdaRipp) at the #Olympics! https://t.co/KIO5zX9z6i', 'user.screen_name': 'larrywhyudodis'}, {'created_at': 'Mon Feb 12 03:40:44 +0000 2018', 'id': 962894211644211201, 'text': '@Lesdoggg @NBCOlympics @Olympics “Slay all day, damnit!” \ud83d\udc4d\ud83c\udffc⛸', 'user.screen_name': 'Dotdogz'}, {'created_at': 'Mon Feb 12 03:40:44 +0000 2018', 'id': 962894211581382656, 'text': 'RT @WestSBI4U: When you watch the Olympics you’re seeing the results of different types of long-term training sessions & little sacrifices…', 'user.screen_name': 'MsWolinski'}, {'created_at': 'Mon Feb 12 03:40:44 +0000 2018', 'id': 962894211258503169, 'text': 'RT @KristySwansonXO: I’m not watching @NBCOlympics #figureskating anymore. I can not listen to #JohnnyWeir & #TaraLipinski absolutely the w…', 'user.screen_name': 'Olivia82756046'}, {'created_at': 'Mon Feb 12 03:40:44 +0000 2018', 'id': 962894210943811589, 'text': "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on…", 'user.screen_name': '1velvetexo'}, {'created_at': 'Mon Feb 12 03:40:44 +0000 2018', 'id': 962894210813841408, 'text': 'Cappellini/Lanotte just pulled at all the heart strings! Very nice! #LaViteEBella #ITA #figureskating #PyeongChang2018 #Olympics', 'user.screen_name': 'the1stPYT'}, {'created_at': 'Mon Feb 12 03:40:44 +0000 2018', 'id': 962894210734018561, 'text': 'RT @deray: Jordan Greenway will be the first black hockey player in history to play for the U.S Olympic hockey team https://t.co/ZHMb7MPmHO', 'user.screen_name': 'adrienne_kt'}, {'created_at': 'Mon Feb 12 03:40:44 +0000 2018', 'id': 962894210058743808, 'text': 'RT @Slate: Mirai Nagasu is the third woman to do a triple axel in the Olympics. Watch all three: https://t.co/gQO2lcL2Uh https://t.co/HveC5…', 'user.screen_name': 'dare2misbehave'}, {'created_at': 'Mon Feb 12 03:40:44 +0000 2018', 'id': 962894210033700864, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'jen_jen0926'}, {'created_at': 'Mon Feb 12 03:40:43 +0000 2018', 'id': 962894209865932801, 'text': 'RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.', 'user.screen_name': 'PatriotProud45'}, {'created_at': 'Mon Feb 12 03:40:43 +0000 2018', 'id': 962894209819832320, 'text': "RT @Blackdi51264299: 'It's Absurd': Ed Henry Blasts CNN for 'Sucking Up' to Kim Jong Un's Sister | Fox News Insider https://t.co/uZfUzznp9T", 'user.screen_name': 'lillyred29'}, {'created_at': 'Mon Feb 12 03:40:43 +0000 2018', 'id': 962894209802952704, 'text': 'RT @CTO1ChipNagel: After Declaring NFL Kneeling Protests Disrespectful, Pence Protests Korean Unity By Refusing To Stand At Olympics Ceremo…', 'user.screen_name': 'AvieAvie47'}, {'created_at': 'Mon Feb 12 03:40:43 +0000 2018', 'id': 962894209635282944, 'text': "2018 Winter Olympics: Riders wipe out in windy women's snowboard slopestyle conditions https://t.co/1hVznJcjPm via @usatoday", 'user.screen_name': 'ByJoeFleming'}, {'created_at': 'Mon Feb 12 03:40:43 +0000 2018', 'id': 962894209526239232, 'text': '@dfrank5 @Lesdoggg @NBCOlympics @Olympics 10x better! \ud83d\ude02\ud83d\ude02\ud83d\ude02 its sooo much more entertaining by far', 'user.screen_name': 'DaveLeeC3'}, {'created_at': 'Mon Feb 12 03:40:43 +0000 2018', 'id': 962894209287061504, 'text': 'RT @MrT: I am really Pumped watching the Winter Olympics. I am watching events I never thought I would watch before, like curling. You hear…', 'user.screen_name': 'GavinThompson'}, {'created_at': 'Mon Feb 12 03:40:43 +0000 2018', 'id': 962894208741838848, 'text': 'RT @HarlanCoben: Me: I’ve never watched luge. I know nothing about it. \n\nMe 20 minutes later: Turns 9 through 12 are really the key to vict…', 'user.screen_name': 'Blues_Record'}, {'created_at': 'Mon Feb 12 03:40:43 +0000 2018', 'id': 962894208657797121, 'text': 'Cappellini and Lanotte are just the cutest #Olympics #figureskating', 'user.screen_name': 'stephkatrina'}, {'created_at': 'Mon Feb 12 03:40:43 +0000 2018', 'id': 962894208477605888, 'text': 'RT @BuzzFeed: Mirai Nagasu just became the first US woman to land the triple axel at the Olympics https://t.co/JLdvT17Q9t https://t.co/T4mX…', 'user.screen_name': '_terralu'}, {'created_at': 'Mon Feb 12 03:40:43 +0000 2018', 'id': 962894208263585793, 'text': '@AlibabaGroup @Olympics I’ve tried to use Alibaba before it’s not very US friendly.', 'user.screen_name': 'LindaLeeYou123'}, {'created_at': 'Mon Feb 12 03:40:43 +0000 2018', 'id': 962894207395467270, 'text': 'RT @cupidcheol: his reaction of winning gold at the Olympics will always be the cutest thing ever https://t.co/TggInSnaKB', 'user.screen_name': 'sunzshines'}, {'created_at': 'Mon Feb 12 03:40:43 +0000 2018', 'id': 962894207198334977, 'text': 'How do I sign up to be that Italian Ice Dancer’s partner???? (For skating or otherwise \ud83d\ude0f) #Olympics', 'user.screen_name': 'S_mannix'}, {'created_at': 'Mon Feb 12 03:40:43 +0000 2018', 'id': 962894206577471488, 'text': "RT @Carpedonktum: CNN unveils it's new logo. The logo is stealing the show at the Winter Olympics! https://t.co/TLL4GX1K4P", 'user.screen_name': 'sandam82'}, {'created_at': 'Mon Feb 12 03:40:43 +0000 2018', 'id': 962894206548275200, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'renfroconnor'}, {'created_at': 'Mon Feb 12 03:40:43 +0000 2018', 'id': 962894206472667136, 'text': 'Hail to immigrants! Mirai Nagasu has become the first U.S. woman to land a triple axel in the #Olympics.… https://t.co/dJFhW8zSEO', 'user.screen_name': 'alirezat'}, {'created_at': 'Mon Feb 12 03:40:43 +0000 2018', 'id': 962894206464389120, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'alanipabz'}, {'created_at': 'Mon Feb 12 03:40:43 +0000 2018', 'id': 962894206355296256, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'fbonacci'}, {'created_at': 'Mon Feb 12 03:40:43 +0000 2018', 'id': 962894206330077184, 'text': 'RT @dumbbeezie: I could do that. \n\n-Me watching people eating at the Olympics', 'user.screen_name': 'homo_hammerhead'}, {'created_at': 'Mon Feb 12 03:40:42 +0000 2018', 'id': 962894205533089793, 'text': "We've got a #Gold!!!! #TeamCanada \n#Can \n#Olympics \n#PyeongChang2018", 'user.screen_name': 'MrNuxfan1'}, {'created_at': 'Mon Feb 12 03:40:42 +0000 2018', 'id': 962894204912525312, 'text': 'I REALLY like Capellini & Lanotte. They bring such great emotion and beauty to their skates. #Olympics', 'user.screen_name': 'poisontaster'}, {'created_at': 'Mon Feb 12 03:40:42 +0000 2018', 'id': 962894204904108032, 'text': 'RT @JoyPuder: “This might be my first Olympics, but it’s not my first rodeo.”-@Adaripp \n\nThis is the perfect Housewives tagline. #Olympics…', 'user.screen_name': 'katie_rudder'}, {'created_at': 'Mon Feb 12 03:40:42 +0000 2018', 'id': 962894204472123392, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'RubySegura29'}, {'created_at': 'Mon Feb 12 03:40:42 +0000 2018', 'id': 962894204195278848, 'text': 'RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.', 'user.screen_name': 'jena_jordan'}, {'created_at': 'Mon Feb 12 03:40:42 +0000 2018', 'id': 962894203738042368, 'text': 'Italian ice dancing couple just STUNNED #Lanotte #Olympics', 'user.screen_name': 'dsyelxic_'}, {'created_at': 'Mon Feb 12 03:40:42 +0000 2018', 'id': 962894203339640832, 'text': 'RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://…', 'user.screen_name': 'MEG_nog98'}, {'created_at': 'Mon Feb 12 03:40:42 +0000 2018', 'id': 962894203176062977, 'text': 'Any sport that requires judges has no business in the Olympics, be it winter or summer. Events that are decided by… https://t.co/zA2Sdlg3ei', 'user.screen_name': 'Kenz_aFan'}, {'created_at': 'Mon Feb 12 03:40:42 +0000 2018', 'id': 962894203050254336, 'text': '@WhatCassieDid Regrets that you missed what you wanted to see! You can watch our earlier coverage of the Figure Ska… https://t.co/wI0MsuLe4p', 'user.screen_name': 'CBC'}, {'created_at': 'Mon Feb 12 03:40:42 +0000 2018', 'id': 962894202630586368, 'text': 'Watching the Olympics reminds me of the only time I snowboarded...fell getting off the chair lift and laid there wh… https://t.co/fbz4zbCS6U', 'user.screen_name': 'MacadyMoe'}, {'created_at': 'Mon Feb 12 03:40:42 +0000 2018', 'id': 962894202609729537, 'text': 'RT @JeonMicDrop: BTS are so powerful they didnt even need to attend the Olympics & DNA was played as background music during opening ceremo…', 'user.screen_name': 'dearminpd'}, {'created_at': 'Mon Feb 12 03:40:42 +0000 2018', 'id': 962894202404245505, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'mandab__'}, {'created_at': 'Mon Feb 12 03:40:42 +0000 2018', 'id': 962894202358046722, 'text': 'RT @OmarMinayaFan: The Olympics make me so happy. Reminds you that -- despite all the bad news, and all the evil stuff we hear about -- mos…', 'user.screen_name': 'bhavesh0128'}, {'created_at': 'Mon Feb 12 03:40:42 +0000 2018', 'id': 962894202051944448, 'text': 'RT @DLoesch: Who determined this? They’ve made no concessions, starve and torture their populace, threaten war, and all they have to do is…', 'user.screen_name': 'Debbiefullam'}, {'created_at': 'Mon Feb 12 03:40:42 +0000 2018', 'id': 962894201833664512, 'text': 'As the Olympics are going on. We give medals \ud83c\udfc5for placing do the others get participation \ud83c\udfc5?', 'user.screen_name': 'burnindaylight5'}, {'created_at': 'Mon Feb 12 03:40:41 +0000 2018', 'id': 962894201171206145, 'text': 'RT @hancinema: Ok Taecyeon at the Olympics https://t.co/E1ScoPTqSo https://t.co/MgYmxdU3li', 'user.screen_name': 'hennyprscl'}, {'created_at': 'Mon Feb 12 03:40:41 +0000 2018', 'id': 962894200890167296, 'text': 'So let me get this straight you can fall 2 to 3 times a and get first if your name is Chan. Rippon got ripped off… https://t.co/Kc1YhRdaNZ', 'user.screen_name': 'theycallmegurch'}, {'created_at': 'Mon Feb 12 03:40:41 +0000 2018', 'id': 962894200751755264, 'text': "This year's Winter Olympics debuts doubles curling. American siblings relish in the opportunity to compete together… https://t.co/z8zFFBcoj1", 'user.screen_name': 'ggibitgiles2'}, {'created_at': 'Mon Feb 12 03:40:41 +0000 2018', 'id': 962894200521089025, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'katieguezille'}, {'created_at': 'Mon Feb 12 03:40:41 +0000 2018', 'id': 962894199891922945, 'text': 'RT @booksnbigideas: Mirai is so happy I love her!! #Olympics', 'user.screen_name': 'gillyraebean'}, {'created_at': 'Mon Feb 12 03:40:41 +0000 2018', 'id': 962894199510073344, 'text': 'RT @chr1sa: Best view of the @Intel drone swarm performance at the Olympics https://t.co/mCsILkq38Z', 'user.screen_name': 'Andy_S2017'}, {'created_at': 'Mon Feb 12 03:40:41 +0000 2018', 'id': 962894199300509697, 'text': 'RT @BuzzFeed: Mirai Nagasu just became the first US woman to land the triple axel at the Olympics https://t.co/JLdvT17Q9t https://t.co/T4mX…', 'user.screen_name': 'mo_pletch'}, {'created_at': 'Mon Feb 12 03:40:41 +0000 2018', 'id': 962894198935502848, 'text': 'RT @carlquintanilla: When you sit next to #NorthKorea’s cheering squad at speedskating.\n\n#PyeongChang2018 \n#olympics @NBCOlympics https://t…', 'user.screen_name': 'mrjake805'}, {'created_at': 'Mon Feb 12 03:40:41 +0000 2018', 'id': 962894198109241344, 'text': "OLYMPICS: ITALY's skating couple have just done the most beautiful dance so far! LOVELY \ud83c\uddee\ud83c\uddf9", 'user.screen_name': 'BillofRightsKin'}, {'created_at': 'Mon Feb 12 03:40:41 +0000 2018', 'id': 962894198042226688, 'text': 'RT @CBCOlympics: John Morris and Kaitlyn Lawes looking for redemption against Team Norway come out the gate haaarrrrrrdddd! #curling #Pyeon…', 'user.screen_name': 'OGDonCalderon'}, {'created_at': 'Mon Feb 12 03:40:41 +0000 2018', 'id': 962894197949739008, 'text': 'RT @intel: Experience the moment the world came together under a sky of #drones. See more of the Team in Flight at https://t.co/Jkxn9vTpOt.…', 'user.screen_name': 'selvat15'}, {'created_at': 'Mon Feb 12 03:40:41 +0000 2018', 'id': 962894197945749504, 'text': 'RT @nytimes: Mike Pence denied a report that Adam Rippon, a gay American figure skater, had refused to meet with him. But the Olympic athle…', 'user.screen_name': 'Michael23921465'}, {'created_at': 'Mon Feb 12 03:40:41 +0000 2018', 'id': 962894197824065536, 'text': 'RT @julia_mccoy17: Me: critiques people in the olympics\nAlso me: can’t stand on ice skates for more than 2 seconds without falling', 'user.screen_name': 'ashhanson_'}, {'created_at': 'Mon Feb 12 03:40:41 +0000 2018', 'id': 962894197811482624, 'text': "RT @guskenworthy: We're here. We're queer. Get used to it. @Adaripp #Olympics #OpeningCeremony https://t.co/OCeiqiY6BN", 'user.screen_name': 'nick_burford'}, {'created_at': 'Mon Feb 12 03:40:41 +0000 2018', 'id': 962894197672919040, 'text': 'RT @lolacoaster: olympics drinking game rules\nsomeone falls: do a shot\nsomeone cries when they get their score: do a shot\na koch industries…', 'user.screen_name': 'KGBclaire'}, {'created_at': 'Mon Feb 12 03:40:41 +0000 2018', 'id': 962894197639573506, 'text': 'RT @joshrogin: Did I photobomb the North Korea cheer squad? Absolutely. #PyeongChang #Olympics H/T: @W7VOA https://t.co/q8WnOK7hhF', 'user.screen_name': 'K8TDidToo'}, {'created_at': 'Mon Feb 12 03:40:41 +0000 2018', 'id': 962894197572489216, 'text': 'RT @vlissful: @jintellectually okay for those who are confused, read the article here\n\nthe nbc guy said “Every Korean will tell you that Ja…', 'user.screen_name': 'adoringlikeari'}, {'created_at': 'Mon Feb 12 03:40:41 +0000 2018', 'id': 962894197476003846, 'text': 'RT @SwedeStats: Sweden, Norway, Finland, Denmark and Iceland should just go together as "The Nordics" and sweep everything that has to do w…', 'user.screen_name': 'SonnAvWoden'}, {'created_at': 'Mon Feb 12 03:40:40 +0000 2018', 'id': 962894196683300864, 'text': 'RT @LaurlynB: Spent the day Ice Skating at the Utah Olympic Oval with Olympian hopeful -Jason Brown! @AdeccoUSA @TeamUSA #goforthegold #Oly…', 'user.screen_name': 'AngieCollege'}, {'created_at': 'Mon Feb 12 03:40:40 +0000 2018', 'id': 962894196595027968, 'text': 'RT @PhilipRucker: Still can’t get over that Adam Rippon’s flawless, magical skate was edged out by a Russian Elvis who fell and whose progr…', 'user.screen_name': 'AnaamiOne'}, {'created_at': 'Mon Feb 12 03:40:40 +0000 2018', 'id': 962894196192538624, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'Nadds11015'}, {'created_at': 'Mon Feb 12 03:40:40 +0000 2018', 'id': 962894196154671105, 'text': 'Hey @NBCSports I know there are other sports going on besides figure skating. Can we see some of those? #Olympics', 'user.screen_name': 'CoxWebDev'}, {'created_at': 'Mon Feb 12 03:40:40 +0000 2018', 'id': 962894195932520448, 'text': "#MSM no sense of history insults anyone anywhere anytime: NBC apologizes to Korean people after correspondent's 'ig… https://t.co/L6WYtmQ3FS", 'user.screen_name': 'ellenjharris'}, {'created_at': 'Mon Feb 12 03:40:40 +0000 2018', 'id': 962894195915550720, 'text': "RT @btschartdata: [!] Another BTS' song played at #Olympics , '21st Century Girl' was used as background music in Women Hockey Match, Canad…", 'user.screen_name': 'Yoongibbies'}, {'created_at': 'Mon Feb 12 03:40:40 +0000 2018', 'id': 962894195743698944, 'text': 'wait when do nct perform at the olympics', 'user.screen_name': 'smolsicheng'}, {'created_at': 'Mon Feb 12 03:40:40 +0000 2018', 'id': 962894195504463872, 'text': "RT @NBCOlympics: A performance for the record books by Mirai Nagasu, complete with a celebration we'll remember for a long time. #BestOfUS…", 'user.screen_name': 'CSchozer'}, {'created_at': 'Mon Feb 12 03:40:40 +0000 2018', 'id': 962894195412287488, 'text': 'RT @daxshepard1: I always keep my eyes peeled for an event that I may be able to compete in the Olympics. No luck so far.', 'user.screen_name': 'davidthe_2nd'}, {'created_at': 'Mon Feb 12 03:40:40 +0000 2018', 'id': 962894195299094528, 'text': 'red gerard looks like a discount jeff spicoli #Olympics https://t.co/ttICDMaUR3', 'user.screen_name': 'marypuchalski'}, {'created_at': 'Mon Feb 12 03:40:40 +0000 2018', 'id': 962894194686611458, 'text': 'RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://…', 'user.screen_name': '001Canales'}, {'created_at': 'Mon Feb 12 03:40:40 +0000 2018', 'id': 962894194393145344, 'text': 'RT @Rosie: beautiful man - beautiful soul \n#AdamRippon - national hero\n#Olympics https://t.co/MbjOoXJhP6', 'user.screen_name': 'jhayden214'}, {'created_at': 'Mon Feb 12 03:40:40 +0000 2018', 'id': 962894194233655298, 'text': '@ClayTravis I\'d rather watch curling "teams" throw down w/ their brooms gladiator style! #Olympics', 'user.screen_name': 'mooseknuckle406'}, {'created_at': 'Mon Feb 12 03:40:40 +0000 2018', 'id': 962894193935953922, 'text': 'RT @tedlieu: Congratulations to Mirai Nagasu for being the first American in history to land a triple axle at the Winter Olympics! https://…', 'user.screen_name': 'andrewstark02'}, {'created_at': 'Mon Feb 12 03:40:40 +0000 2018', 'id': 962894193369563136, 'text': 'RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G', 'user.screen_name': 'timie_'}, {'created_at': 'Mon Feb 12 03:40:39 +0000 2018', 'id': 962894192946110470, 'text': 'RT @melrosaa: Italy skating to soundtrack of Life is Beautiful \ud83d\ude2d #Olympics So good!', 'user.screen_name': 'Avila1Emily'}, {'created_at': 'Mon Feb 12 03:40:39 +0000 2018', 'id': 962894192115556352, 'text': 'RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G', 'user.screen_name': 'foldzombie'}, {'created_at': 'Mon Feb 12 03:40:39 +0000 2018', 'id': 962894190836420609, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'AVAndyist'}, {'created_at': 'Mon Feb 12 03:40:39 +0000 2018', 'id': 962894190643331072, 'text': 'How can such an astoundingly ignorant person be a director of Starbucks and FedEx and be on Kissinger’s board?!\nHe… https://t.co/3061Nsm3Nn', 'user.screen_name': 'itismedesu'}, {'created_at': 'Mon Feb 12 03:40:39 +0000 2018', 'id': 962894190366441472, 'text': "RT @rockerskating: From Muramoto/Reed's protocols, the calls seem to be less strict today - 5 lvl 4 elements, 1 lvl 3 on the diagonal step,…", 'user.screen_name': 'The3rdName'}, {'created_at': 'Mon Feb 12 03:40:39 +0000 2018', 'id': 962894189729079297, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'katiejaynie'}, {'created_at': 'Mon Feb 12 03:40:39 +0000 2018', 'id': 962894189158633475, 'text': 'RT @cnni: As day 3 at #PyeongChang2018 Winter Olympics kicks off, keep up to date with the latest updates here: https://t.co/Y8pMjhRClq htt…', 'user.screen_name': 'airnation'}, {'created_at': 'Mon Feb 12 03:40:38 +0000 2018', 'id': 962894188588171265, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'monotrees'}, {'created_at': 'Mon Feb 12 03:40:38 +0000 2018', 'id': 962894188403724288, 'text': '@eftinkville @jk_powerup Nope.. you can enjoy all you want. I just find the Olympics very strange. And mostly boring.', 'user.screen_name': 'sogoodsosoon'}, {'created_at': 'Mon Feb 12 03:40:38 +0000 2018', 'id': 962894188189835264, 'text': 'RT @caroshoults: Screw super bowl commercials, these olympics commercials are making me feel like I can accomplish anything.', 'user.screen_name': 'JJmuniz_'}, {'created_at': 'Mon Feb 12 03:40:38 +0000 2018', 'id': 962894187543764992, 'text': "RT @CBCOlympics: #CAN's @tessavirtue & @ScottMoir skate 5th in the last event of the #FigureSkating Team Event. Even if they finish last, C…", 'user.screen_name': 'msanadouglas'}, {'created_at': 'Mon Feb 12 03:40:38 +0000 2018', 'id': 962894187413889024, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'TripleMLitz'}, {'created_at': 'Mon Feb 12 03:40:38 +0000 2018', 'id': 962894187287867392, 'text': 'RT @chalanlexi: MIDORI-MAO-MIRAI --- Three women who landed the difficult triple axel in the Olympics #Midori, #MaoAsada and @mirai_nagasu.…', 'user.screen_name': 'xaorin'}, {'created_at': 'Mon Feb 12 03:40:38 +0000 2018', 'id': 962894186386161666, 'text': "RT @espnW: This is @lindseyvonn's last Olympics, and she's going to make every single second count. https://t.co/cbLWJ2JoWH", 'user.screen_name': 'Studley'}, {'created_at': 'Mon Feb 12 03:40:38 +0000 2018', 'id': 962894186318938112, 'text': 'Well, the Italians just slayed the team freelance figure skating is a sentence I can say now. #Olympics', 'user.screen_name': 'shellymonstr'}, {'created_at': 'Mon Feb 12 03:40:38 +0000 2018', 'id': 962894186184720385, 'text': 'RT @olympicchannel: Start your day right with the @Olympics \ud83e\udd5e\ud83d\ude0b #PyeongChang2018 https://t.co/MJYc7cyHjv', 'user.screen_name': 'A1216_exo04'}, {'created_at': 'Mon Feb 12 03:40:38 +0000 2018', 'id': 962894185954193408, 'text': 'RT @BStunner31: I love how Johnny and Tara blatantly refuse to even give ice dancing a platform #olympics', 'user.screen_name': 'elknight20'}, {'created_at': 'Mon Feb 12 03:40:38 +0000 2018', 'id': 962894185119412224, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'mavissss__'}, {'created_at': 'Mon Feb 12 03:40:38 +0000 2018', 'id': 962894185069035520, 'text': 'RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face…', 'user.screen_name': 'AliKira'}, {'created_at': 'Mon Feb 12 03:40:38 +0000 2018', 'id': 962894184930840581, 'text': 'RT @peachyblackgorl: as the winter Olympics begin....never forget about Surya Bonaly, a French figure skater who did a backflip and landed…', 'user.screen_name': 'belalababe'}, {'created_at': 'Mon Feb 12 03:40:37 +0000 2018', 'id': 962894184704303104, 'text': 'watching the olympics inspires me to be better and try to learn these sports wowza if only i could ice skate', 'user.screen_name': 'revelexo'}, {'created_at': 'Mon Feb 12 03:40:37 +0000 2018', 'id': 962894184167419904, 'text': "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on…", 'user.screen_name': 'katereitman'}, {'created_at': 'Mon Feb 12 03:40:37 +0000 2018', 'id': 962894184075137025, 'text': 'RT @kalynkahler: "That was shiny, sparkling redemption." - @JohnnyGWeir \nMirai was eating In and Out with @Adaripp and watching the last Ol…', 'user.screen_name': 'CNPowers2018'}, {'created_at': 'Mon Feb 12 03:40:37 +0000 2018', 'id': 962894183529877504, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'chris_randolph1'}, {'created_at': 'Mon Feb 12 03:40:37 +0000 2018', 'id': 962894183030837248, 'text': 'RT @tictoc: Chris @Mazdzer wins the first men’s singles luge medal in U.S. history #PyeongChang2018 #Olympics https://t.co/tw566a72pw https…', 'user.screen_name': 'kristynaweh'}, {'created_at': 'Mon Feb 12 03:40:37 +0000 2018', 'id': 962894182938566656, 'text': 'RT @Lesdoggg: What. Is. This!!!!! @NBCOlympics @Olympics https://t.co/SQuWG7nVYZ', 'user.screen_name': 'ClassicMiguel'}, {'created_at': 'Mon Feb 12 03:40:37 +0000 2018', 'id': 962894182330245120, 'text': "RT @saminseok: Aww look at these North Koreans cheering during the Olympics! A great step for korea tbh even if others may think it's small…", 'user.screen_name': 'oviani0114'}, {'created_at': 'Mon Feb 12 03:40:37 +0000 2018', 'id': 962894181910814720, 'text': 'RT @USATODAY: Mirai Nagasu lands a triple axel, the first American to do it at Winter Olympics https://t.co/KnWZspOFbE', 'user.screen_name': 'RealLeoAlbano'}, {'created_at': 'Mon Feb 12 03:40:37 +0000 2018', 'id': 962894181571100672, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'Ioonylovegood'}, {'created_at': 'Mon Feb 12 03:40:37 +0000 2018', 'id': 962894181529157632, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'mafeux'}, {'created_at': 'Mon Feb 12 03:40:37 +0000 2018', 'id': 962894181407576064, 'text': 'RT @TechnicallyRon: Your definitive guide to the sports of the 2018 Winter Olympics https://t.co/Oyon5qfHBc', 'user.screen_name': 'wundernerd8'}, {'created_at': 'Mon Feb 12 03:40:37 +0000 2018', 'id': 962894181105618945, 'text': '@whitneybalmer The olympics are in Korea, so we may see it.\n\nhttps://t.co/SXkVyacIse', 'user.screen_name': 'ISugg'}, {'created_at': 'Mon Feb 12 03:40:37 +0000 2018', 'id': 962894180857991168, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'tobyjamessharp'}, {'created_at': 'Mon Feb 12 03:40:37 +0000 2018', 'id': 962894180606447617, 'text': 'Aaaaand the freakin Italians killed it.... AGAIN! #Olympics2018 #olympics #FigureSkating #IceDancing', 'user.screen_name': 'jillylove'}, {'created_at': 'Mon Feb 12 03:40:37 +0000 2018', 'id': 962894180572979200, 'text': 'RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face…', 'user.screen_name': 'homo_hammerhead'}, {'created_at': 'Mon Feb 12 03:40:37 +0000 2018', 'id': 962894180543541248, 'text': 'Based on my Twitter feed, race tracks should throw credit cards, multi-leg ticket buy back programs, and parlay car… https://t.co/g8VBYIfAVE', 'user.screen_name': 'ShotTakingTime'}, {'created_at': 'Mon Feb 12 03:40:36 +0000 2018', 'id': 962894180455452672, 'text': 'Honest to god thought the Italians were about to pull off the Iron Lotus. #olympics', 'user.screen_name': 'JerryScherwin'}, {'created_at': 'Mon Feb 12 03:40:36 +0000 2018', 'id': 962894180400771072, 'text': 'RT @exoelle88: @soompi We have a VS Model, a World Record-Setting golfer & a 2x Olympics champion who just recently set a new world record…', 'user.screen_name': 'mklprlexo'}, {'created_at': 'Mon Feb 12 03:40:36 +0000 2018', 'id': 962894180245786624, 'text': 'RT @carlizuhl: Can someone who understands ice skating explain to me why Kolyada is in first place ahead of the Italian and Adam Rippon lik…', 'user.screen_name': 'kheirigs'}, {'created_at': 'Mon Feb 12 03:40:36 +0000 2018', 'id': 962894180115734528, 'text': 'RT @Devin_Heroux: This was Mark McMorris 11 months ago. \n\nHe’s a bronze medallist at the #Olympics today. \n\nRemarkable. https://t.co/UnhBs9…', 'user.screen_name': 'Kenziehocking12'}, {'created_at': 'Mon Feb 12 03:40:36 +0000 2018', 'id': 962894179889242112, 'text': 'we watchin the olympics. chip gets gold in being a cute bitch. https://t.co/kaDxzuoGX2', 'user.screen_name': 'emmettkcampbell'}, {'created_at': 'Mon Feb 12 03:40:36 +0000 2018', 'id': 962894179214020609, 'text': "I don't think I'll ever trust anyone enough to let them hold me by one foot while we're on skating on ice. #olympics", 'user.screen_name': 'notrachel'}, {'created_at': 'Mon Feb 12 03:40:36 +0000 2018', 'id': 962894179062841344, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'Vera_Chok'}, {'created_at': 'Mon Feb 12 03:40:36 +0000 2018', 'id': 962894178979143680, 'text': 'RT @jpbrammer: my favorite part of the Olympics so far was when Aja jumped off that box', 'user.screen_name': 'DimeCharlotte'}, {'created_at': 'Mon Feb 12 03:40:36 +0000 2018', 'id': 962894178710630405, 'text': 'RT @cmclymer: Another thought: when he retires someday, Adam Rippon is going to be the greatest Olympics commentator ever.\n\n#PyeongChang2018', 'user.screen_name': 'friskeyp'}, {'created_at': 'Mon Feb 12 03:40:36 +0000 2018', 'id': 962894178647764993, 'text': "RT @DjLots3: .@CNN there are hundreds of protestors outside Olympics that have 1st hand knowledge of the cruel N.Korean regime.Where's that…", 'user.screen_name': 'toiletman01'}, {'created_at': 'Mon Feb 12 03:40:36 +0000 2018', 'id': 962894178266083329, 'text': "RT @paulwaldman1: +1000. I've written before about how the diversity of our team is the coolest thing about the Olympics, and a quadrennial…", 'user.screen_name': 'mikalvision'}, {'created_at': 'Mon Feb 12 03:40:36 +0000 2018', 'id': 962894177745940480, 'text': 'RT @Chet_Cannon: Imagine being so far left and anti-Trump that you praise a child-torturing, teen-raping, murderous dictatorship just to sp…', 'user.screen_name': 'CreedWHS'}, {'created_at': 'Mon Feb 12 03:40:36 +0000 2018', 'id': 962894177523597313, 'text': 'RT @jenikooooooo: Alina has a mind of steel and solid jump technique. But how else can anyone call out the scoring system without using her…', 'user.screen_name': 'DiChristine'}, {'created_at': 'Mon Feb 12 03:40:36 +0000 2018', 'id': 962894177297051648, 'text': 'Winter Olympics 2018: Windy conditions cause Aimee Fuller problems in first run https://t.co/4CPDzzDMeK https://t.co/VQnfylbS4R', 'user.screen_name': 'globalnews312'}, {'created_at': 'Mon Feb 12 03:40:36 +0000 2018', 'id': 962894176688984064, 'text': 'RT @Trumpfan1995: CNN thinks this woman is a star at the Winter Olympics.\n\nShe is not a young woman promoting democracy and human rights.…', 'user.screen_name': 'travdoggy'}, {'created_at': 'Mon Feb 12 03:40:36 +0000 2018', 'id': 962894176688865280, 'text': 'RT @Clefairyhyun: Acc to this article, the artists in the opening and closing of the Olympics ceremony, Exo included, receive little to no…', 'user.screen_name': 'cyt_sara'}, {'created_at': 'Mon Feb 12 03:40:36 +0000 2018', 'id': 962894176386863104, 'text': 'RT @AliciaAmin: Julian Yee is the first ever Malaysian to compete in the Winter Olympics & so many of us sleeping on him (incl me)\n\nHe’s wo…', 'user.screen_name': 'exorydalis_'}, {'created_at': 'Mon Feb 12 03:40:35 +0000 2018', 'id': 962894176286158849, 'text': 'RT @Clefairyhyun: Acc to this article, the artists in the opening and closing of the Olympics ceremony, Exo included, receive little to no…', 'user.screen_name': 'chanwooyaahh'}, {'created_at': 'Mon Feb 12 03:40:35 +0000 2018', 'id': 962894176135335936, 'text': 'RT @angryasianman: Somebody, give us the gif of Mirai Nagasu’s “FUCK YEAH!” face when she finished her skate. #Olympics', 'user.screen_name': 'cookiesofine'}, {'created_at': 'Mon Feb 12 03:40:35 +0000 2018', 'id': 962894175816638465, 'text': 'RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face…', 'user.screen_name': 'bakedpotatoe123'}, {'created_at': 'Mon Feb 12 03:40:35 +0000 2018', 'id': 962894175569108992, 'text': "@AsianAdidasGirl Lol Olympics always promote peace, you know. No need to be rude. You called BS, I gave you facts. It's all good though \ud83d\udc4c", 'user.screen_name': 'fromPortmay'}, {'created_at': 'Mon Feb 12 03:40:35 +0000 2018', 'id': 962894175422296065, 'text': "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on…", 'user.screen_name': 'AshNicole55'}, {'created_at': 'Mon Feb 12 03:40:35 +0000 2018', 'id': 962894175279763456, 'text': "@popculturenerd @tedlieu Brian Orser is not an American man--well, *North* American, yes, but he's Canadian. He *wa… https://t.co/6XzPXUxeVB", 'user.screen_name': 'hotincleveland'}, {'created_at': 'Mon Feb 12 03:40:35 +0000 2018', 'id': 962894174566735872, 'text': 'RT @DLoesch: Who determined this? They’ve made no concessions, starve and torture their populace, threaten war, and all they have to do is…', 'user.screen_name': 'Ballsokyle'}, {'created_at': 'Mon Feb 12 03:40:35 +0000 2018', 'id': 962894174453411840, 'text': 'RT @PhilipRucker: Still can’t get over that Adam Rippon’s flawless, magical skate was edged out by a Russian Elvis who fell and whose progr…', 'user.screen_name': 'SaraKosiorek'}, {'created_at': 'Mon Feb 12 03:40:35 +0000 2018', 'id': 962894174352789504, 'text': "RT @BTS__Europe: \ud83c\uddf7\ud83c\uddfa \ud83c\udfd2 \ud83c\udde8\ud83c\udde6 \n\n@BTS_twt - ' 21st Century Girl ' played during the Canada VS Russia Ladies hockey game at the Pyeongchang Olympi…", 'user.screen_name': 'Regginahh'}, {'created_at': 'Mon Feb 12 03:40:35 +0000 2018', 'id': 962894174151479296, 'text': "Winter Olympics 2018: Windy conditions cause Aimee Fuller problems in... https://t.co/Y0pLd9ssT3 Aimee Fuller's final run in the women's", 'user.screen_name': 'Follow_Finance'}, {'created_at': 'Mon Feb 12 03:40:35 +0000 2018', 'id': 962894173778120704, 'text': 'RT @USATODAY: It doesn’t get much more impressive than this. https://t.co/La2NeZLE9J #Olympics', 'user.screen_name': 'CJWarner1'}, {'created_at': 'Mon Feb 12 03:40:35 +0000 2018', 'id': 962894173635407873, 'text': 'RT @Adaripp: WHEN YOURE RIGHT, YOURE RIGHT, @RWitherspoon ❤️❤️❤️ Also!! Quick movie idea for you: You (played by you) tweet me in the middl…', 'user.screen_name': 'SavannahBayBVI'}, {'created_at': 'Mon Feb 12 03:40:35 +0000 2018', 'id': 962894173400543232, 'text': "To me the Olympics are special and give me an opportunity to watch sports I normally wouldn't watch. I admire the d… https://t.co/q26qXOGapa", 'user.screen_name': 'Gaychel22'}, {'created_at': 'Mon Feb 12 03:40:35 +0000 2018', 'id': 962894173157371904, 'text': 'RT @peachyblackgorl: as the winter Olympics begin....never forget about Surya Bonaly, a French figure skater who did a backflip and landed…', 'user.screen_name': 'lusauce1293'}, {'created_at': 'Mon Feb 12 03:40:35 +0000 2018', 'id': 962894173031583744, 'text': 'RT @ArthurSchwartz: CNN: Our puff piece on murderous dictator Kim Jong-un’s sister is the most embarrassing piece of journalism that anyone…', 'user.screen_name': 'rainbear00'}, {'created_at': 'Mon Feb 12 03:40:35 +0000 2018', 'id': 962894172461174784, 'text': 'RT @JonAcuff: Dear Olympics commentators, at the beginning of each figure skating couple please let us know if the couple loves each other…', 'user.screen_name': 'GenesisColema19'}, {'created_at': 'Mon Feb 12 03:40:34 +0000 2018', 'id': 962894171450298368, 'text': 'I wish I could figure skate. I love it so much. \ud83d\ude2d\ud83d\ude2d⛸ #Olympics', 'user.screen_name': 'WLW916'}, {'created_at': 'Mon Feb 12 03:40:34 +0000 2018', 'id': 962894171135602688, 'text': 'RT @dereklew: Watching Team Canada erupt into applause when American skater Mirai Nagasu became only the third woman to land a triple axel…', 'user.screen_name': 'aaashketchum'}, {'created_at': 'Mon Feb 12 03:40:34 +0000 2018', 'id': 962894170716327936, 'text': 'RT @jesswitkins: So happy for and proud of @mirai_nagasu making history tonight for #teamusa at the 2018 #Olympics! Enjoy your moment!! You…', 'user.screen_name': 'AmberNicole226'}, {'created_at': 'Mon Feb 12 03:40:34 +0000 2018', 'id': 962894170703704064, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'harmonizercm'}, {'created_at': 'Mon Feb 12 03:40:34 +0000 2018', 'id': 962894170556981249, 'text': "RT @rockerskating: From Muramoto/Reed's protocols, the calls seem to be less strict today - 5 lvl 4 elements, 1 lvl 3 on the diagonal step,…", 'user.screen_name': 'abzeronow'}, {'created_at': 'Mon Feb 12 03:40:34 +0000 2018', 'id': 962894170397519872, 'text': 'RT @nytimes: Mike Pence denied a report that Adam Rippon, a gay American figure skater, had refused to meet with him. But the Olympic athle…', 'user.screen_name': 'yellowdog625'}, {'created_at': 'Mon Feb 12 03:40:34 +0000 2018', 'id': 962894170296786944, 'text': 'RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G', 'user.screen_name': 'TimPosition'}, {'created_at': 'Mon Feb 12 03:40:34 +0000 2018', 'id': 962894169713856512, 'text': "Leslie Jones' Winter Olympics Twitter Game Keeps Killing It https://t.co/kKSRVAgA4l", 'user.screen_name': 'DrMCar'}, {'created_at': 'Mon Feb 12 03:40:34 +0000 2018', 'id': 962894169554477056, 'text': 'RT @Lesdoggg: Um did Adam need to fall to his routine wtf?! Very confused right now. @NBCOlympics @Olympics https://t.co/KGiGW4OUrs', 'user.screen_name': 'LouisTomlickson'}, {'created_at': 'Mon Feb 12 03:40:34 +0000 2018', 'id': 962894169466462208, 'text': 'RT @DavidShaunBurke: Congratulations Snowboarder Red Gerard, winning 1st U.S. Gold Medal \ud83e\udd47 of 2018 Winter Olympics! https://t.co/ZILmrsuw92', 'user.screen_name': 'stonemanatl'}, {'created_at': 'Mon Feb 12 03:40:34 +0000 2018', 'id': 962894168824647680, 'text': 'Get Ready for the Winter Olympics…Yoga Style! https://t.co/CPGMCZD53w', 'user.screen_name': 'CV_DXB'}, {'created_at': 'Mon Feb 12 03:40:34 +0000 2018', 'id': 962894168510124032, 'text': 'RT @TechnicallyRon: Your definitive guide to the sports of the 2018 Winter Olympics https://t.co/Oyon5qfHBc', 'user.screen_name': 'HymTheGrimeGod'}, {'created_at': 'Mon Feb 12 03:40:34 +0000 2018', 'id': 962894168484872192, 'text': "I think I've seen 2 thirty second snowboarding runs in the past 40 minutes. Tons of commercials though. Hershey's g… https://t.co/Sl73XLvY2J", 'user.screen_name': 'day_man'}, {'created_at': 'Mon Feb 12 03:40:33 +0000 2018', 'id': 962894167465713664, 'text': 'RT @BuzzFeed: Mirai Nagasu just became the first US woman to land the triple axel at the Olympics https://t.co/JLdvT17Q9t https://t.co/T4mX…', 'user.screen_name': 'CharmHawthorn'}, {'created_at': 'Mon Feb 12 03:40:33 +0000 2018', 'id': 962894167306272768, 'text': 'Anna and Luca ❤️❤️❤️ #Olympics', 'user.screen_name': 'KritiSarker'}, {'created_at': 'Mon Feb 12 03:40:33 +0000 2018', 'id': 962894167184674816, 'text': "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on…", 'user.screen_name': 'fallynforyou_'}, {'created_at': 'Mon Feb 12 03:40:33 +0000 2018', 'id': 962894166735966208, 'text': 'RT @SoSportsNation: This South Korean gentleman just won the entire Olympics. #PyeongChang2018 #Olympics https://t.co/ZW7ZOwIZ4G', 'user.screen_name': 'ZacharyThomas_F'}, {'created_at': 'Mon Feb 12 03:40:33 +0000 2018', 'id': 962894166702329858, 'text': 'Me after watching the Olympics: #OlympicWinterGames https://t.co/fhlum2AJF7', 'user.screen_name': 'faultinmypizza'}, {'created_at': 'Mon Feb 12 03:40:33 +0000 2018', 'id': 962894166299525120, 'text': 'RT @SaraKellar: Tessa and Scott is already trending and we truly have no chill, as a nation, do we\n\n#figureskating #Olympics', 'user.screen_name': 'gerbersgerber'}, {'created_at': 'Mon Feb 12 03:40:33 +0000 2018', 'id': 962894166236848128, 'text': 'How you fall in ice dancing #Olympics', 'user.screen_name': 'MimiC1019'}, {'created_at': 'Mon Feb 12 03:40:33 +0000 2018', 'id': 962894166186315777, 'text': 'RT @chalanlexi: MIDORI-MAO-MIRAI --- Three women who landed the difficult triple axel in the Olympics #Midori, #MaoAsada and @mirai_nagasu.…', 'user.screen_name': 'uzutoracat'}, {'created_at': 'Mon Feb 12 03:40:33 +0000 2018', 'id': 962894166157070337, 'text': 'RT @IngrahamAngle: For ANY U.S. media outlet to praise North Korea for propaganda coup at the Olympics is truly sick.', 'user.screen_name': 'Laner67'}, {'created_at': 'Mon Feb 12 03:40:33 +0000 2018', 'id': 962894165947441152, 'text': 'How does one skater stand on another skater’s thigh and not slice his leg open? Beautiful skate from the Italian pair. #Olympics', 'user.screen_name': 'emsheehanwrites'}, {'created_at': 'Mon Feb 12 03:40:33 +0000 2018', 'id': 962894165813219328, 'text': 'RT @BuzzFeed: Mirai Nagasu just became the first US woman to land the triple axel at the Olympics https://t.co/JLdvT17Q9t https://t.co/T4mX…', 'user.screen_name': 'kaitlynpettey'}, {'created_at': 'Mon Feb 12 03:40:33 +0000 2018', 'id': 962894165360218112, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'mary_pitts'}, {'created_at': 'Mon Feb 12 03:40:33 +0000 2018', 'id': 962894165108408320, 'text': 'RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face…', 'user.screen_name': 'tindergrandma'}, {'created_at': 'Mon Feb 12 03:40:33 +0000 2018', 'id': 962894164928102400, 'text': 'RT @kalynkahler: "That was shiny, sparkling redemption." - @JohnnyGWeir \nMirai was eating In and Out with @Adaripp and watching the last Ol…', 'user.screen_name': 'the_casshole'}, {'created_at': 'Mon Feb 12 03:40:33 +0000 2018', 'id': 962894164923858944, 'text': 'RT @traciglee: This @ringer profile of the #ShibSibs is wonderful: https://t.co/5b9JSPZ982 #Olympics', 'user.screen_name': 'tankohh'}, {'created_at': 'Mon Feb 12 03:40:33 +0000 2018', 'id': 962894164705685505, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'MARSY_twt'}, {'created_at': 'Mon Feb 12 03:40:33 +0000 2018', 'id': 962894164282130432, 'text': 'RT @Machaizelli: A figure skater just made American Olympic history and the NBC commentators still had to compare her to the men #Olympics…', 'user.screen_name': 'Peace38513'}, {'created_at': 'Mon Feb 12 03:40:33 +0000 2018', 'id': 962894164089233409, 'text': 'RT @94_degrees: Russian Figure Skater, Evgeniia Medvedeva who’s an EXO-L set a new world record in the Pyeongchang Olympics & mentioned EXO…', 'user.screen_name': 'keyyanuh'}, {'created_at': 'Mon Feb 12 03:40:33 +0000 2018', 'id': 962894163795521536, 'text': "Super disappointing to see Ladies' Slopestyle not postponed. #Olympics", 'user.screen_name': 'Elbareth11'}, {'created_at': 'Mon Feb 12 03:40:32 +0000 2018', 'id': 962894163669786624, 'text': 'RT @BuzzFeed: Mirai Nagasu just became the first US woman to land the triple axel at the Olympics https://t.co/JLdvT17Q9t https://t.co/T4mX…', 'user.screen_name': 'shhmiguel'}, {'created_at': 'Mon Feb 12 03:40:32 +0000 2018', 'id': 962894163363749889, 'text': 'RT @NBCOlympics: SHE GOT IT! @mirai_nagasu is now the first American woman to land a triple axel at the #Olympics! #WinterOlympics https://…', 'user.screen_name': 'twiDAQ'}, {'created_at': 'Mon Feb 12 03:40:32 +0000 2018', 'id': 962894163220967424, 'text': 'RT @CBCOlympics: Medal Alert \ud83d\udea8\n\nCanada guaranteed to win first gold medal in figure skating team event \ud83c\udde8\ud83c\udde6 \ud83e\udd47 #PyeongChang2018 \n\nWatch Tessa…', 'user.screen_name': 'kaattciaravella'}, {'created_at': 'Mon Feb 12 03:40:32 +0000 2018', 'id': 962894163162386432, 'text': 'RT @TwitterMoments: Team USA figure skater @mirai_nagasu is the first American woman to land a triple axel at the Winter Olympics. #PyeongC…', 'user.screen_name': 'DomD1000'}, {'created_at': 'Mon Feb 12 03:40:32 +0000 2018', 'id': 962894162948485121, 'text': 'RT @KAy_TIEmyshoes: I love the Olympics https://t.co/YarQnjbr9c', 'user.screen_name': 'pele_manaku'}, {'created_at': 'Mon Feb 12 03:40:32 +0000 2018', 'id': 962894162893864960, 'text': 'RT @SInow: WATCH: Mirai Nagasu becomes the first American woman in Olympic history to\nland the triple axel https://t.co/epZANcHMQF', 'user.screen_name': 'awittenberg11'}, {'created_at': 'Mon Feb 12 03:40:32 +0000 2018', 'id': 962894162650718208, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'AndreiwKim21'}, {'created_at': 'Mon Feb 12 03:40:32 +0000 2018', 'id': 962894162575142912, 'text': 'RT @michellebhasin: Before every Olympic event they should send out one average person to perform the upcoming event. To fall on their face…', 'user.screen_name': 'kreerpro'}, {'created_at': 'Mon Feb 12 03:40:32 +0000 2018', 'id': 962894162197667840, 'text': 'RT @TheRickyDavila: It says something when our amazing athletes can so easily represent the United States with class, grace, honor, dignity…', 'user.screen_name': 'TheMariahRamsey'}, {'created_at': 'Mon Feb 12 03:40:32 +0000 2018', 'id': 962894161560059905, 'text': 'RT @theCaGuard: Four #NewYork National Guard soldiers are competing for #TeamUSA in bobsled and luge during the #WinterOlympics. @USNationa…', 'user.screen_name': 'RandySink7'}, {'created_at': 'Mon Feb 12 03:40:32 +0000 2018', 'id': 962894161199300608, 'text': 'italy’s is so cute \ud83e\udd27\ud83e\udd27\ud83e\udd27 #olympics', 'user.screen_name': 'junghoseoks'}, {'created_at': 'Mon Feb 12 03:40:32 +0000 2018', 'id': 962894160972754944, 'text': 'RT @charliekirk11: South Korea only exists thanks to US troops sacrifice in the 1950’s \n\n36,000 Americans died so South Korea could be free…', 'user.screen_name': 'DianeMo24012416'}, {'created_at': 'Mon Feb 12 03:40:32 +0000 2018', 'id': 962894160582803456, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'gracemarrero6'}, {'created_at': 'Mon Feb 12 03:40:32 +0000 2018', 'id': 962894160310296577, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'laurxnr'}, {'created_at': 'Mon Feb 12 03:40:32 +0000 2018', 'id': 962894159819440130, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'JustDebnCali'}, {'created_at': 'Mon Feb 12 03:40:32 +0000 2018', 'id': 962894159567835143, 'text': 'RT @thehill: Dutch fans troll Trump at the Olympics with flag: "Sorry Mr. President. The Netherlands First... And 2nd... And 3rd" https://t…', 'user.screen_name': 'stshinn'}, {'created_at': 'Mon Feb 12 03:40:31 +0000 2018', 'id': 962894159022645248, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'DrClarkIPresume'}, {'created_at': 'Mon Feb 12 03:40:31 +0000 2018', 'id': 962894158682820609, 'text': 'RT @thehill: Dutch fans troll Trump at the Olympics with flag: "Sorry Mr. President. The Netherlands First... And 2nd... And 3rd" https://t…', 'user.screen_name': 'PurgatoryEMS'}, {'created_at': 'Mon Feb 12 03:40:31 +0000 2018', 'id': 962894158372499456, 'text': 'Sports reporter: Mirai you are the first American woman to land the triple axel at the Olympics so what was it like… https://t.co/zDFlO52uHf', 'user.screen_name': 'dvwz'}, {'created_at': 'Mon Feb 12 03:40:31 +0000 2018', 'id': 962894158338834432, 'text': "RT @theillustrious: Me my entire life: Barely realizes snowboarding exists\n\nMe 2 days into the Olympics: If McMorris thinks he's getting on…", 'user.screen_name': 'jbeq_'}, {'created_at': 'Mon Feb 12 03:40:31 +0000 2018', 'id': 962894158032666624, 'text': 'That was an exquisite free dance from #CappelliniLanotte , much better than they did at the #EuropeanChamps\n\n#FigureSkating \n#Olympics', 'user.screen_name': 'JamesSemaj1220'}, {'created_at': 'Mon Feb 12 03:40:31 +0000 2018', 'id': 962894157940367365, 'text': 'RT @ABC: U.S. figure skater Mirai Nagasu makes history, becoming the first American woman - and third overall - to land a triple axel in th…', 'user.screen_name': 'Iris_gh'}, {'created_at': 'Mon Feb 12 03:40:31 +0000 2018', 'id': 962894157831385089, 'text': '@Miamiblues @NBCOlympics That is my point....all they hear mixing Xanax and Alcohol encouraged by an Olympic athlet… https://t.co/wuNYxQPJhv', 'user.screen_name': 'ebenfrederick'}, {'created_at': 'Mon Feb 12 03:40:31 +0000 2018', 'id': 962894157500076039, 'text': 'RT @Clefairyhyun: Acc to this article, the artists in the opening and closing of the Olympics ceremony, Exo included, receive little to no…', 'user.screen_name': 'NatRV74'}, {'created_at': 'Mon Feb 12 03:40:31 +0000 2018', 'id': 962894157198118913, 'text': 'Olympics don’t really start until its USA vs Canada in the Men’s Gold Medal hockey game', 'user.screen_name': 'Ethanpaints'}, {'created_at': 'Mon Feb 12 03:40:31 +0000 2018', 'id': 962894157000990720, 'text': '5 Rings Daily-PyeongChang 2018, Day 2 Curling Talk with Ben Massey and Our GSBWP Medals for Day 2… https://t.co/EC9DU8xnu4', 'user.screen_name': '5RingsPodcast'}, {'created_at': 'Mon Feb 12 03:40:31 +0000 2018', 'id': 962894156992516099, 'text': "RT @NBCOlympics: A performance for the record books by Mirai Nagasu, complete with a celebration we'll remember for a long time. #BestOfUS…", 'user.screen_name': 'hoIdtightrauhl'}, {'created_at': 'Mon Feb 12 03:40:31 +0000 2018', 'id': 962894156824682497, 'text': 'RT @peachyblackgorl: as the winter Olympics begin....never forget about Surya Bonaly, a French figure skater who did a backflip and landed…', 'user.screen_name': 'kirkitcrazy'}, {'created_at': 'Mon Feb 12 03:40:31 +0000 2018', 'id': 962894156795400192, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'ashleymimicx'}, {'created_at': 'Mon Feb 12 03:40:31 +0000 2018', 'id': 962894156506042368, 'text': 'RT @nytimes: Mike Pence denied a report that Adam Rippon, a gay American figure skater, had refused to meet with him. But the Olympic athle…', 'user.screen_name': 'QueenBertRoyal'}, {'created_at': 'Mon Feb 12 03:40:31 +0000 2018', 'id': 962894155897810947, 'text': 'They were so good, but when her skate was on his thigh I got scared. #Olympics', 'user.screen_name': 'NeoEnding'}, {'created_at': 'Mon Feb 12 03:40:31 +0000 2018', 'id': 962894155457449985, 'text': "LMAO YEAH I WOULD SAY ✌\ud83c\udffb Olympic figure skating duo forced to change routine because it is 'too sexy' https://t.co/MNZzWQtzIJ", 'user.screen_name': 'achoohorsey'}, {'created_at': 'Mon Feb 12 03:40:30 +0000 2018', 'id': 962894155184779264, 'text': "I'm not watching the #Olympics but I bet Jeffrey Dahmer would have won if there was an olympic category for the crime of murder", 'user.screen_name': 'notthepunter'}, {'created_at': 'Mon Feb 12 03:40:30 +0000 2018', 'id': 962894154752606208, 'text': 'RT @KathleenHileman: @HarlanCoben @benshapiro Son, 14: There should be a control group in the #Olympics\xa0\nM: So the couch potatoes at home s…', 'user.screen_name': 'ehoustman'}, {'created_at': 'Mon Feb 12 03:40:30 +0000 2018', 'id': 962894154538905600, 'text': '#Olympics Watching Ice dance and all I can think about "but how did the girl from Japan change the look of her dress? How? When?', 'user.screen_name': 'WilkenTara'}, {'created_at': 'Mon Feb 12 03:40:30 +0000 2018', 'id': 962894154232512517, 'text': "RT @mikeyerxa: Tessa and Scott are skating to Moulin Rouge. I can't wait! #Olympics https://t.co/VYh0En9gOw", 'user.screen_name': 'MaeghanArchie'}, {'created_at': 'Mon Feb 12 03:40:30 +0000 2018', 'id': 962894153783812097, 'text': 'RT @BuzzFeed: Mirai Nagasu just became the first US woman to land the triple axel at the Olympics https://t.co/JLdvT17Q9t https://t.co/T4mX…', 'user.screen_name': 'NiceSelu'}, {'created_at': 'Mon Feb 12 03:40:30 +0000 2018', 'id': 962894153737801728, 'text': 'I adore #AdamRippon \ud83d\ude02 Wasn’t he incredible tonight?! #olympics https://t.co/paviACubLN', 'user.screen_name': 'explorethesouth'}, {'created_at': 'Mon Feb 12 03:40:30 +0000 2018', 'id': 962894153523884032, 'text': "RT @reallyhoffman: Y'all are stuck in 2018 watching the Olympics in 2D while I'm in the future watching it in 3D https://t.co/CsKHpbZQki", 'user.screen_name': 'breaa_nichole'}, {'created_at': 'Mon Feb 12 03:40:30 +0000 2018', 'id': 962894152278081536, 'text': 'RT @nytimes: Mike Pence denied a report that Adam Rippon, a gay American figure skater, had refused to meet with him. But the Olympic athle…', 'user.screen_name': 'damonbethea1'}, {'created_at': 'Mon Feb 12 03:40:30 +0000 2018', 'id': 962894152089288704, 'text': 'RT @vlissful: the north korean cheering squad dancing to blood sweat & tears at the olympics women’s ice hockey game\n\n#iHeartAwards #BestFa…', 'user.screen_name': 'Riskafj95'}, {'created_at': 'Mon Feb 12 03:40:30 +0000 2018', 'id': 962894151439339525, 'text': "Rocky, like me, doesn't appear to give a damn about the Olympics.\n\nGood for Rocky. He's has better things to do. https://t.co/cJ8ouoGIpg", 'user.screen_name': 'petey_schwartz'}, {'created_at': 'Mon Feb 12 03:40:30 +0000 2018', 'id': 962894151271395328, 'text': 'RT @NBCOlympics: "HOLY COW!" You just witnessed a historic triple axel from Mirai Nagasu. #WinterOlympics https://t.co/NsNuy9F46h https://t…', 'user.screen_name': 'moopointspod'}, {'created_at': 'Mon Feb 12 03:40:29 +0000 2018', 'id': 962894151141543936, 'text': 'Winter Olympics sheds light on dog meat farms\nhttps://t.co/wtPFLQk56A', 'user.screen_name': 'beark10'}, {'created_at': 'Mon Feb 12 03:40:29 +0000 2018', 'id': 962894151133036549, 'text': 'Mirai Nagasu is the third woman to do a triple axel in the Olympics. Watch all three: https://t.co/gQO2lcL2Uh https://t.co/HveC5XwYvH', 'user.screen_name': 'Slate'}, {'created_at': 'Mon Feb 12 03:40:29 +0000 2018', 'id': 962894150973644800, 'text': 'RT @NBCOlympics: COMING UP: @mirai_nagasu returns to the #WinterOlympics!\n\nSee it on @nbc or stream it here: https://t.co/NsNuy9F46h https:…', 'user.screen_name': 'da67honey'}, {'created_at': 'Mon Feb 12 03:40:29 +0000 2018', 'id': 962894150810120192, 'text': 'Very movie-like #figureskating #olympics', 'user.screen_name': 'iDorisV'}, {'created_at': 'Mon Feb 12 03:40:29 +0000 2018', 'id': 962894150743089152, 'text': 'Give Anna & Luca a gold for choreography #olympics', 'user.screen_name': 'TriflenTara'}, {'created_at': 'Mon Feb 12 03:40:29 +0000 2018', 'id': 962894148201336832, 'text': '@BrianLockhart @LukeDashjr @LuckDragon69 @WeathermanIam @maxkeisor @mecampbellsoup @mikeinspace @derose… https://t.co/vjX8tTCRg3', 'user.screen_name': 'DanielKrawisz'}, {'created_at': 'Mon Feb 12 03:40:29 +0000 2018', 'id': 962894147433635841, 'text': "RT @News_Cryptos: Some of the smartest #crypto traders I've met are from this discord group. Join for the PnDs, stay for the conversations!…", 'user.screen_name': 'bui_enedina'}, {'created_at': 'Mon Feb 12 03:40:26 +0000 2018', 'id': 962894136952045568, 'text': 'Who says there is no real world value of Bitcoin and other cryptocurrencies? Let me show you how I use my mining... https://t.co/IWcORCOeQc', 'user.screen_name': 'sgindextrader'}, {'created_at': 'Mon Feb 12 03:40:25 +0000 2018', 'id': 962894131004452864, 'text': 'Son: Economists say that the value of Bitcoin will decline\nFriend: Oh, communists say?\nMe: No, economists\ud83d\ude02\nSon: The… https://t.co/I9nt9HdIIw', 'user.screen_name': 'sewimperfect'}, {'created_at': 'Mon Feb 12 03:40:24 +0000 2018', 'id': 962894129570156544, 'text': 'RT @AnkorusGlobal: Ankorus bringing bitcoin futures to CRYPTO, no need for banks or fiat. https://t.co/P3HUX8OULT #Ankorus #ANK #bitcoi…', 'user.screen_name': 'antemenut1976'}, {'created_at': 'Mon Feb 12 03:40:24 +0000 2018', 'id': 962894126646792192, 'text': 'RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.…', 'user.screen_name': 'shotgunn28'}, {'created_at': 'Mon Feb 12 03:40:23 +0000 2018', 'id': 962894125623255041, 'text': '#Bitcoin Cash $BCH price: $1265.17\n\nRegister Binance and start trading $BCH.\n\n-> https://t.co/NHtNjjQl3G', 'user.screen_name': 'binance_aff'}, {'created_at': 'Mon Feb 12 03:40:23 +0000 2018', 'id': 962894124604039168, 'text': 'RT @CryptoCopy: We have published a new version of our whitepaper! \ud83d\udcc8\ud83d\udcc8\ud83d\udcc8\nTake a look here: https://t.co/5JtwNVCj9h #ico #ethereum #bitcoin #c…', 'user.screen_name': 'menjest09'}, {'created_at': 'Mon Feb 12 03:40:21 +0000 2018', 'id': 962894113602441216, 'text': 'RT @litecoindad: There are two types of people in #Crypto \ud83d\ude02\n\n#Bitcoin #Litecoin #Ethereum #PayWithLitecoin #CryptoCulture #HODL https://t.c…', 'user.screen_name': 'Silverkokuryuu'}, {'created_at': 'Mon Feb 12 03:40:19 +0000 2018', 'id': 962894106191052800, 'text': 'RT @noodlefactorysg: Looking to profit in the Digital Economy? \nJoin us tomorrow evening for the low-down on the #FourthIndustrialRevolutio…', 'user.screen_name': 'SharerUssharing'}, {'created_at': 'Mon Feb 12 03:40:16 +0000 2018', 'id': 962894093671071746, 'text': 'Am I the only person that wishes someone would figure skate in a bitcoin outfit? #bitcoin #OlympicGames', 'user.screen_name': 'Skyline1224'}, {'created_at': 'Mon Feb 12 03:40:15 +0000 2018', 'id': 962894091829829632, 'text': 'RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience…', 'user.screen_name': 'honecks85'}, {'created_at': 'Mon Feb 12 03:40:14 +0000 2018', 'id': 962894087295852544, 'text': 'How does bitcoin work and why is it valuable. https://t.co/iAofoRYjma', 'user.screen_name': 'TheWisecracking'}, {'created_at': 'Mon Feb 12 03:40:14 +0000 2018', 'id': 962894085571973120, 'text': 'RT @wheelswordsmith: while she never actually wrote it into the books jk rowling has confirmed that draco malfoy was a libertarian vape ent…', 'user.screen_name': 'spoot_fire'}, {'created_at': 'Mon Feb 12 03:40:14 +0000 2018', 'id': 962894084837851138, 'text': 'RT @OfficialXAOS: LETS GET #XAOS TRENDING!\nRetweet, Like & Follow!\n#crypto #altcoin #dogecoin #freecoins #giveaway #Airdrop #ethereum #ico…', 'user.screen_name': 'ranaminty'}, {'created_at': 'Mon Feb 12 03:40:13 +0000 2018', 'id': 962894083193753601, 'text': 'RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience…', 'user.screen_name': 'KirkwoodTalon'}, {'created_at': 'Mon Feb 12 03:40:13 +0000 2018', 'id': 962894080463253506, 'text': 'New post (Bitcoin, Ethereum, Bitcoin Cash, Ripple, Stellar, Litecoin, Cardano, NEO, EOS: Price Analysis, Feb. 09) h… https://t.co/yWvtarSuVn', 'user.screen_name': 'ccryptoventures'}, {'created_at': 'Mon Feb 12 03:40:13 +0000 2018', 'id': 962894080148729861, 'text': 'RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience…', 'user.screen_name': 'Berardinelli3'}, {'created_at': 'Mon Feb 12 03:40:13 +0000 2018', 'id': 962894079901208577, 'text': 'RT @WeAreYourBlock: YourBlock Bounty Campaign now Live https://t.co/CGrgymVBpL\n#bountyprogram #Bounty #TokenSale #ICOs #ICO #blockchain #we…', 'user.screen_name': 'suitcaseeland'}, {'created_at': 'Mon Feb 12 03:40:12 +0000 2018', 'id': 962894077808316417, 'text': 'RT @Denaro_io: Today, we have more good news for you. The Denaro referral contest begins this Friday at 12pm UTC. \n\nThe best part: 1st plac…', 'user.screen_name': 'RabailGilanii'}, {'created_at': 'Mon Feb 12 03:40:12 +0000 2018', 'id': 962894076868734977, 'text': 'RT @CryptoKang: Big step for $CRYPTO adoption, thanks @coinbase. (Notice Bitcoin Cash is the first option)\ud83d\ude0a https://t.co/tWBYp4Bgms', 'user.screen_name': 'hopetrustgood'}, {'created_at': 'Mon Feb 12 03:40:12 +0000 2018', 'id': 962894075962712064, 'text': 'RT @NimbusToken: Buying product #tokens during the store’s pre-sale period gives the customer a range of options that just aren’t present i…', 'user.screen_name': 'jole_raisa'}, {'created_at': 'Mon Feb 12 03:40:10 +0000 2018', 'id': 962894069201485825, 'text': 'GekkoScience 2pac USB Bitcoin Miner 15+GHs "seconds stick" ASIC https://t.co/hp0OxYCKTB https://t.co/yowPDtiLv1', 'user.screen_name': 'bitcoinnews9'}, {'created_at': 'Mon Feb 12 03:40:10 +0000 2018', 'id': 962894068433944576, 'text': 'How To Keep Your Crypto Coins Safe?\n The Right Way >>> https://t.co/cA7crhX2DL\n#btc #usd #bitcoin #btcusd #crypto… https://t.co/nVnEihzkFp', 'user.screen_name': 'moneyorface'}, {'created_at': 'Mon Feb 12 03:40:10 +0000 2018', 'id': 962894068228308992, 'text': 'RT @Denaro_io: Today, we have more good news for you. The Denaro referral contest begins this Friday at 12pm UTC. \n\nThe best part: 1st plac…', 'user.screen_name': 'yahyayyas_'}, {'created_at': 'Mon Feb 12 03:40:10 +0000 2018', 'id': 962894068085919746, 'text': '#Beer #bostonteaparty #Stockmarketcrash2018 $tee $earth $dirt $stem #stem $roots $riot #Blockchaine #Bitcoin Listen… https://t.co/e3wYXEa8aA', 'user.screen_name': 'BeefEnt'}, {'created_at': 'Mon Feb 12 03:40:10 +0000 2018', 'id': 962894067662315520, 'text': 'RT @PMbeers: Russia Arrests Nuclear Scientists for Mining #Bitcoin With Top-Secret Supercomputer https://t.co/WnQPbZRKkD', 'user.screen_name': 'facebookretiree'}, {'created_at': 'Mon Feb 12 03:40:07 +0000 2018', 'id': 962894055020482560, 'text': '@wavecounter\nDon`t believe in the Bitcoin hype.\nSHORT OIL HERE with DWT at $12.66 this stock can goto $40 easy.\nAll… https://t.co/hMpKpTLRFJ', 'user.screen_name': 'sunghyun7yoon'}, {'created_at': 'Mon Feb 12 03:40:06 +0000 2018', 'id': 962894052675944449, 'text': 'No heavy equipment needed to mine Bitcoin or Ethereum, in-fact none is needed at all...\n\nhttps://t.co/PQWjZ7G6oa… https://t.co/cCO1drEonS', 'user.screen_name': 'city_bitcoin'}, {'created_at': 'Mon Feb 12 03:40:05 +0000 2018', 'id': 962894049723240448, 'text': 'RT @Remi_Vladuceanu: CG Blockchain and FactSet Team Up to Enhance Investors’ Interaction with Crypto Assets https://t.co/jHAaPn40Z7 \n#newso…', 'user.screen_name': 'ninacrypto'}, {'created_at': 'Mon Feb 12 03:40:05 +0000 2018', 'id': 962894047366049792, 'text': 'Iceland is expected to use more energy mining `#bitcoin than powering its homes this year. Large virtual currency m… https://t.co/ljOz6WOBOg', 'user.screen_name': 'TheSohoLoft'}, {'created_at': 'Mon Feb 12 03:40:05 +0000 2018', 'id': 962894047286382592, 'text': 'Iceland is expected to use more energy mining `#bitcoin than powering its homes this year. Large virtual currency m… https://t.co/TP35djmPos', 'user.screen_name': 'LDJCapital'}, {'created_at': 'Mon Feb 12 03:40:05 +0000 2018', 'id': 962894047001108486, 'text': 'RT @francispouliot_: Neat trick: if you own a Blockchain analytics company and you’re looking for more data points to track bitcoins users,…', 'user.screen_name': 'metamarcdw'}, {'created_at': 'Mon Feb 12 03:40:04 +0000 2018', 'id': 962894044580995073, 'text': '$SFEG News https://t.co/7Gcfkv6C8R @intlMonty #wsj #nytimes #reuters #bloomberg #thestreet #jimmyfallon #forbes… https://t.co/VKZnEq4pbw', 'user.screen_name': 'ssn4marketing'}, {'created_at': 'Mon Feb 12 03:40:04 +0000 2018', 'id': 962894044266250240, 'text': 'RT @StreamNetworksc: Website launch. This is our only site, we do not have another domain. XSN token distribution is coming soon, please be…', 'user.screen_name': 'jasiery2005'}, {'created_at': 'Mon Feb 12 03:40:04 +0000 2018', 'id': 962894043536674816, 'text': 'RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience…', 'user.screen_name': 'DeryaGaby'}, {'created_at': 'Mon Feb 12 03:40:04 +0000 2018', 'id': 962894042349686784, 'text': 'RT @ArminVanBitcoin: Friend: "Where do you see #bitcoin going this year?"\nMe: "I see first big merchants accepting $BTC using lightning cha…', 'user.screen_name': 'comcentrate1'}, {'created_at': 'Mon Feb 12 03:40:03 +0000 2018', 'id': 962894041724719105, 'text': '$SFEG News https://t.co/Wy3q7iWo1B @intlMonty #wsj #nytimes #reuters #bloomberg #thestreet #jimmyfallon #forbes… https://t.co/LQ9bFNJ2Qy', 'user.screen_name': 'ssn3media'}, {'created_at': 'Mon Feb 12 03:40:03 +0000 2018', 'id': 962894041212968960, 'text': 'Iceland is expected to use more energy mining `#bitcoin than powering its homes this year. Large virtual currency m… https://t.co/u5UtFwtrqY', 'user.screen_name': 'DavidDrakeVC'}, {'created_at': 'Mon Feb 12 03:40:03 +0000 2018', 'id': 962894041162633217, 'text': 'Midnight Gaming announce pro COD players wanted for CWL Atlanta \nhttps://t.co/9CrYO81DCu #activision #games… https://t.co/qaQ2NPtbUg', 'user.screen_name': 'socialstocksnow'}, {'created_at': 'Mon Feb 12 03:40:03 +0000 2018', 'id': 962894040625745920, 'text': '$SFEG News https://t.co/EZd76uYQnV @intlMonty #wsj #nytimes #reuters #bloomberg #thestreet #jimmyfallon #forbes… https://t.co/QNke627CiN', 'user.screen_name': 'RandallGoulding'}, {'created_at': 'Mon Feb 12 03:40:03 +0000 2018', 'id': 962894040424382464, 'text': '$SFEG News https://t.co/pbbtqqYQO8 @intlMonty #wsj #nytimes #reuters #bloomberg #thestreet #jimmyfallon #forbes… https://t.co/oTFOqrHhFt', 'user.screen_name': 'socialprnews'}, {'created_at': 'Mon Feb 12 03:40:03 +0000 2018', 'id': 962894039623221248, 'text': '@perplextus @AlexPickard @toomuch72 And yes, theoretically, I think if Bitcoin was practically free to mine, it wou… https://t.co/SAG8m8aBYD', 'user.screen_name': 'SeatacBCH'}, {'created_at': 'Mon Feb 12 03:40:03 +0000 2018', 'id': 962894038851510272, 'text': 'id::959996929072615425:Today we find web applications in every environment independent of https://t.co/NgplWdWFlW #Cybersecurity #Bitcoin ht', 'user.screen_name': 'And_Or_R'}, {'created_at': 'Mon Feb 12 03:40:03 +0000 2018', 'id': 962894038780317696, 'text': 'RT @AcoCollective: Do you have a Crypto Addiction? \n\n#Bitcoin #Cryptocurrency #Crypto #Ethereum #Litecoin #BTC #ETH #Blockchain #Ripple #Cr…', 'user.screen_name': 'UtarSystems'}, {'created_at': 'Mon Feb 12 03:40:03 +0000 2018', 'id': 962894038004371457, 'text': 'RT @CryptKeeperBTT: Arizona Senate Passes Bill To Allow Tax Payments In Bitcoin | Zero Hedge https://t.co/y62z6qcO4e', 'user.screen_name': 'CryptoAustin'}, {'created_at': 'Mon Feb 12 03:40:02 +0000 2018', 'id': 962894037559795712, 'text': '$SFEG News https://t.co/uHkWVn9G4N @intlMonty #wsj #nytimes #reuters #bloomberg #thestreet #jimmyfallon #forbes… https://t.co/a3N322GPgZ', 'user.screen_name': 'itsastart1'}, {'created_at': 'Mon Feb 12 03:40:02 +0000 2018', 'id': 962894033805701121, 'text': 'RT @NimbusToken: \ud83d\udcdc WHITEPAPER CHANGES \ud83d\udcdc We made some changes to the whitepaper this morning - additions to staff. https://t.co/A515Y8uEvW #…', 'user.screen_name': 'jole_raisa'}, {'created_at': 'Mon Feb 12 03:40:01 +0000 2018', 'id': 962894033478733824, 'text': '$SFEG News https://t.co/qUTtmXsw3p @intlMonty #wsj #nytimes #reuters #bloomberg #thestreet #jimmyfallon #forbes… https://t.co/hO7yLQnOoY', 'user.screen_name': 'socialstartnews'}, {'created_at': 'Mon Feb 12 03:40:01 +0000 2018', 'id': 962894033067696128, 'text': '$SFEG News https://t.co/lFU79vtSPY @intlMonty #wsj #nytimes #reuters #bloomberg #thestreet #jimmyfallon #forbes… https://t.co/nBWJdueRx8', 'user.screen_name': 'socialirnews'}, {'created_at': 'Mon Feb 12 03:40:01 +0000 2018', 'id': 962894032824397824, 'text': 'RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience…', 'user.screen_name': 'suzieqnelson'}, {'created_at': 'Mon Feb 12 03:40:01 +0000 2018', 'id': 962894032769822720, 'text': '$SFEG News https://t.co/3i36NmVhLg @intlMonty #wsj #nytimes #reuters #bloomberg #thestreet #jimmyfallon #forbes… https://t.co/P9UOiZHiij', 'user.screen_name': 'ssn1tweet'}, {'created_at': 'Mon Feb 12 03:40:01 +0000 2018', 'id': 962894032119705600, 'text': '$SFEG News https://t.co/mpCpVwUWDV @intlMonty #wsj #nytimes #reuters #bloomberg #thestreet #jimmyfallon #forbes… https://t.co/9a6wdYYQaE', 'user.screen_name': 'ssn5marketing'}, {'created_at': 'Mon Feb 12 03:40:01 +0000 2018', 'id': 962894031960399872, 'text': 'RT @giftzcard: Giftz.io chosen Top 10 #ICOs To Watch Heading Into 2018 by Inc. Magazine Notable investors, Linda Giambrone (NBC), Emilio D…', 'user.screen_name': 'EnlightenedCole'}, {'created_at': 'Mon Feb 12 03:40:00 +0000 2018', 'id': 962894025895415808, 'text': 'RT @BTCTN: New Jersey Sends Cease & Desist to Crypto-Investment Pool https://t.co/Z9FZ6OXO8a #Bitcoin https://t.co/TnTxxnwpxs', 'user.screen_name': 'ejpmonline'}, {'created_at': 'Mon Feb 12 03:39:58 +0000 2018', 'id': 962894020136591360, 'text': "RT @whaleclubco: Bitcoin - What's Next? #bitcoin · Trade $BTCUSD with up to 20x leverage: https://t.co/ogeEs8zK82 https://t.co/muZdrOrsxW", 'user.screen_name': 'EnlightenedCole'}, {'created_at': 'Mon Feb 12 03:39:56 +0000 2018', 'id': 962894011773145089, 'text': 'RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience…', 'user.screen_name': 'elizabethlswai'}, {'created_at': 'Mon Feb 12 03:39:56 +0000 2018', 'id': 962894009839636481, 'text': 'RT @Ronald_vanLoon: 6 Advantages of #Blockchain [#INFOGRAPHICS]\nby @mikequindazzi @pwc |\n\n#Cryptocurrency #Bitcoin #IoT #InternetOfThings #…', 'user.screen_name': 'jalbanc'}, {'created_at': 'Mon Feb 12 03:39:54 +0000 2018', 'id': 962894000318570501, 'text': 'RT @BigCheds: $BTC #bitcoin strong break of 8480 area', 'user.screen_name': 'Parmigiani_S'}, {'created_at': 'Mon Feb 12 03:39:53 +0000 2018', 'id': 962893999580344325, 'text': 'RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience…', 'user.screen_name': 'AndersonJohn74'}, {'created_at': 'Mon Feb 12 03:39:53 +0000 2018', 'id': 962893996296085504, 'text': 'Right? Instead of attacking Bitcoin all the time. Had they gone with Bcash and promoted and focused on it without c… https://t.co/Uleu4Gspyp', 'user.screen_name': 'embilysays'}, {'created_at': 'Mon Feb 12 03:39:48 +0000 2018', 'id': 962893977082122240, 'text': 'RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience…', 'user.screen_name': 'jayjohannes24'}, {'created_at': 'Mon Feb 12 03:39:48 +0000 2018', 'id': 962893975542685697, 'text': "RT @NAR: Chinese traders' key link to cryptocurrency market in trouble https://t.co/mZHICYRp4Q https://t.co/oXaEV8DZKC", 'user.screen_name': 'Silver_Watchdog'}, {'created_at': 'Mon Feb 12 03:39:45 +0000 2018', 'id': 962893965874753536, 'text': '#litecoin can be a great #HODL till the end of March!! Target - $230 \n Great time to buy!! Until there not another… https://t.co/TV5xqgR9mt', 'user.screen_name': 'SuggestCoin'}, {'created_at': 'Mon Feb 12 03:39:45 +0000 2018', 'id': 962893964411056128, 'text': 'RT @Fractalwatch: From bitcoin archives. https://t.co/R8JxUq2pwK', 'user.screen_name': 'zmann8531'}, {'created_at': 'Mon Feb 12 03:39:43 +0000 2018', 'id': 962893957880565760, 'text': 'RT @AcoCollective: Do you have a Crypto Addiction? \n\n#Bitcoin #Cryptocurrency #Crypto #Ethereum #Litecoin #BTC #ETH #Blockchain #Ripple #Cr…', 'user.screen_name': 'ZekDaniyal'}, {'created_at': 'Mon Feb 12 03:39:42 +0000 2018', 'id': 962893952255852545, 'text': 'RT @CrowdCoinage: There is a lot of controversial ideas about cryptocurrencies. Now the tricky subject of cryptocurrencies is tackled by gl…', 'user.screen_name': 'NurHanif03'}, {'created_at': 'Mon Feb 12 03:39:40 +0000 2018', 'id': 962893944735465472, 'text': 'RT @IanLJones98: What is Blockchain? Why does it matter? Why is it so disruptive? How does it work? All in 60 seconds\n\n#AI #ML #Blockchain…', 'user.screen_name': 'GoldCommIndia'}, {'created_at': 'Mon Feb 12 03:39:40 +0000 2018', 'id': 962893944391479297, 'text': 'TODAY WE TALK ABOUT THE PROJECT - #FLOGMALL. \nI hope to see this project moon beyond expectations. Good team. Good… https://t.co/sg3coQX3HG', 'user.screen_name': 'Destje'}, {'created_at': 'Mon Feb 12 03:39:40 +0000 2018', 'id': 962893943850463232, 'text': 'RT @zerohedge: bitcoin technicals from JPM https://t.co/SoBzF6Mghv', 'user.screen_name': 'hedging_reality'}, {'created_at': 'Mon Feb 12 03:39:39 +0000 2018', 'id': 962893940180561921, 'text': 'Bitcoin Price Technical Analysis for 02/12/2018 – Make or Break\xa0Level https://t.co/KHCnSsGLQu https://t.co/edle7Z8Q8l', 'user.screen_name': 'rajputcoool'}, {'created_at': 'Mon Feb 12 03:39:38 +0000 2018', 'id': 962893933666848768, 'text': 'Interesting Video:\n#Bitcoin Price on Wild Rise -\n https://t.co/4KPiwdUsWd\n\n#yourdigitalcurrency', 'user.screen_name': 'yourdigitalcash'}, {'created_at': 'Mon Feb 12 03:39:37 +0000 2018', 'id': 962893932685295621, 'text': '1: Bitcoin average price is $8525.63 (0.76% 1h)\n2: Ethereum average price is $850.364 (0.75% 1h)\n3: Ripple average… https://t.co/3p6ybEhrZU', 'user.screen_name': 'TickerTop'}, {'created_at': 'Mon Feb 12 03:39:37 +0000 2018', 'id': 962893932505042944, 'text': 'Why U.S Restrictions on #ICOs and Exchanges Is Likely #blockchain\n#bitcoin #cryptocurrency https://t.co/KnTz93Ai5O', 'user.screen_name': 'Ed_Lemieux'}, {'created_at': 'Mon Feb 12 03:39:36 +0000 2018', 'id': 962893925546647552, 'text': 'ACR Million Dollar Sunday overlays https://t.co/sSYaY2kdk8 #poker #acr #bitcoin', 'user.screen_name': 'recentpoker'}, {'created_at': 'Mon Feb 12 03:39:35 +0000 2018', 'id': 962893922845577217, 'text': 'RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience…', 'user.screen_name': 'SofiaMiller0'}, {'created_at': 'Mon Feb 12 03:39:33 +0000 2018', 'id': 962893914259820544, 'text': 'RT @mazen2051991: Bitcoin - BTC\nPrice: $6,915.51\nChange in 1h: -2.14%\nMarket cap: $116,524,960,398.00\nRanking: 1\n#Bitcoin #BTC', 'user.screen_name': 'tttragg'}, {'created_at': 'Mon Feb 12 03:39:33 +0000 2018', 'id': 962893913655689216, 'text': 'RT @zerohedge: Bitcoin ETFs pending approval https://t.co/2dS9l4Ggsw', 'user.screen_name': 'hedging_reality'}, {'created_at': 'Mon Feb 12 03:39:33 +0000 2018', 'id': 962893912082755585, 'text': 'Register for an account on our dashboard and purchase tokens now to receive 30% bonus. 12 hours left until this dro… https://t.co/BuwEy0XzL8', 'user.screen_name': 'Wordcoin3'}, {'created_at': 'Mon Feb 12 03:39:32 +0000 2018', 'id': 962893911776612352, 'text': '@dan_abramov still not enough to process a bitcoin transaction', 'user.screen_name': 'JeremyBarbe1'}, {'created_at': 'Mon Feb 12 03:39:31 +0000 2018', 'id': 962893906915528704, 'text': 'RT @MyICONews: What is Bitcoin? https://t.co/VN7MkGIFi1', 'user.screen_name': 'yuettefranzese3'}, {'created_at': 'Mon Feb 12 03:39:30 +0000 2018', 'id': 962893903383932928, 'text': 'RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience…', 'user.screen_name': 'carterjamss'}, {'created_at': 'Mon Feb 12 03:39:30 +0000 2018', 'id': 962893902687727616, 'text': 'RT @OfficialXAOS: LETS GET #XAOS TRENDING!\nRetweet, Like & Follow!\n#crypto #altcoin #dogecoin #freecoins #giveaway #Airdrop #ethereum #ico…', 'user.screen_name': 'abolfaz00539412'}, {'created_at': 'Mon Feb 12 03:39:29 +0000 2018', 'id': 962893896970833920, 'text': 'RT @TheIBMMSPTeam: The huge surge of interest in #cryptocurrencies like #Bitcoin has made major news around the globe over the last few mon…', 'user.screen_name': 'S_Wallace_'}, {'created_at': 'Mon Feb 12 03:39:27 +0000 2018', 'id': 962893887072292864, 'text': 'RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D…', 'user.screen_name': 'RimboltBlack'}, {'created_at': 'Mon Feb 12 03:39:26 +0000 2018', 'id': 962893886040375296, 'text': "RT @JonasHavering: I'm giving away 20 000 TRX\n\nWinner will be chosen FRIDAY\n\nRETWEET and FOLLOW to participate\n #Bitcoin #dogecoin #Ethereu…", 'user.screen_name': 'arktctakki'}, {'created_at': 'Mon Feb 12 03:39:26 +0000 2018', 'id': 962893884773847040, 'text': "RT @iamjosephyoung: Oh wait, so bitcoin wasn't for criminals after all?\n\nNope. Banks are the safe haven for money launderers and criminals.…", 'user.screen_name': 'jahrastar_ivxx'}, {'created_at': 'Mon Feb 12 03:39:26 +0000 2018', 'id': 962893884631248897, 'text': 'RT @Crypto_Bitlord: Bitcoin will pump so hard that one day, we will be calling satoshis “bitcoins”', 'user.screen_name': 'cameronrfox'}, {'created_at': 'Mon Feb 12 03:39:25 +0000 2018', 'id': 962893882148212736, 'text': 'RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience…', 'user.screen_name': 'docdavis77'}, {'created_at': 'Mon Feb 12 03:39:20 +0000 2018', 'id': 962893861197631488, 'text': 'Are Bitcoin Price And Equity Markets Returns Correlated? https://t.co/ZasyLlpOHN #bitcoin #crypto https://t.co/slPKL3KjKe', 'user.screen_name': 'betbybitcoins'}, {'created_at': 'Mon Feb 12 03:39:20 +0000 2018', 'id': 962893860123955201, 'text': 'UK press - Bitcoin hackers hijack thousands of government computers for mining: The article… https://t.co/YhDlt7lfje', 'user.screen_name': 'Forex_warrior'}, {'created_at': 'Mon Feb 12 03:39:20 +0000 2018', 'id': 962893857632403456, 'text': 'RT @Bitcoin_Friend: Energy riches fuel #Bitcoin craze for speculation-shy Iceland https://t.co/XBGBnfKD9m https://t.co/38OaNWpkuP', 'user.screen_name': 'S_Wallace_'}, {'created_at': 'Mon Feb 12 03:39:19 +0000 2018', 'id': 962893856822972418, 'text': '@coldchainlogix Depends. Bitcoin. Another alt or tether', 'user.screen_name': 'BigCheds'}, {'created_at': 'Mon Feb 12 03:39:19 +0000 2018', 'id': 962893855023656960, 'text': 'Bitcoin Stocks thanks for following me on Twitter! https://t.co/AwVw3EcTVI', 'user.screen_name': 'boutthatbitcoin'}, {'created_at': 'Mon Feb 12 03:39:18 +0000 2018', 'id': 962893850686697472, 'text': 'RT @cryptodailyuk: J.P. Morgan "#Cryptocurrencies are here to stay"\nJ.P. Morgan\'s CEO Jamie Dimon changed his voice of tune on #Bitcoin fro…', 'user.screen_name': 'trader954'}, {'created_at': 'Mon Feb 12 03:39:18 +0000 2018', 'id': 962893849382260736, 'text': 'RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D…', 'user.screen_name': 'KathyEnzerink'}, {'created_at': 'Mon Feb 12 03:39:17 +0000 2018', 'id': 962893845397626880, 'text': 'This seems like a big development! #Bitcoin #cryptocurrency #Credit #creditcard #banks https://t.co/9NhrejBxEK', 'user.screen_name': 'stevesarner'}, {'created_at': 'Mon Feb 12 03:39:16 +0000 2018', 'id': 962893844193800192, 'text': 'RT @BigCheds: $BTC #bitcoin is a Rorschach test right now. Inverse head and shoulders bottom or head and shoulders top https://t.co/bViAuqf…', 'user.screen_name': 'hanquoc69'}, {'created_at': 'Mon Feb 12 03:39:15 +0000 2018', 'id': 962893836866478080, 'text': '@nytimes Did NK buy your paper with Bitcoin?', 'user.screen_name': 'typeswithfinger'}, {'created_at': 'Mon Feb 12 03:39:14 +0000 2018', 'id': 962893834056355841, 'text': 'RT @NigeriaSnake: Why bother trading in bitcoin or doing Yahoo Yahoo when I can swallow millions for you?', 'user.screen_name': 'jennyiphy007'}, {'created_at': 'Mon Feb 12 03:39:14 +0000 2018', 'id': 962893833431285760, 'text': 'RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D…', 'user.screen_name': 'HeavenGianna'}, {'created_at': 'Mon Feb 12 03:39:11 +0000 2018', 'id': 962893823788625922, 'text': 'Energy riches fuel bitcoin craze for speculation-shy Iceland https://t.co/8MWAvXeOOb #tech', 'user.screen_name': 'filidecotz'}, {'created_at': 'Mon Feb 12 03:39:09 +0000 2018', 'id': 962893812413751297, 'text': 'RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience…', 'user.screen_name': 'PurvisRobinson'}, {'created_at': 'Mon Feb 12 03:39:08 +0000 2018', 'id': 962893811088273408, 'text': 'RT @GroganAlgo: This article on #blockchain & #fintech is the best summation I have ever read. The sacred will lose to the profane, the #Fe…', 'user.screen_name': 'tiffanieamuah81'}, {'created_at': 'Mon Feb 12 03:39:07 +0000 2018', 'id': 962893805111447557, 'text': 'RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience…', 'user.screen_name': 'Theresa21Young'}, {'created_at': 'Mon Feb 12 03:39:06 +0000 2018', 'id': 962893800967426048, 'text': 'Install CryptoTab and mine Bitcoin! https://t.co/17p8vCRnG5', 'user.screen_name': 'bookinglilmike'}, {'created_at': 'Mon Feb 12 03:39:06 +0000 2018', 'id': 962893799004430337, 'text': 'All Bitcoin and Litecoin payments will get 20% aditionally off!\n\nhttps://t.co/euflCCLZLz', 'user.screen_name': 'BoostedServers'}, {'created_at': 'Mon Feb 12 03:39:04 +0000 2018', 'id': 962893794336296961, 'text': 'RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D…', 'user.screen_name': 'BloggerLeeWhite'}, {'created_at': 'Mon Feb 12 03:39:02 +0000 2018', 'id': 962893783405940736, 'text': 'RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D…', 'user.screen_name': 'UtarSystems'}, {'created_at': 'Mon Feb 12 03:39:01 +0000 2018', 'id': 962893779681325058, 'text': 'RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D…', 'user.screen_name': 'AudreyPullman5'}, {'created_at': 'Mon Feb 12 03:39:00 +0000 2018', 'id': 962893775046676480, 'text': 'RT @BTCTN: Japan Cracks Down on Foreign ICO Agency Operating Without License https://t.co/cGkzl1LZNW #Bitcoin https://t.co/NDg7LjkytD', 'user.screen_name': 'TheCryptoInvest'}, {'created_at': 'Mon Feb 12 03:39:00 +0000 2018', 'id': 962893774945964033, 'text': 'RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D…', 'user.screen_name': 'AsiliaZinsha'}, {'created_at': 'Mon Feb 12 03:38:59 +0000 2018', 'id': 962893772458618881, 'text': 'RT @zerohedge: We have officially gone from "Bitcoin is a fraud" to "cryptocurrencies could potentially have a role in diversifying one’s g…', 'user.screen_name': 'Jblk8'}, {'created_at': 'Mon Feb 12 03:38:58 +0000 2018', 'id': 962893768562225152, 'text': "RT @JonasHavering: I'm giving away 20 000 TRX\n\nWinner will be chosen FRIDAY\n\nRETWEET and FOLLOW to participate\n #Bitcoin #dogecoin #Ethereu…", 'user.screen_name': 'shakshak41'}, {'created_at': 'Mon Feb 12 03:38:57 +0000 2018', 'id': 962893764279898112, 'text': 'RT @TacoPvP_: ⛏️ 1 BITCOIN GIVEAWAY ⛏️\n\ud83d\udcb5 8000$ WORTH OF BITCOINS \ud83d\udcb5\n\ud83d\udcdd LIKE, RT & FOLLOW TO ENTER \ud83d\udcdd\n\ud83d\udd12 ENDS AT 500 RETWEET…', 'user.screen_name': '_Adam88THFC'}, {'created_at': 'Mon Feb 12 03:38:57 +0000 2018', 'id': 962893762551693312, 'text': '@perplextus @AlexPickard @toomuch72 PoW for Bitcoin is computing power which = capital, You can see the amount of c… https://t.co/TFuJCDOKRn', 'user.screen_name': 'SeatacBCH'}, {'created_at': 'Mon Feb 12 03:38:56 +0000 2018', 'id': 962893760924454912, 'text': 'RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D…', 'user.screen_name': 'SamKelly63'}, {'created_at': 'Mon Feb 12 03:38:55 +0000 2018', 'id': 962893756818182144, 'text': 'RT @zerohedge: We have officially gone from "Bitcoin is a fraud" to "cryptocurrencies could potentially have a role in diversifying one’s g…', 'user.screen_name': '_mesientojevi'}, {'created_at': 'Mon Feb 12 03:38:54 +0000 2018', 'id': 962893752661696512, 'text': 'RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D…', 'user.screen_name': 'HarmonyEmilie'}, {'created_at': 'Mon Feb 12 03:38:54 +0000 2018', 'id': 962893749369044992, 'text': "RT @adryenn: Russian authorities have arrested engineers at one of the country's top-secret… https://t.co/LQCtr5O0l9 #bitcoin by #India_Bit…", 'user.screen_name': 'koren_marybeth'}, {'created_at': 'Mon Feb 12 03:38:53 +0000 2018', 'id': 962893748349763584, 'text': '@rogerkver BCash is the real Bitcoin. https://t.co/ZatWzKRWJi', 'user.screen_name': 'AliyahCandy'}, {'created_at': 'Mon Feb 12 03:38:53 +0000 2018', 'id': 962893747959803904, 'text': 'RT @RonnieMoas: $BTC currently ranked # 28 ... was at # 18 in December. I now see a best case scenario of #bitcoin hitting # 6 by 2023 (at…', 'user.screen_name': 'millbury01'}, {'created_at': 'Mon Feb 12 03:38:53 +0000 2018', 'id': 962893747330666496, 'text': '#putmoneyinyourpocket Why is bitcoin better than money https://t.co/5pNIzfhVCG https://t.co/P1k759dTq0', 'user.screen_name': 'AidenMrdwyav'}, {'created_at': 'Mon Feb 12 03:38:53 +0000 2018', 'id': 962893744319148033, 'text': 'RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D…', 'user.screen_name': 'JenniferAlsop7'}, {'created_at': 'Mon Feb 12 03:38:52 +0000 2018', 'id': 962893744134598657, 'text': 'RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D…', 'user.screen_name': 'AlomoraSimslens'}, {'created_at': 'Mon Feb 12 03:38:52 +0000 2018', 'id': 962893743253794818, 'text': '$BTC #bitcoin is a Rorschach test right now. Inverse head and shoulders bottom or head and shoulders top https://t.co/bViAuqfwWB', 'user.screen_name': 'BigCheds'}, {'created_at': 'Mon Feb 12 03:38:52 +0000 2018', 'id': 962893740749852672, 'text': 'RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D…', 'user.screen_name': 'DavidHardacre7'}, {'created_at': 'Mon Feb 12 03:38:51 +0000 2018', 'id': 962893738258378753, 'text': 'RT @ypayeu: YouPay - The cheapest fee around the world wide web\n#airdrop #ypay #youpay #cryptocurrency #ethereum #bitcoin https://t.co/jKdD…', 'user.screen_name': 'Dezzykoko'}, {'created_at': 'Mon Feb 12 03:38:51 +0000 2018', 'id': 962893736727535618, 'text': 'RT @eth_classic: Ethereum Classic Today https://t.co/RU09WVAPiF\nYour source for Bitcoin, Blockchain, and Everything Ethereum Classic.\n\n#Eth…', 'user.screen_name': 'jahrastar_ivxx'}, {'created_at': 'Mon Feb 12 03:38:50 +0000 2018', 'id': 962893732587687936, 'text': 'RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.…', 'user.screen_name': 'Steph56Renee'}, {'created_at': 'Mon Feb 12 03:38:49 +0000 2018', 'id': 962893731618795520, 'text': 'RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D…', 'user.screen_name': 'Raphaelle_Smith'}, {'created_at': 'Mon Feb 12 03:38:49 +0000 2018', 'id': 962893731434237952, 'text': 'RT @Fansxpress: #Cryptocurrencies #Bitcoin #BitcoinCash #DASH #XRP #Ripple #TRON #TRX #BTC #ETH #BCH #LTC #XLM #ADA #XVG #ETH #cryptocurren…', 'user.screen_name': 'nanu1685'}, {'created_at': 'Mon Feb 12 03:38:48 +0000 2018', 'id': 962893726195638279, 'text': 'RT @M_A_N_Corp: #XRP is SURGING. \nMake some MONEY\n\n1000 #XRP #Giveaway\n-Retweet This Tweet\n-Follow\n-Visit @M_A_N_Corp to ENTER 1000 #Ripple…', 'user.screen_name': 'shakshak41'}, {'created_at': 'Mon Feb 12 03:38:46 +0000 2018', 'id': 962893719014985729, 'text': 'RT @ypayeu: We are glad to inform you that we started AirDrop, the first 100 users that will fill the form + another 100 randomly selected…', 'user.screen_name': 'Dezzykoko'}, {'created_at': 'Mon Feb 12 03:38:46 +0000 2018', 'id': 962893718721265665, 'text': 'RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D…', 'user.screen_name': 'MarkWhite1983'}, {'created_at': 'Mon Feb 12 03:38:46 +0000 2018', 'id': 962893716930420736, 'text': 'RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D…', 'user.screen_name': 'StewartJaxson'}, {'created_at': 'Mon Feb 12 03:38:46 +0000 2018', 'id': 962893716565393410, 'text': 'my brain is too small to understand bitcoin', 'user.screen_name': 'internetuser82'}, {'created_at': 'Mon Feb 12 03:38:46 +0000 2018', 'id': 962893715395305473, 'text': 'RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D…', 'user.screen_name': 'VictorSmith67'}, {'created_at': 'Mon Feb 12 03:38:44 +0000 2018', 'id': 962893708441112576, 'text': 'RT @izx_io: Kazakhstan, we are coming!\n\n#izx #izetex #ico #blockchain #cryptocurrency #conference #cryptoevent #bitcoin #ethereum https://t…', 'user.screen_name': 'finickycam'}, {'created_at': 'Mon Feb 12 03:38:44 +0000 2018', 'id': 962893708420173825, 'text': 'RT @zerohedge: We have officially gone from "Bitcoin is a fraud" to "cryptocurrencies could potentially have a role in diversifying one’s g…', 'user.screen_name': 'JacksonJennings'}, {'created_at': 'Mon Feb 12 03:38:44 +0000 2018', 'id': 962893706566230017, 'text': 'RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D…', 'user.screen_name': 'PaulRees45'}, {'created_at': 'Mon Feb 12 03:38:41 +0000 2018', 'id': 962893695753207808, 'text': 'RT @ImLisaO: Coinbase, one of the biggest #Crypto exchanges, has launched a service for merchants - allowing them to integrate #cryptocurre…', 'user.screen_name': 'kydyzyx'}, {'created_at': 'Mon Feb 12 03:38:40 +0000 2018', 'id': 962893692905361408, 'text': 'Bitcoin looks bullish for tomorrow(Feb 12) Day traders Buy today and sell tomorrow.', 'user.screen_name': 'sureshmohan1'}, {'created_at': 'Mon Feb 12 03:38:39 +0000 2018', 'id': 962893689289920512, 'text': 'RT @CryptoKang: Big step for $CRYPTO adoption, thanks @coinbase. (Notice Bitcoin Cash is the first option)\ud83d\ude0a https://t.co/tWBYp4Bgms', 'user.screen_name': 'JLLOYD30TRADER'}, {'created_at': 'Mon Feb 12 03:38:39 +0000 2018', 'id': 962893687930974209, 'text': 'RT @Cointelegraph: .@MichelleMone and her partner Douglas Barrowman sold 50 flats for #Bitcoin in Dubai, more apartments promised to come.…', 'user.screen_name': 'TheCryptoInvest'}, {'created_at': 'Mon Feb 12 03:38:39 +0000 2018', 'id': 962893686660063233, 'text': 'RT @francispouliot_: Right now is a REALLY good time to consolidate your Bitcoin UTXOs into segwit addresses and do all the small transacti…', 'user.screen_name': 'MartdeMontigny'}, {'created_at': 'Mon Feb 12 03:38:39 +0000 2018', 'id': 962893686345314304, 'text': 'RT @GroganAlgo: This article on #blockchain & #fintech is the best summation I have ever read. The sacred will lose to the profane, the #Fe…', 'user.screen_name': 'marvelpieracci6'}, {'created_at': 'Mon Feb 12 03:38:37 +0000 2018', 'id': 962893677935972352, 'text': 'RT @PlanetZiggurat: https://t.co/VOEUjnISk5 Referral Program Every participant will get unique referral code also unique link with this co…', 'user.screen_name': 'StarKay3'}, {'created_at': 'Mon Feb 12 03:38:37 +0000 2018', 'id': 962893677818458112, 'text': 'RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D…', 'user.screen_name': 'JacobGrant31'}, {'created_at': 'Mon Feb 12 03:38:36 +0000 2018', 'id': 962893677101232128, 'text': 'RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D…', 'user.screen_name': 'BellaRoberts181'}, {'created_at': 'Mon Feb 12 03:38:35 +0000 2018', 'id': 962893672982503424, 'text': 'RT @ManjeetRege: #BigData Comes to Dieting https://t.co/vtIJUJFKb7 #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience #D…', 'user.screen_name': 'StevenDavidso3'}, {'created_at': 'Mon Feb 12 03:38:35 +0000 2018', 'id': 962893669991964678, 'text': 'RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.…', 'user.screen_name': 'andrewstark02'}, {'created_at': 'Mon Feb 12 03:38:35 +0000 2018', 'id': 962893669706731520, 'text': 'RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.…', 'user.screen_name': 'JonesRj1964'}, {'created_at': 'Mon Feb 12 03:38:35 +0000 2018', 'id': 962893669203435520, 'text': 'Can’t wait till my bitcoin takes off \ud83d\ude24 https://t.co/0VRFOqAys0', 'user.screen_name': 'Sta_nge'}, {'created_at': 'Mon Feb 12 03:38:34 +0000 2018', 'id': 962893668582674434, 'text': 'RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.…', 'user.screen_name': 'Metatro46077255'}, {'created_at': 'Mon Feb 12 03:38:34 +0000 2018', 'id': 962893668347711488, 'text': 'The National Security Agency is the world’s most powerful, most fa https://t.co/BPNjBEsdsL #Cybersecurity #Bitcoin https://t.co/d082SobiAb', 'user.screen_name': 'CyberDomain'}, {'created_at': 'Mon Feb 12 03:38:34 +0000 2018', 'id': 962893666711953413, 'text': 'RT @Blockchainlife: But idk tho.. #Bitcoin https://t.co/QoTof7QhyC', 'user.screen_name': 'Brayanpinilla16'}, {'created_at': 'Mon Feb 12 03:38:33 +0000 2018', 'id': 962893664241381376, 'text': 'RT @DigitalLawrence: BREAKING - US \ud83c\uddfa\ud83c\uddf8 Crypto Adoption: The great state of Arizona is paving the way by passing a bill in Senate to allow #B…', 'user.screen_name': 'CryptoCrate'}, {'created_at': 'Mon Feb 12 03:38:32 +0000 2018', 'id': 962893660294656000, 'text': 'I liked a @YouTube video https://t.co/FFHlgjXBtd The 1 Bitcoin Show- Bprivate momentum? Ethereum, Bgold, phone storage thoughts, the', 'user.screen_name': 'luellen041'}, {'created_at': 'Mon Feb 12 03:38:32 +0000 2018', 'id': 962893659254304770, 'text': 'RT @BTCTN: New Jersey Sends Cease & Desist to Crypto-Investment Pool https://t.co/Z9FZ6OXO8a #Bitcoin https://t.co/TnTxxnwpxs', 'user.screen_name': 'Ascadian1776'}, {'created_at': 'Mon Feb 12 03:38:31 +0000 2018', 'id': 962893654921830400, 'text': 'Protect your network and web sites from malicious attacks with hel https://t.co/T42MDXzLw3 #Cybersecurity #Bitcoin https://t.co/GyFkDEym1z', 'user.screen_name': 'CyberDomain'}, {'created_at': 'Mon Feb 12 03:38:31 +0000 2018', 'id': 962893654233841670, 'text': '@LukeDashjr @DanielKrawisz @LuckDragon69 @WeathermanIam @maxkeisor @mikeinspace @derose @georgevaccaro… https://t.co/MDuWKrbv8w', 'user.screen_name': 'mecampbellsoup'}, {'created_at': 'Mon Feb 12 03:38:30 +0000 2018', 'id': 962893651549532160, 'text': "Check out @thedigitaledger's crypto merch shop on @threadless.\n\nDesigns by #XRPstreetTEAM members @dreventures… https://t.co/IngTerYvYr", 'user.screen_name': 'XRPstreetTEAM'}, {'created_at': 'Mon Feb 12 03:38:30 +0000 2018', 'id': 962893649993486337, 'text': "RT @aantonop: While the banks are busy building their permissioned private 'Bubble Boy' blockchains, #Bitcoin has survived more than nine y…", 'user.screen_name': 'MarkMarkafv'}, {'created_at': 'Mon Feb 12 03:38:30 +0000 2018', 'id': 962893648177197057, 'text': 'RT @btc_green: Did you know that #Bitcoin uses more energy than all of the orange countries? We need to build a sustainable future for #cry…', 'user.screen_name': 'lucilecassubha2'}, {'created_at': 'Mon Feb 12 03:38:28 +0000 2018', 'id': 962893643366445056, 'text': 'RT @ErikVoorhees: What you may not understand about crypto’s millionaires https://t.co/TxdjAvdk29 via @VentureBeat #bitcoin #ethereum #bloc…', 'user.screen_name': 'gonayiga'}, {'created_at': 'Mon Feb 12 03:38:28 +0000 2018', 'id': 962893641210646528, 'text': 'These high-quality aluminum enclosures (or aluminium, for our mate https://t.co/ikoCMrIYdR #Cybersecurity #Bitcoin https://t.co/0FoqHyWc2r', 'user.screen_name': 'CyberDomain'}, {'created_at': 'Mon Feb 12 03:38:28 +0000 2018', 'id': 962893640862445569, 'text': "RT @RFERL: Employees at a Russian top-secret nuclear facility have reportedly been detained after trying to use one of Russia's most powerf…", 'user.screen_name': 'ditord'}, {'created_at': 'Mon Feb 12 03:38:25 +0000 2018', 'id': 962893629319778306, 'text': "/u/slowmoon: \n\nIt's always the same thing over and over. It's a bubble. Greater fools. No intrinsic value. Nothing… https://t.co/VCCRBwPBH9", 'user.screen_name': 'BTC_Traders'}, {'created_at': 'Mon Feb 12 03:38:25 +0000 2018', 'id': 962893628145156096, 'text': 'RT @skychainglobal: Meet us at #Blockchain & #Bitcoin Conference #Gibraltar 2018! \n#skychainglobal #ico #live #medicine #AI #NeuralNetworks…', 'user.screen_name': 'Praditaraheel'}, {'created_at': 'Mon Feb 12 03:38:25 +0000 2018', 'id': 962893627818151936, 'text': 'A collection useful programming advice the author has collected ov https://t.co/1T4jhf4iEq #Cybersecurity #Bitcoin https://t.co/s3VCELVUpN', 'user.screen_name': 'CyberDomain'}, {'created_at': 'Mon Feb 12 03:38:24 +0000 2018', 'id': 962893626706718725, 'text': '#bitcoin price $8511.36', 'user.screen_name': 'FYICrypto'}, {'created_at': 'Mon Feb 12 03:38:24 +0000 2018', 'id': 962893623988690944, 'text': 'RT @flogmall: #FLOGmallteam\n\nContinuing making acquaintance with the team, we’d like to introduce you our technical unit team members of FL…', 'user.screen_name': 'Bernard32029161'}, {'created_at': 'Mon Feb 12 03:38:23 +0000 2018', 'id': 962893618632626176, 'text': 'RT @RealSexyCyborg: This shit again.\nhttps://t.co/8x3dw7rioI', 'user.screen_name': 'rnelson0'}, {'created_at': 'Mon Feb 12 03:38:22 +0000 2018', 'id': 962893616141230081, 'text': '#Blockchaine #ipo #BITCOIN #beefent #etfs $ustc $mjmj $mjna Listen to Beef - I Put In Work Feat. Ox Storm by Beef… https://t.co/fnMBQxVmfi', 'user.screen_name': 'BeefEnt'}, {'created_at': 'Mon Feb 12 03:38:22 +0000 2018', 'id': 962893616103510016, 'text': 'How do the weak defeat the strong? Ivan Arreguín-Toft argues that, https://t.co/33v9jVpIJ5 #Cybersecurity #Bitcoin https://t.co/BstoFg0wmG', 'user.screen_name': 'CyberDomain'}, {'created_at': 'Mon Feb 12 03:38:19 +0000 2018', 'id': 962893604703428608, 'text': '@DonaldJTrumpJr NK must have bought the New York Times with Bitcoin', 'user.screen_name': 'typeswithfinger'}, {'created_at': 'Mon Feb 12 03:38:19 +0000 2018', 'id': 962893601913974785, 'text': '@crypt0e @mikeinspace @georgevaccaro @maxkeisor @jordanbpeterson @jaltucher @derose @aantonop He didn’t even believ… https://t.co/V2oD7WRKPR', 'user.screen_name': 'AlexPickard'}, {'created_at': 'Mon Feb 12 03:38:17 +0000 2018', 'id': 962893595253469185, 'text': 'RT @flogmall: FLOGmall video presentation for sellers...\nTo see more\xa0https://t.co/sjLWubqZI9\n\n#FLOGmall #ico #blockchain #bitcoin #btc #eth…', 'user.screen_name': 'Bernard32029161'}, {'created_at': 'Mon Feb 12 03:38:17 +0000 2018', 'id': 962893594951651328, 'text': 'RT @WeAreYourBlock: YourBlock Bounty Campaign now Live https://t.co/CGrgymVBpL\n#bountyprogram #Bounty #TokenSale #ICOs #ICO #blockchain #we…', 'user.screen_name': 'resistorgrowlin'}, {'created_at': 'Mon Feb 12 03:38:16 +0000 2018', 'id': 962893593265438720, 'text': 'RT @OxfordCrypto: $500 BITCOIN GIVEAWAY. Must:\n1. FOLLOW @OxfordCrypto\n2. SHARE this tweet\n3. Leave your bitcoin wallet in the comments.…', 'user.screen_name': 'hayats72'}, {'created_at': 'Mon Feb 12 03:38:16 +0000 2018', 'id': 962893592753725441, 'text': 'RT @EthyoloCoin: Another usage of YOLO.. Aside from you can use YOLO as payment to buy products, you can also use it for Sports betting! #Y…', 'user.screen_name': 'JuhriaMindo'}, {'created_at': 'Mon Feb 12 03:38:16 +0000 2018', 'id': 962893591017291777, 'text': 'Bitcoin Mining Now Consuming More Electricity Than 159 Countries Including Ireland & Most Countries In Africa https://t.co/dFZ0yJKrFs', 'user.screen_name': 'JTechpreneur'}, {'created_at': 'Mon Feb 12 03:38:15 +0000 2018', 'id': 962893585627668483, 'text': 'US: Arizona Senate Passes Bill To Allow Tax Payments In Bitcoin https://t.co/QnDAnO7jDS via @Cointelegraph', 'user.screen_name': 'LeDylanfreddo'}, {'created_at': 'Mon Feb 12 03:38:14 +0000 2018', 'id': 962893584159555584, 'text': 'RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.…', 'user.screen_name': 'janet8588'}, {'created_at': 'Mon Feb 12 03:38:12 +0000 2018', 'id': 962893576102469632, 'text': 'RT @Crypticsup: Cryptocurrency forecast for 11.02.2018\n\nhttps://t.co/KijTjaAG6U\n\n#Cryptics #crowdsale #bitcoin #ico #Cryptocurrencies #cr…', 'user.screen_name': 'cefewefWhi'}, {'created_at': 'Mon Feb 12 03:38:12 +0000 2018', 'id': 962893572579065856, 'text': '@TuurDemeester @starkness Bitcoin was just the beginning haha', 'user.screen_name': 'icodewebdesign'}, {'created_at': 'Mon Feb 12 03:38:11 +0000 2018', 'id': 962893572184911873, 'text': 'RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience…', 'user.screen_name': 'JamesYoung1986'}, {'created_at': 'Mon Feb 12 03:38:11 +0000 2018', 'id': 962893572105220097, 'text': 'Beyond the Bitcoin Bubble (via @Pocket) #longreads https://t.co/NLcRKoay0f', 'user.screen_name': 'David_Sher'}, {'created_at': 'Mon Feb 12 03:38:11 +0000 2018', 'id': 962893572054888448, 'text': 'How many letter tiles does one need to build any 24 word mnemonic? https://t.co/Yg3Cmr3vVm', 'user.screen_name': 'cryptoflashn1'}, {'created_at': 'Mon Feb 12 03:38:10 +0000 2018', 'id': 962893565209739265, 'text': 'RT @BTCTN: Bitcoin Private Fork Aiming to Make Bitcoin Anonymous https://t.co/wKng4RlO5u #Bitcoin https://t.co/cO9xeVoMT5', 'user.screen_name': 'TheCryptoInvest'}, {'created_at': 'Mon Feb 12 03:38:10 +0000 2018', 'id': 962893564375117824, 'text': 'There’s Now a Girl Pop Group Dedicated to Bitcoin and Other Cryptocurrencies https://t.co/7jFTGVocSk', 'user.screen_name': 'omanizen'}, {'created_at': 'Mon Feb 12 03:38:07 +0000 2018', 'id': 962893553809543169, 'text': 'RT @Applancer_pro: Model with Bitcoin-themed Shirt catwalks in the New York Fashion Week https://t.co/4lZ5YoCUzH #Bitcoin #Fashion #inves…', 'user.screen_name': 'otiliaflener141'}, {'created_at': 'Mon Feb 12 03:38:06 +0000 2018', 'id': 962893551146172416, 'text': 'RT @kitttenqueen: i take paypal, venmo, apple pay and bitcoin https://t.co/5pOcLGvU7K', 'user.screen_name': 'cxmicsams'}, {'created_at': 'Mon Feb 12 03:38:06 +0000 2018', 'id': 962893551133589504, 'text': 'Here is some light hearted #SundayReading on the future of blockchain technology. https://t.co/g45036t9t6', 'user.screen_name': 'proteumio'}, {'created_at': 'Mon Feb 12 03:38:06 +0000 2018', 'id': 962893550538100737, 'text': 'RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.…', 'user.screen_name': 'fairlane500'}, {'created_at': 'Mon Feb 12 03:38:05 +0000 2018', 'id': 962893545765064705, 'text': 'RT @Blockchainlife: Always do your own research. #Bitcoin #Nimiq #Ardor #Litecoin https://t.co/mEpILI95NR', 'user.screen_name': 'Brayanpinilla16'}, {'created_at': 'Mon Feb 12 03:38:05 +0000 2018', 'id': 962893543382667264, 'text': "RT @iamjosephyoung: Oh wait, so bitcoin wasn't for criminals after all?\n\nNope. Banks are the safe haven for money launderers and criminals.…", 'user.screen_name': 'MartdeMontigny'}, {'created_at': 'Mon Feb 12 03:38:04 +0000 2018', 'id': 962893542417985541, 'text': 'Sign up to Binance ➡️ https://t.co/FlPtYbM7Si "Binance Vs. McAfee: Hack Rumors Refuted, Cryptocurrency Trading Resu… https://t.co/x0AGOf4vvQ', 'user.screen_name': 'Actu_crypto'}, {'created_at': 'Mon Feb 12 03:38:04 +0000 2018', 'id': 962893541088243712, 'text': 'RT @DigitalKeith: Every 60 sec on #Internet.\n#DigitalMarketing #InternetMarketing #SocialMedia #SEO #SMM #Mpgvip #defstar5 #BigData #bitcoi…', 'user.screen_name': 'sevilje8pap'}, {'created_at': 'Mon Feb 12 03:38:03 +0000 2018', 'id': 962893538383007744, 'text': 'RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.…', 'user.screen_name': 'Galaxi162'}, {'created_at': 'Mon Feb 12 03:38:03 +0000 2018', 'id': 962893538273955840, 'text': 'Sign up to Binance ➡️ https://t.co/FlPtYbM7Si "Breaking: Crypto Exchange Binance Relaunches After Upg... | News ...… https://t.co/L91L8BRnDw', 'user.screen_name': 'Actu_crypto'}, {'created_at': 'Mon Feb 12 03:38:03 +0000 2018', 'id': 962893537565011968, 'text': 'RT @gramcointoken: ⛏️ 1 BITCOIN GIVEAWAY ⛏️\n\ud83d\udcb5 9000$ WORTH OF BITCOINS \ud83d\udcb5\n\ud83d\udcdd LIKE, RT & FOLLOW TO ENTER \ud83d\udcdd\n\ud83d\udd12 ENDS AT 5…', 'user.screen_name': 'burtjeffersonp'}, {'created_at': 'Mon Feb 12 03:38:02 +0000 2018', 'id': 962893532964052992, 'text': 'RT @izx_io: Kazakhstan, we are coming!\n\n#izx #izetex #ico #blockchain #cryptocurrency #conference #cryptoevent #bitcoin #ethereum https://t…', 'user.screen_name': 'burritosneulog'}, {'created_at': 'Mon Feb 12 03:38:01 +0000 2018', 'id': 962893527754649600, 'text': 'RT @Denaro_io: Do you like to be a winner \ud83d\ude32?\n\nWin $ 50,000 with our referral contest that has started \ud83d\udc47\n\nhttps://t.co/l9cXSqg1N4 \n \nContest…', 'user.screen_name': 'mpb1505'}, {'created_at': 'Mon Feb 12 03:38:00 +0000 2018', 'id': 962893525233930240, 'text': 'Two Hour Lull Update: CryptoCompare Bitcoin price: $8517.65 #bitcoin', 'user.screen_name': 'Winkdexer'}, {'created_at': 'Mon Feb 12 03:38:00 +0000 2018', 'id': 962893523195396096, 'text': 'Actual footage of the government trying to regulate #cryptocurrency #Bitcoin #altcoin… https://t.co/flCP5iu8Xj', 'user.screen_name': 'TheRealJPeyton'}, {'created_at': 'Mon Feb 12 03:37:59 +0000 2018', 'id': 962893520448172033, 'text': '@SasgoraBooks @DanDarkPill Wait a minute...you believe the 8/1/2017 Hard Fork was carried out by one man, who has… https://t.co/c9ylhsf8v3', 'user.screen_name': 'scottphall44'}, {'created_at': 'Mon Feb 12 03:37:57 +0000 2018', 'id': 962893510901841920, 'text': 'RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.…', 'user.screen_name': 'AbandrewA'}, {'created_at': 'Mon Feb 12 03:37:54 +0000 2018', 'id': 962893498428088320, 'text': 'RT @ricare: Top story: Linux and Open Source, Senate Candidate Accepts Largest Contribution… https://t.co/52YvLQ1f0k, see more https://t.co…', 'user.screen_name': 'Ashygoyal'}, {'created_at': 'Mon Feb 12 03:37:53 +0000 2018', 'id': 962893494028251136, 'text': "RT @aantonop: While the banks are busy building their permissioned private 'Bubble Boy' blockchains, #Bitcoin has survived more than nine y…", 'user.screen_name': 'idan503'}, {'created_at': 'Mon Feb 12 03:37:50 +0000 2018', 'id': 962893483483828224, 'text': 'RT @zerohedge: We have officially gone from "Bitcoin is a fraud" to "cryptocurrencies could potentially have a role in diversifying one’s g…', 'user.screen_name': 'Jay_Havs'}, {'created_at': 'Mon Feb 12 03:37:49 +0000 2018', 'id': 962893479444729856, 'text': 'RT @Cointelegraph: Wandering #Bitcoin price starts and ends the week at $8300. https://t.co/JEHHNql0lt', 'user.screen_name': 'TheCryptoInvest'}, {'created_at': 'Mon Feb 12 03:37:48 +0000 2018', 'id': 962893475682422784, 'text': 'RT @HeyTaiZen: .@leoncfu & I spoke briefly on why we support @decredproject cuz it solves a huge problem in bitcoin that is not going to be…', 'user.screen_name': 'jackliv3r'}, {'created_at': 'Mon Feb 12 03:37:47 +0000 2018', 'id': 962893469378203648, 'text': 'Higher #interestrates, do not affect $SING: #strongbuy, #billiondollarmarket, #buy, #potstocks, #blockchain,… https://t.co/dA5lmlImaC', 'user.screen_name': 'Apex_Capital'}, {'created_at': 'Mon Feb 12 03:37:47 +0000 2018', 'id': 962893468510117888, 'text': 'Bitcoin CRASH: Cryptocurrency PLUMMETS 60 per cent in MONTH as market continues to tumble https://t.co/P1vtOY6v4S', 'user.screen_name': 'pekingikakuya'}, {'created_at': 'Mon Feb 12 03:37:46 +0000 2018', 'id': 962893467310489600, 'text': 'Bitcoin CRASH: Cryptocurrency PLUMMETS 60 per cent in MONTH as market continues to tumble https://t.co/CL7ldLiTpc', 'user.screen_name': 'saitatatekide'}, {'created_at': 'Mon Feb 12 03:37:46 +0000 2018', 'id': 962893466098388992, 'text': 'RT @YarmolukDan: Google is now using #MachineLearning to predict flight delays https://t.co/PcBKloGFpg #Bitcoin #Ethereum #Cryptocurrency #…', 'user.screen_name': 'SteakUtsee'}, {'created_at': 'Mon Feb 12 03:37:46 +0000 2018', 'id': 962893463988547584, 'text': 'RT @BankXRP: A potential Amazon cryptocurrency exchange: Everyone is wondering about this move (AMZN)\n\nhttps://t.co/IzKqe5KnD6\n\n #Ripple #X…', 'user.screen_name': 'pollawit2515'}, {'created_at': 'Mon Feb 12 03:37:44 +0000 2018', 'id': 962893458976501760, 'text': '@vergecurrency @CryptoEmporium_ Love it', 'user.screen_name': 'rick_bitcoin'}, {'created_at': 'Mon Feb 12 03:37:44 +0000 2018', 'id': 962893458699702272, 'text': 'After Bitcoin craze, Swedish investors succumb to reefer stock madness https://t.co/BDyDCZotvu', 'user.screen_name': 'beritsubunkoro'}, {'created_at': 'Mon Feb 12 03:37:44 +0000 2018', 'id': 962893456887730176, 'text': 'RT @derekmagill: Bitcoin Core does not have a "proven track record." We have absolutely no proof that a high fee coin that sometimes takes…', 'user.screen_name': 'accretionist'}, {'created_at': 'Mon Feb 12 03:37:43 +0000 2018', 'id': 962893453691629570, 'text': '@LukeDashjr @LuckDragon69 @WeathermanIam @maxkeisor @mecampbellsoup @mikeinspace @derose @georgevaccaro… https://t.co/1hNh8tnc5U', 'user.screen_name': 'DanielKrawisz'}, {'created_at': 'Mon Feb 12 03:37:42 +0000 2018', 'id': 962893448067076096, 'text': 'RT @Quantstamp: "The market for software, services and hardware to secure blockchain activity should grow to $355 billion as the digital ec…', 'user.screen_name': 'simone_franzi'}, {'created_at': 'Mon Feb 12 03:37:40 +0000 2018', 'id': 962893439745523717, 'text': 'RT @IsaFX_Trading: #GIVEAWAY of 0.20BTC simply follow, retweet & comment your BTC add \n10 Winners will be picked randomly among all RTs on…', 'user.screen_name': 'maxitremblay'}, {'created_at': 'Mon Feb 12 03:37:40 +0000 2018', 'id': 962893439200309253, 'text': 'RT @BTCTN: Roles of Regulators Decided in India, Rules on Bitcoin Coming Soon https://t.co/qEUx4TDs34 #Bitcoin https://t.co/Fnj9A3pBvn', 'user.screen_name': 'TheCryptoInvest'}, {'created_at': 'Mon Feb 12 03:37:39 +0000 2018', 'id': 962893437132472320, 'text': 'Bitcoin Snaps Slide as Crypto Markets Dodge Push for Regulation https://t.co/YNxRJs88vi', 'user.screen_name': 'betsuorutozai'}, {'created_at': 'Mon Feb 12 03:37:39 +0000 2018', 'id': 962893434213167105, 'text': 'RT @jblefevre60: 10 benefits of #CloudComputing?\n\n#DataScience #Bigdata #IoT #CIO #blockchain #fintech #Deeplearning #Cloud #Bitcoin #Disru…', 'user.screen_name': 'michellezaftig'}, {'created_at': 'Mon Feb 12 03:37:38 +0000 2018', 'id': 962893433458348032, 'text': 'RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.…', 'user.screen_name': 'queenymom'}, {'created_at': 'Mon Feb 12 03:37:38 +0000 2018', 'id': 962893432179093504, 'text': 'Millennials are afraid stocks are too risky, so they’re investing in bitcoin https://t.co/E9a7uq2B8B', 'user.screen_name': 'rainonyakui'}, {'created_at': 'Mon Feb 12 03:37:38 +0000 2018', 'id': 962893431151489024, 'text': 'RT @YarmolukDan: Google is now using #MachineLearning to predict flight delays https://t.co/PcBKloGFpg #Bitcoin #Ethereum #Cryptocurrency #…', 'user.screen_name': 'DavidHardacre7'}, {'created_at': 'Mon Feb 12 03:37:38 +0000 2018', 'id': 962893429939187713, 'text': '@SeatacBCH @AlexPickard @toomuch72 So, theoretically, if someone found a way to mine Bitcoin using 1/100th the ener… https://t.co/PB2ptZH3JT', 'user.screen_name': 'perplextus'}, {'created_at': 'Mon Feb 12 03:37:37 +0000 2018', 'id': 962893429607948289, 'text': 'RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience…', 'user.screen_name': 'JimRHenson'}, {'created_at': 'Mon Feb 12 03:37:37 +0000 2018', 'id': 962893428190318598, 'text': 'Demystifying blockchain and Bitcoin https://t.co/rEmJhUexdJ', 'user.screen_name': 'denkomufuritsu'}, {'created_at': 'Mon Feb 12 03:37:37 +0000 2018', 'id': 962893425988292608, 'text': 'Bitcoin Price Analysis - Regulators warm to cryptocurrencies » Brave New Coin https://t.co/QzjcQBhOjo', 'user.screen_name': 'yugamiyokosasa'}, {'created_at': 'Mon Feb 12 03:37:35 +0000 2018', 'id': 962893419377934337, 'text': 'RT @giveawaysBTC: 7000 Follower Giveaway\n\nPrize: .5BTC (1 Winner)\n\nTo enter retweet, like, and follow!\n\n#btc #bitcoin #crypto #cryptocurren…', 'user.screen_name': 'NicaBertPO'}, {'created_at': 'Mon Feb 12 03:37:35 +0000 2018', 'id': 962893417352192000, 'text': 'RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience…', 'user.screen_name': 'BenNatureAddict'}, {'created_at': 'Mon Feb 12 03:37:34 +0000 2018', 'id': 962893416584560640, 'text': 'RT @wheelswordsmith: while she never actually wrote it into the books jk rowling has confirmed that draco malfoy was a libertarian vape ent…', 'user.screen_name': 'kris_collinson'}, {'created_at': 'Mon Feb 12 03:37:34 +0000 2018', 'id': 962893415548702721, 'text': 'RT @ArminVanBitcoin: U.S. Senate passes bill allowing Arizona citizens to pay their taxes in #bitcoin. \n\nhttps://t.co/a5IyFflU6u', 'user.screen_name': '8itpreneur'}, {'created_at': 'Mon Feb 12 03:37:32 +0000 2018', 'id': 962893407248158721, 'text': 'RT @YarmolukDan: Google is now using #MachineLearning to predict flight delays https://t.co/PcBKloGFpg #Bitcoin #Ethereum #Cryptocurrency #…', 'user.screen_name': 'AudreyPullman5'}, {'created_at': 'Mon Feb 12 03:37:32 +0000 2018', 'id': 962893405301936129, 'text': 'RT @YarmolukDan: Google is now using #MachineLearning to predict flight delays https://t.co/PcBKloGFpg #Bitcoin #Ethereum #Cryptocurrency #…', 'user.screen_name': 'SamKelly63'}, {'created_at': 'Mon Feb 12 03:37:31 +0000 2018', 'id': 962893404072898561, 'text': 'RT @gramcointoken: TWO winner Thursday! (2x) Winners of .1BTC \n\nLike, Retweet, and Follow to enter!\n\n#btc #bitcoin #bitcoins #crypto #crypt…', 'user.screen_name': 'burtjeffersonp'}, {'created_at': 'Mon Feb 12 03:37:31 +0000 2018', 'id': 962893403540328448, 'text': 'No shock there. Only an idiot would do something illegal with bitcoin and leave a record of the transaction for th… https://t.co/vsw3MUFunQ', 'user.screen_name': 'bkunzi01'}, {'created_at': 'Mon Feb 12 03:37:31 +0000 2018', 'id': 962893400985960448, 'text': 'RT @zerohedge: We have officially gone from "Bitcoin is a fraud" to "cryptocurrencies could potentially have a role in diversifying one’s g…', 'user.screen_name': 'MinorJewrley'}, {'created_at': 'Mon Feb 12 03:37:29 +0000 2018', 'id': 962893395709456384, 'text': 'RT @willcole: Read this proto-money paper by @NickSzabo4 in 2012. Despite it not mentioning Bitcoin (it was originally published in 2002 a…', 'user.screen_name': '_ritviksingh'}, {'created_at': 'Mon Feb 12 03:37:29 +0000 2018', 'id': 962893393994178560, 'text': 'RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.…', 'user.screen_name': 'BouviesMom'}, {'created_at': 'Mon Feb 12 03:37:29 +0000 2018', 'id': 962893392328970240, 'text': 'RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.…', 'user.screen_name': 'rmsitz'}, {'created_at': 'Mon Feb 12 03:37:28 +0000 2018', 'id': 962893389879562240, 'text': 'RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience…', 'user.screen_name': 'mustardmary7'}, {'created_at': 'Mon Feb 12 03:37:28 +0000 2018', 'id': 962893388528877568, 'text': 'RT @YarmolukDan: Google is now using #MachineLearning to predict flight delays https://t.co/PcBKloGFpg #Bitcoin #Ethereum #Cryptocurrency #…', 'user.screen_name': 'JenniferAlsop7'}, {'created_at': 'Mon Feb 12 03:37:27 +0000 2018', 'id': 962893387690053632, 'text': 'Bitcoin $BTC price is: $8525.63 \n\nBinance is TEMPORARILY accepting new users! GO! \ud83e\udd14 \ud83e\udd11 \n\n➡️ https://t.co/YXpzwakZF7… https://t.co/CzexdIoUzp', 'user.screen_name': 'RoboJenron'}, {'created_at': 'Mon Feb 12 03:37:27 +0000 2018', 'id': 962893387622838272, 'text': "RT @BitcoinWrld: JPM: 'cryptocurrencies could potentially have a role in diversifying one’s global bond and equity portfolio. Someone is ge…", 'user.screen_name': 'SOCIALCURRENCIE'}, {'created_at': 'Mon Feb 12 03:37:27 +0000 2018', 'id': 962893387291533313, 'text': 'U.K. government sites helping run scripts that mine crypto #Cryptocurrency #Bitcoin #Hacked #CyberSecurity… https://t.co/zgZmRigYVQ', 'user.screen_name': 'Inverselogic'}, {'created_at': 'Mon Feb 12 03:37:27 +0000 2018', 'id': 962893387287347201, 'text': 'RT @CyberDomain: Israeli intelligence has embarked on the most widespread cyber esp https://t.co/lo9xYcLs6d #Cybersecurity #Bitcoin https:/…', 'user.screen_name': 'saraswati_79'}, {'created_at': 'Mon Feb 12 03:37:27 +0000 2018', 'id': 962893386658340865, 'text': 'RT @Remi_Vladuceanu: What Is Emercoin? https://t.co/S2CY9v8Bef \n#newsoftheweek #Bitcoin #blockchain #crypto #cryptocurrency #news https://t…', 'user.screen_name': 'quantumlucy'}, {'created_at': 'Mon Feb 12 03:37:27 +0000 2018', 'id': 962893386431819776, 'text': 'RT @JamesFourM: @LincolnsBible @Eiggam5955 @KellyannePolls "A yearlong Senate investigation found that American buyers of the illegal drugs…', 'user.screen_name': 'gardengirlove'}, {'created_at': 'Mon Feb 12 03:37:27 +0000 2018', 'id': 962893384770834432, 'text': 'RT @YarmolukDan: Google is now using #MachineLearning to predict flight delays https://t.co/PcBKloGFpg #Bitcoin #Ethereum #Cryptocurrency #…', 'user.screen_name': 'VictorSmith67'}, {'created_at': 'Mon Feb 12 03:37:26 +0000 2018', 'id': 962893382086529025, 'text': 'RT @BTCTN: THIS WEEK IN BITCOIN | Subscribe on iTunes https://t.co/ftOqgh43Q4 The most important news in the Bitcoin world, delivered in ju…', 'user.screen_name': 'TheCryptoInvest'}, {'created_at': 'Mon Feb 12 03:37:25 +0000 2018', 'id': 962893379389542400, 'text': 'March Holiday Programs and What Students Can Learn From Bitcoin - https://t.co/TCH5xdCuRh', 'user.screen_name': 'BrightCulture'}, {'created_at': 'Mon Feb 12 03:37:25 +0000 2018', 'id': 962893376386486272, 'text': 'RT @YarmolukDan: Google is now using #MachineLearning to predict flight delays https://t.co/PcBKloGFpg #Bitcoin #Ethereum #Cryptocurrency #…', 'user.screen_name': 'JacobGrant31'}, {'created_at': 'Mon Feb 12 03:37:25 +0000 2018', 'id': 962893375216201728, 'text': 'The 1 Bitcoin Show- Bprivate momentum? Ethereum, Bgold, phone storage th... https://t.co/onnl8chEKy via @YouTube', 'user.screen_name': 'TempestEikyuu'}, {'created_at': 'Mon Feb 12 03:37:24 +0000 2018', 'id': 962893372863143936, 'text': "Some hackers have tied string to a bitcoin and I'm running through cyberspace trying to catch while they pull it aw… https://t.co/zn1oEW8uFY", 'user.screen_name': 'cashbonez'}, {'created_at': 'Mon Feb 12 03:37:24 +0000 2018', 'id': 962893371789295616, 'text': 'How to make money mining bitcoin and other cryptocurrencies without knowing anything about it… https://t.co/YnrWMupszI', 'user.screen_name': 'startupcrunch'}, {'created_at': 'Mon Feb 12 03:37:23 +0000 2018', 'id': 962893369121767424, 'text': 'RT @zerohedge: We have officially gone from "Bitcoin is a fraud" to "cryptocurrencies could potentially have a role in diversifying one’s g…', 'user.screen_name': 'arrington'}, {'created_at': 'Mon Feb 12 03:37:23 +0000 2018', 'id': 962893368035393536, 'text': 'RT @giveawaysBTC: 7000 Follower Giveaway\n\nPrize: .5BTC (1 Winner)\n\nTo enter retweet, like, and follow!\n\n#btc #bitcoin #crypto #cryptocurren…', 'user.screen_name': 'ALFzie'}, {'created_at': 'Mon Feb 12 03:37:22 +0000 2018', 'id': 962893366269759489, 'text': 'RT @kickcity_io: Our KickCity Explainer Video is out. The video provides the details of our product in less than 3 mins. Watch and let us k…', 'user.screen_name': 'nezumenorasei'}, {'created_at': 'Mon Feb 12 03:37:22 +0000 2018', 'id': 962893365879730177, 'text': 'RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience…', 'user.screen_name': 'WandererMegan'}, {'created_at': 'Mon Feb 12 03:37:22 +0000 2018', 'id': 962893363606253568, 'text': 'Show me the money. In Episode 2 of Giftcoin: The Launch, how do you go about disrupting a half trillion dollar sec… https://t.co/2tl8xKKDSC', 'user.screen_name': 'bitcoin_army'}, {'created_at': 'Mon Feb 12 03:37:22 +0000 2018', 'id': 962893362977296385, 'text': 'RT @BTCTN: Republican Candidate Austin Petersen Accepts the Largest Campaign Contribution Paid in BTC https://t.co/13LXmgh21K #Bitcoin http…', 'user.screen_name': 'TheCryptoInvest'}, {'created_at': 'Mon Feb 12 03:37:21 +0000 2018', 'id': 962893360699654144, 'text': 'RT @The1000pClub: ATH (Athenian Warrior Token) is really picking up on Cryptopia. The whole market is bleeding and still can’t stop this co…', 'user.screen_name': 'Caplan2990'}, {'created_at': 'Mon Feb 12 03:37:21 +0000 2018', 'id': 962893358740967426, 'text': 'RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience…', 'user.screen_name': 'Alexia_Lavoie'}, {'created_at': 'Mon Feb 12 03:37:20 +0000 2018', 'id': 962893355024830464, 'text': 'RT @YarmolukDan: Google is now using #MachineLearning to predict flight delays https://t.co/PcBKloGFpg #Bitcoin #Ethereum #Cryptocurrency #…', 'user.screen_name': 'PaulRees45'}, {'created_at': 'Mon Feb 12 03:37:20 +0000 2018', 'id': 962893354316062720, 'text': 'RT @Remi_Vladuceanu: XRP Price Surges to $1.20 Thanks to Solid 50% Overnight Gain https://t.co/hWD9yAO2jV \n#newsoftheweek #Bitcoin #blockch…', 'user.screen_name': 'quantumlucy'}, {'created_at': 'Mon Feb 12 03:37:19 +0000 2018', 'id': 962893354198593537, 'text': 'Bitcoin clawed its way back from the four-month low of $5,922 it touched on Tuesday. https://t.co/oqcWczaVVz via @BloombergQuint', 'user.screen_name': 'wisejayofficial'}, {'created_at': 'Mon Feb 12 03:37:19 +0000 2018', 'id': 962893352202104833, 'text': 'What Is Emercoin? https://t.co/S2CY9v8Bef \n#newsoftheweek #Bitcoin #blockchain #crypto #cryptocurrency #news https://t.co/Zp21McZzMy', 'user.screen_name': 'Remi_Vladuceanu'}, {'created_at': 'Mon Feb 12 03:37:19 +0000 2018', 'id': 962893350662758400, 'text': 'RT @YarmolukDan: Google is now using #MachineLearning to predict flight delays https://t.co/PcBKloGFpg #Bitcoin #Ethereum #Cryptocurrency #…', 'user.screen_name': 'StevenDavidso3'}, {'created_at': 'Mon Feb 12 03:37:19 +0000 2018', 'id': 962893350172020736, 'text': 'RT @zerohedge: We have officially gone from "Bitcoin is a fraud" to "cryptocurrencies could potentially have a role in diversifying one’s g…', 'user.screen_name': 'boxing1111'}, {'created_at': 'Mon Feb 12 03:37:18 +0000 2018', 'id': 962893349878317061, 'text': "Massive Coincheck heist fails to curb Japan's enthusiasm for Bitcoin and other cryptocurrencies… https://t.co/SksHMUb4Bz", 'user.screen_name': 'startupcrunch'}, {'created_at': 'Mon Feb 12 03:37:18 +0000 2018', 'id': 962893347290574849, 'text': 'RT @singhal_harsh: Doing 100 $XRP giveaway in 2 days!\n5 lucky winners will win.\n\nTo enter:\n1. RETWEET AND LIKE THIS \n2. FOLLOW ME\n\n$BTC #cr…', 'user.screen_name': 'smith_sm1th'}, {'created_at': 'Mon Feb 12 03:37:18 +0000 2018', 'id': 962893346682241024, 'text': 'RT @ReutersUK: U.S., UK government websites infected with crypto-mining malware - report https://t.co/mNR9eZ95BT https://t.co/4774GvtCIg', 'user.screen_name': 'Gyggy'}, {'created_at': 'Mon Feb 12 03:37:17 +0000 2018', 'id': 962893342651703296, 'text': 'Bitcoin Price Analysis: Bearish Continuation Pattern Could Signal End of Bullish Rally https://t.co/9arlfXrMqn', 'user.screen_name': 'peirokukazen'}, {'created_at': 'Mon Feb 12 03:37:17 +0000 2018', 'id': 962893342366470145, 'text': 'RT @YarmolukDan: Google is now using #MachineLearning to predict flight delays https://t.co/PcBKloGFpg #Bitcoin #Ethereum #Cryptocurrency #…', 'user.screen_name': 'BellaRoberts181'}, {'created_at': 'Mon Feb 12 03:37:16 +0000 2018', 'id': 962893340193804290, 'text': '@rogerkver Stop spreading #FUD! $BTC is #Bitcoin and don’t forget #LightningNetwork \ud83d\ude0e', 'user.screen_name': 'KnightCrypto'}, {'created_at': 'Mon Feb 12 03:37:16 +0000 2018', 'id': 962893337744281600, 'text': 'RT @SecurityNews: https://t.co/kS2bV6fSqa : Bitcoin MLM Software 1.0.2 Cross Site Scripting https://t.co/oT9JuGJMB9', 'user.screen_name': 'bitclubbitcoin'}, {'created_at': 'Mon Feb 12 03:37:15 +0000 2018', 'id': 962893337220001793, 'text': 'RT @davidgokhshtein: Update: $BTC — why you not dip yet? #Cryptos #crypto #bitcoin #cryptonews #cryptosignals #cryptomamba #HODLgang https:…', 'user.screen_name': 'JWill954'}, {'created_at': 'Mon Feb 12 03:37:15 +0000 2018', 'id': 962893334946738176, 'text': 'Bitcoin Price Technical Analysis for 02/12/2018 – Make or Break Level https://t.co/P14Y4J40so\n\nBitcoin Price Key Hi… https://t.co/wqYqiwXC3S', 'user.screen_name': 'abrahammia01'}, {'created_at': 'Mon Feb 12 03:37:14 +0000 2018', 'id': 962893330148446208, 'text': "RT @Coin_Source: Coinsource leading the way as the World's Largest #BitcoinATM Operator offering the industry's lowest rates, exclusive fee…", 'user.screen_name': 'lionbitcoin'}, {'created_at': 'Mon Feb 12 03:37:12 +0000 2018', 'id': 962893324565622785, 'text': 'Bitcoin steady as cryptocurrencies take a back seat to the stock market for another session https://t.co/5qNeAkCvDD… https://t.co/sjLQLEVdcM', 'user.screen_name': 'startupcrunch'}, {'created_at': 'Mon Feb 12 03:37:12 +0000 2018', 'id': 962893324427313152, 'text': 'RT @CryptoKang: Big step for $CRYPTO adoption, thanks @coinbase. (Notice Bitcoin Cash is the first option)\ud83d\ude0a https://t.co/tWBYp4Bgms', 'user.screen_name': 'uruururiri'}, {'created_at': 'Mon Feb 12 03:37:12 +0000 2018', 'id': 962893323152363525, 'text': '@paulvlad34 @CryptoCoinNewz You will have to buy Bitcoin or Ethereum(Eth has lower transaction fees) on Coinbase an… https://t.co/q60jGpMAVU', 'user.screen_name': 'Hola12373621876'}, {'created_at': 'Mon Feb 12 03:37:12 +0000 2018', 'id': 962893322351267840, 'text': "$UBQ is currently so undervalued\nThe real ones know #UBIQ 's potential.\n \n#ubq #ubiq #cryptocurrency #bitcoin $ubq $ubiq @ubiqsmart", 'user.screen_name': 'CryptoKarn'}, {'created_at': 'Mon Feb 12 03:37:12 +0000 2018', 'id': 962893322204405760, 'text': 'Feds Seize $4.7 Million in Bitcoins in Fake ID Sting https://t.co/Kxt8bknIaG \n#newsoftheweek #Bitcoin #blockchain… https://t.co/8gTJWpY7Bd', 'user.screen_name': 'Remi_Vladuceanu'}, {'created_at': 'Mon Feb 12 03:37:12 +0000 2018', 'id': 962893321965219840, 'text': 'RT @CryptoMarauder: If you need some perspective on the general direction of $BTC... Read this AWESOME technical analysis by LewisGlasgow o…', 'user.screen_name': 'parabolicpam'}, {'created_at': 'Mon Feb 12 03:37:12 +0000 2018', 'id': 962893320795062272, 'text': 'RT @BitcoinEdu: Give a modest amount of bitcoin to new colleagues and explain how it operates, then assist them get secure to spend it for…', 'user.screen_name': 'ScKae007'}, {'created_at': 'Mon Feb 12 03:37:11 +0000 2018', 'id': 962893317418622977, 'text': 'Let government money compete with cryptocurrencies https://t.co/zRL5aBbrAk #crypto https://t.co/8beML1ZdMG', 'user.screen_name': 'startupcrunch'}, {'created_at': 'Mon Feb 12 03:37:10 +0000 2018', 'id': 962893315908755456, 'text': 'RT @CryptoBoomNews: Do you panic sell or buy more? #cryptocurrency #bitcoin #crypto https://t.co/dNfHh2GO1h', 'user.screen_name': 'rexsanders2010'}, {'created_at': 'Mon Feb 12 03:37:10 +0000 2018', 'id': 962893312574271489, 'text': 'Oil company announces to sell Bitcoin ATMs to Casinos, Stocks Shoot 60% https://t.co/QzKLX5UxM2 #technology', 'user.screen_name': 'SGBmedia'}, {'created_at': 'Mon Feb 12 03:37:09 +0000 2018', 'id': 962893311139659776, 'text': 'RT @zerohedge: We have officially gone from "Bitcoin is a fraud" to "cryptocurrencies could potentially have a role in diversifying one’s g…', 'user.screen_name': 'hedging_reality'}, {'created_at': 'Mon Feb 12 03:37:09 +0000 2018', 'id': 962893308186931201, 'text': 'CRYPTO ⭕ Bitcoin Plus (XBC) Hits Market Cap of $7.03 Million https://t.co/lhHVftuX0h \ud83d\ude80 HowToBuy BTS via → https://t.co/ezGO5ULdtG', 'user.screen_name': 'PennyStocksMomo'}, {'created_at': 'Mon Feb 12 03:37:08 +0000 2018', 'id': 962893306609917952, 'text': 'CRYPTO ⭕ Bitcoin Atom Trading 12.9% Higher This Week (BCA) https://t.co/E0k8WVbu3A \ud83d\ude80 HowToBuy BTS via → https://t.co/ezGO5ULdtG', 'user.screen_name': 'PennyStocksMomo'}, {'created_at': 'Mon Feb 12 03:37:06 +0000 2018', 'id': 962893296774168577, 'text': '#Bitcoin #bitcoin #iceland #mining Iceland May Implement Bitcoin Mining Tax Due to Energy Consumption… https://t.co/PDwTA7M7td', 'user.screen_name': 'BtcFastFree'}, {'created_at': 'Mon Feb 12 03:37:06 +0000 2018', 'id': 962893296589787137, 'text': 'Bitcoin Price Technical Analysis for 02/12/2018 – Make or Break Level https://t.co/CDyfrbyBuK #bitcoin', 'user.screen_name': 'BitcoinBolt'}, {'created_at': 'Mon Feb 12 03:37:06 +0000 2018', 'id': 962893295587229696, 'text': 'RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.…', 'user.screen_name': 'jamaicatouch'}, {'created_at': 'Mon Feb 12 03:37:00 +0000 2018', 'id': 962893274213240832, 'text': 'RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.…', 'user.screen_name': 'tinadsm'}, {'created_at': 'Mon Feb 12 03:37:00 +0000 2018', 'id': 962893273990909953, 'text': 'RT @CryptoBoomNews: Do you panic sell or buy more? #cryptocurrency #bitcoin #crypto https://t.co/dNfHh2GO1h', 'user.screen_name': 'AnimePumps'}, {'created_at': 'Mon Feb 12 03:37:00 +0000 2018', 'id': 962893273726566400, 'text': 'RT @IsaFX_Trading: #GIVEAWAY of 0.20BTC simply follow, retweet & comment your BTC add 10 Winners will be picked randomly among all RTs on…', 'user.screen_name': 'cryptoabhi1809'}, {'created_at': 'Mon Feb 12 03:37:00 +0000 2018', 'id': 962893272648568833, 'text': 'RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.…', 'user.screen_name': 'eodelt81'}, {'created_at': 'Mon Feb 12 03:36:59 +0000 2018', 'id': 962893266550075392, 'text': 'RT @zerohedge: We have officially gone from "Bitcoin is a fraud" to "cryptocurrencies could potentially have a role in diversifying one’s g…', 'user.screen_name': 'moniology'}, {'created_at': 'Mon Feb 12 03:36:59 +0000 2018', 'id': 962893266461933568, 'text': "RT @aantonop: While the banks are busy building their permissioned private 'Bubble Boy' blockchains, #Bitcoin has survived more than nine y…", 'user.screen_name': 'kydyzyx'}, {'created_at': 'Mon Feb 12 03:36:58 +0000 2018', 'id': 962893265157677056, 'text': 'RT @BTCTN: Japan’s DMM Launches Large-Scale Domestic Cryptocurrency Mining Farm and Showroom https://t.co/VDXzFOSt3f #Bitcoin https://t.co/…', 'user.screen_name': 'TheCryptoInvest'}, {'created_at': 'Mon Feb 12 03:36:58 +0000 2018', 'id': 962893263991705600, 'text': 'I liked a @YouTube video https://t.co/WXRQKxAc5a The 1 Bitcoin Show- Bprivate momentum? Ethereum, Bgold, phone storage thoughts, the', 'user.screen_name': 'BiGChinGSdotCOM'}, {'created_at': 'Mon Feb 12 03:36:58 +0000 2018', 'id': 962893262997438464, 'text': 'RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.…', 'user.screen_name': 'irishgilly'}, {'created_at': 'Mon Feb 12 03:36:56 +0000 2018', 'id': 962893256857137152, 'text': 'RT @RiconaOfficial: Countdown for the #ICO launch Begins...\nDate of Launch: 11th Feb 2018\nRegister now: https://t.co/elfHgHCDZ3\n#upcomingic…', 'user.screen_name': 'Vrabac68'}, {'created_at': 'Mon Feb 12 03:36:56 +0000 2018', 'id': 962893254491561985, 'text': 'RT @ElixiumCrypto: Phat #Bitcoin Loot & Sick Gainz Are Now Available Exclusively @\n\nhttps://t.co/xVmu7aXO64\n\n✅ Up To 100x Leverage!\n✅ Easy…', 'user.screen_name': 'clemens_twain'}, {'created_at': 'Mon Feb 12 03:36:53 +0000 2018', 'id': 962893244081287169, 'text': 'RT @ATEKAssetScan: #BigData Comes to Dieting https://t.co/G3PsUrtdlt #Bitcoin #Ethereum #Cryptocurrency #Blockchain #Altcoins #DataScience…', 'user.screen_name': 'GeekJimiLee'}, {'created_at': 'Mon Feb 12 03:36:51 +0000 2018', 'id': 962893235067785216, 'text': 'RT @BTCTN: Coingeek Launches £5 Million Bitcoin Cash Tokenization Contest https://t.co/tSaVae5RQj #Bitcoin https://t.co/qBnpdJvCj5', 'user.screen_name': 'TheCryptoInvest'}, {'created_at': 'Mon Feb 12 03:36:50 +0000 2018', 'id': 962893228671488000, 'text': '@Hhazardless I accept bitcoin, paypal, Moneygram, cash on arrival or Western Union', 'user.screen_name': 'luke_smiff'}, {'created_at': 'Mon Feb 12 03:36:50 +0000 2018', 'id': 962893228470161408, 'text': 'RT @DigitalKeith: Every 60 sec on #Internet.\n#DigitalMarketing #InternetMarketing #SocialMedia #SEO #SMM #Mpgvip #defstar5 #BigData #bitcoi…', 'user.screen_name': 'pangamabeitsu'}, {'created_at': 'Mon Feb 12 03:36:49 +0000 2018', 'id': 962893227815616517, 'text': "RT @iamjosephyoung: Oh wait, so bitcoin wasn't for criminals after all?\n\nNope. Banks are the safe haven for money launderers and criminals.…", 'user.screen_name': 'JakerSor21'}, {'created_at': 'Mon Feb 12 03:36:47 +0000 2018', 'id': 962893218906910720, 'text': 'RT @giveawaysBTC: 7000 Follower Giveaway\n\nPrize: .5BTC (1 Winner)\n\nTo enter retweet, like, and follow!\n\n#btc #bitcoin #crypto #cryptocurren…', 'user.screen_name': 'fanney_aketch'}, {'created_at': 'Mon Feb 12 03:36:47 +0000 2018', 'id': 962893218647105536, 'text': 'RT @davidamesoregan: This can be done on telegram...\n\ud83e\udd14\nInterested in litecoin, take a look at this great opportunity...\n\ud83e\udd14\ud83e\udd14\ud83e\udd14\niCenter Lite Bo…', 'user.screen_name': 'davidamesoregan'}, {'created_at': 'Mon Feb 12 03:36:46 +0000 2018', 'id': 962893214821896192, 'text': 'RT @FatBTC: ReTweet To Vote, show the COMMUNITY POWER of your coin:\n\nStep 1: Follow @FatBTC on Twitter\nStep 2: Retweet this post for @bitco…', 'user.screen_name': 'mosplus27'}, {'created_at': 'Mon Feb 12 03:36:42 +0000 2018', 'id': 962893198514323456, 'text': 'RT @notgrubles: You are technically proficient and want to run a #Bitcoin Lightning Network node to improve decentralization and maybe earn…', 'user.screen_name': 'notgrubles'}, {'created_at': 'Mon Feb 12 03:36:42 +0000 2018', 'id': 962893196228513792, 'text': 'RT @FupoofCoin: Retweet to earn 200 fupoofcoin.Need a min of a 1000 twitter followers .Comment waves address to get paid To hell with payp…', 'user.screen_name': 'CryptoBisma'}, {'created_at': 'Mon Feb 12 03:36:41 +0000 2018', 'id': 962893193573552128, 'text': 'Bitcoin SURGE: Cryptocurrency could reward investors and hit $25,000 THIS YEAR THE NEWS - GROUP OF WORLD -… https://t.co/FkkG6EpmoQ', 'user.screen_name': 'newsgwcom'}, {'created_at': 'Mon Feb 12 03:36:41 +0000 2018', 'id': 962893191019024384, 'text': "RT @HotCryptoCoins: Check it out!\nWe're giving away 2500 Stellar XLM to a lucky follower when we reach 5k followers!\nTo Enter to WIN you mu…", 'user.screen_name': 'tunmyintaung'}, {'created_at': 'Mon Feb 12 03:36:41 +0000 2018', 'id': 962893190691991552, 'text': 'Will #Bitcoin Crash to Zero? Yes, Says Dr. Doom Calling Bitcoin th… #Blockchain #News The post Will Bitcoin Crash t… https://t.co/eUUXSuAi89', 'user.screen_name': 'shopseasonal'}, {'created_at': 'Mon Feb 12 03:36:38 +0000 2018', 'id': 962893181825273856, 'text': 'RT @PhilakoneCrypto: Please see this 3 minute tip that will drastically improve your shorting game with a 10 minute live trade for $90 prof…', 'user.screen_name': 'itscryptorick'}, {'created_at': 'Mon Feb 12 03:36:37 +0000 2018', 'id': 962893175672188930, 'text': 'RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.…', 'user.screen_name': 'good_wifey'}, {'created_at': 'Mon Feb 12 03:36:37 +0000 2018', 'id': 962893175160422400, 'text': 'RT @Landm_Marius: BITCOIN UPDATE:\nCrypto Friends - There is a new UPDATE on website - FREE to Crypto Friends.\n\nI give you the date the STOC…', 'user.screen_name': 'Landm_Marius'}, {'created_at': 'Mon Feb 12 03:36:30 +0000 2018', 'id': 962893147570393089, 'text': 'RT @WeAreYourBlock: YourBlock Bounty Campaign now Live https://t.co/CGrgymVBpL\n#bountyprogram #Bounty #TokenSale #ICOs #ICO #blockchain #we…', 'user.screen_name': 'Alvar0_Terra'}, {'created_at': 'Mon Feb 12 03:36:30 +0000 2018', 'id': 962893147159257088, 'text': 'RT @Freetoken_: 1 $ETH giveaway \n\nJoin https://t.co/eu3dZmPrX0\n\nRETWEET+ Follow to participate \n\nWinner will be announced the 15st of Febru…', 'user.screen_name': 'MrinalShrivast5'}, {'created_at': 'Mon Feb 12 03:36:28 +0000 2018', 'id': 962893139559243776, 'text': 'RT @bitcoin_token: #BTKtotheMoon #Giveaway of 59,999 $BTK \nThere will be 250 winners [rules]\n1) Follow > @fatbtc AND @bitcoin_token\n2) ReT…', 'user.screen_name': 'mosplus27'}, {'created_at': 'Mon Feb 12 03:36:28 +0000 2018', 'id': 962893137948610560, 'text': 'RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.…', 'user.screen_name': 'bluesolitaire'}, {'created_at': 'Mon Feb 12 03:36:25 +0000 2018', 'id': 962893127731179520, 'text': 'RT @PeterSchiff: Ivan on Tech debates Peter Schiff - Bitcoin vs Gold, US Dollar Crash https://t.co/fpBeHPA01s via @YouTube', 'user.screen_name': 'LuisKAP5'}, {'created_at': 'Mon Feb 12 03:36:23 +0000 2018', 'id': 962893116251561984, 'text': 'RT @ok_appy: What #digital money really means for our #future... https://t.co/bYxwQshzUc #cryptocurrency #blockchain', 'user.screen_name': 'creative_safari'}, {'created_at': 'Mon Feb 12 03:36:21 +0000 2018', 'id': 962893108118618112, 'text': 'RT @Lochm1807: ⛏️ 1 BITCOIN GIVEAWAY ⛏️\n\ud83d\udcb5 8000$ WORTH OF BITCOINS \ud83d\udcb5\n\ud83d\udcdd LIKE, RT & FOLLOW TO ENTER \ud83d\udcdd\n\ud83d\udd12 ENDS AT 500 RETWEE…', 'user.screen_name': 'agparkoreman'}, {'created_at': 'Mon Feb 12 03:36:19 +0000 2018', 'id': 962893102406025216, 'text': 'RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.…', 'user.screen_name': 'msallen2u'}, {'created_at': 'Mon Feb 12 03:36:18 +0000 2018', 'id': 962893097721049088, 'text': 'RT @giftzcard: Learn more at https://t.co/IghWOoy46H #blockchain #bitcoin #ico #tokensale https://t.co/331AzPs3KU', 'user.screen_name': 'EnlightenedCole'}, {'created_at': 'Mon Feb 12 03:36:18 +0000 2018', 'id': 962893097008066560, 'text': 'You, proletariat: Fuck crypto. \n\nJP Morgan, bank: https://t.co/tmcqRrrAsZ', 'user.screen_name': 'Judetruth'}, {'created_at': 'Mon Feb 12 03:36:17 +0000 2018', 'id': 962893091165351938, 'text': 'RT @bitcoin_token: #BTKtotheMoon #Giveaway of 59,999 $BTK \nThere will be 250 winners [rules]\n1) Follow > @fatbtc AND @bitcoin_token\n2) ReT…', 'user.screen_name': 'Giftycrypto'}, {'created_at': 'Mon Feb 12 03:36:15 +0000 2018', 'id': 962893084920025090, 'text': 'RT @zerohedge: Bitcoin ETFs pending approval https://t.co/2dS9l4Ggsw', 'user.screen_name': 'provendirection'}, {'created_at': 'Mon Feb 12 03:36:14 +0000 2018', 'id': 962893080922873856, 'text': 'RT @Crypticsup: Cryptocurrency forecast for 10.02.2018\n\nhttps://t.co/LwPT4xW4ln\n\n#Cryptics #crowdsale #bitcoin #ico #Cryptocurrencies #cr…', 'user.screen_name': 'cefewefWhi'}, {'created_at': 'Mon Feb 12 03:36:14 +0000 2018', 'id': 962893079593259008, 'text': 'RT @krassenstein: America seems to have the most backwards president in a century, when we really need the most forward thinking President.…', 'user.screen_name': 'pedi_suzanne'}, {'created_at': 'Mon Feb 12 03:35:19 +0000 2018', 'id': 962892847136391169, 'text': 'Started in 2008 by a Yale & MIT grad who became an entrepreneur at age 10, 40Billion is... https://t.co/lXYCv3bORN', 'user.screen_name': '40Billion_com'}, {'created_at': 'Mon Feb 12 03:35:10 +0000 2018', 'id': 962892810234970112, 'text': 'Is tech dividing America? https://t.co/WT2JJD4UXV', 'user.screen_name': 'mirabellous'}, {'created_at': 'Mon Feb 12 03:35:08 +0000 2018', 'id': 962892802995744768, 'text': 'MIT Launches Initiative To Develop #ArtificialIntelligence That Learns Like Children | Edify #AI #IA #BigData https://t.co/h6UqjYMyXG', 'user.screen_name': 'nschaetti'}, {'created_at': 'Mon Feb 12 03:35:00 +0000 2018', 'id': 962892770431176710, 'text': 'RT @TraDove_ICO: Breakfast with our team, board member Gordon Kaufman, and Professor Emeritus from the MIT Sloan School of Management. Big…', 'user.screen_name': 'GoBracket'}, {'created_at': 'Mon Feb 12 03:34:43 +0000 2018', 'id': 962892698561732608, 'text': 'Annina Ucatis #hat harten Sex #mit #einem seiner Cousins #Inzest #xxx #hviaklqs https://t.co/0qxcF2hq7I', 'user.screen_name': 'Tanner538Tanner'}, {'created_at': 'Mon Feb 12 03:34:22 +0000 2018', 'id': 962892608887574529, 'text': 'RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a…', 'user.screen_name': 'RajivKm19'}, {'created_at': 'Mon Feb 12 03:33:07 +0000 2018', 'id': 962892294729777152, 'text': 'RT @BillAulet: .@jockowillink on fire at Brisbane MIT Global Entrepreneurship Bootcamp talking about #extremeleadership @MITBootcamps @QUT…', 'user.screen_name': 'Change_2020'}, {'created_at': 'Mon Feb 12 03:32:08 +0000 2018', 'id': 962892047362355200, 'text': 'https://t.co/kS2bV6fSqa : Eric Schmidt Lands at MIT To Help Answer Deep Questions https://t.co/Fdyq9d9rqm', 'user.screen_name': 'SecurityNews'}, {'created_at': 'Mon Feb 12 03:32:03 +0000 2018', 'id': 962892028697894914, 'text': 'Distinctive brain pattern helps habits form: Study identifies neurons that fire at the beginning and end of a behav… https://t.co/hAn38PZ6um', 'user.screen_name': 'BenZviGroup'}, {'created_at': 'Mon Feb 12 03:31:40 +0000 2018', 'id': 962891928730767360, 'text': "RT @MSFTImagine: Imagine a world with faster, cheaper #AI! @MIT researchers say we're closer to #computers that work like our brains: https…", 'user.screen_name': 'devfever'}, {'created_at': 'Mon Feb 12 03:31:29 +0000 2018', 'id': 962891884958973952, 'text': 'MIT Professor requires students to watch Black Mirror episodes to learn lessons for the future #BlackMirror… https://t.co/ajGA9CItvJ', 'user.screen_name': 'top10newsonline'}, {'created_at': 'Mon Feb 12 03:30:52 +0000 2018', 'id': 962891729799143424, 'text': 'RT @MITevents: Tomorrow: BetterMIT #Innovation Week: A week-long program promoting leadership, entrepreneurship, and action for a better fu…', 'user.screen_name': 'MIT_Innovation'}, {'created_at': 'Mon Feb 12 03:30:19 +0000 2018', 'id': 962891588597776384, 'text': '@FoxNews No Doubt that CROOK #TRUMP Not only sold 2RUSSIA but as well Sold 2 Oil&Gas, Weapons, Construction lobbies… https://t.co/NUjrAHX0EK', 'user.screen_name': 'annedelim'}, {'created_at': 'Mon Feb 12 03:30:07 +0000 2018', 'id': 962891542020132864, 'text': 'MIT Professor requires students to watch Black Mirror episodes to learn lessons for the future #BlackMirror… https://t.co/1AdUuBlqHB', 'user.screen_name': 'HealthRanger'}, {'created_at': 'Mon Feb 12 03:30:03 +0000 2018', 'id': 962891521782702081, 'text': "Trying to play in MPBA MIT and upcoming season.... 6'11 Sharp Athletic Finisher PF.... 91 overall, 32 badges.... st… https://t.co/vhzxhcNAFw", 'user.screen_name': 'djmadefx4'}, {'created_at': 'Mon Feb 12 03:30:01 +0000 2018', 'id': 962891516111933440, 'text': 'MIT Professor requires students to watch Black Mirror episodes to learn lessons for the future #BlackMirror… https://t.co/seX2RVnW0s', 'user.screen_name': 'RealNaturalNews'}, {'created_at': 'Mon Feb 12 03:29:15 +0000 2018', 'id': 962891320955228161, 'text': 'https://t.co/Tfh5hMLNIq Anyone know the computer science blogger who archived a chatroom discussion comparing Harva… https://t.co/iixpTFAKOq', 'user.screen_name': 'reddit4devs'}, {'created_at': 'Mon Feb 12 03:28:46 +0000 2018', 'id': 962891200771641344, 'text': 'RT @TheTastingBoard: Two MIT grads created an algorithm to reveal your cheese preferences. Take the quiz below to find yours for free! \n ht…', 'user.screen_name': 'JustOneVoice43'}, {'created_at': 'Mon Feb 12 03:28:39 +0000 2018', 'id': 962891173189754880, 'text': '@lesmis_mit hoooy follow back \ud83d\ude02', 'user.screen_name': 'MarkOdever'}, {'created_at': 'Mon Feb 12 03:28:34 +0000 2018', 'id': 962891151538663424, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'EricMackC'}, {'created_at': 'Mon Feb 12 03:28:29 +0000 2018', 'id': 962891127811649536, 'text': 'RT @mitsmr: “Journalists often check a CEO’s Twitter account before covering the CEO or the company.” https://t.co/er59CY71Vg', 'user.screen_name': 'ruisilva'}, {'created_at': 'Mon Feb 12 03:28:08 +0000 2018', 'id': 962891042256310273, 'text': 'RT @WALLACHLEGAL: I’ll be joining Ted Olson, Laila Mintas (@DrMintas), Chad Millman and Jeff Ma next week at the MIT Sloan Sports Analytics…', 'user.screen_name': 'StatementGames'}, {'created_at': 'Mon Feb 12 03:27:45 +0000 2018', 'id': 962890946466795520, 'text': 'RT @drronstrand: Distinctive brain pattern helps habits form https://t.co/JprHWns0hw https://t.co/VQUcuoHIPC', 'user.screen_name': 'JolieC'}, {'created_at': 'Mon Feb 12 03:27:34 +0000 2018', 'id': 962890897020026881, 'text': 'RT @mitsmr: Digital innovation can bring renewal to established companies — but requires careful planning https://t.co/SnYTwEZMXJ https://t…', 'user.screen_name': 'rsepulveda8'}, {'created_at': 'Mon Feb 12 03:27:32 +0000 2018', 'id': 962890890648862720, 'text': 'RT @hildabast: Day 2 #BlackHistoryMonth: Physicist, Carolyn Beatrice Parker - a remarkable woman, whose long-lost story shows how much work…', 'user.screen_name': 'JChrisPires'}, {'created_at': 'Mon Feb 12 03:27:14 +0000 2018', 'id': 962890816476909568, 'text': 'https://t.co/bYGfywA6sz Pres Bacow PLEASE INSTILL a higher level of patriotism & social responsibility into Harvard… https://t.co/XCYWnFbrHp', 'user.screen_name': 'AmeriMadeHeroes'}, {'created_at': 'Mon Feb 12 03:27:12 +0000 2018', 'id': 962890807647678464, 'text': 'SUPERDRY Angebote Superdry Orange Label Vintage T-Shirt mit Stickerei: Category: Herren / T-Shirts / Langarmshirt I… https://t.co/Xxkc8gfXaH', 'user.screen_name': 'SparVolltreffer'}, {'created_at': 'Mon Feb 12 03:27:10 +0000 2018', 'id': 962890796897849344, 'text': 'RT @MITSloan: The idea of a universal basic income is not new, but the theory has never been thoroughly tested. A massive new study is abou…', 'user.screen_name': 'ruisilva'}, {'created_at': 'Mon Feb 12 03:27:09 +0000 2018', 'id': 962890792925765632, 'text': 'SUPERDRY Angebote Superdry SD Sport Rundhalspullover mit Farbblock-Design: Category: Damen / Sport-Sweatshirts / Sw… https://t.co/DwmquRQGRH', 'user.screen_name': 'SparVolltreffer'}, {'created_at': 'Mon Feb 12 03:26:50 +0000 2018', 'id': 962890713628401665, 'text': 'RT @KrisKoles: Harvard names an MIT graduate and son of immigrants, Lawrence S. Bacow, as its 29th president.....\nhttps://t.co/6812AcxHNG', 'user.screen_name': 'akateach1'}, {'created_at': 'Mon Feb 12 03:26:22 +0000 2018', 'id': 962890594442973184, 'text': 'Solid aims to radically change the way web applications work https://t.co/qUID3kaD1W', 'user.screen_name': 'tmcpro'}, {'created_at': 'Mon Feb 12 03:26:19 +0000 2018', 'id': 962890582791090176, 'text': 'RT @DrHughHarvey: Didn’t study deep learning at MIT?\n\nDon’t worry - here’s the entire course \n\nhttps://t.co/HTONtKKWWz https://t.co/bmbxY5u…', 'user.screen_name': 'kayan2727'}, {'created_at': 'Mon Feb 12 03:26:16 +0000 2018', 'id': 962890569662869504, 'text': 'RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a…', 'user.screen_name': 'all_that_is'}, {'created_at': 'Mon Feb 12 03:25:59 +0000 2018', 'id': 962890501748854785, 'text': 'RT @mitsmr: RT @MITSloan: Not-so-light reading from last year, courtesy of MIT Sloan faculty. https://t.co/8VEnCacpJG https://t.co/znyZ0eRs…', 'user.screen_name': 'RoshaundaDGreen'}, {'created_at': 'Mon Feb 12 03:25:39 +0000 2018', 'id': 962890416373735424, 'text': 'Facial recognition software is biased towards white men, researcher finds\nBiases are seeping into software… https://t.co/RR86Ga0BGj', 'user.screen_name': 'minisharma018'}, {'created_at': 'Mon Feb 12 03:25:37 +0000 2018', 'id': 962890408962408448, 'text': '#science #technology #News >> 12 years since John Durant took the helm at the MIT Museu... For More LIKE & FOLLOW @JPPMsolutions', 'user.screen_name': 'JPPMsolutions'}, {'created_at': 'Mon Feb 12 03:25:01 +0000 2018', 'id': 962890256474361857, 'text': 'RT @BrightCellars: 2 MIT grads built an algorithm to match you with wine. Take the quiz to see your matches! https://t.co/LdIvB7sY05 https:…', 'user.screen_name': 'AdriannaMead'}, {'created_at': 'Mon Feb 12 03:24:38 +0000 2018', 'id': 962890158252089347, 'text': 'RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a…', 'user.screen_name': 'Law_Purush'}, {'created_at': 'Mon Feb 12 03:24:14 +0000 2018', 'id': 962890059249803264, 'text': '#harte #fickszenen #mit #bonnie #rotton und co https://t.co/MDSEwiOfhr', 'user.screen_name': 'BWo6yxxsNDDr0rf'}, {'created_at': 'Mon Feb 12 03:24:10 +0000 2018', 'id': 962890043290394624, 'text': 'Harvard names an MIT graduate and son of immigrants, Lawrence S. Bacow, as its 29th president.....\nhttps://t.co/6812AcxHNG', 'user.screen_name': 'KrisKoles'}, {'created_at': 'Mon Feb 12 03:24:01 +0000 2018', 'id': 962890003448606720, 'text': 'RT @brunelldonald: Shirley Ann Jackson innovated the telecommunications industry by contributing to the inventions of the touchtone phone,…', 'user.screen_name': 'pressbuddy'}, {'created_at': 'Mon Feb 12 03:23:58 +0000 2018', 'id': 962889994456182784, 'text': 'Hey guys! Sigma Alpha Iota is trying to raise some money for the initiate class (me!) to help pay our dues and our… https://t.co/h2E4VuPJtY', 'user.screen_name': 'laurenrose1012'}, {'created_at': 'Mon Feb 12 03:23:48 +0000 2018', 'id': 962889948654321665, 'text': 'RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a…', 'user.screen_name': 'Kuttchimadu'}, {'created_at': 'Mon Feb 12 03:23:40 +0000 2018', 'id': 962889915435380736, 'text': 'RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a…', 'user.screen_name': 'SaisonFemme'}, {'created_at': 'Mon Feb 12 03:23:34 +0000 2018', 'id': 962889891515285504, 'text': 'RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a…', 'user.screen_name': 'Kazarelth'}, {'created_at': 'Mon Feb 12 03:23:02 +0000 2018', 'id': 962889757498978304, 'text': 'Distinctive brain pattern helps habits form https://t.co/JprHWns0hw https://t.co/VQUcuoHIPC', 'user.screen_name': 'drronstrand'}, {'created_at': 'Mon Feb 12 03:22:50 +0000 2018', 'id': 962889707297353728, 'text': 'RT @dandyliving: Fasching mit @namenlos4 \ud83d\ude0d https://t.co/2hRAjHhXUS', 'user.screen_name': 'dfmboy'}, {'created_at': 'Mon Feb 12 03:22:44 +0000 2018', 'id': 962889681103998978, 'text': 'RT @_Cjboogie_: Left colder but the right more smooth https://t.co/wkd0ud8c0T', 'user.screen_name': 'Taylor_Mit'}, {'created_at': 'Mon Feb 12 03:22:26 +0000 2018', 'id': 962889605543493632, 'text': 'RT @mitsmr: “The ‘blame’ culture that permeates most organizations paralyzes decision makers so much that they don’t take chances and they…', 'user.screen_name': 'RoshaundaDGreen'}, {'created_at': 'Mon Feb 12 03:21:39 +0000 2018', 'id': 962889409615028224, 'text': 'RT @Chronicle5: "My first 6 books were medical thrillers that nobody\'s ever heard of" Then along came the book that broke @benmezrich big "…', 'user.screen_name': 'kevintounie'}, {'created_at': 'Mon Feb 12 03:21:16 +0000 2018', 'id': 962889311761903616, 'text': 'RT @mitsmr: People who are “different” —whether behaviorally or neurologically— don’t always fit into standard job categories. But if you c…', 'user.screen_name': 'RoshaundaDGreen'}, {'created_at': 'Mon Feb 12 03:21:12 +0000 2018', 'id': 962889297153220608, 'text': '“Our institutions are very much under threat at a time when they’re arguably most needed.” https://t.co/tWEIOZorjL https://t.co/45SvfAGGnm', 'user.screen_name': 'jbrancha'}, {'created_at': 'Mon Feb 12 03:21:11 +0000 2018', 'id': 962889291616718854, 'text': 'RT @asus10mm: Now live➡️https://t.co/GJNYSDc3fa\n#porn #sex #naked #bbbh\n@hellosquirty @ASummersXXX @HotMaleStuds @Cam4_GayFR @aligais75 @Lo…', 'user.screen_name': 'asus10mm'}, {'created_at': 'Mon Feb 12 03:21:00 +0000 2018', 'id': 962889247064842240, 'text': 'sex pics opa mit oma fun sex questions to ask your boyfriend https://t.co/2KvWWhHXfT', 'user.screen_name': 'JahirBN'}, {'created_at': 'Mon Feb 12 03:20:59 +0000 2018', 'id': 962889239695446016, 'text': 'RT @mitsmr: Unbundling Procter & Gamble https://t.co/5lBGpPiaJf @htaneja @kmaney @proctorgamble #Business https://t.co/Ef5exU7fjj', 'user.screen_name': 'basole'}, {'created_at': 'Mon Feb 12 03:20:40 +0000 2018', 'id': 962889162385866752, 'text': '@pnut always been curious about how u guys came up with the title “Silver”. Love what miT and Chad did with the phr… https://t.co/HjWxQ7GwE2', 'user.screen_name': 'ADay36'}, {'created_at': 'Mon Feb 12 03:20:18 +0000 2018', 'id': 962889071520514048, 'text': 'RT @elanazeide: "Facial recognition software is biased towards white men" https://t.co/el4r2qhxsr. Sad that this no longer seems out of the…', 'user.screen_name': 'MasonMarksMD'}, {'created_at': 'Mon Feb 12 03:20:14 +0000 2018', 'id': 962889054332301312, 'text': 'RT @mitsmr: "Great strategists are like great chess players or great game theorists: They need to think several steps ahead towards the end…', 'user.screen_name': 'RoshaundaDGreen'}, {'created_at': 'Mon Feb 12 03:19:40 +0000 2018', 'id': 962888910157250560, 'text': 'RT @authoritydata: #buynow Data Science (The MIT Press Essential Knowledge series) https://t.co/g70f2FimEy #BigData #Dataviz https://t.co/Z…', 'user.screen_name': 'bdt_systems'}, {'created_at': 'Mon Feb 12 03:19:23 +0000 2018', 'id': 962888837189062656, 'text': 'RT @asus10mm: @cam4_gayDE @sk8er_dude_FFM @Silas_Rise @KevinKlose61 @XFuckboy1 @MisterMac80 @skinny22cm @gr8stxxxcock @Mit_Bewohner @LeidiG…', 'user.screen_name': 'asus10mm'}, {'created_at': 'Mon Feb 12 03:19:08 +0000 2018', 'id': 962888774450425856, 'text': 'RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a…', 'user.screen_name': 'HemantPatel32'}, {'created_at': 'Mon Feb 12 03:18:40 +0000 2018', 'id': 962888660738719744, 'text': 'RT @skocharlakota: One of the important vision and focus of @ArvindKejriwal sarkar is rightly depicted in these pictures here - Education,…', 'user.screen_name': 'rajkovvali'}, {'created_at': 'Mon Feb 12 03:18:27 +0000 2018', 'id': 962888602685452288, 'text': "RT @MITSloan: Design thinking can be applied to any problem in any industry. Here's how. https://t.co/tE8Q21t1Cs https://t.co/wBYILC483w", 'user.screen_name': 'johnny_agt'}, {'created_at': 'Mon Feb 12 03:18:03 +0000 2018', 'id': 962888505167958016, 'text': 'Solid is an exciting new project led by Prof. Tim Berners-Lee\nhttps://t.co/G5REhKIBcp', 'user.screen_name': '_7m26'}, {'created_at': 'Mon Feb 12 03:17:54 +0000 2018', 'id': 962888464755777537, 'text': 'RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a…', 'user.screen_name': 'MridulaK'}, {'created_at': 'Mon Feb 12 03:17:46 +0000 2018', 'id': 962888430966452230, 'text': '#buynow Data Science (The MIT Press Essential Knowledge series) https://t.co/g70f2FimEy #BigData #Dataviz https://t.co/ZuNG36al8l', 'user.screen_name': 'authoritydata'}, {'created_at': 'Mon Feb 12 03:17:44 +0000 2018', 'id': 962888425056690177, 'text': "Imagine a world with faster, cheaper #AI! @MIT researchers say we're closer to #computers that work like our brains… https://t.co/gOTDx89ijo", 'user.screen_name': 'AydinIPV6'}, {'created_at': 'Mon Feb 12 03:17:14 +0000 2018', 'id': 962888296975208449, 'text': 'RT @AI__Newz: Facial recognition software is biased towards white men, researcher finds https://t.co/hDbUoSvIvF https://t.co/o6Ve2EzuRy', 'user.screen_name': 'VickiJo95367827'}, {'created_at': 'Mon Feb 12 03:16:39 +0000 2018', 'id': 962888152573767681, 'text': 'RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a…', 'user.screen_name': 'Pushkarr'}, {'created_at': 'Mon Feb 12 03:16:39 +0000 2018', 'id': 962888151307038721, 'text': 'RT @karenfoelz: MIT Bootcampers receiving lessons in leadership and managing your ego from @jockowillink at @MITBootcamps @QUT #MITbootcamp…', 'user.screen_name': 'QUT'}, {'created_at': 'Mon Feb 12 03:16:34 +0000 2018', 'id': 962888128745889793, 'text': 'RT @mitsmr: Applying Dynamic Work Design\n1. Separate well-defined + ambiguous work\n2. Break processes into smaller units of work \n3. Identi…', 'user.screen_name': 'Moosi007'}, {'created_at': 'Mon Feb 12 03:16:08 +0000 2018', 'id': 962888022336458753, 'text': '4) T’Challa has a PhD in Physics from Oxford University. His nemesis in the film Erik Killmonger has his PhD in Engineering from MIT.', 'user.screen_name': 'MosGenThePoet'}, {'created_at': 'Mon Feb 12 03:15:49 +0000 2018', 'id': 962887939528232960, 'text': 'RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a…', 'user.screen_name': 'samir_knit'}, {'created_at': 'Mon Feb 12 03:15:48 +0000 2018', 'id': 962887937376571392, 'text': 'RT @mitsmr: "Even with rapid advances," says @erikbryn, "AI won’t be able to replace most jobs anytime soon. But in almost every industry,…', 'user.screen_name': 'JakeSchweich'}, {'created_at': 'Mon Feb 12 03:15:35 +0000 2018', 'id': 962887881646919680, 'text': 'RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a…', 'user.screen_name': 'b0yblunder'}, {'created_at': 'Mon Feb 12 03:15:15 +0000 2018', 'id': 962887798343831552, 'text': 'RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a…', 'user.screen_name': 'asfaqullahkhan9'}, {'created_at': 'Mon Feb 12 03:15:03 +0000 2018', 'id': 962887747429117952, 'text': 'RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a…', 'user.screen_name': 'pun_in_the_ass'}, {'created_at': 'Mon Feb 12 03:15:01 +0000 2018', 'id': 962887739795484672, 'text': 'RT @psb_dc: Six Ways Americans View Automation \n\n#automation #machines #futureofwork #AI #AutonomousVehicles \n@mit_ide \n\nhttps://t.co/WS9…', 'user.screen_name': 'psb_dc'}, {'created_at': 'Mon Feb 12 03:14:45 +0000 2018', 'id': 962887671214497792, 'text': 'RT @mitsmr: Applying Dynamic Work Design\n1. Separate well-defined + ambiguous work\n2. Break processes into smaller units of work \n3. Identi…', 'user.screen_name': 'RoshaundaDGreen'}, {'created_at': 'Mon Feb 12 03:14:18 +0000 2018', 'id': 962887561331945472, 'text': "Trump's bud get contract @ ! Di$-play. Your$ com mit ted, hon ey.", 'user.screen_name': 'JusticeNASA'}, {'created_at': 'Mon Feb 12 03:14:17 +0000 2018', 'id': 962887555002912768, 'text': 'Facial recognition software is biased towards white men, researcher finds - The Verge https://t.co/ez8pnSJ5n4', 'user.screen_name': 'justseenthistec'}, {'created_at': 'Mon Feb 12 03:14:17 +0000 2018', 'id': 962887554113486849, 'text': '@BryanLunduke @facebook completely unrelated but this new Berners-Lee project out of MIT might pique your (concern|… https://t.co/WlESq0woI4', 'user.screen_name': 'disc0__'}, {'created_at': 'Mon Feb 12 03:14:10 +0000 2018', 'id': 962887524195553281, 'text': 'RT @ParveenKaswan: In #Sikkim, you can now adopt a tree as your child or sibling. \nThe Sikkim Forest Tree (Amity & Reverence) Rules 2017, a…', 'user.screen_name': 'Shakti_Shetty'}, {'created_at': 'Mon Feb 12 03:13:45 +0000 2018', 'id': 962887419908542465, 'text': 'Briana Banderas fucking #mit #ihrem #Mann in #Heimvideo #egzqkvar https://t.co/FsGaq1cgRs', 'user.screen_name': 'corey_westall'}, {'created_at': 'Mon Feb 12 03:13:30 +0000 2018', 'id': 962887359472824321, 'text': 'RT @DrHughHarvey: Didn’t study deep learning at MIT?\n\nDon’t worry - here’s the entire course \n\nhttps://t.co/HTONtKKWWz https://t.co/bmbxY5u…', 'user.screen_name': 'iamlaksh1'}, {'created_at': 'Mon Feb 12 03:13:14 +0000 2018', 'id': 962887290916884480, 'text': 'RT @siddarth_vyas: Artificial Intelligence...From $282 million in 2011 to more than $5 billion in 2016. https://t.co/kBq5NVxe7n #AI #innova…', 'user.screen_name': 'TechnoJeder'}, {'created_at': 'Mon Feb 12 03:13:03 +0000 2018', 'id': 962887243340824576, 'text': 'Well damn. https://t.co/7FVqBdDQRC', 'user.screen_name': 'Mit_ch_ell'}, {'created_at': 'Mon Feb 12 03:12:57 +0000 2018', 'id': 962887220678897666, 'text': 'RT @TraDove_ICO: Breakfast with our team, board member Gordon Kaufman, and Professor Emeritus from the MIT Sloan School of Management. Big…', 'user.screen_name': 'Destje'}, {'created_at': 'Mon Feb 12 03:12:48 +0000 2018', 'id': 962887184012345344, 'text': 'MIT Bootcampers receiving lessons in leadership and managing your ego from @jockowillink at @MITBootcamps @QUT… https://t.co/XmKVDjzDsF', 'user.screen_name': 'karenfoelz'}, {'created_at': 'Mon Feb 12 03:12:34 +0000 2018', 'id': 962887123870371840, 'text': 'RT @dormash: The MIT Venture Capital and Innovation conference is on! So glad to be hosting @LindiweEM. She will give a talk on coding thr…', 'user.screen_name': 'glenmpani'}, {'created_at': 'Mon Feb 12 03:12:33 +0000 2018', 'id': 962887121282437120, 'text': "RT @mitsmr: RT @MITSloan: Analytics are driving more and more business decisions in sports. 3 from the industry reveal what's next. https:/…", 'user.screen_name': 'RoshaundaDGreen'}, {'created_at': 'Mon Feb 12 03:12:30 +0000 2018', 'id': 962887105511763968, 'text': 'How concerned is your org about what the impact of #digitaldisruption might be? https://t.co/aULDsMoqmb… https://t.co/1chhq18LUG', 'user.screen_name': 'siddarth_vyas'}, {'created_at': 'Mon Feb 12 03:12:29 +0000 2018', 'id': 962887101229551617, 'text': 'I’ll be joining Ted Olson, Laila Mintas (@DrMintas), Chad Millman and Jeff Ma next week at the MIT Sloan Sports Ana… https://t.co/w1JPjG6Lyl', 'user.screen_name': 'WALLACHLEGAL'}, {'created_at': 'Mon Feb 12 03:12:13 +0000 2018', 'id': 962887033944354816, 'text': 'Artificial Intelligence...From $282 million in 2011 to more than $5 billion in 2016. https://t.co/kBq5NVxe7n #AI… https://t.co/5xxMeOPjJV', 'user.screen_name': 'siddarth_vyas'}, {'created_at': 'Mon Feb 12 03:12:00 +0000 2018', 'id': 962886982635540481, 'text': 'The latest Business Blueprint Daily! https://t.co/Ma47PbOG9l Thanks to @mit_cmsw @andrewhargadon @MeetEdgar #marketing #business', 'user.screen_name': 'BusBlueprint'}, {'created_at': 'Mon Feb 12 03:11:58 +0000 2018', 'id': 962886971554189312, 'text': "Someday all those people you're(I'm) waiting for and goals you're(I'm) holding on to will be gone or out of reach.… https://t.co/NiWjGsgtsG", 'user.screen_name': 'ffulC_miT'}, {'created_at': 'Mon Feb 12 03:11:21 +0000 2018', 'id': 962886819321966593, 'text': 'SPIELEN #Casino - 300% up to euro1200 on first 3 deposits mit #Timesquare - https://t.co/kxRpC4IB5R https://t.co/h3zzMnvWyU', 'user.screen_name': 'atticagambling'}, {'created_at': 'Mon Feb 12 03:11:21 +0000 2018', 'id': 962886816872484864, 'text': 'SPIELEN #Casino - 300% up to euro1200 on first 3 deposits mit #Timesquare - https://t.co/7LPT6ZLm1h https://t.co/GvWVOw7f6R', 'user.screen_name': 'bestbetforyou'}, {'created_at': 'Mon Feb 12 03:10:06 +0000 2018', 'id': 962886503675322368, 'text': 'RT @TamaraMcCleary: Mastering the Digital #Innovation Challenge https://t.co/4jbLqULxfg #leadership #digitaltransformation MT @jglass8 via…', 'user.screen_name': 'jglass8'}, {'created_at': 'Mon Feb 12 03:09:44 +0000 2018', 'id': 962886411513819136, 'text': '@andreadiaz37 Cool \ud83d\ude0e', 'user.screen_name': 'mit_alexa'}, {'created_at': 'Mon Feb 12 03:09:24 +0000 2018', 'id': 962886327661486080, 'text': '#Nur #geile #blonde fucking mit #Nacho Vidal https://t.co/UTQI4Ho2Tv', 'user.screen_name': 'dZoqiARwYHzITTh'}, {'created_at': 'Mon Feb 12 03:09:20 +0000 2018', 'id': 962886311832059905, 'text': 'SPIELEN #Casino - UP to GBP200 bonus 18+,Ts&Cs apply mit #Karamba - https://t.co/TGFW5TK5TQ https://t.co/Ay0aMVOaGh', 'user.screen_name': 'atticagambling'}, {'created_at': 'Mon Feb 12 03:09:20 +0000 2018', 'id': 962886309365846016, 'text': 'SPIELEN #Casino - UP to GBP200 bonus 18+,Ts&Cs apply mit #Karamba - https://t.co/7SE0mNsTdz https://t.co/65ufoTLNnv', 'user.screen_name': 'bestbetforyou'}, {'created_at': 'Mon Feb 12 03:09:06 +0000 2018', 'id': 962886251929010177, 'text': 'RT @mitsmr: “Journalists often check a CEO’s Twitter account before covering the CEO or the company.” https://t.co/er59CY71Vg', 'user.screen_name': 'RoshaundaDGreen'}, {'created_at': 'Mon Feb 12 03:09:03 +0000 2018', 'id': 962886239065198594, 'text': 'RT @JensRoehrich: Interesting article: The Unique Challenges of Cross-Boundary #Collaboration https://t.co/EXelhBmrId You may also find my…', 'user.screen_name': 'NourFreeBird'}, {'created_at': 'Mon Feb 12 03:09:02 +0000 2018', 'id': 962886233838968832, 'text': 'RT @skocharlakota: In the streets of Boston cutting thru MIT and Harvard universities, @msisodia walks with @AamAadmiParty volunteers & wel…', 'user.screen_name': 'AAPlogical'}, {'created_at': 'Mon Feb 12 03:08:48 +0000 2018', 'id': 962886175995265024, 'text': '@Mindcite_US @Google @CarnegieMellon @Cambridge_Uni @MIT @UniofOxford @Caltech @TechnionLive @Princeton @Yale… https://t.co/hQ0HgCl43g', 'user.screen_name': '4GodsWillBeDone'}, {'created_at': 'Mon Feb 12 03:08:42 +0000 2018', 'id': 962886151416684545, 'text': 'RT @mitsmr: Unbundling Procter & Gamble https://t.co/5lBGpPiaJf @htaneja @kmaney @proctorgamble #Business https://t.co/Ef5exU7fjj', 'user.screen_name': 'nancyrubin'}, {'created_at': 'Mon Feb 12 03:08:29 +0000 2018', 'id': 962886096773410816, 'text': 'Life as an MBA Student | Ryan from https://t.co/XQkR8Pg79L, MIT Sloan https://t.co/MbrNmPqURE #gmat #mba #bschool', 'user.screen_name': '30DAYGMAT'}, {'created_at': 'Mon Feb 12 03:08:10 +0000 2018', 'id': 962886015747837953, 'text': 'RT @StanM3: Germany- Afghan(19) stabbed his ex-girlfriend(23) in the shoulder and fled. The police had been called because of domestic viol…', 'user.screen_name': 'jenkinskeith9'}, {'created_at': 'Mon Feb 12 03:07:40 +0000 2018', 'id': 962885891327852544, 'text': '╔╗ \n╬╔╗║║╔╗╗╦╔ ★\n╝╚╝╚╚╚╝╚╩╝\n★⭐★⭐★\n╰⊶\ud83c\udd51⊶╮\n╭⊶\ud83c\udd54⊶╯\n╰⊶\ud83c\udd62⊶╮\n╭⊶\ud83c\udd63⊶╯\n╰☛ ★ @Mit_bogorDP ★\n\nArea: #BOGOR\n╰☛ Avail Include or Exc… https://t.co/PFyNGVrSbV', 'user.screen_name': '_DaJhonn'}, {'created_at': 'Mon Feb 12 03:07:34 +0000 2018', 'id': 962885863603654657, 'text': '@benance_2017 @binance_2017 Scam', 'user.screen_name': 'anir_mit'}, {'created_at': 'Mon Feb 12 03:07:32 +0000 2018', 'id': 962885857295454208, 'text': 'RT @itskac: Need to interview a #musician, a #freelancer, a #smallbiz owner (or someone who wants to start one) & a #tech #startup #founder…', 'user.screen_name': 'AskVMC'}, {'created_at': 'Mon Feb 12 03:07:19 +0000 2018', 'id': 962885804161949696, 'text': 'SPIELEN #Casino - Up to GBP1000 Welcome bonus 18+,Ts&Cs apply mit #Affpower - https://t.co/nY4UwB6IAC https://t.co/8b4JdLMuhg', 'user.screen_name': 'atticagambling'}, {'created_at': 'Mon Feb 12 03:07:19 +0000 2018', 'id': 962885801800593409, 'text': 'SPIELEN #Casino - Up to GBP1000 Welcome bonus 18+,Ts&Cs apply mit #Affpower - https://t.co/AkIJ6dBq69 https://t.co/9Khp1YX8Xj', 'user.screen_name': 'bestbetforyou'}, {'created_at': 'Mon Feb 12 03:06:08 +0000 2018', 'id': 962885505791741952, 'text': "RT @mitsmr: RT @MITSloan: Analytics are driving more and more business decisions in sports. 3 from the industry reveal what's next. https:/…", 'user.screen_name': 'Neel__C'}, {'created_at': 'Mon Feb 12 03:06:06 +0000 2018', 'id': 962885497277304835, 'text': '"Facial recognition software is biased towards white men" https://t.co/el4r2qhxsr. Sad that this no longer seems ou… https://t.co/tDpGVQmZTc', 'user.screen_name': 'elanazeide'}, {'created_at': 'Mon Feb 12 03:06:02 +0000 2018', 'id': 962885479757729797, 'text': 'Corporate Transformation - "the optimal playbook for transformation should involve... reorienting strategy for the… https://t.co/O76aHLoYUw', 'user.screen_name': 'TheIOSummit'}, {'created_at': 'Mon Feb 12 03:05:59 +0000 2018', 'id': 962885466432339968, 'text': 'RT @CupcakKe_rapper: I got to sit by the window with my legs open cause with these thick thighs my pussy like Jordan sparks it gets no air…', 'user.screen_name': 'damn_mit'}, {'created_at': 'Mon Feb 12 03:05:19 +0000 2018', 'id': 962885297393618945, 'text': 'SPIELEN #Casino - Get up to GBP2000 Welcome bonus 18+,Ts&Cs apply mit #Affpower - https://t.co/n6JE8kkvuv https://t.co/xsq58Zq4ag', 'user.screen_name': 'atticagambling'}, {'created_at': 'Mon Feb 12 03:05:18 +0000 2018', 'id': 962885294570770432, 'text': 'SPIELEN #Casino - Get up to GBP2000 Welcome bonus 18+,Ts&Cs apply mit #Affpower - https://t.co/BCTDq1ieuw https://t.co/tgBxysbMJe', 'user.screen_name': 'bestbetforyou'}, {'created_at': 'Mon Feb 12 03:05:04 +0000 2018', 'id': 962885234244096000, 'text': 'Unbundling Procter & Gamble https://t.co/5lBGpPiaJf @htaneja @kmaney @proctorgamble #Business https://t.co/Ef5exU7fjj', 'user.screen_name': 'mitsmr'}, {'created_at': 'Mon Feb 12 03:04:34 +0000 2018', 'id': 962885112139534336, 'text': 'Show Time Mit ciscoherrera1 roderickjlp greg_melodia \ud83d\udd25\ud83c\udf4b\ud83c\udf34\ud83d\udc45 en El Hatillo https://t.co/soZRbvyat2', 'user.screen_name': 'LsRankiaos'}, {'created_at': 'Mon Feb 12 03:04:31 +0000 2018', 'id': 962885098033987584, 'text': "That's the C.E.O, Eximius Konceptz. https://t.co/khuWvecjwY", 'user.screen_name': 'mit_chelle8'}, {'created_at': 'Mon Feb 12 03:04:24 +0000 2018', 'id': 962885066497011714, 'text': 'A project led by sir Tim berners-Lee\nhttps://t.co/U8EzoMf3M1', 'user.screen_name': 'NagendraSanu'}, {'created_at': 'Mon Feb 12 03:03:22 +0000 2018', 'id': 962884807872204800, 'text': 'RT @techreview: Which technologies are making significant progress? We have the answers. Subscribe to MIT Technology Review today for unpar…', 'user.screen_name': 'qiming82'}, {'created_at': 'Mon Feb 12 03:02:58 +0000 2018', 'id': 962884705854083072, 'text': 'RT @mitsmr: “Journalists often check a CEO’s Twitter account before covering the CEO or the company.” https://t.co/er59CY71Vg', 'user.screen_name': 'CrespoRamiro'}, {'created_at': 'Mon Feb 12 03:02:38 +0000 2018', 'id': 962884623243141125, 'text': 'RT @psb_dc: In the world of 1s and 0s, soft skills matter.\n\n4 things you need to know about soft skills \n\n#leadership #culture #innovation…', 'user.screen_name': 'talk2_priya'}, {'created_at': 'Mon Feb 12 03:01:17 +0000 2018', 'id': 962884285052022785, 'text': 'RT @danieldennett: Notice anything unusual about the Edward Gorey cover on the 40th anniversary edition of BRAINSTORMS? (MIT Press). I adde…', 'user.screen_name': 'ChampionACause2'}, {'created_at': 'Mon Feb 12 03:01:17 +0000 2018', 'id': 962884283814875136, 'text': "@WillGordonAgain FWIW Larry was the only administrator who wasn't a giant pile of shit when I was at MIT. My even m… https://t.co/4KQLLhH25K", 'user.screen_name': 'TheDrewStarr'}, {'created_at': 'Mon Feb 12 03:01:15 +0000 2018', 'id': 962884274859909120, 'text': 'SUPERDRY Angebote Superdry Vintage Logo Fade T-Shirt: Category: Damen / T-Shirts / T-Shirt mit Print Item number: 2… https://t.co/pQ6uexMKyh', 'user.screen_name': 'SparVolltreffer'}, {'created_at': 'Mon Feb 12 03:00:58 +0000 2018', 'id': 962884205095997441, 'text': 'Applying philosophy for a better democracy https://t.co/Dp90q2eFV7', 'user.screen_name': 'skydog811'}, {'created_at': 'Mon Feb 12 03:00:43 +0000 2018', 'id': 962884142819094528, 'text': 'Pace Layering: How Complex Systems Learn and Keep Learning https://t.co/66GZCyMuLY', 'user.screen_name': 'hackernewsrobot'}, {'created_at': 'Mon Feb 12 03:00:36 +0000 2018', 'id': 962884114155294720, 'text': 'RT @Toijuin: MIT Will start this week! Still spots available! Contact me if interested', 'user.screen_name': 'A3ria7Assau7t'}, {'created_at': 'Mon Feb 12 03:00:23 +0000 2018', 'id': 962884056408121344, 'text': '#Innovation-Based #Technology #Standards Are Under Threat - via @mitsmr | https://t.co/XeJ4y8CDbX #RandD #Strategy #ProductDevelopment', 'user.screen_name': 'arjenvanberkum'}, {'created_at': 'Mon Feb 12 03:00:21 +0000 2018', 'id': 962884047356690432, 'text': 'Solid aims to radically change the way web applications work: https://t.co/FaTEKHmW3I ( https://t.co/290eZLco2w )', 'user.screen_name': 'HighSNHN'}, {'created_at': 'Mon Feb 12 03:00:00 +0000 2018', 'id': 962883961331552256, 'text': 'RT @TerryUm_ML: A series of lectures for deep learning given by MIT\nhttps://t.co/9xMZe50Biw https://t.co/TFN2k0LdWu', 'user.screen_name': 'MotazAlfarraj'}, {'created_at': 'Mon Feb 12 02:59:36 +0000 2018', 'id': 962883861129543680, 'text': 'RT @BillAulet: .@jockowillink on fire at Brisbane MIT Global Entrepreneurship Bootcamp talking about #extremeleadership @MITBootcamps @QUT…', 'user.screen_name': 'amanda_dunne8'}, {'created_at': 'Mon Feb 12 02:58:40 +0000 2018', 'id': 962883625372016641, 'text': 'Daryaganj Sunday Book Bazar!!! I hope it never shuts down. https://t.co/aJ7SvEx0Rt', 'user.screen_name': 'mit_sood'}, {'created_at': 'Mon Feb 12 02:58:40 +0000 2018', 'id': 962883623685935104, 'text': 'RT @thebaemarcus: That’s Lil Boat and mini boat https://t.co/DRXFhaglMO', 'user.screen_name': 'Mit_540'}, {'created_at': 'Mon Feb 12 02:57:58 +0000 2018', 'id': 962883449408442368, 'text': "RT @MITSloan: In a recent study, soft skills delivered a 250% ROI. Here's what else to know about them. https://t.co/Nh8hgLmC0y", 'user.screen_name': 'shaks77'}, {'created_at': 'Mon Feb 12 02:57:46 +0000 2018', 'id': 962883397105233921, 'text': 'Is tech dividing America? https://t.co/2IVMmmlolg', 'user.screen_name': 'knittingknots'}, {'created_at': 'Mon Feb 12 02:57:36 +0000 2018', 'id': 962883355359490048, 'text': "RT @MITSloan: Soft skills are underrated. Here's how they can bridge the economic divide and bring big ROI to any org. https://t.co/Nh8hgLm…", 'user.screen_name': 'Pato1979'}, {'created_at': 'Mon Feb 12 02:57:33 +0000 2018', 'id': 962883345368596480, 'text': 'RT @BillAulet: .@jockowillink on fire at Brisbane MIT Global Entrepreneurship Bootcamp talking about #extremeleadership @MITBootcamps @QUT…', 'user.screen_name': 'ProfBarrett'}, {'created_at': 'Mon Feb 12 02:56:55 +0000 2018', 'id': 962883183304892417, 'text': 'RT @nerdlypainter: Heretical Musings On Heuristic Mechanisms by Regina Valluzzi https://t.co/npnbRzm4z4 #sciart #MIT #geometric #lines #Bos…', 'user.screen_name': 'DZaag'}, {'created_at': 'Mon Feb 12 02:56:46 +0000 2018', 'id': 962883147938652160, 'text': 'RT @politico: Is tech dividing America? POLITICO’s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N…', 'user.screen_name': 'VRANYwinston'}, {'created_at': 'Mon Feb 12 02:56:44 +0000 2018', 'id': 962883139029950465, 'text': "RT @mitsmr: Keep this chart handy when you're Identifying potential #leaders in your company. https://t.co/WHj7CM39AJ #management https://…", 'user.screen_name': 'DRLeszcynski'}, {'created_at': 'Mon Feb 12 02:56:12 +0000 2018', 'id': 962883003008667648, 'text': "@davewiner @gilduran76 Good Lard. Bring it. \n\nGeorge Lakoff has been studying linguistics since MIT in the '60's.… https://t.co/8747yhzM56", 'user.screen_name': 'Hoi_Pollois'}, {'created_at': 'Mon Feb 12 02:56:07 +0000 2018', 'id': 962882981873451008, 'text': 'RT @World_Wide_Wob: Meanwhile at the Pistons/Hawks game https://t.co/3Q6Ic7kZCX', 'user.screen_name': 'Mit_540'}, {'created_at': 'Mon Feb 12 02:56:03 +0000 2018', 'id': 962882966727766017, 'text': 'RT @techreview: Which technologies are making significant progress? We have the answers. Subscribe to MIT Technology Review today for unpar…', 'user.screen_name': 'Kobayashi_Isao'}, {'created_at': 'Mon Feb 12 02:55:55 +0000 2018', 'id': 962882935128035329, 'text': 'RT @politico: Is tech dividing America? POLITICO’s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N…', 'user.screen_name': 'gmlavern'}, {'created_at': 'Mon Feb 12 02:55:39 +0000 2018', 'id': 962882866727223297, 'text': 'RT @thesavoyshow: Black Man G-CHECKS his little brothers for trying to join a gang! https://t.co/fxrGUrED5H', 'user.screen_name': 'Mit_540'}, {'created_at': 'Mon Feb 12 02:55:30 +0000 2018', 'id': 962882829158899712, 'text': 'RT @BrightCellars: 2 MIT grads built an algorithm to match you with wine. Take the quiz to see your matches! https://t.co/LdIvB7sY05 https:…', 'user.screen_name': 'PahouseHouse'}, {'created_at': 'Mon Feb 12 02:55:24 +0000 2018', 'id': 962882802978119681, 'text': 'RT @FreddyAmazin: If this isn’t how you and your Bestfriend describe each other, you ain’t BESTFRIENDS. https://t.co/ZGUxZvyRkr', 'user.screen_name': 'Mit_540'}, {'created_at': 'Mon Feb 12 02:54:59 +0000 2018', 'id': 962882697935970304, 'text': 'RT @World_Wide_Wob: When the trade deadline is over https://t.co/P3jhF9K9Ti', 'user.screen_name': 'Mit_540'}, {'created_at': 'Mon Feb 12 02:54:32 +0000 2018', 'id': 962882586136760320, 'text': "RT @NeilKBrand: As my score for #Hitchcock's #Blackmail is being played live tonight by the #Nürnberg Symphony Orchestra tonight (https://t…", 'user.screen_name': 'THEAGENTAPSLEY'}, {'created_at': 'Mon Feb 12 02:53:44 +0000 2018', 'id': 962882384881504256, 'text': '@BJP4India gr8 decision. Such motormouths shd be sent to oblivion https://t.co/uhsAifL9XJ', 'user.screen_name': 'anurag_mit'}, {'created_at': 'Mon Feb 12 02:53:22 +0000 2018', 'id': 962882293349212166, 'text': '@4GodsWillBeDone @Google @CarnegieMellon @Cambridge_Uni @MIT @UniofOxford @Caltech @TechnionLive @Princeton @Yale… https://t.co/4wqxgtLaGw', 'user.screen_name': 'Mindcite_US'}, {'created_at': 'Mon Feb 12 02:53:05 +0000 2018', 'id': 962882221689339904, 'text': 'The Technological Singularity (The MIT Press Essential Knowledge series) https://t.co/ga2CxzBY6B', 'user.screen_name': 'DD_Serena_'}, {'created_at': 'Mon Feb 12 02:52:58 +0000 2018', 'id': 962882192035729409, 'text': 'Solid aims to radically change the way web applications work https://t.co/pYILXPgxnU (https://t.co/Y5cCSw8gHQ)', 'user.screen_name': 'newsyc150'}, {'created_at': 'Mon Feb 12 02:52:38 +0000 2018', 'id': 962882109164675072, 'text': 'Solid aims to radically change the way web applications work https://t.co/wKRqEGaLVJ (https://t.co/3RPoPPJRB8)', 'user.screen_name': 'Hn150'}, {'created_at': 'Mon Feb 12 02:52:30 +0000 2018', 'id': 962882073462738944, 'text': 'RT @SeldumSeen5: Need a Pure SS will be six man and fighting for starting spot 4 MPBA MIT for proam we are 66-7 E4 @2kProAmReport @2KProAmI…', 'user.screen_name': 'DelshunYoung'}, {'created_at': 'Mon Feb 12 02:52:14 +0000 2018', 'id': 962882008023052288, 'text': 'Technology is great for making our lives easier but also replacing jobs as well. #pols341digital \nhttps://t.co/GDw4Npm6PK', 'user.screen_name': 'ezekio_'}, {'created_at': 'Mon Feb 12 02:52:12 +0000 2018', 'id': 962881998929977344, 'text': 'Which technologies are making significant progress? We have the answers. Subscribe to MIT Technology Review today f… https://t.co/gYryRsq0DJ', 'user.screen_name': 'bubb13_b0y'}, {'created_at': 'Mon Feb 12 02:52:11 +0000 2018', 'id': 962881992630132736, 'text': 'Like it or not, the future of cryptocurrency will be determined by bureaucrats - MIT Technology Review https://t.co/95UbHdFs1b', 'user.screen_name': 'bit_daily'}, {'created_at': 'Mon Feb 12 02:52:00 +0000 2018', 'id': 962881949877465094, 'text': '“Alumni call on MIT to champion artificial intelligence education”\n\n#AI #Education via @MIT https://t.co/Bd9N4h6WXA', 'user.screen_name': 'rzembo'}, {'created_at': 'Mon Feb 12 02:51:35 +0000 2018', 'id': 962881843598151682, 'text': '@ARossP Oh, this looks relevant to your interests. https://t.co/IBfvR5OMpB', 'user.screen_name': 'badger_lifts'}, {'created_at': 'Mon Feb 12 02:50:59 +0000 2018', 'id': 962881691093106688, 'text': 'RT @techreview: Which technologies are making significant progress? We have the answers. Subscribe to MIT Technology Review today for unpar…', 'user.screen_name': 'dik_erwin'}, {'created_at': 'Mon Feb 12 02:50:43 +0000 2018', 'id': 962881625037115392, 'text': 'RT @SeldumSeen5: Need a Pure SS will be six man and fighting for starting spot 4 MPBA MIT for proam we are 66-7 E4 @2kProAmReport @2KProAmI…', 'user.screen_name': 'Kbizz1988'}, {'created_at': 'Mon Feb 12 02:50:23 +0000 2018', 'id': 962881541088083968, 'text': 'RT @techreview: Which technologies are making significant progress? We have the answers. Subscribe to MIT Technology Review today for unpar…', 'user.screen_name': 'Esist_Me'}, {'created_at': 'Mon Feb 12 02:50:09 +0000 2018', 'id': 962881481713635328, 'text': 'RT @techreview: Which technologies are making significant progress? We have the answers. Subscribe to MIT Technology Review today for unpar…', 'user.screen_name': 'gixtools'}, {'created_at': 'Mon Feb 12 02:50:07 +0000 2018', 'id': 962881473635323904, 'text': 'Which technologies are making significant progress? We have the answers. Subscribe to MIT Technology Review today f… https://t.co/F6Jr3Ruf8a', 'user.screen_name': 'techreview'}, {'created_at': 'Mon Feb 12 02:49:14 +0000 2018', 'id': 962881251626557441, 'text': "RT @farnazfassihi: If @Harvard & @MIT want to invite an #Iran intelligence agent in the name of academic exchange, do so. Just don't make a…", 'user.screen_name': 'SMohyeddin'}, {'created_at': 'Mon Feb 12 02:49:11 +0000 2018', 'id': 962881240683593728, 'text': 'RT @SeldumSeen5: Need a Pure SS will be six man and fighting for starting spot 4 MPBA MIT for proam we are 66-7 E4 @2kProAmReport @2KProAmI…', 'user.screen_name': 'UnknownElites2k'}, {'created_at': 'Mon Feb 12 02:48:56 +0000 2018', 'id': 962881177823592448, 'text': 'Need a Pure SS will be six man and fighting for starting spot 4 MPBA MIT for proam we are 66-7 E4 @2kProAmReport… https://t.co/abBt0WRY1t', 'user.screen_name': 'SeldumSeen5'}, {'created_at': 'Mon Feb 12 02:48:19 +0000 2018', 'id': 962881022001074176, 'text': 'Like it or not, the future of cryptocurrency will be determined by bureaucrats - MIT Technology Review https://t.co/SUMY6bhf4y', 'user.screen_name': 'consumer_daily'}, {'created_at': 'Mon Feb 12 02:48:02 +0000 2018', 'id': 962880949351432192, 'text': 'from a patmed raider to a MIT, congrats Noellia ❤️\ud83c\udf39 @ Sigma Alpha Iota-Gamma Delta Chapter https://t.co/HD8BPygBIQ', 'user.screen_name': 'v_durao'}, {'created_at': 'Mon Feb 12 02:47:31 +0000 2018', 'id': 962880820158615552, 'text': 'He also wrote the first book on electric lighting and patented 2 more inventions: the 1st on train W.C. and precurs… https://t.co/LAhHLNhEAJ', 'user.screen_name': 'lexaEhayes713'}, {'created_at': 'Mon Feb 12 02:47:19 +0000 2018', 'id': 962880769369755648, 'text': 'RT @TheTastingBoard: Two MIT grads built an algorithm to match your taste preferences with cheese. Click the link below & take the quiz! ht…', 'user.screen_name': 'mysterykatz87'}, {'created_at': 'Mon Feb 12 02:47:10 +0000 2018', 'id': 962880730996109312, 'text': 'RT @newsycombinator: Solid aims to radically change the way web applications work https://t.co/x1xBfqvs2v', 'user.screen_name': 'the_mcnaveen'}, {'created_at': 'Mon Feb 12 02:46:50 +0000 2018', 'id': 962880646476681216, 'text': "RT @mitsmr: Now That Your Products Can Talk, What Will They Tell You? https://t.co/3LhZSc4mrj @Eric_GERVET @ATKearney's Suketu Gandhi #IoT", 'user.screen_name': 'AssiaWirth'}, {'created_at': 'Mon Feb 12 02:45:15 +0000 2018', 'id': 962880250832076800, 'text': 'Amazon "Sneaker" FIND Damen Sneaker mit Material-Mix , Schwarz (Black), 39 EU: Company: FIND List Price: EUR 36,00… https://t.co/GQ0wE6aVG4', 'user.screen_name': 'SparVolltreffer'}, {'created_at': 'Mon Feb 12 02:44:39 +0000 2018', 'id': 962880099551936517, 'text': 'RT @scratch: Scratch Days can be large or small, for beginners and for more experienced Scratchers. Find a Scratch Day in your community, o…', 'user.screen_name': 'MuyodiSara'}, {'created_at': 'Mon Feb 12 02:44:12 +0000 2018', 'id': 962879985441701888, 'text': '@Mighty_Ginge @DrPhiltill There are already multiple alternatives. If schools like MIT refused to submit to non-ope… https://t.co/gG0MlwaQDV', 'user.screen_name': 'Robotbeat'}, {'created_at': 'Mon Feb 12 02:43:39 +0000 2018', 'id': 962879845674954752, 'text': 'Edle Whiskeykaraffe mit Gravur “Whiskey” Whisky-Flasche\xa0graviert https://t.co/aCRnN74yuL', 'user.screen_name': 'hauckiswelt'}, {'created_at': 'Mon Feb 12 02:43:23 +0000 2018', 'id': 962879778444341254, 'text': 'RT @DrHughHarvey: Didn’t study deep learning at MIT?\n\nDon’t worry - here’s the entire course \n\nhttps://t.co/HTONtKKWWz https://t.co/bmbxY5u…', 'user.screen_name': 'kmathan'}, {'created_at': 'Mon Feb 12 02:42:25 +0000 2018', 'id': 962879535858536448, 'text': '@itskac @MIT @matthewumstead @AskVMC @elonmusk @justinbieber I’m going to be out for another couple of hours but le… https://t.co/jua9nvanUZ', 'user.screen_name': 'JingleBeau4'}, {'created_at': 'Mon Feb 12 02:41:43 +0000 2018', 'id': 962879358187855872, 'text': 'RT @stunning_global: BIT STUNNING FOREVER. MIT DEN STUNNING-YOU.\nPlastic & Aesthetic Surgery\nDr. med. univ. Kamil Akhundov\nTel:+4930 921238…', 'user.screen_name': 'stunning_global'}, {'created_at': 'Mon Feb 12 02:41:41 +0000 2018', 'id': 962879351267233795, 'text': 'RT @xJustMonika: Sneak peaks......\nIf want to check it out go to\nhttps://t.co/TUqYR9rwOX https://t.co/whdzDjiDHB', 'user.screen_name': 'SorenatorShips'}, {'created_at': 'Mon Feb 12 02:41:26 +0000 2018', 'id': 962879286721089536, 'text': 'RT @stunning_global: BIT STUNNING FOREVER. MIT DEN STUNNING-YOU.\nPlastic & Aesthetic Surgery\nDr. med. univ. Kamil Akhundov\nTel:+4930 921238…', 'user.screen_name': 'stunning_global'}, {'created_at': 'Mon Feb 12 02:41:22 +0000 2018', 'id': 962879273278365696, 'text': 'RT @stunning_global: BIT STUNNING FOREVER. MIT DEN STUNNING-YOU. \nStunning You\nPlastic & Aesthetic Surgery\nDr. med. univ. Kamil Akhundov…', 'user.screen_name': 'stunning_global'}, {'created_at': 'Mon Feb 12 02:41:22 +0000 2018', 'id': 962879270597963776, 'text': 'RT @gbaucom: Meet the biologist who got MIT to examine its treatment of women researchers - via @techreview https://t.co/c6JqibvhkQ //I rec…', 'user.screen_name': 'Ann_Neighbors'}, {'created_at': 'Mon Feb 12 02:41:06 +0000 2018', 'id': 962879205749870592, 'text': 'RT @BillAulet: .@jockowillink on fire at Brisbane MIT Global Entrepreneurship Bootcamp talking about #extremeleadership @MITBootcamps @QUT…', 'user.screen_name': 'karenfoelz'}, {'created_at': 'Mon Feb 12 02:40:44 +0000 2018', 'id': 962879110463635456, 'text': 'RT @BrightCellars: 2 MIT grads built an algorithm to match you with wine. Take the quiz to see your matches! https://t.co/LdIvB7sY05 https:…', 'user.screen_name': 'NOvieraLE'}, {'created_at': 'Mon Feb 12 02:40:32 +0000 2018', 'id': 962879064036929536, 'text': 'Leading with integrity, part 1: Does a hard line lead to a slippery slope? https://t.co/zEEGaKybr0', 'user.screen_name': 'Vanellus_PAG'}, {'created_at': 'Mon Feb 12 02:40:16 +0000 2018', 'id': 962878995091124224, 'text': 'RT @TurkHeritage: On International #WomenInScience Day, listen to Turkish MIT @medialab faculty member Dr. Canan Dagdeviren talk at the UN…', 'user.screen_name': 'magoriumsworld'}, {'created_at': 'Mon Feb 12 02:40:14 +0000 2018', 'id': 962878986828374016, 'text': 'RT @BillAulet: .@jockowillink on fire at Brisbane MIT Global Entrepreneurship Bootcamp talking about #extremeleadership @MITBootcamps @QUT…', 'user.screen_name': 'QUTmedia'}, {'created_at': 'Mon Feb 12 02:39:47 +0000 2018', 'id': 962878875247267840, 'text': 'RT @lildurk: So much fake love in the air now days you don’t kno who love you Forreal', 'user.screen_name': 'flyass_mit'}, {'created_at': 'Mon Feb 12 02:39:34 +0000 2018', 'id': 962878818292785152, 'text': 'RT @Qdafool_RS: "100KEYS" prod: @zaytovenbeatz \ud83c\udfb9‼️BEST BELIEVE IM THE REALIST IN THE CITY✅AND IM THE RICHEST UNSIGNED ARTIST IN MY CITY✅ HA…', 'user.screen_name': 'flyass_mit'}, {'created_at': 'Mon Feb 12 02:39:29 +0000 2018', 'id': 962878796356440064, 'text': 'Study reveals molecular mechanisms of memory formation https://t.co/st0YvS5hoA', 'user.screen_name': 'Johnson37975725'}, {'created_at': 'Mon Feb 12 02:39:23 +0000 2018', 'id': 962878771731644416, 'text': 'RT @mitsmr: "Even with rapid advances," says @erikbryn, "AI won’t be able to replace most jobs anytime soon. But in almost every industry,…', 'user.screen_name': 'Impactoftech'}, {'created_at': 'Mon Feb 12 02:39:10 +0000 2018', 'id': 962878719357607937, 'text': 'RT @newsycombinator: Solid aims to radically change the way web applications work https://t.co/x1xBfqvs2v', 'user.screen_name': 'katchwreck'}, {'created_at': 'Mon Feb 12 02:39:03 +0000 2018', 'id': 962878688508481536, 'text': 'RT @JPPMsolutions: #science #technology #News >> Weiss ’55, PhD ’62, professor emeritus of physics at MIT,... For More LIKE & FOLLOW @JPPM…', 'user.screen_name': 'vlics'}, {'created_at': 'Mon Feb 12 02:38:57 +0000 2018', 'id': 962878664772866049, 'text': '#Ficken mit #meiner #Freundin in #Yogahosen #Altenburg https://t.co/hKhnETHmHK', 'user.screen_name': 'NfyDcmr3qmyobzA'}, {'created_at': 'Mon Feb 12 02:38:57 +0000 2018', 'id': 962878662323220480, 'text': 'RT @BillAulet: .@jockowillink on fire at Brisbane MIT Global Entrepreneurship Bootcamp talking about #extremeleadership @MITBootcamps @QUT…', 'user.screen_name': 'MariusUrsache'}, {'created_at': 'Mon Feb 12 02:38:34 +0000 2018', 'id': 962878565929902080, 'text': 'RT @BAP_US: Dr. #ShirleyJackson the first African-American woman to have earned a doctorate at the MIT.\n\n#BlackAndProud #BlackWomen #BlackE…', 'user.screen_name': 'Jameski61861578'}, {'created_at': 'Mon Feb 12 02:38:32 +0000 2018', 'id': 962878559114035200, 'text': 'RT @Ohworditspeter: I can’t decide on who I hate more... \n\n1. The person who changed Snapchat. \n2. The person who took away instagrams chro…', 'user.screen_name': 'Mit_ch_ell'}, {'created_at': 'Mon Feb 12 02:38:29 +0000 2018', 'id': 962878547743461382, 'text': 'Contact Eximius Konceptz today......at eximius konceptz, we are ten times better. https://t.co/Ud9KGt4BPv', 'user.screen_name': 'mit_chelle8'}, {'created_at': 'Mon Feb 12 02:38:17 +0000 2018', 'id': 962878497231441920, 'text': 'Solid aims to radically change the way web applications work https://t.co/sjGtgIPgsH', 'user.screen_name': 'dachelc'}, {'created_at': 'Mon Feb 12 02:38:06 +0000 2018', 'id': 962878450452217857, 'text': 'Keynote Neri Oxman of Sony Corporation and MIT Media Lab at LIGHTFAIR International 2018: \xa0 ATLANTA, GA —Keynote Ne… https://t.co/kzzsEswA2h', 'user.screen_name': 'CurrentPowerINC'}, {'created_at': 'Mon Feb 12 02:38:02 +0000 2018', 'id': 962878432861401089, 'text': '.@jockowillink on fire at Brisbane MIT Global Entrepreneurship Bootcamp talking about #extremeleadership… https://t.co/57vOOYmqTd', 'user.screen_name': 'BillAulet'}, {'created_at': 'Mon Feb 12 02:37:37 +0000 2018', 'id': 962878329765355520, 'text': '#science #technology #News >> Weiss ’55, PhD ’62, professor emeritus of physics at MIT,... For More LIKE & FOLLOW @JPPMsolutions', 'user.screen_name': 'JPPMsolutions'}, {'created_at': 'Mon Feb 12 02:37:12 +0000 2018', 'id': 962878221611077632, 'text': 'RT @ThisIsMyStream: MIT Technology Review - The Best of the Physics arXiv (week ending February 10, 2018) https://t.co/Zi61SDFZw1', 'user.screen_name': 'JDRedding'}, {'created_at': 'Mon Feb 12 02:36:54 +0000 2018', 'id': 962878146872860673, 'text': '#Steffi Double Penetration mit #einer #blonden XXX #Jena https://t.co/P5HNyuiHwp', 'user.screen_name': 'jessica10548987'}, {'created_at': 'Mon Feb 12 02:36:48 +0000 2018', 'id': 962878121170161664, 'text': 'The way analytics is reshaping sports https://t.co/y0OFK5HqtS', 'user.screen_name': 'OneLinders'}, {'created_at': 'Mon Feb 12 02:35:47 +0000 2018', 'id': 962877867783852034, 'text': 'RT @politico: Is tech dividing America? POLITICO’s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N…', 'user.screen_name': 'StpdAmerHaiku'}, {'created_at': 'Mon Feb 12 02:35:00 +0000 2018', 'id': 962877669036777473, 'text': 'RT @itskac: Need to interview a #musician, a #freelancer, a #smallbiz owner (or someone who wants to start one) & a #tech #startup #founder…', 'user.screen_name': 'biconnections'}, {'created_at': 'Mon Feb 12 02:34:58 +0000 2018', 'id': 962877660123758593, 'text': 'Harvard picks ultimate insider who has degrees from Harvard, MIT, and led Tufts and who was originally on search co… https://t.co/y26I83B7wU', 'user.screen_name': 'SkipMarcucciMD'}, {'created_at': 'Mon Feb 12 02:34:56 +0000 2018', 'id': 962877652309823488, 'text': 'RT @IlvesToomas: Is tech dividing America? https://t.co/jzbapAFS7s', 'user.screen_name': 'oroande'}, {'created_at': 'Mon Feb 12 02:34:40 +0000 2018', 'id': 962877583955144704, 'text': 'Keynote Neri Oxman of Sony Corporation and MIT Media Lab at LIGHTFAIR International 2018 https://t.co/P7Wrmep6mZ https://t.co/GksM08rnK2', 'user.screen_name': 'ReliElectrician'}, {'created_at': 'Mon Feb 12 02:34:12 +0000 2018', 'id': 962877470142853120, 'text': 'Is tech dividing America? https://t.co/6nMjZUXQNC', 'user.screen_name': 'bluespiderwasp'}, {'created_at': 'Mon Feb 12 02:34:03 +0000 2018', 'id': 962877430523355136, 'text': 'RT @jdlovejoy: I’m in love with this story about designing the “+” in the Human + AI augmentation loop. It’s like discovering an oasis for…', 'user.screen_name': 'artwithMI'}, {'created_at': 'Mon Feb 12 02:33:18 +0000 2018', 'id': 962877243881074688, 'text': 'RT @IlvesToomas: Is tech dividing America? https://t.co/jzbapAFS7s', 'user.screen_name': 'Sakpol_SE'}, {'created_at': 'Mon Feb 12 02:33:13 +0000 2018', 'id': 962877222297243649, 'text': 'RT @IlvesToomas: Is tech dividing America? https://t.co/jzbapAFS7s', 'user.screen_name': 'Cuprikorn66'}, {'created_at': 'Mon Feb 12 02:33:03 +0000 2018', 'id': 962877176906313729, 'text': "RT @MIT_alumni: Co-founded by @nevadasanchez '10, SM '11, @ButterflyNetInc creates low cost, clinical-quality ultrasounds on a smartphone h…", 'user.screen_name': 'idaveg'}, {'created_at': 'Mon Feb 12 02:32:33 +0000 2018', 'id': 962877054856265728, 'text': 'Pace Layering: How Complex Systems Learn and Keep Learning https://t.co/rqBtpjahaB', 'user.screen_name': 'learnlinksfeed'}, {'created_at': 'Mon Feb 12 02:32:18 +0000 2018', 'id': 962876989794217985, 'text': 'Is tech dividing America? https://t.co/jzbapAFS7s', 'user.screen_name': 'IlvesToomas'}, {'created_at': 'Mon Feb 12 02:32:02 +0000 2018', 'id': 962876923868274693, 'text': '✌ @Reading "Solid" https://t.co/8FUXh51m58', 'user.screen_name': 'caseyisreading'}, {'created_at': 'Mon Feb 12 02:32:00 +0000 2018', 'id': 962876915936890881, 'text': 'RT @OnlyInBOS: The @NicheSocial Top Party Schools in Massachusetts:\n\n1 UMass Amherst\n2 MIT\n3 BU\n4 BC\n5 Berklee\n6 Northeastern\n7 Bentley\n8 U…', 'user.screen_name': 'MarymilGonzalez'}, {'created_at': 'Mon Feb 12 02:31:58 +0000 2018', 'id': 962876907405668352, 'text': '✌ @Reading "Solid" https://t.co/hll0uD9mKH', 'user.screen_name': 'caseyisreading'}, {'created_at': 'Mon Feb 12 02:31:37 +0000 2018', 'id': 962876817018298369, 'text': 'Will Anybody Buy a Drone Large Enough to Carry a Person? - MIT Technology Review https://t.co/jk7bGluhw2', 'user.screen_name': 'ConeDrones'}, {'created_at': 'Mon Feb 12 02:30:34 +0000 2018', 'id': 962876553528037376, 'text': 'Facial recognition software is biased towards white men, researcher finds - The Verge https://t.co/Pnaes4YLqC #Google #News #Tech', 'user.screen_name': 'DailyNewTech'}, {'created_at': 'Mon Feb 12 02:30:08 +0000 2018', 'id': 962876446665474048, 'text': 'This new company wants to sequence your genome and let you share it on a blockchain. People will be able to earn cr… https://t.co/DIQYd8MTWP', 'user.screen_name': 'CTIChicago'}, {'created_at': 'Mon Feb 12 02:30:06 +0000 2018', 'id': 962876435332550657, 'text': '@itsmattward Cool article on nature and blockchains. Eduardo Castello Ferrer from MIT media lab has a paper on swar… https://t.co/eMBaXz87Cf', 'user.screen_name': 'sapien_sam'}, {'created_at': 'Mon Feb 12 02:29:57 +0000 2018', 'id': 962876400364638208, 'text': 'RT @itskac: Need to interview a #musician, a #freelancer, a #smallbiz owner (or someone who wants to start one) & a #tech #startup #founder…', 'user.screen_name': 'WesPlattTweets'}, {'created_at': 'Mon Feb 12 02:29:56 +0000 2018', 'id': 962876395994206208, 'text': 'RT @itskac: Need to interview a #musician, a #freelancer, a #smallbiz owner (or someone who wants to start one) & a #tech #startup #founder…', 'user.screen_name': 'matageli'}, {'created_at': 'Mon Feb 12 02:29:36 +0000 2018', 'id': 962876310543482880, 'text': 'RT @skocharlakota: Happening now - @msisodia taking questions from MIT students. https://t.co/bArfCC0SFu', 'user.screen_name': 'MdAsik60605794'}, {'created_at': 'Mon Feb 12 02:29:35 +0000 2018', 'id': 962876306106003456, 'text': 'RT @carlcarrie: MIT Behavioral Trading Cryptocurrency Research Paper -excitation, herding and peer-influence across cryptocurrency Executio…', 'user.screen_name': 'aoi_cap'}, {'created_at': 'Mon Feb 12 02:29:10 +0000 2018', 'id': 962876202691133441, 'text': 'RT @itskac: Need to interview a #musician, a #freelancer, a #smallbiz owner (or someone who wants to start one) & a #tech #startup #founder…', 'user.screen_name': 'kitty4hawks'}, {'created_at': 'Mon Feb 12 02:28:49 +0000 2018', 'id': 962876112236789761, 'text': 'RT @politico: Is tech dividing America? POLITICO’s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N…', 'user.screen_name': 'Unibloo'}, {'created_at': 'Mon Feb 12 02:28:48 +0000 2018', 'id': 962876109716164609, 'text': 'RT @cosmobiologist: Professor Danielle Wood of the Space Enabled Research Lab at the MIT Media Group on how we can use space exploration te…', 'user.screen_name': 'tracy_karin'}, {'created_at': 'Mon Feb 12 02:28:42 +0000 2018', 'id': 962876084248178689, 'text': 'RT @mitsmr: "Great strategists are like great chess players or great game theorists: They need to think several steps ahead towards the end…', 'user.screen_name': 'TheCerebrus'}, {'created_at': 'Mon Feb 12 02:28:26 +0000 2018', 'id': 962876015780548610, 'text': 'RT @StanM3: Germany- Afghan(19) stabbed his ex-girlfriend(23) in the shoulder and fled. The police had been called because of domestic viol…', 'user.screen_name': 'Cookiemuffen'}, {'created_at': 'Mon Feb 12 02:28:02 +0000 2018', 'id': 962875914769092609, 'text': 'RT @politico: Is tech dividing America? POLITICO’s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N…', 'user.screen_name': 'gsngl'}, {'created_at': 'Mon Feb 12 02:27:51 +0000 2018', 'id': 962875868363161600, 'text': "'Facial recognition software is biased towards white men, researcher finds' from @theverge: https://t.co/8RQBlPCL2A #algorithmicbias", 'user.screen_name': 'jpgreenwood'}, {'created_at': 'Mon Feb 12 02:27:42 +0000 2018', 'id': 962875832451682305, 'text': '⏬ watch ⏬\n\nhttps://t.co/MKcbCgSlax\n\nbignaturaltits porn bignaturalbreast mom deutsche mother german hd oldyoung big… https://t.co/MkVto0RC8l', 'user.screen_name': 'Donna9Phyllis'}, {'created_at': 'Mon Feb 12 02:27:36 +0000 2018', 'id': 962875805335371776, 'text': 'RT @ProfBarrett: The MIT Innovation and Entrepreneurship Bootcamp is well underway. https://t.co/xyNaozuPaw', 'user.screen_name': 'brizfagan'}, {'created_at': 'Mon Feb 12 02:27:28 +0000 2018', 'id': 962875773060251649, 'text': 'Need to interview a #musician, a #freelancer, a #smallbiz owner (or someone who wants to start one) & a #tech… https://t.co/K6Yzmslj0Y', 'user.screen_name': 'itskac'}, {'created_at': 'Mon Feb 12 02:27:04 +0000 2018', 'id': 962875674347409408, 'text': 'RT @politico: Is tech dividing America? POLITICO’s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N…', 'user.screen_name': 'JoseRamonVille6'}, {'created_at': 'Mon Feb 12 02:26:46 +0000 2018', 'id': 962875596538826753, 'text': 'RT @politico: Is tech dividing America? POLITICO’s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N…', 'user.screen_name': 'fj_newman'}, {'created_at': 'Mon Feb 12 02:26:38 +0000 2018', 'id': 962875564792016896, 'text': 'Distinctive brain pattern helps habits form https://t.co/ufC3X8r0bt', 'user.screen_name': 'Johnson37975725'}, {'created_at': 'Mon Feb 12 02:25:57 +0000 2018', 'id': 962875393006022656, 'text': 'RT @politico: Is tech dividing America? POLITICO’s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N…', 'user.screen_name': 'BulletinLoft'}, {'created_at': 'Mon Feb 12 02:25:47 +0000 2018', 'id': 962875351834611712, 'text': 'RT @MITSloan: "Let us aspire to these kinds of businesses that create value across stakeholders, rather than settling for value only to sha…', 'user.screen_name': 'bdean_'}, {'created_at': 'Mon Feb 12 02:25:43 +0000 2018', 'id': 962875334960885760, 'text': '@gbaucom @techreview I read that article this morning and retweeted on twitter - but not on Facebook #mit #WomeninScience', 'user.screen_name': 'JChrisPires'}, {'created_at': 'Mon Feb 12 02:25:31 +0000 2018', 'id': 962875281215193089, 'text': 'RT @politico: Is tech dividing America? POLITICO’s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N…', 'user.screen_name': 'SueLeugers'}, {'created_at': 'Mon Feb 12 02:25:12 +0000 2018', 'id': 962875204153282561, 'text': 'RT @politico: Is tech dividing America? POLITICO’s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N…', 'user.screen_name': 'NicoletteMpls'}, {'created_at': 'Mon Feb 12 02:25:07 +0000 2018', 'id': 962875181793533952, 'text': 'RT @politico: Is tech dividing America? POLITICO’s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N…', 'user.screen_name': 'DarthStarks'}, {'created_at': 'Mon Feb 12 02:24:32 +0000 2018', 'id': 962875034028183555, 'text': 'RT @politico: Is tech dividing America? POLITICO’s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N…', 'user.screen_name': 'jeremiahgraves'}, {'created_at': 'Mon Feb 12 02:24:24 +0000 2018', 'id': 962875003279585281, 'text': 'RT @gbaucom: Meet the biologist who got MIT to examine its treatment of women researchers - via @techreview https://t.co/c6JqibvhkQ //I rec…', 'user.screen_name': 'JChrisPires'}, {'created_at': 'Mon Feb 12 02:24:23 +0000 2018', 'id': 962874997416124416, 'text': 'RT @politico: Is tech dividing America? POLITICO’s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N…', 'user.screen_name': 'AnalyzedLabs'}, {'created_at': 'Mon Feb 12 02:24:22 +0000 2018', 'id': 962874994047897600, 'text': 'RT @politico: Is tech dividing America? POLITICO’s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/N…', 'user.screen_name': 'Kiwigirl58'}, {'created_at': 'Mon Feb 12 02:24:13 +0000 2018', 'id': 962874954046984197, 'text': 'Divided states of America. Expectations vs Reality. #MIT https://t.co/mg0CzOcODz', 'user.screen_name': 'PepPuigRos'}, {'created_at': 'Mon Feb 12 02:24:04 +0000 2018', 'id': 962874919909494784, 'text': 'Is tech dividing America? POLITICO’s @nancyscola interviews MIT researcher David Autor https://t.co/5bOrOCQ0EF https://t.co/Nyx6ZDoLpl', 'user.screen_name': 'politico'}, {'created_at': 'Mon Feb 12 02:23:38 +0000 2018', 'id': 962874807900606464, 'text': 'RT @DevinGloGod: when i use the \ud83d\ude17 emoji it’s not a kiss it’s this: https://t.co/O9IoJLnWkc', 'user.screen_name': 'Taylor_Mit'}, {'created_at': 'Mon Feb 12 02:22:44 +0000 2018', 'id': 962874584474226688, 'text': '@jeremiefrechet2 That’s actually why MIT has a better rating. More students get in and pretty much if you graduate… https://t.co/RTymh7XBTy', 'user.screen_name': 'alexiajordan24'}, {'created_at': 'Mon Feb 12 02:22:37 +0000 2018', 'id': 962874551922315264, 'text': 'RT @MITSloan: "Let us aspire to these kinds of businesses that create value across stakeholders, rather than settling for value only to sha…', 'user.screen_name': 'vestedventures'}, {'created_at': 'Mon Feb 12 02:22:06 +0000 2018', 'id': 962874421445910528, 'text': "RT @mitsmr: RT @MITSloan: Analytics are driving more and more business decisions in sports. 3 from the industry reveal what's next. https:/…", 'user.screen_name': 'vestedventures'}, {'created_at': 'Mon Feb 12 02:21:59 +0000 2018', 'id': 962874392249282560, 'text': 'sex mit teenie sensual adult greeting cards https://t.co/0vOWeLdVbK', 'user.screen_name': 'lauramilenaceti'}, {'created_at': 'Mon Feb 12 02:21:56 +0000 2018', 'id': 962874379464974338, 'text': 'RT @skocharlakota: In the streets of Boston cutting thru MIT and Harvard universities, @msisodia walks with @AamAadmiParty volunteers & wel…', 'user.screen_name': 'deshmukh_vinesh'}, {'created_at': 'Mon Feb 12 02:21:42 +0000 2018', 'id': 962874323189952512, 'text': "RT @mitsmr: RT @MITSloan: Analytics are driving more and more business decisions in sports. 3 from the industry reveal what's next. https:/…", 'user.screen_name': 'iSocialFanz'}, {'created_at': 'Mon Feb 12 02:21:41 +0000 2018', 'id': 962874319528345600, 'text': 'RT @karoly_zsolnai: SLAC Dataset From MIT and Facebook | Two Minute Papers #227 - https://t.co/yt00nS5kXp #ai https://t.co/EX709i7mOH', 'user.screen_name': 'KageKirin'}, {'created_at': 'Mon Feb 12 02:21:17 +0000 2018', 'id': 962874217250349057, 'text': 'RT @BartekKsieski: Originally "cracker" was associated with the "bad, dark side" of hacking. #hacking #hackers #hacker #computers #technolo…', 'user.screen_name': 'Crucial_Recruit'}, {'created_at': 'Mon Feb 12 02:21:14 +0000 2018', 'id': 962874205015609344, 'text': "RT @mitsmr: RT @MITSloan: Analytics are driving more and more business decisions in sports. 3 from the industry reveal what's next. https:/…", 'user.screen_name': 'rautsan'}, {'created_at': 'Mon Feb 12 02:21:12 +0000 2018', 'id': 962874195221893120, 'text': 'RT @misswolfiee: Beware this auction and seller who goes by Ritsu/Muttritsu. Theyre selling an already paid commission of a finished head o…', 'user.screen_name': 'mit_ouo'}, {'created_at': 'Mon Feb 12 02:21:09 +0000 2018', 'id': 962874185637875714, 'text': 'RT @mcsantacaterina: 2 MIT grads built an algorithm to pair you with wine. Take the quiz to see your wine matches https://t.co/tsKDg0Vkl7 h…', 'user.screen_name': 'Kish33'}, {'created_at': 'Mon Feb 12 02:20:27 +0000 2018', 'id': 962874006574530560, 'text': 'Originally "cracker" was associated with the "bad, dark side" of hacking. #hacking #hackers #hacker #computers… https://t.co/VfcIJHwgZx', 'user.screen_name': 'BartekKsieski'}, {'created_at': 'Mon Feb 12 02:20:10 +0000 2018', 'id': 962873935384768512, 'text': 'Solid aims to radically change the way web applications work https://t.co/hJnQ6zZfe5', 'user.screen_name': '_mangesh_tekale'}, {'created_at': 'Mon Feb 12 02:18:13 +0000 2018', 'id': 962873445200560128, 'text': "@chesscom @HuffPost @JohnCUrschel @MIT Saw him on stream training with Chessbrah's GM Aman Hambleton. He's taking t… https://t.co/O2yvUmAexF", 'user.screen_name': 'Lman92GTR'}, {'created_at': 'Mon Feb 12 02:17:46 +0000 2018', 'id': 962873334735060992, 'text': '@oliverdarcy @michaelmalice Nothing', 'user.screen_name': 'numbut_mit'}, {'created_at': 'Mon Feb 12 02:17:40 +0000 2018', 'id': 962873305995898880, 'text': 'RT @MITSloan: "Let us aspire to these kinds of businesses that create value across stakeholders, rather than settling for value only to sha…', 'user.screen_name': 'bwilcoxwrites'}, {'created_at': 'Mon Feb 12 02:17:14 +0000 2018', 'id': 962873198906953728, 'text': '12-year study looks at effects of universal basic income https://t.co/nIkwn3M6sX', 'user.screen_name': 'marcosplarruda'}, {'created_at': 'Mon Feb 12 02:17:13 +0000 2018', 'id': 962873195589193728, 'text': 'Why am I not surprised about this? https://t.co/eeEkbsWSqH', 'user.screen_name': 'tehabe'}, {'created_at': 'Mon Feb 12 02:16:46 +0000 2018', 'id': 962873081218977792, 'text': "i don't get why y'all be saying i have trash taste in music when i b listening to gems like this https://t.co/zjJuHTt8UR", 'user.screen_name': 'damn_mit'}, {'created_at': 'Mon Feb 12 02:16:19 +0000 2018', 'id': 962872966655725569, 'text': "RT @ncasenmare: My first academic journal article! hooray, i'm a Serious Grown-Up™ now.\n\nAbout AI (Artificial Intelligence) and its forgott…", 'user.screen_name': 'adrepd'}, {'created_at': 'Mon Feb 12 02:15:59 +0000 2018', 'id': 962872884829065218, 'text': 'Mit Echo Sound Test Service skypen', 'user.screen_name': 'KenshinXV_Bot'}, {'created_at': 'Mon Feb 12 02:15:59 +0000 2018', 'id': 962872883067441157, 'text': 'RT @bobvids: because they want to die https://t.co/Xankr6kjxF', 'user.screen_name': 'Punk_mit_Brille'}, {'created_at': 'Mon Feb 12 02:15:38 +0000 2018', 'id': 962872797629382656, 'text': "RT @ncasenmare: My first academic journal article! hooray, i'm a Serious Grown-Up™ now.\n\nAbout AI (Artificial Intelligence) and its forgott…", 'user.screen_name': 'samim'}, {'created_at': 'Mon Feb 12 02:15:37 +0000 2018', 'id': 962872792420151296, 'text': 'MIT Technology Review https://t.co/RbrQ2pleS9', 'user.screen_name': 'inayoyurukoga'}, {'created_at': 'Mon Feb 12 02:15:37 +0000 2018', 'id': 962872790289403904, 'text': 'MIT Technology Review https://t.co/ot33bmUDnL', 'user.screen_name': 'tekigakidanne'}, {'created_at': 'Mon Feb 12 02:15:35 +0000 2018', 'id': 962872781452075008, 'text': 'MIT Technology Review https://t.co/El2KoUbfi8', 'user.screen_name': 'patsugizaeibu'}, {'created_at': 'Mon Feb 12 02:15:13 +0000 2018', 'id': 962872689550491648, 'text': "RT @mitsmr: RT @MITSloan: Analytics are driving more and more business decisions in sports. 3 from the industry reveal what's next. https:/…", 'user.screen_name': 'nancyrubin'}, {'created_at': 'Mon Feb 12 02:15:08 +0000 2018', 'id': 962872671150264320, 'text': 'RT @MPBorman: Using #Analytics to Improve #CustomerEngagement https://t.co/QudJPaK8eD @mitsmr @SASsoftware #corpgov #CEO #CFO #CIO #CMO #Bo…', 'user.screen_name': 'lfpazmino'}, {'created_at': 'Mon Feb 12 02:15:03 +0000 2018', 'id': 962872651109711874, 'text': 'IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/fpGQkvZw7z #AI https://t.co/voqbTiLAep', 'user.screen_name': 'RPA_AI'}, {'created_at': 'Mon Feb 12 02:15:00 +0000 2018', 'id': 962872636429627393, 'text': 'What to watch besides the athletes at #WinterOlympics. (MIT Management) #Analytics #PyeongchangOlympics… https://t.co/NCFovQbqG5', 'user.screen_name': 'jamesvgingerich'}, {'created_at': 'Mon Feb 12 02:13:48 +0000 2018', 'id': 962872334007881729, 'text': "RT @MaldenHS_Sports: Breaking News...Kevin Ochoa's time in the 200 Freestyle today at the Division 1 North Sectionals at MIT is a New MHS S…", 'user.screen_name': 'sebascries'}, {'created_at': 'Mon Feb 12 02:13:13 +0000 2018', 'id': 962872186729041920, 'text': 'RT @EconoScribe: “A Reddit mob came after 16-year-old Harshita Arora, claiming she didn’t make her Crypto Price Tracker app. Turns out she…', 'user.screen_name': 'ifindinternship'}, {'created_at': 'Mon Feb 12 02:12:41 +0000 2018', 'id': 962872052800675840, 'text': 'RT @TraDove_ICO: Breakfast with our team, board member Gordon Kaufman, and Professor Emeritus from the MIT Sloan School of Management. Big…', 'user.screen_name': 'HunterBTC1'}, {'created_at': 'Mon Feb 12 02:12:33 +0000 2018', 'id': 962872018755563520, 'text': '@jeremiefrechet2 I know. I’m just saying. Your argument would’ve been hell of a lot better had you said MIT.', 'user.screen_name': 'alexiajordan24'}, {'created_at': 'Mon Feb 12 02:11:59 +0000 2018', 'id': 962871875599765505, 'text': "RT @DurfeeAthletics: Jaelin Jang represented Durfee today in the Women's MA South Sec. Swim Meet at MIT in Boston, competing in the 200 Yar…", 'user.screen_name': 'Poliseno_PE'}, {'created_at': 'Mon Feb 12 02:11:44 +0000 2018', 'id': 962871815004618752, 'text': "RT @Durfee_Aquatics: Jaelin Jang represented Durfee today in the Women's MA South Sectionals Swim Meet at MIT in… https://t.co/zDpSCYHKdf", 'user.screen_name': 'Poliseno_PE'}, {'created_at': 'Mon Feb 12 02:11:01 +0000 2018', 'id': 962871634284761088, 'text': '“A Reddit mob came after 16-year-old Harshita Arora, claiming she didn’t make her Crypto Price Tracker app. Turns o… https://t.co/pcxDFUAGw4', 'user.screen_name': 'EconoScribe'}, {'created_at': 'Mon Feb 12 02:10:58 +0000 2018', 'id': 962871621903093761, 'text': 'Pace Layering: How Complex Systems Learn and Keep Learning https://t.co/rL4yxPFVDa (https://t.co/Ic6nLJRPPw)', 'user.screen_name': 'newsyc50'}, {'created_at': 'Mon Feb 12 02:10:53 +0000 2018', 'id': 962871599346192384, 'text': '#Phoenix #mißbraucht #Abella #Danger mit #einem strapon #Emden https://t.co/G6oIR7CJ6S', 'user.screen_name': 'robertson2555'}, {'created_at': 'Mon Feb 12 02:10:41 +0000 2018', 'id': 962871549387665408, 'text': 'RT @alesiamorris: #BlackHistoryMonth \nShirley Ann Jackson PhD was the first African-American woman to earn a doctorate @MIT \nhttps://t.co/…', 'user.screen_name': 'charlesjo'}, {'created_at': 'Mon Feb 12 02:10:28 +0000 2018', 'id': 962871494731845632, 'text': "#nowplaying #xaviernaidoo ~ Xavier Naidoo | Nimm Mich Mit ||| Radio TEDDY - That's fun - makes clever!", 'user.screen_name': 'RadioTeddyMusic'}, {'created_at': 'Mon Feb 12 02:10:27 +0000 2018', 'id': 962871489879072768, 'text': 'RT @BourseetTrading: \ud83d\udd34" Harvard Geneticist Launches DNA-Fueled #Blockchain #Startup " :\nhttps://t.co/leTmNo2t0K @CryptoCoinsNews \n@Harvard…', 'user.screen_name': 'CarlHansenMD'}, {'created_at': 'Mon Feb 12 02:10:05 +0000 2018', 'id': 962871401194704897, 'text': '#BlackHistoryMonth \nShirley Ann Jackson PhD was the first African-American woman to earn a doctorate @MIT \nhttps://t.co/y94x70mjDR', 'user.screen_name': 'alesiamorris'}, {'created_at': 'Mon Feb 12 02:09:51 +0000 2018', 'id': 962871338582134784, 'text': 'Wow, mi primer essay en purEEE english. Me siento bien MIT.', 'user.screen_name': 'p4rtypeople'}, {'created_at': 'Mon Feb 12 02:09:34 +0000 2018', 'id': 962871269648683008, 'text': "RT @MaldenHS_Sports: Breaking News...Kevin Ochoa's time in the 200 Freestyle today at the Division 1 North Sectionals at MIT is a New MHS S…", 'user.screen_name': 'kevinocho19'}, {'created_at': 'Mon Feb 12 02:09:12 +0000 2018', 'id': 962871178196111360, 'text': 'Solid aims to radically change the way web applications work https://t.co/IV0HIvRYmI', 'user.screen_name': 'hn_uniq'}, {'created_at': 'Mon Feb 12 02:09:04 +0000 2018', 'id': 962871143400062976, 'text': "RT @mitsmr: Keep this chart handy when you're Identifying potential #leaders in your company. https://t.co/WHj7CM39AJ #management https://…", 'user.screen_name': 'Michael_Oyakojo'}, {'created_at': 'Mon Feb 12 02:09:03 +0000 2018', 'id': 962871139570601984, 'text': 'RT @mitsmr: "Even with rapid advances," says @erikbryn, "AI won’t be able to replace most jobs anytime soon. But in almost every industry,…', 'user.screen_name': 'fundataminsolo'}, {'created_at': 'Mon Feb 12 02:08:15 +0000 2018', 'id': 962870938462294016, 'text': '50 – Pace Layering: How Complex Systems Learn and Keep Learning https://t.co/OZXgtiFYnr', 'user.screen_name': 'betterhn50'}, {'created_at': 'Mon Feb 12 02:07:59 +0000 2018', 'id': 962870872741617664, 'text': 'Underground News Inc.: MIT expert claims latest chemical weapons attack i... https://t.co/O7DjsofTxR', 'user.screen_name': 'XXXTCPorno'}, {'created_at': 'Mon Feb 12 02:07:58 +0000 2018', 'id': 962870866001432576, 'text': '@jeremiefrechet2 You choose to go for Harvard and not MIT which is the #1 college in the world. Harvard is #3. Stan… https://t.co/rOESXSU4QZ', 'user.screen_name': 'alexiajordan24'}, {'created_at': 'Mon Feb 12 02:07:53 +0000 2018', 'id': 962870847429111808, 'text': 'RT @Global_Renewal: #Reflecting on "overcoming #resistance to #DiffusionOfInnovation & #AdoptionOfInnovation">>>\nhttps://t.co/YsOjNCb2mF\n\nh…', 'user.screen_name': 'Global_Renewal'}, {'created_at': 'Mon Feb 12 02:07:53 +0000 2018', 'id': 962870846904721408, 'text': '@ajax_mit Five Guys >', 'user.screen_name': 'TrailerParkGoon'}, {'created_at': 'Mon Feb 12 02:07:27 +0000 2018', 'id': 962870735059456006, 'text': '@Twitter \n@TwitterSupport \n@TwitterSafety \nWhat is Twitter doing to ID & block bots and other antagonistic posts us… https://t.co/4RngbBbQkh', 'user.screen_name': 'countmeout11'}, {'created_at': 'Mon Feb 12 02:07:22 +0000 2018', 'id': 962870714528354304, 'text': 'RT @skocharlakota: One of the important vision and focus of @ArvindKejriwal sarkar is rightly depicted in these pictures here - Education,…', 'user.screen_name': 'PrasunKaliB'}, {'created_at': 'Mon Feb 12 02:07:14 +0000 2018', 'id': 962870682148376576, 'text': 'Be a futurist. Check out this cool six-step forecasting methodology created by amywebb. https://t.co/TlWDANYEIg via >mitsmr', 'user.screen_name': 'savia_digital'}, {'created_at': 'Mon Feb 12 02:07:11 +0000 2018', 'id': 962870669968072704, 'text': '@cjzero What software do you use to grab video? I enjoy your content, and wanted to try to experiment on my own a bit.', 'user.screen_name': 'ffulC_miT'}, {'created_at': 'Mon Feb 12 02:06:40 +0000 2018', 'id': 962870537822396416, 'text': '@hyperhydration Bei mir mit kid cudi', 'user.screen_name': 'KevMescudi'}, {'created_at': 'Mon Feb 12 02:05:45 +0000 2018', 'id': 962870307374714881, 'text': 'RT @55true4u: James Woods had near-perfect SAT scores, and an IQ of 184.\nWoods was a brilliant student who achieved a perfect 800 on the ve…', 'user.screen_name': 'James90972633'}, {'created_at': 'Mon Feb 12 02:05:18 +0000 2018', 'id': 962870194837352451, 'text': 'RT @newsycombinator: Solid aims to radically change the way web applications work https://t.co/x1xBfqvs2v', 'user.screen_name': 'martin1975'}, {'created_at': 'Mon Feb 12 02:03:20 +0000 2018', 'id': 962869699221614592, 'text': 'Solid aims to radically change the way web applications work https://t.co/T2KxlLsJN7', 'user.screen_name': 'TridzOnline'}, {'created_at': 'Mon Feb 12 02:03:07 +0000 2018', 'id': 962869645366607872, 'text': 'Solid aims to radically change the way web applications work https://t.co/pgd9lz9M6i https://t.co/pmlgcW4wwp', 'user.screen_name': 'hn_responder'}, {'created_at': 'Mon Feb 12 02:03:02 +0000 2018', 'id': 962869626718715905, 'text': 'Der Dom ist mit vielen Statuen verziert. The dome is decorated with many statues.', 'user.screen_name': 'deutschbot1'}, {'created_at': 'Mon Feb 12 02:03:02 +0000 2018', 'id': 962869624445591552, 'text': 'Solid aims to radically change the way web applications work https://t.co/x1xBfqvs2v', 'user.screen_name': 'newsycombinator'}, {'created_at': 'Mon Feb 12 02:02:50 +0000 2018', 'id': 962869575099473920, 'text': 'RT @mitsmr: "Even with rapid advances," says @erikbryn, "AI won’t be able to replace most jobs anytime soon. But in almost every industry,…', 'user.screen_name': 'B2Bbizbuilder'}, {'created_at': 'Mon Feb 12 02:02:36 +0000 2018', 'id': 962869517058654209, 'text': 'RT @TensorFlow: Thanks @MIT for sharing your Intro to Deep Learning class online! \ud83d\ude4c They include slides and videos, as well as labs in Tens…', 'user.screen_name': '2mo_hamisme'}, {'created_at': 'Mon Feb 12 02:02:21 +0000 2018', 'id': 962869455008272386, 'text': 'MIT (Manager in Training) - NEW WAVE WIRELESS - Hot Springs, AR\xa0\xa0https://t.co/ptnJqX4mlO', 'user.screen_name': 'supra1Bqteam'}, {'created_at': 'Mon Feb 12 02:02:19 +0000 2018', 'id': 962869445675724800, 'text': 'RT @MITSloan: "Let us aspire to these kinds of businesses that create value across stakeholders, rather than settling for value only to sha…', 'user.screen_name': 'neospacefnd'}, {'created_at': 'Mon Feb 12 02:02:17 +0000 2018', 'id': 962869437761191937, 'text': 'RT @HarvardDivinity: “Since meeting and befriending Larry Bacow over 25 years ago at MIT, I have had the privilege of working with one of t…', 'user.screen_name': 'elhombremelena'}, {'created_at': 'Mon Feb 12 02:02:17 +0000 2018', 'id': 962869434749726721, 'text': '#bbw #mit massiven #titten #fickt #geck in der sauna https://t.co/OjAjXKMC8G', 'user.screen_name': 'O9WQBDn6iku9Rq7'}, {'created_at': 'Mon Feb 12 02:01:51 +0000 2018', 'id': 962869325114650625, 'text': 'Solid aims to radically change the way web applications work\nhttps://t.co/gE2bcx4juK\nArticle URL: https://t.co/U0elKpRSwY URL: https:', 'user.screen_name': 'M157q_News_RSS'}, {'created_at': 'Mon Feb 12 02:01:34 +0000 2018', 'id': 962869257888464897, 'text': 'Solid aims to radically change the way web applications work https://t.co/8qtZrjJ0dR', 'user.screen_name': 'betterhn100'}, {'created_at': 'Mon Feb 12 02:01:25 +0000 2018', 'id': 962869216427855872, 'text': "@rockerskating I have 3 degrees from MIT and can't entirely decipher this", 'user.screen_name': 'jodiecongirl'}, {'created_at': 'Mon Feb 12 02:01:13 +0000 2018', 'id': 962869168264527872, 'text': 'Facial recognition software is biased towards white men, researcher finds https://t.co/knzIaaQN3U https://t.co/8RmzoF898x', 'user.screen_name': 'grenhall'}, {'created_at': 'Mon Feb 12 02:01:12 +0000 2018', 'id': 962869163277672448, 'text': 'RT @conangray: bi is short for bitchwhatthefuckkissmealready', 'user.screen_name': 'mit_ouo'}, {'created_at': 'Mon Feb 12 02:01:08 +0000 2018', 'id': 962869148559773696, 'text': 'RT @Smatterbrain: This is really horrible. Abandoning an animal in the hopes that someone finds it and cares for it is beyond disgusting an…', 'user.screen_name': 'mit_ouo'}, {'created_at': 'Mon Feb 12 02:01:04 +0000 2018', 'id': 962869129530064896, 'text': 'RT @mitsmr: "Even with rapid advances," says @erikbryn, "AI won’t be able to replace most jobs anytime soon. But in almost every industry,…', 'user.screen_name': 'bdean_'}, {'created_at': 'Mon Feb 12 02:00:54 +0000 2018', 'id': 962869089034227712, 'text': '"\ud83d\udd25NEUES UPDATE\ud83d\udd25OverWatch Unlimited Loot Boxes Glitch 2018 - Kostenlose Beutelboxen *Mit Live Proof*"\xa0: https://t.co/zXSViycZsT', 'user.screen_name': 'RedoneTweets'}, {'created_at': 'Mon Feb 12 02:00:39 +0000 2018', 'id': 962869024991391745, 'text': 'RT @scratch: Scratch Days can be large or small, for beginners and for more experienced Scratchers. Find a Scratch Day in your community, o…', 'user.screen_name': 'TeacherDrSarah'}, {'created_at': 'Mon Feb 12 02:00:34 +0000 2018', 'id': 962869003478806529, 'text': 'RT @MITSloan: "Let us aspire to these kinds of businesses that create value across stakeholders, rather than settling for value only to sha…', 'user.screen_name': 'beatmeyer'}, {'created_at': 'Mon Feb 12 02:00:14 +0000 2018', 'id': 962868921488564225, 'text': "RT @MITSloan: Analytics are driving more and more business decisions in sports. 3 from the industry reveal what's n… https://t.co/HTtCyUlB1Y", 'user.screen_name': 'mitsmr'}, {'created_at': 'Mon Feb 12 02:00:09 +0000 2018', 'id': 962868900282191874, 'text': "RT @MaldenHS_Sports: Breaking News...Kevin Ochoa's time in the 200 Freestyle today at the Division 1 North Sectionals at MIT is a New MHS S…", 'user.screen_name': 'Joanneee528'}, {'created_at': 'Mon Feb 12 02:00:01 +0000 2018', 'id': 962868865095970817, 'text': 'Solid aims to radically change the way web applications work https://t.co/2eTJ3kq9qY', 'user.screen_name': 'hackernewsfeed'}, {'created_at': 'Mon Feb 12 01:59:55 +0000 2018', 'id': 962868841926877184, 'text': "RT @MaldenHS_Sports: Breaking News...Kevin Ochoa's time in the 200 Freestyle today at the Division 1 North Sectionals at MIT is a New MHS S…", 'user.screen_name': 'mschistorymhs'}, {'created_at': 'Mon Feb 12 01:59:34 +0000 2018', 'id': 962868752823005184, 'text': '@Bobby_Corwin Even if you are alone, candy under the nails is yucky', 'user.screen_name': 'mit_ouo'}, {'created_at': 'Mon Feb 12 01:59:30 +0000 2018', 'id': 962868736469344256, 'text': 'RT @MITSloan: Integrating analytics is crucial. Start with these 8 articles. https://t.co/3hxWVgHY9q', 'user.screen_name': 'cjvalladares_57'}, {'created_at': 'Mon Feb 12 01:59:00 +0000 2018', 'id': 962868610594148352, 'text': '"Let us aspire to these kinds of businesses that create value across stakeholders, rather than settling for value o… https://t.co/HHUrj7aqBk', 'user.screen_name': 'MITSloan'}, {'created_at': 'Mon Feb 12 01:58:56 +0000 2018', 'id': 962868592814514176, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'PriscaDujardin'}, {'created_at': 'Mon Feb 12 01:57:50 +0000 2018', 'id': 962868315201748992, 'text': 'RT @mitsmr: “Journalists often check a CEO’s Twitter account before covering the CEO or the company.” https://t.co/er59CY71Vg', 'user.screen_name': 'Michael_Oyakojo'}, {'created_at': 'Mon Feb 12 01:57:41 +0000 2018', 'id': 962868278547816448, 'text': 'RT @MITSloan: “The Olympic host city loses money on the venture.” https://t.co/JoFh4VZF8x https://t.co/sioocepgZj', 'user.screen_name': 'Michael_Oyakojo'}, {'created_at': 'Mon Feb 12 01:57:18 +0000 2018', 'id': 962868183672684544, 'text': 'RT @LemelsonMIT: Our website is full of free resources, perfect for helping #teachers to inspire their students about #invention. Take your…', 'user.screen_name': 'tonyperry'}, {'created_at': 'Mon Feb 12 01:57:18 +0000 2018', 'id': 962868181789528064, 'text': 'RT @deeplearning4j: Pace Layering: How Complex Systems Learn and Keep Learning https://t.co/XysTbEoVZG', 'user.screen_name': 'PaaSDev'}, {'created_at': 'Mon Feb 12 01:57:18 +0000 2018', 'id': 962868180778733574, 'text': "RT @FrRonconi: Meet the 'Copenhagen Wheel', the first smart #bike wheel. It makes your bike an electric bicycle that synchronizes with your…", 'user.screen_name': 'luisharoldo'}, {'created_at': 'Mon Feb 12 01:57:04 +0000 2018', 'id': 962868123639730177, 'text': 'RT @mitsmr: RT @joannecanderson: How to achieve "extreme #productivity" from @mitsmr : "Hours are a traditional way of tracking employee p…', 'user.screen_name': 's_fogle'}, {'created_at': 'Mon Feb 12 01:56:49 +0000 2018', 'id': 962868062046248960, 'text': 'Synchronize your crotches! 24hr until VALENSTEINS ...mit HEiNO! ♥️⏱♥️\n#heino #oldweirdeyes… https://t.co/AQ6RDVOEN8', 'user.screen_name': 'HeinoHappyHour'}, {'created_at': 'Mon Feb 12 01:56:43 +0000 2018', 'id': 962868033453731841, 'text': '@jeremiefrechet2 Assuming you mean MIT. UCLA has a better Civil Engineering program and several other programs. MIT… https://t.co/mWQYmIDXx7', 'user.screen_name': 'alexiajordan24'}, {'created_at': 'Mon Feb 12 01:56:37 +0000 2018', 'id': 962868010510938113, 'text': 'RT @TamaraMcCleary: Mastering the Digital #Innovation Challenge https://t.co/4jbLqULxfg #leadership #digitaltransformation MT @jglass8 via…', 'user.screen_name': 'InnoForbes'}, {'created_at': 'Mon Feb 12 01:56:24 +0000 2018', 'id': 962867955846602752, 'text': 'RT @StanM3: Italy- Media silence after a Sudanese man threatens people with knives and axes!\nhttps://t.co/DVlW1hZnrg https://t.co/L4v4xE4l5r', 'user.screen_name': 'Do666999'}, {'created_at': 'Mon Feb 12 01:55:46 +0000 2018', 'id': 962867795196305408, 'text': '#Blockchain Decoded - #MIT Technology Review https://t.co/azJqt6dcHJ', 'user.screen_name': 'laurentlequien'}, {'created_at': 'Mon Feb 12 01:55:17 +0000 2018', 'id': 962867675973042176, 'text': 'The @MITBootcamps @QUT is underway. MIT Bootcamp draws environmental entrepreneurs to QUT https://t.co/X2ZyxphqEF', 'user.screen_name': 'ProfBarrett'}, {'created_at': 'Mon Feb 12 01:55:09 +0000 2018', 'id': 962867641504403456, 'text': '#Harvard names Lawrence S. Bacow as 29th president: Widely admired higher education leader, who previously served a… https://t.co/UjHlYTNGTv', 'user.screen_name': 'SoundsFromSound'}, {'created_at': 'Mon Feb 12 01:54:59 +0000 2018', 'id': 962867600698028032, 'text': 'RT @BAP_US: Dr. #ShirleyJackson the first African-American woman to have earned a doctorate at the MIT.\n\n#BlackAndProud #BlackWomen #BlackE…', 'user.screen_name': 'dj_moe1300'}, {'created_at': 'Mon Feb 12 01:54:41 +0000 2018', 'id': 962867524164493312, 'text': 'RT @mitsmr: Be a futurist. Check out this cool six-step forecasting methodology created by @amywebb. https://t.co/dGU8wKsCaH https://t.co/…', 'user.screen_name': 'checklistmedic'}, {'created_at': 'Mon Feb 12 01:54:21 +0000 2018', 'id': 962867439393533953, 'text': 'RT @mitsmr: “Journalists often check a CEO’s Twitter account before covering the CEO or the company.” https://t.co/er59CY71Vg', 'user.screen_name': 'erez_kaminski'}, {'created_at': 'Mon Feb 12 01:54:05 +0000 2018', 'id': 962867371827519488, 'text': "(CNN)I'm a 19-year-old developer at an MIT-backed startup called dot Learn in Lagos, living in the bustle of... https://t.co/HQci4TEueu", 'user.screen_name': 'WigginAndrew'}, {'created_at': 'Mon Feb 12 01:53:24 +0000 2018', 'id': 962867201622487047, 'text': '@ASU @MayoClinic @MayoClinicSOM @ASUCollegeOfLaw .\nThe public health emergency in that are the idiots @ASU deliver… https://t.co/uWguG6HkgA', 'user.screen_name': '____iyr_MAS____'}, {'created_at': 'Mon Feb 12 01:53:21 +0000 2018', 'id': 962867189278756864, 'text': 'Solid aims to radically change the way web applications work https://t.co/bhlVuUtiGE', 'user.screen_name': 'hackernews100'}, {'created_at': 'Mon Feb 12 01:52:53 +0000 2018', 'id': 962867070827249664, 'text': 'RT @mitsmr: A focus on execution is undermining managers’ ability to develop strategy and leadership skills https://t.co/5uYtpdCfNR', 'user.screen_name': 'checklistmedic'}, {'created_at': 'Mon Feb 12 01:51:59 +0000 2018', 'id': 962866846146772992, 'text': 'RT @smorebunnies: @marxistmariah @biselinakyle Tony hasnt been a weapons dealer since 2008 and has since changed entirely? He personally fu…', 'user.screen_name': 'spidey_snark'}, {'created_at': 'Mon Feb 12 01:51:55 +0000 2018', 'id': 962866829415903232, 'text': 'RT @garoukike: Mattis admits there was no evidence Assad used gas.\n\nWell, the last year, Theodore Postol, MIT Professor & leading CW expert…', 'user.screen_name': 'christophjlheer'}, {'created_at': 'Mon Feb 12 01:51:09 +0000 2018', 'id': 962866636314222593, 'text': 'RT @seattletimes: Several top schools — including Carnegie Mellon, Cornell, Duke, and MIT — have added or are rushing to add classes about…', 'user.screen_name': '0x04b1d'}, {'created_at': 'Mon Feb 12 01:50:30 +0000 2018', 'id': 962866470958043136, 'text': 'RT @SJPSwimCoach: A man of few words: Senior Max Scalley tells us the best part about diving at the 2018 MIAA North Sectionals at MIT. Go…', 'user.screen_name': 'Asilvestri17'}, {'created_at': 'Mon Feb 12 01:50:19 +0000 2018', 'id': 962866424061587456, 'text': 'RT @lexiblackbriar: AU: she fakes her death when the FBI try to force her to work for them to avoid charges for her hacktivist activities i…', 'user.screen_name': 'arrowoverwatch'}, {'created_at': 'Mon Feb 12 01:49:52 +0000 2018', 'id': 962866311243227138, 'text': 'RT @HaroldSinnott: The Hard Truth About Business Model Innovation \n\nhttps://t.co/SpecpDoRWd @claychristensen \n @HarvardBiz via @mitsmr\n#Lea…', 'user.screen_name': 'Armando_Ribeiro'}, {'created_at': 'Mon Feb 12 01:48:56 +0000 2018', 'id': 962866074835300352, 'text': 'RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/lg2RZ9eUnd…', 'user.screen_name': 'EdgarTodd10'}, {'created_at': 'Mon Feb 12 01:48:50 +0000 2018', 'id': 962866050885996544, 'text': 'Hate to admit it but this is the demographic I have the most trouble recognizing, so thanks! https://t.co/H0O6j4tYUL via @Verge', 'user.screen_name': 'mokojumbee'}, {'created_at': 'Mon Feb 12 01:48:35 +0000 2018', 'id': 962865989258960896, 'text': 'RT @skocharlakota: Happening now - @msisodia taking questions from MIT students. https://t.co/bArfCC0SFu', 'user.screen_name': 'tarakgoradia'}, {'created_at': 'Mon Feb 12 01:48:30 +0000 2018', 'id': 962865967486459904, 'text': "RT @mitsmr: Keep this chart handy when you're Identifying potential #leaders in your company. https://t.co/WHj7CM39AJ #management https://…", 'user.screen_name': 'bipinjha96'}, {'created_at': 'Mon Feb 12 01:48:18 +0000 2018', 'id': 962865915946729472, 'text': 'i am reminded by https://t.co/tw1miy3SnP of a quote "the w3c cannot do something as simple as bake bread without se… https://t.co/m9tAv82viT', 'user.screen_name': '4dieJungs'}, {'created_at': 'Mon Feb 12 01:47:58 +0000 2018', 'id': 962865833050390529, 'text': 'RT @ProfBarrett: The MIT Innovation and Entrepreneurship Bootcamp is well underway. https://t.co/xyNaozuPaw', 'user.screen_name': 'QUTfoundry'}, {'created_at': 'Mon Feb 12 01:47:44 +0000 2018', 'id': 962865775609606144, 'text': "RT @NA_SwimAndDive: Good luck to Dylan Walsh and David O'Leary who compete in individual events at North Sectionals at MIT, as well as in r…", 'user.screen_name': 'chetjackson22'}, {'created_at': 'Mon Feb 12 01:47:40 +0000 2018', 'id': 962865755934089217, 'text': 'RT @BourseetTrading: \ud83d\udd34" Harvard Geneticist Launches DNA-Fueled #Blockchain #Startup " :\nhttps://t.co/leTmNo2t0K @CryptoCoinsNews \n@Harvard…', 'user.screen_name': 'Info_Data_Mgmt'}, {'created_at': 'Mon Feb 12 01:47:21 +0000 2018', 'id': 962865678603649030, 'text': 'How to achieve extreme productivity https://t.co/dteZOVIf1n via @mitsloan', 'user.screen_name': 'Paul_Brinkman'}, {'created_at': 'Mon Feb 12 01:47:21 +0000 2018', 'id': 962865678133940225, 'text': 'MIT 6.S191: Introduction to Deep Learning https://t.co/EstVtZDKpL', 'user.screen_name': 'learnlinksfeed'}, {'created_at': 'Mon Feb 12 01:46:45 +0000 2018', 'id': 962865525486338048, 'text': 'RT @garoukike: Mattis admits there was no evidence Assad used gas.\n\nWell, the last year, Theodore Postol, MIT Professor & leading CW expert…', 'user.screen_name': 'Occupy007'}, {'created_at': 'Mon Feb 12 01:46:44 +0000 2018', 'id': 962865521791188992, 'text': 'RT @skocharlakota: One of the important vision and focus of @ArvindKejriwal sarkar is rightly depicted in these pictures here - Education,…', 'user.screen_name': 'SreenivasaBilla'}, {'created_at': 'Mon Feb 12 01:46:15 +0000 2018', 'id': 962865402610094080, 'text': '@sfreynolds @WhosoeverMike @ReignOfApril Those three men talk about person responsibility, hard work, logic and fai… https://t.co/LV7hJ2qMgB', 'user.screen_name': 'socratictimes'}, {'created_at': 'Mon Feb 12 01:46:10 +0000 2018', 'id': 962865379080130560, 'text': 'RT @medialab: “When we have more inclusive innovators, we have more inclusive innovation.” @civicMIT PhD student Joy Buolamwini (@AJLUnited…', 'user.screen_name': 'idavar'}, {'created_at': 'Mon Feb 12 01:46:03 +0000 2018', 'id': 962865352039268352, 'text': 'Mountain Hardwear free shipping!: Promotion at Mountain Hardwear: Free shipping for elevated rewards members. free… https://t.co/gEkvTnovN4', 'user.screen_name': 'coupons_u_need'}, {'created_at': 'Mon Feb 12 01:46:03 +0000 2018', 'id': 962865350642515968, 'text': 'Keetsa Discount Code 5%!: Promotion at Keetsa: 5% Off Keetsa Plus Mattress. Discount Code 5%! A Keetsa Coupon, Deal… https://t.co/1HGu3dg02v', 'user.screen_name': 'coupons_u_need'}, {'created_at': 'Mon Feb 12 01:45:42 +0000 2018', 'id': 962865261933187073, 'text': '@gbaucom @techreview I saw the MIT 150th anniversary exhibit at their museum a few years back, and they had the fir… https://t.co/F41aZwV5TV', 'user.screen_name': 'PlantLearner'}, {'created_at': 'Mon Feb 12 01:45:19 +0000 2018', 'id': 962865167888416770, 'text': 'i found my pink cap on my desk and now i am wondering if I just dreamt this all ...', 'user.screen_name': 'damn_mit'}, {'created_at': 'Mon Feb 12 01:45:18 +0000 2018', 'id': 962865160619618304, 'text': 'The MIT Innovation and Entrepreneurship Bootcamp is well underway. https://t.co/xyNaozuPaw', 'user.screen_name': 'ProfBarrett'}, {'created_at': 'Mon Feb 12 01:45:11 +0000 2018', 'id': 962865133990105088, 'text': '@erkam30dakika @erkamtufan MiT hesabi; the account run by Turkish intelligence https://t.co/7GvtWdIZ6Y', 'user.screen_name': 'hasan_yaglidere'}, {'created_at': 'Mon Feb 12 01:45:08 +0000 2018', 'id': 962865118789931008, 'text': 'RT @petercoffee: “All of those businesses evolve from looking forward, reasoning back, figuring out what to do; making some big bets; build…', 'user.screen_name': 'muneerkazmi'}, {'created_at': 'Mon Feb 12 01:44:46 +0000 2018', 'id': 962865028264316933, 'text': 'RT @BAP_US: Dr. #ShirleyJackson the first African-American woman to have earned a doctorate at the MIT.\n\n#BlackAndProud #BlackWomen #BlackE…', 'user.screen_name': 'UniversalCowboy'}, {'created_at': 'Mon Feb 12 01:43:50 +0000 2018', 'id': 962864792829661184, 'text': 'RT @SJPSwimCoach: A man of few words: Senior Max Scalley tells us the best part about diving at the 2018 MIAA North Sectionals at MIT. Go…', 'user.screen_name': 'SJPSwimCoach'}, {'created_at': 'Mon Feb 12 01:43:46 +0000 2018', 'id': 962864774659919873, 'text': 'dance with my dogs in the night time!', 'user.screen_name': 'damn_mit'}, {'created_at': 'Mon Feb 12 01:42:51 +0000 2018', 'id': 962864546665832454, 'text': '@MikeJMika All will get crushed by testing and never see light of day. I’m not optimistic. MIT invented DRACO that… https://t.co/WWJw6TsZsU', 'user.screen_name': 'sean697'}, {'created_at': 'Mon Feb 12 01:42:37 +0000 2018', 'id': 962864486951432192, 'text': 'RT @topnotifier: Solid aims to radically change the way web applications work (31 points on Hacker News): https://t.co/mAi3KjgLmO', 'user.screen_name': 'narulama'}, {'created_at': 'Mon Feb 12 01:41:58 +0000 2018', 'id': 962864325445656576, 'text': 'RT @seattletimes: Several top schools — including Carnegie Mellon, Cornell, Duke, and MIT — have added or are rushing to add classes about…', 'user.screen_name': 'L0veL1fe__Z'}, {'created_at': 'Mon Feb 12 01:41:58 +0000 2018', 'id': 962864323461828608, 'text': 'Solid aims to radically change the way web applications work https://t.co/owz6oa3frC (https://t.co/RB44JjZdNk)', 'user.screen_name': 'newsyc100'}, {'created_at': 'Mon Feb 12 01:41:01 +0000 2018', 'id': 962864084612923393, 'text': 'Cops have toppled a $530 million cybercrime empire MIT Technology Review https://t.co/spLKpbmu5t', 'user.screen_name': 'AiNewsCurrents'}, {'created_at': 'Mon Feb 12 01:40:31 +0000 2018', 'id': 962863960327417856, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'LARRYIRBY6'}, {'created_at': 'Mon Feb 12 01:40:18 +0000 2018', 'id': 962863904756936704, 'text': 'RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/fQ1IKfcpVW…', 'user.screen_name': 'J3nTyrell'}, {'created_at': 'Mon Feb 12 01:39:47 +0000 2018', 'id': 962863774049939457, 'text': 'Several top schools — including Carnegie Mellon, Cornell, Duke, and MIT — have added or are rushing to add classes… https://t.co/wkWnAXv5gZ', 'user.screen_name': 'seattletimes'}, {'created_at': 'Mon Feb 12 01:39:03 +0000 2018', 'id': 962863588279975936, 'text': 'RT @HaroldSinnott: The Hard Truth About Business Model Innovation \n\nhttps://t.co/SpecpDoRWd @claychristensen \n @HarvardBiz via @mitsmr\n#Lea…', 'user.screen_name': 'Neel__C'}, {'created_at': 'Mon Feb 12 01:38:59 +0000 2018', 'id': 962863574585454593, 'text': 'RT @QUTBusiness: MIT’s #Innovation & #Entrepreneurship Bootcamp steps up #environmental effort with #QUT https://t.co/LFY6zN83Oa', 'user.screen_name': 'DrRimmer'}, {'created_at': 'Mon Feb 12 01:38:54 +0000 2018', 'id': 962863551714017280, 'text': '@mithayst Wokaay Mit', 'user.screen_name': 'thecontenderz'}, {'created_at': 'Mon Feb 12 01:38:37 +0000 2018', 'id': 962863481707028481, 'text': 'RT @mitsmr: “Journalists often check a CEO’s Twitter account before covering the CEO or the company.” https://t.co/er59CY71Vg', 'user.screen_name': 'Neel__C'}, {'created_at': 'Mon Feb 12 01:38:23 +0000 2018', 'id': 962863423045427201, 'text': 'New coating for hip implants could prevent premature failure - \n\nNanoscale films developed at MIT promote bone... https://t.co/coqOaeVMLw', 'user.screen_name': 'StemCellsNews'}, {'created_at': 'Mon Feb 12 01:38:13 +0000 2018', 'id': 962863379848318976, 'text': 'Facial recognition software is biased towards white men, researcher finds - The Verge https://t.co/AnbfNRa8xx', 'user.screen_name': 'widebase'}, {'created_at': 'Mon Feb 12 01:38:08 +0000 2018', 'id': 962863357345910784, 'text': 'Facial recognition software is biased towards white men, researcher finds - The Verge https://t.co/fZTmKjlCGV', 'user.screen_name': 'Chaiwattr'}, {'created_at': 'Mon Feb 12 01:38:05 +0000 2018', 'id': 962863344402255872, 'text': 'Corporate Transformation - "the optimal playbook for transformation should involve... reorienting strategy for the… https://t.co/TMbnH9n7rC', 'user.screen_name': 'NXXTCO'}, {'created_at': 'Mon Feb 12 01:37:38 +0000 2018', 'id': 962863232527536128, 'text': '@redpillarchive @Atheist_Geek48 @andyguy @Unity_Coach @SweetSourJesus @BabbleStamper @matty_lawrence… https://t.co/60O7045lYB', 'user.screen_name': 'ProbingOmega'}, {'created_at': 'Mon Feb 12 01:37:07 +0000 2018', 'id': 962863100893413377, 'text': 'No com mit ted$, deseAsed. Nothing they, did tool$. bA it ed.$.', 'user.screen_name': 'JusticeNASA'}, {'created_at': 'Mon Feb 12 01:36:33 +0000 2018', 'id': 962862959352598528, 'text': 'Hey @mit people! A very cool startup here needs your help to make survivors of domestic violence who own pets don’t… https://t.co/VoPbAOJtrA', 'user.screen_name': 'clarkforamerica'}, {'created_at': 'Mon Feb 12 01:36:11 +0000 2018', 'id': 962862866205261824, 'text': 'RT @skocharlakota: Happening now - @msisodia taking questions from MIT students. https://t.co/bArfCC0SFu', 'user.screen_name': 'SreenivasaBilla'}, {'created_at': 'Mon Feb 12 01:36:07 +0000 2018', 'id': 962862851932278785, 'text': 'RT @DrHughHarvey: Didn’t study deep learning at MIT?\n\nDon’t worry - here’s the entire course \n\nhttps://t.co/HTONtKKWWz https://t.co/bmbxY5u…', 'user.screen_name': 'Bialogics'}, {'created_at': 'Mon Feb 12 01:35:59 +0000 2018', 'id': 962862818226786304, 'text': '@paulkrugman Well, you sorta heard it here first, even though Bitcoin was $2000 higher. Wonkishy, at least the MIT… https://t.co/amdaQys3Gj', 'user.screen_name': 'JigsawCapital'}, {'created_at': 'Mon Feb 12 01:35:30 +0000 2018', 'id': 962862696923189248, 'text': 'No com mit ted$, deseAsed$. Nothing they, did drool$.', 'user.screen_name': 'JusticeNASA'}, {'created_at': 'Mon Feb 12 01:35:19 +0000 2018', 'id': 962862649242353664, 'text': 'Started in 2008 by a Yale & MIT grad who became an entrepreneur at age 10, 40Billion is... https://t.co/FbDlz2GsPW', 'user.screen_name': '40Billion_com'}, {'created_at': 'Mon Feb 12 01:35:08 +0000 2018', 'id': 962862602928971776, 'text': 'meine 3 leiblings lineups (mit mir)\n1: GiratinaXII, LuqiaXII, _qu und AjexoXII -- Xenium\n2:Nawlyy,Hynami,Scqrlxrd u… https://t.co/dYmQWQIbmK', 'user.screen_name': 'GiratinaXII'}, {'created_at': 'Mon Feb 12 01:34:46 +0000 2018', 'id': 962862512315293697, 'text': 'RT @freedevo_: I remember one burned you alive and the other one gave you electric shocks https://t.co/Aj88I9n7ND', 'user.screen_name': 'Taylor_Mit'}, {'created_at': 'Mon Feb 12 01:33:56 +0000 2018', 'id': 962862302360940544, 'text': 'RT @DHUNTtweets: @JdeMontreal @mtlgazette @LP_LaPresse @LeDevoir @CBCNews @McGillU @Concordia @Harvard @UniofOxford @Stanford @MIT\n\nA Unive…', 'user.screen_name': 'PHIAtweets'}, {'created_at': 'Mon Feb 12 01:32:19 +0000 2018', 'id': 962861894087344130, 'text': "RT @MaldenHS_Sports: Breaking News...Kevin Ochoa's time in the 200 Freestyle today at the Division 1 North Sectionals at MIT is a New MHS S…", 'user.screen_name': 'm_farias9'}, {'created_at': 'Mon Feb 12 01:32:15 +0000 2018', 'id': 962861880002916352, 'text': "Snapchat, twitter, 22mds\nEt les technologies de pointes ?\nI look high technology's of specialists of data machining… https://t.co/kdN3LzhRbL", 'user.screen_name': 'AbtMichel'}, {'created_at': 'Mon Feb 12 01:32:00 +0000 2018', 'id': 962861813917417472, 'text': 'Using Analytics To Improve Customer Engagement via @mitsmr https://t.co/jsuNLiXr1H #business #analytics', 'user.screen_name': 'dataelixir'}, {'created_at': 'Mon Feb 12 01:31:16 +0000 2018', 'id': 962861630483828736, 'text': 'Biggest Lies Told About Entrepreneurs https://t.co/njFdWAJbnN #entrepreneurs #BigData #startups #GrowthHacking', 'user.screen_name': 'thekindleader'}, {'created_at': 'Mon Feb 12 01:31:11 +0000 2018', 'id': 962861607834484736, 'text': 'teenns lesbien porno live mit swans shaved sex video https://t.co/YG5mO0vOU3', 'user.screen_name': 'mvzavicola'}, {'created_at': 'Mon Feb 12 01:30:17 +0000 2018', 'id': 962861384345292800, 'text': 'Next Sunday! Join Riz Virk, renowned entrepreneur and MIT grad, for a presentation on using synchronicity, dreams,… https://t.co/pgGJE9xTeA', 'user.screen_name': 'BanyenBooks'}, {'created_at': 'Mon Feb 12 01:29:18 +0000 2018', 'id': 962861135383887874, 'text': '#Dildos #und anal mit #einem #heißen #brünette https://t.co/xGUtSE2E3A', 'user.screen_name': 'dominguez8342'}, {'created_at': 'Mon Feb 12 01:29:09 +0000 2018', 'id': 962861097148706821, 'text': "RT @MaldenHS_Sports: Breaking News...Kevin Ochoa's time in the 200 Freestyle today at the Division 1 North Sectionals at MIT is a New MHS S…", 'user.screen_name': 'o_forestier'}, {'created_at': 'Mon Feb 12 01:29:08 +0000 2018', 'id': 962861095135432704, 'text': 'RT @garoukike: Mattis admits there was no evidence Assad used gas.\n\nWell, the last year, Theodore Postol, MIT Professor & leading CW expert…', 'user.screen_name': 'energizamx'}, {'created_at': 'Mon Feb 12 01:28:21 +0000 2018', 'id': 962860897516642304, 'text': 'RT @garoukike: Mattis admits there was no evidence Assad used gas.\n\nWell, the last year, Theodore Postol, MIT Professor & leading CW expert…', 'user.screen_name': 'KingLeoHawk'}, {'created_at': 'Mon Feb 12 01:28:17 +0000 2018', 'id': 962860878663225349, 'text': "Please RT if you like!! #architecture #design #architects #interiordesign MIT Media Lab's Kino &quot;living.… https://t.co/CAcItmrIfb", 'user.screen_name': 'architectsdays'}, {'created_at': 'Mon Feb 12 01:28:01 +0000 2018', 'id': 962860813710168065, 'text': 'Higher ed news: Lawrence Bacow chosen to be 29th president of Harvard University, effective July 1. Ex-chancellor M… https://t.co/faIUwrwtzC', 'user.screen_name': 'jostonjustice'}, {'created_at': 'Mon Feb 12 01:27:59 +0000 2018', 'id': 962860802586894337, 'text': 'RT @StanM3: Germany- Afghan(19) stabbed his ex-girlfriend(23) in the shoulder and fled. The police had been called because of domestic viol…', 'user.screen_name': 'Okay2BWhite'}, {'created_at': 'Mon Feb 12 01:27:54 +0000 2018', 'id': 962860782101958656, 'text': "Please RT if you like!! #architecture #design #architects #interiordesign MIT Media Lab's Kino &quot;living.… https://t.co/hI8FOv3cSW", 'user.screen_name': 'DecoDays'}, {'created_at': 'Mon Feb 12 01:27:40 +0000 2018', 'id': 962860724195295232, 'text': "Please RT if you like!! #architecture #design #architects #interiordesign MIT Media Lab's Kino &quot;living.… https://t.co/jrfHTniKoS", 'user.screen_name': 'Interiors__home'}, {'created_at': 'Mon Feb 12 01:27:34 +0000 2018', 'id': 962860698165563393, 'text': "Congrats AnnaLisa! \nWomen's Track & Field's DeBari Improves 60 Hurdles National Mark at MIT's Gordon Kelly Invitati… https://t.co/27atNc5xMw", 'user.screen_name': 'MHSRedRaiders'}, {'created_at': 'Mon Feb 12 01:27:05 +0000 2018', 'id': 962860576337743874, 'text': "Please RT if you like!! #architecture #design #architects #interiordesign MIT Media Lab's Kino...… https://t.co/vCz0X9fG1r", 'user.screen_name': 'BestIntDesingn'}, {'created_at': 'Mon Feb 12 01:26:54 +0000 2018', 'id': 962860531240468480, 'text': 'Facial recognition software is biased towards white men, useless research finds #AIisRACIST #tech \n\n https://t.co/NK4FCaSPh4', 'user.screen_name': 'BasedAlcatraz'}, {'created_at': 'Mon Feb 12 01:26:53 +0000 2018', 'id': 962860525553180672, 'text': '@foxy_scientist @CareenIngle Oh. Thought it was cuz I’ve been seeing a lot of warrior cats projects on scratch (… https://t.co/M6VzVDBHbn', 'user.screen_name': 'JeffyStreet'}, {'created_at': 'Mon Feb 12 01:26:44 +0000 2018', 'id': 962860490308321280, 'text': 'RT @mitsmr: “Journalists often check a CEO’s Twitter account before covering the CEO or the company.” https://t.co/er59CY71Vg', 'user.screen_name': 'pepetapia44'}, {'created_at': 'Mon Feb 12 01:26:33 +0000 2018', 'id': 962860441788497921, 'text': 'RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/fQ1IKfcpVW…', 'user.screen_name': 'MetiJoshi'}, {'created_at': 'Mon Feb 12 01:26:28 +0000 2018', 'id': 962860422821855233, 'text': 'RT @TraDove_ICO: Breakfast with our team, board member Gordon Kaufman, and Professor Emeritus from the MIT Sloan School of Management. Big…', 'user.screen_name': 'yunipoerdjo'}, {'created_at': 'Mon Feb 12 01:25:57 +0000 2018', 'id': 962860293004058624, 'text': 'RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/fQ1IKfcpVW…', 'user.screen_name': 'JamesFl3tcher'}, {'created_at': 'Mon Feb 12 01:25:30 +0000 2018', 'id': 962860178948403201, 'text': '“Facebook’s app for kids should freak parents out” by MIT Technology Review https://t.co/CL8DoXnia4 @Soteryx', 'user.screen_name': 'ProfChris'}, {'created_at': 'Mon Feb 12 01:25:27 +0000 2018', 'id': 962860165983756288, 'text': 'Underground News Inc.: MIT expert claims latest chemical weapons attack i... https://t.co/0lKRWCN2bF', 'user.screen_name': 'GeneralStrikeUS'}, {'created_at': 'Mon Feb 12 01:25:03 +0000 2018', 'id': 962860067933519874, 'text': '#goingplaces ! #reisemagazin TV #classic #Video : Tracing the tracs of our parents in a #vintage car. Kaiser-Reich… https://t.co/5luSkTGHza', 'user.screen_name': 'tv_imweb'}, {'created_at': 'Mon Feb 12 01:24:49 +0000 2018', 'id': 962860007535525888, 'text': 'RT @petercoffee: “All of those businesses evolve from looking forward, reasoning back, figuring out what to do; making some big bets; build…', 'user.screen_name': 'Ron_Lehman'}, {'created_at': 'Mon Feb 12 01:24:39 +0000 2018', 'id': 962859965508710400, 'text': 'RT @mitsmr: “Journalists often check a CEO’s Twitter account before covering the CEO or the company.” https://t.co/er59CY71Vg', 'user.screen_name': 'arvmalhotra'}, {'created_at': 'Mon Feb 12 01:24:36 +0000 2018', 'id': 962859953269690369, 'text': 'RT @mattreaney_: MIT IQ Initiative Is Taking A Different Approach To AI Research https://t.co/dar0RVeBXf\n#ArtificialIntelligence #AI #DeepL…', 'user.screen_name': 'Calcaware'}, {'created_at': 'Mon Feb 12 01:24:33 +0000 2018', 'id': 962859940368076803, 'text': '"Keine Profite mit der Miete" WHAT\'S THEIR OBSESSION WITH GERMAN QUOTES I\'M SHOOK', 'user.screen_name': 'piedpiperhes'}, {'created_at': 'Mon Feb 12 01:24:02 +0000 2018', 'id': 962859810730455040, 'text': 'RT @mattreaney_: MIT IQ Initiative Is Taking A Different Approach To AI Research https://t.co/dar0RVeBXf\n#ArtificialIntelligence #AI #DeepL…', 'user.screen_name': 'Revelnotion'}, {'created_at': 'Mon Feb 12 01:23:37 +0000 2018', 'id': 962859705357004800, 'text': "Get ready to leave and they try to short me a taco salad. Incredible! @yumbrands yes I know it's not MIT grads but… https://t.co/V7u454zJBO", 'user.screen_name': 'Czar6127'}, {'created_at': 'Mon Feb 12 01:23:15 +0000 2018', 'id': 962859613962956801, 'text': 'RT @ansontm: 60. This dog was litt https://t.co/vW1yOGW4Tt', 'user.screen_name': '_mit_mit'}, {'created_at': 'Mon Feb 12 01:22:49 +0000 2018', 'id': 962859504588083200, 'text': 'RT @AndyGrewal: Blue checkmarks are mocking the Pences for looking unhappy while visiting a concentration camp\ud83e\udd26\u200d♂️ https://t.co/vGySnhraZF', 'user.screen_name': 'mit_baggs'}, {'created_at': 'Mon Feb 12 01:22:46 +0000 2018', 'id': 962859493506895873, 'text': 'RT @ThirdStreamRes: "The greater concern is not about the number of jobs but whether those jobs will pay decent wages and people will have…', 'user.screen_name': '_jockr'}, {'created_at': 'Mon Feb 12 01:22:44 +0000 2018', 'id': 962859484807925760, 'text': 'Mattis admits there was no evidence Assad used gas.\n\nWell, the last year, Theodore Postol, MIT Professor & leading… https://t.co/srrbRFor8c', 'user.screen_name': 'garoukike'}, {'created_at': 'Mon Feb 12 01:21:51 +0000 2018', 'id': 962859261666701312, 'text': "She found a great, basic tribute game done by an MIT student. Now, she's heard me say a million times that MIT is a… https://t.co/0sSgGgMeNJ", 'user.screen_name': 'majorboredom'}, {'created_at': 'Mon Feb 12 01:20:57 +0000 2018', 'id': 962859034109009921, 'text': 'kostenlose pornos mit rachel luttrell rachael taylor naked https://t.co/1xL3ttBwUR', 'user.screen_name': 'lucasgasmaio'}, {'created_at': 'Mon Feb 12 01:20:16 +0000 2018', 'id': 962858861676900352, 'text': "@FedupWithSwamp @mit_baggs Better hurry up and get them hanging gallo's built.", 'user.screen_name': 'GnatJarman'}, {'created_at': 'Mon Feb 12 01:19:43 +0000 2018', 'id': 962858725664083968, 'text': "RT @moooooog35: My son wants to attend MIT. He'll get in unless the entrance exam requires him to not get food on his shirt.", 'user.screen_name': 'pippijoyahoo'}, {'created_at': 'Mon Feb 12 01:19:00 +0000 2018', 'id': 962858542003773440, 'text': 'RT @mitsmr: "Great strategists are like great chess players or great game theorists: They need to think several steps ahead towards the end…', 'user.screen_name': 'kdahlinpdx'}, {'created_at': 'Mon Feb 12 01:18:53 +0000 2018', 'id': 962858513985953792, 'text': "RT @MaldenHS_Sports: Breaking News...Kevin Ochoa's time in the 200 Freestyle today at the Division 1 North Sectionals at MIT is a New MHS S…", 'user.screen_name': 'NewsMaldenMA'}, {'created_at': 'Mon Feb 12 01:18:46 +0000 2018', 'id': 962858483782569984, 'text': 'RT @Chet_Cannon: Imagine being so far left and anti-Trump that you praise a child-torturing, teen-raping, murderous dictatorship just to sp…', 'user.screen_name': 'mit_baggs'}, {'created_at': 'Mon Feb 12 01:18:25 +0000 2018', 'id': 962858397610708992, 'text': 'Felicity smoak, mit class of 09 — Nyssa Al Ghul, air to the demon. https://t.co/MR0dS5HMdF', 'user.screen_name': 'clarysmoak'}, {'created_at': 'Mon Feb 12 01:18:18 +0000 2018', 'id': 962858367780868096, 'text': 'RT @patdiaz: @mfbenitez I highly recommend @stewartbrand "Pace layering" in the recent @MIT_JoDS where he brilliantly describes the role fo…', 'user.screen_name': 'KrishnRamesh'}, {'created_at': 'Mon Feb 12 01:18:17 +0000 2018', 'id': 962858364840456192, 'text': 'RT @canuckMBT1512: Another link to Hillary is dead? How many is that? Hire a MIT guy to calculate the odds. https://t.co/0A52hiiLFE', 'user.screen_name': 'HRClintonPrison'}, {'created_at': 'Mon Feb 12 01:18:05 +0000 2018', 'id': 962858312772530176, 'text': "Breaking News...Kevin Ochoa's time in the 200 Freestyle today at the Division 1 North Sectionals at MIT is a New MH… https://t.co/sT64Iks2Pn", 'user.screen_name': 'MaldenHS_Sports'}, {'created_at': 'Mon Feb 12 01:17:13 +0000 2018', 'id': 962858094098374656, 'text': 'BLOW THE BALLOON TO POP CHALLENGE Vol.3||mit Dani||FollyOlly: https://t.co/C3sDRGWh5k via @YouTube', 'user.screen_name': 'Folly_Olly'}, {'created_at': 'Mon Feb 12 01:16:52 +0000 2018', 'id': 962858006705668096, 'text': 'Thx @MIT: #AI will replace whole systems but it will reshape business models in the short term. This means all… https://t.co/6QBafDSath', 'user.screen_name': 'galipeau'}, {'created_at': 'Mon Feb 12 01:16:42 +0000 2018', 'id': 962857964594958336, 'text': 'RT @BrightCellars: 2 MIT grads built an algorithm to pair you with wine. Take the quiz to reveal the best wine matches for your taste! htt…', 'user.screen_name': 'lovedarlingsix'}, {'created_at': 'Mon Feb 12 01:16:27 +0000 2018', 'id': 962857902921977856, 'text': 'MERSD HS Represents at MIT Boys Swimming Sectionals! Congrats from one swim fam to another!\nSee you at States \ud83d\ude00 https://t.co/HiYQirvnSW', 'user.screen_name': 'CitMersd'}, {'created_at': 'Mon Feb 12 01:16:19 +0000 2018', 'id': 962857870352986113, 'text': 'RT @DrHughHarvey: Didn’t study deep learning at MIT?\n\nDon’t worry - here’s the entire course \n\nhttps://t.co/HTONtKKWWz https://t.co/bmbxY5u…', 'user.screen_name': 'holly_rehu'}, {'created_at': 'Mon Feb 12 01:15:44 +0000 2018', 'id': 962857719781822464, 'text': 'Yo, @EvelynHammonds is my idol. She has degrees in engineering, physics AND computer programming. As a professor at… https://t.co/HNpaHNwY5v', 'user.screen_name': 'TheDoctaZ'}, {'created_at': 'Mon Feb 12 01:15:35 +0000 2018', 'id': 962857682712510464, 'text': 'RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/fQ1IKfcpVW…', 'user.screen_name': 'ThancmarFeldt'}, {'created_at': 'Mon Feb 12 01:15:28 +0000 2018', 'id': 962857653427879936, 'text': '@thresholds_mit your domain name appears to have expired...', 'user.screen_name': 'tyler_kvochick'}, {'created_at': 'Mon Feb 12 01:15:14 +0000 2018', 'id': 962857595626176512, 'text': 'SUPERDRY Angebote Superdry Vintage Logo T-Shirt mit Paillettenbesatz: Category: Damen / T-Shirts / T-Shirt mit Prin… https://t.co/1zN2MX3Irw', 'user.screen_name': 'SparVolltreffer'}, {'created_at': 'Mon Feb 12 01:15:02 +0000 2018', 'id': 962857543318958080, 'text': 'Alumni urge MIT to champion AI for the public good #proudtobeMIT #AIethics https://t.co/53nRcML6uu', 'user.screen_name': 'thecroissants'}, {'created_at': 'Mon Feb 12 01:14:55 +0000 2018', 'id': 962857515678621696, 'text': 'RT @MITSloan: 6 competitive advantages that come from turning data into insights. (via @mitsmr) https://t.co/O73x7bVxUS', 'user.screen_name': 'saint_nine_'}, {'created_at': 'Mon Feb 12 01:14:28 +0000 2018', 'id': 962857401924898816, 'text': 'RT @MITSloan: The idea of a universal basic income is not new, but the theory has never been thoroughly tested. A massive new study is abou…', 'user.screen_name': 'jose_greg'}, {'created_at': 'Mon Feb 12 01:14:19 +0000 2018', 'id': 962857363177918467, 'text': 'RT @mitsmr: “Journalists often check a CEO’s Twitter account before covering the CEO or the company.” https://t.co/er59CY71Vg', 'user.screen_name': 'nancyrubin'}, {'created_at': 'Mon Feb 12 01:14:06 +0000 2018', 'id': 962857309323104256, 'text': 'IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/Ar5VhufLkD #DataScience #DataScientist… https://t.co/psmgiOgJmC', 'user.screen_name': 'eSURETY'}, {'created_at': 'Mon Feb 12 01:13:59 +0000 2018', 'id': 962857280130699264, 'text': 'RT @ClimateX_MIT: How can sustainability be incorporated into athletics? ClimateX interviews MLB player and co-founder of Players for the P…', 'user.screen_name': 'globathletes'}, {'created_at': 'Mon Feb 12 01:13:27 +0000 2018', 'id': 962857147099906049, 'text': 'RT @MITSloan: 6 competitive advantages that come from turning data into insights. (via @mitsmr) https://t.co/O73x7bVxUS', 'user.screen_name': 'bwilcoxwrites'}, {'created_at': 'Mon Feb 12 01:13:05 +0000 2018', 'id': 962857052656685056, 'text': 'Suits Outlets Delivery Code!: Promotion at Suits Outlets: Free Shipping for All Orders. Delivery Code! A Suits Outl… https://t.co/gmHxoSPAhP', 'user.screen_name': 'coupons_u_need'}, {'created_at': 'Mon Feb 12 01:13:04 +0000 2018', 'id': 962857050601484288, 'text': 'QP Jewellers Coupon Code 120 GBP!: Promotion at QP Jewellers: Spend 1000 GBP and get 120 GBP Off Order Total. Coupo… https://t.co/N4dy3dkDWf', 'user.screen_name': 'coupons_u_need'}, {'created_at': 'Mon Feb 12 01:12:37 +0000 2018', 'id': 962856935249907712, 'text': 'RT @mitsmr: “Journalists often check a CEO’s Twitter account before covering the CEO or the company.” https://t.co/er59CY71Vg', 'user.screen_name': 'claudiaKM'}, {'created_at': 'Mon Feb 12 01:12:25 +0000 2018', 'id': 962856887162167296, 'text': 'Solid is an exciting new project led by Prof. Tim Berners-Lee https://t.co/Pcgk5wojHs', 'user.screen_name': 'HackerGoodNews'}, {'created_at': 'Mon Feb 12 01:12:20 +0000 2018', 'id': 962856865167065088, 'text': 'RT @FedupWithSwamp: GITMO is at MAX CAPACITY!!! They have to prep a second prison!!! https://t.co/PVCmqZr4Rj', 'user.screen_name': 'mit_baggs'}, {'created_at': 'Mon Feb 12 01:12:07 +0000 2018', 'id': 962856813124206593, 'text': 'Ex-Alphabet Chairman Joins MIT As Visiting Innovation Fellow https://t.co/B8duEiRPmV #MachineLearning https://t.co/lpG6l7WtY6', 'user.screen_name': 'dj_shaily'}, {'created_at': 'Mon Feb 12 01:11:43 +0000 2018', 'id': 962856712750469120, 'text': 'Another link to Hillary is dead? How many is that? Hire a MIT guy to calculate the odds. https://t.co/0A52hiiLFE', 'user.screen_name': 'canuckMBT1512'}, {'created_at': 'Mon Feb 12 01:11:15 +0000 2018', 'id': 962856594974240768, 'text': "Harvard University names 29th president, Dr. Lawrence S. Bacow, @MIT S.B. '72, @Harvard J.D. '76, M.P.P. '76, Ph.D.… https://t.co/cJg3iriDsA", 'user.screen_name': 'YoonD'}, {'created_at': 'Mon Feb 12 01:10:55 +0000 2018', 'id': 962856508798226432, 'text': 'Thawed Hf Flo tree Wii Tim MIT ear sex saw ash dry us all if cliff yrs stars see ah bloc commit us at arc sew ah co… https://t.co/8GKHfGZoXy', 'user.screen_name': 'SaharaJohnson77'}, {'created_at': 'Mon Feb 12 01:10:49 +0000 2018', 'id': 962856482814377984, 'text': 'RT @MPBorman: Using #Analytics to Improve #CustomerEngagement https://t.co/QudJPaK8eD @mitsmr @SASsoftware #corpgov #CEO #CFO #CIO #CMO #Bo…', 'user.screen_name': 'EicherDaryl'}, {'created_at': 'Mon Feb 12 01:09:34 +0000 2018', 'id': 962856171039272960, 'text': 'RT @conangray: some pals of mine, shot by david aragon https://t.co/sUHe6isNsV', 'user.screen_name': 'mit_ouo'}, {'created_at': 'Mon Feb 12 01:08:38 +0000 2018', 'id': 962855936283963392, 'text': 'RT @TraDove_ICO: Breakfast with our team, board member Gordon Kaufman, and Professor Emeritus from the MIT Sloan School of Management. Big…', 'user.screen_name': 'GihanKanishkaF'}, {'created_at': 'Mon Feb 12 01:08:36 +0000 2018', 'id': 962855926305902593, 'text': "Please RT if you like!! #architecture #design #architects #interiordesign MIT Media Lab's Kino...… https://t.co/QHiub6FLng", 'user.screen_name': 'ModernnArch'}, {'created_at': 'Mon Feb 12 01:08:13 +0000 2018', 'id': 962855828251381760, 'text': 'RT @lotzrickards: felicity: felicity smoak, MIT class of 09\noliver: https://t.co/DRpcvdeCK4', 'user.screen_name': 'dakheughan'}, {'created_at': 'Mon Feb 12 01:07:39 +0000 2018', 'id': 962855687926833152, 'text': 'Facial recognition software is biased towards white men, researcher finds https://t.co/HOp6qow39E\n\nNew research out… https://t.co/kCXMqfAmTX', 'user.screen_name': 'thetechwarf'}, {'created_at': 'Mon Feb 12 01:06:52 +0000 2018', 'id': 962855490941341696, 'text': 'Implementation Barriers for Emotion-Sending Technologies https://t.co/sSFWCPAywW Eoin541 danmcduff robgleasure…… https://t.co/RurpLNbJbQ', 'user.screen_name': 'savia_digital'}, {'created_at': 'Mon Feb 12 01:06:23 +0000 2018', 'id': 962855368899596288, 'text': 'This feels odd. He was already president of Tufts and chancellor at MIT. https://t.co/tnb6oV3JrQ', 'user.screen_name': 'NeoconMaudit'}, {'created_at': 'Mon Feb 12 01:06:03 +0000 2018', 'id': 962855284040286208, 'text': "RT @MSFTImagine: Imagine a world with faster, cheaper #AI! @MIT researchers say we're closer to #computers that work like our brains: https…", 'user.screen_name': 'IamPablo'}, {'created_at': 'Mon Feb 12 01:05:31 +0000 2018', 'id': 962855148849516544, 'text': 'Is tech dividing America?\n"We should take a lesson from how the discovery of crude remade Saudi Arabia and Norway."… https://t.co/2xaVuuOx9F', 'user.screen_name': 'StrategicLbries'}, {'created_at': 'Mon Feb 12 01:05:11 +0000 2018', 'id': 962855067450773504, 'text': 'RT @MITSloan: The idea of a universal basic income is not new, but the theory has never been thoroughly tested. A massive new study is abou…', 'user.screen_name': 'danpallotta'}, {'created_at': 'Mon Feb 12 01:05:09 +0000 2018', 'id': 962855059884306432, 'text': "RT @MITSloan: Design thinking can be applied to any problem in any industry. Here's how. https://t.co/tE8Q21t1Cs https://t.co/wBYILC483w", 'user.screen_name': 'Shwetango'}, {'created_at': 'Mon Feb 12 01:05:07 +0000 2018', 'id': 962855050870689793, 'text': 'RT @MITSloan: 6 competitive advantages that come from turning data into insights. (via @mitsmr) https://t.co/O73x7bVxUS', 'user.screen_name': 'gogos'}, {'created_at': 'Mon Feb 12 01:05:04 +0000 2018', 'id': 962855036169719809, 'text': '“Journalists often check a CEO’s Twitter account before covering the CEO or the company.” https://t.co/er59CY71Vg', 'user.screen_name': 'mitsmr'}, {'created_at': 'Mon Feb 12 01:04:40 +0000 2018', 'id': 962854936735289344, 'text': 'Need ur kind sponsorship @ProfOsinbajo 2 represent Nigeria @ d upcoming MIT Innovation and entrepreneurship Bootca… https://t.co/MyFmIwJJl2', 'user.screen_name': 'Zeeman_AY'}, {'created_at': 'Mon Feb 12 01:04:38 +0000 2018', 'id': 962854928669605888, 'text': "RT @officialjaden: Don't Drink Soda", 'user.screen_name': 'mit_eto'}, {'created_at': 'Mon Feb 12 01:04:37 +0000 2018', 'id': 962854922638299141, 'text': 'RT @FraHofm: "MIT biological engineers have created a programming language that allows them to rapidly design complex, DNA-encoded circuits…', 'user.screen_name': 'Seanredwolf'}, {'created_at': 'Mon Feb 12 01:04:29 +0000 2018', 'id': 962854891373957120, 'text': 'RT @MITSloan: 6 competitive advantages that come from turning data into insights. (via @mitsmr) https://t.co/O73x7bVxUS', 'user.screen_name': 'erictetuan'}, {'created_at': 'Mon Feb 12 01:03:16 +0000 2018', 'id': 962854583931494401, 'text': '67 – Solid aims to radically change the way web applications work https://t.co/CzHCQGxfid', 'user.screen_name': 'betterhn50'}, {'created_at': 'Mon Feb 12 01:03:09 +0000 2018', 'id': 962854554453794816, 'text': "RT @gal_deplorable: I'd have to agree Q...\n\n#qanon https://t.co/0dIpTTcKCz", 'user.screen_name': 'mit_baggs'}, {'created_at': 'Mon Feb 12 01:03:03 +0000 2018', 'id': 962854527580991488, 'text': 'February 24 at 8pm: Join us for a recital by @MIT_MTA Institute Professor Marcus Thompson, joined by fellow MIT Mus… https://t.co/EaVGTsG4rP', 'user.screen_name': 'MIT_SHASS'}, {'created_at': 'Mon Feb 12 01:02:54 +0000 2018', 'id': 962854490230542336, 'text': "RT @random_forests: MIT has shared an Intro to Deep Learning course, see: https://t.co/ULJddTvwvZ. Labs include @TensorFlow code (haven't h…", 'user.screen_name': 'shinya1900012'}, {'created_at': 'Mon Feb 12 01:02:22 +0000 2018', 'id': 962854355874471936, 'text': 'RT @ItsAngryBob: Things could get crazy in the next few weeks. Which side are you on? If these things go down prepare yourself to help expl…', 'user.screen_name': 'mit_baggs'}, {'created_at': 'Mon Feb 12 01:01:54 +0000 2018', 'id': 962854238555697153, 'text': 'RT @MITSloan: 6 competitive advantages that come from turning data into insights. (via @mitsmr) https://t.co/O73x7bVxUS', 'user.screen_name': 'jonnymateus'}, {'created_at': 'Mon Feb 12 01:01:38 +0000 2018', 'id': 962854171077525504, 'text': '@Mindcite_US @Google @CarnegieMellon @Cambridge_Uni @MIT @UniofOxford @Caltech @TechnionLive @Princeton @Yale… https://t.co/DJtyLt8KSQ', 'user.screen_name': '4GodsWillBeDone'}, {'created_at': 'Mon Feb 12 01:01:26 +0000 2018', 'id': 962854123912794112, 'text': 'RT @JuliaBrotherton: @Beverly_High MIT Model UN Security Council members Colby Snook and Marvin Wernsing. Topic: nuclear threat on the Kor…', 'user.screen_name': 'DebSchnabel'}, {'created_at': 'Mon Feb 12 01:01:25 +0000 2018', 'id': 962854119798132736, 'text': 'RT @lotzrickards: felicity: felicity smoak, MIT class of 09\noliver: https://t.co/DRpcvdeCK4', 'user.screen_name': 'Dirrtygal'}, {'created_at': 'Mon Feb 12 01:01:22 +0000 2018', 'id': 962854105671598080, 'text': 'RT @gal_deplorable: Just a thought...\n\nQ keeps saying mirror \n\n[14] live backwards is evil [41]\n\nIs Bush Sr targeted?\n\n#QAnon https://t.co/…', 'user.screen_name': 'mit_baggs'}, {'created_at': 'Mon Feb 12 01:01:20 +0000 2018', 'id': 962854099195752448, 'text': 'A grizzled MIT physicist can return from the edge of the knife alien.', 'user.screen_name': 'cherubikz'}, {'created_at': 'Mon Feb 12 01:01:19 +0000 2018', 'id': 962854092170293248, 'text': 'RT @JuliaBrotherton: @Beverly_High MIT Model UN delegates discussing trade and climate change. https://t.co/kyNrxAjC49', 'user.screen_name': 'DebSchnabel'}, {'created_at': 'Mon Feb 12 01:01:09 +0000 2018', 'id': 962854052760502272, 'text': 'RT @ItsAngryBob: Latest Brenden Dilley INTEL drop...12 military panels running right now... POTUS will use Emergency Broadcast System more…', 'user.screen_name': 'mit_baggs'}, {'created_at': 'Mon Feb 12 01:00:42 +0000 2018', 'id': 962853936607703041, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'ArkangelScrap'}, {'created_at': 'Mon Feb 12 01:00:39 +0000 2018', 'id': 962853925220122624, 'text': 'RT @tom_peters: This is priceless, as good as it gets. Take your time!! "Is tech dividing America? via @POLITICO for iPad" https://t.co/nwv…', 'user.screen_name': 'leadershipstool'}, {'created_at': 'Mon Feb 12 01:00:37 +0000 2018', 'id': 962853916760334341, 'text': 'Solid aims to radically change the way web applications work https://t.co/TSXz4b3skY', 'user.screen_name': 'hackernewsrobot'}, {'created_at': 'Mon Feb 12 01:00:17 +0000 2018', 'id': 962853835298496512, 'text': 'Solid aims to radically change the way web applications work https://t.co/NpidiTW5dS', 'user.screen_name': 'alfonsowebdev'}, {'created_at': 'Mon Feb 12 01:00:01 +0000 2018', 'id': 962853766142812161, 'text': 'Our website is full of free resources, perfect for helping #teachers to inspire their students about #invention. Ta… https://t.co/hln3AxWdam', 'user.screen_name': 'LemelsonMIT'}, {'created_at': 'Mon Feb 12 01:00:00 +0000 2018', 'id': 962853761596182529, 'text': 'Solid aims to radically change the way web applications work (posted by doener) #1 on HN: https://t.co/ZSrGuxa4Ni', 'user.screen_name': 'usepanda'}, {'created_at': 'Mon Feb 12 00:59:31 +0000 2018', 'id': 962853641085423616, 'text': 'RT @IWMF: Audrey Jiajia Li (@SaySayjiajia) is the 13th annual Elizabeth Neuffer Fellow. Watch this video to learn about her recent work as…', 'user.screen_name': 'pcdnetwork'}, {'created_at': 'Mon Feb 12 00:59:15 +0000 2018', 'id': 962853572147843073, 'text': 'RT @MITSloan: 6 competitive advantages that come from turning data into insights. (via @mitsmr) https://t.co/O73x7bVxUS', 'user.screen_name': 'gogos'}, {'created_at': 'Mon Feb 12 00:58:15 +0000 2018', 'id': 962853321231994881, 'text': 'RT @MITSloan: 1. Measure productivity in results, not hours. https://t.co/6boIw93jQb', 'user.screen_name': 'gogos'}, {'created_at': 'Mon Feb 12 00:57:21 +0000 2018', 'id': 962853095586721793, 'text': '@JacobBiamonte In @MIT class with Ike Chuang he called |•><•| "Los Alamos notation" and credited it to Zurek. In co… https://t.co/OFUeDRod7z', 'user.screen_name': 'airwoz'}, {'created_at': 'Mon Feb 12 00:56:28 +0000 2018', 'id': 962852874962198528, 'text': 'From your lips, to God’s ears!\n\nI believe President Trump means to never let us down.\n\n#PatiencePatriots\n\nDoing som… https://t.co/zsyEW8ERmy', 'user.screen_name': 'mit_baggs'}, {'created_at': 'Mon Feb 12 00:56:26 +0000 2018', 'id': 962852865126682625, 'text': "RT @mitsmr: Keep this chart handy when you're Identifying potential #leaders in your company. https://t.co/WHj7CM39AJ #management https://…", 'user.screen_name': 'careyjimzz'}, {'created_at': 'Mon Feb 12 00:56:17 +0000 2018', 'id': 962852828283842561, 'text': 'Wilde analsex #mit Kathy #Anderson https://t.co/mYWABIJCwn', 'user.screen_name': 'e5J3B8uxGn02P9e'}, {'created_at': 'Mon Feb 12 00:55:39 +0000 2018', 'id': 962852665892929536, 'text': 'RT @DrHughHarvey: Didn’t study deep learning at MIT?\n\nDon’t worry - here’s the entire course \n\nhttps://t.co/HTONtKKWWz https://t.co/bmbxY5u…', 'user.screen_name': 'manaranjanp'}, {'created_at': 'Mon Feb 12 00:55:00 +0000 2018', 'id': 962852504974307329, 'text': '6 competitive advantages that come from turning data into insights. (via @mitsmr) https://t.co/O73x7bVxUS', 'user.screen_name': 'MITSloan'}, {'created_at': 'Mon Feb 12 00:54:47 +0000 2018', 'id': 962852451354333184, 'text': 'RT @franceintheus: Today is International #WomenScienceDay ! \nEsther Duflo is a Professor of Poverty Alleviation & Dev’t Economics at @MIT…', 'user.screen_name': 'frelandv'}, {'created_at': 'Mon Feb 12 00:54:01 +0000 2018', 'id': 962852255581069314, 'text': "@bridgitmendler Just joined to say hello to you. - I'm little bit confused. Are you working at MIT or studying ?", 'user.screen_name': 'Ike_Wexter'}, {'created_at': 'Mon Feb 12 00:53:55 +0000 2018', 'id': 962852229651693568, 'text': 'RT @TraDove_ICO: Breakfast with our team, board member Gordon Kaufman, and Professor Emeritus from the MIT Sloan School of Management. Big…', 'user.screen_name': 'john_leo25'}, {'created_at': 'Mon Feb 12 00:53:33 +0000 2018', 'id': 962852138476023808, 'text': 'Hot new story Facial recognition software is biased towards white men, researcher finds https://t.co/6ArydpydWz… https://t.co/PyrwObULrb', 'user.screen_name': 'EmpireDynamic'}, {'created_at': 'Mon Feb 12 00:53:03 +0000 2018', 'id': 962852011065724928, 'text': 'Solid aims to radically change the way web applications work\nLink: https://t.co/fqp49EZ0PW\nCmts: https://t.co/JBuxkkuCtO', 'user.screen_name': 'HackerNewsPosts'}, {'created_at': 'Mon Feb 12 00:52:32 +0000 2018', 'id': 962851884695351296, 'text': 'RT @TurkHeritage: On International #WomenInScience Day, listen to Turkish MIT @medialab faculty member Dr. Canan Dagdeviren talk at the UN…', 'user.screen_name': '22C0in'}, {'created_at': 'Mon Feb 12 00:52:24 +0000 2018', 'id': 962851850579009536, 'text': "RT @NeilKBrand: As my score for #Hitchcock's #Blackmail is being played live tonight by the #Nürnberg Symphony Orchestra tonight (https://t…", 'user.screen_name': 'Minghowriter'}, {'created_at': 'Mon Feb 12 00:52:09 +0000 2018', 'id': 962851785634402304, 'text': 'RT @LemelsonMIT: David Sengeh’s interest in designing prostheses stems from his childhood. He grew up in Sierra Leone during the civil war,…', 'user.screen_name': 'stansburyj'}, {'created_at': 'Mon Feb 12 00:51:50 +0000 2018', 'id': 962851708148895745, 'text': 'RT @hildabast: Day 2 #BlackHistoryMonth: Physicist, Carolyn Beatrice Parker - a remarkable woman, whose long-lost story shows how much work…', 'user.screen_name': 'NMGasparini'}, {'created_at': 'Mon Feb 12 00:51:49 +0000 2018', 'id': 962851704763973632, 'text': 'RT @BrightCellars: 2 MIT grads built an algorithm to match you with wine. Take the quiz to see your matches https://t.co/6bOuliqukx https:/…', 'user.screen_name': '22C0in'}, {'created_at': 'Mon Feb 12 00:51:47 +0000 2018', 'id': 962851693363941377, 'text': 'RT @gbaucom: Meet the biologist who got MIT to examine its treatment of women researchers - via @techreview https://t.co/c6JqibvhkQ //I rec…', 'user.screen_name': 'm_gitz'}, {'created_at': 'Mon Feb 12 00:51:25 +0000 2018', 'id': 962851603429711877, 'text': 'RT @TheNolanK: @seangares @launders @stunna @jamesbardolph @Fifflaren @n0thing "When someone accidentally buys full version of WinRar" http…', 'user.screen_name': 'Kebap_mit_Alles'}, {'created_at': 'Mon Feb 12 00:51:17 +0000 2018', 'id': 962851569510305792, 'text': 'Also looking for any MIT students with access to this https://t.co/5pIn86hNfK', 'user.screen_name': 'therealtblake'}, {'created_at': 'Mon Feb 12 00:50:58 +0000 2018', 'id': 962851488266637314, 'text': 'Solid aims to radically change the way web applications work https://t.co/Pk8XjL7SIO (https://t.co/UBcBddSLyz)', 'user.screen_name': 'newsyc50'}, {'created_at': 'Mon Feb 12 00:49:55 +0000 2018', 'id': 962851225506107392, 'text': 'Mit means with in German, I think ... unless you are talking about ice in Coca-Cola. Then it means the same as ohne. #cocacola', 'user.screen_name': 'DrewArrowood'}, {'created_at': 'Mon Feb 12 00:49:25 +0000 2018', 'id': 962851098808803331, 'text': '@SMITEGame @PlayHotG When will Hog come to ps4 ?? I mean fully (mit with early acesess', 'user.screen_name': 'xHawkeye3'}, {'created_at': 'Mon Feb 12 00:48:04 +0000 2018', 'id': 962850757442789376, 'text': "@Sergeant_Meow Don't forget Scratch. \ud83d\ude01\ud83d\udc31\ud83d\ude09 https://t.co/vJFQFv2BOZ", 'user.screen_name': 'JewelNtheLotus'}, {'created_at': 'Mon Feb 12 00:46:55 +0000 2018', 'id': 962850471374475264, 'text': 'RT @skocharlakota: Happening now - @msisodia taking questions from MIT students. https://t.co/bArfCC0SFu', 'user.screen_name': 'jayeshmahajan'}, {'created_at': 'Mon Feb 12 00:46:35 +0000 2018', 'id': 962850383709265925, 'text': 'Solid aims to radically change the way web applications work https://t.co/s2Tyz2Bkpj', 'user.screen_name': 'myikegami_bot'}, {'created_at': 'Mon Feb 12 00:46:31 +0000 2018', 'id': 962850370287554560, 'text': 'RT @Teri_Lowe_: who chooses a starter over hot chocolate fudge cake n ice cream?!?not me xoxo https://t.co/mxaRubqWZ5', 'user.screen_name': 'harry_mit'}, {'created_at': 'Mon Feb 12 00:46:13 +0000 2018', 'id': 962850292424261633, 'text': 'Facial recognition software is biased towards white men, researcher finds https://t.co/y0Z2PZzaUj', 'user.screen_name': 'sunkissedAus'}, {'created_at': 'Mon Feb 12 00:46:09 +0000 2018', 'id': 962850274997166080, 'text': 'This is amazing. Good for you, @JohnCUrschel - wow! Nice to see Ravens support his move too. https://t.co/Xvd2yd3UIz', 'user.screen_name': 'dannotdaniel'}, {'created_at': 'Mon Feb 12 00:45:19 +0000 2018', 'id': 962850067123195909, 'text': '@Dame_mit_muff @WeDoNotLearn73 Not sure where you are going with this one. I feel I have answered. Sorry if it’s not enough. \ud83d\ude0a', 'user.screen_name': 'keithfraser2017'}, {'created_at': 'Mon Feb 12 00:45:02 +0000 2018', 'id': 962849995991822336, 'text': 'RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/lg2RZ9eUnd…', 'user.screen_name': 'JoonErdogan'}, {'created_at': 'Mon Feb 12 00:44:52 +0000 2018', 'id': 962849953759612929, 'text': 'RT @ItzWolfGives: First Retweet \nOrigin\n\nBei 6 likes geht‘s mit First Retweet‘s weiter', 'user.screen_name': 'Melonenkekse4'}, {'created_at': 'Mon Feb 12 00:44:34 +0000 2018', 'id': 962849878153056256, 'text': 'RT @ItzWolfGives: First Retweet \nOrigin\n\nBei 6 likes geht‘s mit First Retweet‘s weiter', 'user.screen_name': 'die_guten_123'}, {'created_at': 'Mon Feb 12 00:44:32 +0000 2018', 'id': 962849870607503365, 'text': 'RT @ItzWolfGives: First Retweet \nOrigin\n\nBei 6 likes geht‘s mit First Retweet‘s weiter', 'user.screen_name': 'zJxnCoresBW'}, {'created_at': 'Mon Feb 12 00:44:30 +0000 2018', 'id': 962849859396165632, 'text': 'RT @ItzWolfGives: First Retweet \nOrigin\n\nBei 6 likes geht‘s mit First Retweet‘s weiter', 'user.screen_name': 'KiquJr'}, {'created_at': 'Mon Feb 12 00:44:27 +0000 2018', 'id': 962849849707302913, 'text': 'RT @ItzWolfGives: First Retweet \nOrigin\n\nBei 6 likes geht‘s mit First Retweet‘s weiter', 'user.screen_name': '_Mxmo'}, {'created_at': 'Mon Feb 12 00:44:22 +0000 2018', 'id': 962849827112570881, 'text': 'First Retweet \nOrigin\n\nBei 6 likes geht‘s mit First Retweet‘s weiter', 'user.screen_name': 'ItzWolfGives'}, {'created_at': 'Mon Feb 12 00:44:22 +0000 2018', 'id': 962849826449784832, 'text': '@winsiah MIT Placement Day ROCKS\ud83e\udd2a\ud83e\udd2a\ud83e\udd2a', 'user.screen_name': 'wimitmom'}, {'created_at': 'Mon Feb 12 00:44:03 +0000 2018', 'id': 962849748456787968, 'text': 'RT @mitsmr: RT @joannecanderson: How to achieve "extreme #productivity" from @mitsmr : "Hours are a traditional way of tracking employee p…', 'user.screen_name': 'gogos'}, {'created_at': 'Mon Feb 12 00:43:32 +0000 2018', 'id': 962849617992994816, 'text': 'ICE7 aka GES/MIT \nHistoric Facts \nhttps://t.co/EdIrrtvwx7\n\nICE4 complicated 1994 not going to explain context \nICE7… https://t.co/pBA6s6cxjB', 'user.screen_name': 'Phillip_Dabney'}, {'created_at': 'Mon Feb 12 00:43:13 +0000 2018', 'id': 962849539861434368, 'text': 'Fortnite ► Mit Gaming24, Jacky Rainbow I #RoadTo50Abbos I Livestream I German I CraftCent: https://t.co/P2bf44H8SF via @YouTube', 'user.screen_name': 'CraftCent_'}, {'created_at': 'Mon Feb 12 00:42:17 +0000 2018', 'id': 962849304489742336, 'text': 'Love being a MIT for SAI \ud83c\udfbc❤️', 'user.screen_name': 'AlmaBradley'}, {'created_at': 'Mon Feb 12 00:42:12 +0000 2018', 'id': 962849282096328704, 'text': 'I like the fact that this new President of Harvard has spent a lot of time in the Boston area (Harvard, Tufts, MIT)… https://t.co/xUGWUVAucz', 'user.screen_name': 'tuke'}, {'created_at': 'Mon Feb 12 00:42:08 +0000 2018', 'id': 962849264706650112, 'text': 'RT @skocharlakota: Happening now - @msisodia taking questions from MIT students. https://t.co/bArfCC0SFu', 'user.screen_name': 'Georgekurian4K'}, {'created_at': 'Mon Feb 12 00:42:05 +0000 2018', 'id': 962849251624538112, 'text': 'RT @MITSloan: The idea of a universal basic income is not new, but the theory has never been thoroughly tested. A massive new study is abou…', 'user.screen_name': 'MarlonCreative'}, {'created_at': 'Mon Feb 12 00:41:55 +0000 2018', 'id': 962849212118560768, 'text': 'RT @scratch: Scratch Days can be large or small, for beginners and for more experienced Scratchers. Find a Scratch Day in your community, o…', 'user.screen_name': 'AnnMoyle'}, {'created_at': 'Mon Feb 12 00:41:05 +0000 2018', 'id': 962849001656672256, 'text': 'Steep Discount Mart Coupon Code 10%!: Promotion at Steep Discount Mart: 10% OFF YOUR ENTIRE ORDER. Coupon Code 10%!… https://t.co/3rOWCx0yiM', 'user.screen_name': 'coupons_u_need'}, {'created_at': 'Mon Feb 12 00:41:04 +0000 2018', 'id': 962848997558820865, 'text': 'Steep Discount Mart Discount Code 70%!: Promotion at Steep Discount Mart: 70% OFF Pendant Necklace Crystal Drop. Di… https://t.co/94gKIMs6ye', 'user.screen_name': 'coupons_u_need'}, {'created_at': 'Mon Feb 12 00:40:47 +0000 2018', 'id': 962848927971266560, 'text': '@bridgitmendler btw I‘m really interested in your current research at MIT media lab\ud83d\ude2d', 'user.screen_name': 'momomomoilok'}, {'created_at': 'Mon Feb 12 00:40:45 +0000 2018', 'id': 962848916659109888, 'text': 'RT @MITdusp: We are proud and delighted -- DUSP Emeritus Professor Larry Bacow https://t.co/N7uThsFNfx is the next President of Harvard U…', 'user.screen_name': 'joemcgonegal'}, {'created_at': 'Mon Feb 12 00:40:22 +0000 2018', 'id': 962848819951099905, 'text': 'I am starting Artificial Intelligence course with MIT https://t.co/0PimX7wsvy #ai #ml #dl', 'user.screen_name': 'AINewsFeed'}, {'created_at': 'Mon Feb 12 00:39:46 +0000 2018', 'id': 962848669006315520, 'text': 'Path Dependency is one of the hindrance for Digital Transformative Capabilities (DTC)\n#digitaltransformation #iiot https://t.co/JPXxMU6BHR', 'user.screen_name': 'swapan_ghosh'}, {'created_at': 'Mon Feb 12 00:39:28 +0000 2018', 'id': 962848593429311488, 'text': 'MIT Engineers Have Designed a Chip That Behaves Just Like Brain Cell Connections https://t.co/qQyoitLQ0E', 'user.screen_name': 'zananeichan'}, {'created_at': 'Mon Feb 12 00:37:51 +0000 2018', 'id': 962848186401546246, 'text': 'Thomas just turned my oven mit into a puppet. I don’t know whether to be concerned or more in love with this goof.', 'user.screen_name': 'Lucy_96115'}, {'created_at': 'Mon Feb 12 00:36:53 +0000 2018', 'id': 962847942884327424, 'text': 'RT @hrnext: ....never knew DJT is nephew of a top tier MIT Physicist https://t.co/EGrtFelzIk', 'user.screen_name': 'Georgekurian4K'}, {'created_at': 'Mon Feb 12 00:36:33 +0000 2018', 'id': 962847859287699456, 'text': 'It might be time to take up coding again: https://t.co/WcQDsvoXdd', 'user.screen_name': 'jcuene'}, {'created_at': 'Mon Feb 12 00:36:24 +0000 2018', 'id': 962847824713887745, 'text': '@himebadweather Yum! That would be really good right now. I saw some fresh trai mit when I was in qld. I guess it’s… https://t.co/mTHJLUMcl4', 'user.screen_name': 'itsmelanie_t'}, {'created_at': 'Mon Feb 12 00:36:13 +0000 2018', 'id': 962847778807451648, 'text': 'RT @hildabast: Day 2 #BlackHistoryMonth: Physicist, Carolyn Beatrice Parker - a remarkable woman, whose long-lost story shows how much work…', 'user.screen_name': 'labour_zone'}, {'created_at': 'Mon Feb 12 00:36:13 +0000 2018', 'id': 962847778773880832, 'text': 'RT @hildabast: Day 2 #BlackHistoryMonth: Physicist, Carolyn Beatrice Parker - a remarkable woman, whose long-lost story shows how much work…', 'user.screen_name': 'Labour_North'}, {'created_at': 'Mon Feb 12 00:36:13 +0000 2018', 'id': 962847777326804992, 'text': 'RT @hildabast: Day 2 #BlackHistoryMonth: Physicist, Carolyn Beatrice Parker - a remarkable woman, whose long-lost story shows how much work…', 'user.screen_name': 'ChiOnwurah'}, {'created_at': 'Mon Feb 12 00:35:51 +0000 2018', 'id': 962847682917171200, 'text': 'RT @gfernandoamb: On October 12, 2017, the MIT Inclusive Innovation Challenge awarded over $1 million in prizes to global entrepreneurs usi…', 'user.screen_name': 'erikbryn'}, {'created_at': 'Mon Feb 12 00:35:31 +0000 2018', 'id': 962847601799417860, 'text': 'Bachata Sensual Advanced Workshop mit Ruben aus\xa0Cadiz https://t.co/yn6cPF999S', 'user.screen_name': 'salsastisch_de'}, {'created_at': 'Mon Feb 12 00:35:28 +0000 2018', 'id': 962847586708262916, 'text': 'Kizomba Hearts Night mit Kiz Classes Improver und\xa0Advanced https://t.co/siZfzd2Nz8', 'user.screen_name': 'salsastisch_de'}, {'created_at': 'Mon Feb 12 00:35:24 +0000 2018', 'id': 962847571453599750, 'text': 'RT @MITSloan: Integrating analytics is crucial. Start with these 8 articles. https://t.co/3hxWVgHY9q', 'user.screen_name': 'pirtlj'}, {'created_at': 'Mon Feb 12 00:35:07 +0000 2018', 'id': 962847498942468096, 'text': 'MIT&F: Relay Team Sets Record At UW-Platteville Invitational https://t.co/jjwnWVuHF8 #d3track', 'user.screen_name': 'WLCSports'}, {'created_at': 'Mon Feb 12 00:35:00 +0000 2018', 'id': 962847472656592897, 'text': 'RT @StanM3: Germany- Afghan(19) stabbed his ex-girlfriend(23) in the shoulder and fled. The police had been called because of domestic viol…', 'user.screen_name': 'erotao'}, {'created_at': 'Mon Feb 12 00:34:49 +0000 2018', 'id': 962847424581644288, 'text': 'Ich mag das @YouTube-Video: https://t.co/LBOsMTaOxb West-Ost Roadtrip! mit Maik - THE CREW Part 37 | Lets Play The Crew', 'user.screen_name': 'Killerdaby'}, {'created_at': 'Mon Feb 12 00:34:42 +0000 2018', 'id': 962847396689596417, 'text': 'MY MIT YOOO', 'user.screen_name': 'essaxpizza'}, {'created_at': 'Mon Feb 12 00:34:34 +0000 2018', 'id': 962847363135045632, 'text': 'RT @lenadroid: It is so sunny in Seattle this morning (I know, weird), but no reason to go outside when I have entire MIT Introduction to D…', 'user.screen_name': 'pdausman'}, {'created_at': 'Mon Feb 12 00:34:17 +0000 2018', 'id': 962847288933707781, 'text': 'Late Night Stream | KYOAN | Mit Pipo und Andi: https://t.co/nnH6IUhI8b via @YouTube', 'user.screen_name': 'KyoanYT'}, {'created_at': 'Mon Feb 12 00:34:13 +0000 2018', 'id': 962847272001093632, 'text': 'RT @ClintFalin: Day 5: They’ve broken past the barrier. I’m out of food and water. If you’re reading this, I https://t.co/YXk5OTvOia', 'user.screen_name': 'Mit_ch_ell'}, {'created_at': 'Mon Feb 12 00:34:03 +0000 2018', 'id': 962847232079745024, 'text': '@itsmelanie_t yeah it is too hard T_T sigh this is making me miss vietnam, trai mit with muoi tieu chanh T______T', 'user.screen_name': 'himebadweather'}, {'created_at': 'Mon Feb 12 00:33:56 +0000 2018', 'id': 962847202686025728, 'text': 'MIT report warns U.S. electrical grid vulnerable | Homeland Security News Wire https://t.co/km6jmHKWP5', 'user.screen_name': 'WaterWavy'}, {'created_at': 'Mon Feb 12 00:33:52 +0000 2018', 'id': 962847187322499072, 'text': 'RT @TamaraMcCleary: Mastering the Digital #Innovation Challenge https://t.co/4jbLqULxfg #leadership #digitaltransformation MT @jglass8 via…', 'user.screen_name': 'dleetweet'}, {'created_at': 'Mon Feb 12 00:32:58 +0000 2018', 'id': 962846960704204800, 'text': '#MIT 15.361 Executing Strategy for Results (MIT) - This course provides business students an alternative to the mec… https://t.co/YdCsPxMUZl', 'user.screen_name': 'MOOCdirectory'}, {'created_at': 'Mon Feb 12 00:32:52 +0000 2018', 'id': 962846933890068480, 'text': 'We’d like to give a very warm welcome to our two MIT’s who pledged this evening! Congratulations ladies! ❤️\ud83c\udf39 https://t.co/bvkJbT1coC', 'user.screen_name': 'saimudelta'}, {'created_at': 'Mon Feb 12 00:32:31 +0000 2018', 'id': 962846845255987202, 'text': 'RT @JensRoehrich: Interesting article: The Unique Challenges of Cross-Boundary #Collaboration https://t.co/EXelhBmrId You may also find my…', 'user.screen_name': 'clindsaystrath'}, {'created_at': 'Mon Feb 12 00:32:22 +0000 2018', 'id': 962846809587666949, 'text': 'Future cities built with volcanic ash? - Image via MIT. By Jennifer Chu/MIT MIT engineers working with scientists i… https://t.co/TBYqDTFm2a', 'user.screen_name': 'Jeff_Rebitzke'}, {'created_at': 'Mon Feb 12 00:32:07 +0000 2018', 'id': 962846743997100032, 'text': 'RT @LemelsonMIT: David Sengeh’s interest in designing prostheses stems from his childhood. He grew up in Sierra Leone during the civil war,…', 'user.screen_name': 'tonyperry'}, {'created_at': 'Mon Feb 12 00:32:01 +0000 2018', 'id': 962846720160948225, 'text': '.@MIT research sprouts two startups competing on new AI-focused chips https://t.co/mA2iWvGIuC', 'user.screen_name': 'BosBizJournal'}, {'created_at': 'Mon Feb 12 00:31:33 +0000 2018', 'id': 962846603915689984, 'text': 'Live Fortnite mit Facecam live at https://t.co/XKurIvFHev', 'user.screen_name': 'OnFireBoss'}, {'created_at': 'Mon Feb 12 00:31:28 +0000 2018', 'id': 962846583250329601, 'text': 'RT @HarvardDivinity: “Since meeting and befriending Larry Bacow over 25 years ago at MIT, I have had the privilege of working with one of t…', 'user.screen_name': 'MAKEinANDHRA'}, {'created_at': 'Mon Feb 12 00:31:28 +0000 2018', 'id': 962846580985430016, 'text': 'RT @hildabast: Day 2 #BlackHistoryMonth: Physicist, Carolyn Beatrice Parker - a remarkable woman, whose long-lost story shows how much work…', 'user.screen_name': 'stevendengue'}, {'created_at': 'Mon Feb 12 00:31:25 +0000 2018', 'id': 962846567244984320, 'text': 'RT @EdTech_HigherEd: .@MIT research finds #Wikipedia to be a useful research tool. https://t.co/s8tNYSJlRG', 'user.screen_name': 'mmkrill'}, {'created_at': 'Mon Feb 12 00:31:15 +0000 2018', 'id': 962846526367256576, 'text': 'RT @newsyc20: Solid aims to radically change the way web applications work https://t.co/pJ2G4pQ57y (https://t.co/1tZgYZ1TbR)', 'user.screen_name': 'SelenasWays'}, {'created_at': 'Mon Feb 12 00:30:59 +0000 2018', 'id': 962846461296828418, 'text': '.@MIT research finds #Wikipedia to be a useful research tool. https://t.co/s8tNYSJlRG', 'user.screen_name': 'EdTech_HigherEd'}, {'created_at': 'Mon Feb 12 00:30:49 +0000 2018', 'id': 962846416828805120, 'text': 'Facial recognition software is biased towards white men, researcher finds. https://t.co/KDJ02Kx9RT', 'user.screen_name': 'PoliGramR'}, {'created_at': 'Mon Feb 12 00:30:26 +0000 2018', 'id': 962846323325243394, 'text': 'Facial Recognition Software Is Biased Towards White Men, Researcher Finds https://t.co/EvcxrRbCOL https://t.co/7nSIOaSZji', 'user.screen_name': 'TechShape'}, {'created_at': 'Mon Feb 12 00:30:07 +0000 2018', 'id': 962846242287095808, 'text': 'MIT IQ Initiative Is Taking A Different Approach To AI Research\xa0 | Deep_In_Depth: Deep Learning, ML & DS https://t.co/raDuSaZWX3', 'user.screen_name': 'Deep_In_Depth'}, {'created_at': 'Mon Feb 12 00:29:59 +0000 2018', 'id': 962846207830786048, 'text': 'Solid aims to radically change the way web applications work https://t.co/pJ2G4pQ57y (https://t.co/1tZgYZ1TbR)', 'user.screen_name': 'newsyc20'}, {'created_at': 'Mon Feb 12 00:29:45 +0000 2018', 'id': 962846151224512512, 'text': '✌ @Reading "Podcast, Nick Seaver: “What Do People Do All Day?”" https://t.co/ZeuHBeYJEg', 'user.screen_name': 'rogreisreading'}, {'created_at': 'Mon Feb 12 00:29:41 +0000 2018', 'id': 962846131330875393, 'text': 'RT @leathershirts: i hope vine 2 is better than cars 2', 'user.screen_name': 'Zoey_mit'}, {'created_at': 'Mon Feb 12 00:29:18 +0000 2018', 'id': 962846038141804544, 'text': 'Deer Island Waste Water Treatment Plant : MIT Libraries https://t.co/0BewMlq8N1', 'user.screen_name': 'Energy_Needs'}, {'created_at': 'Mon Feb 12 00:29:09 +0000 2018', 'id': 962845997239095298, 'text': 'RT @MPBorman: Using #Analytics to Improve #CustomerEngagement https://t.co/QudJPaK8eD @mitsmr @SASsoftware #corpgov #CEO #CFO #CIO #CMO #Bo…', 'user.screen_name': 'gogos'}, {'created_at': 'Mon Feb 12 00:29:01 +0000 2018', 'id': 962845965156868097, 'text': 'RT @JensRoehrich: Interesting article: The Unique Challenges of Cross-Boundary #Collaboration https://t.co/EXelhBmrId You may also find my…', 'user.screen_name': 'JensRoehrich'}, {'created_at': 'Mon Feb 12 00:28:37 +0000 2018', 'id': 962845866183876610, 'text': 'RT @mitsmr: Be a futurist. Check out this cool six-step forecasting methodology created by @amywebb. https://t.co/dGU8wKsCaH https://t.co/…', 'user.screen_name': 'NewsNeus'}, {'created_at': 'Mon Feb 12 00:28:19 +0000 2018', 'id': 962845789373448193, 'text': 'Solid aims to radically change the way web applications work (31 points on Hacker News): https://t.co/mAi3KjgLmO', 'user.screen_name': 'topnotifier'}, {'created_at': 'Mon Feb 12 00:27:59 +0000 2018', 'id': 962845706364030976, 'text': 'RT @MITSloan: New ideas aren’t in short supply, but they have gotten more expensive. More in @mitsmr. https://t.co/IqpxBs8uhs', 'user.screen_name': 'gogos'}, {'created_at': 'Mon Feb 12 00:26:33 +0000 2018', 'id': 962845343921725440, 'text': 'RT @hildabast: Day 2 #BlackHistoryMonth: Physicist, Carolyn Beatrice Parker - a remarkable woman, whose long-lost story shows how much work…', 'user.screen_name': 'tkingdot'}, {'created_at': 'Mon Feb 12 00:25:57 +0000 2018', 'id': 962845193077604352, 'text': 'RT @FunctorFact: Functional differential geometry https://t.co/Xq4vPRD2AB', 'user.screen_name': 'reeds_michael'}, {'created_at': 'Mon Feb 12 00:25:45 +0000 2018', 'id': 962845142515404800, 'text': 'RT @scratch: Scratch Days can be large or small, for beginners and for more experienced Scratchers. Find a Scratch Day in your community, o…', 'user.screen_name': 'mmc955'}, {'created_at': 'Mon Feb 12 00:25:09 +0000 2018', 'id': 962844993735020546, 'text': "RT @scratch: Scratch Day is a global network of events that celebrates Scratch. This year's Scratch Day is on May 12, 2018. Visit https://t…", 'user.screen_name': 'gigabytemag'}, {'created_at': 'Mon Feb 12 00:25:00 +0000 2018', 'id': 962844952303689729, 'text': 'RT @scratch: Scratch Days can be large or small, for beginners and for more experienced Scratchers. Find a Scratch Day in your community, o…', 'user.screen_name': 'gigabytemag'}, {'created_at': 'Mon Feb 12 00:24:56 +0000 2018', 'id': 962844938865205250, 'text': 'RT @mitmeche: The latest issue of MechE Connects is now online! Hear from our faculty members, students, and alumni about how they are appl…', 'user.screen_name': 'gigabytemag'}, {'created_at': 'Mon Feb 12 00:24:52 +0000 2018', 'id': 962844920791883776, 'text': 'RT @MIT: MIT engineers make microfluidics modular using the popular interlocking blocks. https://t.co/DDcxeTCVvC https://t.co/8vH5DxYZow', 'user.screen_name': 'gigabytemag'}, {'created_at': 'Mon Feb 12 00:24:49 +0000 2018', 'id': 962844907080740864, 'text': 'One of the first things I would like to see Dr. Polio do is institute a challenge much like Boston Public Schools d… https://t.co/1NiHLloPyI', 'user.screen_name': 'kycoffeeguy'}, {'created_at': 'Mon Feb 12 00:24:46 +0000 2018', 'id': 962844893688279040, 'text': "RT @mitenergy: MIT's Translational Fellows Program, founded by @RLEatMIT Director Yoel Fink, helps #postdocs bring their innovations out of…", 'user.screen_name': 'gigabytemag'}, {'created_at': 'Mon Feb 12 00:24:43 +0000 2018', 'id': 962844884154675200, 'text': 'RT @WE_BAP_US: Dr. #ShirleyJackson the first African-American woman to have earned a doctorate at the MIT.\n\n#BlackAndProud #BlackWomen #Bla…', 'user.screen_name': 'DavisKimbrely'}, {'created_at': 'Mon Feb 12 00:24:40 +0000 2018', 'id': 962844868371472384, 'text': 'RT @MIT: Be sure to root for MIT alumni competing in the 2018 Winter Olympics! \ud83e\udd47\ud83e\udd48\ud83e\udd49 The opening ceremony is tonight at 8 ET https://t.co/9l…', 'user.screen_name': 'gigabytemag'}, {'created_at': 'Mon Feb 12 00:24:39 +0000 2018', 'id': 962844863967518721, 'text': 'RT @scratch: Scratch Days can be large or small, for beginners and for more experienced Scratchers. Find a Scratch Day in your community, o…', 'user.screen_name': 'scratch'}, {'created_at': 'Mon Feb 12 00:24:23 +0000 2018', 'id': 962844800230809600, 'text': '"Find Your Own Way..." #LeonardNimoy\n\nvia @10MillionMiler #quote #leadership #entrepreneur #startups RT @MIT… https://t.co/9JyLDLAIwu', 'user.screen_name': 'elaine_perry'}, {'created_at': 'Mon Feb 12 00:24:22 +0000 2018', 'id': 962844794631348224, 'text': 'RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/lg2RZ9eUnd…', 'user.screen_name': 'RobynPope83'}, {'created_at': 'Mon Feb 12 00:24:16 +0000 2018', 'id': 962844769079541760, 'text': "RT @mitsmr: Keep this chart handy when you're Identifying potential #leaders in your company. https://t.co/WHj7CM39AJ #management https://…", 'user.screen_name': 'meadowsalestech'}, {'created_at': 'Mon Feb 12 00:24:11 +0000 2018', 'id': 962844748716355584, 'text': '@DieElbmerle go pls und bring hustenstiller mit ^^', 'user.screen_name': 'Drachenkatze'}, {'created_at': 'Mon Feb 12 00:24:07 +0000 2018', 'id': 962844732748648449, 'text': 'In 1945, Vannevar Bush described the semantic web in his article "As We May Think". Thanks @MIT for publishing a pd… https://t.co/hoSrU4S3rb', 'user.screen_name': 'UXDiane'}, {'created_at': 'Mon Feb 12 00:23:27 +0000 2018', 'id': 962844564896624645, 'text': 'RT @skocharlakota: Happening now - @msisodia taking questions from MIT students. https://t.co/bArfCC0SFu', 'user.screen_name': 'AAP4ODISHA'}, {'created_at': 'Mon Feb 12 00:23:03 +0000 2018', 'id': 962844464703332358, 'text': 'Solid is an exciting new project led by Prof. Tim Berners-Lee https://t.co/ZIOC87yb1Z (https://t.co/LOoxwQ6lBP)', 'user.screen_name': 'hn_bot_top1'}, {'created_at': 'Mon Feb 12 00:22:51 +0000 2018', 'id': 962844412194836482, 'text': 'Bald ABO ZOCKEN ! Fortnite Live mit Facecam!: https://t.co/b40edjdkhA via @YouTube', 'user.screen_name': 'RobsTV_'}, {'created_at': 'Mon Feb 12 00:22:42 +0000 2018', 'id': 962844373384916992, 'text': 'Ex-Alphabet Chairman Joins MIT As Visiting Innovation Fellow - Former Executive Chairman of G https://t.co/buZIOTB8nq #machine-learning', 'user.screen_name': 'homeAIinfo'}, {'created_at': 'Mon Feb 12 00:22:29 +0000 2018', 'id': 962844318774960128, 'text': 'RT @mitsmr: 3 new types of AI-driven jobs \n1. Trainers teach AI systems how to perform\n2. Explainers clarify the inner workings of complex…', 'user.screen_name': '8sanjay'}, {'created_at': 'Mon Feb 12 00:22:08 +0000 2018', 'id': 962844233190334464, 'text': 'JUNGE WAS SOLL ICH MIT DENEN FUCK 3RD ANNIVERSAFY https://t.co/pNDSOFGZXq', 'user.screen_name': 'AntiLPaz'}, {'created_at': 'Mon Feb 12 00:21:46 +0000 2018', 'id': 962844139166420992, 'text': 'Solid is an exciting new project led by Prof. Tim Berners-Lee https://t.co/MQNSxpDl0m', 'user.screen_name': 'angsuman'}, {'created_at': 'Mon Feb 12 00:21:44 +0000 2018', 'id': 962844131876917248, 'text': 'RT @lotzrickards: felicity: felicity smoak, MIT class of 09\noliver: https://t.co/DRpcvdeCK4', 'user.screen_name': 'killyamax'}, {'created_at': 'Mon Feb 12 00:21:14 +0000 2018', 'id': 962844004227444736, 'text': '@dialogic01 bring die uke mit', 'user.screen_name': 'TheGurkenkaiser'}, {'created_at': 'Mon Feb 12 00:20:55 +0000 2018', 'id': 962843925483409413, 'text': 'RT @FraHofm: "MIT biological engineers have created a programming language that allows them to rapidly design complex, DNA-encoded circuits…', 'user.screen_name': 'FlyingTigerComx'}, {'created_at': 'Mon Feb 12 00:20:06 +0000 2018', 'id': 962843721007030272, 'text': 'HNews: Solid is an exciting new project led by Prof. Tim Berners-Lee https://t.co/NBuMhRNWws', 'user.screen_name': 'tek_news'}, {'created_at': 'Mon Feb 12 00:20:02 +0000 2018', 'id': 962843702803795968, 'text': 'Solid is an exciting new project led by Prof. Tim Berners-Lee: https://t.co/3Ta8UKQhzx Comments: https://t.co/j4YWR4hrHf', 'user.screen_name': 'HNTweets'}, {'created_at': 'Mon Feb 12 00:19:43 +0000 2018', 'id': 962843624533831680, 'text': 'I liked a @YouTube video https://t.co/NF786iY9Wy KS Mafia - La fiesta (Ich fick dich mit dem Satansschuh)', 'user.screen_name': 'lilskyxo'}, {'created_at': 'Mon Feb 12 00:19:31 +0000 2018', 'id': 962843572360839171, 'text': '@ladygagarmx wird recreated mit debby', 'user.screen_name': 'dasgrizzlylied'}, {'created_at': 'Mon Feb 12 00:18:56 +0000 2018', 'id': 962843427481141253, 'text': 'Facial recognition software is biased towards white men, researcher finds https://t.co/XKQuIhltyB via @Verge', 'user.screen_name': 'LaurenGoode'}, {'created_at': 'Mon Feb 12 00:18:49 +0000 2018', 'id': 962843399857504256, 'text': 'RT @cashjim: Which function is better at generating primes: f(n) = 1 + 6n or f(m) = 5 + 6m? @MatthewOldridge @dtangred @lisaannefloyd @mr…', 'user.screen_name': 'lisaannefloyd'}, {'created_at': 'Mon Feb 12 00:18:34 +0000 2018', 'id': 962843335240093696, 'text': 'RT @mitsmr: People who are “different” —whether behaviorally or neurologically— don’t always fit into standard job categories. But if you c…', 'user.screen_name': 'ritamakai'}, {'created_at': 'Mon Feb 12 00:18:29 +0000 2018', 'id': 962843314948108289, 'text': 'RT @cashjim: Which function is better at generating primes: f(n) = 1 + 6n or f(m) = 5 + 6m? @MatthewOldridge @dtangred @lisaannefloyd @mr…', 'user.screen_name': 'dtangred'}, {'created_at': 'Mon Feb 12 00:18:22 +0000 2018', 'id': 962843284392509440, 'text': 'felicity: felicity smoak, MIT class of 09\noliver: https://t.co/DRpcvdeCK4', 'user.screen_name': 'lotzrickards'}, {'created_at': 'Mon Feb 12 00:18:20 +0000 2018', 'id': 962843277765603328, 'text': 'Solid is an exciting new project led by Prof. Tim Berners-Lee https://t.co/1jQSpNoyqu', 'user.screen_name': 'neuropuff'}, {'created_at': 'Mon Feb 12 00:18:17 +0000 2018', 'id': 962843263362244608, 'text': 'RT @catherinealonz0: Navigating how to manage your virtual team? These practices can help your #organization succeed at its remote policy:…', 'user.screen_name': 'ChiefData2'}, {'created_at': 'Mon Feb 12 00:18:04 +0000 2018', 'id': 962843207217262593, 'text': 'RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/lg2RZ9eUnd…', 'user.screen_name': 'michavinogrado1'}, {'created_at': 'Mon Feb 12 00:17:38 +0000 2018', 'id': 962843101919432704, 'text': "RT @MITengineers: MIT men's volleyball improved to 8-1 this season with a thrilling five set win over St. John Fisher this afternoon! http…", 'user.screen_name': 'NoontimeSports'}, {'created_at': 'Mon Feb 12 00:17:11 +0000 2018', 'id': 962842987150548993, 'text': 'SUPERDRY Angebote Superdry Warriors Biker T-Shirt: Category: Herren / T-Shirts / T-Shirt mit Print Item number: 104… https://t.co/MxYmrna5sW', 'user.screen_name': 'SparVolltreffer'}, {'created_at': 'Mon Feb 12 00:16:58 +0000 2018', 'id': 962842933966843904, 'text': 'ameteur sex pics ask sexi kostenlos sex mit tire https://t.co/jmjRGseXmO', 'user.screen_name': 'hmoddi1_hmoddi'}, {'created_at': 'Mon Feb 12 00:16:14 +0000 2018', 'id': 962842747798523904, 'text': "RT @mitsmr: When it comes to digital transformation, #digital isn't the answer. Transformation is. https://t.co/wKK3hp1lgZ @gwesterman @mit…", 'user.screen_name': 'Carlos079'}, {'created_at': 'Mon Feb 12 00:15:42 +0000 2018', 'id': 962842614625169409, 'text': 'RT @YouBrandInc: Facial recognition software is biased towards white men, researcher finds - New research out of MIT’s Media Lab... https:/…', 'user.screen_name': 'Luiscoutio06'}, {'created_at': 'Mon Feb 12 00:15:06 +0000 2018', 'id': 962842461147049984, 'text': 'Solid is an exciting new project led by Prof. Tim Berners-Lee \n(Discussion on HN - https://t.co/k4FjTUNhNJ) https://t.co/55gQOKiwYh', 'user.screen_name': 'hnbot'}, {'created_at': 'Mon Feb 12 00:15:01 +0000 2018', 'id': 962842442851602432, 'text': 'Solid is an exciting new project led by Prof. Tim Berners-Lee : https://t.co/vKgJ70lseW Comments: https://t.co/EbejLVSo75', 'user.screen_name': 'hacker_news_hir'}, {'created_at': 'Mon Feb 12 00:14:22 +0000 2018', 'id': 962842278015287297, 'text': 'RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/fQ1IKfcpVW…', 'user.screen_name': 'RobynPope83'}, {'created_at': 'Mon Feb 12 00:14:01 +0000 2018', 'id': 962842190652129280, 'text': "Cmon @ferrarifoster don't be the next Aldon Smith for us \ud83e\udd26\u200d♂️", 'user.screen_name': 'Mit_ch_ell'}, {'created_at': 'Mon Feb 12 00:13:32 +0000 2018', 'id': 962842069172719616, 'text': 'Solid is an exciting new project led by Prof. Tim Berners-Lee https://t.co/TIWM40kZDQ (cmts https://t.co/ZRQBtKXyE4)', 'user.screen_name': 'newsycbot'}, {'created_at': 'Mon Feb 12 00:13:23 +0000 2018', 'id': 962842032359333888, 'text': 'RT @SteveCase: Is tech dividing America? https://t.co/sMTVRWErsX “There are 2 schools of thought: One is ‘sky is falling & robots are comi…', 'user.screen_name': 'AshekulHuq'}, {'created_at': 'Mon Feb 12 00:13:06 +0000 2018', 'id': 962841957306421248, 'text': 'RT @gbaucom: Meet the biologist who got MIT to examine its treatment of women researchers - via @techreview https://t.co/c6JqibvhkQ //I rec…', 'user.screen_name': 'RixeyMegan'}, {'created_at': 'Mon Feb 12 00:12:58 +0000 2018', 'id': 962841925639225344, 'text': 'RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/fQ1IKfcpVW…', 'user.screen_name': 'ParisMahavira'}, {'created_at': 'Mon Feb 12 00:12:04 +0000 2018', 'id': 962841699159457792, 'text': 'RT @neha: First cryptocurrency class with @tdryja! https://t.co/6ERcuhvGBZ #MITDCI https://t.co/5EG8yvjlyZ', 'user.screen_name': 'patmillertime'}, {'created_at': 'Mon Feb 12 00:11:25 +0000 2018', 'id': 962841536542265344, 'text': 'SPIELEN #Casino - 300% up to euro1200 on first 3 deposits mit #Timesquare - https://t.co/7LPT6ZLm1h https://t.co/G9NOTv3v9G', 'user.screen_name': 'bestbetforyou'}, {'created_at': 'Mon Feb 12 00:11:24 +0000 2018', 'id': 962841532180107265, 'text': 'SPIELEN #Casino - 300% up to euro1200 on first 3 deposits mit #Timesquare - https://t.co/kxRpC4IB5R https://t.co/lbwI4Ksg9K', 'user.screen_name': 'atticagambling'}, {'created_at': 'Mon Feb 12 00:10:52 +0000 2018', 'id': 962841395802370049, 'text': 'What to watch besides the athletes at Winter Olympics https://t.co/balAivNHQ3 via @mitsloan', 'user.screen_name': 'BarbaraCoward'}, {'created_at': 'Mon Feb 12 00:10:33 +0000 2018', 'id': 962841316618104832, 'text': 'RT @HamillHimself: Today is the perfect day for letting @MarilouHamill know how grateful I am for having her in my life. She makes the ordi…', 'user.screen_name': 'mit_chell03'}, {'created_at': 'Mon Feb 12 00:10:31 +0000 2018', 'id': 962841309420638208, 'text': 'Solid is an exciting new project led by Prof. Tim Berners-Lee https://t.co/9XHMMmnSJz', 'user.screen_name': 'zonadigitalPT'}, {'created_at': 'Mon Feb 12 00:10:23 +0000 2018', 'id': 962841276851937280, 'text': 'Solid is an exciting new project led by Prof. Tim Berners-Lee https://t.co/IdkmFmmpcb (cmts https://t.co/AchdqjIseZ)', 'user.screen_name': 'FrontPageHN'}, {'created_at': 'Mon Feb 12 00:10:02 +0000 2018', 'id': 962841185948614656, 'text': '⏬ watch ⏬\n\nhttps://t.co/WJfPsX8pLd\n\nfacesitting porn whipping femdom mistress slave bdsm domina xxx sex nsfw', 'user.screen_name': 'shim1985sheila'}, {'created_at': 'Mon Feb 12 00:09:56 +0000 2018', 'id': 962841160724176896, 'text': 'RT @HarvardDivinity: “Since meeting and befriending Larry Bacow over 25 years ago at MIT, I have had the privilege of working with one of t…', 'user.screen_name': 'hr072'}, {'created_at': 'Mon Feb 12 00:09:25 +0000 2018', 'id': 962841033041051648, 'text': 'RT @MITSloan: The idea of a universal basic income is not new, but the theory has never been thoroughly tested. A massive new study is abou…', 'user.screen_name': 'thedroneboy'}, {'created_at': 'Mon Feb 12 00:09:24 +0000 2018', 'id': 962841027466924038, 'text': 'SPIELEN #Casino - UP to GBP200 bonus 18+,Ts&Cs apply mit #Karamba - https://t.co/7SE0mNsTdz https://t.co/jz3QM9wCEn', 'user.screen_name': 'bestbetforyou'}, {'created_at': 'Mon Feb 12 00:09:23 +0000 2018', 'id': 962841022979100673, 'text': 'SPIELEN #Casino - UP to GBP200 bonus 18+,Ts&Cs apply mit #Karamba - https://t.co/TGFW5TK5TQ https://t.co/E7TNcRe6De', 'user.screen_name': 'atticagambling'}, {'created_at': 'Mon Feb 12 00:09:02 +0000 2018', 'id': 962840937473892352, 'text': "RT @mitsmr: Keep this chart handy when you're Identifying potential #leaders in your company. https://t.co/WHj7CM39AJ #management https://…", 'user.screen_name': 'nancyrubin'}, {'created_at': 'Mon Feb 12 00:09:01 +0000 2018', 'id': 962840932432449538, 'text': 'Solid is an exciting new project led by Prof. Tim Berners-Lee\nL: https://t.co/aZqVHJ2niu\nC: https://t.co/12fvh74TV1', 'user.screen_name': 'hn_frontpage'}, {'created_at': 'Mon Feb 12 00:09:00 +0000 2018', 'id': 962840927625605120, 'text': "RT @joshgerstein: New Harvard president & MIT frat brother on policy punishing membership in single-sex organizations: 'It's the right one…", 'user.screen_name': 'EggRetweet'}, {'created_at': 'Mon Feb 12 00:08:43 +0000 2018', 'id': 962840854338486272, 'text': "RT @MITSloan: Still don't understand blockchain? You're not alone. https://t.co/fInM4OoA2E", 'user.screen_name': 'farrasharahap'}, {'created_at': 'Mon Feb 12 00:08:27 +0000 2018', 'id': 962840787435343872, 'text': "RT @mathematicsprof: I hope every math student knows about MIT's Mathlets that gives animations of many math concepts. https://t.co/3Jtc1b…", 'user.screen_name': 'amaatouq'}, {'created_at': 'Mon Feb 12 00:08:15 +0000 2018', 'id': 962840736868728833, 'text': '#Doppel penetration #mit #Andy Anderson #jvswzizy https://t.co/Ea2o7zMdqL', 'user.screen_name': 'rDdECJ5u6BAogvs'}, {'created_at': 'Mon Feb 12 00:08:05 +0000 2018', 'id': 962840696175542273, 'text': 'Sparkles Make It Special Coupon Code 10 USD!: Promotion at Sparkles Make It Special: 10 USD off 50 USD with code. C… https://t.co/uaDVNGW47y', 'user.screen_name': 'coupons_u_need'}, {'created_at': 'Mon Feb 12 00:08:04 +0000 2018', 'id': 962840694644621314, 'text': 'Sparkles Make It Special Discount Code 5 USD!: Promotion at Sparkles Make It Special: 5 USD off 25 USD on all Organ… https://t.co/XR8iPTgNGK', 'user.screen_name': 'coupons_u_need'}, {'created_at': 'Mon Feb 12 00:07:26 +0000 2018', 'id': 962840532178427905, 'text': 'RT @SJPSwimCoach: A man of few words: Senior Max Scalley tells us the best part about diving at the 2018 MIAA North Sectionals at MIT. Go…', 'user.screen_name': 'leavitt_dylan5'}, {'created_at': 'Mon Feb 12 00:07:22 +0000 2018', 'id': 962840518211309568, 'text': 'SPIELEN #Casino - Up to GBP1000 Welcome bonus 18+,Ts&Cs apply mit #Affpower - https://t.co/AkIJ6dBq69 https://t.co/Wf3d18VQlV', 'user.screen_name': 'bestbetforyou'}, {'created_at': 'Mon Feb 12 00:07:21 +0000 2018', 'id': 962840514025357312, 'text': 'RT @TurkHeritage: On International #WomenInScience Day, listen to Turkish MIT @medialab faculty member Dr. Canan Dagdeviren talk at the UN…', 'user.screen_name': 'TrendNe_'}, {'created_at': 'Mon Feb 12 00:07:21 +0000 2018', 'id': 962840513941524482, 'text': 'SPIELEN #Casino - Up to GBP1000 Welcome bonus 18+,Ts&Cs apply mit #Affpower - https://t.co/nY4UwB6IAC https://t.co/5T6r4TjWfS', 'user.screen_name': 'atticagambling'}, {'created_at': 'Mon Feb 12 00:07:20 +0000 2018', 'id': 962840507146756097, 'text': '#Neu\n\nHeavy Metal TV 2018 März\n\nmit:\nBilly Idol\n\nDazed and Confused\n\nWoodstock 15.08.1969\n\nEasy Rider Movie\n\nIan... https://t.co/YmWDfXYAZJ', 'user.screen_name': 'HansHeavyMetal'}, {'created_at': 'Mon Feb 12 00:07:01 +0000 2018', 'id': 962840426603597825, 'text': 'RT @girlposts: Someone brought their bear to the mall. https://t.co/JMIyG51auS', 'user.screen_name': 'Mit_540'}, {'created_at': 'Mon Feb 12 00:06:25 +0000 2018', 'id': 962840275772149760, 'text': 'RT @ansontm: 2. Dopest family in America https://t.co/t6tRR9qGCF', 'user.screen_name': 'Mit_540'}, {'created_at': 'Mon Feb 12 00:05:21 +0000 2018', 'id': 962840009475788801, 'text': 'SPIELEN #Casino - Get up to GBP2000 Welcome bonus 18+,Ts&Cs apply mit #Affpower - https://t.co/BCTDq1ieuw https://t.co/qYo9GMD5jp', 'user.screen_name': 'bestbetforyou'}, {'created_at': 'Mon Feb 12 00:05:20 +0000 2018', 'id': 962840003343765504, 'text': 'SPIELEN #Casino - Get up to GBP2000 Welcome bonus 18+,Ts&Cs apply mit #Affpower - https://t.co/n6JE8kkvuv https://t.co/b3AXNk0lKC', 'user.screen_name': 'atticagambling'}, {'created_at': 'Mon Feb 12 00:05:05 +0000 2018', 'id': 962839943633625088, 'text': "Keep this chart handy when you're Identifying potential #leaders in your company. https://t.co/WHj7CM39AJ… https://t.co/XXUDkPJjqk", 'user.screen_name': 'mitsmr'}, {'created_at': 'Mon Feb 12 00:04:44 +0000 2018', 'id': 962839853762260992, 'text': 'RT @FlLMGRAIN: when crew love starts https://t.co/oqahYlnjwC', 'user.screen_name': 'Mit_540'}, {'created_at': 'Mon Feb 12 00:04:37 +0000 2018', 'id': 962839824356069376, 'text': 'RT @BAP_US: Dr. #ShirleyJackson the first African-American woman to have earned a doctorate at the MIT.\n\n#BlackAndProud #BlackWomen #BlackE…', 'user.screen_name': 'ChxJenn'}, {'created_at': 'Mon Feb 12 00:03:52 +0000 2018', 'id': 962839635868217344, 'text': 'RT @finah: What Rihanna sounds like in Needed Me slowed down \ud83d\ude33 https://t.co/0jEsxjlqr3', 'user.screen_name': 'Mit_540'}, {'created_at': 'Mon Feb 12 00:03:39 +0000 2018', 'id': 962839580159500288, 'text': 'RT @MichaelTripper: Page preparing readers for the next one:\nhttps://t.co/esmsdW8EZ3\nThe Hook, the actual #wtf for a #scientist, mass #medi…', 'user.screen_name': 'everburningfire'}, {'created_at': 'Mon Feb 12 00:03:39 +0000 2018', 'id': 962839579266027520, 'text': 'RT @lithiumforum: New independent study of #ICCT shows: #EV much better for climate than ICE. No surprise, but some lobbyists still distrib…', 'user.screen_name': '01moreland10'}, {'created_at': 'Mon Feb 12 00:03:38 +0000 2018', 'id': 962839576149725184, 'text': 'RT @Syzdem: ADHS mit @Imprezziv\n\nhttps://t.co/R40zOKoH0r https://t.co/ZUTIAIEl32', 'user.screen_name': 'Syzdem'}, {'created_at': 'Mon Feb 12 00:03:25 +0000 2018', 'id': 962839522982719488, 'text': '#hot #redhead amateur #blowjob mit #cumshot https://t.co/6213Wegj0u', 'user.screen_name': 'WnURm8yiEjCdO5w'}, {'created_at': 'Mon Feb 12 00:03:21 +0000 2018', 'id': 962839504234172417, 'text': 'RT @akwyz: Surviving a Day Without Smartphones https://t.co/iQXbYrRbKz', 'user.screen_name': 'Lord_Sirjs'}, {'created_at': 'Mon Feb 12 00:03:12 +0000 2018', 'id': 962839467995336704, 'text': "@BleacherReport This is the 3rd time in the last month I've seen him toss the ball towards someone with some sort o… https://t.co/l68DjluWwo", 'user.screen_name': 'ffulC_miT'}, {'created_at': 'Mon Feb 12 00:03:10 +0000 2018', 'id': 962839458415566848, 'text': 'RT @Syzdem: ADHS 2.0 mit @Imprezziv\n\nhttps://t.co/R40zOKoH0r https://t.co/Dhgp5qdVyV', 'user.screen_name': 'Syzdem'}, {'created_at': 'Mon Feb 12 00:02:43 +0000 2018', 'id': 962839344187879425, 'text': 'Surviving a Day Without Smartphones https://t.co/iQXbYrRbKz', 'user.screen_name': 'akwyz'}, {'created_at': 'Mon Feb 12 00:02:05 +0000 2018', 'id': 962839187723554821, 'text': 'Ficken #mit #meiner #Freundin in Yogahosen https://t.co/LWhSbejZh8', 'user.screen_name': 'huber_eldridge'}, {'created_at': 'Mon Feb 12 00:01:54 +0000 2018', 'id': 962839139136823296, 'text': 'RT @kweintraub: Harvard names Larry Bacow its next president. Son of immigrants, former head of Tufts, and Professor of Environmental Studi…', 'user.screen_name': 'AliciaBlatchfor'}, {'created_at': 'Mon Feb 12 00:01:37 +0000 2018', 'id': 962839068475314177, 'text': 'RT @StanM3: Germany- Afghan(19) stabbed his ex-girlfriend(23) in the shoulder and fled. The police had been called because of domestic viol…', 'user.screen_name': 'Halo5_'}, {'created_at': 'Mon Feb 12 00:01:31 +0000 2018', 'id': 962839042571358208, 'text': 'RT @MITSloan: The idea of a universal basic income is not new, but the theory has never been thoroughly tested. A massive new study is abou…', 'user.screen_name': 'AshishHosalkar'}, {'created_at': 'Mon Feb 12 00:00:56 +0000 2018', 'id': 962838895481278464, 'text': 'RT @mitsmr: Take a few minutes to read this classic: The Nine Elements of Digital Transformation: https://t.co/FBFlzQbwQF #digitaltransfor…', 'user.screen_name': 'Juanbg'}, {'created_at': 'Mon Feb 12 00:00:45 +0000 2018', 'id': 962838853227876352, 'text': "RT @joshgerstein: New Harvard president & MIT frat brother on policy punishing membership in single-sex organizations: 'It's the right one…", 'user.screen_name': 'lvbgal'}, {'created_at': 'Mon Feb 12 00:00:39 +0000 2018', 'id': 962838826547892225, 'text': '#Update\n\nHeavy Metal TV 2018 Februar\n\nmit:\nSteven Tyler (Aerosmith) \n\nGene Simmons (KISS) \n\nWolveSpirit... https://t.co/O66eS2suMa', 'user.screen_name': 'HansHeavyMetal'}, {'created_at': 'Mon Feb 12 00:00:19 +0000 2018', 'id': 962838743873826816, 'text': 'MIT created the smart home app of the future https://t.co/9jbJI5lM4m', 'user.screen_name': 'KlinikuNet'}, {'created_at': 'Mon Feb 12 00:00:19 +0000 2018', 'id': 962838741026033664, 'text': 'Live mit CoD WW2 https://t.co/knqiDSYTBq #CoD #MWR #twitch', 'user.screen_name': 'cr4sher619Fritz'}, {'created_at': 'Mon Feb 12 00:00:02 +0000 2018', 'id': 962838669257314304, 'text': 'RT @MITSloan: The idea of a universal basic income is not new, but the theory has never been thoroughly tested. A massive new study is abou…', 'user.screen_name': 'Rod_Pardo'}, {'created_at': 'Sun Feb 11 23:59:21 +0000 2018', 'id': 962838499333255168, 'text': 'RT @MITSloan: “The Olympic host city loses money on the venture.” https://t.co/JoFh4VZF8x https://t.co/sioocepgZj', 'user.screen_name': 'megumitakata'}, {'created_at': 'Sun Feb 11 23:59:12 +0000 2018', 'id': 962838463086190592, 'text': '@haydentiff @pl_mothergoose please don’t without reading this first. many have tried to bash $IOTA. they all failed… https://t.co/xGXXcoVXFw', 'user.screen_name': 'c4chaos'}, {'created_at': 'Sun Feb 11 23:59:04 +0000 2018', 'id': 962838428717957120, 'text': 'Page preparing readers for the next one:\nhttps://t.co/esmsdW8EZ3\nThe Hook, the actual #wtf for a #scientist, mass… https://t.co/VKj6IIXfuv', 'user.screen_name': 'MichaelTripper'}, {'created_at': 'Sun Feb 11 23:58:36 +0000 2018', 'id': 962838311948742656, 'text': '@NetflixMulhouse @MsEmmaPeele @CRUSADER0fTRUTH @louann_rolph @hereticornot @CentaurSteed @deadheadsticker… https://t.co/7Dvq1CuJgl', 'user.screen_name': 'MarionF74'}, {'created_at': 'Sun Feb 11 23:58:17 +0000 2018', 'id': 962838230600007680, 'text': '@beauty_b_me @karawalker_art @ngadc https://t.co/fZTGtnPITS https://t.co/eoyWYUCu7R I recommend emailing the… https://t.co/QgR9G27UH5', 'user.screen_name': 'PeripateticMe'}, {'created_at': 'Sun Feb 11 23:57:30 +0000 2018', 'id': 962838032956121088, 'text': 'RT @ThomasWictor: (10) Turkey did exactly the same thing when reporters revealed that the \nNational Intelligence Organization (MIT) was fun…', 'user.screen_name': 'DavyJonesPizza'}, {'created_at': 'Sun Feb 11 23:57:11 +0000 2018', 'id': 962837954702991362, 'text': "RT @joshgerstein: New Harvard president & MIT frat brother on policy punishing membership in single-sex organizations: 'It's the right one…", 'user.screen_name': 'jeanee5TAM'}, {'created_at': 'Sun Feb 11 23:57:06 +0000 2018', 'id': 962837932049555456, 'text': 'MIT 6.S191: Introduction to Deep Learning(19):https://t.co/5PyyZi6tps', 'user.screen_name': 'kogatake'}, {'created_at': 'Sun Feb 11 23:56:36 +0000 2018', 'id': 962837805054513157, 'text': 'RT @dark_shark: How Rocket Science And Early Computer Music Converged At Bell Labs by #MaxMathews #IBM #MIT @geetadayal https://t.co/msjR9E…', 'user.screen_name': 'TurneReeves'}, {'created_at': 'Sun Feb 11 23:56:34 +0000 2018', 'id': 962837796653289473, 'text': 'RT @mitsmr: If your company has rigid timelines about promotions and salary raises, you will lose valuable talent https://t.co/GAJNArfr0B', 'user.screen_name': 'DaphneHalkias'}, {'created_at': 'Sun Feb 11 23:55:57 +0000 2018', 'id': 962837642143346688, 'text': '@BioRender 1. My sister @kaymtye whose lab studies how emotional & motivational states influence behavior at MIT. \ud83d\ude0d… https://t.co/O4hFreGOGS', 'user.screen_name': 'lynnetye'}, {'created_at': 'Sun Feb 11 23:55:44 +0000 2018', 'id': 962837588737445894, 'text': 'I just released a #frontend for Nu #Html #Checker written with HTML5 / CSS3 / Javascript. You can do bulk validatio… https://t.co/yWEXxGTXdB', 'user.screen_name': 'BeFiveINFO'}, {'created_at': 'Sun Feb 11 23:55:32 +0000 2018', 'id': 962837540129689600, 'text': '40 kWh and #V2G ready: Very good!\n#nissan #range #cube\nhttps://t.co/tm7D45aA7b', 'user.screen_name': 'PeterLoeck'}, {'created_at': 'Sun Feb 11 23:55:19 +0000 2018', 'id': 962837485544931328, 'text': 'mit Knibbol! https://t.co/FHKfueK8MQ', 'user.screen_name': 'Hack_Dedrul'}, {'created_at': 'Sun Feb 11 23:53:46 +0000 2018', 'id': 962837095562715137, 'text': 'Asggee https://t.co/H6PCOqtfTZ', 'user.screen_name': 'LarryTasse'}, {'created_at': 'Sun Feb 11 23:53:36 +0000 2018', 'id': 962837051937665025, 'text': 'RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/lg2RZ9eUnd…', 'user.screen_name': 'BuanaFrank3'}, {'created_at': 'Sun Feb 11 23:53:11 +0000 2018', 'id': 962836947084435457, 'text': 'RT @MITSloan: The idea of a universal basic income is not new, but the theory has never been thoroughly tested. A massive new study is abou…', 'user.screen_name': '2be_here'}, {'created_at': 'Sun Feb 11 23:53:01 +0000 2018', 'id': 962836904428359681, 'text': '@DieBatsuDie *yoda dabs*', 'user.screen_name': 'mit_ouo'}, {'created_at': 'Sun Feb 11 23:52:29 +0000 2018', 'id': 962836770705506305, 'text': 'RT @MITSloan: The idea of a universal basic income is not new, but the theory has never been thoroughly tested. A massive new study is abou…', 'user.screen_name': 'diaviv'}, {'created_at': 'Sun Feb 11 23:52:26 +0000 2018', 'id': 962836759116595200, 'text': 'RT @mitsmr: People who are “different” —whether behaviorally or neurologically— don’t always fit into standard job categories. But if you c…', 'user.screen_name': 'meadowsalestech'}, {'created_at': 'Sun Feb 11 23:52:03 +0000 2018', 'id': 962836662744158208, 'text': '@lad1121 @dqjul @BrianKempGA @FultonGOP @MIT Go back to Chicago you snowflake', 'user.screen_name': 'RobertJonesJr12'}, {'created_at': 'Sun Feb 11 23:51:43 +0000 2018', 'id': 962836578858143746, 'text': 'RT @MITSloan: The idea of a universal basic income is not new, but the theory has never been thoroughly tested. A massive new study is abou…', 'user.screen_name': 'TammyBo35924315'}, {'created_at': 'Sun Feb 11 23:51:07 +0000 2018', 'id': 962836425266868226, 'text': 'RT @CCollinsPhD: TRAILBLAZERS: Nuclear physicist and engineer, Dr. Shirley A. Jackson, was the 1st African-American woman to earn a Ph.D. @…', 'user.screen_name': 'DrEFleming7'}, {'created_at': 'Sun Feb 11 23:51:02 +0000 2018', 'id': 962836406522515456, 'text': 'RT @dandyliving: Fasching mit @namenlos4 \ud83d\ude0d https://t.co/2hRAjHhXUS', 'user.screen_name': 'VCrncec'}, {'created_at': 'Sun Feb 11 23:51:00 +0000 2018', 'id': 962836398842744832, 'text': 'The idea of a universal basic income is not new, but the theory has never been thoroughly tested. A massive new stu… https://t.co/NY8zOBOEVt', 'user.screen_name': 'MITSloan'}, {'created_at': 'Sun Feb 11 23:50:10 +0000 2018', 'id': 962836188385107968, 'text': 'RT @kendricklamar: Black Panther \n\nRespect to all the artist/producers that allowed me to execute a sound for the soundtrack.\n\nThe concept…', 'user.screen_name': 'Mit_ch_ell'}, {'created_at': 'Sun Feb 11 23:49:48 +0000 2018', 'id': 962836093954478080, 'text': 'RT @mitsmr: “The ‘blame’ culture that permeates most organizations paralyzes decision makers so much that they don’t take chances and they…', 'user.screen_name': 'Duckydoodle18'}, {'created_at': 'Sun Feb 11 23:49:31 +0000 2018', 'id': 962836025566531584, 'text': 'RT @ProfBuehlerMIT: Registration now open for the Materials By Design short course @MIT this summer: Learn how multiscale simulation is use…', 'user.screen_name': 'CSHub_MIT'}, {'created_at': 'Sun Feb 11 23:49:23 +0000 2018', 'id': 962835991714246657, 'text': "RT @MIT: Shirley Ann Jackson '68 PhD '73 was the first black woman to earn a doctorate from MIT. Jackson helped to bring about more diversi…", 'user.screen_name': 'SusanaPablo'}, {'created_at': 'Sun Feb 11 23:49:02 +0000 2018', 'id': 962835902425980929, 'text': 'Facial recognition software is biased towards white men, researcher finds https://t.co/KLeYD34Kdp', 'user.screen_name': 'drinkncode'}, {'created_at': 'Sun Feb 11 23:48:29 +0000 2018', 'id': 962835764445925376, 'text': '#HarvardUniversity Names Former .@TuftsUniversity President Lawrence S. Bacow To Lead University, spent 24 years at… https://t.co/w5hdjJqboL', 'user.screen_name': 'finneyeric'}, {'created_at': 'Sun Feb 11 23:48:22 +0000 2018', 'id': 962835736155377664, 'text': 'Facial recognition software is biased towards white men, researcher finds https://t.co/E7mta8U40g via @Verge', 'user.screen_name': 'AntoninPribetic'}, {'created_at': 'Sun Feb 11 23:47:49 +0000 2018', 'id': 962835598657585152, 'text': 'lowkey thinking about putting subs in the maro \ud83d\ude43', 'user.screen_name': 'Taylor_Mit'}, {'created_at': 'Sun Feb 11 23:47:09 +0000 2018', 'id': 962835428956131328, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'kellyandkids3'}, {'created_at': 'Sun Feb 11 23:47:09 +0000 2018', 'id': 962835428876410887, 'text': "RT @MITengineers: MIT men's volleyball improved to 8-1 this season with a thrilling five set win over St. John Fisher this afternoon! http…", 'user.screen_name': 'TheUVC'}, {'created_at': 'Sun Feb 11 23:47:09 +0000 2018', 'id': 962835427446071296, 'text': 'RT @DrMattFinch: @alamw gently & lovingly sassing MIT reminds me of this project we did in Aussie - the one thing you can’t hack in the USA…', 'user.screen_name': 'ebeh'}, {'created_at': 'Sun Feb 11 23:47:07 +0000 2018', 'id': 962835422320758784, 'text': 'RT @The_EmmaxD: I liked a @YouTube video https://t.co/a4pQcGKlZ6 Minecraft KLARO | Ententanz mit Unterhose | 02', 'user.screen_name': 'IRTMC'}, {'created_at': 'Sun Feb 11 23:47:01 +0000 2018', 'id': 962835396831870976, 'text': 'RT @JuliaBrotherton: @Beverly_High Congrats to award winners Jennie Krigbaum, Laina Meagher, and Ibrahima Diagne, AND to the entire BHS de…', 'user.screen_name': 'APDestefano'}, {'created_at': 'Sun Feb 11 23:46:54 +0000 2018', 'id': 962835366532194304, 'text': 'RT @deeplearning4j: Pace Layering: How Complex Systems Learn and Keep Learning https://t.co/XysTbEoVZG', 'user.screen_name': 'pranjaltandon2'}, {'created_at': 'Sun Feb 11 23:46:52 +0000 2018', 'id': 962835356642152448, 'text': "RT @FisherAthletics: Men's Volleyball Outlasted By MIT In Five Set UVC Matchup https://t.co/ChyxbIlxuh", 'user.screen_name': 'TheUVC'}, {'created_at': 'Sun Feb 11 23:46:49 +0000 2018', 'id': 962835343140585473, 'text': 'I liked a @YouTube video https://t.co/a4pQcGKlZ6 Minecraft KLARO | Ententanz mit Unterhose | 02', 'user.screen_name': 'The_EmmaxD'}, {'created_at': 'Sun Feb 11 23:46:40 +0000 2018', 'id': 962835307405217792, 'text': 'RT @scratch: Scratch Days can be large or small, for beginners and for more experienced Scratchers. Find a Scratch Day in your community, o…', 'user.screen_name': 'shyduroff'}, {'created_at': 'Sun Feb 11 23:46:37 +0000 2018', 'id': 962835294839083009, 'text': '#RonWhite https://t.co/9cgaaDF5Re This bioengineering technique removes/replace the genetic code for passing on cer… https://t.co/7FLNc5BObl', 'user.screen_name': 'lazymanltd'}, {'created_at': 'Sun Feb 11 23:46:28 +0000 2018', 'id': 962835254905069568, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'drgregjones'}, {'created_at': 'Sun Feb 11 23:46:23 +0000 2018', 'id': 962835236043177984, 'text': 'RT @LeadershipPros2: RT @mitsmr "“The ‘blame’ culture that permeates most organizations paralyzes decision makers so much that they don’t t…', 'user.screen_name': 'Duckydoodle18'}, {'created_at': 'Sun Feb 11 23:46:23 +0000 2018', 'id': 962835233874890752, 'text': 'New post: Rudolf Kingslake Medal awarded by SPIE for paper on space-based imaging Researchers at MIT have won th https://t.co/ArNLfccWc6', 'user.screen_name': 'grp_net'}, {'created_at': 'Sun Feb 11 23:46:17 +0000 2018', 'id': 962835211070291968, 'text': '@alamw gently & lovingly sassing MIT reminds me of this project we did in Aussie - the one thing you can’t hack in… https://t.co/qhBXKe4zeQ', 'user.screen_name': 'DrMattFinch'}, {'created_at': 'Sun Feb 11 23:46:15 +0000 2018', 'id': 962835204183293952, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'allisongrrl'}, {'created_at': 'Sun Feb 11 23:46:05 +0000 2018', 'id': 962835159618797568, 'text': 'Electric Circuits | MIT OpenCourseWare | Free Online Course Materials https://t.co/Kg0vz02Oe5', 'user.screen_name': 'Wire_Queen'}, {'created_at': 'Sun Feb 11 23:45:59 +0000 2018', 'id': 962835133727498240, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'stevegagne99'}, {'created_at': 'Sun Feb 11 23:45:58 +0000 2018', 'id': 962835131185672193, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'Nissan__Xterra'}, {'created_at': 'Sun Feb 11 23:45:57 +0000 2018', 'id': 962835128383926272, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'RimboltBlack'}, {'created_at': 'Sun Feb 11 23:45:56 +0000 2018', 'id': 962835120809037824, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'Toyota_Venza'}, {'created_at': 'Sun Feb 11 23:45:46 +0000 2018', 'id': 962835082011652096, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'StewartJaxson'}, {'created_at': 'Sun Feb 11 23:45:43 +0000 2018', 'id': 962835069944713216, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'HeavenGianna'}, {'created_at': 'Sun Feb 11 23:45:42 +0000 2018', 'id': 962835062311006211, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'AsiliaZinsha'}, {'created_at': 'Sun Feb 11 23:45:41 +0000 2018', 'id': 962835058368401408, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'PaulRees45'}, {'created_at': 'Sun Feb 11 23:45:39 +0000 2018', 'id': 962835052731256833, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'AudreyPullman5'}, {'created_at': 'Sun Feb 11 23:45:35 +0000 2018', 'id': 962835035995951105, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'BloggerLeeWhite'}, {'created_at': 'Sun Feb 11 23:45:32 +0000 2018', 'id': 962835023656378368, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'StevenDavidso3'}, {'created_at': 'Sun Feb 11 23:45:32 +0000 2018', 'id': 962835023232716800, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'VictorSmith67'}, {'created_at': 'Sun Feb 11 23:45:31 +0000 2018', 'id': 962835019214540801, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'KathyEnzerink'}, {'created_at': 'Sun Feb 11 23:45:29 +0000 2018', 'id': 962835007445323781, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'Raphaelle_Smith'}, {'created_at': 'Sun Feb 11 23:45:26 +0000 2018', 'id': 962834996439416832, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'DavidHardacre7'}, {'created_at': 'Sun Feb 11 23:45:25 +0000 2018', 'id': 962834994652737536, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'HarmonyEmilie'}, {'created_at': 'Sun Feb 11 23:45:25 +0000 2018', 'id': 962834993130196992, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'JenniferAlsop7'}, {'created_at': 'Sun Feb 11 23:45:25 +0000 2018', 'id': 962834991460900865, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'SamKelly63'}, {'created_at': 'Sun Feb 11 23:45:16 +0000 2018', 'id': 962834956308434945, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'AlomoraSimslens'}, {'created_at': 'Sun Feb 11 23:45:12 +0000 2018', 'id': 962834939342401537, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'BellaRoberts181'}, {'created_at': 'Sun Feb 11 23:45:09 +0000 2018', 'id': 962834926839238656, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'JacobGrant31'}, {'created_at': 'Sun Feb 11 23:45:05 +0000 2018', 'id': 962834908392632320, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'MarkWhite1983'}, {'created_at': 'Sun Feb 11 23:44:58 +0000 2018', 'id': 962834881104482304, 'text': 'RT @StanM3: Germany- Afghan(19) stabbed his ex-girlfriend(23) in the shoulder and fled. The police had been called because of domestic viol…', 'user.screen_name': 'andreasguenth22'}, {'created_at': 'Sun Feb 11 23:44:55 +0000 2018', 'id': 962834865757462528, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'AkanshaDigital'}, {'created_at': 'Sun Feb 11 23:44:49 +0000 2018', 'id': 962834843091402752, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'DollyRay1987'}, {'created_at': 'Sun Feb 11 23:44:42 +0000 2018', 'id': 962834813517414400, 'text': 'RT @Ehh_Le_Nah: When u peep ur boo like another girls pic on the tl https://t.co/IFx42pLtUc', 'user.screen_name': '_mit_mit'}, {'created_at': 'Sun Feb 11 23:44:39 +0000 2018', 'id': 962834799378489344, 'text': '@Humbug0505 mit wem', 'user.screen_name': 'Reppinum'}, {'created_at': 'Sun Feb 11 23:44:37 +0000 2018', 'id': 962834792436953093, 'text': 'Schrimps \ud83c\udf64 mit Broccoli \ud83e\udd66 Karotten \ud83e\udd55 und Bohnen \ud83d\udc4c\ud83c\udffd shrimp with broccoli carrots & beans… https://t.co/ahImvIePpS', 'user.screen_name': 'MamaKukiTweets'}, {'created_at': 'Sun Feb 11 23:44:36 +0000 2018', 'id': 962834788049563648, 'text': 'RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/fQ1IKfcpVW…', 'user.screen_name': 'Jozef_Moffat_AI'}, {'created_at': 'Sun Feb 11 23:44:33 +0000 2018', 'id': 962834773667233792, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'Michael_Jacobe'}, {'created_at': 'Sun Feb 11 23:44:31 +0000 2018', 'id': 962834765836505089, 'text': 'RT @DrHughHarvey: Didn’t study deep learning at MIT?\n\nDon’t worry - here’s the entire course \n\nhttps://t.co/HTONtKKWWz https://t.co/bmbxY5u…', 'user.screen_name': 'dangrsmind'}, {'created_at': 'Sun Feb 11 23:44:26 +0000 2018', 'id': 962834743820632064, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'DollyRayDigital'}, {'created_at': 'Sun Feb 11 23:44:12 +0000 2018', 'id': 962834686614560768, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'SocialMedia_ist'}, {'created_at': 'Sun Feb 11 23:44:08 +0000 2018', 'id': 962834670520971265, 'text': 'RT @mitsmr: RT @MITSloan: There actually are enough hours in the day. Get more out of them with these 7 productivity tips from @Pozen. http…', 'user.screen_name': 'micki59806'}, {'created_at': 'Sun Feb 11 23:43:58 +0000 2018', 'id': 962834628640784384, 'text': '"It\'s really hard to relate to MIT" https://t.co/VSBJ2rDsOc', 'user.screen_name': 'The_Informaiden'}, {'created_at': 'Sun Feb 11 23:43:55 +0000 2018', 'id': 962834613893701632, 'text': '@klmccook “It’s hard to relate to MIT.” #alamw18', 'user.screen_name': 'ebeh'}, {'created_at': 'Sun Feb 11 23:43:51 +0000 2018', 'id': 962834596600492032, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'SMDominator'}, {'created_at': 'Sun Feb 11 23:43:46 +0000 2018', 'id': 962834575838924801, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'itknowingness'}, {'created_at': 'Sun Feb 11 23:43:45 +0000 2018', 'id': 962834573733257216, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'SunnyRayDigital'}, {'created_at': 'Sun Feb 11 23:43:35 +0000 2018', 'id': 962834531907751936, 'text': '"it\'s really hard to relate to MIT" ooooouch, that was a good burn #alamw18', 'user.screen_name': 'aamcnamara'}, {'created_at': 'Sun Feb 11 23:42:33 +0000 2018', 'id': 962834272984993792, 'text': 'RT @tom_peters: This is priceless, as good as it gets. Take your time!! "Is tech dividing America? via @POLITICO for iPad" https://t.co/nwv…', 'user.screen_name': 'OwenMasonOMC'}, {'created_at': 'Sun Feb 11 23:42:12 +0000 2018', 'id': 962834183470002176, 'text': '@aashdizzleeeeee Must be nice\ud83d\ude43', 'user.screen_name': '_mit_mit'}, {'created_at': 'Sun Feb 11 23:41:41 +0000 2018', 'id': 962834053245427714, 'text': "RT @juliagalef: I'm excited MIT is trying this: A master's in development economics that doesn't require a degree, GRE, or letters of recom…", 'user.screen_name': 'realABSHOKOYA'}, {'created_at': 'Sun Feb 11 23:41:31 +0000 2018', 'id': 962834011356848128, 'text': 'RT @judah47: "Records are meant to be broken" new all time record set in poleward #heat transport into the #polar stratosphere.Increasing t…', 'user.screen_name': 'solhog'}, {'created_at': 'Sun Feb 11 23:41:03 +0000 2018', 'id': 962833893970890752, 'text': 'New research from MIT suggests that beta brainwaves act to control working memory, while gamma brainwaves are assoc… https://t.co/egD1ATo8w2', 'user.screen_name': 'R_RedRaider'}, {'created_at': 'Sun Feb 11 23:39:33 +0000 2018', 'id': 962833517594935296, 'text': 'RT @mitsmr: 4 steps to sharing positive stories\n1. Work with consumers to generate compelling stories\n2. Convert stories into high-quality…', 'user.screen_name': 'MMinevich'}, {'created_at': 'Sun Feb 11 23:39:29 +0000 2018', 'id': 962833500494880770, 'text': 'RT @StanM3: Germany- Afghan(19) stabbed his ex-girlfriend(23) in the shoulder and fled. The police had been called because of domestic viol…', 'user.screen_name': 'ElTheochari'}, {'created_at': 'Sun Feb 11 23:39:23 +0000 2018', 'id': 962833472850145280, 'text': 'RT @mitsmr: Free webinar: Turning Data Into Customer Engagement Thursday, February 15, 2018 * 11 EST / 8 PST If you’re unable to attend liv…', 'user.screen_name': 'katie350501'}, {'created_at': 'Sun Feb 11 23:39:08 +0000 2018', 'id': 962833410614898690, 'text': 'Facial recognition software is biased towards white men, researcher finds https://t.co/I0Yy48YqZI https://t.co/pLJZ4WLuCx', 'user.screen_name': 'SynetecUK'}, {'created_at': 'Sun Feb 11 23:38:56 +0000 2018', 'id': 962833359373242369, 'text': '@tomkraftwerk https://t.co/UjygbnEdJX\n\nPudding mit Haut!', 'user.screen_name': 'Klingelpfote'}, {'created_at': 'Sun Feb 11 23:38:50 +0000 2018', 'id': 962833337470652416, 'text': 'RT @hildabast: Day 2 #BlackHistoryMonth: Physicist, Carolyn Beatrice Parker - a remarkable woman, whose long-lost story shows how much work…', 'user.screen_name': 'OpheliaBottom'}, {'created_at': 'Sun Feb 11 23:38:29 +0000 2018', 'id': 962833249830690817, 'text': 'RT @BPoD_mrc: Preventing #memories from sticking and retrieving lost ones. Research by @MIT_Picower in PNAS @PNASNews. Read more on https:/…', 'user.screen_name': 'artcollisions'}, {'created_at': 'Sun Feb 11 23:37:53 +0000 2018', 'id': 962833097246085120, 'text': 'RT @JuliaBrotherton: @Beverly_High Congrats to award winners Jennie Krigbaum, Laina Meagher, and Ibrahima Diagne, AND to the entire BHS de…', 'user.screen_name': 'DebSchnabel'}, {'created_at': 'Sun Feb 11 23:37:51 +0000 2018', 'id': 962833089150857216, 'text': '@CNBC @coinics @MIT And people will debate over its actual colour they really see. Is it black or purple?', 'user.screen_name': 'tokioessence'}, {'created_at': 'Sun Feb 11 23:37:45 +0000 2018', 'id': 962833064027217921, 'text': '@ultsongnieI klaudia mit k but you will know who i mean the second she comes on', 'user.screen_name': 'thssmslkfn'}, {'created_at': 'Sun Feb 11 23:37:44 +0000 2018', 'id': 962833059669299201, 'text': "@keithfraser2017 @WeDoNotLearn73 Ok, so why do policemen have 'pay and conditions' which allow them to retire at le… https://t.co/EOpsmM8rIr", 'user.screen_name': 'Dame_mit_muff'}, {'created_at': 'Sun Feb 11 23:37:35 +0000 2018', 'id': 962833019626192897, 'text': 'The Power of Consumer Stories in Digital Marketing https://t.co/haNc6q5d6u via @mitsmr #Digital #Marketing', 'user.screen_name': 'simonhodgkins'}, {'created_at': 'Sun Feb 11 23:37:33 +0000 2018', 'id': 962833014827995136, 'text': 'At the bar I chatted with a man whose daughter is studying aerospace engineering at MIT. #womeninscience', 'user.screen_name': 'justmaryse'}, {'created_at': 'Sun Feb 11 23:37:11 +0000 2018', 'id': 962832920212922370, 'text': 'RT @FraHofm: "MIT biological engineers have created a programming language that allows them to rapidly design complex, DNA-encoded circuits…', 'user.screen_name': 'skyjones55'}, {'created_at': 'Sun Feb 11 23:36:43 +0000 2018', 'id': 962832804982779904, 'text': '@TaylorLorenz @ChrisCaesar same https://t.co/7ncPbUCjcv', 'user.screen_name': 'peteyreplies'}, {'created_at': 'Sun Feb 11 23:36:35 +0000 2018', 'id': 962832770996224000, 'text': 'RT @PhilosophyMttrs: Applying philosophy for a better democracy ... https://t.co/vToYau9O2Q', 'user.screen_name': 'ojcius'}, {'created_at': 'Sun Feb 11 23:36:17 +0000 2018', 'id': 962832695951798272, 'text': 'RT @mitsmr: RT @MITSloan: There actually are enough hours in the day. Get more out of them with these 7 productivity tips from @Pozen. http…', 'user.screen_name': 'RayBordogna'}, {'created_at': 'Sun Feb 11 23:35:54 +0000 2018', 'id': 962832599394725889, 'text': "RT @random_forests: MIT has shared an Intro to Deep Learning course, see: https://t.co/ULJddTvwvZ. Labs include @TensorFlow code (haven't h…", 'user.screen_name': 'dev_kaique'}, {'created_at': 'Sun Feb 11 23:35:36 +0000 2018', 'id': 962832523645435904, 'text': 'RT @MITSloan: Integrating analytics is crucial. Start with these 8 articles. https://t.co/3hxWVgHY9q', 'user.screen_name': 'StephanieSFOSIS'}, {'created_at': 'Sun Feb 11 23:35:26 +0000 2018', 'id': 962832479861297154, 'text': 'RT @StanM3: Germany- Afghan(19) stabbed his ex-girlfriend(23) in the shoulder and fled. The police had been called because of domestic viol…', 'user.screen_name': 'Wizzy9883'}, {'created_at': 'Sun Feb 11 23:35:22 +0000 2018', 'id': 962832463339847680, 'text': 'Chips mit Dip https://t.co/xjEGpZZlFZ', 'user.screen_name': 'Te_Meerkats'}, {'created_at': 'Sun Feb 11 23:35:21 +0000 2018', 'id': 962832461087551489, 'text': 'RT @mitsmr: Take a few minutes to read this classic: The Nine Elements of Digital Transformation: https://t.co/FBFlzQbwQF #digitaltransfor…', 'user.screen_name': 'RayBordogna'}, {'created_at': 'Sun Feb 11 23:35:20 +0000 2018', 'id': 962832453957275649, 'text': 'RT @CoyleAthletics: Good luck to Julie Mason today at the swimming sectionals at MIT! #gowarriors', 'user.screen_name': 'fdeepsportstalk'}, {'created_at': 'Sun Feb 11 23:34:52 +0000 2018', 'id': 962832338798501888, 'text': 'RT @mcsantacaterina: 2 MIT grads built an algorithm to match you with wine. Take the quiz to see your matches. https://t.co/ynQQomEIak', 'user.screen_name': 'detroitdre1974'}, {'created_at': 'Sun Feb 11 23:34:51 +0000 2018', 'id': 962832332997750784, 'text': 'RT @mitsmr: 4 steps to sharing positive stories\n1. Work with consumers to generate compelling stories\n2. Convert stories into high-quality…', 'user.screen_name': 'CurationSuite'}, {'created_at': 'Sun Feb 11 23:34:36 +0000 2018', 'id': 962832270695567360, 'text': 'RT @ToniPirosa: 2 SONGS in 1 mit DANERGY!!!\n\nLink: https://t.co/bA57YWP3w1 https://t.co/YcMSotQQxY', 'user.screen_name': 'AndreaPutzgrub1'}, {'created_at': 'Sun Feb 11 23:34:26 +0000 2018', 'id': 962832226932043776, 'text': 'RT @BAP_US: Dr. #ShirleyJackson the first African-American woman to have earned a doctorate at the MIT.\n\n#BlackAndProud #BlackWomen #BlackE…', 'user.screen_name': 'melaniepknight'}, {'created_at': 'Sun Feb 11 23:34:03 +0000 2018', 'id': 962832131029381122, 'text': '@USRealityCheck Congratulations to Professor Bacow who was my teacher and advisor at MIT.', 'user.screen_name': 'mucketymucks'}, {'created_at': 'Sun Feb 11 23:33:57 +0000 2018', 'id': 962832107100807168, 'text': 'Defining a problem is the most underrated skill in management. It requires ‘soft’ skills (critical thinking, abili… https://t.co/6UiI997ijO', 'user.screen_name': 'knowablekate'}, {'created_at': 'Sun Feb 11 23:33:46 +0000 2018', 'id': 962832062410559488, 'text': 'RT @GarthGreenwell: I talked to Der Spiegel about #WhatBelongstoYou. The best bits are the photographs they included by Marc Martin, a Fren…', 'user.screen_name': 'vvxzz26'}, {'created_at': 'Sun Feb 11 23:33:02 +0000 2018', 'id': 962831877848608768, 'text': 'RT @econromesh: Empirical, tightly focused studies of trade & development - overview of research by David Atkin @MITEcon, #WhatEconomistsRe…', 'user.screen_name': 'Motoconomist'}, {'created_at': 'Sun Feb 11 23:32:45 +0000 2018', 'id': 962831804507000832, 'text': 'RT @mitsmr: Take a few minutes to read this classic: The Nine Elements of Digital Transformation: https://t.co/FBFlzQbwQF #digitaltransfor…', 'user.screen_name': 'Sufiy'}, {'created_at': 'Sun Feb 11 23:32:45 +0000 2018', 'id': 962831803206787072, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'WandererMegan'}, {'created_at': 'Sun Feb 11 23:32:43 +0000 2018', 'id': 962831795933929473, 'text': 'RT @mitsmr: The 20 Most Popular @MITSMR Articles of 2017. Spoiler alert: The impact of artificial intelligence on the #FutureofWork and or…', 'user.screen_name': 'Sufiy'}, {'created_at': 'Sun Feb 11 23:32:33 +0000 2018', 'id': 962831753403564032, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'JamesYoung1986'}, {'created_at': 'Sun Feb 11 23:32:31 +0000 2018', 'id': 962831744528453632, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'mustardmary7'}, {'created_at': 'Sun Feb 11 23:32:25 +0000 2018', 'id': 962831719794728961, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'JimRHenson'}, {'created_at': 'Sun Feb 11 23:32:16 +0000 2018', 'id': 962831682620608512, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'Hyundai__Equus'}, {'created_at': 'Sun Feb 11 23:32:15 +0000 2018', 'id': 962831677922988037, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'BenNatureAddict'}, {'created_at': 'Sun Feb 11 23:32:10 +0000 2018', 'id': 962831657181917184, 'text': 'RT @MITSloanAdcom: How do you map the future of a rapidly growing city? MIT and @Tsinghua_Uni in #Beijing teamed up to develop leading-edge…', 'user.screen_name': 'HunanofChina'}, {'created_at': 'Sun Feb 11 23:32:07 +0000 2018', 'id': 962831644314005504, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'AntonioRelenn'}, {'created_at': 'Sun Feb 11 23:32:05 +0000 2018', 'id': 962831638999846912, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'Honda_Ridgeline'}, {'created_at': 'Sun Feb 11 23:31:58 +0000 2018', 'id': 962831607517401088, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'Alexia_Lavoie'}, {'created_at': 'Sun Feb 11 23:31:54 +0000 2018', 'id': 962831590224289792, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'GeekJimiLee'}, {'created_at': 'Sun Feb 11 23:31:53 +0000 2018', 'id': 962831587158183937, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'Toyota__Yaris'}, {'created_at': 'Sun Feb 11 23:31:52 +0000 2018', 'id': 962831581034381312, 'text': 'RT @deeplearning4j: Pace Layering: How Complex Systems Learn and Keep Learning https://t.co/XysTbEoVZG', 'user.screen_name': 'aneesha'}, {'created_at': 'Sun Feb 11 23:31:38 +0000 2018', 'id': 962831525195780096, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'Lamborghini__US'}, {'created_at': 'Sun Feb 11 23:31:34 +0000 2018', 'id': 962831508187828229, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'smithylife'}, {'created_at': 'Sun Feb 11 23:31:31 +0000 2018', 'id': 962831494975836160, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'Mark_Lewis_NYC'}, {'created_at': 'Sun Feb 11 23:31:29 +0000 2018', 'id': 962831487216136193, 'text': 'MIT Bootcampers from 39 countries hearing from @BillAulet at @QUT @MITBootcamps #entrepreneurship #MITbootcamp https://t.co/Ji14TD0jWl', 'user.screen_name': 'karenfoelz'}, {'created_at': 'Sun Feb 11 23:31:29 +0000 2018', 'id': 962831485043605505, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'DorothyPCarter'}, {'created_at': 'Sun Feb 11 23:31:25 +0000 2018', 'id': 962831468342009857, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'DeryaGaby'}, {'created_at': 'Sun Feb 11 23:31:24 +0000 2018', 'id': 962831464005021696, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'suzieqnelson'}, {'created_at': 'Sun Feb 11 23:31:23 +0000 2018', 'id': 962831460813111301, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'SMM_Lisa'}, {'created_at': 'Sun Feb 11 23:31:23 +0000 2018', 'id': 962831460095942656, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'SofiaMiller0'}, {'created_at': 'Sun Feb 11 23:31:19 +0000 2018', 'id': 962831443188748289, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'KirkwoodTalon'}, {'created_at': 'Sun Feb 11 23:31:16 +0000 2018', 'id': 962831429787729921, 'text': "Well this looks exciting... \n\nhttps://t.co/bGvxubEVHY\n\n@timberners_lee @MIT can't wait to try this out!", 'user.screen_name': '_alexray'}, {'created_at': 'Sun Feb 11 23:31:15 +0000 2018', 'id': 962831425924890624, 'text': 'Il a mit une photo PWAAAAA', 'user.screen_name': 'FannySalimat'}, {'created_at': 'Sun Feb 11 23:31:13 +0000 2018', 'id': 962831418069016581, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'AndersonJohn74'}, {'created_at': 'Sun Feb 11 23:31:13 +0000 2018', 'id': 962831417855102977, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'YoginiMaureen'}, {'created_at': 'Sun Feb 11 23:31:13 +0000 2018', 'id': 962831416978542594, 'text': 'RT @cmualumnihouse: The 2nd round of @CarnegieMellon #Crowdfunding campaigns are off & running! From Art Therapy and the Social Good Expo,…', 'user.screen_name': 'jluisaguirre'}, {'created_at': 'Sun Feb 11 23:31:11 +0000 2018', 'id': 962831410099900416, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'honecks85'}, {'created_at': 'Sun Feb 11 23:31:11 +0000 2018', 'id': 962831409940455424, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'sharonocarter'}, {'created_at': 'Sun Feb 11 23:31:07 +0000 2018', 'id': 962831392794202112, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'Nissan__Juke'}, {'created_at': 'Sun Feb 11 23:31:04 +0000 2018', 'id': 962831379494047745, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'Theresa21Young'}, {'created_at': 'Sun Feb 11 23:31:03 +0000 2018', 'id': 962831376109264896, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'jesspatrick86'}, {'created_at': 'Sun Feb 11 23:31:02 +0000 2018', 'id': 962831372191698945, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'PurvisRobinson'}, {'created_at': 'Sun Feb 11 23:30:57 +0000 2018', 'id': 962831350649819136, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'elizabethlswai'}, {'created_at': 'Sun Feb 11 23:30:55 +0000 2018', 'id': 962831342374457344, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'fernandocuenca'}, {'created_at': 'Sun Feb 11 23:30:50 +0000 2018', 'id': 962831321566412800, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'docdavis77'}, {'created_at': 'Sun Feb 11 23:30:49 +0000 2018', 'id': 962831318684856320, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'akdm_bot'}, {'created_at': 'Sun Feb 11 23:30:49 +0000 2018', 'id': 962831317061730305, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'jayjohannes24'}, {'created_at': 'Sun Feb 11 23:30:44 +0000 2018', 'id': 962831298099376129, 'text': 'RT @VARcrypt: The latest The Virtual and Augmented Reality Daily! https://t.co/dWEgocjwYf Thanks to @virtrealitytime @hashVR @mit_cmsw #vr…', 'user.screen_name': 'VirginiaKettle1'}, {'created_at': 'Sun Feb 11 23:30:43 +0000 2018', 'id': 962831293355405312, 'text': 'RT @mitsmr: People who are “different” —whether behaviorally or neurologically— don’t always fit into standard job categories. But if you c…', 'user.screen_name': 'Duckydoodle18'}, {'created_at': 'Sun Feb 11 23:30:43 +0000 2018', 'id': 962831292646780931, 'text': 'RT @scratch: Scratch Days can be large or small, for beginners and for more experienced Scratchers. Find a Scratch Day in your community, o…', 'user.screen_name': 'fabrica23'}, {'created_at': 'Sun Feb 11 23:30:43 +0000 2018', 'id': 962831292151803904, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'carterjamss'}, {'created_at': 'Sun Feb 11 23:30:41 +0000 2018', 'id': 962831286305017856, 'text': 'RT @SachinLulla: IoT Voices with WIRED MIT Director, MIT IBM Watson AI Lab https://t.co/yV0wAuFSmH #DataScience #DataScientist #BigData #I…', 'user.screen_name': 'Berardinelli3'}, {'created_at': 'Sun Feb 11 23:30:39 +0000 2018', 'id': 962831276129603594, 'text': 'Facial recognition software is biased towards white men, researcher finds https://t.co/YhDiIsNBIC', 'user.screen_name': 'NGRColosimo'}, {'created_at': 'Sun Feb 11 23:30:37 +0000 2018', 'id': 962831266822303744, 'text': 'RT @StanM3: Germany- Afghan(19) stabbed his ex-girlfriend(23) in the shoulder and fled. The police had been called because of domestic viol…', 'user.screen_name': 'beatlesjad'}, {'created_at': 'Sun Feb 11 23:30:20 +0000 2018', 'id': 962831195200516096, 'text': 'RT @mitsmr: 4 steps to sharing positive stories\n1. Work with consumers to generate compelling stories\n2. Convert stories into high-quality…', 'user.screen_name': 'LibertadCompart'}, {'created_at': 'Sun Feb 11 23:30:13 +0000 2018', 'id': 962831169413726208, 'text': '@SteveKornacki You really need a time travel device. Possibly MIT could work on that for you. After all, you are a native.', 'user.screen_name': 'ruralfabulous'}, {'created_at': 'Sun Feb 11 23:30:02 +0000 2018', 'id': 962831122181869568, 'text': '#nowplaying: DJ Rewerb pr. Houseschuh - Houseschuh, HSP134 Freak Like Osterhase mit Lee Walker, Basti Grub & Natch! und Luca Bisori Teil2', 'user.screen_name': 'radiohouseschuh'}, {'created_at': 'Sun Feb 11 23:29:41 +0000 2018', 'id': 962831035246567425, 'text': 'RT @mitsmr: "Even with rapid advances," says @erikbryn, "AI won’t be able to replace most jobs anytime soon. But in almost every industry,…', 'user.screen_name': 'AlanHollandCork'}, {'created_at': 'Sun Feb 11 23:29:38 +0000 2018', 'id': 962831022214864897, 'text': 'RT @scratch: Scratch Days can be large or small, for beginners and for more experienced Scratchers. Find a Scratch Day in your community, o…', 'user.screen_name': 'Joan_Artes'}, {'created_at': 'Sun Feb 11 23:29:36 +0000 2018', 'id': 962831011909373952, 'text': 'RT DWV13: RT mitsmr: "Great strategists are like great chess players or great game theorists: They need to think se… https://t.co/kQSD2Ncfmk', 'user.screen_name': 'DWV13'}, {'created_at': 'Sun Feb 11 23:29:25 +0000 2018', 'id': 962830967596462081, 'text': 'RT @franceintheus: Today is International #WomenScienceDay ! \nEsther Duflo is a Professor of Poverty Alleviation & Dev’t Economics at @MIT…', 'user.screen_name': 'BigSkyFlyer'}, {'created_at': 'Sun Feb 11 23:29:22 +0000 2018', 'id': 962830954711658496, 'text': '@Trace_Of_Jesus @RevSteLilimborn @WoopsWoah @Ah_Science So "Gott mit Uns" means atheism? Joseph Stalin wasn\'t an Or… https://t.co/jSWcxGfLZd', 'user.screen_name': 'FredMacManus'}, {'created_at': 'Sun Feb 11 23:29:18 +0000 2018', 'id': 962830937112399872, 'text': 'MIT alumnus Ryan Robinson will talk about "Breaking the #Blockchain: The Quantum Computing Effect" this Tuesday (13… https://t.co/njukFx14EE', 'user.screen_name': 'MITBitcoinClub'}, {'created_at': 'Sun Feb 11 23:29:07 +0000 2018', 'id': 962830890903752705, 'text': 'RT @judah47: "Records are meant to be broken" new all time record set in poleward #heat transport into the #polar stratosphere.Increasing t…', 'user.screen_name': 'Ana_von_blis'}, {'created_at': 'Sun Feb 11 23:29:05 +0000 2018', 'id': 962830881458216960, 'text': 'MIT AGI: Building machines that see, learn, and think like people (Josh Tenenbaum) https://t.co/FSxG5opAp8', 'user.screen_name': 'tbsmartens'}, {'created_at': 'Sun Feb 11 23:28:59 +0000 2018', 'id': 962830856799817728, 'text': "RT @kaysevenkenya: Some Djs Tweeting #StopArrestingDjs Are Either hypocrites or they Don't Use Twitter Often ☺ \n\nWhen #KOT Shouted #PayMo…", 'user.screen_name': 'billboardlatest'}, {'created_at': 'Sun Feb 11 23:28:42 +0000 2018', 'id': 962830785207263232, 'text': 'Facial recognition software is biased towards white men, researcher finds https://t.co/I0hzRdp8gN via @Verge', 'user.screen_name': 'SusiDarwin'}, {'created_at': 'Sun Feb 11 23:28:21 +0000 2018', 'id': 962830697860878336, 'text': 'I liked a @YouTube video https://t.co/KO251BRBZA Fortnite Battle Royale Gameplay German - Gewinnen mit Slurp Hammer', 'user.screen_name': 'G12RG1'}, {'created_at': 'Sun Feb 11 23:27:57 +0000 2018', 'id': 962830598158127104, 'text': 'RT @journal_edit: #MIT neuroscientists study how the brain manages habit formation - truly incredible! #cognitivescience #neurology #brain…', 'user.screen_name': 'CathSalisbury'}, {'created_at': 'Sun Feb 11 23:27:29 +0000 2018', 'id': 962830481581633536, 'text': 'RT @ToniPirosa: 2 SONGS in 1 mit DANERGY!!!\n\nLink: https://t.co/bA57YWP3w1 https://t.co/YcMSotQQxY', 'user.screen_name': 'ChristophBahner'}, {'created_at': 'Sun Feb 11 23:27:15 +0000 2018', 'id': 962830420680282112, 'text': 'Here is coverage from #CNN on the new #HarvardUniversity President -- #LawrenceBacow who brings his experience at… https://t.co/QJlEDRXaLX', 'user.screen_name': 'Shamstress'}, {'created_at': 'Sun Feb 11 23:27:12 +0000 2018', 'id': 962830408932052993, 'text': 'RT @Fuchsmariechen: @citoyen_lauris \nPassend: ‘All I know is the content of my own mind.’ That’s paving the path to authoritarianism.\nhttps…', 'user.screen_name': 'citoyen_lauris'}, {'created_at': 'Sun Feb 11 23:27:10 +0000 2018', 'id': 962830398555410437, 'text': 'RT @DeSantisMarcelo: Design thinking, explained https://t.co/rb8dJU2Pmi', 'user.screen_name': 'D_ThoughtLeader'}, {'created_at': 'Sun Feb 11 23:26:50 +0000 2018', 'id': 962830316841963521, 'text': 'Instead of doing the same thing you always do, read this a piece Humanyze CEO and co-founder and MIT Media Lab visi… https://t.co/fpf4gd28mV', 'user.screen_name': 'NetworkingPhx'}, {'created_at': 'Sun Feb 11 23:26:01 +0000 2018', 'id': 962830108745719809, 'text': 'Design thinking, explained https://t.co/rb8dJU2Pmi', 'user.screen_name': 'DeSantisMarcelo'}, {'created_at': 'Sun Feb 11 23:26:00 +0000 2018', 'id': 962830107797835776, 'text': 'RT @deeplearning4j: Pace Layering: How Complex Systems Learn and Keep Learning https://t.co/XysTbEoVZG', 'user.screen_name': 'homeAIinfo'}, {'created_at': 'Sun Feb 11 23:26:00 +0000 2018', 'id': 962830106908643330, 'text': 'RT @MITSloan: Integrating analytics is crucial. Start with these 8 articles. https://t.co/3hxWVgHY9q', 'user.screen_name': 'MrLuckyClover'}, {'created_at': 'Sun Feb 11 23:25:38 +0000 2018', 'id': 962830012691857408, 'text': '#science #technology #News >> href="https://t.co/R1sDHyBZPq">MIT Initiative on the Digital ... For More LIKE & FOLLOW @JPPMsolutions', 'user.screen_name': 'JPPMsolutions'}, {'created_at': 'Sun Feb 11 23:25:37 +0000 2018', 'id': 962830011282739200, 'text': 'RT @skymindio: Pace Layering: How Complex Systems Learn and Keep Learning https://t.co/BneRsa2frY', 'user.screen_name': 'AdaptToReality'}, {'created_at': 'Sun Feb 11 23:25:31 +0000 2018', 'id': 962829983390380032, 'text': '@QuixotesHorse @MartinLarner @ni_treasa @ClintWarren6 @mapon888 @Genghis_McCann @RenieriArts @VanessaBeeley… https://t.co/TDgtujmPYb', 'user.screen_name': 'taigstaigs'}, {'created_at': 'Sun Feb 11 23:25:09 +0000 2018', 'id': 962829892076187649, 'text': 'RT @JackedYoTweets: How the club owner must look at the birthday girl who is there celebrating her 21st but has been a regular at the club…', 'user.screen_name': 'Mit_ch_ell'}, {'created_at': 'Sun Feb 11 23:25:06 +0000 2018', 'id': 962829880554475520, 'text': 'Pace Layering: How Complex Systems Learn and Keep Learning \n(Discussion on HN - https://t.co/GLTyLa8VgB) https://t.co/xpV0Omaq0n', 'user.screen_name': 'hnbot'}, {'created_at': 'Sun Feb 11 23:25:05 +0000 2018', 'id': 962829875634671616, 'text': 'Ein #sehr sexy Casting mit Stacey #fhmzmjkt https://t.co/5IeueYkDmE', 'user.screen_name': 'allen_allen9116'}, {'created_at': 'Sun Feb 11 23:25:04 +0000 2018', 'id': 962829870723190784, 'text': 'RT @judah47: "Records are meant to be broken" new all time record set in poleward #heat transport into the #polar stratosphere.Increasing t…', 'user.screen_name': 'MindOfAn_Empath'}, {'created_at': 'Sun Feb 11 23:24:58 +0000 2018', 'id': 962829844957618176, 'text': "Men's Volleyball Outlasted By MIT In Five Set UVC Matchup https://t.co/ChyxbIlxuh", 'user.screen_name': 'FisherAthletics'}, {'created_at': 'Sun Feb 11 23:24:21 +0000 2018', 'id': 962829690015834113, 'text': 'POLICY INNOVATION GAI/BASIC INCOME @AndrewYangVFA @kevinroose @erikbryn @MIT_IDE https://t.co/nY9i0QPAt7 on the iss… https://t.co/v7EY29Kqjr', 'user.screen_name': 'jimdewilde'}, {'created_at': 'Sun Feb 11 23:24:14 +0000 2018', 'id': 962829660248793088, 'text': '#Sexualtherapie mit #der #Psychologe Shanda #Fay #mwpkhnic https://t.co/3aduqyi3q8', 'user.screen_name': 'christy31633198'}, {'created_at': 'Sun Feb 11 23:23:13 +0000 2018', 'id': 962829406933667840, 'text': '"Facial recognition technology is subject to biases based on the data sets provided and the conditions in which alg… https://t.co/guq26mzW5a', 'user.screen_name': 'doublejrecords'}, {'created_at': 'Sun Feb 11 23:22:56 +0000 2018', 'id': 962829335928459264, 'text': 'Should I go to MIT now? \ud83d\ude02', 'user.screen_name': 'Applezap42'}, {'created_at': 'Sun Feb 11 23:22:34 +0000 2018', 'id': 962829241145585664, 'text': 'RT @StanM3: Germany- Afghan(19) stabbed his ex-girlfriend(23) in the shoulder and fled. The police had been called because of domestic viol…', 'user.screen_name': 'aaaadam75'}, {'created_at': 'Sun Feb 11 23:22:22 +0000 2018', 'id': 962829193703841792, 'text': "@ashleylynne4 Cause that's annoying \ud83d\ude02\ud83d\ude02 get out my damn mit", 'user.screen_name': 'amayaaa_j'}, {'created_at': 'Sun Feb 11 23:21:44 +0000 2018', 'id': 962829031954673664, 'text': 'Pace Layering: How Complex Systems Learn and Keep Learning https://t.co/XysTbEoVZG', 'user.screen_name': 'deeplearning4j'}, {'created_at': 'Sun Feb 11 23:21:44 +0000 2018', 'id': 962829031728123905, 'text': 'Pace Layering: How Complex Systems Learn and Keep Learning https://t.co/BneRsa2frY', 'user.screen_name': 'skymindio'}, {'created_at': 'Sun Feb 11 23:21:37 +0000 2018', 'id': 962829004167401472, 'text': 'RT @scratch: Scratch Days can be large or small, for beginners and for more experienced Scratchers. Find a Scratch Day in your community, o…', 'user.screen_name': 'suprmrkt'}, {'created_at': 'Sun Feb 11 23:21:37 +0000 2018', 'id': 962829001105358848, 'text': 'RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/fQ1IKfcpVW…', 'user.screen_name': 'KristiAlvarad0'}, {'created_at': 'Sun Feb 11 23:21:20 +0000 2018', 'id': 962828929928118272, 'text': 'SUPERDRY Angebote Superdry Premium Goods Tri-Fade T-Shirt: Category: Damen / T-Shirts / T-Shirt mit Print Item numb… https://t.co/ICljsrnlOm', 'user.screen_name': 'SparVolltreffer'}, {'created_at': 'Sun Feb 11 23:21:18 +0000 2018', 'id': 962828924303659014, 'text': 'RT @LaughOutNOW: "RU or UR FUNNY FRIEND HBO WORTHY?" (Gift idea) https://t.co/h2QGPHTOFs #minneapolis #kuwtk #teenmom2 #lifeofkyle #califor…', 'user.screen_name': 'MilwaukeeHotBuy'}, {'created_at': 'Sun Feb 11 23:21:05 +0000 2018', 'id': 962828868397789184, 'text': 'Facial recognition software is biased towards white men, researcher finds - New research out of MIT’s Media Lab... https://t.co/D5YgJdKECq', 'user.screen_name': 'YouBrandInc'}, {'created_at': 'Sun Feb 11 23:20:59 +0000 2018', 'id': 962828841789132800, 'text': '\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d"Ed Sheeran"\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\n\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0dmit\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d\ud83d\ude0d… https://t.co/82dLGaetjC', 'user.screen_name': '_ronny_14'}, {'created_at': 'Sun Feb 11 23:20:51 +0000 2018', 'id': 962828809056673793, 'text': 'RT @DLoesch: “Flashing smiles outflanking,” “captivates people,” “stealing the show,” North Korea didn’t have to hire PR to rehabilitate it…', 'user.screen_name': 'mit_baggs'}, {'created_at': 'Sun Feb 11 23:20:46 +0000 2018', 'id': 962828790199144448, 'text': 'RT @scratch: Scratch Days can be large or small, for beginners and for more experienced Scratchers. Find a Scratch Day in your community, o…', 'user.screen_name': 'afromusing'}, {'created_at': 'Sun Feb 11 23:19:17 +0000 2018', 'id': 962828417304596487, 'text': 'wow god bless mit open courseware for having compsci courses because I really need to brush up on everything before… https://t.co/TUyR0B7lW5', 'user.screen_name': '_hannabal_'}, {'created_at': 'Sun Feb 11 23:18:58 +0000 2018', 'id': 962828334680936449, 'text': 'RT @scratch: Scratch Days can be large or small, for beginners and for more experienced Scratchers. Find a Scratch Day in your community, o…', 'user.screen_name': 'johnmaeda'}, {'created_at': 'Sun Feb 11 23:18:48 +0000 2018', 'id': 962828294524669952, 'text': 'RT @medical_xpress: Study identifies neurons that fire at the beginning and end of a #behavior as it becomes a #habit @MIT @currentbiology…', 'user.screen_name': 'GuiltFreeTips'}, {'created_at': 'Sun Feb 11 23:18:43 +0000 2018', 'id': 962828273460961281, 'text': 'RT @Carlos_E_Goico: How an analytics-based predictive model can improve kidney transplant survival rates https://t.co/1lnNPohQa8', 'user.screen_name': 'Red_IDi'}, {'created_at': 'Sun Feb 11 23:18:34 +0000 2018', 'id': 962828234583879680, 'text': 'RT @BAP_US: Dr. #ShirleyJackson the first African-American woman to have earned a doctorate at the MIT.\n\n#BlackAndProud #BlackWomen #BlackE…', 'user.screen_name': 'xzppaddy'}, {'created_at': 'Sun Feb 11 23:18:25 +0000 2018', 'id': 962828196180910080, 'text': 'RT @mitsmr: RT @MITSloan: There actually are enough hours in the day. Get more out of them with these 7 productivity tips from @Pozen. http…', 'user.screen_name': 'katie350501'}, {'created_at': 'Sun Feb 11 23:18:08 +0000 2018', 'id': 962828124504428545, 'text': 'RT @BenjaminTseng: The remarkable career of Shirley Ann Jackson: first African-American woman to earn a PhD from MIT, chair of US NRC under…', 'user.screen_name': 'RMilesMD'}, {'created_at': 'Sun Feb 11 23:17:51 +0000 2018', 'id': 962828056497938436, 'text': 'How an analytics-based predictive model can improve kidney transplant survival rates https://t.co/1lnNPohQa8', 'user.screen_name': 'Carlos_E_Goico'}, {'created_at': 'Sun Feb 11 23:17:28 +0000 2018', 'id': 962827960309993472, 'text': '@DPolGBerlin leckere Curry mit Darm ;)\n\nStay safe!', 'user.screen_name': 'GPRealomon'}, {'created_at': 'Sun Feb 11 23:17:26 +0000 2018', 'id': 962827950008696834, 'text': 'RT @econromesh: Empirical, tightly focused studies of trade & development - overview of research by David Atkin @MITEcon, #WhatEconomistsRe…', 'user.screen_name': 'arthurbraganca7'}, {'created_at': 'Sun Feb 11 23:17:07 +0000 2018', 'id': 962827868966330368, 'text': 'RT @takis_metaxas: Can’t wait to read Artificial Unintelligence by @merbroussard. We need to think about her perspective. https://t.co/H0Wh…', 'user.screen_name': 'LUtang_Secret'}, {'created_at': 'Sun Feb 11 23:17:02 +0000 2018', 'id': 962827848494010368, 'text': 'RT @mitsmr: RT @joannecanderson: How to achieve "extreme #productivity" from @mitsmr : "Hours are a traditional way of tracking employee p…', 'user.screen_name': 'CountryStar72'}, {'created_at': 'Sun Feb 11 23:16:59 +0000 2018', 'id': 962827835466567681, 'text': 'Facial recognition software is biased towards white men, researcher finds. https://t.co/JeztqmKOSG', 'user.screen_name': 'LivesInThought'}, {'created_at': 'Sun Feb 11 23:16:51 +0000 2018', 'id': 962827802675326976, 'text': 'RT @IainLJBrown: Facial recognition software is biased towards white men, researcher finds https://t.co/T61FBRudfs https://t.co/fQ1IKfcpVW…', 'user.screen_name': 'CarrieH3nry'}, {'created_at': 'Sun Feb 11 23:16:51 +0000 2018', 'id': 962827802469945345, 'text': 'RT @FiveRights: Laura Ingraham on Fox: Why did George W. Bush refuse to criticize Obama even when O screwed up badly but he often criticize…', 'user.screen_name': 'AutumndiPace1'}, {'created_at': 'Sun Feb 11 23:16:50 +0000 2018', 'id': 962827800171499522, 'text': 'RT @GrrrGraphics: "In the Head of Hillary" #BenGarrison #cartoon \nSomeone asked me why I draw so many #Obama & #Hillary cartoons. \nread mor…', 'user.screen_name': 'JStiverson13'}, {'created_at': 'Sun Feb 11 23:16:50 +0000 2018', 'id': 962827799927996417, 'text': 'RT @captcapt1234: The Great Experiment ‘Narional Review’ https://t.co/zxEmpmWWTZ', 'user.screen_name': 'LindaKight64'}, {'created_at': 'Sun Feb 11 23:16:50 +0000 2018', 'id': 962827798888009728, 'text': 'RT @JessieJaneDuff: DHS official & former Obama ambassador James Nealon resigned, upset recommendations to extend “temporary protected stat…', 'user.screen_name': 'JaniceTXBlessed'}, {'created_at': 'Sun Feb 11 23:16:50 +0000 2018', 'id': 962827797566812166, 'text': '@rejialex7 Let them stay in tbe UK, sorry obama your wish 4 the invasion of AMERICA is on hold', 'user.screen_name': 'kochtb606'}, {'created_at': 'Sun Feb 11 23:16:49 +0000 2018', 'id': 962827796233023489, 'text': "@BonneauGenie NAW YOU ENJOY, I DEPEND ON ME\nNOT DEMOCRATS.\nAND YO MOUTH BIG \nSO QUICK TO THINK I'M GULLIBLE, YOU'RE… https://t.co/J7vf2hIqjS", 'user.screen_name': 'Fleetwoodmack3'}, {'created_at': 'Sun Feb 11 23:16:49 +0000 2018', 'id': 962827795213594624, 'text': 'Solve For "X": A comparison of X under Obama and Trump during the same period in their presidencies shows better pe… https://t.co/Grt8a5C4el', 'user.screen_name': 'PaulHRosenberg'}, {'created_at': 'Sun Feb 11 23:16:49 +0000 2018', 'id': 962827793926107137, 'text': 'RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary’s campaign assisted in the effort\n-Russians assisted the Hi…', 'user.screen_name': 'RustyMayeux'}, {'created_at': 'Sun Feb 11 23:16:49 +0000 2018', 'id': 962827793850494977, 'text': '@adamcbest @PaulStewartII The GOP will blame the left and/or Hillary, Obama, etc. for all of their faults and f*kup… https://t.co/j8hDVaKtkC', 'user.screen_name': 'QuancyClayborne'}, {'created_at': 'Sun Feb 11 23:16:49 +0000 2018', 'id': 962827793108107264, 'text': 'RT @SebGorka: The UNMASKING Scandal will prove to be much bigger than FISAGate or Watergate combined. \n\nTime to just call it what it is:…', 'user.screen_name': 'hwfranzjr'}, {'created_at': 'Sun Feb 11 23:16:48 +0000 2018', 'id': 962827792382681090, 'text': 'RT @GRYKING: WHAAAAAAAT?!!?! Obama grew a beard? https://t.co/V1mzrDcrYy', 'user.screen_name': 'jps521'}, {'created_at': 'Sun Feb 11 23:16:48 +0000 2018', 'id': 962827791854170112, 'text': 'RT @clivebushjd: Take a look what Democrats, Neocons & RINOs have done to America\n\nWe must #DeportDreamers #EndChainMigration & #BuildTheWa…', 'user.screen_name': 'jeangalvanonly'}, {'created_at': 'Sun Feb 11 23:16:48 +0000 2018', 'id': 962827791111684098, 'text': '@JBitterly @mikebloodworth @realDonaldTrump Says who? One pollster that consistently leans R by a significant amoun… https://t.co/0SUGxaRNjl', 'user.screen_name': 'JustAPerson83'}, {'created_at': 'Sun Feb 11 23:16:48 +0000 2018', 'id': 962827791019446274, 'text': 'RT @robjh1: For all the doubters Obama gave us this picture after an imaginary line in the sand was trounced by Syria. Naturally, to a larg…', 'user.screen_name': 'LoriJac47135906'}, {'created_at': 'Sun Feb 11 23:16:48 +0000 2018', 'id': 962827789866061825, 'text': "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.…", 'user.screen_name': 'lucas_glenn'}, {'created_at': 'Sun Feb 11 23:16:48 +0000 2018', 'id': 962827789656363013, 'text': 'RT @RealJack: It’s not looking good for the Democrats.\n\nPOLL: Majority of Americans Believe Obama SPIED on Trump Campaign https://t.co/dC30…', 'user.screen_name': 'mcowgerFL'}, {'created_at': 'Sun Feb 11 23:16:47 +0000 2018', 'id': 962827788435841025, 'text': 'RT @brianklaas: You falsely alleged that Ted Cruz’s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos…', 'user.screen_name': 'Kimmy2858'}, {'created_at': 'Sun Feb 11 23:16:47 +0000 2018', 'id': 962827788314034176, 'text': '@FoxNews @McDonalds This started happening when Barack Obama was elected president. He said he would fundamentally… https://t.co/bzY3thWKEw', 'user.screen_name': 'crash99502'}, {'created_at': 'Sun Feb 11 23:16:47 +0000 2018', 'id': 962827785843638277, 'text': "RT @DorothyYonker: I don't think the President can unseal Obama's records but if Obama is charged with a crime, A/G Sessions could. I may…", 'user.screen_name': 'BrockXerox'}, {'created_at': 'Sun Feb 11 23:16:47 +0000 2018', 'id': 962827784728072192, 'text': "This is the ultra bizarre that is right wing Fox. no matter how nonsensical if they can put Obama's name (or Clinto… https://t.co/JCQNSrRAFQ", 'user.screen_name': 'leejcaroll'}, {'created_at': 'Sun Feb 11 23:16:46 +0000 2018', 'id': 962827784178618369, 'text': 'RT @Imperator_Rex3: Important thread focussing on how the criminals used a foreign intelligence service (GCHQ) to inject the dodgy dossier…', 'user.screen_name': 'DaisyClover4'}, {'created_at': 'Sun Feb 11 23:16:46 +0000 2018', 'id': 962827782853185536, 'text': 'RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader…', 'user.screen_name': 'c_millerhorton'}, {'created_at': 'Sun Feb 11 23:16:46 +0000 2018', 'id': 962827782848991232, 'text': "RT @FiveRights: For 5 years Obama couldn't stop ISIS, couldn't even contain them.\nTrump, w same military, wiped out ISIS in 9 mos.\nO wasn't…", 'user.screen_name': 'IBumbybee'}, {'created_at': 'Sun Feb 11 23:16:46 +0000 2018', 'id': 962827781771091968, 'text': 'RT @Hoosiers1986: #FakeRelationshipFacts\n\nDEM voters are gullible fools!\n\nThey revere idiots like Obama, Schumer & Pelosi who COULD have pr…', 'user.screen_name': 'Riff_Raff45'}, {'created_at': 'Sun Feb 11 23:16:46 +0000 2018', 'id': 962827781661962240, 'text': 'RT @oxminaox: Snapchat didn’t suck while Obama was in office... just saying', 'user.screen_name': 'lety_xo'}, {'created_at': 'Sun Feb 11 23:16:46 +0000 2018', 'id': 962827781326430208, 'text': 'RT @fubaglady: How Obama’s Hillary Clinton cover-ups destroyed DOJ and FBI https://t.co/26KPBHmpyz', 'user.screen_name': 'Pando18483'}, {'created_at': 'Sun Feb 11 23:16:45 +0000 2018', 'id': 962827779992576000, 'text': "@jfreewright @JudgeJeanine WTF?? so it's Obama's fault that Porter abused his wife???\ud83d\ude44\n\nWhen I wake up each day & s… https://t.co/VBfU2M2Rgp", 'user.screen_name': 'bunnyhuggr'}, {'created_at': 'Sun Feb 11 23:16:45 +0000 2018', 'id': 962827779803824128, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'Mskifast'}, {'created_at': 'Sun Feb 11 23:16:45 +0000 2018', 'id': 962827776595320833, 'text': 'RT @ErrBodyLuvsCris: Honorable mentions:\n• Mo’Nique\n• Drinking Water \n• Black Panther \n• Why black owned businesses fail \n• Obama\n• False a…', 'user.screen_name': 'hanifipuffs06'}, {'created_at': 'Sun Feb 11 23:16:44 +0000 2018', 'id': 962827775227957248, 'text': "@DWCDroneGuy @4everNeverTrump @GothamKnight05 Obama couldn't have competed with Melania anyway!! https://t.co/FcCNODEwmB", 'user.screen_name': 'rlbmcb14'}, {'created_at': 'Sun Feb 11 23:16:44 +0000 2018', 'id': 962827774359691264, 'text': 'RT @kylegriffin1: A comparison of the S&P 500 under Obama and Trump during the same period in their presidencies shows better performance u…', 'user.screen_name': 'erconger'}, {'created_at': 'Sun Feb 11 23:16:44 +0000 2018', 'id': 962827773810237440, 'text': "RT @KarenThomasson1: @Johnpdca More so than Obama's college records and birth certificate, I'd like to see all of his acts of treason revea…", 'user.screen_name': 'BJCollins131'}, {'created_at': 'Sun Feb 11 23:16:44 +0000 2018', 'id': 962827773126602753, 'text': 'RT @oxminaox: Snapchat didn’t suck while Obama was in office... just saying', 'user.screen_name': 'diciembre_tres_'}, {'created_at': 'Sun Feb 11 23:16:44 +0000 2018', 'id': 962827773030125568, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'vickiha08202081'}, {'created_at': 'Sun Feb 11 23:16:44 +0000 2018', 'id': 962827772879101953, 'text': '@DonaldJTrumpJr The guy really shocked is Obama ...that we found out.', 'user.screen_name': 'AlexPeresviet'}, {'created_at': 'Sun Feb 11 23:16:44 +0000 2018', 'id': 962827772774187008, 'text': 'My new waffle maker arrived today. Went out and got some waffle mix and chocolate chips. When I got home the electr… https://t.co/JNUifSSQLC', 'user.screen_name': 'Gregg25Gelzinis'}, {'created_at': 'Sun Feb 11 23:16:43 +0000 2018', 'id': 962827771973120000, 'text': "RT @MJoemal19: @ObozoLies 2011: Why Iran's capture of US drone will shake CIA https://t.co/3PVqMWjGKZ #CIA #Obama #NationalSecurity", 'user.screen_name': 'ObozoLies'}, {'created_at': 'Sun Feb 11 23:16:43 +0000 2018', 'id': 962827770291281920, 'text': 'RT @Pink_About_it: The real question about fake dossier is not IF #Fisa warrant is now a widely known retroactive cover up, but rather, wha…', 'user.screen_name': 'DecosterGina'}, {'created_at': 'Sun Feb 11 23:16:43 +0000 2018', 'id': 962827769611739136, 'text': '@DonaldJTrumpJr Obama got caught paying the Terrorist on his payroll. Now what?', 'user.screen_name': 'mjtullo64'}, {'created_at': 'Sun Feb 11 23:16:43 +0000 2018', 'id': 962827769355763712, 'text': 'RT @KrisParonto: We also didn’t use the @FBI @CIA and @NSAGov to spy on @realDonaldTrump either.......isn’t that what you said to Chris Wal…', 'user.screen_name': 'hwfranzjr'}, {'created_at': 'Sun Feb 11 23:16:43 +0000 2018', 'id': 962827769318064128, 'text': '@A_BettyD What facts have you stated? I cannot find any. I understand your predicament. You hate Trump, but he is m… https://t.co/b6GjElMmMt', 'user.screen_name': 'Patr4915'}, {'created_at': 'Sun Feb 11 23:16:42 +0000 2018', 'id': 962827767200010241, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'blacklabapril23'}, {'created_at': 'Sun Feb 11 23:16:42 +0000 2018', 'id': 962827766117883904, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'StephMcMurphy'}, {'created_at': 'Sun Feb 11 23:16:41 +0000 2018', 'id': 962827763286728704, 'text': 'RT @theinquisitr: New Poll Finds Many Americans Think Obama Administration ‘Improperly’ Spied On Trump Campaign. Many survey respondents ar…', 'user.screen_name': 'letsplay2of3'}, {'created_at': 'Sun Feb 11 23:16:41 +0000 2018', 'id': 962827761944530944, 'text': 'RT @Education4Libs: Obama’s election was the worst thing to ever happen to this country. \n\nTrump’s election was the best.\n\nWe now have a gr…', 'user.screen_name': 'nitesky56'}, {'created_at': 'Sun Feb 11 23:16:41 +0000 2018', 'id': 962827761747419136, 'text': 'RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary’s campaign assisted in the effort\n-Russians assisted the Hi…', 'user.screen_name': 'sdmack'}, {'created_at': 'Sun Feb 11 23:16:41 +0000 2018', 'id': 962827761185378304, 'text': 'RT @brianklaas: You falsely alleged that Ted Cruz’s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos…', 'user.screen_name': 'billybong79'}, {'created_at': 'Sun Feb 11 23:16:40 +0000 2018', 'id': 962827759037960192, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'MariaMexs'}, {'created_at': 'Sun Feb 11 23:16:40 +0000 2018', 'id': 962827758924529664, 'text': 'RT @clivebushjd: Take a look what Democrats, Neocons & RINOs have done to America\n\nWe must #DeportDreamers #EndChainMigration & #BuildTheWa…', 'user.screen_name': 'ElisAmerica1'}, {'created_at': 'Sun Feb 11 23:16:40 +0000 2018', 'id': 962827758723313665, 'text': "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.…", 'user.screen_name': '_strate'}, {'created_at': 'Sun Feb 11 23:16:40 +0000 2018', 'id': 962827757737558016, 'text': "RT @MplsMe: Wall can't stop MS-13 because it started in Los Angeles, and is well-established in US. Many US citizens are members. Wall won'…", 'user.screen_name': 'sherry_bath'}, {'created_at': 'Sun Feb 11 23:16:40 +0000 2018', 'id': 962827757628608513, 'text': "RT @Patbagley: Let's keep in mind Obama had scandals early on in his administration https://t.co/qjp2XQDU2s", 'user.screen_name': 'cy_yenke'}, {'created_at': 'Sun Feb 11 23:16:40 +0000 2018', 'id': 962827756768653312, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'TotalBroadcast'}, {'created_at': 'Sun Feb 11 23:16:39 +0000 2018', 'id': 962827755149705216, 'text': "RT @AZjbc: They are Alinskey Tactics!! Chicago's Finest Barack Obama! Student of Marxist Agenda...Hard 2 Believe Half of the Country Just…", 'user.screen_name': 'Anak72297161'}, {'created_at': 'Sun Feb 11 23:16:39 +0000 2018', 'id': 962827754076033024, 'text': 'RT @EntheosShines: Source: Obama Fears #MuslimBrotherhood & CAIR Link to Downing of Russian Airliner @MattJAnder @CathyTo47590555 https://t…', 'user.screen_name': 'JamesGoodall17'}, {'created_at': 'Sun Feb 11 23:16:39 +0000 2018', 'id': 962827752566087681, 'text': 'RT @KrisParonto: We also didn’t use the @FBI @CIA and @NSAGov to spy on @realDonaldTrump either.......isn’t that what you said to Chris Wal…', 'user.screen_name': 'bkgroh'}, {'created_at': 'Sun Feb 11 23:16:39 +0000 2018', 'id': 962827751668568065, 'text': 'RT @brianklaas: You falsely alleged that Ted Cruz’s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos…', 'user.screen_name': 'Zenaphobe'}, {'created_at': 'Sun Feb 11 23:16:39 +0000 2018', 'id': 962827751400058885, 'text': "RT @EdKrassen: @IRdotnet @realDonaldTrump You have been falsely accusing the Democrats, Hillary, Obama, and just anyone else who doesn't ag…", 'user.screen_name': 'Sandy24689844'}, {'created_at': 'Sun Feb 11 23:16:38 +0000 2018', 'id': 962827750921981952, 'text': 'RT @MRSSMH2: No, sweetie. No one sat on twitter defending Obama 24 hours a day the way Trump morons do. Look at yourselves. You’re still at…', 'user.screen_name': 'Barkforlove1'}, {'created_at': 'Sun Feb 11 23:16:38 +0000 2018', 'id': 962827749936324608, 'text': '@MRSSMH2 @TomiLahren Then you are totally blind and you slept through the Obama presidency! The left along with the… https://t.co/zOu30GfEsE', 'user.screen_name': 'RickBrown3440'}, {'created_at': 'Sun Feb 11 23:16:38 +0000 2018', 'id': 962827749164486656, 'text': '@Amy_Siskind This is actually hilarious, considering the Pres. Obama targeted journalists, spied on American citize… https://t.co/XjhJmQKUaB', 'user.screen_name': 'account_redact'}, {'created_at': 'Sun Feb 11 23:16:38 +0000 2018', 'id': 962827747943829505, 'text': 'RT @Bakari_Sellers: Fox News viewers believe its Obama’s fault Rob Porter beat his wives. https://t.co/5y8wPzWLOu', 'user.screen_name': 'seraphimmoon13'}, {'created_at': 'Sun Feb 11 23:16:38 +0000 2018', 'id': 962827747491016705, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'moonbeam_0416'}, {'created_at': 'Sun Feb 11 23:16:38 +0000 2018', 'id': 962827747209990144, 'text': "RT @JudicialWatch: As part of our effort to hold Mueller's investigation accountable, JW uncovered docs showing top DOJ officials including…", 'user.screen_name': 'rosdel128'}, {'created_at': 'Sun Feb 11 23:16:37 +0000 2018', 'id': 962827745553088513, 'text': 'RT @bellaace52: @realDonaldTrump Not Obama!!!! His rein had no problems at all. Obama was a shinning light in a world of darkness. Here’s…', 'user.screen_name': 'AxelrodLorin'}, {'created_at': 'Sun Feb 11 23:16:36 +0000 2018', 'id': 962827742625632257, 'text': '@dan11thhour Obama and his handlers pulled off a world-wide coup. Not just the U.S. and Canada. S. America is seeing this also.', 'user.screen_name': 'gttbotl'}, {'created_at': 'Sun Feb 11 23:16:36 +0000 2018', 'id': 962827741820280832, 'text': 'RT @joncoopertweets: Sure, @realDonaldTrump is a lying, corrupt, racist, traitorous imbecile who defends white supremacists, Nazis, wife be…', 'user.screen_name': 'future_md23'}, {'created_at': 'Sun Feb 11 23:16:36 +0000 2018', 'id': 962827740901715968, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'flip_flopps'}, {'created_at': 'Sun Feb 11 23:16:36 +0000 2018', 'id': 962827740129869824, 'text': 'Obama Official: I Passed Clinton Lies to Steele That Were Used Against Trump.A top State Department official who se… https://t.co/uwW0qV10zy', 'user.screen_name': 'Lanchr4'}, {'created_at': 'Sun Feb 11 23:16:36 +0000 2018', 'id': 962827738682978305, 'text': 'RT @TeaPainUSA: FUN FACTS: DACA was established by the Obama Administration in June 2012 and RESCINDED by the Trump Administration in Sept…', 'user.screen_name': 'KimEbeth'}, {'created_at': 'Sun Feb 11 23:16:35 +0000 2018', 'id': 962827735138750465, 'text': 'RT @Owens4996: @MichelleObama You are awesome, many of us miss you and President Obama everyday! ❤️❤️❤️', 'user.screen_name': 'TimminsRealtor'}, {'created_at': 'Sun Feb 11 23:16:35 +0000 2018', 'id': 962827734979289088, 'text': 'RT @oxminaox: Snapchat didn’t suck while Obama was in office... just saying', 'user.screen_name': 'xoaleenah'}, {'created_at': 'Sun Feb 11 23:16:34 +0000 2018', 'id': 962827733276545024, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'lakemichigangal'}, {'created_at': 'Sun Feb 11 23:16:34 +0000 2018', 'id': 962827732932485120, 'text': 'RT @NevadaJack2: American Public Opinion Finally Turns on Obama Administration... "Overwhelmingly" https://t.co/i7LRoJ5lZc', 'user.screen_name': 'BillWes76233793'}, {'created_at': 'Sun Feb 11 23:16:34 +0000 2018', 'id': 962827731753877504, 'text': 'RT @Chicago1Ray: " You, me... we own this Country. Politicians are employees of ours. And when somebody doesn\'t do the Job, We gotta let \'e…', 'user.screen_name': 'TheRose50302638'}, {'created_at': 'Sun Feb 11 23:16:33 +0000 2018', 'id': 962827727861637120, 'text': "@TheStarsFan @realDonaldTrump QE happened under Obama. Fed moves were dictated by his policy so I don't see how tha… https://t.co/l6Rpd95c1a", 'user.screen_name': 'nickrock23'}, {'created_at': 'Sun Feb 11 23:16:33 +0000 2018', 'id': 962827726267789312, 'text': 'RT @SusanStormXO: @hatedtruthpig77 @Ann_B_Barber @wolfgangfaustX Burns me Up \ud83d\udd25\ud83d\udd25\nHow do we have people in America that are condoning this !…', 'user.screen_name': 'DagnyRed'}, {'created_at': 'Sun Feb 11 23:16:32 +0000 2018', 'id': 962827725189894144, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'sixthgentexan'}, {'created_at': 'Sun Feb 11 23:16:31 +0000 2018', 'id': 962827720542605314, 'text': "RT @TuckerCarlson: Here's what is clear right now, the bottom line on what we've learned this week and the one thing worth remembering: The…", 'user.screen_name': 'MorgannaMorales'}, {'created_at': 'Sun Feb 11 23:16:31 +0000 2018', 'id': 962827720009900032, 'text': "@thehill Watergate reporter: We've never had a president who lies like @realDonaldTrump and Americans never will be… https://t.co/4CbbGPaZdo", 'user.screen_name': 'MikeAE35'}, {'created_at': 'Sun Feb 11 23:16:30 +0000 2018', 'id': 962827717413568515, 'text': '@realDonaldTrump Thank you Mr. President for standing up for American values and beliefs!! I am proud to support y… https://t.co/OX41abJ2Mk', 'user.screen_name': 'striperbassman'}, {'created_at': 'Sun Feb 11 23:16:30 +0000 2018', 'id': 962827716780331009, 'text': "RT @FiveRights: For 5 years Obama couldn't stop ISIS, couldn't even contain them.\nTrump, w same military, wiped out ISIS in 9 mos.\nO wasn't…", 'user.screen_name': 'marinebrothers1'}, {'created_at': 'Sun Feb 11 23:16:30 +0000 2018', 'id': 962827716323041280, 'text': 'RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,…', 'user.screen_name': 'CyndieHarris'}, {'created_at': 'Sun Feb 11 23:16:30 +0000 2018', 'id': 962827714066571264, 'text': 'RT @Brasilmagic: Jeanine Pirro needs a straight-jacket https://t.co/G4wzGBUJ0b', 'user.screen_name': 'eugeniad26'}, {'created_at': 'Sun Feb 11 23:16:29 +0000 2018', 'id': 962827712825036803, 'text': 'RT @EdwardTHardy: Donald Trump spent years spreading the false allegation that Barack Obama was not born in the US https://t.co/d0XiP8l2yI', 'user.screen_name': 'LatonaDawn'}, {'created_at': 'Sun Feb 11 23:16:29 +0000 2018', 'id': 962827711939936257, 'text': 'RT @DineshDSouza: There is more proof to date that Obama—not Trump—tried to rig the 2016 election. Let the truth come out & hold the guilty…', 'user.screen_name': 'AshleyEdam'}, {'created_at': 'Sun Feb 11 23:16:29 +0000 2018', 'id': 962827711214272512, 'text': 'RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,…', 'user.screen_name': 'Rayr63'}, {'created_at': 'Sun Feb 11 23:16:29 +0000 2018', 'id': 962827709272526849, 'text': "RT @MplsMe: Wall can't stop MS-13 because it started in Los Angeles, and is well-established in US. Many US citizens are members. Wall won'…", 'user.screen_name': 'mdfazende'}, {'created_at': 'Sun Feb 11 23:16:28 +0000 2018', 'id': 962827708794396672, 'text': 'RT @SebGorka: The UNMASKING Scandal will prove to be much bigger than FISAGate or Watergate combined. \n\nTime to just call it what it is:…', 'user.screen_name': 'GourleyEwing'}, {'created_at': 'Sun Feb 11 23:16:28 +0000 2018', 'id': 962827707921944576, 'text': '@RCdeWinter them the White House with the help of Putin and friends. Now, tRUMP has the whole lot of the GOP over a… https://t.co/O5wePkKKzD', 'user.screen_name': 'giantdave1'}, {'created_at': 'Sun Feb 11 23:16:28 +0000 2018', 'id': 962827707020140544, 'text': 'RT @Bakari_Sellers: Fox News viewers believe its Obama’s fault Rob Porter beat his wives. https://t.co/5y8wPzWLOu', 'user.screen_name': 'BitterSaltiness'}, {'created_at': 'Sun Feb 11 23:16:28 +0000 2018', 'id': 962827706810413056, 'text': 'RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,…', 'user.screen_name': 'rightyfrommont'}, {'created_at': 'Sun Feb 11 23:16:28 +0000 2018', 'id': 962827705610842112, 'text': 'RT @DonnaWR8: In addition to removing ALL pagan and demonic items from the Obama and Clinton years at the White House, Pastor Paul Begley s…', 'user.screen_name': 'Sherry_Bass'}, {'created_at': 'Sun Feb 11 23:16:27 +0000 2018', 'id': 962827704562274304, 'text': 'RT @GeorgiaDirtRoad: Eric Holder is thinking of running for president... He was Obama’s lap dog & now wants to be the next clown to run fo…', 'user.screen_name': 'Esthersaved12'}, {'created_at': 'Sun Feb 11 23:16:27 +0000 2018', 'id': 962827703098454017, 'text': 'RT @MEMLiberal: .@JudgeJeanine Pirro brilliantly pins the blame for the #RobPorter fiasco where it belongs. On Barack Obama.\n\nIn other news…', 'user.screen_name': 'hoover913'}, {'created_at': 'Sun Feb 11 23:16:27 +0000 2018', 'id': 962827701114621952, 'text': 'RT @FoxNews: .@TomFitton: "[@realDonaldTrump] has been victimized by the Obama Administration." https://t.co/z3Vn9KY1M3', 'user.screen_name': 'leapingknown'}, {'created_at': 'Sun Feb 11 23:16:26 +0000 2018', 'id': 962827699411607552, 'text': 'RT @JessieJaneDuff: DHS official & former Obama ambassador James Nealon resigned, upset recommendations to extend “temporary protected stat…', 'user.screen_name': 'cathie_lagrange'}, {'created_at': 'Sun Feb 11 23:16:26 +0000 2018', 'id': 962827697901789186, 'text': "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.…", 'user.screen_name': 'Triscuitttt'}, {'created_at': 'Sun Feb 11 23:16:26 +0000 2018', 'id': 962827697708703744, 'text': 'RT @joncoopertweets: Sure, @realDonaldTrump is a lying, corrupt, racist, traitorous imbecile who defends white supremacists, Nazis, wife be…', 'user.screen_name': 'JTDENVERDUBS'}, {'created_at': 'Sun Feb 11 23:16:26 +0000 2018', 'id': 962827697314394113, 'text': 'RT @yoly4Trump: Tom Del Beccaro: All Corrupt DOJ and FBI Roads Lead to Obama https://t.co/JxPNVW1yWp via @BreitbartNews', 'user.screen_name': 'yoly4Trump'}, {'created_at': 'Sun Feb 11 23:16:26 +0000 2018', 'id': 962827697092288512, 'text': '@GOP You don’t want to give Obama credit because you don’t want to give Bush credit either. What kind of chesse… https://t.co/cdgxkI5FAD', 'user.screen_name': 'Michael51114020'}, {'created_at': 'Sun Feb 11 23:16:26 +0000 2018', 'id': 962827696937070592, 'text': 'RT @fubaglady: How Obama’s Hillary Clinton cover-ups destroyed DOJ and FBI https://t.co/26KPBHmpyz', 'user.screen_name': 'RedBaronUSA1'}, {'created_at': 'Sun Feb 11 23:16:25 +0000 2018', 'id': 962827696060289024, 'text': "Obama and Democrats never solved this man's problem. https://t.co/gbciZ04pCP", 'user.screen_name': 'Hardhat_Patriot'}, {'created_at': 'Sun Feb 11 23:16:25 +0000 2018', 'id': 962827695297097728, 'text': 'RT @Go_DeeJay21: Barack Obama https://t.co/0T4ZCvOzGL', 'user.screen_name': 'Harbsyy'}, {'created_at': 'Sun Feb 11 23:16:25 +0000 2018', 'id': 962827694558728192, 'text': 'RT @ElderLansing: I will never respect the Ex Resident Coward Obama! He was a horrible leader and had numerous scandals overlooked because…', 'user.screen_name': 'Lynny222'}, {'created_at': 'Sun Feb 11 23:16:25 +0000 2018', 'id': 962827693648527360, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'realtime1954'}, {'created_at': 'Sun Feb 11 23:16:25 +0000 2018', 'id': 962827693115899905, 'text': 'RT @HrrEerrer: Does @realDonaldTrump hafta spend money where congress says?Obama didn’t!Almost NO stimulus went2shovel ready jobs https://t…', 'user.screen_name': 'BillWes76233793'}, {'created_at': 'Sun Feb 11 23:16:24 +0000 2018', 'id': 962827692268810240, 'text': 'RT @joncoopertweets: Sure, @realDonaldTrump is a lying, corrupt, racist, traitorous imbecile who defends white supremacists, Nazis, wife be…', 'user.screen_name': 'UsEmpowered'}, {'created_at': 'Sun Feb 11 23:16:24 +0000 2018', 'id': 962827691350200320, 'text': 'RT @GeorgiaDirtRoad: Eric Holder is thinking of running for president... He was Obama’s lap dog & now wants to be the next clown to run fo…', 'user.screen_name': 'pepper10001'}, {'created_at': 'Sun Feb 11 23:16:24 +0000 2018', 'id': 962827689710120961, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'BettinaVLA'}, {'created_at': 'Sun Feb 11 23:16:24 +0000 2018', 'id': 962827689399787520, 'text': 'RT @mattmfm: Barack Obama was in the same room as Louis Farrakhan once and it caused a decades-long controversy. \n\nDonald Trump gave a shou…', 'user.screen_name': 'JosephOsaka'}, {'created_at': 'Sun Feb 11 23:16:24 +0000 2018', 'id': 962827688980332544, 'text': 'How ironic that only the wealthy elite can hear Michelle Obama speak. Heck, I can not even afford parking in the area let alone $$$ tix.', 'user.screen_name': 'feschukphoto'}, {'created_at': 'Sun Feb 11 23:16:23 +0000 2018', 'id': 962827684794351617, 'text': 'RT @JessieJaneDuff: DHS official & former Obama ambassador James Nealon resigned, upset recommendations to extend “temporary protected stat…', 'user.screen_name': 'Harper04138060'}, {'created_at': 'Sun Feb 11 23:16:23 +0000 2018', 'id': 962827684639322113, 'text': 'RT @miamijj48: Our fast-growing national debt is a toxic legacy for my generation \n\n$1 Trillion in debt is unacceptable-We need to continue…', 'user.screen_name': 'SouthurnMama'}, {'created_at': 'Sun Feb 11 23:16:22 +0000 2018', 'id': 962827683016134656, 'text': 'RT @qz: Hip-hop painter Kehinde Wiley’s portrait of Barack Obama will be unveiled tomorrow https://t.co/8wCPxkTX78', 'user.screen_name': 'fisachi3x'}, {'created_at': 'Sun Feb 11 23:16:22 +0000 2018', 'id': 962827682344992768, 'text': 'RT @bfraser747: Is anyone actually surprised that Obama wanted to “know everything”?\n\nOf course he interfered with the Hillary investigatio…', 'user.screen_name': 'TruthsbyRalph'}, {'created_at': 'Sun Feb 11 23:16:22 +0000 2018', 'id': 962827681665568771, 'text': 'RT @kylegriffin1: A comparison of the S&P 500 under Obama and Trump during the same period in their presidencies shows better performance u…', 'user.screen_name': '972_834'}, {'created_at': 'Sun Feb 11 23:16:22 +0000 2018', 'id': 962827681619496960, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'RichardVerMeul1'}, {'created_at': 'Sun Feb 11 23:16:22 +0000 2018', 'id': 962827681577558016, 'text': 'RT @MsMcMullan: Am I the only one who knows with complete certainty that the GOP never would have let the Democrats steal their Supreme Cou…', 'user.screen_name': 'IPM_Tweets'}, {'created_at': 'Sun Feb 11 23:16:21 +0000 2018', 'id': 962827679694123008, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'Brew_sir54'}, {'created_at': 'Sun Feb 11 23:16:21 +0000 2018', 'id': 962827679119667200, 'text': 'RT @Go_DeeJay21: Barack Obama https://t.co/0T4ZCvOzGL', 'user.screen_name': 'Drake_4'}, {'created_at': 'Sun Feb 11 23:16:21 +0000 2018', 'id': 962827679027220480, 'text': 'RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader…', 'user.screen_name': 'bretpdx'}, {'created_at': 'Sun Feb 11 23:16:21 +0000 2018', 'id': 962827676519223296, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'Sbeks72986'}, {'created_at': 'Sun Feb 11 23:16:20 +0000 2018', 'id': 962827675374161921, 'text': 'RT @SebGorka: Just REMEMBER:\n\n@JohnBrennan was proud to have voted for Gus Hall the Communist candidate for American President. \n\nTHEN OBAM…', 'user.screen_name': 'Ed19642Ed'}, {'created_at': 'Sun Feb 11 23:16:20 +0000 2018', 'id': 962827674610782213, 'text': 'RT @brianklaas: You falsely alleged that Ted Cruz’s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos…', 'user.screen_name': 'StevBlacker'}, {'created_at': 'Sun Feb 11 23:16:20 +0000 2018', 'id': 962827673318969345, 'text': 'RT @ARmastrangelo: We all know Obama loves weaponizing government agencies. Remember the IRS?\n\nWe all know Hillary loves to cheat. Remember…', 'user.screen_name': 'BlgaethGaeth'}, {'created_at': 'Sun Feb 11 23:16:19 +0000 2018', 'id': 962827668675731456, 'text': 'RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary’s campaign assisted in the effort\n-Russians assisted the Hi…', 'user.screen_name': 'Verona83'}, {'created_at': 'Sun Feb 11 23:16:18 +0000 2018', 'id': 962827666196967424, 'text': '@mikebloodworth @JBitterly @realDonaldTrump Trump is still talk about Obama & Hillary so his supporters will do the… https://t.co/iM5134O4z0', 'user.screen_name': 'pam_pannarai'}, {'created_at': 'Sun Feb 11 23:16:18 +0000 2018', 'id': 962827665744031746, 'text': 'RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary’s campaign assisted in the effort\n-Russians assisted the Hi…', 'user.screen_name': 'jennyfields79'}, {'created_at': 'Sun Feb 11 23:16:18 +0000 2018', 'id': 962827665542664192, 'text': "RT @abiantes: @amandanaude @IamMarkStephens @bellaace52 @realDonaldTrump You do know that America's current economic situation came about u…", 'user.screen_name': 'FuelMan55'}, {'created_at': 'Sun Feb 11 23:16:18 +0000 2018', 'id': 962827663579762688, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'terryjgosh'}, {'created_at': 'Sun Feb 11 23:16:18 +0000 2018', 'id': 962827663122472960, 'text': 'RT @MOVEFORWARDHUGE: THE OBAMA ADMINISTRATION HOUSE OF CARDS\n\nIS ABOUT TO MEET GITMO BARS!\n\nWHEN THE MILITARY TRIBUNALS ARE DONE,\n\nAMERICA…', 'user.screen_name': 'MOVEFORWARDHUGE'}, {'created_at': 'Sun Feb 11 23:16:17 +0000 2018', 'id': 962827661583310850, 'text': '@conserv_tribune It is incredible and awesome obama was the worst president ever and it erasing the stain he left behind is necessary', 'user.screen_name': 'm_mmilling'}, {'created_at': 'Sun Feb 11 23:16:17 +0000 2018', 'id': 962827659804733440, 'text': 'RT @tangJINjaemx: @vlissful @BTS_twt OBAMA SUPPORTS THIS! \ud83d\udc4f\ud83d\udc4f\ud83d\udc4f\ud83d\udc4f LEGEEEEENDS!!\n\n#BTS #BestBoyBand #iHeartAwards @BTS_twt https://t.co/hvqe2sI…', 'user.screen_name': 'becauseofKTH'}, {'created_at': 'Sun Feb 11 23:16:16 +0000 2018', 'id': 962827658449928192, 'text': 'RT @StevenTDennis: DACA exists because Obama acted after a Senate minority filibustered the DREAM Act in 2010; John Boehner and Paul Ryan h…', 'user.screen_name': 'dazilmz'}, {'created_at': 'Sun Feb 11 23:16:16 +0000 2018', 'id': 962827657422491648, 'text': '@___aniT___ @Obama_FOS @Tiffany1985B We’re a thing now so don’t push me away when I’m all up in your business. \ud83d\ude09\ud83d\ude02', 'user.screen_name': 'jennyleesac30'}, {'created_at': 'Sun Feb 11 23:16:16 +0000 2018', 'id': 962827657384812544, 'text': 'RT @a4_adorable: Barack Obama https://t.co/a1EuLpeoT9', 'user.screen_name': 'CharlayaTyler'}, {'created_at': 'Sun Feb 11 23:16:16 +0000 2018', 'id': 962827656868892672, 'text': 'RT @realDonaldTrump: “My view is that not only has Trump been vindicated in the last several weeks about the mishandling of the Dossier and…', 'user.screen_name': 'babafemi9'}, {'created_at': 'Sun Feb 11 23:16:16 +0000 2018', 'id': 962827655765725184, 'text': 'RT @JohnJHarwood: Obama and Democratic Congress constructed their central domestic initiative, the ACA, with sufficient tax revenue so that…', 'user.screen_name': 'wonz'}, {'created_at': 'Sun Feb 11 23:16:16 +0000 2018', 'id': 962827655211925504, 'text': 'RT @cbouzy: \ud83d\udd25\ud83d\udd25\ud83d\udd25OMG!!! Jeanine Pirro blames Barack Obama for Rob Porter wife-beating scandal. Fox News is a fake news network endorsed by th…', 'user.screen_name': 'michellred'}, {'created_at': 'Sun Feb 11 23:16:16 +0000 2018', 'id': 962827654876549121, 'text': 'mr obama pwease hewp.', 'user.screen_name': 'younghocsp'}, {'created_at': 'Sun Feb 11 23:16:15 +0000 2018', 'id': 962827651827355648, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'RichardVerMeul1'}, {'created_at': 'Sun Feb 11 23:16:14 +0000 2018', 'id': 962827649759444997, 'text': 'RT @KrisParonto: We also didn’t use the @FBI @CIA and @NSAGov to spy on @realDonaldTrump either.......isn’t that what you said to Chris Wal…', 'user.screen_name': 'Baltazar_Bolado'}, {'created_at': 'Sun Feb 11 23:16:14 +0000 2018', 'id': 962827649750990850, 'text': 'RT @GOP: Democrats are trying to take credit for our thriving economy. \ud83d\ude02\nhttps://t.co/gKTke2wqO3', 'user.screen_name': 'BettinaVLA'}, {'created_at': 'Sun Feb 11 23:16:14 +0000 2018', 'id': 962827647452463104, 'text': 'RT @OliverMcGee: Wow. Throwback to when Senator Barack Obama agreed with @realDonaldTrump on immigration! RT this so your friends see this!…', 'user.screen_name': 'SandraM02169645'}, {'created_at': 'Sun Feb 11 23:16:13 +0000 2018', 'id': 962827645279981568, 'text': 'RT @TrumpNewsz: "Instant Justice: After G W Bush & Obama Teamed Up to Attack Trump, Fox Host Leaked Their Worst Nightmare" https://t.co/KbE…', 'user.screen_name': 'ceci8775'}, {'created_at': 'Sun Feb 11 23:16:13 +0000 2018', 'id': 962827644113997825, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'BrookhartKim'}, {'created_at': 'Sun Feb 11 23:16:13 +0000 2018', 'id': 962827643149221888, 'text': 'Obama by Kevin Bozeman is #NowPlaying on https://t.co/IBx3JZxB9Y https://t.co/94jE4ONxEt', 'user.screen_name': 'CCS_Radio'}, {'created_at': 'Sun Feb 11 23:16:13 +0000 2018', 'id': 962827642339774465, 'text': "RT @phil200269: Reminder: \n\nThe Obama Appointees Who Covered Up Hillary and Obama's Uranium Sale To Russia Are Still In Charge of the Trump…", 'user.screen_name': 'page_kimiko'}, {'created_at': 'Sun Feb 11 23:16:12 +0000 2018', 'id': 962827641639391233, 'text': '@DonnaWR8 @POTUS Obama and crew got away with everything.', 'user.screen_name': 'SaraBuc44740477'}, {'created_at': 'Sun Feb 11 23:16:12 +0000 2018', 'id': 962827640980860928, 'text': 'RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,…', 'user.screen_name': 'gbetree'}, {'created_at': 'Sun Feb 11 23:16:12 +0000 2018', 'id': 962827640624250880, 'text': 'RT @AMErikaNGIRLBOT: Watch:Leaked footage of Trump firing Comey\ud83d\udca5”You’re Fired!” \nThe Obama admin turned America into a sitcom where every d…', 'user.screen_name': 'bsgirl2u'}, {'created_at': 'Sun Feb 11 23:16:12 +0000 2018', 'id': 962827640343285761, 'text': 'RT @MaxBlumenthal: This excellent move would almost make up for giving the prize to Obama https://t.co/pJV5GoPJp9', 'user.screen_name': 'DianeDobrski'}, {'created_at': 'Sun Feb 11 23:16:12 +0000 2018', 'id': 962827640255270913, 'text': 'Newt Hammer Clinton And The Deep State https://t.co/VKMy2s67WD', 'user.screen_name': 'starrick1'}, {'created_at': 'Sun Feb 11 23:16:12 +0000 2018', 'id': 962827639672074240, 'text': 'RT @AriFleischer: It’s easy to be a thug dealing with liberal media. The MSM forgets prison camps, forced hunger, brutality, nuclear threat…', 'user.screen_name': 'Verona83'}, {'created_at': 'Sun Feb 11 23:16:11 +0000 2018', 'id': 962827637638029314, 'text': "@DineshDSouza @Debber66 @realDonaldTrump #DrainTheSorosCesspool\n#ObamaKnew\n#CorruptFBI\nObama's FBI and DOJ tricked… https://t.co/yqiv6aRsUL", 'user.screen_name': 'j_c_k17jck'}, {'created_at': 'Sun Feb 11 23:16:11 +0000 2018', 'id': 962827637562466304, 'text': "BOMBSHELL: FBI Informant In Uranium One Scandal Testifies Against Obama. Here's What He Said. https://t.co/AwCYRiLoug", 'user.screen_name': 'MrLeeHanna'}, {'created_at': 'Sun Feb 11 23:16:11 +0000 2018', 'id': 962827637524754432, 'text': 'RT @Sunrise51052: DACA was created on 6/15/12 because polling showed Obama would need more Hispanic votes to win 2012. \n\n#MAGA #AmericaFirs…', 'user.screen_name': 'denverkb'}, {'created_at': 'Sun Feb 11 23:16:11 +0000 2018', 'id': 962827636132196352, 'text': 'RT @FiveRights: Laura Ingraham on Fox: Why did George W. Bush refuse to criticize Obama even when O screwed up badly but he often criticize…', 'user.screen_name': 'DianeMDeath'}, {'created_at': 'Sun Feb 11 23:16:11 +0000 2018', 'id': 962827634064244736, 'text': 'RT @JessieJaneDuff: DHS official & former Obama ambassador James Nealon resigned, upset recommendations to extend “temporary protected stat…', 'user.screen_name': 'queensword'}, {'created_at': 'Sun Feb 11 23:16:10 +0000 2018', 'id': 962827633410105344, 'text': 'RT @RealMAGASteve: This bombshell report from the Senate Homeland Security Comm. IMPLICATES OBAMA in the #Obamagate scandal & Clinton email…', 'user.screen_name': 'willieluv2016'}, {'created_at': 'Sun Feb 11 23:16:10 +0000 2018', 'id': 962827633234006017, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'TreetopMcPhers2'}, {'created_at': 'Sun Feb 11 23:16:10 +0000 2018', 'id': 962827632705449984, 'text': 'RT @TommyAl40344973: @JanC182 @DerkaCards @ChaMamasHouse @realDonaldTrump Obama was worst pres ever. He ruined the economy & started a raci…', 'user.screen_name': 'dbaug57942'}, {'created_at': 'Sun Feb 11 23:16:10 +0000 2018', 'id': 962827630570438656, 'text': 'RT @JalenSkutt: Barack Obama https://t.co/Z91o7bG2EH', 'user.screen_name': 'danyyy26'}, {'created_at': 'Sun Feb 11 23:16:10 +0000 2018', 'id': 962827630457352192, 'text': 'RT @Logic_Triumphs: ⭐⭐⭐⭐⭐\nBarack Obama has 99.7 million followers.\nIt would kill Donald Trump if Obama hit 100 million. Whatever you do do…', 'user.screen_name': 'gjackson963'}, {'created_at': 'Sun Feb 11 23:16:09 +0000 2018', 'id': 962827628037197829, 'text': 'RT @TomFitton: The American people should be able to see for themselves the FISA court docs on how Obama admin used Clinton document to mis…', 'user.screen_name': 'nuzombie4'}, {'created_at': 'Sun Feb 11 23:16:09 +0000 2018', 'id': 962827627991060481, 'text': 'RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader…', 'user.screen_name': 'gatorKayla2'}, {'created_at': 'Sun Feb 11 23:16:09 +0000 2018', 'id': 962827627324207104, 'text': 'RT @omriceren: Obama Dec 2011, after Iran seized American UAV: "We\'ve asked for it back. We\'ll see how the Iranians respond" https://t.co/y…', 'user.screen_name': 'awkwardfuzzball'}, {'created_at': 'Sun Feb 11 23:16:08 +0000 2018', 'id': 962827624434323456, 'text': 'RT @AZWS: This meme is aging very well. It’s still amazing the Mainstream Media would have you believe Obama’s presidency was scandal free.…', 'user.screen_name': 'maxislv'}, {'created_at': 'Sun Feb 11 23:16:07 +0000 2018', 'id': 962827619640033281, 'text': 'RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader…', 'user.screen_name': 'pcphx90'}, {'created_at': 'Sun Feb 11 23:16:07 +0000 2018', 'id': 962827619023687681, 'text': "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.…", 'user.screen_name': 'MLGoley'}, {'created_at': 'Sun Feb 11 23:16:06 +0000 2018', 'id': 962827616125415424, 'text': 'RT @Imperator_Rex3: Important thread focussing on how the criminals used a foreign intelligence service (GCHQ) to inject the dodgy dossier…', 'user.screen_name': 'Teresa13218380'}, {'created_at': 'Sun Feb 11 23:16:06 +0000 2018', 'id': 962827615160684545, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'oqven'}, {'created_at': 'Sun Feb 11 23:16:06 +0000 2018', 'id': 962827614934175744, 'text': 'RT @goodoldcatchy: Jesus wasn’t white. Trump isn’t a Christian. Trickle-down economics doesn’t work. A border wall isn’t feasible. Climate…', 'user.screen_name': 'chels2saucy'}, {'created_at': 'Sun Feb 11 23:16:06 +0000 2018', 'id': 962827613948530688, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'WoodCarma'}, {'created_at': 'Sun Feb 11 23:16:06 +0000 2018', 'id': 962827612992299009, 'text': "RT @yogagenie: Poll: Americans 'Overwhelmingly' Believe Obama 'Improperly Surveilled' Trump Campaign - Breitbart https://t.co/6vZcuiaf2b", 'user.screen_name': 'M08D26'}, {'created_at': 'Sun Feb 11 23:16:06 +0000 2018', 'id': 962827612811751424, 'text': 'RT @USArmy333: Wait #Obama \n\nYou mean you destroyed cars that were FINE! While #Homeless #Veterans need a car? https://t.co/RKQvQdDdQD', 'user.screen_name': 'BRADALL76027393'}, {'created_at': 'Sun Feb 11 23:16:06 +0000 2018', 'id': 962827612736315392, 'text': 'RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader…', 'user.screen_name': 'ttcriddell'}, {'created_at': 'Sun Feb 11 23:16:04 +0000 2018', 'id': 962827608508588039, 'text': "RT @BenjaminNorton: US Ambassador Confirms Billions Spent On Regime Change in Syria, Debunking 'Obama Did Nothing' Myth https://t.co/nWGvwI…", 'user.screen_name': 'ymahfooz'}, {'created_at': 'Sun Feb 11 23:16:04 +0000 2018', 'id': 962827608021856257, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'cathie_lagrange'}, {'created_at': 'Sun Feb 11 23:16:04 +0000 2018', 'id': 962827607724253184, 'text': 'RT @NewtTrump: Newt Gingrich: "Let me just point out how sick the elite media is — they report all that as though it’s something bad about…', 'user.screen_name': 'kfwinter15'}, {'created_at': 'Sun Feb 11 23:16:04 +0000 2018', 'id': 962827605601914880, 'text': 'If President Obama wasn’t President Obama he’d be James Bond , Idris Elba , The Dos Equis man , John Shaft , Jason… https://t.co/wt0Y950nPn', 'user.screen_name': 'bergamp64'}, {'created_at': 'Sun Feb 11 23:16:03 +0000 2018', 'id': 962827603903094784, 'text': '@dorianp626 You’ve got Trump confused with War Instigator Champ, Obama.', 'user.screen_name': 'donaldpirl'}, {'created_at': 'Sun Feb 11 23:16:03 +0000 2018', 'id': 962827602535833600, 'text': 'RT @JudicialWatch: Reminder: JW found evidence showing Obama State Dept under John Kerry sent its own "dossier" of classified info on Russi…', 'user.screen_name': 'donrh65'}, {'created_at': 'Sun Feb 11 23:16:03 +0000 2018', 'id': 962827601768337409, 'text': '@RealCandaceO Black Nationalism under Obama https://t.co/dVNWiTLMeX', 'user.screen_name': 'JTCMD'}, {'created_at': 'Sun Feb 11 23:16:02 +0000 2018', 'id': 962827599880781824, 'text': 'RT @JudicialWatch: Reminder: JW found evidence showing Obama State Dept under John Kerry sent its own "dossier" of classified info on Russi…', 'user.screen_name': 'danecloud1'}, {'created_at': 'Sun Feb 11 23:16:02 +0000 2018', 'id': 962827599708938240, 'text': 'RT @GrrrGraphics: "In the Head of Hillary" #BenGarrison #cartoon \nSomeone asked me why I draw so many #Obama & #Hillary cartoons. \nread mor…', 'user.screen_name': 'velvet_chainsaw'}, {'created_at': 'Sun Feb 11 23:16:02 +0000 2018', 'id': 962827599377448960, 'text': 'RT @brianklaas: Man who called to execute Central Park 5 & insisted they were guilty after DNA evidence proved their innocence; spread birt…', 'user.screen_name': 'LegendOfSandy'}, {'created_at': 'Sun Feb 11 23:16:02 +0000 2018', 'id': 962827598723211264, 'text': 'RT @brianklaas: You falsely alleged that Ted Cruz’s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos…', 'user.screen_name': 'HavicanWatson'}, {'created_at': 'Sun Feb 11 23:16:02 +0000 2018', 'id': 962827598589022208, 'text': 'RT @winstonmeiiis: Dems are still denying the facts that Obama/Clinton admin knowingly used fake Trump dossier to obtain FISA warrants.\nDo…', 'user.screen_name': 'donnamaxwell861'}, {'created_at': 'Sun Feb 11 23:16:02 +0000 2018', 'id': 962827597087309824, 'text': 'RT @MOVEFORWARDHUGE: THE OBAMA ADMINISTRATION HOUSE OF CARDS\n\nIS ABOUT TO MEET GITMO BARS!\n\nWHEN THE MILITARY TRIBUNALS ARE DONE,\n\nAMERICA…', 'user.screen_name': 'michaelroller'}, {'created_at': 'Sun Feb 11 23:16:01 +0000 2018', 'id': 962827593547501568, 'text': "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.…", 'user.screen_name': 'BobaFenwick'}, {'created_at': 'Sun Feb 11 23:16:01 +0000 2018', 'id': 962827593316818946, 'text': "@gal_deplorable @tamaraleighllc It's become a valid certification that gained prominence under obama. Prior to 200… https://t.co/tyXxGpwMUh", 'user.screen_name': 'JaiceHarmon'}, {'created_at': 'Sun Feb 11 23:16:01 +0000 2018', 'id': 962827593161625601, 'text': 'RT @justinamash: This morning, every Republican in Congress who blasted government growth under Pres. Obama gets to answer the following qu…', 'user.screen_name': 'clarkeswa'}, {'created_at': 'Sun Feb 11 23:16:01 +0000 2018', 'id': 962827592871981056, 'text': "RT @1776Stonewall: @JudiMichels I'll never forget when he went at Obama and the empty chair at the RNC convention/ The left, of course, att…", 'user.screen_name': 'edwardjrcomcas1'}, {'created_at': 'Sun Feb 11 23:16:01 +0000 2018', 'id': 962827592805027842, 'text': 'RT @rocketsales44: You must have been asleep for the Obama years #MAGA #LiberalismIsAMentalDisorder https://t.co/m8hVmN0q2g', 'user.screen_name': 'sg07840_mayra'}, {'created_at': 'Sun Feb 11 23:16:00 +0000 2018', 'id': 962827590133202944, 'text': 'RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,…', 'user.screen_name': 'Darlem303'}, {'created_at': 'Sun Feb 11 23:16:00 +0000 2018', 'id': 962827589835546624, 'text': 'Israel Strikes Iran in Syria and Loses a Jet via @NYTimes. Obama’s other legacy? https://t.co/R7bEaEn2CM', 'user.screen_name': 'JoelPFeldman'}, {'created_at': 'Sun Feb 11 23:16:00 +0000 2018', 'id': 962827589009231873, 'text': 'RT @labuda_robert: Define Russian Collusion.:\n\nWhy did Barack Obama\n\n1) Work With Iran?\n\n2) Use the Intel Community to Monitor/Attack Benja…', 'user.screen_name': 'SthrnMomNGram'}, {'created_at': 'Sun Feb 11 23:16:00 +0000 2018', 'id': 962827587813888000, 'text': 'RT @DineshDSouza: There is more proof to date that Obama—not Trump—tried to rig the 2016 election. Let the truth come out & hold the guilty…', 'user.screen_name': 'NMLifestyles'}, {'created_at': 'Sun Feb 11 23:15:59 +0000 2018', 'id': 962827584827359232, 'text': '@MohamedMOSalih Harriet Tubman, Frederick Douglass, MLK, Nichelle Nichols. Barack & Michelle Obama. U.S. Rep John Lewis. Just to name a few.', 'user.screen_name': 'LisaBlycker'}, {'created_at': 'Sun Feb 11 23:15:59 +0000 2018', 'id': 962827584005287936, 'text': 'RT @RyanAFournier: Do you believe the Obama Administration improperly and illegally surveilled the Trump Campaign? #SHARE', 'user.screen_name': 'crookedchair69'}, {'created_at': 'Sun Feb 11 23:15:58 +0000 2018', 'id': 962827582461894657, 'text': "RT @rmasher2: Funny. I don't recall President Obama being called to testify before a Special Counsel/Grand Jury looking into possible crimi…", 'user.screen_name': 'MayIrmamay14'}, {'created_at': 'Sun Feb 11 23:15:58 +0000 2018', 'id': 962827581434183680, 'text': "RT @BenjaminNorton: US Ambassador Confirms Billions Spent On Regime Change in Syria, Debunking 'Obama Did Nothing' Myth https://t.co/nWGvwI…", 'user.screen_name': 'Pepperpear'}, {'created_at': 'Sun Feb 11 23:15:58 +0000 2018', 'id': 962827580968759296, 'text': '@keithellison @ErikaAndiola DACA is unconstitutional Obama stated that fact 25xs! Democrat majority could of passed… https://t.co/UtC7GYPkBj', 'user.screen_name': 'KellyCurran20'}, {'created_at': 'Sun Feb 11 23:15:58 +0000 2018', 'id': 962827580901679109, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'deb_sadie'}, {'created_at': 'Sun Feb 11 23:15:58 +0000 2018', 'id': 962827580863758336, 'text': '@shirleyann32 @HouseGOP Did you see any of that 2500 Obama promise you, or did you healthcare go down or are you on the free line??', 'user.screen_name': 'GregoryMaul'}, {'created_at': 'Sun Feb 11 23:15:58 +0000 2018', 'id': 962827580348030977, 'text': 'RT @RyanAFournier: Do you believe the Obama Administration improperly and illegally surveilled the Trump Campaign? #SHARE', 'user.screen_name': 'I_am_KevinW'}, {'created_at': 'Sun Feb 11 23:15:58 +0000 2018', 'id': 962827579286843397, 'text': "RT @BettyBowers: TRUMP LIE: Democrats didn't fix #DACA from 2008-2011. \n\nINCONVENIENT FACT: DACA didn't exist until 2012.\n\nTRUMP LIE: Repub…", 'user.screen_name': 'kingT'}, {'created_at': 'Sun Feb 11 23:15:57 +0000 2018', 'id': 962827577864966144, 'text': '@RadioFreeTom Many of those voters were possessed of the same magical thinking as Obama voters.', 'user.screen_name': 'TomNeven1'}, {'created_at': 'Sun Feb 11 23:15:57 +0000 2018', 'id': 962827577760145408, 'text': 'RT @Jali_Cat: Two days after Obama sent Iran the ransom cash, USA government wired 13 individual payments for $99,999,999.99 , each w/ an i…', 'user.screen_name': 'dalvis0921'}, {'created_at': 'Sun Feb 11 23:15:57 +0000 2018', 'id': 962827576510242817, 'text': 'RT @RealMAGASteve: This bombshell report from the Senate Homeland Security Comm. IMPLICATES OBAMA in the #Obamagate scandal & Clinton email…', 'user.screen_name': 'DianneSteiner'}, {'created_at': 'Sun Feb 11 23:15:56 +0000 2018', 'id': 962827574215819265, 'text': 'RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader…', 'user.screen_name': 'ccary67'}, {'created_at': 'Sun Feb 11 23:15:56 +0000 2018', 'id': 962827573351866368, 'text': 'RT @sportsfan_james: @dbongino He knew it from the start he has been a trained liar. He lied about the ILLEGAL spying to Congress and AMERI…', 'user.screen_name': 'cooch28'}, {'created_at': 'Sun Feb 11 23:15:56 +0000 2018', 'id': 962827573133750272, 'text': 'RT @Brasilmagic: Jeanine Pirro needs a straight-jacket https://t.co/G4wzGBUJ0b', 'user.screen_name': 'ResistTilDeath'}, {'created_at': 'Sun Feb 11 23:15:56 +0000 2018', 'id': 962827571611275270, 'text': "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.…", 'user.screen_name': 'meg_moreno'}, {'created_at': 'Sun Feb 11 23:15:55 +0000 2018', 'id': 962827570050891778, 'text': 'RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove…', 'user.screen_name': 'facingeast52'}, {'created_at': 'Sun Feb 11 23:15:55 +0000 2018', 'id': 962827567727247360, 'text': 'RT @KaniJJackson: This is just your daily reminder that Barack Obama did not have 1 scandal or allegation against him during his time in th…', 'user.screen_name': 'DredPirateJames'}, {'created_at': 'Sun Feb 11 23:15:55 +0000 2018', 'id': 962827567320391680, 'text': 'RT @Education4Libs: Obama’s election was the worst thing to ever happen to this country. \n\nTrump’s election was the best.\n\nWe now have a gr…', 'user.screen_name': 'Rayr63'}, {'created_at': 'Sun Feb 11 23:15:55 +0000 2018', 'id': 962827567203012614, 'text': "RT @BettyBowers: TRUMP LIE: Democrats didn't fix #DACA from 2008-2011. \n\nINCONVENIENT FACT: DACA didn't exist until 2012.\n\nTRUMP LIE: Repub…", 'user.screen_name': 'BenKallaway'}, {'created_at': 'Sun Feb 11 23:15:55 +0000 2018', 'id': 962827567198818304, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'lkw72258'}, {'created_at': 'Sun Feb 11 23:15:54 +0000 2018', 'id': 962827566083133441, 'text': "@DineshDSouza @JessieJaneDuff Like the IRS acted as Obama's SS on conservative NFP's", 'user.screen_name': 'Publius7'}, {'created_at': 'Sun Feb 11 23:15:54 +0000 2018', 'id': 962827565957287937, 'text': "RT @JudicialWatch: As part of our effort to hold Mueller's investigation accountable, JW uncovered docs showing top DOJ officials including…", 'user.screen_name': 'PatriotMarie'}, {'created_at': 'Sun Feb 11 23:15:54 +0000 2018', 'id': 962827565751730178, 'text': 'RT @TomFitton: The American people should be able to see for themselves the FISA court docs on how Obama admin used Clinton document to mis…', 'user.screen_name': 'gwoodle'}, {'created_at': 'Sun Feb 11 23:15:54 +0000 2018', 'id': 962827564665405440, 'text': 'RT @MEL2AUSA: If anyone is looking for #Obama he’s in his safe space.\nIt’s in the ladies restroom. #ObamaKnew #ObamaGate https://t.co/TKakg…', 'user.screen_name': 'Mtweetie4848gm2'}, {'created_at': 'Sun Feb 11 23:15:54 +0000 2018', 'id': 962827564153745408, 'text': 'RT @Psychoman1976: Marie Harf on #Outnumbered having a coronary about #Obama involvement with email and dossier scandals Bwahahaha!!!!!! ht…', 'user.screen_name': 'MikeJorgensen5'}, {'created_at': 'Sun Feb 11 23:15:54 +0000 2018', 'id': 962827563910475776, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'RichardVerMeul1'}, {'created_at': 'Sun Feb 11 23:15:53 +0000 2018', 'id': 962827562052411392, 'text': 'I hope @tedlieu @RepSwalwell get to the bottom of whether Hope Hicks pegs Trump’s bottom with the Obama dildo, as h… https://t.co/2xmVkVnFZo', 'user.screen_name': 'BeurreyBlanco'}, {'created_at': 'Sun Feb 11 23:15:53 +0000 2018', 'id': 962827558273208320, 'text': '@CNN And Bullets paid for by Obama’s Nuclear Deal.', 'user.screen_name': 'TASWhatever'}, {'created_at': 'Sun Feb 11 23:15:52 +0000 2018', 'id': 962827555551240192, 'text': 'RT @JessieJaneDuff: DHS official & former Obama ambassador James Nealon resigned, upset recommendations to extend “temporary protected stat…', 'user.screen_name': 'hockeymom9598'}, {'created_at': 'Sun Feb 11 23:15:52 +0000 2018', 'id': 962827554842439680, 'text': 'RT @Khanoisseur: This is arguably the most important speech Obama has given\n\nListen to it carefully and share with friends https://t.co/Heq…', 'user.screen_name': 'tabfreeweir'}, {'created_at': 'Sun Feb 11 23:15:52 +0000 2018', 'id': 962827554745970689, 'text': 'RT @RyanAFournier: Do you believe the Obama Administration improperly and illegally surveilled the Trump Campaign? #SHARE', 'user.screen_name': 'bwcawilderness'}, {'created_at': 'Sun Feb 11 23:15:51 +0000 2018', 'id': 962827553424773121, 'text': 'RT @brianklaas: You falsely alleged that Ted Cruz’s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos…', 'user.screen_name': 'PLFord52'}, {'created_at': 'Sun Feb 11 23:15:51 +0000 2018', 'id': 962827553215012864, 'text': 'RT @jackshafer: "Obama & Hillary Ordered FBI to Spy on Trump!" https://t.co/l007E3XT81', 'user.screen_name': 'SeanOCasey1'}, {'created_at': 'Sun Feb 11 23:15:51 +0000 2018', 'id': 962827553038888960, 'text': 'RT @mattmfm: Barack Obama was in the same room as Louis Farrakhan once and it caused a decades-long controversy. \n\nDonald Trump gave a shou…', 'user.screen_name': 'barbjean'}, {'created_at': 'Sun Feb 11 23:15:51 +0000 2018', 'id': 962827552279719936, 'text': "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.…", 'user.screen_name': 'VeronicaSam13'}, {'created_at': 'Sun Feb 11 23:15:51 +0000 2018', 'id': 962827550715031552, 'text': "RT @JudicialWatch: As part of our effort to hold Mueller's investigation accountable, JW uncovered docs showing top DOJ officials including…", 'user.screen_name': 'BreeColorado'}, {'created_at': 'Sun Feb 11 23:15:50 +0000 2018', 'id': 962827547481427969, 'text': 'RT @tonyposnanski: Trump believes in due process except for...\n\n- Kenyan born Obama\n- Crooked Hillary\n- FBI\n- Anyone in the media who doesn…', 'user.screen_name': 'TwymanPaige'}, {'created_at': 'Sun Feb 11 23:15:50 +0000 2018', 'id': 962827546697064449, 'text': 'RT @RealMAGASteve: This bombshell report from the Senate Homeland Security Comm. IMPLICATES OBAMA in the #Obamagate scandal & Clinton email…', 'user.screen_name': 'broker1ajs'}, {'created_at': 'Sun Feb 11 23:15:50 +0000 2018', 'id': 962827546390876160, 'text': 'RT @BluePillSheep: New FBI Text Messages Show Obama ‘Wants To Know Everything We’re Doing’\n\nREAD OUR STORY HERE https://t.co/TRrmxBavZj\n\n#S…', 'user.screen_name': 'OnlyJeanSeixasM'}, {'created_at': 'Sun Feb 11 23:15:49 +0000 2018', 'id': 962827545572933633, 'text': 'RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader…', 'user.screen_name': 'EarlSimpsonII'}, {'created_at': 'Sun Feb 11 23:15:49 +0000 2018', 'id': 962827543513411584, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'SATwerdnerd'}, {'created_at': 'Sun Feb 11 23:15:49 +0000 2018', 'id': 962827543261806592, 'text': 'RT @brianklaas: Man who called to execute Central Park 5 & insisted they were guilty after DNA evidence proved their innocence; spread birt…', 'user.screen_name': 'ametola'}, {'created_at': 'Sun Feb 11 23:15:48 +0000 2018', 'id': 962827541374435329, 'text': 'RT @realDonaldTrump: “My view is that not only has Trump been vindicated in the last several weeks about the mishandling of the Dossier and…', 'user.screen_name': 'fidman_143'}, {'created_at': 'Sun Feb 11 23:15:48 +0000 2018', 'id': 962827540791521280, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'CureOurCountry'}, {'created_at': 'Sun Feb 11 23:15:48 +0000 2018', 'id': 962827540426567680, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'lynn_laj'}, {'created_at': 'Sun Feb 11 23:15:48 +0000 2018', 'id': 962827539428380673, 'text': "RT @TuckerCarlson: Here's what is clear right now, the bottom line on what we've learned this week and the one thing worth remembering: The…", 'user.screen_name': 'bulladave'}, {'created_at': 'Sun Feb 11 23:15:48 +0000 2018', 'id': 962827538895695872, 'text': '@Shaithis1404 She hasn’t done nothing? You’re an idiot, is it normal to bleach and destroy your computer hard drive… https://t.co/FJvrd3NZMP', 'user.screen_name': 'JPK051315'}, {'created_at': 'Sun Feb 11 23:15:48 +0000 2018', 'id': 962827538438406144, 'text': 'RT @Go_DeeJay21: Barack Obama https://t.co/0T4ZCvOzGL', 'user.screen_name': 'CagedElefunt_'}, {'created_at': 'Sun Feb 11 23:15:47 +0000 2018', 'id': 962827536341364736, 'text': '@LorraineButch10 @patfo49 @Renshaw1921 @MrConsrvative @darkbeautiful77 @DeannaSands1 @blkftid @TenaciousTwitt… https://t.co/WOK6gW3Fg8', 'user.screen_name': 'Chazmaspaz'}, {'created_at': 'Sun Feb 11 23:15:47 +0000 2018', 'id': 962827534298628096, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'Vammen2'}, {'created_at': 'Sun Feb 11 23:15:47 +0000 2018', 'id': 962827534198067200, 'text': 'RT @Fuctupmind: Pretty much everyone knew about the Steele Dossier.\n\nThe entire Obama admin.\nSid Blumenthal.\nHillary Clinton.\nLoretta Lynch…', 'user.screen_name': 'Dimplenut'}, {'created_at': 'Sun Feb 11 23:15:47 +0000 2018', 'id': 962827533791014912, 'text': 'RT @SoCoolUSA: It seems Holder and OBama and Kerry thinking aiding terrorists and enemies of the US is okay. I call it treason. https://t…', 'user.screen_name': 'TinaWest123321'}, {'created_at': 'Sun Feb 11 23:15:47 +0000 2018', 'id': 962827533371797504, 'text': 'RT @KaniJJackson: This is just your daily reminder that Barack Obama did not have 1 scandal or allegation against him during his time in th…', 'user.screen_name': 'diaz_suzanneX'}, {'created_at': 'Sun Feb 11 23:15:46 +0000 2018', 'id': 962827532897841154, 'text': 'RT @NewtTrump: Newt Gingrich: "Let me just point out how sick the elite media is — they report all that as though it’s something bad about…', 'user.screen_name': 'circumspectus'}, {'created_at': 'Sun Feb 11 23:15:46 +0000 2018', 'id': 962827532109262848, 'text': "@Education4Libs Don't forget Obama meeting a chick that eats cereal out of the bathtub.", 'user.screen_name': 'LOLatSJWs'}, {'created_at': 'Sun Feb 11 23:15:46 +0000 2018', 'id': 962827531903815681, 'text': '"Instant Justice: After G W Bush & Obama Teamed Up to Attack Trump, Fox Host Leaked Their Worst Nightmare" https://t.co/KbExiSstJD', 'user.screen_name': 'TrumpNewsz'}, {'created_at': 'Sun Feb 11 23:15:46 +0000 2018', 'id': 962827530846769155, 'text': 'RT @Bakari_Sellers: Fox News viewers believe its Obama’s fault Rob Porter beat his wives. https://t.co/5y8wPzWLOu', 'user.screen_name': 'JeffMisterWhite'}, {'created_at': 'Sun Feb 11 23:15:46 +0000 2018', 'id': 962827530834186242, 'text': 'RT @qz: Hip-hop painter Kehinde Wiley’s portrait of Barack Obama will be unveiled tomorrow https://t.co/8wCPxkTX78', 'user.screen_name': 'zakouts84'}, {'created_at': 'Sun Feb 11 23:15:45 +0000 2018', 'id': 962827528095219713, 'text': 'RT @YugeCrowd: Trump speaking about Putin:\n\n"I do have a relationship with him"\n\n"He\'s done a brilliant job"\n\nOn Putin\'s leadership:\n\n"Some…', 'user.screen_name': 'TheMadWhitaker'}, {'created_at': 'Sun Feb 11 23:15:45 +0000 2018', 'id': 962827528066002946, 'text': "#Comey's court declaration may lead to #Obama & #ObamaGate\nComey must clear himself - and everyone - of suspicion t… https://t.co/0ANp5FOp42", 'user.screen_name': 'LanceSilver1'}, {'created_at': 'Sun Feb 11 23:15:45 +0000 2018', 'id': 962827526816108547, 'text': 'RT @sdc0911: \ud83d\udd25Clinton and Obama\ud83d\udd25Two people’s \ud83d\ude21NAMES\ud83d\ude21 that are ENOUGH❌❌TO PISS YOU OFF‼️\ud83d\ude21#LockThemUp\ud83d\udca5#ClintonCrimeFamily \ud83d\udca5#ObamaGateExposed…', 'user.screen_name': 'tkearney922'}, {'created_at': 'Sun Feb 11 23:15:45 +0000 2018', 'id': 962827526170128386, 'text': 'RT @renato_mariotti: President Obama created DACA because Republicans blocked the Dream Act. Trump ended DACA on his own—don’t let him get…', 'user.screen_name': '8ayonetta'}, {'created_at': 'Sun Feb 11 23:15:45 +0000 2018', 'id': 962827525226340353, 'text': '@realDonaldTrump when are you going to Fix education? The system is corrupted with Obama era liberal & self entitle… https://t.co/IEF5Rpehjm', 'user.screen_name': 'voltagerisk'}, {'created_at': 'Sun Feb 11 23:15:45 +0000 2018', 'id': 962827525146759168, 'text': 'RT @hectormorenco: Obama’s Iran Deal was such a ridiculous and amateur attempt at foreign policy. He gave billions in cash and nuclear weap…', 'user.screen_name': 'pepper10001'}, {'created_at': 'Sun Feb 11 23:15:44 +0000 2018', 'id': 962827524630827014, 'text': 'RT @treasonstickers: Multiple people have taken plea deals in Mueller’s investigation\n\n\ud83d\udc47\n\nMueller would only approve a plea deal for a witn…', 'user.screen_name': 'b_l_edwards'}, {'created_at': 'Sun Feb 11 23:15:44 +0000 2018', 'id': 962827523775221760, 'text': 'RT @JimKuther: JUST IN: Police Searching for Obama DREAMer Accused of Brutal Murder https://t.co/FAmqybSgBn via @truthfeednews', 'user.screen_name': 'carlislecockato'}, {'created_at': 'Sun Feb 11 23:15:44 +0000 2018', 'id': 962827522751811585, 'text': 'RT @Chicago1Ray: " You, me... we own this Country. Politicians are employees of ours. And when somebody doesn\'t do the Job, We gotta let \'e…', 'user.screen_name': 'acom5sm'}, {'created_at': 'Sun Feb 11 23:15:44 +0000 2018', 'id': 962827521346756608, 'text': '“True democracy is a project that’s much bigger than any one of us. It’s bigger than any one person, any one presid… https://t.co/35NzyKVx0I', 'user.screen_name': 'PattiLaRue'}, {'created_at': 'Sun Feb 11 23:15:44 +0000 2018', 'id': 962827520797265926, 'text': 'RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,…', 'user.screen_name': 'kOCarter2016'}, {'created_at': 'Sun Feb 11 23:15:43 +0000 2018', 'id': 962827520214093824, 'text': 'Tom Del Beccaro: All Corrupt DOJ and FBI Roads Lead to Obama https://t.co/JxPNVW1yWp via @BreitbartNews', 'user.screen_name': 'yoly4Trump'}, {'created_at': 'Sun Feb 11 23:15:43 +0000 2018', 'id': 962827518955831296, 'text': 'RT @oxminaox: Snapchat didn’t suck while Obama was in office... just saying', 'user.screen_name': 'ryannsinclaire'}, {'created_at': 'Sun Feb 11 23:15:43 +0000 2018', 'id': 962827518322663424, 'text': 'RT @RobertIobbi: @CharlieDaniels Assets were spinning up within minutes. Obama gave the stand down order They were protecting their gun smu…', 'user.screen_name': 'HellyerE'}, {'created_at': 'Sun Feb 11 23:15:43 +0000 2018', 'id': 962827517353656321, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'DennisKulpa'}, {'created_at': 'Sun Feb 11 23:15:43 +0000 2018', 'id': 962827516439416833, 'text': 'RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader…', 'user.screen_name': 'YaReelDaddy'}, {'created_at': 'Sun Feb 11 23:15:42 +0000 2018', 'id': 962827514694586373, 'text': 'RT @Hoosiers1986: #FakeRelationshipFacts\n\nDEM voters are gullible fools!\n\nThey revere idiots like Obama, Schumer & Pelosi who COULD have pr…', 'user.screen_name': 'sissylou1'}, {'created_at': 'Sun Feb 11 23:15:42 +0000 2018', 'id': 962827514539380736, 'text': 'RT @RyanAFournier: Do you believe the Obama Administration improperly and illegally surveilled the Trump Campaign? #SHARE', 'user.screen_name': 'decadentbehavi1'}, {'created_at': 'Sun Feb 11 23:15:42 +0000 2018', 'id': 962827513499090949, 'text': 'RT @Bakari_Sellers: Fox News viewers believe its Obama’s fault Rob Porter beat his wives. https://t.co/5y8wPzWLOu', 'user.screen_name': 'javierroman3711'}, {'created_at': 'Sun Feb 11 23:15:41 +0000 2018', 'id': 962827510462537728, 'text': "RT @mike_Zollo: Obama's former Press Secretary @JayCarney, as well as the #FakeNews Media say Obama NEVER spoke about the #StockMarket when…", 'user.screen_name': 'DianneSteiner'}, {'created_at': 'Sun Feb 11 23:15:41 +0000 2018', 'id': 962827509170520064, 'text': 'RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove…', 'user.screen_name': 'Arise_Israel'}, {'created_at': 'Sun Feb 11 23:15:41 +0000 2018', 'id': 962827508969299969, 'text': 'RT @tonyposnanski: Trump believes in due process except for...\n\n- Kenyan born Obama\n- Crooked Hillary\n- FBI\n- Anyone in the media who doesn…', 'user.screen_name': 'miightymiighty'}, {'created_at': 'Sun Feb 11 23:15:40 +0000 2018', 'id': 962827505781665797, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'lindamarlow4'}, {'created_at': 'Sun Feb 11 23:15:40 +0000 2018', 'id': 962827505588736000, 'text': "RT @rmasher2: Funny. I don't recall President Obama being called to testify before a Special Counsel/Grand Jury looking into possible crimi…", 'user.screen_name': 'AugustLady241'}, {'created_at': 'Sun Feb 11 23:15:40 +0000 2018', 'id': 962827503885848576, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'VetforP'}, {'created_at': 'Sun Feb 11 23:15:39 +0000 2018', 'id': 962827502640132098, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'jaded5643'}, {'created_at': 'Sun Feb 11 23:15:39 +0000 2018', 'id': 962827502543515648, 'text': 'Poll: Most Americans believe former President Barack Obama wiretapped the Trump administration & want a special pro… https://t.co/cyFWAfA7lf', 'user.screen_name': 'd_notices'}, {'created_at': 'Sun Feb 11 23:15:39 +0000 2018', 'id': 962827501599936514, 'text': 'RT @DeborahDiltz: @MarthaG45242469 @MonumentsForUSA @realDonaldTrump @SecretaryZinke Obama named 33 huge areas of US National Monuments. N…', 'user.screen_name': 'DebRourke4'}, {'created_at': 'Sun Feb 11 23:15:39 +0000 2018', 'id': 962827500123500544, 'text': "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.…", 'user.screen_name': 'Cass_I_Nova'}, {'created_at': 'Sun Feb 11 23:15:38 +0000 2018', 'id': 962827498773012480, 'text': '@wi11iedigital @JudgeJudyPovich @kylegriffin1 Yes and my grandpa use to wear red boxers, and we had a moonlight 3 d… https://t.co/Tpwc23iHcT', 'user.screen_name': 'needimpeachment'}, {'created_at': 'Sun Feb 11 23:15:38 +0000 2018', 'id': 962827497598541826, 'text': 'RT @johncusack: You wanna play ? Answer- look up Obama’s war on constitution - interview I did - check out @FreedomofPress I’m on the bo…', 'user.screen_name': 'butterflyann'}, {'created_at': 'Sun Feb 11 23:15:38 +0000 2018', 'id': 962827496495374336, 'text': 'RT @11S_L_2016_Cat: What deluded Upside Down world do you live in? You sent him a memo YOU knew could not be released. The louder you prote…', 'user.screen_name': 'ElisAmerica1'}, {'created_at': 'Sun Feb 11 23:15:38 +0000 2018', 'id': 962827496361267200, 'text': '@chelseahandler Yes Obama’s supports the left. Weinstein’s actions are ok by you guys', 'user.screen_name': '10th_03blacksvt'}, {'created_at': 'Sun Feb 11 23:15:38 +0000 2018', 'id': 962827496319344641, 'text': 'RT @edgecrusher23: DEA Agent Notices $200,000,000 in Cars Being Shipped into South Africa by Obama Admin. as Drug Money flows to American B…', 'user.screen_name': 'JonnybeHood'}, {'created_at': 'Sun Feb 11 23:15:38 +0000 2018', 'id': 962827495438475265, 'text': 'RT @DropTha_Mic25: @PoliticalShort It even began before Crowdstrike was hanging out with John Carlin, Hillary henchmen, Obama wingmen & GCH…', 'user.screen_name': 'see_jl'}, {'created_at': 'Sun Feb 11 23:15:37 +0000 2018', 'id': 962827495203659776, 'text': 'RT @JessieJaneDuff: DHS official & former Obama ambassador James Nealon resigned, upset recommendations to extend “temporary protected stat…', 'user.screen_name': 'JNG1925'}, {'created_at': 'Sun Feb 11 23:15:37 +0000 2018', 'id': 962827494931030023, 'text': '@dlreddy14051 @honeysiota @Scaramucci Hussein turned the federal government into a corrupt, Chicago-style machine,… https://t.co/ovLV8yelHL', 'user.screen_name': 'SandyWocs'}, {'created_at': 'Sun Feb 11 23:15:37 +0000 2018', 'id': 962827492892360704, 'text': 'RT @eschaz12: @rich752913078 @lehimesa 2 years ago all my protests were tagged 2 Obama & his horse killer Secretary of the Interior #KenSal…', 'user.screen_name': 'lehimesa'}, {'created_at': 'Sun Feb 11 23:15:37 +0000 2018', 'id': 962827492280164353, 'text': 'RT @TheNYevening: Sylvester Stallone: ‘Pathetic’ Obama Is ‘Closet Homosexual Living A Lie’ https://t.co/FbeFN3Fu3N https://t.co/FJDWQ0HS8X', 'user.screen_name': 'Imlacerci'}, {'created_at': 'Sun Feb 11 23:15:37 +0000 2018', 'id': 962827491500089344, 'text': 'RT @TomFitton: The American people should be able to see for themselves the FISA court docs on how Obama admin used Clinton document to mis…', 'user.screen_name': 'Najum13'}, {'created_at': 'Sun Feb 11 23:15:36 +0000 2018', 'id': 962827488899473408, 'text': "RT @NinoCutraro: She say do you love me, I tell her only partly, I only love my bed and Obama, I'm sorry. https://t.co/6Pc1fsg8jn", 'user.screen_name': 'Cinnamon_daddy'}, {'created_at': 'Sun Feb 11 23:15:36 +0000 2018', 'id': 962827486986895362, 'text': 'RT @LBCINDAHOUSE: @HandofGOD7 George Soros is a financial terrorist, and a forked tongue lizard who said: "the culmination of my life\'s wor…', 'user.screen_name': 'spurs4eva1965'}, {'created_at': 'Sun Feb 11 23:15:35 +0000 2018', 'id': 962827484898131968, 'text': 'RT @GStuedler: Budget-busting deal shows that Barack Obama was much better at business than Trump https://t.co/DaC4HutnHh', 'user.screen_name': 'LeAnnLawson15'}, {'created_at': 'Sun Feb 11 23:15:35 +0000 2018', 'id': 962827484118077440, 'text': 'RT @UnitedWeStandDT: @AMErikaNGIRLBOT @realDonaldTrump @DonaldJTrumpJr The only time I have ever agreed with @BarackObama…', 'user.screen_name': 'juliegw613'}, {'created_at': 'Sun Feb 11 23:15:35 +0000 2018', 'id': 962827483807735808, 'text': "RT @JudicialWatch: As part of our effort to hold Mueller's investigation accountable, JW uncovered docs showing top DOJ officials including…", 'user.screen_name': 'Beck38094740'}, {'created_at': 'Sun Feb 11 23:15:34 +0000 2018', 'id': 962827479265128448, 'text': "@AynRandPaulRyan Just can't stop blaming every Trump screw up on Obama or Hillary. Come take ownership when your gu… https://t.co/SeBEpg8hDj", 'user.screen_name': 'Leafsbh'}, {'created_at': 'Sun Feb 11 23:15:33 +0000 2018', 'id': 962827478313132032, 'text': 'RT @JessieJaneDuff: DHS official & former Obama ambassador James Nealon resigned, upset recommendations to extend “temporary protected stat…', 'user.screen_name': 'LibertysCall45'}, {'created_at': 'Sun Feb 11 23:15:33 +0000 2018', 'id': 962827477822394369, 'text': "RT @WilDonnelly: Rajesh De, who served as top lawyer at the NSA, and also in Porter's job in Obama WH, says he was exposed to much more sen…", 'user.screen_name': 'mvanderKist'}, {'created_at': 'Sun Feb 11 23:15:33 +0000 2018', 'id': 962827476677341184, 'text': 'RT @SebGorka: The UNMASKING Scandal will prove to be much bigger than FISAGate or Watergate combined. \n\nTime to just call it what it is:…', 'user.screen_name': 'RainerMcDermott'}, {'created_at': 'Sun Feb 11 23:15:33 +0000 2018', 'id': 962827476497059843, 'text': "RT @TheTrumpLady: BREAKING: FBI Informant Just Flipped on Obama in Uranium One Testimony. Obama's House of Cards Is Starting To Tumble In T…", 'user.screen_name': 'koaga7'}, {'created_at': 'Sun Feb 11 23:15:33 +0000 2018', 'id': 962827475729375232, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'mrmatt408'}, {'created_at': 'Sun Feb 11 23:15:32 +0000 2018', 'id': 962827473409880064, 'text': "RT @jtwigg52: @sam_doucette @kelly4NC Just curious. Do you feel that Trumps executive orders are just as illegal as President Obama's were,…", 'user.screen_name': 'pookietooth'}, {'created_at': 'Sun Feb 11 23:15:32 +0000 2018', 'id': 962827472160088065, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'Warhead85Ben'}, {'created_at': 'Sun Feb 11 23:15:32 +0000 2018', 'id': 962827470603997184, 'text': 'RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove…', 'user.screen_name': 'JohnRealSmith'}, {'created_at': 'Sun Feb 11 23:15:31 +0000 2018', 'id': 962827469781807104, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'Alpha_Lady1'}, {'created_at': 'Sun Feb 11 23:15:31 +0000 2018', 'id': 962827469345636352, 'text': 'Obama Official: I Passed Clinton Lies to Steele That Were Used Against Trump https://t.co/JZWF387sNz', 'user.screen_name': 'Lanchr4'}, {'created_at': 'Sun Feb 11 23:15:31 +0000 2018', 'id': 962827467575578624, 'text': "Next week she'll blame Obama for beating Porter's wife and framing Porter. https://t.co/AR1X66TgDJ", 'user.screen_name': 'FakeArtCritic'}, {'created_at': 'Sun Feb 11 23:15:30 +0000 2018', 'id': 962827465541419008, 'text': '@MikaelaSkyeSays @Shoq His recent tweets are about him trying to get MAGA people to admit even one thing they disag… https://t.co/jGg7fNJSMK', 'user.screen_name': 'KubeJ9'}, {'created_at': 'Sun Feb 11 23:15:30 +0000 2018', 'id': 962827465512058882, 'text': "RT @PimpingPolitics: @JerylBier AND wherever you find @LouisFarrakhan, you're gonna find #Muslims & @BarackObama engaging with @scientology…", 'user.screen_name': 'PimpingPolitics'}, {'created_at': 'Sun Feb 11 23:15:29 +0000 2018', 'id': 962827461430882305, 'text': 'RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove…', 'user.screen_name': 'tree165r'}, {'created_at': 'Sun Feb 11 23:15:29 +0000 2018', 'id': 962827460197875712, 'text': 'RT @BillPeriman: @TomAdams9999 @MyReaume @jcdwms @sholzbee @USAlivestrong @Peggyha85570471 @blove65 @mommydean74 @Tierrah46 @yjon97 @thetoy…', 'user.screen_name': 'MclaneScott'}, {'created_at': 'Sun Feb 11 23:15:29 +0000 2018', 'id': 962827459879194624, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'sgenie'}, {'created_at': 'Sun Feb 11 23:15:29 +0000 2018', 'id': 962827458126012417, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'JamesJo76415286'}, {'created_at': 'Sun Feb 11 23:15:29 +0000 2018', 'id': 962827458029420549, 'text': 'RT @BennytheKite: @brandona5811 @ObozoLies Thank you for following me.\n\nWhat a shame that #WheresBarack is sill missing. A photo of him wi…', 'user.screen_name': 'ObozoLies'}, {'created_at': 'Sun Feb 11 23:15:29 +0000 2018', 'id': 962827457647673344, 'text': 'RT @aligiarc: Real criminality by BHO is lying in PLAIN SIGHT. Epic corruption purposely ignored by self-proclaimed arbiters of truth in MS…', 'user.screen_name': 'yoly4Trump'}, {'created_at': 'Sun Feb 11 23:15:28 +0000 2018', 'id': 962827456888569857, 'text': 'RT @JudicialWatch: Reminder: JW found evidence showing Obama State Dept under John Kerry sent its own "dossier" of classified info on Russi…', 'user.screen_name': 'cyndi_obrion'}, {'created_at': 'Sun Feb 11 23:15:28 +0000 2018', 'id': 962827455403786245, 'text': "RT @WilDonnelly: Rajesh De, who served as top lawyer at the NSA, and also in Porter's job in Obama WH, says he was exposed to much more sen…", 'user.screen_name': 'cecilia45301471'}, {'created_at': 'Sun Feb 11 23:15:28 +0000 2018', 'id': 962827455076716545, 'text': 'RT @cathibrgnr58: @LoriJac47135906 @SandraTXAS @ClintonM614 @LVNancy @JVER1 @Hoosiers1986 @GrizzleMeister @GaetaSusan @baalter @On_The_Hook…', 'user.screen_name': 'Chriskl70208387'}, {'created_at': 'Sun Feb 11 23:15:28 +0000 2018', 'id': 962827454904766464, 'text': "@TomFitton @JudicialWatch @realDonaldTrump obama's 3000 days of repugnant jihadist tyranny, we haven't seen this le… https://t.co/L5cskkj8tp", 'user.screen_name': 'americanpro1'}, {'created_at': 'Sun Feb 11 23:15:28 +0000 2018', 'id': 962827453822586887, 'text': '@MaudlinTown Truer words were never spoken. I have always been apprehensive about President Trump’s manner and word… https://t.co/uSlvTT9tF6', 'user.screen_name': 'tediph'}, {'created_at': 'Sun Feb 11 23:15:27 +0000 2018', 'id': 962827451595288576, 'text': 'RT @_David_Edward: The worst part about this outrage bait is the fact that literally nobody is ignoring North Korea. Well, except maybe Oba…', 'user.screen_name': 'mooshakins'}, {'created_at': 'Sun Feb 11 23:15:27 +0000 2018', 'id': 962827450462879744, 'text': "@islandmama0105 @WayneDupreeShow @GOP I'm neither lib or conservative I'm about the truth. Yes Obama took a pic wit… https://t.co/7z7J4nQ8Hn", 'user.screen_name': 'Bdwal359'}, {'created_at': 'Sun Feb 11 23:15:27 +0000 2018', 'id': 962827450123104257, 'text': 'RT @MrFutbol: A Day at Svasvar with the Trumps https://t.co/xy0f8MZkHv', 'user.screen_name': 'MrFutbol'}, {'created_at': 'Sun Feb 11 23:15:27 +0000 2018', 'id': 962827449946972160, 'text': 'RT @JessieJaneDuff: DHS official & former Obama ambassador James Nealon resigned, upset recommendations to extend “temporary protected stat…', 'user.screen_name': 'PeggySizemore1'}, {'created_at': 'Sun Feb 11 23:15:26 +0000 2018', 'id': 962827448890089473, 'text': 'RT @TomFitton: The American people should be able to see for themselves the FISA court docs on how Obama admin used Clinton document to mis…', 'user.screen_name': 'LoriHasso'}, {'created_at': 'Sun Feb 11 23:15:26 +0000 2018', 'id': 962827448642621440, 'text': 'RT @chuckwoolery: CONFIRMED: Cash from Obama’s $1.7 Billion Ransom Payment to Iran Traced to Terrorist Groups (VIDEO) https://t.co/iXgrFQyw…', 'user.screen_name': 'AlliSheKnows'}, {'created_at': 'Sun Feb 11 23:15:26 +0000 2018', 'id': 962827446989946880, 'text': 'RT @renato_mariotti: President Obama created DACA because Republicans blocked the Dream Act. Trump ended DACA on his own—don’t let him get…', 'user.screen_name': 'iandjardine'}, {'created_at': 'Sun Feb 11 23:15:26 +0000 2018', 'id': 962827445693906945, 'text': "RT @FiveRights: Obama State Dept Official Jonathan Winer:\nI took opposition research from Hillary's best friend, Sid Blumenthal, and fed it…", 'user.screen_name': '177618122016USA'}, {'created_at': 'Sun Feb 11 23:15:26 +0000 2018', 'id': 962827445685702656, 'text': 'RT @Chicago1Ray: " You, me... we own this Country. Politicians are employees of ours. And when somebody doesn\'t do the Job, We gotta let \'e…', 'user.screen_name': 'Marla68983234'}, {'created_at': 'Sun Feb 11 23:15:25 +0000 2018', 'id': 962827444905480192, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'TNbabyboomer'}, {'created_at': 'Sun Feb 11 23:15:25 +0000 2018', 'id': 962827443143766017, 'text': 'RT @GaitaudCons: Another 1st ! Barack Obama has been eerily silent, now exposed that this is not just a federal offense, but also it can le…', 'user.screen_name': 'schmuckal51'}, {'created_at': 'Sun Feb 11 23:15:24 +0000 2018', 'id': 962827439704629248, 'text': 'RT @JudicialWatch: Reminder: JW found evidence showing Obama State Dept under John Kerry sent its own "dossier" of classified info on Russi…', 'user.screen_name': 'joeycanoli62'}, {'created_at': 'Sun Feb 11 23:15:24 +0000 2018', 'id': 962827438232297472, 'text': 'RT @wraithwrites: @hotfunkytown @DineshDSouza Obama failed at everything he did. Why should this be any different? Corrupt FBI & DOJ agents…', 'user.screen_name': 'SiewTng'}, {'created_at': 'Sun Feb 11 23:15:23 +0000 2018', 'id': 962827436126765057, 'text': 'RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary’s campaign assisted in the effort\n-Russians assisted the Hi…', 'user.screen_name': 'Aledajane'}, {'created_at': 'Sun Feb 11 23:15:23 +0000 2018', 'id': 962827435560570880, 'text': 'RT @JudicialWatch: Reminder: JW found evidence showing Obama State Dept under John Kerry sent its own "dossier" of classified info on Russi…', 'user.screen_name': 'brendakae42'}, {'created_at': 'Sun Feb 11 23:15:23 +0000 2018', 'id': 962827434658758657, 'text': 'RT @brianklaas: Man who called to execute Central Park 5 & insisted they were guilty after DNA evidence proved their innocence; spread birt…', 'user.screen_name': 'siegel_nancy'}, {'created_at': 'Sun Feb 11 23:15:23 +0000 2018', 'id': 962827433371164673, 'text': "@JerylBier AND wherever you find @LouisFarrakhan, you're gonna find #Muslims & @BarackObama engaging with… https://t.co/xynpCUGrhs", 'user.screen_name': 'PimpingPolitics'}, {'created_at': 'Sun Feb 11 23:15:22 +0000 2018', 'id': 962827430972084225, 'text': 'RT @joncoopertweets: Sure, @realDonaldTrump is a lying, corrupt, racist, traitorous imbecile who defends white supremacists, Nazis, wife be…', 'user.screen_name': 'Yates4Prez'}, {'created_at': 'Sun Feb 11 23:15:22 +0000 2018', 'id': 962827429210411008, 'text': 'RT @Logic_Triumphs: ⭐⭐⭐⭐⭐\nBarack Obama has 99.7 million followers.\nIt would kill Donald Trump if Obama hit 100 million. Whatever you do do…', 'user.screen_name': 'lamadness123'}, {'created_at': 'Sun Feb 11 23:15:22 +0000 2018', 'id': 962827428899979264, 'text': 'RT @KaniJJackson: This is just your daily reminder that Barack Obama did not have 1 scandal or allegation against him during his time in th…', 'user.screen_name': 'Bill_Canter'}, {'created_at': 'Sun Feb 11 23:15:21 +0000 2018', 'id': 962827427880738817, 'text': 'Why Sasha Obama Why Expose Yourself #Why2Me', 'user.screen_name': 'Gwiz24'}, {'created_at': 'Sun Feb 11 23:15:21 +0000 2018', 'id': 962827426928750592, 'text': '@Indyria57Maria @SusResister @POTUS44 That picture and thinking of what it said to me, made me cry tears of joy thi… https://t.co/SfZ3wX7Pvv', 'user.screen_name': 'mydogsmom315'}, {'created_at': 'Sun Feb 11 23:15:21 +0000 2018', 'id': 962827425259446272, 'text': '@Abnsojer1970 @FoxNews @foxandfriends @Franklin_Graham @realDonaldTrump Give some examples of Clinton and Obama sco… https://t.co/ur420flAOo', 'user.screen_name': 'Reini25'}, {'created_at': 'Sun Feb 11 23:15:21 +0000 2018', 'id': 962827424051417088, 'text': 'RT @brianklaas: You falsely alleged that Ted Cruz’s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos…', 'user.screen_name': 'Yvyraiju'}, {'created_at': 'Sun Feb 11 23:15:20 +0000 2018', 'id': 962827423866814465, 'text': 'Most Think Obama White House Spied On Trump Campaign, Want Special Counsel: IBD/TIPP Poll https://t.co/5jq53vtMS3 -\n @IBDeditorials', 'user.screen_name': 'SMcK17'}, {'created_at': 'Sun Feb 11 23:15:20 +0000 2018', 'id': 962827422855933952, 'text': 'RT @EdKrassen: If Jeanine Pirro can blame Barack Obama for Rob Porter beating his wives, then I blame Jeanine Pirro for Donald Trump assaul…', 'user.screen_name': 'CatMamacat324'}, {'created_at': 'Sun Feb 11 23:15:20 +0000 2018', 'id': 962827421518106624, 'text': 'Another trusted scourge Jonathan Winer comes clean!TRUTH shows Obama, HRC, Dems House/Senate, FBI Director Comey, D… https://t.co/DmWKFyGXk9', 'user.screen_name': 'JonReynolds6'}, {'created_at': 'Sun Feb 11 23:15:20 +0000 2018', 'id': 962827421018984448, 'text': "RT @ElderLansing: I've taken on the Ex Resident Coward Obama, Jay Z , Oprah, Steph Curry, LeBron James, Poverty Pump Maxine Waters and the…", 'user.screen_name': 'SternsMarilyn'}, {'created_at': 'Sun Feb 11 23:15:20 +0000 2018', 'id': 962827420280619008, 'text': 'Obama State Dept. Official Admits Free-Flowing Exchange of Reports with Trump Dossier Author https://t.co/G4X08ifm3L.', 'user.screen_name': 'S10MD3141592ne'}, {'created_at': 'Sun Feb 11 23:15:19 +0000 2018', 'id': 962827417126612994, 'text': "@ontarioisproud same reason Obama weakened US military. Trudeau is 'the last hope for international liberal order'", 'user.screen_name': 'ThreadgoodIdgy'}, {'created_at': 'Sun Feb 11 23:15:19 +0000 2018', 'id': 962827416430243841, 'text': "RT @DearAuntCrabby: Trump promotes argument that he's been 'victimized' by Obama administration https://t.co/NY5a0e77YZ \n\nOh brother, what…", 'user.screen_name': 'Jorin_AZ_'}, {'created_at': 'Sun Feb 11 23:15:19 +0000 2018', 'id': 962827415910277120, 'text': 'RT @danwlin: TRUMP: False allegations are dangerous\n\nALSO TRUMP: Obama is a foreigner. Central Park Five are guilty. Rafael Cruz killed JFK…', 'user.screen_name': 'old_new_dad'}, {'created_at': 'Sun Feb 11 23:15:18 +0000 2018', 'id': 962827414547107841, 'text': "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.…", 'user.screen_name': 'Kaos_Vs_Control'}, {'created_at': 'Sun Feb 11 23:15:18 +0000 2018', 'id': 962827412668022784, 'text': 'If Edwin Jackson were Malia Obama, borders would be closed https://t.co/jdF0rJHtSQ', 'user.screen_name': 'res416'}, {'created_at': 'Sun Feb 11 23:15:18 +0000 2018', 'id': 962827412135432192, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'Janettegallag15'}, {'created_at': 'Sun Feb 11 23:15:17 +0000 2018', 'id': 962827409723572224, 'text': 'RT @FoxNews: .@TomFitton: "[@realDonaldTrump] has been victimized by the Obama Administration." https://t.co/z3Vn9KY1M3', 'user.screen_name': 'sweetpeach77'}, {'created_at': 'Sun Feb 11 23:15:17 +0000 2018', 'id': 962827408905732098, 'text': "@realDonaldTrump The Obama Admin has indeed victimized our great President! Can't wait to see justice done!", 'user.screen_name': 'LivingSmallNews'}, {'created_at': 'Sun Feb 11 23:15:17 +0000 2018', 'id': 962827407773364224, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'P0TUSTrump2020'}, {'created_at': 'Sun Feb 11 23:15:17 +0000 2018', 'id': 962827407659970560, 'text': 'RT @MRSSMH2: No, sweetie. No one sat on twitter defending Obama 24 hours a day the way Trump morons do. Look at yourselves. You’re still at…', 'user.screen_name': 'SylviaDonoghue3'}, {'created_at': 'Sun Feb 11 23:15:17 +0000 2018', 'id': 962827407253106688, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'jpatton05'}, {'created_at': 'Sun Feb 11 23:15:16 +0000 2018', 'id': 962827405915287552, 'text': "RT @ObozoLies: This treasonous bastard Obama should be arrested for Sedition and Espionage for allowing Iran to obtain America's most advan…", 'user.screen_name': 'ObozoLies'}, {'created_at': 'Sun Feb 11 23:15:16 +0000 2018', 'id': 962827405802004481, 'text': 'RT @KaniJJackson: This is just your daily reminder that Barack Obama did not have 1 scandal or allegation against him during his time in th…', 'user.screen_name': 'SpeckTara'}, {'created_at': 'Sun Feb 11 23:15:16 +0000 2018', 'id': 962827405311266817, 'text': 'RT @Thomas1774Paine: ICYMI + DNC Letter May Have Uncovered Obama Scheme to Have FBI Frame-Up Trump https://t.co/NFmEyprw8C', 'user.screen_name': 'JUSTSHEKEL'}, {'created_at': 'Sun Feb 11 23:15:16 +0000 2018', 'id': 962827403406884864, 'text': 'Truth\nhttps://t.co/FwJXbaqutT', 'user.screen_name': 'Dozingstocks'}, {'created_at': 'Sun Feb 11 23:15:15 +0000 2018', 'id': 962827402694021120, 'text': 'RT @SebGorka: The UNMASKING Scandal will prove to be much bigger than FISAGate or Watergate combined. \n\nTime to just call it what it is:…', 'user.screen_name': 'UzjetotuF'}, {'created_at': 'Sun Feb 11 23:15:15 +0000 2018', 'id': 962827400617889792, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'siesienna'}, {'created_at': 'Sun Feb 11 23:15:15 +0000 2018', 'id': 962827400336871426, 'text': 'RT @tonyposnanski: Trump believes in due process except for...\n\n- Kenyan born Obama\n- Crooked Hillary\n- FBI\n- Anyone in the media who doesn…', 'user.screen_name': 'mrboneheaddave'}, {'created_at': 'Sun Feb 11 23:15:15 +0000 2018', 'id': 962827399464337408, 'text': 'RT @KrisParonto: We also didn’t use the @FBI @CIA and @NSAGov to spy on @realDonaldTrump either.......isn’t that what you said to Chris Wal…', 'user.screen_name': 'sportschef'}, {'created_at': 'Sun Feb 11 23:15:15 +0000 2018', 'id': 962827399359533062, 'text': '@JasonJdphillips @Clark408 @realDonaldTrump Thanks Obama for setting that up.', 'user.screen_name': 'loum102'}, {'created_at': 'Sun Feb 11 23:15:15 +0000 2018', 'id': 962827398919188480, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'VetforP'}, {'created_at': 'Sun Feb 11 23:15:14 +0000 2018', 'id': 962827398310973443, 'text': 'RT @Hoosiers1986: #FakeRelationshipFacts\n\nDEM voters are gullible fools!\n\nThey revere idiots like Obama, Schumer & Pelosi who COULD have pr…', 'user.screen_name': 'DianeMDeath'}, {'created_at': 'Sun Feb 11 23:15:14 +0000 2018', 'id': 962827397753061377, 'text': 'This Week in Media Bias History: Journalist Excited Over Obama Sex Dreams... https://t.co/xnNTEUjfCF #NightmareFromHell #Nobama', 'user.screen_name': 'DragonForce_One'}, {'created_at': 'Sun Feb 11 23:15:14 +0000 2018', 'id': 962827395043540992, 'text': "RT @Imperator_Rex3: @DonaldJTrumpJr @KevinBooker212 I'm not. \n\nObama wanted to make Iran and Hezbollah stronger.\n\nThat's why Obama delivere…", 'user.screen_name': 'tonibfoster'}, {'created_at': 'Sun Feb 11 23:15:13 +0000 2018', 'id': 962827394464845832, 'text': "@KaniJJackson @radiochick841 \ud83d\ude22 miss the Obama's", 'user.screen_name': 'SpeckTara'}, {'created_at': 'Sun Feb 11 23:15:13 +0000 2018', 'id': 962827391537221632, 'text': '@thesmed1 @Nativemanley @corinnemcdevitt @SarahPalinUSA Obama is not in office..we are dealing with a serial liar n… https://t.co/LpTQghNP7b', 'user.screen_name': 'andyscandy10'}, {'created_at': 'Sun Feb 11 23:15:13 +0000 2018', 'id': 962827390522220545, 'text': 'RT @clivebushjd: Take a look what Democrats, Neocons & RINOs have done to America\n\nWe must #DeportDreamers #EndChainMigration & #BuildTheWa…', 'user.screen_name': 'Pug2016'}, {'created_at': 'Sun Feb 11 23:15:12 +0000 2018', 'id': 962827390106984450, 'text': 'RT @linda_lindylou: @NorthTXBlue @ChrisKosowski1 @DemWrite GO MOMS!! WE NEED EVERY ONE ON BOARD!! Be an ACTIVIST whever wnd however you can…', 'user.screen_name': 'ChrisKosowski1'}, {'created_at': 'Sun Feb 11 23:15:12 +0000 2018', 'id': 962827389498789889, 'text': "RT @FiveRights: .@CNN\nTwo huge stories broke this wk:\n1. Strzok & Page texts show Obama knew abt FBI's illegal spying on Trump & did nothin…", 'user.screen_name': 'bjdunniw001'}, {'created_at': 'Sun Feb 11 23:15:12 +0000 2018', 'id': 962827388764721158, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'DanaZim92427381'}, {'created_at': 'Sun Feb 11 23:15:12 +0000 2018', 'id': 962827388496293888, 'text': 'RT @ScottyBrain: "One day we will realize that the Barack Obama Presidency was the biggest fraud ever perpetrated on the American people."…', 'user.screen_name': 'CaseyPGAPro'}, {'created_at': 'Sun Feb 11 23:15:12 +0000 2018', 'id': 962827387963658241, 'text': 'RT @HrrEerrer: Maybe Kelly didn’t know because it didn’t happen. How many times did obama say he found out when a scandal hit the press? Be…', 'user.screen_name': 'TheRea1Hazelnut'}, {'created_at': 'Sun Feb 11 23:15:11 +0000 2018', 'id': 962827386122272768, 'text': '@DevinSavageOfcl @realDonaldTrump @DonaldJTrumpJr @JudgeJeanine @GovMikeHuckabee @seanhannity @SebGorka… https://t.co/0sf2Y5qT3P', 'user.screen_name': 'zackmantx'}, {'created_at': 'Sun Feb 11 23:15:11 +0000 2018', 'id': 962827383739994112, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'jillfahmyyahoo1'}, {'created_at': 'Sun Feb 11 23:15:11 +0000 2018', 'id': 962827383479861248, 'text': 'RT @RyanAFournier: Do you believe the Obama Administration improperly and illegally surveilled the Trump Campaign? #SHARE', 'user.screen_name': 'dalvis0921'}, {'created_at': 'Sun Feb 11 23:15:11 +0000 2018', 'id': 962827383135809537, 'text': 'RT @adamcbest: The Fox News playbook in a nutshell: When there’s absolutely, positively no way you can blame Hillary, some crackpot theory…', 'user.screen_name': 'PaulStewartII'}, {'created_at': 'Sun Feb 11 23:15:11 +0000 2018', 'id': 962827382297001984, 'text': 'RT @Joseph_B_James: @hotfunkytown @davidrodneyarch Obama is the epitome of fail.', 'user.screen_name': 'SiewTng'}, {'created_at': 'Sun Feb 11 23:15:10 +0000 2018', 'id': 962827380204228609, 'text': "'Democrats should be absolutely not confident in our ability to beat Donald Trump.' https://t.co/dBPx2xejdW", 'user.screen_name': 'PoliticsIsDirty'}, {'created_at': 'Sun Feb 11 23:15:10 +0000 2018', 'id': 962827379914788864, 'text': 'RT @RealMAGASteve: This bombshell report from the Senate Homeland Security Comm. IMPLICATES OBAMA in the #Obamagate scandal & Clinton email…', 'user.screen_name': 'yogagenie'}, {'created_at': 'Sun Feb 11 23:15:10 +0000 2018', 'id': 962827379197562880, 'text': 'Just watchin @MeetThePress...what a waste of an interview. Every time this adm brings up President Obama they shoul… https://t.co/VD0oiS95dt', 'user.screen_name': 'mommadigs'}, {'created_at': 'Sun Feb 11 23:15:10 +0000 2018', 'id': 962827378534899717, 'text': 'RT @omriceren: Obama Dec 2011, after Iran seized American UAV: "We\'ve asked for it back. We\'ll see how the Iranians respond" https://t.co/y…', 'user.screen_name': 'boomdudecom'}, {'created_at': 'Sun Feb 11 23:15:09 +0000 2018', 'id': 962827376865419264, 'text': 'RT @oxminaox: Snapchat didn’t suck while Obama was in office... just saying', 'user.screen_name': 'BiancaaAlyssaa'}, {'created_at': 'Sun Feb 11 23:15:09 +0000 2018', 'id': 962827374604816384, 'text': 'RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary’s campaign assisted in the effort\n-Russians assisted the Hi…', 'user.screen_name': 'mhand4159'}, {'created_at': 'Sun Feb 11 23:15:09 +0000 2018', 'id': 962827374587912192, 'text': 'RT @MRSSMH2: No, sweetie. No one sat on twitter defending Obama 24 hours a day the way Trump morons do. Look at yourselves. You’re still at…', 'user.screen_name': 'shaker0309'}, {'created_at': 'Sun Feb 11 23:15:09 +0000 2018', 'id': 962827374306963456, 'text': 'RT @Hoosiers1986: #FakeRelationshipFacts\n\nDEM voters are gullible fools!\n\nThey revere idiots like Obama, Schumer & Pelosi who COULD have pr…', 'user.screen_name': 'carlislecockato'}, {'created_at': 'Sun Feb 11 23:15:08 +0000 2018', 'id': 962827372830576641, 'text': '@realDonaldTrump @JohnKasich @WestervillePD So Sad. Black guy guns down 2 officers. Where is black lives matter. Oh… https://t.co/g1AzJeFYw9', 'user.screen_name': 'HDSG2013'}, {'created_at': 'Sun Feb 11 23:15:08 +0000 2018', 'id': 962827370565656576, 'text': '@RepAdamSchiff You are such an idiot. No more Obama and Hillary and you just can’t help yourself. You haven’t prov… https://t.co/CjL7vn47qe', 'user.screen_name': 'KarenGlasgow3'}, {'created_at': 'Sun Feb 11 23:15:08 +0000 2018', 'id': 962827370502803456, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'PattyxB'}, {'created_at': 'Sun Feb 11 23:15:07 +0000 2018', 'id': 962827366559985665, 'text': 'RT @TrumpBrat: ASTOUNDING 96% believe you, Bush41, are THE SWAMP‼️ in bed with Obama & terrorists‼️\n\nYOU LOSE! America is winning again w/P…', 'user.screen_name': 'Mykalbq'}, {'created_at': 'Sun Feb 11 23:15:07 +0000 2018', 'id': 962827366073622529, 'text': 'RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,…', 'user.screen_name': 'NancyCatalano6'}, {'created_at': 'Sun Feb 11 23:15:07 +0000 2018', 'id': 962827365511446529, 'text': 'RT @LouDobbs: Surveillance Abuse- @EdRollins: The Obama administration did not play by the rules. They thought Clinton would be the next pr…', 'user.screen_name': 'GateOfDemocracy'}, {'created_at': 'Sun Feb 11 23:15:06 +0000 2018', 'id': 962827362911096832, 'text': 'The left will likely attempt to commandeer this success as a leftover effect of the Obama presidency, but there... https://t.co/85JWVd02O7', 'user.screen_name': 'visiontoamerica'}, {'created_at': 'Sun Feb 11 23:15:06 +0000 2018', 'id': 962827362781024264, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'StaceyMaLaine'}, {'created_at': 'Sun Feb 11 23:15:05 +0000 2018', 'id': 962827359647883264, 'text': 'RT @peterjhasson: Obama was at that 2005 meeting and took a smiling picture with Farrakhan...Which the the caucus suppressed for 13 years t…', 'user.screen_name': 'txlady706'}, {'created_at': 'Sun Feb 11 23:15:05 +0000 2018', 'id': 962827359437996032, 'text': 'RT @brianklaas: You falsely alleged that Ted Cruz’s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos…', 'user.screen_name': '1jeffwest'}, {'created_at': 'Sun Feb 11 23:15:05 +0000 2018', 'id': 962827359052234752, 'text': 'RT @TheRISEofROD: The Day of Reckoning is coming for Dirty Dossier Dems/RINOs.\n\nIG Horowitz Report w/ over 1M pages of evidence to convict…', 'user.screen_name': 'unkSWestside'}, {'created_at': 'Sun Feb 11 23:15:05 +0000 2018', 'id': 962827358989443077, 'text': '@WatchChad Hear Ye!! Hear Ye! As usual #celebrity #liberals admiring now the #NorthKoreans a country who’s leaders… https://t.co/wPmub41GE0', 'user.screen_name': 'soniajanet27'}, {'created_at': 'Sun Feb 11 23:15:05 +0000 2018', 'id': 962827357286379520, 'text': "RT @GartrellLinda: Flashback: Obama Felt 'Patriotic Resentment' Towards Mexican Flag-Waving Illegal Supporters\nWhy is it a punishment to be…", 'user.screen_name': 'Arise_Israel'}, {'created_at': 'Sun Feb 11 23:15:05 +0000 2018', 'id': 962827357093580800, 'text': 'RT @OliverMcGee: Jumping the Aisle: How I became a Black Republican in the Age of Obama. Retweet to share with your friends https://t.co/XE…', 'user.screen_name': 'MaddoxMags'}, {'created_at': 'Sun Feb 11 23:15:04 +0000 2018', 'id': 962827355650777090, 'text': 'RT @Bakari_Sellers: Fox News viewers believe its Obama’s fault Rob Porter beat his wives. https://t.co/5y8wPzWLOu', 'user.screen_name': 'dnabarbera'}, {'created_at': 'Sun Feb 11 23:15:04 +0000 2018', 'id': 962827355570999298, 'text': 'RT @bbusa617: JUST IN: GEORGE W. BUSH In Abu Dhabi…TRASHES Trump, Embraces Illegals…Pushes Russian Meddling In 2016 US Elections https://t.…', 'user.screen_name': 'steadman_fl'}, {'created_at': 'Sun Feb 11 23:15:04 +0000 2018', 'id': 962827354773995520, 'text': 'RT @twpettyVeteran: Another “hit job” on President Trump. Had their beloved messiah, Obama, been treated in such a manner, the MSM would ha…', 'user.screen_name': 'ImmoralReport'}, {'created_at': 'Sun Feb 11 23:15:04 +0000 2018', 'id': 962827353343762432, 'text': 'RT @oxminaox: Snapchat didn’t suck while Obama was in office... just saying', 'user.screen_name': 'Ryan_Chriss'}, {'created_at': 'Sun Feb 11 23:15:03 +0000 2018', 'id': 962827352630800384, 'text': 'High level intelligence also continued as Crimea and sanctions were still recent events under Obama and, in 2017, t… https://t.co/QIafgU71Tb', 'user.screen_name': 'SRASorg'}, {'created_at': 'Sun Feb 11 23:15:03 +0000 2018', 'id': 962827351062171648, 'text': "@chuckwoolery THEY ARE ALL STILL WORKING FOR OBAMA'S 'I HAVE DREAM' MOMENT BY TRYING TO STEAL THE UNITED STATES IN… https://t.co/DfMhjSACnL", 'user.screen_name': 'uptheante99'}, {'created_at': 'Sun Feb 11 23:15:03 +0000 2018', 'id': 962827350864887808, 'text': 'RT @PamelaGeller: Obama provided Iran with stealth drone that penetrated Israel’s border https://t.co/pQqaiwDeSN https://t.co/rJuFUggwZl', 'user.screen_name': 'cali_dreamer12'}, {'created_at': 'Sun Feb 11 23:15:03 +0000 2018', 'id': 962827350781112321, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'JimP3737'}, {'created_at': 'Sun Feb 11 23:15:03 +0000 2018', 'id': 962827350449811456, 'text': 'RT @GartrellLinda: Obama Official Johnathan Winer: I Passed Clinton Lies to Steele That Were Used Against Trump Now the #ObamaGate scandal…', 'user.screen_name': 'franginter'}, {'created_at': 'Sun Feb 11 23:15:03 +0000 2018', 'id': 962827349933854727, 'text': 'RT @Brasilmagic: Jeanine Pirro needs a straight-jacket https://t.co/G4wzGBUJ0b', 'user.screen_name': 'lamadness123'}, {'created_at': 'Sun Feb 11 23:15:03 +0000 2018', 'id': 962827349220831233, 'text': 'RT @mikebloodworth: @JBitterly @realDonaldTrump Lol it never fails. Can’t defend Trump without bringing up Obama or a Clinton.', 'user.screen_name': 'JadeJensen29'}, {'created_at': 'Sun Feb 11 23:15:03 +0000 2018', 'id': 962827349095079937, 'text': 'RT @conserv_tribune: It\'s incredible how fast Obama\'s "legacy" is collapsing. https://t.co/q1fK0zCVsO', 'user.screen_name': 'm_mmilling'}, {'created_at': 'Sun Feb 11 23:15:03 +0000 2018', 'id': 962827348788858882, 'text': "RT @WEEI: Kevin Garnett, Rajon Rondo and Doc Rivers on hand for Paul Pierce's number retirement https://t.co/o7Mra8B1Gz", 'user.screen_name': 'Obama_FOS'}, {'created_at': 'Sun Feb 11 23:15:03 +0000 2018', 'id': 962827348709117952, 'text': 'Obama “Bureau” Delivers Millions To Supporters, No Oversight, Now Laptops Gone https://t.co/vVQprXv45L via @cdp-something', 'user.screen_name': 'Usnst4'}, {'created_at': 'Sun Feb 11 23:15:02 +0000 2018', 'id': 962827347681513477, 'text': '@Shouty_Dave @Puckberger @LifeZette @trumps_feed @POTUS And BTW, there are a lot more facts supporting Obama/Hillar… https://t.co/a75n9Sywlw', 'user.screen_name': 'jbowser74'}, {'created_at': 'Sun Feb 11 23:15:01 +0000 2018', 'id': 962827343319375877, 'text': 'RT @SassBaller: “You have the power to show our children that they matter!” \n\nMichelle Obama gave this inspirational speech at the 2018 Sch…', 'user.screen_name': 'olrockcandymtns'}, {'created_at': 'Sun Feb 11 23:15:01 +0000 2018', 'id': 962827340685377536, 'text': 'RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary’s campaign assisted in the effort\n-Russians assisted the Hi…', 'user.screen_name': 'alecserovic'}, {'created_at': 'Sun Feb 11 23:15:00 +0000 2018', 'id': 962827336260481024, 'text': '@ChrisCuomo Chris your network is fake. Obama administration spied on Trump. FACT\n\nYou called Trump a liar for that. CNN is pathetic.', 'user.screen_name': 'toddkazz'}, {'created_at': 'Sun Feb 11 23:14:59 +0000 2018', 'id': 962827332691136512, 'text': 'RT @EdKrassen: If Jeanine Pirro can blame Barack Obama for Rob Porter beating his wives, then I blame Jeanine Pirro for Donald Trump assaul…', 'user.screen_name': 'eeh230'}, {'created_at': 'Sun Feb 11 23:14:58 +0000 2018', 'id': 962827331529306112, 'text': 'RT @Imperator_Rex3: @PoliticalShort Steele gave the dossier to Hannigan, who passes it to Brennan, who then passed it to Obama & Comey.\n\nHe…', 'user.screen_name': 'see_jl'}, {'created_at': 'Sun Feb 11 23:14:58 +0000 2018', 'id': 962827330082271232, 'text': "@Legski0301 @HCiavotto @wildbez @DineshDSouza @dbongino @realDonaldTrump U don't know if you'll spend $500,000 of… https://t.co/f2yQ5M1JuR", 'user.screen_name': 'DennisLittle19'}, {'created_at': 'Sun Feb 11 23:14:58 +0000 2018', 'id': 962827328282943488, 'text': 'RT @nizmycuba: "Melania Trump Demanded Spiritual Cleansing of Obama & Clinton White House, Removal of Pagan and Demonic Idols." That’s a st…', 'user.screen_name': 'Imlacerci'}, {'created_at': 'Sun Feb 11 23:14:57 +0000 2018', 'id': 962827326550573056, 'text': 'RT @FiveRights: Laura Ingraham on Fox: Why did George W. Bush refuse to criticize Obama even when O screwed up badly but he often criticize…', 'user.screen_name': 'n1bbles'}, {'created_at': 'Sun Feb 11 23:14:57 +0000 2018', 'id': 962827325623566336, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'ckylecarter4'}, {'created_at': 'Sun Feb 11 23:14:57 +0000 2018', 'id': 962827325271191553, 'text': 'RT @oxminaox: Snapchat didn’t suck while Obama was in office... just saying', 'user.screen_name': 'donutsayit'}, {'created_at': 'Sun Feb 11 23:14:57 +0000 2018', 'id': 962827323719299073, 'text': '@blades_brad @MBach63 @Redpainter1 Maybe you missed Obama bringing us back from the brink of a major depression after Bush.', 'user.screen_name': 'AM_McCarthy'}, {'created_at': 'Sun Feb 11 23:14:56 +0000 2018', 'id': 962827323111329793, 'text': 'New FBI Text Messages Show Obama ‘Wants To Know Everything We’re Doing’\n\nREAD OUR STORY HERE… https://t.co/biwVstHLdw', 'user.screen_name': 'BluePillSheep'}, {'created_at': 'Sun Feb 11 23:14:56 +0000 2018', 'id': 962827322268172289, 'text': 'RT @GaitaudCons: Another 1st ! Barack Obama has been eerily silent, now exposed that this is not just a federal offense, but also it can le…', 'user.screen_name': 'elgomes15'}, {'created_at': 'Sun Feb 11 23:14:56 +0000 2018', 'id': 962827321404162053, 'text': "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.…", 'user.screen_name': '_raymondngo'}, {'created_at': 'Sun Feb 11 23:14:55 +0000 2018', 'id': 962827315364339714, 'text': '#UniteBlue, Obama bombed way more countries than Bush and sold twice the weapons to terrorist nations. Your corpor… https://t.co/ihvnNsAsBR', 'user.screen_name': 'TravisRuger'}, {'created_at': 'Sun Feb 11 23:14:55 +0000 2018', 'id': 962827315234459650, 'text': '@StopTrump2020 @lann111 @FoxNews I think the Wife Beater was there when Obama was President and both times HE was i… https://t.co/imODhkSddN', 'user.screen_name': 'Shadowcat22'}, {'created_at': 'Sun Feb 11 23:14:54 +0000 2018', 'id': 962827313669902336, 'text': '@horowitz39 More than we need. Obama really stuck it to us. His acolytes are still entrenched, but the veneer is wearing thin.', 'user.screen_name': 'gttbotl'}, {'created_at': 'Sun Feb 11 23:14:54 +0000 2018', 'id': 962827313305055232, 'text': 'RT @TheRISEofROD: The Day of Reckoning is coming for Dirty Dossier Dems/RINOs.\n\nIG Horowitz Report w/ over 1M pages of evidence to convict…', 'user.screen_name': 'txGirl4ever_'}, {'created_at': 'Sun Feb 11 23:14:54 +0000 2018', 'id': 962827312642363395, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'JPBENAVE'}, {'created_at': 'Sun Feb 11 23:14:54 +0000 2018', 'id': 962827312541528065, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'Vammen2'}, {'created_at': 'Sun Feb 11 23:14:54 +0000 2018', 'id': 962827310973030401, 'text': 'RT @BreeNewsome: Again, Obama faced such racist backlash that white America elected Trump to undo his presidency because no matter how much…', 'user.screen_name': 'musicalcure'}, {'created_at': 'Sun Feb 11 23:14:53 +0000 2018', 'id': 962827309718831104, 'text': '@kristianlaliber @ArthurSchwartz Do you call out the Iran and N.Korea regime? Or do you try to normalize them? Also… https://t.co/hrMmkjnoJm', 'user.screen_name': 'Indy4MAGA'}, {'created_at': 'Sun Feb 11 23:14:53 +0000 2018', 'id': 962827308980719616, 'text': 'RT @GrrrGraphics: "In the Head of Hillary" #BenGarrison #cartoon \nSomeone asked me why I draw so many #Obama & #Hillary cartoons. \nread mor…', 'user.screen_name': 'leewal'}, {'created_at': 'Sun Feb 11 23:14:53 +0000 2018', 'id': 962827308947202048, 'text': 'RT @JessieJaneDuff: DHS official & former Obama ambassador James Nealon resigned, upset recommendations to extend “temporary protected stat…', 'user.screen_name': 'Pal3Z'}, {'created_at': 'Sun Feb 11 23:14:53 +0000 2018', 'id': 962827308775149568, 'text': 'RT @JudicialWatch: Reminder: JW found evidence showing Obama State Dept under John Kerry sent its own "dossier" of classified info on Russi…', 'user.screen_name': 'chachalaca'}, {'created_at': 'Sun Feb 11 23:14:53 +0000 2018', 'id': 962827308749881344, 'text': 'RT @kylegriffin1: A comparison of the S&P 500 under Obama and Trump during the same period in their presidencies shows better performance u…', 'user.screen_name': 'KirkNason'}, {'created_at': 'Sun Feb 11 23:14:53 +0000 2018', 'id': 962827308527702017, 'text': 'RT @charliebearnix: @RepSwalwell I, for one would like to see that birth certificate again now that it’s a fact Obama is a 1st liar & trait…', 'user.screen_name': 'kachninja'}, {'created_at': 'Sun Feb 11 23:14:53 +0000 2018', 'id': 962827307630002176, 'text': 'RT @SebGorka: The UNMASKING Scandal will prove to be much bigger than FISAGate or Watergate combined. \n\nTime to just call it what it is:…', 'user.screen_name': 'TonyMerwin55'}, {'created_at': 'Sun Feb 11 23:14:53 +0000 2018', 'id': 962827307592372224, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'flymum'}, {'created_at': 'Sun Feb 11 23:14:53 +0000 2018', 'id': 962827307294523392, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'StaceyMaLaine'}, {'created_at': 'Sun Feb 11 23:14:52 +0000 2018', 'id': 962827306451513344, 'text': 'RT @joannperrone15: @RyanAFournier What happens to Obama because of this and all the rest of his cartel, including Hillary and her crew....…', 'user.screen_name': 'fearlessfoe1'}, {'created_at': 'Sun Feb 11 23:14:52 +0000 2018', 'id': 962827304547299328, 'text': 'RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,…', 'user.screen_name': 'Sundncefn'}, {'created_at': 'Sun Feb 11 23:14:51 +0000 2018', 'id': 962827298629144576, 'text': 'RT @Chicago1Ray: " You, me... we own this Country. Politicians are employees of ours. And when somebody doesn\'t do the Job, We gotta let \'e…', 'user.screen_name': 'RealPowerSlave'}, {'created_at': 'Sun Feb 11 23:14:50 +0000 2018', 'id': 962827296972386304, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'Too_Many_Leaks'}, {'created_at': 'Sun Feb 11 23:14:50 +0000 2018', 'id': 962827295781150720, 'text': '@thereallj915 I am digging civilian Obama, tho.', 'user.screen_name': 'ucruben'}, {'created_at': 'Sun Feb 11 23:14:50 +0000 2018', 'id': 962827294619312128, 'text': '@President1Trump @julieaallen1958 @MariaBartiromo @DevinNunes The guilty will not be prosecuted. Equal justice in… https://t.co/BaBhzy23Qu', 'user.screen_name': 'ljkoolone'}, {'created_at': 'Sun Feb 11 23:14:50 +0000 2018', 'id': 962827294317330432, 'text': 'RT @kylegriffin1: A comparison of the S&P 500 under Obama and Trump during the same period in their presidencies shows better performance u…', 'user.screen_name': 'RitaChmielCEO'}, {'created_at': 'Sun Feb 11 23:14:50 +0000 2018', 'id': 962827294266937345, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'Harper04138060'}, {'created_at': 'Sun Feb 11 23:14:49 +0000 2018', 'id': 962827292543279105, 'text': 'RT @krassenstein: The Trump Administrations has literally had more scandals in the last week than Obama had in his entire 8 years in office…', 'user.screen_name': 'SheralynDuncum'}, {'created_at': 'Sun Feb 11 23:14:48 +0000 2018', 'id': 962827289560928256, 'text': 'RT @RyanAFournier: Do you believe the Obama Administration improperly and illegally surveilled the Trump Campaign? #SHARE', 'user.screen_name': 'AshleyEdam'}, {'created_at': 'Sun Feb 11 23:14:48 +0000 2018', 'id': 962827286805450752, 'text': 'RT @RedWaveRising: #ObamaGate\n\n#SundayThoughts\n#BarackObama used classified intelligence leaks for political gain - https://t.co/tkba3Y498I…', 'user.screen_name': 'GaryWil59456334'}, {'created_at': 'Sun Feb 11 23:14:48 +0000 2018', 'id': 962827286348091392, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'MyPugGrumble'}, {'created_at': 'Sun Feb 11 23:14:48 +0000 2018', 'id': 962827286197174283, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'DannyNflfreak'}, {'created_at': 'Sun Feb 11 23:14:48 +0000 2018', 'id': 962827285710680065, 'text': '@thehill Oh give it up. Obama lied continually.', 'user.screen_name': 'Freebirdwraps'}, {'created_at': 'Sun Feb 11 23:14:47 +0000 2018', 'id': 962827284594831360, 'text': 'RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary’s campaign assisted in the effort\n-Russians assisted the Hi…', 'user.screen_name': 'DarekisGo'}, {'created_at': 'Sun Feb 11 23:14:47 +0000 2018', 'id': 962827284251054080, 'text': 'RT @JohnFromCranber: After 8 Yrs of Obama, US Teetered on The Abyss. The Damage Was Nearly Irreversible...But Now Trump, + a Chance to Und…', 'user.screen_name': 'larryqqueen'}, {'created_at': 'Sun Feb 11 23:14:46 +0000 2018', 'id': 962827279951908864, 'text': 'RT @JudicialWatch: Reminder: JW found evidence showing Obama State Dept under John Kerry sent its own "dossier" of classified info on Russi…', 'user.screen_name': 'JohnstonDennise'}, {'created_at': 'Sun Feb 11 23:14:46 +0000 2018', 'id': 962827278265831426, 'text': 'RT @oxminaox: Snapchat didn’t suck while Obama was in office... just saying', 'user.screen_name': 'daniellep703'}, {'created_at': 'Sun Feb 11 23:14:45 +0000 2018', 'id': 962827276713852928, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'nitsch_robert'}, {'created_at': 'Sun Feb 11 23:14:45 +0000 2018', 'id': 962827274813890561, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'kattywompas1'}, {'created_at': 'Sun Feb 11 23:14:45 +0000 2018', 'id': 962827274075680769, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'MezzoMoon'}, {'created_at': 'Sun Feb 11 23:14:45 +0000 2018', 'id': 962827273597603840, 'text': 'RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary’s campaign assisted in the effort\n-Russians assisted the Hi…', 'user.screen_name': 'ctsew377'}, {'created_at': 'Sun Feb 11 23:14:44 +0000 2018', 'id': 962827270762258432, 'text': "RT @claverackjac: \ud83e\udd14@realDonaldTrump \n\nThere is one thing trumpy is great at. In fact he's bigly great at it...\n\nLetting Americans know each…", 'user.screen_name': 'bagglo'}, {'created_at': 'Sun Feb 11 23:14:44 +0000 2018', 'id': 962827270703296512, 'text': 'RT @FoxNews: .@TomFitton: "[@realDonaldTrump] has been victimized by the Obama Administration." https://t.co/z3Vn9KY1M3', 'user.screen_name': 'Novella1_JJ'}, {'created_at': 'Sun Feb 11 23:14:44 +0000 2018', 'id': 962827269185077248, 'text': "RT @TranslateRealDT: In the “old days,” when it was still Obama's final fiscal year, the Stock Market would go up. Today, now that my tax p…", 'user.screen_name': 'Harlis_8'}, {'created_at': 'Sun Feb 11 23:14:43 +0000 2018', 'id': 962827267989786624, 'text': 'RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader…', 'user.screen_name': 'mjktinkell'}, {'created_at': 'Sun Feb 11 23:14:43 +0000 2018', 'id': 962827267469651968, 'text': 'RT @bfraser747: Is anyone actually surprised that Obama wanted to “know everything”?\n\nOf course he interfered with the Hillary investigatio…', 'user.screen_name': 'BrandonJLandry'}, {'created_at': 'Sun Feb 11 23:14:43 +0000 2018', 'id': 962827265175359489, 'text': 'Btw, Obama made health insurance mandatory & more expensive. Since when do we need the Govt to Determine our money… https://t.co/hqVpsrWGK0', 'user.screen_name': 'MMeomi4r'}, {'created_at': 'Sun Feb 11 23:14:42 +0000 2018', 'id': 962827263040544769, 'text': 'RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary’s campaign assisted in the effort\n-Russians assisted the Hi…', 'user.screen_name': 'n1bbles'}, {'created_at': 'Sun Feb 11 23:14:42 +0000 2018', 'id': 962827262981758977, 'text': 'RT @Hoosiers1986: #FakeRelationshipFacts\n\nDEM voters are gullible fools!\n\nThey revere idiots like Obama, Schumer & Pelosi who COULD have pr…', 'user.screen_name': 'WI4Palin'}, {'created_at': 'Sun Feb 11 23:14:41 +0000 2018', 'id': 962827259433373696, 'text': 'RT @paulbhb: "By my count, there are now at least 4 Obama/Clinton "get Trump" dossiers." https://t.co/8nRSog9KlZ', 'user.screen_name': 'Pearl33502007'}, {'created_at': 'Sun Feb 11 23:14:41 +0000 2018', 'id': 962827258921709568, 'text': '@cl822 @DavidCornDC My opinion? Combination of 9 years of glowing stories about him (“oh, he paints now!”) and Obam… https://t.co/3HQ5Vzj6pJ', 'user.screen_name': 'jasonbgray'}, {'created_at': 'Sun Feb 11 23:14:41 +0000 2018', 'id': 962827258678382597, 'text': 'RT @SebGorka: The UNMASKING Scandal will prove to be much bigger than FISAGate or Watergate combined. \n\nTime to just call it what it is:…', 'user.screen_name': 'MarioB80'}, {'created_at': 'Sun Feb 11 23:14:41 +0000 2018', 'id': 962827257239785472, 'text': 'RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove…', 'user.screen_name': 'Rollergirltx'}, {'created_at': 'Sun Feb 11 23:14:41 +0000 2018', 'id': 962827256732246016, 'text': 'RT @ConservaMomUSA: it’s #BlackHistoryMonth\xa0-so it’s only fitting 2point out that America’s 1st black president #Obama has been implicated…', 'user.screen_name': 'usaconcretetom'}, {'created_at': 'Sun Feb 11 23:14:40 +0000 2018', 'id': 962827255960387584, 'text': 'RT @SebGorka: The UNMASKING Scandal will prove to be much bigger than FISAGate or Watergate combined. \n\nTime to just call it what it is:…', 'user.screen_name': 'hankandmya12'}, {'created_at': 'Sun Feb 11 23:14:40 +0000 2018', 'id': 962827255327199233, 'text': 'RT @KatrinaPierson: BREAKING: It goes to the Top! Newly revealed text message between anti-Trump lovers Peter Strzok and Lisa Page appear t…', 'user.screen_name': 'Tresidential'}, {'created_at': 'Sun Feb 11 23:14:40 +0000 2018', 'id': 962827252978409472, 'text': 'RT @jaybeware: Mike Pence and the Trump regime (like the Obama regime before them) run more, bigger gulags, with a lot more people in them.…', 'user.screen_name': 'aloofwoofwoof'}, {'created_at': 'Sun Feb 11 23:14:40 +0000 2018', 'id': 962827252315586560, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'MobileMagnolia'}, {'created_at': 'Sun Feb 11 23:14:39 +0000 2018', 'id': 962827251770261505, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'pc325'}, {'created_at': 'Sun Feb 11 23:14:39 +0000 2018', 'id': 962827250763739137, 'text': 'RT @brianklaas: You falsely alleged that Ted Cruz’s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos…', 'user.screen_name': 'Zappatista'}, {'created_at': 'Sun Feb 11 23:14:39 +0000 2018', 'id': 962827249874587648, 'text': 'RT @FoxNews: .@TomFitton: "[@realDonaldTrump] has been victimized by the Obama Administration." https://t.co/z3Vn9KY1M3', 'user.screen_name': 'DanielNanle'}, {'created_at': 'Sun Feb 11 23:14:38 +0000 2018', 'id': 962827246892343296, 'text': 'RT @charliekirk11: Obama assuredly knew the Democrat party paid $160,000 for a fake dossier to get a memo to spy on Trump \n\nHillary paid fo…', 'user.screen_name': 'Terrawales'}, {'created_at': 'Sun Feb 11 23:14:38 +0000 2018', 'id': 962827246783275009, 'text': 'RT @kylegriffin1: A comparison of the S&P 500 under Obama and Trump during the same period in their presidencies shows better performance u…', 'user.screen_name': 'ronbeckner'}, {'created_at': 'Sun Feb 11 23:14:38 +0000 2018', 'id': 962827246145888256, 'text': "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.…", 'user.screen_name': 'lassekoskela'}, {'created_at': 'Sun Feb 11 23:14:38 +0000 2018', 'id': 962827246032502784, 'text': 'Republicans really that stupid to be claiming that Michelle Obama is a man? Lmao damn.', 'user.screen_name': 'alexxslappz'}, {'created_at': 'Sun Feb 11 23:14:38 +0000 2018', 'id': 962827245906612224, 'text': 'RT @tonyposnanski: Trump believes in due process except for...\n\n- Kenyan born Obama\n- Crooked Hillary\n- FBI\n- Anyone in the media who doesn…', 'user.screen_name': 'RitaMarietwo'}, {'created_at': 'Sun Feb 11 23:14:38 +0000 2018', 'id': 962827245038514178, 'text': 'RT @RedWaveRising: #ObamaGate\n\n#SundayThoughts\n#BarackObama used classified intelligence leaks for political gain - https://t.co/tkba3Y498I…', 'user.screen_name': 'Mannaleemer'}, {'created_at': 'Sun Feb 11 23:14:37 +0000 2018', 'id': 962827243549372417, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'GateOfDemocracy'}, {'created_at': 'Sun Feb 11 23:14:37 +0000 2018', 'id': 962827241770987520, 'text': "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.…", 'user.screen_name': 'Icebox74'}, {'created_at': 'Sun Feb 11 23:14:37 +0000 2018', 'id': 962827240466731008, 'text': 'RT @RyanAFournier: Do you believe the Obama Administration improperly and illegally surveilled the Trump Campaign? #SHARE', 'user.screen_name': 'The__Claud'}, {'created_at': 'Sun Feb 11 23:14:37 +0000 2018', 'id': 962827240131018752, 'text': 'RT @dave1234_david: @hotfunkytown @KNP2BP The only thing Obama has been consistent at is failure. #ObamaGate #MAGA', 'user.screen_name': 'SiewTng'}, {'created_at': 'Sun Feb 11 23:14:36 +0000 2018', 'id': 962827237639811078, 'text': 'RT @joncoopertweets: Sure, @realDonaldTrump is a lying, corrupt, racist, traitorous imbecile who defends white supremacists, Nazis, wife be…', 'user.screen_name': 'CelesteT333'}, {'created_at': 'Sun Feb 11 23:14:36 +0000 2018', 'id': 962827237098774528, 'text': 'RT @tjbpdb: How AWESOME Would it be, if when all said & done the proof is shown that Saint Obama, was in on the hole thing. J.Carter & R.Ni…', 'user.screen_name': 'beansforme2'}, {'created_at': 'Sun Feb 11 23:14:36 +0000 2018', 'id': 962827235307769857, 'text': 'Trump Sends Feds To Arrest Obama Appointed Judge - https://t.co/HBqVfa8YPG', 'user.screen_name': 'SUCCESSFULGGIRL'}, {'created_at': 'Sun Feb 11 23:14:35 +0000 2018', 'id': 962827235068661761, 'text': 'RT @RealMAGASteve: This bombshell report from the Senate Homeland Security Comm. IMPLICATES OBAMA in the #Obamagate scandal & Clinton email…', 'user.screen_name': 'jluke121'}, {'created_at': 'Sun Feb 11 23:14:35 +0000 2018', 'id': 962827233483161603, 'text': 'Barack Obama - https://t.co/2sNp15OF0K https://t.co/ccnrAg36sx', 'user.screen_name': 'treasurestore5'}, {'created_at': 'Sun Feb 11 23:14:35 +0000 2018', 'id': 962827232090587136, 'text': 'RT @SebGorka: The UNMASKING Scandal will prove to be much bigger than FISAGate or Watergate combined. \n\nTime to just call it what it is:…', 'user.screen_name': 'MagnumJedi'}, {'created_at': 'Sun Feb 11 23:14:35 +0000 2018', 'id': 962827231650242560, 'text': 'RT @TruthFeedNews: ICYMI: Obama Official Admits Working With Close Clinton Friend to Take Down Trump! https://t.co/OxIn68e2sy #MAGA #TrumpT…', 'user.screen_name': 'cliff_shaw1'}, {'created_at': 'Sun Feb 11 23:14:35 +0000 2018', 'id': 962827231591653376, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'JessieJaneDuff'}, {'created_at': 'Sun Feb 11 23:14:35 +0000 2018', 'id': 962827231289659394, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'Rick_497'}, {'created_at': 'Sun Feb 11 23:14:35 +0000 2018', 'id': 962827231230873600, 'text': '@MRSSMH2 Because we didn’t have to defend Obama for even ONE hour https://t.co/Ajy6NKPJUD', 'user.screen_name': 'jasoncopeland73'}, {'created_at': 'Sun Feb 11 23:14:34 +0000 2018', 'id': 962827231012651008, 'text': 'RT @wesley_jordan: With Mueller closing in & the Russia scandal exploding all around him, one-trick Trump once again blamed everything on O…', 'user.screen_name': 'WaltonDornisch'}, {'created_at': 'Sun Feb 11 23:14:34 +0000 2018', 'id': 962827230995996672, 'text': 'RT @brianklaas: You falsely alleged that Ted Cruz’s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos…', 'user.screen_name': 'scody89'}, {'created_at': 'Sun Feb 11 23:14:34 +0000 2018', 'id': 962827229443997696, 'text': "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.…", 'user.screen_name': 'iamopressed'}, {'created_at': 'Sun Feb 11 23:14:34 +0000 2018', 'id': 962827227686670336, 'text': '@Squirl00 @laura_stietz @realDonaldTrump Libturds can’t stand to lose! Enjoy the next 4-8 yrs. we sure will! I h… https://t.co/QlYacUXlBz', 'user.screen_name': 'tootickedoff'}, {'created_at': 'Sun Feb 11 23:14:34 +0000 2018', 'id': 962827227225354241, 'text': 'RT @TheRickyDavila: A racist lunatic once again finding a way to blame President Obama for the actions of yet another abuser of women.\n\nA s…', 'user.screen_name': '1961pattieann'}, {'created_at': 'Sun Feb 11 23:14:33 +0000 2018', 'id': 962827226571051008, 'text': 'RT @jefftiedrich: Kellyanne Conway, because when I need facts grounded in reality I turn to a woman who accused Barack Obama of spying on t…', 'user.screen_name': 'paragonhealth21'}, {'created_at': 'Sun Feb 11 23:14:33 +0000 2018', 'id': 962827226340384770, 'text': '@jh45123 We Agree. Obama is a Manchurian Candidate, probably Paid for By Soros.', 'user.screen_name': 'G_Pond47'}, {'created_at': 'Sun Feb 11 23:14:33 +0000 2018', 'id': 962827226021486592, 'text': 'RT @Bakari_Sellers: Fox News viewers believe its Obama’s fault Rob Porter beat his wives. https://t.co/5y8wPzWLOu', 'user.screen_name': 'OldSouthernDem'}, {'created_at': 'Sun Feb 11 23:14:33 +0000 2018', 'id': 962827222707875840, 'text': "RT @TuckerCarlson: Here's what is clear right now, the bottom line on what we've learned this week and the one thing worth remembering: The…", 'user.screen_name': 'kimengland9'}, {'created_at': 'Sun Feb 11 23:14:32 +0000 2018', 'id': 962827222632419328, 'text': 'RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove…', 'user.screen_name': 'healthysuzi'}, {'created_at': 'Sun Feb 11 23:14:32 +0000 2018', 'id': 962827221810458624, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'jennfox515'}, {'created_at': 'Sun Feb 11 23:14:32 +0000 2018', 'id': 962827221399490560, 'text': 'RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,…', 'user.screen_name': 'TaNee69216947'}, {'created_at': 'Sun Feb 11 23:14:32 +0000 2018', 'id': 962827220749230080, 'text': 'RT @HowitzerPatriot: @hotfunkytown I love the SNL skit when Obama refutes Trumps claims as Obama being worst President in history. He does…', 'user.screen_name': 'SiewTng'}, {'created_at': 'Sun Feb 11 23:14:32 +0000 2018', 'id': 962827220195700736, 'text': 'RT @brianklaas: You falsely alleged that Ted Cruz’s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos…', 'user.screen_name': '_Carallena_'}, {'created_at': 'Sun Feb 11 23:14:32 +0000 2018', 'id': 962827219155505157, 'text': 'RT @BillKristol: Got home, took a look at Twitter: The media seem to love North Korea; people mock Mike and Karen Pence for appearing unhap…', 'user.screen_name': 'iluvliberals'}, {'created_at': 'Sun Feb 11 23:14:32 +0000 2018', 'id': 962827219025481728, 'text': 'RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary’s campaign assisted in the effort\n-Russians assisted the Hi…', 'user.screen_name': 'lring1up'}, {'created_at': 'Sun Feb 11 23:14:31 +0000 2018', 'id': 962827218236911617, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'kfwinter15'}, {'created_at': 'Sun Feb 11 23:14:31 +0000 2018', 'id': 962827216869609472, 'text': 'RT @KrisParonto: We also didn’t use the @FBI @CIA and @NSAGov to spy on @realDonaldTrump either.......isn’t that what you said to Chris Wal…', 'user.screen_name': 'joannet57'}, {'created_at': 'Sun Feb 11 23:14:31 +0000 2018', 'id': 962827215581863936, 'text': 'RT @nutquacker1: Majority of Americans now think President Obama surveilled the Trump campaign. Time to throw him in jail\n\nPoll: Americans…', 'user.screen_name': 'LoriHasso'}, {'created_at': 'Sun Feb 11 23:14:30 +0000 2018', 'id': 962827214042681345, 'text': 'RT @HrrEerrer: Maybe Kelly didn’t know because it didn’t happen. How many times did obama say he found out when a scandal hit the press? Be…', 'user.screen_name': 'terriUKfan'}, {'created_at': 'Sun Feb 11 23:14:30 +0000 2018', 'id': 962827211509202944, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'charitystartsat'}, {'created_at': 'Sun Feb 11 23:14:30 +0000 2018', 'id': 962827211333033984, 'text': 'RT @SebGorka: Just REMEMBER:\n\n@JohnBrennan was proud to have voted for Gus Hall the Communist candidate for American President. \n\nTHEN OBAM…', 'user.screen_name': 'cjlutje21'}, {'created_at': 'Sun Feb 11 23:14:29 +0000 2018', 'id': 962827209928073217, 'text': 'RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove…', 'user.screen_name': 'MobileMagnolia'}, {'created_at': 'Sun Feb 11 23:14:29 +0000 2018', 'id': 962827209038733313, 'text': 'RT @joncoopertweets: Setting aside Donald Trump’s minor scandals — such as Trump’s conspiracy with Russia, obstruction of justice, politica…', 'user.screen_name': 'ShelbyEmerald'}, {'created_at': 'Sun Feb 11 23:14:29 +0000 2018', 'id': 962827209022033920, 'text': 'RT @CKnSD619: I’m still very confused as to why it’s Obama’s fault that two men physically abused women. The logic that @FoxNews spreads is…', 'user.screen_name': 'ChandaFinch'}, {'created_at': 'Sun Feb 11 23:14:29 +0000 2018', 'id': 962827208820690944, 'text': 'RT @brianklaas: You falsely alleged that Ted Cruz’s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos…', 'user.screen_name': 'KenElevan'}, {'created_at': 'Sun Feb 11 23:14:29 +0000 2018', 'id': 962827208359256064, 'text': '@foxandfriends We are seeing the brainwashing of the mentality of the younger people in the USA.\nThis is being done… https://t.co/GrLmXVpbXq', 'user.screen_name': 'dottieh1932'}, {'created_at': 'Sun Feb 11 23:14:29 +0000 2018', 'id': 962827208099356672, 'text': 'RT @RepStevenSmith: Diane Feinstein thinks the dossier is true because it’s not “refuted.”\n\nShe doesn’t care that it’s COMPLETELY UNVERIFIE…', 'user.screen_name': 'keesie59'}, {'created_at': 'Sun Feb 11 23:14:28 +0000 2018', 'id': 962827205481910272, 'text': "RT @G6throughF5: @JulianAssange Do you have Obama's sealed records? https://t.co/6P2jS8vhrM", 'user.screen_name': 'Unkle_Ken'}, {'created_at': 'Sun Feb 11 23:14:28 +0000 2018', 'id': 962827205310115842, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'Doanziegirl'}, {'created_at': 'Sun Feb 11 23:14:28 +0000 2018', 'id': 962827202537689089, 'text': 'RT @KaniJJackson: This is just your daily reminder that Barack Obama did not have 1 scandal or allegation against him during his time in th…', 'user.screen_name': 'GuileRita'}, {'created_at': 'Sun Feb 11 23:14:27 +0000 2018', 'id': 962827200771870720, 'text': 'RT @Bakari_Sellers: Fox News viewers believe its Obama’s fault Rob Porter beat his wives. https://t.co/5y8wPzWLOu', 'user.screen_name': 'rlsrox'}, {'created_at': 'Sun Feb 11 23:14:27 +0000 2018', 'id': 962827200415203328, 'text': "RT @JudicialWatch: As part of our effort to hold Mueller's investigation accountable, JW uncovered docs showing top DOJ officials including…", 'user.screen_name': 'bbl58'}, {'created_at': 'Sun Feb 11 23:14:27 +0000 2018', 'id': 962827200062877697, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'kcSnoWhite'}, {'created_at': 'Sun Feb 11 23:14:27 +0000 2018', 'id': 962827199656136704, 'text': "RT @DrXPsychologist: The House, Senate & Presidency aren't the 3 branches of govt, you dope. DACA didn't exist in 2008-2011, you dope. The…", 'user.screen_name': 'historygirlMA'}, {'created_at': 'Sun Feb 11 23:14:27 +0000 2018', 'id': 962827199429529600, 'text': 'Brackin OBama https://t.co/jbpsXClPsf', 'user.screen_name': 'chkwma'}, {'created_at': 'Sun Feb 11 23:14:27 +0000 2018', 'id': 962827199089991680, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'UzjetotuF'}, {'created_at': 'Sun Feb 11 23:14:27 +0000 2018', 'id': 962827198771224576, 'text': 'RT @MaxDevlin: Here’s what some of the Hollywood Powerhouses have said about this article:\n\nKim Kardashian “I haven’t read it.”\nTom Hanks “…', 'user.screen_name': 'ggma5757'}, {'created_at': 'Sun Feb 11 23:14:27 +0000 2018', 'id': 962827198641135617, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'thplett'}, {'created_at': 'Sun Feb 11 23:14:27 +0000 2018', 'id': 962827198611652608, 'text': 'RT @NxGenEarthlings: How’s that #ObamaLegacy looking now...\n\nSucking even more now, isn’t it?\n\n#Obama #SaturdayMorning https://t.co/W1ayvRn…', 'user.screen_name': 'Stargazer2020'}, {'created_at': 'Sun Feb 11 23:14:27 +0000 2018', 'id': 962827197546295298, 'text': 'RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary’s campaign assisted in the effort\n-Russians assisted the Hi…', 'user.screen_name': 'BicknellShirley'}, {'created_at': 'Sun Feb 11 23:14:26 +0000 2018', 'id': 962827197139603459, 'text': 'RT @MichelleObama: There’s Zaniya, who won our #BetterMakeRoom essay contest and got to be on the cover of @Seventeen with me in 2016. Now,…', 'user.screen_name': 'TimminsRealtor'}, {'created_at': 'Sun Feb 11 23:14:26 +0000 2018', 'id': 962827196044840960, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'RealityBoost'}, {'created_at': 'Sun Feb 11 23:14:26 +0000 2018', 'id': 962827194799214595, 'text': '@ge2229617 @DonaldJTrumpJr Anyone with COMMON SENSE knew that money was going to their NUCLEAR AMBITIONS & TERRORIS… https://t.co/Fcuv65KYuo', 'user.screen_name': 'LeeEllmauerJr'}, {'created_at': 'Sun Feb 11 23:14:26 +0000 2018', 'id': 962827194119548928, 'text': 'RT @JalenSkutt: Barack Obama https://t.co/Z91o7bG2EH', 'user.screen_name': '_Veronica_10'}, {'created_at': 'Sun Feb 11 23:14:26 +0000 2018', 'id': 962827193998077954, 'text': 'RT @Golfinggary5221: “The bottom line is that these Trump-hating FBI agents were on an anti-Trump mission and President Obama may be involv…', 'user.screen_name': 'Tresaann70'}, {'created_at': 'Sun Feb 11 23:14:26 +0000 2018', 'id': 962827193398198272, 'text': "RT @sxdoc: CONFIRMED: FRONT PAGE NEWS Cash from Obama's $1.7 Billion Ransom Payment to Iran Traced to Terrorist Groups (VIDEO) SURPRISE SUR…", 'user.screen_name': 'papaschu1'}, {'created_at': 'Sun Feb 11 23:14:26 +0000 2018', 'id': 962827193364566016, 'text': '@dakota295752 @jllgraham @Jerusal53393006 @Diann12stephens @Bruchell1 @realDonaldTrump @PenelopePratts… https://t.co/G2dwCKvgyn', 'user.screen_name': 'kefkapelazzo'}, {'created_at': 'Sun Feb 11 23:14:25 +0000 2018', 'id': 962827193121460226, 'text': 'RT @ChrissyUSA1: #MAGA #Patriot #Qanon #TheStormIsHere #GreatAwakening #AmericaFirst #WeThePeople #CCCTrain #TrumpsTroops \ud83c\uddfa\ud83c\uddf8 FACT; Who paid…', 'user.screen_name': 'zanadu99laura'}, {'created_at': 'Sun Feb 11 23:14:25 +0000 2018', 'id': 962827191905112064, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'arsneddon'}, {'created_at': 'Sun Feb 11 23:14:25 +0000 2018', 'id': 962827191586295809, 'text': 'DHS official & former Obama ambassador James Nealon resigned, upset recommendations to extend “temporary protected… https://t.co/W0Fy1AUSrW', 'user.screen_name': 'JessieJaneDuff'}, {'created_at': 'Sun Feb 11 23:14:25 +0000 2018', 'id': 962827191422803970, 'text': 'RT @PoliticalShort: Brennan put the pressure on the FBI and Congress to investigate Trump while hiding behind the scenes not only briefing…', 'user.screen_name': 'RoloT17'}, {'created_at': 'Sun Feb 11 23:14:25 +0000 2018', 'id': 962827191015809024, 'text': "@cshirky Dowd is the writer who repeatedly faulted Obama for not having Paul Newman's blue eyes. Too bad she isn't a special case.", 'user.screen_name': 'alanatpaterra'}, {'created_at': 'Sun Feb 11 23:14:25 +0000 2018', 'id': 962827190642626560, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'brian_cadena'}, {'created_at': 'Sun Feb 11 23:14:25 +0000 2018', 'id': 962827190458114048, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'marthyjazz'}, {'created_at': 'Sun Feb 11 23:14:25 +0000 2018', 'id': 962827189606604805, 'text': 'RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,…', 'user.screen_name': 'HelenHelenc'}, {'created_at': 'Sun Feb 11 23:14:25 +0000 2018', 'id': 962827189384335360, 'text': 'RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove…', 'user.screen_name': 'superfastbobby'}, {'created_at': 'Sun Feb 11 23:14:24 +0000 2018', 'id': 962827188507639808, 'text': 'RT @HrrEerrer: Maybe Kelly didn’t know because it didn’t happen. How many times did obama say he found out when a scandal hit the press? Be…', 'user.screen_name': 'connieSuver'}, {'created_at': 'Sun Feb 11 23:14:24 +0000 2018', 'id': 962827188272803840, 'text': 'RT @EdKrassen: If Jeanine Pirro can blame Barack Obama for Rob Porter beating his wives, then I blame Jeanine Pirro for Donald Trump assaul…', 'user.screen_name': 'lamadness123'}, {'created_at': 'Sun Feb 11 23:14:24 +0000 2018', 'id': 962827188214140933, 'text': 'RT @AlexMunday_2018: "There is no limit to what we, as women, can accomplish." —Michelle Obama\n\nWe see you, @GOP. Midterms are coming and w…', 'user.screen_name': 'LicorcePony'}, {'created_at': 'Sun Feb 11 23:14:24 +0000 2018', 'id': 962827188117626880, 'text': '$10 Trillion Spent on the Democrat Great Society vote getting gambit and $10 Trillion more added to the national de… https://t.co/6CMtCxZTs6', 'user.screen_name': 'JC7109'}, {'created_at': 'Sun Feb 11 23:14:24 +0000 2018', 'id': 962827186934894592, 'text': 'RT @Hoosiers1986: #FakeRelationshipFacts\n\nDEM voters are gullible fools!\n\nThey revere idiots like Obama, Schumer & Pelosi who COULD have pr…', 'user.screen_name': 'JdhCap'}, {'created_at': 'Sun Feb 11 23:14:23 +0000 2018', 'id': 962827184300789762, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'BaRebelmom'}, {'created_at': 'Sun Feb 11 23:14:23 +0000 2018', 'id': 962827183977828352, 'text': "RT @TheZullinator: If Obama wasn't part black the entire country would have turned against him a long time ago. Can we as Americans just lo…", 'user.screen_name': 'M08D26'}, {'created_at': 'Sun Feb 11 23:14:23 +0000 2018', 'id': 962827183646425088, 'text': 'RT @charliekirk11: If Bush would have done the same exact things Obama did he would have been impeached', 'user.screen_name': 'Terrawales'}, {'created_at': 'Sun Feb 11 23:14:23 +0000 2018', 'id': 962827183034003456, 'text': '@bbusa617 Let’s hope Clinton’s & Mueller,obama all pay the piper', 'user.screen_name': 'expiditer57'}, {'created_at': 'Sun Feb 11 23:14:23 +0000 2018', 'id': 962827182434390016, 'text': 'RT @goodoldcatchy: Trump hounded Obama for his birth certificate because he was black, ran for President because Obama mocked him, was vote…', 'user.screen_name': 'kjoerwin'}, {'created_at': 'Sun Feb 11 23:14:23 +0000 2018', 'id': 962827181008224257, 'text': "The Daily Caller | Only Obama's expansionary fiscal policies can be good.... https://t.co/hxZSwec5Qf https://t.co/SPCyheMLwX", 'user.screen_name': 'obamolizer'}, {'created_at': 'Sun Feb 11 23:14:22 +0000 2018', 'id': 962827180383326208, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'bocabelo'}, {'created_at': 'Sun Feb 11 23:14:22 +0000 2018', 'id': 962827177879203840, 'text': 'RT @jcpenni7maga: I am dropping my #HBO subscription after hearing about this BS\ud83e\udd2c\ud83e\udd2c\ud83e\udd2cand you should too!\n\nHBO - #HomeBoxOffice is hiring #Oba…', 'user.screen_name': 'RouleLynda'}, {'created_at': 'Sun Feb 11 23:14:21 +0000 2018', 'id': 962827175979339777, 'text': 'RT @BreeNewsome: Again, Obama faced such racist backlash that white America elected Trump to undo his presidency because no matter how much…', 'user.screen_name': 'AbortionFaerie'}, {'created_at': 'Sun Feb 11 23:14:21 +0000 2018', 'id': 962827174553284608, 'text': 'Turns out Obama’s American “home” is just like his real home in Kenya....a shithole\n\n#QAnon #Trump #ObamaGate \n\n https://t.co/L7a7IPvP57', 'user.screen_name': '_00111111_'}, {'created_at': 'Sun Feb 11 23:14:21 +0000 2018', 'id': 962827173135572993, 'text': "@CNN Victimized by Obama my ass. If anyone's been victimized by anytime it's the American people by you, you asshat", 'user.screen_name': 'amc91355'}, {'created_at': 'Sun Feb 11 23:14:21 +0000 2018', 'id': 962827172724592640, 'text': 'RT @Fuctupmind: Pretty much everyone knew about the Steele Dossier.\n\nThe entire Obama admin.\nSid Blumenthal.\nHillary Clinton.\nLoretta Lynch…', 'user.screen_name': 'ejmichaels74'}, {'created_at': 'Sun Feb 11 23:14:20 +0000 2018', 'id': 962827171508183040, 'text': 'RT @JGreenbergSez: At the time, Dick Cheney called for the Obama Admin to order an attack to destroy our drone and the unit that brought it…', 'user.screen_name': 'csvari'}, {'created_at': 'Sun Feb 11 23:14:20 +0000 2018', 'id': 962827168161193984, 'text': 'RT @FoxNews: .@TomFitton: "[@realDonaldTrump] has been victimized by the Obama Administration." https://t.co/z3Vn9KY1M3', 'user.screen_name': 'Ciminolaw'}, {'created_at': 'Sun Feb 11 23:14:19 +0000 2018', 'id': 962827165325778945, 'text': 'RT @lawlerchuck1: @sxdoc @realDonaldTrump Proof Obama Supporting Terrorists !\nIsn’t That Treason ?', 'user.screen_name': 'Brendag38323989'}, {'created_at': 'Sun Feb 11 23:14:19 +0000 2018', 'id': 962827164335960065, 'text': "RT @DearAuntCrabby: Trump promotes argument that he's been 'victimized' by Obama administration https://t.co/NY5a0e77YZ \n\nOh brother, what…", 'user.screen_name': 'DeannFields13'}, {'created_at': 'Sun Feb 11 23:14:18 +0000 2018', 'id': 962827162008018944, 'text': 'RT @starcrosswolf: Rep Jim Himes, D, took his dumb pills & admitted there is something in the Democratic intelligence memo that shows the F…', 'user.screen_name': 'blondefrog123'}, {'created_at': 'Sun Feb 11 23:14:18 +0000 2018', 'id': 962827161857155072, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'Electroman05'}, {'created_at': 'Sun Feb 11 23:14:18 +0000 2018', 'id': 962827161194283008, 'text': 'RT @prayingmedic: 48) When you hear that the FBI, DOJ or Obama State Department were involved in something nefarious, keep in mind the fact…', 'user.screen_name': 'mpg25mary'}, {'created_at': 'Sun Feb 11 23:14:17 +0000 2018', 'id': 962827159613116421, 'text': 'RT @kylegriffin1: A comparison of the S&P 500 under Obama and Trump during the same period in their presidencies shows better performance u…', 'user.screen_name': '24baseballReed'}, {'created_at': 'Sun Feb 11 23:14:17 +0000 2018', 'id': 962827158828863490, 'text': 'RT @Chicago1Ray: " You, me... we own this Country. Politicians are employees of ours. And when somebody doesn\'t do the Job, We gotta let \'e…', 'user.screen_name': 'MousseauJim'}, {'created_at': 'Sun Feb 11 23:14:17 +0000 2018', 'id': 962827157998374912, 'text': 'RT @SusanStormXO: @hatedtruthpig77 @Ann_B_Barber @wolfgangfaustX Burns me Up \ud83d\udd25\ud83d\udd25\nHow do we have people in America that are condoning this !…', 'user.screen_name': 'MichaelYuchuck'}, {'created_at': 'Sun Feb 11 23:14:17 +0000 2018', 'id': 962827157792854016, 'text': 'RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove…', 'user.screen_name': 'Covfefe445'}, {'created_at': 'Sun Feb 11 23:14:17 +0000 2018', 'id': 962827156744261634, 'text': 'RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove…', 'user.screen_name': 'bill_lindy1959'}, {'created_at': 'Sun Feb 11 23:14:17 +0000 2018', 'id': 962827155829940225, 'text': 'RT @realDonaldTrump: “My view is that not only has Trump been vindicated in the last several weeks about the mishandling of the Dossier and…', 'user.screen_name': 'mylifebox'}, {'created_at': 'Sun Feb 11 23:14:17 +0000 2018', 'id': 962827155737542661, 'text': 'RT @TomFitton: The American people should be able to see for themselves the FISA court docs on how Obama admin used Clinton document to mis…', 'user.screen_name': 'JoyceBruns'}, {'created_at': 'Sun Feb 11 23:14:16 +0000 2018', 'id': 962827152457633792, 'text': 'George .W Refused to criticize obama during his presidency https://t.co/N8eVgSjIfb via @YouTube', 'user.screen_name': 'ukchima61'}, {'created_at': 'Sun Feb 11 23:14:16 +0000 2018', 'id': 962827152306724867, 'text': "RT @FiveRights: Obama State Dept Official Jonathan Winer finally comes clean:\nI fed opposition research from Sid Blumenthal (Hillary's best…", 'user.screen_name': 'chelsea7707'}, {'created_at': 'Sun Feb 11 23:14:15 +0000 2018', 'id': 962827150255644672, 'text': 'RT @fubaglady: All Corrupt DOJ and FBI Roads Lead to Obama https://t.co/mEzuGckwxr', 'user.screen_name': 'Jan26475074'}, {'created_at': 'Sun Feb 11 23:14:14 +0000 2018', 'id': 962827143523729410, 'text': 'RT @MOVEFORWARDHUGE: MOTHER EARTH IS CRYING BECAUSE YOU CHILDREN WOULD BELIEVE \n\nOBAMA WAS A GOOD POTUS & HILLARY IS A FEMINIST. \n\nMY LORD…', 'user.screen_name': 'JimJimbo54'}, {'created_at': 'Sun Feb 11 23:14:14 +0000 2018', 'id': 962827143024599041, 'text': 'RT @demsrloosers: Crooked Eric, The Obama Lap Dog, Responsible for the IRS Targeting of Tea Party Conservatives, is thinking of running fo…', 'user.screen_name': 'SpeculativePig'}, {'created_at': 'Sun Feb 11 23:14:13 +0000 2018', 'id': 962827142546579456, 'text': 'RT @kylegriffin1: A comparison of the S&P 500 under Obama and Trump during the same period in their presidencies shows better performance u…', 'user.screen_name': 'DanaHogue5'}, {'created_at': 'Sun Feb 11 23:14:12 +0000 2018', 'id': 962827137765036032, 'text': 'RT @brianklaas: You falsely alleged that Ted Cruz’s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos…', 'user.screen_name': '246Cyd'}, {'created_at': 'Sun Feb 11 23:14:12 +0000 2018', 'id': 962827137060409344, 'text': 'RT @PoliticalShort: Brennan put the pressure on the FBI and Congress to investigate Trump while hiding behind the scenes not only briefing…', 'user.screen_name': 'see_jl'}, {'created_at': 'Sun Feb 11 23:14:12 +0000 2018', 'id': 962827135873302529, 'text': 'RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,…', 'user.screen_name': 'MousseauJim'}, {'created_at': 'Sun Feb 11 23:14:12 +0000 2018', 'id': 962827135718129665, 'text': 'RT @Bakari_Sellers: Fox News viewers believe its Obama’s fault Rob Porter beat his wives. https://t.co/5y8wPzWLOu', 'user.screen_name': 'OgNazeem'}, {'created_at': 'Sun Feb 11 23:14:12 +0000 2018', 'id': 962827135613202433, 'text': 'RT @sxdoc: Newt Hammers Hillary, Obama And ‘#DeepState’ For Destroying The Rule Of Law; Chaos Reigns When Laws Not Enforced #LawAndOrder ht…', 'user.screen_name': 'AshleyEdam'}, {'created_at': 'Sun Feb 11 23:14:12 +0000 2018', 'id': 962827135567192064, 'text': 'RT @MEL2AUSA: If anyone is looking for #Obama he’s in his safe space.\nIt’s in the ladies restroom. #ObamaKnew #ObamaGate https://t.co/TKakg…', 'user.screen_name': 'RubyRockstar333'}, {'created_at': 'Sun Feb 11 23:14:11 +0000 2018', 'id': 962827133742649347, 'text': 'RT @GartrellLinda: Obama Official Johnathan Winer: I Passed Clinton Lies to Steele That Were Used Against Trump Now the #ObamaGate scandal…', 'user.screen_name': 'RHLIVEFREEORDIE'}, {'created_at': 'Sun Feb 11 23:14:11 +0000 2018', 'id': 962827133306388481, 'text': 'RT @GrrrGraphics: #ObamaGate #Obamaspyingscandal #ObamaForPrison #LockThemAllUp \n\nYour #SaturdayMorning #Throwback #BenGarrison #cartoon #O…', 'user.screen_name': 'SKITZOx916'}, {'created_at': 'Sun Feb 11 23:14:11 +0000 2018', 'id': 962827133205794821, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'STARFORCEHH'}, {'created_at': 'Sun Feb 11 23:14:11 +0000 2018', 'id': 962827132719087616, 'text': 'RT @12foto: All the funds that are traced to terrorists should be seized from Obama’s assets! https://t.co/JWDHLaeVza', 'user.screen_name': 'Stargazer2020'}, {'created_at': 'Sun Feb 11 23:14:11 +0000 2018', 'id': 962827131662274566, 'text': 'RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary’s campaign assisted in the effort\n-Russians assisted the Hi…', 'user.screen_name': 'kiowa581997'}, {'created_at': 'Sun Feb 11 23:14:10 +0000 2018', 'id': 962827129569280006, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'TonyinNY'}, {'created_at': 'Sun Feb 11 23:14:10 +0000 2018', 'id': 962827128751493125, 'text': '@timriley70 @realDonaldTrump Your just another nose ring liberal missing your Prince Liar Muslim Obama', 'user.screen_name': 'FighterAngel1'}, {'created_at': 'Sun Feb 11 23:14:10 +0000 2018', 'id': 962827128747319296, 'text': "RT @ChristiChat: OBAMA KNEW EVERYTHING\nOn Friday Sept 2, 2016\n67 days before America's\nPresidential Election\nFBI Lawyer Lisa Page\nsent a te…", 'user.screen_name': 'VetforP'}, {'created_at': 'Sun Feb 11 23:14:10 +0000 2018', 'id': 962827128231247872, 'text': 'RT @starcrosswolf: Rep Jim Himes, D, took his dumb pills & admitted there is something in the Democratic intelligence memo that shows the F…', 'user.screen_name': 'gbiggieatb'}, {'created_at': 'Sun Feb 11 23:14:09 +0000 2018', 'id': 962827124892606465, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'james_kacee'}, {'created_at': 'Sun Feb 11 23:14:09 +0000 2018', 'id': 962827124586381312, 'text': 'RT @Brasilmagic: Jeanine Pirro needs a straight-jacket https://t.co/G4wzGBUJ0b', 'user.screen_name': 'Sybertuts'}, {'created_at': 'Sun Feb 11 23:14:09 +0000 2018', 'id': 962827124271804416, 'text': 'RT @TomFitton: The American people should be able to see for themselves the FISA court docs on how Obama admin used Clinton document to mis…', 'user.screen_name': 'TinaWest123321'}, {'created_at': 'Sun Feb 11 23:14:09 +0000 2018', 'id': 962827123277881344, 'text': 'RT @PoliticalShort: Grassley-Graham memo tells us that we need not only a full-blown investigation of what possessed the Obama admin to sub…', 'user.screen_name': 'ChrisCandysh'}, {'created_at': 'Sun Feb 11 23:14:09 +0000 2018', 'id': 962827122715832322, 'text': '@GOP Obama is responsible for the great economy—-BECAUSE HE IS NOT POTUS ANYMORE, thank GOD!!', 'user.screen_name': 'Searcher1911'}, {'created_at': 'Sun Feb 11 23:14:08 +0000 2018', 'id': 962827121793077248, 'text': 'RT @JalenSkutt: Barack Obama https://t.co/Z91o7bG2EH', 'user.screen_name': 'MarieBacungan'}, {'created_at': 'Sun Feb 11 23:14:08 +0000 2018', 'id': 962827120870350850, 'text': 'RT @Thomas1774Paine: New York Times photographer: Trump gives us more access than Obama https://t.co/T6Z1CVtk5O', 'user.screen_name': 'divabusiness'}, {'created_at': 'Sun Feb 11 23:14:08 +0000 2018', 'id': 962827120622874625, 'text': 'RT @GartrellLinda: Obama Official Johnathan Winer: I Passed Clinton Lies to Steele That Were Used Against Trump Now the #ObamaGate scandal…', 'user.screen_name': 'teokee'}, {'created_at': 'Sun Feb 11 23:14:08 +0000 2018', 'id': 962827119410610176, 'text': '.American Public Opinion Finally Turns on Obama Admin... Overwhelmingly \nhttps://t.co/8LkWJogy54', 'user.screen_name': 'CharlieRand9'}, {'created_at': 'Sun Feb 11 23:14:08 +0000 2018', 'id': 962827118521540608, 'text': 'RT @starcrosswolf: Rep Jim Himes, D, took his dumb pills & admitted there is something in the Democratic intelligence memo that shows the F…', 'user.screen_name': 'laearle'}, {'created_at': 'Sun Feb 11 23:14:07 +0000 2018', 'id': 962827115761725440, 'text': 'RT @joncoopertweets: Sure, @realDonaldTrump is a lying, corrupt, racist, traitorous imbecile who defends white supremacists, Nazis, wife be…', 'user.screen_name': 'MosesDidItBest'}, {'created_at': 'Sun Feb 11 23:14:07 +0000 2018', 'id': 962827115552038912, 'text': 'RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove…', 'user.screen_name': 'navigatorclan'}, {'created_at': 'Sun Feb 11 23:14:07 +0000 2018', 'id': 962827114377441280, 'text': 'Trump wants to screw his own daughter, cheated on all 3 wives = good. Obama 1 wife 2 kids faithful and faithful = B… https://t.co/dZQ15IC8da', 'user.screen_name': 'Nativemanley'}, {'created_at': 'Sun Feb 11 23:14:06 +0000 2018', 'id': 962827113148674049, 'text': '@amanda_pompili @FML_Nation @Kimosabe12345 @KurtSchlichter @VadersDeLorean @Judges445 66 million vs 63 million. He… https://t.co/QxvvfgdetL', 'user.screen_name': 'turningabout'}, {'created_at': 'Sun Feb 11 23:14:06 +0000 2018', 'id': 962827109696786432, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'brhardy1'}, {'created_at': 'Sun Feb 11 23:14:05 +0000 2018', 'id': 962827108757180416, 'text': 'RT @AynRandPaulRyan: Fox News host Jeanine Pirro, inexplicably and yet somehow predictably, blames Barack Obama for Rob Porter wife-beating…', 'user.screen_name': 'VinLospinuso91'}, {'created_at': 'Sun Feb 11 23:14:05 +0000 2018', 'id': 962827107922579456, 'text': 'I liked a @YouTube video https://t.co/eAVEU0BIQA Barack Obama on employers who hire illegal immigrants', 'user.screen_name': 'Renlou14Smasher'}, {'created_at': 'Sun Feb 11 23:14:05 +0000 2018', 'id': 962827106660077568, 'text': 'RT @MichelleRMed: Pres Trump & VP Pence love & respect our military. Trump gave Mattis free reign to destroy ISIS which he did in less than…', 'user.screen_name': 'daisylueboo1'}, {'created_at': 'Sun Feb 11 23:14:05 +0000 2018', 'id': 962827106504855553, 'text': "@TrueFactsStated Friendly reminder that Michael Flynn could still be there.\n\nAnd would be if an American Hero hadn'… https://t.co/PGIatAjh6V", 'user.screen_name': 'nebhusker84'}, {'created_at': 'Sun Feb 11 23:14:04 +0000 2018', 'id': 962827104655200256, 'text': 'RT @juniperbreeze07: @RepSwalwell You can point the finger at your buddy Sid Blumenthal and Hillary Clinton’s handler who started the birth…', 'user.screen_name': 'kachninja'}, {'created_at': 'Sun Feb 11 23:14:04 +0000 2018', 'id': 962827103761850370, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'Ciminolaw'}, {'created_at': 'Sun Feb 11 23:14:04 +0000 2018', 'id': 962827102688079872, 'text': 'RT @CreechJeff: @cazad1966 @LisaASchulz2 @Teddysmom1 @Azonei1 @_etgeeee_ @SenFeinstein The US Constitution will hold. \nObama and Holder (bo…', 'user.screen_name': 'Browser60911'}, {'created_at': 'Sun Feb 11 23:14:04 +0000 2018', 'id': 962827101618532353, 'text': 'RT @RealMAGASteve: When more of the truth comes out we will discover Levin is right about the Presidential Daily Briefing.\n\nObama tried to…', 'user.screen_name': 'GloriaProphet'}, {'created_at': 'Sun Feb 11 23:14:04 +0000 2018', 'id': 962827101601714183, 'text': 'RT @kelly4NC: Bots out in full force with “Using Us as Pawns” bullsh*t. Anyone paying attention knows the Trump administration is using DAC…', 'user.screen_name': 'lizmbd2'}, {'created_at': 'Sun Feb 11 23:14:03 +0000 2018', 'id': 962827100553179137, 'text': 'RT @BillKristol: Got home, took a look at Twitter: The media seem to love North Korea; people mock Mike and Karen Pence for appearing unhap…', 'user.screen_name': 'JackJLSmith'}, {'created_at': 'Sun Feb 11 23:14:03 +0000 2018', 'id': 962827098607046656, 'text': 'RT @EdKrassen: If Jeanine Pirro can blame Barack Obama for Rob Porter beating his wives, then I blame Jeanine Pirro for Donald Trump assaul…', 'user.screen_name': 'VinLospinuso91'}, {'created_at': 'Sun Feb 11 23:14:01 +0000 2018', 'id': 962827091451437056, 'text': 'RT @Bossip: President Obama’s Photoshopped Beard Is Pulverizing Panny Drawls Across The Internet https://t.co/8MKoR6RHmq https://t.co/aMSAP…', 'user.screen_name': '_sabrinadsena'}, {'created_at': 'Sun Feb 11 23:14:01 +0000 2018', 'id': 962827091300487174, 'text': "RT @c19485591: @John3_and_16 What is disheartening.....this is much deeper than obama's presidency...the swamp is still in force and every…", 'user.screen_name': 'JackieMcReath1'}, {'created_at': 'Sun Feb 11 23:14:01 +0000 2018', 'id': 962827090751115264, 'text': 'RT @DTrumpPoll: Do you think @realDonaldTrump was vicitmized by the Obama Administration, or were investigations in to ties with Russia jus…', 'user.screen_name': 'herunlikelyname'}, {'created_at': 'Sun Feb 11 23:14:00 +0000 2018', 'id': 962827087122907137, 'text': 'RT @jeromegravesbm1: @hotfunkytown All the world leaders knew Obama was a "girly man" and this is no surprise from the weak leadership he h…', 'user.screen_name': 'SiewTng'}, {'created_at': 'Sun Feb 11 23:14:00 +0000 2018', 'id': 962827085164167168, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'schmuckal51'}, {'created_at': 'Sun Feb 11 23:14:00 +0000 2018', 'id': 962827084883099648, 'text': 'RT @MyDaughtersArmy: Fox News - If all else fails, blame Obama. https://t.co/kpZ28fwWtx', 'user.screen_name': 'the_tanner21'}, {'created_at': 'Sun Feb 11 23:14:00 +0000 2018', 'id': 962827084467974144, 'text': 'RT @johncusack: You wanna play ? Answer- look up Obama’s war on constitution - interview I did - check out @FreedomofPress I’m on the bo…', 'user.screen_name': 'TJSeraphim'}, {'created_at': 'Sun Feb 11 23:13:59 +0000 2018', 'id': 962827084228853760, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'RealityBoost'}, {'created_at': 'Sun Feb 11 23:13:59 +0000 2018', 'id': 962827083993972739, 'text': '@jetking428 @JGreenblattADL The Obama admin is already gone \ud83e\udd14The Democratic bastard slavers will be out by truth &… https://t.co/xF4IQ1gCdF', 'user.screen_name': 'Virgomae2891'}, {'created_at': 'Sun Feb 11 23:13:59 +0000 2018', 'id': 962827083541110789, 'text': 'Obama, Michelle portraits to be unveiled Monday at National Portrait Gallery\n\nhttps://t.co/TJbcc9PqgQ', 'user.screen_name': 'mafoya'}, {'created_at': 'Sun Feb 11 23:13:59 +0000 2018', 'id': 962827081410256896, 'text': 'RT @KaniJJackson: This is just your daily reminder that Barack Obama did not have 1 scandal or allegation against him during his time in th…', 'user.screen_name': 'CrimeDefense'}, {'created_at': 'Sun Feb 11 23:13:59 +0000 2018', 'id': 962827080827326464, 'text': "RT @DFBHarvard: Well, that's DACA for you! Thanks Obama for your big fat Legacy! https://t.co/K8wwJ5Np7c", 'user.screen_name': 'katscan27_kim'}, {'created_at': 'Sun Feb 11 23:13:59 +0000 2018', 'id': 962827080785453061, 'text': 'RT @SebGorka: The UNMASKING Scandal will prove to be much bigger than FISAGate or Watergate combined. \n\nTime to just call it what it is:…', 'user.screen_name': 'eva48w4'}, {'created_at': 'Sun Feb 11 23:13:59 +0000 2018', 'id': 962827080470876162, 'text': 'RT @HawksGal_: @LevineJonathan #OMAROSA is full of BS..she knows @POTUS is undoing #Obama’s mess\ud83d\ude44#MAGA @peachespulliam @helloross #TruthTel…', 'user.screen_name': 'JesusIsTrueKing'}, {'created_at': 'Sun Feb 11 23:13:59 +0000 2018', 'id': 962827080416325633, 'text': 'RT @renato_mariotti: President Obama created DACA because Republicans blocked the Dream Act. Trump ended DACA on his own—don’t let him get…', 'user.screen_name': 'caseysigmundd'}, {'created_at': 'Sun Feb 11 23:13:58 +0000 2018', 'id': 962827079124422657, 'text': "RT @MichelleTrain79: Don't forget Obama sent his cronies to three funerals and never sent one to kate's funeral https://t.co/mnOfzmIFqF", 'user.screen_name': 'kevinmklerks'}, {'created_at': 'Sun Feb 11 23:13:58 +0000 2018', 'id': 962827076221972482, 'text': 'Obama also waved instead of saluting while exiting Air Force One . https://t.co/fcoLHNe7Ts', 'user.screen_name': 'slamman140'}, {'created_at': 'Sun Feb 11 23:13:57 +0000 2018', 'id': 962827075315838976, 'text': "RT @TeaPainUSA: Who does Fox News blame for Trump harborin' serial domestic abuser, Rob Porter? \n\nYou guessed it! The black guy!\n\nhttps:/…", 'user.screen_name': 'kfseattle'}, {'created_at': 'Sun Feb 11 23:13:57 +0000 2018', 'id': 962827073273417729, 'text': 'RT @timmoore1973: @shoot38special @jamacia813 @TNMouth @Nprestn23 @Idclair @DearAuntCrabby @grammyresists @Write_Sense @PiconeKaren @DocSto…', 'user.screen_name': 'shoot38special'}, {'created_at': 'Sun Feb 11 23:13:57 +0000 2018', 'id': 962827072623316992, 'text': "RT @hotfunkytown: This was Obama's military parade. https://t.co/boCUoj7MIW", 'user.screen_name': 'sharonsizelove'}, {'created_at': 'Sun Feb 11 23:13:57 +0000 2018', 'id': 962827071968960512, 'text': 'RT @brianklaas: You falsely alleged that Ted Cruz’s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos…', 'user.screen_name': 'Jaxgma3235'}, {'created_at': 'Sun Feb 11 23:13:56 +0000 2018', 'id': 962827071214014465, 'text': "RT @Isa4031AMP: BOMBSHELL: FBI Informant In Uranium One Scandal Testifies Against Obama. Here's What He Said https://t.co/cfs5cyQw14 https:…", 'user.screen_name': 'MikeJudy12'}, {'created_at': 'Sun Feb 11 23:13:56 +0000 2018', 'id': 962827070370996224, 'text': '@Mike562017 @DiogenesLamp0 @Pr0litical @evan_manifesto @amoreimarketing @Aeon__News @Sequencer16 @LisaTomain… https://t.co/ZL2z4tgBie', 'user.screen_name': 'Raypatrick7734'}, {'created_at': 'Sun Feb 11 23:13:56 +0000 2018', 'id': 962827069536092160, 'text': 'RT @brianklaas: You falsely alleged that Ted Cruz’s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos…', 'user.screen_name': 'M5B1tch'}, {'created_at': 'Sun Feb 11 23:13:56 +0000 2018', 'id': 962827067481116672, 'text': 'RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,…', 'user.screen_name': 'snowbirdron'}, {'created_at': 'Sun Feb 11 23:13:55 +0000 2018', 'id': 962827067233619969, 'text': "RT @TeaPainUSA: Who does Fox News blame for Trump harborin' serial domestic abuser, Rob Porter? \n\nYou guessed it! The black guy!\n\nhttps:/…", 'user.screen_name': 'MajinNita'}, {'created_at': 'Sun Feb 11 23:13:55 +0000 2018', 'id': 962827065971093504, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'gns1013'}, {'created_at': 'Sun Feb 11 23:13:55 +0000 2018', 'id': 962827064977043456, 'text': 'RT @Logic_Triumphs: ⭐⭐⭐⭐⭐\nBarack Obama has 99.7 million followers.\nIt would kill Donald Trump if Obama hit 100 million. Whatever you do do…', 'user.screen_name': 'b_l_edwards'}, {'created_at': 'Sun Feb 11 23:13:55 +0000 2018', 'id': 962827063299313664, 'text': 'RT @JudicialWatch: Reminder: JW found evidence showing Obama State Dept under John Kerry sent its own "dossier" of classified info on Russi…', 'user.screen_name': 'TaNee69216947'}, {'created_at': 'Sun Feb 11 23:13:54 +0000 2018', 'id': 962827061063688192, 'text': 'RT @SusanStormXO: @hatedtruthpig77 @Ann_B_Barber @wolfgangfaustX Burns me Up \ud83d\udd25\ud83d\udd25\nHow do we have people in America that are condoning this !…', 'user.screen_name': 'Jaywall13271015'}, {'created_at': 'Sun Feb 11 23:13:53 +0000 2018', 'id': 962827058270343175, 'text': 'RT @starcrosswolf: Rep Jim Himes, D, took his dumb pills & admitted there is something in the Democratic intelligence memo that shows the F…', 'user.screen_name': 'MtRushmore2016'}, {'created_at': 'Sun Feb 11 23:13:53 +0000 2018', 'id': 962827058098290688, 'text': 'RT @Chicago1Ray: " You, me... we own this Country. Politicians are employees of ours. And when somebody doesn\'t do the Job, We gotta let \'e…', 'user.screen_name': 'VickieSpringer'}, {'created_at': 'Sun Feb 11 23:13:53 +0000 2018', 'id': 962827057045692416, 'text': 'RT @KaniJJackson: This is just your daily reminder that Barack Obama did not have 1 scandal or allegation against him during his time in th…', 'user.screen_name': 'bluediamond421'}, {'created_at': 'Sun Feb 11 23:13:53 +0000 2018', 'id': 962827056458485760, 'text': 'RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,…', 'user.screen_name': 'JamesRLarkins'}, {'created_at': 'Sun Feb 11 23:13:53 +0000 2018', 'id': 962827056382869506, 'text': 'RT @lowereast4derr: Someone needs to tell them Obama, unfortunately, has finished his term, Clinton is a private citizen(despite what bat s…', 'user.screen_name': 'RobynNess1'}, {'created_at': 'Sun Feb 11 23:13:53 +0000 2018', 'id': 962827055808294913, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'CarolynTittle'}, {'created_at': 'Sun Feb 11 23:13:52 +0000 2018', 'id': 962827054558384129, 'text': 'RT @brianklaas: You falsely alleged that Ted Cruz’s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos…', 'user.screen_name': 'afterthebridge'}, {'created_at': 'Sun Feb 11 23:13:52 +0000 2018', 'id': 962827054549909504, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'DrJudyOhmer'}, {'created_at': 'Sun Feb 11 23:13:52 +0000 2018', 'id': 962827053958447104, 'text': 'RT @RedWaveRising: #ObamaGate\n\n#SundayThoughts\n#BarackObama used classified intelligence leaks for political gain - https://t.co/tkba3Y498I…', 'user.screen_name': 'ElisAmerica1'}, {'created_at': 'Sun Feb 11 23:13:52 +0000 2018', 'id': 962827053010771968, 'text': 'RT @Hoosiers1986: #FakeRelationshipFacts\n\nDEM voters are gullible fools!\n\nThey revere idiots like Obama, Schumer & Pelosi who COULD have pr…', 'user.screen_name': 'Doembon'}, {'created_at': 'Sun Feb 11 23:13:52 +0000 2018', 'id': 962827052893302785, 'text': "RT @stardesert418: @sxdoc @realDonaldTrump OBAMA's $1.7B ransom payment to Iran's Terrorists groups... sell out!", 'user.screen_name': 'Brendag38323989'}, {'created_at': 'Sun Feb 11 23:13:52 +0000 2018', 'id': 962827050808676357, 'text': "RT @FiveRights: For 5 years Obama couldn't stop ISIS, couldn't even contain them.\nTrump, w same military, wiped out ISIS in 9 mos.\nO wasn't…", 'user.screen_name': 'onthesoundshore'}, {'created_at': 'Sun Feb 11 23:13:51 +0000 2018', 'id': 962827050640748544, 'text': 'RT @kylegriffin1: A comparison of the S&P 500 under Obama and Trump during the same period in their presidencies shows better performance u…', 'user.screen_name': 'SeattleRocko'}, {'created_at': 'Sun Feb 11 23:13:51 +0000 2018', 'id': 962827050162810880, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'tommylowens1'}, {'created_at': 'Sun Feb 11 23:13:51 +0000 2018', 'id': 962827050083143681, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'stevetwiss'}, {'created_at': 'Sun Feb 11 23:13:51 +0000 2018', 'id': 962827048678051840, 'text': 'Make America Informed Again #MAIA: Is Trump even conscious? Barack Obama was sworn in on January 20, 2009. In the 2… https://t.co/6v1vkxzOVf', 'user.screen_name': 'eagle3300'}, {'created_at': 'Sun Feb 11 23:13:51 +0000 2018', 'id': 962827048619249664, 'text': 'RT @JudicialWatch: Reminder: JW found evidence showing Obama State Dept under John Kerry sent its own "dossier" of classified info on Russi…', 'user.screen_name': 'TxMsLee'}, {'created_at': 'Sun Feb 11 23:13:51 +0000 2018', 'id': 962827047671402496, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'cbferry1860'}, {'created_at': 'Sun Feb 11 23:13:51 +0000 2018', 'id': 962827047184642049, 'text': 'RT @Vento921: @hotfunkytown As much as I disliked Obama, it showed the power of Trump and his supporters, and the indomitable spirit of Am…', 'user.screen_name': 'SiewTng'}, {'created_at': 'Sun Feb 11 23:13:51 +0000 2018', 'id': 962827046878679040, 'text': 'RT @brianklaas: You falsely alleged that Ted Cruz’s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos…', 'user.screen_name': 'jfhdvm'}, {'created_at': 'Sun Feb 11 23:13:50 +0000 2018', 'id': 962827046278791168, 'text': "@MikaelaSkyeSays @Shoq He doesn't hate Obama, but he did disagree with some of Obama's foreign policies. He believe… https://t.co/lAP9l7fBwy", 'user.screen_name': 'KubeJ9'}, {'created_at': 'Sun Feb 11 23:13:50 +0000 2018', 'id': 962827044785676289, 'text': '@BarackObama Obama is from Chicago! Did the murder rate go up or down in his eight years in Washington?', 'user.screen_name': 'jonwoock'}, {'created_at': 'Sun Feb 11 23:13:50 +0000 2018', 'id': 962827044642897921, 'text': 'RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove…', 'user.screen_name': 'BRADALL76027393'}, {'created_at': 'Sun Feb 11 23:13:50 +0000 2018', 'id': 962827043648999425, 'text': 'RT @RVAwonk: Guy who falsely accused President Obama of a felony is suddenly concerned about false accusations. https://t.co/VBCuQmKh7N', 'user.screen_name': 'PatPattip860'}, {'created_at': 'Sun Feb 11 23:13:50 +0000 2018', 'id': 962827042965409792, 'text': 'RT @oxminaox: Snapchat didn’t suck while Obama was in office... just saying', 'user.screen_name': 'DevenMotley'}, {'created_at': 'Sun Feb 11 23:13:50 +0000 2018', 'id': 962827042872963072, 'text': 'RT @stand4honor: @4USASoldiers @CAoutcast @RoryGilligan1 @CothranVicky @jeeptec420 @Baby___Del @bronson69 @Seeds81Planting @ezrateach @Tabb…', 'user.screen_name': 'ElisAmerica1'}, {'created_at': 'Sun Feb 11 23:13:49 +0000 2018', 'id': 962827042256506880, 'text': 'RT @Chicago1Ray: " You, me... we own this Country. Politicians are employees of ours. And when somebody doesn\'t do the Job, We gotta let \'e…', 'user.screen_name': 'jeff_jamz'}, {'created_at': 'Sun Feb 11 23:13:49 +0000 2018', 'id': 962827039454588928, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'sexy702latina'}, {'created_at': 'Sun Feb 11 23:13:49 +0000 2018', 'id': 962827038666051584, 'text': '@joancichon @USAneedsTRUMP @RedaMor_ @realDonaldTrump @JohnKasich @WestervillePD Did you complain during Obama 10 t… https://t.co/W0r2mhB205', 'user.screen_name': 'jayracer440'}, {'created_at': 'Sun Feb 11 23:13:48 +0000 2018', 'id': 962827037844164608, 'text': "RT @carrieksada: Poll: Americans 'Overwhelmingly' Believe Obama 'Improperly Surveilled' Trump Campaign \n https://t.co/TVVpOkBUTT\n\n#CouldBea…", 'user.screen_name': 'rightyfrommont'}, {'created_at': 'Sun Feb 11 23:13:48 +0000 2018', 'id': 962827037089017856, 'text': 'RT @BJcrazyaunt: There is a reason Obama bought a house in a country that does not extradite. There is a reason Obama just hired 12 lawyers…', 'user.screen_name': '177618122016USA'}, {'created_at': 'Sun Feb 11 23:13:48 +0000 2018', 'id': 962827035251847169, 'text': 'RT @andersonDrLJA: #OBAMA & #HILLARY....2 OF THE GREATEST FRAUDS EVER PERPETRATED ON AMERICA......EVER! https://t.co/eFLCNCdNs1', 'user.screen_name': 'proudnana_3'}, {'created_at': 'Sun Feb 11 23:13:48 +0000 2018', 'id': 962827034790694913, 'text': 'RT @Fuctupmind: Pretty much everyone knew about the Steele Dossier.\n\nThe entire Obama admin.\nSid Blumenthal.\nHillary Clinton.\nLoretta Lynch…', 'user.screen_name': 'dwulke'}, {'created_at': 'Sun Feb 11 23:13:47 +0000 2018', 'id': 962827032747917312, 'text': 'RT @oxminaox: Snapchat didn’t suck while Obama was in office... just saying', 'user.screen_name': 'Clariiiiice'}, {'created_at': 'Sun Feb 11 23:13:47 +0000 2018', 'id': 962827030202060800, 'text': '@rcevat69 @JacobAWohl @realDonaldTrump I would like to hear the whole story on how Porter blames Obama for that! Pl… https://t.co/TRuGfyErbv', 'user.screen_name': 'WilliamEBraunJr'}, {'created_at': 'Sun Feb 11 23:13:47 +0000 2018', 'id': 962827030155821056, 'text': "RT @TeaPainUSA: Who does Fox News blame for Trump harborin' serial domestic abuser, Rob Porter? \n\nYou guessed it! The black guy!\n\nhttps:/…", 'user.screen_name': 'biegenci'}, {'created_at': 'Sun Feb 11 23:13:46 +0000 2018', 'id': 962827029493231617, 'text': 'RT @village_jordan: @sxdoc @realcorylynn @realDonaldTrump Iran and Obama and Valerie Jarrett \nhow close do you get..\nEvil Muslims in the WH…', 'user.screen_name': 'Brendag38323989'}, {'created_at': 'Sun Feb 11 23:13:46 +0000 2018', 'id': 962827029094785024, 'text': 'RT @mattmfm: Barack Obama was in the same room as Louis Farrakhan once and it caused a decades-long controversy. \n\nDonald Trump gave a shou…', 'user.screen_name': 'bluejay6537'}, {'created_at': 'Sun Feb 11 23:13:46 +0000 2018', 'id': 962827027526103042, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'prioleaustreet'}, {'created_at': 'Sun Feb 11 23:13:46 +0000 2018', 'id': 962827026380996609, 'text': 'RT @Maryland4Trump2: @realDonaldTrump How liberals view the stock market:\ud83d\udc47\n\n➖Up:\xa0\xa0Credit Obama\xa0\xa0\n➖Down:\xa0\xa0Blame Trump\xa0\xa0\n\nIt’s ok liberals...…', 'user.screen_name': 'dsshep1959'}, {'created_at': 'Sun Feb 11 23:13:46 +0000 2018', 'id': 962827026217381888, 'text': 'RT @ElderLansing: I will never respect the Ex Resident Coward Obama! He was a horrible leader and had numerous scandals overlooked because…', 'user.screen_name': 'Gregory52230449'}, {'created_at': 'Sun Feb 11 23:13:45 +0000 2018', 'id': 962827025416204288, 'text': '#MAGA #Patriot #Qanon #TheStormIsHere #GreatAwakening #AmericaFirst #WeThePeople #CCCTrain #TrumpsTroops \ud83c\uddfa\ud83c\uddf8 FACT; W… https://t.co/h9wfMO7gOo', 'user.screen_name': 'ChrissyUSA1'}, {'created_at': 'Sun Feb 11 23:13:45 +0000 2018', 'id': 962827024749420544, 'text': 'Hey Demorats your "MEMO" wasn\'t blocked,it was sent back to you to correct your screw up that you wanted in it or m… https://t.co/mkIJwiQMnw', 'user.screen_name': 'hwfranzjr'}, {'created_at': 'Sun Feb 11 23:13:45 +0000 2018', 'id': 962827023067398144, 'text': 'RT @SebGorka: The UNMASKING Scandal will prove to be much bigger than FISAGate or Watergate combined. \n\nTime to just call it what it is:…', 'user.screen_name': 'Anasoptora3'}, {'created_at': 'Sun Feb 11 23:13:45 +0000 2018', 'id': 962827022513958912, 'text': "RT @ChristiChat: OBAMA KNEW EVERYTHING\nOn Friday Sept 2, 2016\n67 days before America's\nPresidential Election\nFBI Lawyer Lisa Page\nsent a te…", 'user.screen_name': 'Chicago10th'}, {'created_at': 'Sun Feb 11 23:13:44 +0000 2018', 'id': 962827020853014530, 'text': 'RT @Education4Libs: The media is going nuts over Trump’s hair flapping in the wind which revealed part of his scalp.\n\nTell me again how thi…', 'user.screen_name': 'Deplorable_Didi'}, {'created_at': 'Sun Feb 11 23:13:44 +0000 2018', 'id': 962827019213066240, 'text': '@Tiffany1985B @jennyleesac30 @Obama_FOS Oh, I practice it frequently and still get stuff wrong! It gets hard for me… https://t.co/qzIrc2ks4q', 'user.screen_name': '___aniT___'}, {'created_at': 'Sun Feb 11 23:13:44 +0000 2018', 'id': 962827017858179072, 'text': 'RT @Frederick987: foxnews should be stopped. Enough . No Democratic country has to put up,with an anti democratic, non factual broadcasting…', 'user.screen_name': 'scubasylph49'}, {'created_at': 'Sun Feb 11 23:13:43 +0000 2018', 'id': 962827015320633345, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'stevetwiss'}, {'created_at': 'Sun Feb 11 23:13:43 +0000 2018', 'id': 962827014959960064, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'graycsam'}, {'created_at': 'Sun Feb 11 23:13:43 +0000 2018', 'id': 962827014741766145, 'text': "RT @AlexTJohansen: I saw a documentrary where Obama's Kenyan grandmother pointed out the hut he was born in.\n\nWeird.\n\nIt's almost like he w…", 'user.screen_name': 'AlexTJohansen'}, {'created_at': 'Sun Feb 11 23:13:42 +0000 2018', 'id': 962827011529027585, 'text': 'RT @brianklaas: You falsely alleged that Ted Cruz’s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos…', 'user.screen_name': 'SheerHubris'}, {'created_at': 'Sun Feb 11 23:13:42 +0000 2018', 'id': 962827011369480193, 'text': 'RT @watspn1013: \ud83d\udd25Obama-Backed, Holder-Led Group\ud83d\udd25 dedicated to "enacting a comprehensive, multi-cycle Democratic Party redistricting strateg…', 'user.screen_name': 'Snap_Politics'}, {'created_at': 'Sun Feb 11 23:13:42 +0000 2018', 'id': 962827008911781890, 'text': "RT @JohnFromCranber: America Dodged a Bullet. Hillary Would Have Been a '3rd Obama Term'. Alt-Left/Soros's Fundamental Transformation Woul…", 'user.screen_name': 'usedcars1995'}, {'created_at': 'Sun Feb 11 23:13:41 +0000 2018', 'id': 962827008660172800, 'text': 'RT @RyanAFournier: Do you believe the Obama Administration improperly and illegally surveilled the Trump Campaign? #SHARE', 'user.screen_name': 'dough43'}, {'created_at': 'Sun Feb 11 23:13:41 +0000 2018', 'id': 962827004755300352, 'text': '@AnthonyDiGrazio Think what he means is they could have done something properly (i.e. legislatively) But did nothin… https://t.co/5pxTMi7V1f', 'user.screen_name': 'PhillyFanForum'}, {'created_at': 'Sun Feb 11 23:13:40 +0000 2018', 'id': 962827004084215809, 'text': 'RT @thecharleschall: The rest of America is catching up to what we said 7 years ago: Obama is one of the worst presidents ever!\n\n“Americans…', 'user.screen_name': 'JeffW20762675'}, {'created_at': 'Sun Feb 11 23:13:40 +0000 2018', 'id': 962827002989498370, 'text': "RT @FiveRights: For 5 years Obama couldn't stop ISIS, couldn't even contain them.\nTrump, w same military, wiped out ISIS in 9 mos.\nO wasn't…", 'user.screen_name': 'Chriskl70208387'}, {'created_at': 'Sun Feb 11 23:13:40 +0000 2018', 'id': 962827002934804480, 'text': "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.…", 'user.screen_name': 'drwpuma'}, {'created_at': 'Sun Feb 11 23:13:40 +0000 2018', 'id': 962827001592778753, 'text': 'RT @Riff_Raff45: @EddieGriffinCom which budget did Obama balance? His checking account? I turned you off after 10 minutes. Sorry. I was a f…', 'user.screen_name': 'DrSchmalz'}, {'created_at': 'Sun Feb 11 23:13:40 +0000 2018', 'id': 962827001588584448, 'text': 'RT @mattmfm: Barack Obama was in the same room as Louis Farrakhan once and it caused a decades-long controversy. \n\nDonald Trump gave a shou…', 'user.screen_name': 'francie57'}, {'created_at': 'Sun Feb 11 23:13:40 +0000 2018', 'id': 962827000690884608, 'text': 'RT @FaceTheNation: .@RandPaul: We were very critical of President Obama’s deficits approaching a trillion dollars a year. We talked endless…', 'user.screen_name': 'bmain249'}, {'created_at': 'Sun Feb 11 23:13:39 +0000 2018', 'id': 962826999667474432, 'text': "Back in 2009, a NYTimes blogger is obsessed with Obama. She writes about having 'Sex Dreams' about Barack!! ... Yuc… https://t.co/mexl2E5E7c", 'user.screen_name': 'DragonForce_One'}, {'created_at': 'Sun Feb 11 23:13:39 +0000 2018', 'id': 962826999298486272, 'text': 'RT @TheNYevening: #Trump Sends Feds To Arrest #Obama Appointed Judge https://t.co/dZPMNBglSH https://t.co/luPGCQtyv7', 'user.screen_name': 'SUCCESSFULGGIRL'}, {'created_at': 'Sun Feb 11 23:13:39 +0000 2018', 'id': 962826998392545280, 'text': 'RT @oxminaox: Snapchat didn’t suck while Obama was in office... just saying', 'user.screen_name': '_teralynn_'}, {'created_at': 'Sun Feb 11 23:13:39 +0000 2018', 'id': 962826997461405696, 'text': '@CNN @VanJones68 He’s still 100 percent better then obama', 'user.screen_name': 'standaman218'}, {'created_at': 'Sun Feb 11 23:13:39 +0000 2018', 'id': 962826996689629186, 'text': 'RT @oxminaox: Snapchat didn’t suck while Obama was in office... just saying', 'user.screen_name': 'heyitsssaj'}, {'created_at': 'Sun Feb 11 23:13:38 +0000 2018', 'id': 962826996018540544, 'text': "@OmnivoreBlog @MaxBoot No. I don't think you owe me anything. I do think it's misleading to tweet that you're a car… https://t.co/sf3sE9s9QN", 'user.screen_name': 'DawnDCS92'}, {'created_at': 'Sun Feb 11 23:13:38 +0000 2018', 'id': 962826994911203329, 'text': 'RT @RyanAFournier: Do you believe the Obama Administration improperly and illegally surveilled the Trump Campaign? #SHARE', 'user.screen_name': 'harrowsand'}, {'created_at': 'Sun Feb 11 23:13:38 +0000 2018', 'id': 962826994214842368, 'text': 'RT @MatthewACherry: This Michelle Obama gif was from BET\'s "Love & Happiness" musical celebration at the White House honoring the Obamas.…', 'user.screen_name': 'Smoke_nd_Pearls'}, {'created_at': 'Sun Feb 11 23:13:38 +0000 2018', 'id': 962826993673887745, 'text': 'RT @Hoosiers1986: #FakeRelationshipFacts\n\nDEM voters are gullible fools!\n\nThey revere idiots like Obama, Schumer & Pelosi who COULD have pr…', 'user.screen_name': 'PhilMcCrackin44'}, {'created_at': 'Sun Feb 11 23:13:37 +0000 2018', 'id': 962826991614529536, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'kpjc57'}, {'created_at': 'Sun Feb 11 23:13:37 +0000 2018', 'id': 962826991371149312, 'text': '@amandanaude @1234bulldog @abiantes @IamMarkStephens @bellaace52 @realDonaldTrump \ud83e\udd23 Prez Obama regulations. Can you… https://t.co/0miYUDEKwT', 'user.screen_name': 'Inked_Buddhist'}, {'created_at': 'Sun Feb 11 23:13:37 +0000 2018', 'id': 962826989836128256, 'text': 'RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove…', 'user.screen_name': 'GinaWinter'}, {'created_at': 'Sun Feb 11 23:13:37 +0000 2018', 'id': 962826988778962944, 'text': "RT @jeffhauser: Donald Trump's hidden tax returns should have been a DEFINING ISSUE of 2017. \n\nInstead, Trump's tax returns discussed less…", 'user.screen_name': 'comeau6_paul'}, {'created_at': 'Sun Feb 11 23:13:37 +0000 2018', 'id': 962826988263280642, 'text': "RT @jh45123: This is Obama's birth certificate born in Kenya look for yourself Obama is a fraud his whole life is a fraud! https://t.co/aKf…", 'user.screen_name': 'G_Pond47'}, {'created_at': 'Sun Feb 11 23:13:36 +0000 2018', 'id': 962826986870763521, 'text': "RT @TheLastRefuge2: Andrew McCarthy admits he was wrong. Obama/Clinton's FISA-Gate is very real. The Grassley-Graham Memo proves it... htt…", 'user.screen_name': 'SharonK_s'}, {'created_at': 'Sun Feb 11 23:13:36 +0000 2018', 'id': 962826984173834240, 'text': 'RT @Maeve_Crowley: I only love my bed and Obama, I’m sorry', 'user.screen_name': 'mollygravy'}, {'created_at': 'Sun Feb 11 23:13:35 +0000 2018', 'id': 962826982361915392, 'text': 'RT @MOVEFORWARDHUGE: THE OBAMA ADMINISTRATION HOUSE OF CARDS\n\nIS ABOUT TO MEET GITMO BARS!\n\nWHEN THE MILITARY TRIBUNALS ARE DONE,\n\nAMERICA…', 'user.screen_name': 'shillelagh1'}, {'created_at': 'Sun Feb 11 23:13:35 +0000 2018', 'id': 962826981803884544, 'text': 'RT @EdKrassen: If Jeanine Pirro can blame Barack Obama for Rob Porter beating his wives, then I blame Jeanine Pirro for Donald Trump assaul…', 'user.screen_name': 'CrimeDefense'}, {'created_at': 'Sun Feb 11 23:13:35 +0000 2018', 'id': 962826980616998912, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'william_mendel'}, {'created_at': 'Sun Feb 11 23:13:35 +0000 2018', 'id': 962826980222734337, 'text': 'To Everyone who says that in the short amount of time in office, @realDonaldTrump has done more than @BarackObama d… https://t.co/2PLFfshWzK', 'user.screen_name': 'I_create_things'}, {'created_at': 'Sun Feb 11 23:13:35 +0000 2018', 'id': 962826979635597312, 'text': "RT @TuckerCarlson: Here's what is clear right now, the bottom line on what we've learned this week and the one thing worth remembering: The…", 'user.screen_name': 'Okay_kaykay_'}, {'created_at': 'Sun Feb 11 23:13:34 +0000 2018', 'id': 962826978209488898, 'text': 'RT @TheNYevening: Trump BLOWS THE LID Off Obama’s Phony Birth Certificate https://t.co/N19XzDzTvc https://t.co/HL8qmo6xhT', 'user.screen_name': 'GHallSAFC'}, {'created_at': 'Sun Feb 11 23:13:34 +0000 2018', 'id': 962826977689219074, 'text': "#twitter - Tweets About Obama's Facial Hair “Photo” Have Twitter So Damn Thirsty - Elite Daily… https://t.co/h3kGJFemTa", 'user.screen_name': 'Tw1tterDemise'}, {'created_at': 'Sun Feb 11 23:13:34 +0000 2018', 'id': 962826976036765696, 'text': 'RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader…', 'user.screen_name': 'Pam9291'}, {'created_at': 'Sun Feb 11 23:13:34 +0000 2018', 'id': 962826975743266816, 'text': 'With these faces I hope they are behind the camera: #HBO hires former Obama staffers to create specials ahead of m… https://t.co/4eDV17gFc4', 'user.screen_name': 'BruceMajors4DC'}, {'created_at': 'Sun Feb 11 23:13:34 +0000 2018', 'id': 962826975260958721, 'text': 'RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader…', 'user.screen_name': 'annebernstein64'}, {'created_at': 'Sun Feb 11 23:13:33 +0000 2018', 'id': 962826974795243520, 'text': 'RT @MichelleTrain79: Never forget @BarackObama invited Black Lives Matter to the White House. Obama praised the leaders and encouraged the…', 'user.screen_name': 'Raymoz50'}, {'created_at': 'Sun Feb 11 23:13:33 +0000 2018', 'id': 962826973759393794, 'text': "@ArthurSchwartz @michellemalkin So, how does CNN's view on fascism work again? \n\nI guess, they'd be happy if Obama… https://t.co/eVJ8X0FMVf", 'user.screen_name': 'JohnAdversary'}, {'created_at': 'Sun Feb 11 23:13:33 +0000 2018', 'id': 962826971242745856, 'text': 'RT @Chicago1Ray: " You, me... we own this Country. Politicians are employees of ours. And when somebody doesn\'t do the Job, We gotta let \'e…', 'user.screen_name': 'RitaLeach9'}, {'created_at': 'Sun Feb 11 23:13:32 +0000 2018', 'id': 962826970978570242, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'Electroman05'}, {'created_at': 'Sun Feb 11 23:13:32 +0000 2018', 'id': 962826969388847104, 'text': 'RT @miamijj48: Our fast-growing national debt is a toxic legacy for my generation \n\n$1 Trillion in debt is unacceptable-We need to continue…', 'user.screen_name': 'Carlstrasburge1'}, {'created_at': 'Sun Feb 11 23:13:31 +0000 2018', 'id': 962826966289141760, 'text': "RT @FiveRights: For 5 years Obama couldn't stop ISIS, couldn't even contain them.\nTrump, w same military, wiped out ISIS in 9 mos.\nO wasn't…", 'user.screen_name': 'carr_55'}, {'created_at': 'Sun Feb 11 23:13:31 +0000 2018', 'id': 962826965848739841, 'text': "RT @gymbeaux143: Yup! Along with MSNBC and NBC for certain. Look how they all played up Obama's visit with the COMMUNIST MURDERERS in Cuba…", 'user.screen_name': 'williamlharbuck'}, {'created_at': 'Sun Feb 11 23:13:31 +0000 2018', 'id': 962826964833841154, 'text': 'RT @dbongino: So now we know:\n-The Obama admin spied on the Trump team\n-Hillary’s campaign assisted in the effort\n-Russians assisted the Hi…', 'user.screen_name': 'jamievisser21'}, {'created_at': 'Sun Feb 11 23:13:31 +0000 2018', 'id': 962826963873353729, 'text': 'RT @jefftiedrich: Kellyanne Conway, because when I need facts grounded in reality I turn to a woman who accused Barack Obama of spying on t…', 'user.screen_name': 'learnpolsci'}, {'created_at': 'Sun Feb 11 23:13:30 +0000 2018', 'id': 962826962518659073, 'text': 'RT @Debradelai: @GenFlynn (29) When it came out thet this jewel of a journalist was clearing stories with Obama’s CIA before publication:…', 'user.screen_name': 'Lrod49'}, {'created_at': 'Sun Feb 11 23:13:30 +0000 2018', 'id': 962826959808950272, 'text': "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.…", 'user.screen_name': 'Tyger_Yang'}, {'created_at': 'Sun Feb 11 23:13:29 +0000 2018', 'id': 962826957288128513, 'text': 'What? And implicate OBAMA in this scandal?! Can’t do that.......yet. https://t.co/aNu8J4384J', 'user.screen_name': 'Randobot_Z'}, {'created_at': 'Sun Feb 11 23:13:29 +0000 2018', 'id': 962826957170896902, 'text': 'RT @cathibrgnr58: @LoriJac47135906 @SandraTXAS @ClintonM614 @LVNancy @JVER1 @Hoosiers1986 @GrizzleMeister @GaetaSusan @baalter @On_The_Hook…', 'user.screen_name': 'GramsStands'}, {'created_at': 'Sun Feb 11 23:13:29 +0000 2018', 'id': 962826956508225536, 'text': '@tedlieu The GOP would have had kittens if Obama did this. And they would have already drawn up impeachment papers… https://t.co/wnenCI4jxZ', 'user.screen_name': 'CliftRobbie'}, {'created_at': 'Sun Feb 11 23:13:29 +0000 2018', 'id': 962826954310406147, 'text': '@MSNBC #msnbc @NBC is really Hard UP. Backed into a corner they decide to fight back using Domestic Abuse & Securit… https://t.co/S0OWZwFPT4', 'user.screen_name': 'Writer_Big'}, {'created_at': 'Sun Feb 11 23:13:28 +0000 2018', 'id': 962826953966399488, 'text': '@chrislhayes Remind #OMB Director #Mulvaney that despite #GreatRecession, #Obama saved US from #Depression, brought… https://t.co/YsC7E1MzNG', 'user.screen_name': 'TravelFeatures'}, {'created_at': 'Sun Feb 11 23:13:28 +0000 2018', 'id': 962826953752563713, 'text': "@Will4Pres2020 @AlbertM17889786 @davidpom2000 @FoxNews @Franklin_Graham @POTUS Obama been in hiding. So you ain't reading much.", 'user.screen_name': 'MMchiefsquid'}, {'created_at': 'Sun Feb 11 23:13:28 +0000 2018', 'id': 962826953651838981, 'text': '@Franklin_Graham @FoxNews @foxandfriends So far, Graham & @SamaritansPurse have accepted $235K from Trump, some whi… https://t.co/FECmgFiXBJ', 'user.screen_name': 'Tribulation7'}, {'created_at': 'Sun Feb 11 23:13:28 +0000 2018', 'id': 962826950766194688, 'text': 'RT @realDonaldTrump: “My view is that not only has Trump been vindicated in the last several weeks about the mishandling of the Dossier and…', 'user.screen_name': 'JohnPaulSimpso2'}, {'created_at': 'Sun Feb 11 23:13:28 +0000 2018', 'id': 962826950376124416, 'text': "Former Obama campaign manager says 'all public pollsters should be shot' https://t.co/a7pHbTsSBq #FoxNews", 'user.screen_name': 'SilverFoxOO7'}, {'created_at': 'Sun Feb 11 23:13:27 +0000 2018', 'id': 962826949910462465, 'text': "RT @MplsMe: Wall can't stop MS-13 because it started in Los Angeles, and is well-established in US. Many US citizens are members. Wall won'…", 'user.screen_name': 'jennah_justen'}, {'created_at': 'Sun Feb 11 23:13:27 +0000 2018', 'id': 962826949877002241, 'text': 'RT @MOVEFORWARDHUGE: THE OBAMA ADMINISTRATION HOUSE OF CARDS\n\nIS ABOUT TO MEET GITMO BARS!\n\nWHEN THE MILITARY TRIBUNALS ARE DONE,\n\nAMERICA…', 'user.screen_name': 'DavesSpataro'}, {'created_at': 'Sun Feb 11 23:13:27 +0000 2018', 'id': 962826949415653377, 'text': '@realDonaldTrump \n\nUm are you smoking weed cos you are definitely NOT more popular than Obama... it should skip fro… https://t.co/9cjMQBiRmJ', 'user.screen_name': '111AdVictoriam'}, {'created_at': 'Sun Feb 11 23:13:27 +0000 2018', 'id': 962826949033803776, 'text': 'RT @AynRandPaulRyan: Fox News host Jeanine Pirro, inexplicably and yet somehow predictably, blames Barack Obama for Rob Porter wife-beating…', 'user.screen_name': 'CrimeDefense'}, {'created_at': 'Sun Feb 11 23:13:27 +0000 2018', 'id': 962826948673228800, 'text': 'RT @JrcheneyJohn: Obama’s Department Of Justice was Politically Biased And they Politicized That BIAS to Attack Conservatives \n\n#MAGA #Frid…', 'user.screen_name': 'Hillbilly45638'}, {'created_at': 'Sun Feb 11 23:13:27 +0000 2018', 'id': 962826948480262144, 'text': '@dcexaminer Good. More Obama people leaving', 'user.screen_name': 'Kelly2Teresa'}, {'created_at': 'Sun Feb 11 23:13:27 +0000 2018', 'id': 962826948236972038, 'text': '@jlflorida14 @Richard2015200 @DMansini Obama said this in October 2016. Please watch the video\nhttps://t.co/nOmqtqxgHI', 'user.screen_name': 'brian_dutch'}, {'created_at': 'Sun Feb 11 23:13:27 +0000 2018', 'id': 962826947226144768, 'text': 'RT @miamijj48: Our fast-growing national debt is a toxic legacy for my generation \n\n$1 Trillion in debt is unacceptable-We need to continue…', 'user.screen_name': 'bswerdon'}, {'created_at': 'Sun Feb 11 23:13:27 +0000 2018', 'id': 962826946349621248, 'text': 'Do you guys remember how much shit Obama talked openly & derisively about the repubs when they locked arms to go wh… https://t.co/1LNc6mDYdK', 'user.screen_name': 'imtanjab'}, {'created_at': 'Sun Feb 11 23:13:27 +0000 2018', 'id': 962826946303479808, 'text': "It's time to drop the DOUBLE Standard of the Laws against Obama and Hillary Clinton. And it's time to give equal Ju… https://t.co/2DQz8WDwm1", 'user.screen_name': '62seabee'}, {'created_at': 'Sun Feb 11 23:13:27 +0000 2018', 'id': 962826946261409792, 'text': 'RT @JalenSkutt: Barack Obama https://t.co/Z91o7bG2EH', 'user.screen_name': 'Babypaige2012'}, {'created_at': 'Sun Feb 11 23:13:27 +0000 2018', 'id': 962826946186043392, 'text': 'RT @stand4honor: @4USASoldiers @CAoutcast @RoryGilligan1 @CothranVicky @jeeptec420 @Baby___Del @bronson69 @Seeds81Planting @ezrateach @Tabb…', 'user.screen_name': 'DonDonsmith007'}, {'created_at': 'Sun Feb 11 23:13:26 +0000 2018', 'id': 962826945548443654, 'text': "RT @FiveRights: For 5 years Obama couldn't stop ISIS, couldn't even contain them.\nTrump, w same military, wiped out ISIS in 9 mos.\nO wasn't…", 'user.screen_name': 'momofhornnhalos'}, {'created_at': 'Sun Feb 11 23:13:26 +0000 2018', 'id': 962826945280045056, 'text': 'RT @Bakari_Sellers: Fox News viewers believe its Obama’s fault Rob Porter beat his wives. https://t.co/5y8wPzWLOu', 'user.screen_name': 'rasssalgc'}, {'created_at': 'Sun Feb 11 23:13:26 +0000 2018', 'id': 962826944961064961, 'text': 'RT @joncoopertweets: Sure, @realDonaldTrump is a lying, corrupt, racist, traitorous imbecile who defends white supremacists, Nazis, wife be…', 'user.screen_name': 'kats_horsemen'}, {'created_at': 'Sun Feb 11 23:13:26 +0000 2018', 'id': 962826944474595328, 'text': 'RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader…', 'user.screen_name': 'mizwalliz'}, {'created_at': 'Sun Feb 11 23:13:26 +0000 2018', 'id': 962826942125715456, 'text': 'RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,…', 'user.screen_name': 'sofiegeorge'}, {'created_at': 'Sun Feb 11 23:13:25 +0000 2018', 'id': 962826940792082433, 'text': 'RT @Imperator_Rex3: Important thread focussing on how the criminals used a foreign intelligence service (GCHQ) to inject the dodgy dossier…', 'user.screen_name': 'PurpleDragon333'}, {'created_at': 'Sun Feb 11 23:13:25 +0000 2018', 'id': 962826940481703938, 'text': 'RT @kylegriffin1: A comparison of the S&P 500 under Obama and Trump during the same period in their presidencies shows better performance u…', 'user.screen_name': 'Hops_a_Chord'}, {'created_at': 'Sun Feb 11 23:13:25 +0000 2018', 'id': 962826939357716481, 'text': 'RT @msue1000: Jeanine Pirro ~~> This cross-eyed lunatic is placing blame on President Obama for Rob Porter abuse scandal. I guess Hillary C…', 'user.screen_name': 'Fearless211314'}, {'created_at': 'Sun Feb 11 23:13:24 +0000 2018', 'id': 962826937407361024, 'text': "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.…", 'user.screen_name': 'SeeNacks'}, {'created_at': 'Sun Feb 11 23:13:24 +0000 2018', 'id': 962826937075949568, 'text': 'RT @MarkRocon: Obama, the Marxist and Chief, shoving his brand of Socialism down our throats. https://t.co/qshHa0XAcF', 'user.screen_name': 'carlislecockato'}, {'created_at': 'Sun Feb 11 23:13:24 +0000 2018', 'id': 962826934018289664, 'text': 'This is so not true!! Obama is the one who brought racism to the surface again and President Trump is trying to fix… https://t.co/RkPLYnX2JM', 'user.screen_name': 'accmomcat'}, {'created_at': 'Sun Feb 11 23:13:24 +0000 2018', 'id': 962826933544218625, 'text': 'RT @essenviews: Sarah Huckabee Sanders is one of the officials who is spreading the false smear that Obama didn’t call Gen. John Kelly afte…', 'user.screen_name': 'dupergramp'}, {'created_at': 'Sun Feb 11 23:13:24 +0000 2018', 'id': 962826933380591616, 'text': "RT @MichelleTrain79: Don't forget Obama sent his cronies to three funerals and never sent one to kate's funeral https://t.co/mnOfzmIFqF", 'user.screen_name': 'Raymoz50'}, {'created_at': 'Sun Feb 11 23:13:23 +0000 2018', 'id': 962826930587389952, 'text': 'RT @FiveRights: Laura Ingraham on Fox: Why did George W. Bush refuse to criticize Obama even when O screwed up badly but he often criticize…', 'user.screen_name': 'jjmac59'}, {'created_at': 'Sun Feb 11 23:13:23 +0000 2018', 'id': 962826929291358214, 'text': 'RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,…', 'user.screen_name': 'auntiejul'}, {'created_at': 'Sun Feb 11 23:13:22 +0000 2018', 'id': 962826928896983040, 'text': 'RT @EdKrassen: If Jeanine Pirro can blame Barack Obama for Rob Porter beating his wives, then I blame Jeanine Pirro for Donald Trump assaul…', 'user.screen_name': 'BettyArtLemus1'}, {'created_at': 'Sun Feb 11 23:13:22 +0000 2018', 'id': 962826928255307783, 'text': "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.…", 'user.screen_name': 'FchubayFred'}, {'created_at': 'Sun Feb 11 23:13:22 +0000 2018', 'id': 962826927995326464, 'text': 'RT @sdc0911: \ud83d\udd25Clinton and Obama\ud83d\udd25Two people’s \ud83d\ude21NAMES\ud83d\ude21 that are ENOUGH❌❌TO PISS YOU OFF‼️\ud83d\ude21#LockThemUp\ud83d\udca5#ClintonCrimeFamily \ud83d\udca5#ObamaGateExposed…', 'user.screen_name': 'jen4trump1'}, {'created_at': 'Sun Feb 11 23:13:22 +0000 2018', 'id': 962826926074155009, 'text': 'RT @thestationchief: The Truth will out, eventually...\n\nNo suprise that Obama, who Lives in DC, has been keeping a low profile lately....…', 'user.screen_name': 'mrmatt408'}, {'created_at': 'Sun Feb 11 23:13:21 +0000 2018', 'id': 962826924358762497, 'text': 'RT @KaniJJackson: This is just your daily reminder that Barack Obama did not have 1 scandal or allegation against him during his time in th…', 'user.screen_name': 'lyarmosky1'}, {'created_at': 'Sun Feb 11 23:13:21 +0000 2018', 'id': 962826923444441088, 'text': 'RT @brianklaas: You falsely alleged that Ted Cruz’s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos…', 'user.screen_name': 'J_DCB'}, {'created_at': 'Sun Feb 11 23:13:20 +0000 2018', 'id': 962826920487456770, 'text': "RT @TuckerCarlson: Here's what is clear right now, the bottom line on what we've learned this week and the one thing worth remembering: The…", 'user.screen_name': 'EdHarvey55'}, {'created_at': 'Sun Feb 11 23:13:20 +0000 2018', 'id': 962826919778639872, 'text': 'RT @Hoosiers1986: #FakeRelationshipFacts\n\nDEM voters are gullible fools!\n\nThey revere idiots like Obama, Schumer & Pelosi who COULD have pr…', 'user.screen_name': 'couerfidele'}, {'created_at': 'Sun Feb 11 23:13:20 +0000 2018', 'id': 962826919090835457, 'text': 'RT @JudicialWatch: Reminder: JW found evidence showing Obama State Dept under John Kerry sent its own "dossier" of classified info on Russi…', 'user.screen_name': 'jb19tele'}, {'created_at': 'Sun Feb 11 23:13:20 +0000 2018', 'id': 962826918977507330, 'text': 'RT @Pink_About_it: The real question about fake dossier is not IF #Fisa warrant is now a widely known retroactive cover up, but rather, wha…', 'user.screen_name': 'RitaLeach9'}, {'created_at': 'Sun Feb 11 23:13:20 +0000 2018', 'id': 962826918633484288, 'text': 'RT @conserv_tribune: It\'s incredible how fast Obama\'s "legacy" is collapsing. https://t.co/q1fK0zCVsO', 'user.screen_name': 'Sonorandesertra'}, {'created_at': 'Sun Feb 11 23:13:20 +0000 2018', 'id': 962826917689913344, 'text': 'RT @Fuctupmind: Pretty much everyone knew about the Steele Dossier.\n\nThe entire Obama admin.\nSid Blumenthal.\nHillary Clinton.\nLoretta Lynch…', 'user.screen_name': 'GrantJanzen'}, {'created_at': 'Sun Feb 11 23:13:20 +0000 2018', 'id': 962826916846866432, 'text': "@FoxNews FROM A HAS BEEN ACTOR ,THAT'S FUNNY. LIBERALS HATE THAT TRUMP DID IN 1 YEAR WHAT OBAMA FAILED TO DO IN A\n8… https://t.co/M056RU9A1s", 'user.screen_name': 'PoppopktruckPop'}, {'created_at': 'Sun Feb 11 23:13:19 +0000 2018', 'id': 962826915924135936, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'PattyxB'}, {'created_at': 'Sun Feb 11 23:13:19 +0000 2018', 'id': 962826915827671040, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'circumspectus'}, {'created_at': 'Sun Feb 11 23:13:19 +0000 2018', 'id': 962826914821017600, 'text': 'RT @jcpenni7maga: I am dropping my #HBO subscription after hearing about this BS\ud83e\udd2c\ud83e\udd2c\ud83e\udd2cand you should too!\n\nHBO - #HomeBoxOffice is hiring #Oba…', 'user.screen_name': 'S25040459'}, {'created_at': 'Sun Feb 11 23:13:19 +0000 2018', 'id': 962826914544209920, 'text': 'RT @mattmfm: Barack Obama was in the same room as Louis Farrakhan once and it caused a decades-long controversy. \n\nDonald Trump gave a shou…', 'user.screen_name': 'annejowrites'}, {'created_at': 'Sun Feb 11 23:13:19 +0000 2018', 'id': 962826912547536896, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'DrJudyOhmer'}, {'created_at': 'Sun Feb 11 23:13:18 +0000 2018', 'id': 962826911897530368, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'AColorfulBrain'}, {'created_at': 'Sun Feb 11 23:13:18 +0000 2018', 'id': 962826911796858881, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'JPrekoski'}, {'created_at': 'Sun Feb 11 23:13:18 +0000 2018', 'id': 962826911301980161, 'text': 'RT @GrrrGraphics: "In the Head of Hillary" #BenGarrison #cartoon \nSomeone asked me why I draw so many #Obama & #Hillary cartoons. \nread mor…', 'user.screen_name': 'jared96540410'}, {'created_at': 'Sun Feb 11 23:13:18 +0000 2018', 'id': 962826911201206274, 'text': 'RT @MichelleTrain79: #Obama best friends. Says a lot about obama. https://t.co/jnFAx8bGAJ', 'user.screen_name': 'Raymoz50'}, {'created_at': 'Sun Feb 11 23:13:18 +0000 2018', 'id': 962826911159287808, 'text': 'RT @Chicago1Ray: " You, me... we own this Country. Politicians are employees of ours. And when somebody doesn\'t do the Job, We gotta let \'e…', 'user.screen_name': 'RLee50608689'}, {'created_at': 'Sun Feb 11 23:13:18 +0000 2018', 'id': 962826910060355584, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'Reggievm'}, {'created_at': 'Sun Feb 11 23:13:18 +0000 2018', 'id': 962826909603319808, 'text': '@Clark408 @realDonaldTrump Better than it did under obama', 'user.screen_name': 'Davidalandavis3'}, {'created_at': 'Sun Feb 11 23:13:18 +0000 2018', 'id': 962826909536067584, 'text': 'RT @HrrEerrer: Maybe Kelly didn’t know because it didn’t happen. How many times did obama say he found out when a scandal hit the press? Be…', 'user.screen_name': 'Bob42746'}, {'created_at': 'Sun Feb 11 23:13:18 +0000 2018', 'id': 962826909498437632, 'text': 'RT @DTrumpPoll: Do you think @realDonaldTrump was vicitmized by the Obama Administration, or were investigations in to ties with Russia jus…', 'user.screen_name': 'Maniacus'}, {'created_at': 'Sun Feb 11 23:13:17 +0000 2018', 'id': 962826906679894017, 'text': '@realDonaldTrump Thanks Obama - thanks to Trump we can play now and pay later - back to roaring 20’s', 'user.screen_name': 'jccalabrese'}, {'created_at': 'Sun Feb 11 23:13:17 +0000 2018', 'id': 962826906650361857, 'text': 'RT @dailykos: Budget-busting deal shows that Barack Obama was much better at business than Trump https://t.co/N9OWwlHjwL', 'user.screen_name': '9Gweedo'}, {'created_at': 'Sun Feb 11 23:13:17 +0000 2018', 'id': 962826906524704769, 'text': 'RT @FiveRights: Laura Ingraham on Fox: Why did George W. Bush refuse to criticize Obama even when O screwed up badly but he often criticize…', 'user.screen_name': 'kattywompas1'}, {'created_at': 'Sun Feb 11 23:13:17 +0000 2018', 'id': 962826903882223616, 'text': 'RT @PatriotHole: Eerie: This Compilation Proves That A Lone Seagull Has Been Following Obama Everywhere For Years https://t.co/6kbWOv3BeI', 'user.screen_name': 'SquillyWonka'}, {'created_at': 'Sun Feb 11 23:13:16 +0000 2018', 'id': 962826903412400128, 'text': '@RepPeteKing @RandPaul You called out Obama as not being Presidential because he wore a tan suit yet I believe call… https://t.co/grVcyrJTfB', 'user.screen_name': 'vanithaj11'}, {'created_at': 'Sun Feb 11 23:13:16 +0000 2018', 'id': 962826902770733058, 'text': '@TeaPainUSA @realDonaldTrump @BarackObama PRESIDENT OBAMA WASNT ALWAYS RIGHT ABOUT EVERYTHING NO ONE EVER IS BUT TR… https://t.co/B3CsDJZp6T', 'user.screen_name': 'pootsie01'}, {'created_at': 'Sun Feb 11 23:13:16 +0000 2018', 'id': 962826902217076736, 'text': "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.…", 'user.screen_name': 'Sean_Tillery23'}, {'created_at': 'Sun Feb 11 23:13:16 +0000 2018', 'id': 962826902053453824, 'text': 'RT @GartrellLinda: American Public Opinion Finally Turns on Obama Admin Overwhelmingly\nJanuary Investors Daily Poll: 55% believe @POTUS ove…', 'user.screen_name': 'mtaft48'}, {'created_at': 'Sun Feb 11 23:13:16 +0000 2018', 'id': 962826901914923008, 'text': '@Maycatyll1 @CaravellaBeth @SAAR1980 @fourtwentytoday @us_poll @hogwarts7777777 @TAKEURLANDBACK @EveTweets… https://t.co/nGVjhjPdWI', 'user.screen_name': 'cybervoyager'}, {'created_at': 'Sun Feb 11 23:13:16 +0000 2018', 'id': 962826901889921024, 'text': 'RT @realDonaldTrump: “My view is that not only has Trump been vindicated in the last several weeks about the mishandling of the Dossier and…', 'user.screen_name': 'JustinPell03'}, {'created_at': 'Sun Feb 11 23:13:16 +0000 2018', 'id': 962826900836986880, 'text': 'RT @KNP2BP: @Thom_Thom9 #Feinstein is WRONG on every issue\n\nSides w/Palestine to make it appear Israel is the aggressor rather than victim…', 'user.screen_name': 'RLPolk3'}, {'created_at': 'Sun Feb 11 23:13:16 +0000 2018', 'id': 962826899918553089, 'text': 'RT @brianklaas: You falsely alleged that Ted Cruz’s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos…', 'user.screen_name': 'RahamanMD'}, {'created_at': 'Sun Feb 11 23:13:15 +0000 2018', 'id': 962826898492547077, 'text': 'RT @ElderLansing: I will never respect the Ex Resident Coward Obama! He was a horrible leader and had numerous scandals overlooked because…', 'user.screen_name': 'wsaideh74'}, {'created_at': 'Sun Feb 11 23:13:14 +0000 2018', 'id': 962826893312577539, 'text': 'RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader…', 'user.screen_name': 'micket123'}, {'created_at': 'Sun Feb 11 23:13:14 +0000 2018', 'id': 962826892872159232, 'text': '@Exile714 @2021_free @realDonaldTrump Obama & dems tried to change it, Republicans stonewalled it, as they held congress!', 'user.screen_name': 'JLily10303'}, {'created_at': 'Sun Feb 11 23:13:14 +0000 2018', 'id': 962826892238782465, 'text': "Watching @Marcshort45 try to vaguely blame Obama for wife beater Rob Porter's clearance on Meet The Press is really something else", 'user.screen_name': 'Kip_PR'}, {'created_at': 'Sun Feb 11 23:13:13 +0000 2018', 'id': 962826889579630592, 'text': 'RT @PamelaGeller: Obama provided Iran with stealth drone that penetrated Israel’s border https://t.co/pQqaiwDeSN https://t.co/rJuFUggwZl', 'user.screen_name': 'williamgardanis'}, {'created_at': 'Sun Feb 11 23:13:13 +0000 2018', 'id': 962826888749166595, 'text': 'RT @brianklaas: You falsely alleged that Ted Cruz’s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos…', 'user.screen_name': 'pwykoff'}, {'created_at': 'Sun Feb 11 23:13:13 +0000 2018', 'id': 962826888417865735, 'text': 'RT @mattmfm: Barack Obama was in the same room as Louis Farrakhan once and it caused a decades-long controversy. \n\nDonald Trump gave a shou…', 'user.screen_name': 'CareBear_Kara'}, {'created_at': 'Sun Feb 11 23:13:13 +0000 2018', 'id': 962826888094855168, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'moonbeam_0416'}, {'created_at': 'Sun Feb 11 23:13:12 +0000 2018', 'id': 962826886345822208, 'text': 'RT @retireleo: Obama knew! Damning texts surface that name Barack Obama in corrupt exoneration of Hillary Clinton and her illegal email ser…', 'user.screen_name': 'ARRESTBHO'}, {'created_at': 'Sun Feb 11 23:13:12 +0000 2018', 'id': 962826885473370112, 'text': '@foxandfriends @Nigel_Farage Soros is a socialist and communist. He and a couple his wealthy cronies tried to take… https://t.co/YlMGsysCJs', 'user.screen_name': 'john_jcedwards'}, {'created_at': 'Sun Feb 11 23:13:12 +0000 2018', 'id': 962826884387082241, 'text': 'RT @PoliticalShort: When did Obama’s CIA Director John Brennan begin his “investigation” of Trump? Brennan has some questions he needs to a…', 'user.screen_name': 'josephbenning'}, {'created_at': 'Sun Feb 11 23:13:12 +0000 2018', 'id': 962826883623673856, 'text': 'RT @oxminaox: Snapchat didn’t suck while Obama was in office... just saying', 'user.screen_name': 'bigdaddycaddy2'}, {'created_at': 'Sun Feb 11 23:13:12 +0000 2018', 'id': 962826883292266496, 'text': 'RT @TeaPainUSA: FUN FACTS: DACA was established by the Obama Administration in June 2012 and RESCINDED by the Trump Administration in Sept…', 'user.screen_name': 'Blackswan725'}, {'created_at': 'Sun Feb 11 23:13:12 +0000 2018', 'id': 962826883141455877, 'text': 'RT @CraigRozniecki: "Fox News host Jeanine Pirro blames Barack Obama for Rob Porter wife-beating scandal" - https://t.co/lxGf4GPCmu', 'user.screen_name': 'ILoveBernie1'}, {'created_at': 'Sun Feb 11 23:13:11 +0000 2018', 'id': 962826881228619777, 'text': 'RT @edgecrusher23: DEA Agent Notices $200,000,000 in Cars Being Shipped into South Africa by Obama Admin. as Drug Money flows to American B…', 'user.screen_name': 'Justice41ca'}, {'created_at': 'Sun Feb 11 23:13:11 +0000 2018', 'id': 962826881123962880, 'text': 'RT @ChristieC733: When is #Obama going to update his bio from President to to former or 44th president? \n\n#TrumpIsYourPresident \n#GetOverIt…', 'user.screen_name': 'laearle'}, {'created_at': 'Sun Feb 11 23:13:11 +0000 2018', 'id': 962826879874097153, 'text': 'RT @mattmfm: Barack Obama was in the same room as Louis Farrakhan once and it caused a decades-long controversy. \n\nDonald Trump gave a shou…', 'user.screen_name': 'jlastivka'}, {'created_at': 'Sun Feb 11 23:13:11 +0000 2018', 'id': 962826879836262406, 'text': '@algonman77 @saderman @LarryCoppock1 @realDonaldTrump June 15, 2012 - President Obama Signs DACA to Allow Some Undo… https://t.co/g0sbxf9jD6', 'user.screen_name': 'SaintlyCitySue'}, {'created_at': 'Sun Feb 11 23:13:11 +0000 2018', 'id': 962826879261691905, 'text': 'RT @sujkar: @DeeptiSathe @NancyPelosi @SenatorDurbin @NancyPelosi @chuckschumer @SenateDems Legal Tax Paying immigrants have supported Dems…', 'user.screen_name': 'RashGC'}, {'created_at': 'Sun Feb 11 23:13:10 +0000 2018', 'id': 962826878569668608, 'text': '@SugarBearJohnW @thehill Mean spirited is what your brutal N. Korean friends did to an American student. Sorry no s… https://t.co/5Qns4fJ4ZX', 'user.screen_name': 'truthsquad123'}, {'created_at': 'Sun Feb 11 23:13:10 +0000 2018', 'id': 962826878481416192, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'CDFREEIII'}, {'created_at': 'Sun Feb 11 23:13:10 +0000 2018', 'id': 962826876518625280, 'text': 'RT @SebGorka: The UNMASKING Scandal will prove to be much bigger than FISAGate or Watergate combined. \n\nTime to just call it what it is:…', 'user.screen_name': 'earle_ella'}, {'created_at': 'Sun Feb 11 23:13:10 +0000 2018', 'id': 962826876258365440, 'text': "RT @jeffhauser: Donald Trump's hidden tax returns should have been a DEFINING ISSUE of 2017. \n\nInstead, Trump's tax returns discussed less…", 'user.screen_name': 'kate_hawkins776'}, {'created_at': 'Sun Feb 11 23:13:10 +0000 2018', 'id': 962826875591634946, 'text': '@Keeu19 @qlc_1983 @mrscynthia88 @realDonaldTrump Will somebody tell me wtf has Trump done other than piggy back on… https://t.co/4XfNGGtVLi', 'user.screen_name': 'sine_nomine88'}, {'created_at': 'Sun Feb 11 23:13:10 +0000 2018', 'id': 962826875532972032, 'text': 'RT @kylegriffin1: A comparison of the S&P 500 under Obama and Trump during the same period in their presidencies shows better performance u…', 'user.screen_name': 'jaquelinehogreb'}, {'created_at': 'Sun Feb 11 23:13:10 +0000 2018', 'id': 962826875486818305, 'text': '@ricardo_de_anda Melania Trump only follows 5 people Pres. Obama is one of them!', 'user.screen_name': 'kling_barbara'}, {'created_at': 'Sun Feb 11 23:13:10 +0000 2018', 'id': 962826875109179392, 'text': 'Saddest eBay item of the day: Obama/Grateful Dead/Star Wars acid blotter paper. https://t.co/ZykCLdXZ1E https://t.co/qSUHeFn2js', 'user.screen_name': 'patrick_brice'}, {'created_at': 'Sun Feb 11 23:13:10 +0000 2018', 'id': 962826874966675456, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'ImBlest247'}, {'created_at': 'Sun Feb 11 23:13:09 +0000 2018', 'id': 962826873469308928, 'text': 'RT @C_3MAGA: We’re witnessing a battle between GOOD & EVIL for the survival of the USA.\n\nGOOD\nTrump\nRogers\nSessions\nWray\nNunes\nGrassley\nGoo…', 'user.screen_name': 'gns1013'}, {'created_at': 'Sun Feb 11 23:13:09 +0000 2018', 'id': 962826873431609344, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'Ludi2shoes'}, {'created_at': 'Sun Feb 11 23:13:09 +0000 2018', 'id': 962826872039100417, 'text': '@DavidTurley4 @tangncallie @RepAdamSchiff Grow up telling them how great Killary and Obama were and how awful Trump… https://t.co/H2gMbWoAT0', 'user.screen_name': 'Heraldthehedge'}, {'created_at': 'Sun Feb 11 23:13:09 +0000 2018', 'id': 962826871426682880, 'text': 'RT @Bakari_Sellers: Fox News viewers believe its Obama’s fault Rob Porter beat his wives. https://t.co/5y8wPzWLOu', 'user.screen_name': 'EhrenreichAlex'}, {'created_at': 'Sun Feb 11 23:13:08 +0000 2018', 'id': 962826869707075585, 'text': 'RT cathibrgnr58: LoriJac47135906 SandraTXAS ClintonM614 LVNancy JVER1 Hoosiers1986 GrizzleMeister GaetaSusan baalte… https://t.co/E8wrrD3odp', 'user.screen_name': 'realityblow'}, {'created_at': 'Sun Feb 11 23:13:08 +0000 2018', 'id': 962826868448813056, 'text': 'RT @RealJack: It’s not looking good for the Democrats.\n\nPOLL: Majority of Americans Believe Obama SPIED on Trump Campaign https://t.co/dC30…', 'user.screen_name': 'salinas_m123'}, {'created_at': 'Sun Feb 11 23:13:08 +0000 2018', 'id': 962826867773407232, 'text': '@kscdc @MAGAPILL @realDonaldTrump Thank you President Obama for keeping America safe, for getting us out of a reces… https://t.co/biV4JzKFVb', 'user.screen_name': 'Ailia88248158'}, {'created_at': 'Sun Feb 11 23:13:08 +0000 2018', 'id': 962826866305437696, 'text': 'I hate who ever photoshopped an earring on obama lol https://t.co/7jZEIGbjDO', 'user.screen_name': 'axnxnxa_'}, {'created_at': 'Sun Feb 11 23:13:07 +0000 2018', 'id': 962826865672060928, 'text': 'RT @jhershour: @realDonaldTrump And President Obama signed an executive order in 2012 to support DACA. You signed an executive order in 201…', 'user.screen_name': 'WalkerWorlde'}, {'created_at': 'Sun Feb 11 23:13:07 +0000 2018', 'id': 962826864011173888, 'text': 'I think that we are agreeing.\n\ud83e\udd14@jerp163 my personal belief is that Obama did more to hurt America and help foreign… https://t.co/SlX4a7m86u', 'user.screen_name': 'FortkampValerie'}, {'created_at': 'Sun Feb 11 23:13:07 +0000 2018', 'id': 962826863520440322, 'text': 'RT @jefftiedrich: Kellyanne Conway, because when I need facts grounded in reality I turn to a woman who accused Barack Obama of spying on t…', 'user.screen_name': 'c2015_rafael'}, {'created_at': 'Sun Feb 11 23:13:07 +0000 2018', 'id': 962826863273037824, 'text': 'RT @joncoopertweets: Setting aside Donald Trump’s minor scandals — such as Trump’s conspiracy with Russia, obstruction of justice, politica…', 'user.screen_name': 'NancyRo45542024'}, {'created_at': 'Sun Feb 11 23:13:07 +0000 2018', 'id': 962826863222640641, 'text': 'RT @NewtTrump: Newt Gingrich: "Let me just point out how sick the elite media is — they report all that as though it’s something bad about…', 'user.screen_name': 'NanaOxford'}, {'created_at': 'Sun Feb 11 23:13:06 +0000 2018', 'id': 962826861800763392, 'text': 'RT @unscriptedmike: Ex-Obama State Official Jonathan Winer admits passing dossier to Kerry & info from Sid Blumenthal to Steele.\n\nHe “admit…', 'user.screen_name': 'FrankVespa1'}, {'created_at': 'Sun Feb 11 23:13:06 +0000 2018', 'id': 962826860429266944, 'text': 'RT @GartrellLinda: Obama Official Johnathan Winer: I Passed Clinton Lies to Steele That Were Used Against Trump Now the #ObamaGate scandal…', 'user.screen_name': 'LizzyBB10'}, {'created_at': 'Sun Feb 11 23:13:06 +0000 2018', 'id': 962826859217010688, 'text': 'RT @mattmfm: Barack Obama was in the same room as Louis Farrakhan once and it caused a decades-long controversy. \n\nDonald Trump gave a shou…', 'user.screen_name': 'ElianaT_CA'}, {'created_at': 'Sun Feb 11 23:13:06 +0000 2018', 'id': 962826859191955456, 'text': "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.…", 'user.screen_name': 'NickiiBloom'}, {'created_at': 'Sun Feb 11 23:13:06 +0000 2018', 'id': 962826857937887232, 'text': '@cyanideann @BarackObama @POTUS Obama started the dam daca program illegally with his pen remember???', 'user.screen_name': 'RayWeinkauf'}, {'created_at': 'Sun Feb 11 23:13:05 +0000 2018', 'id': 962826856046186496, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'NancyCatalano6'}, {'created_at': 'Sun Feb 11 23:13:05 +0000 2018', 'id': 962826855932981248, 'text': 'RT @KrisParonto: We also didn’t use the @FBI @CIA and @NSAGov to spy on @realDonaldTrump either.......isn’t that what you said to Chris Wal…', 'user.screen_name': 'Mayauk1219'}, {'created_at': 'Sun Feb 11 23:13:05 +0000 2018', 'id': 962826855001726976, 'text': 'RT @ConservaMomUSA: It’s undeniable that #Obama worked tirelessly 2weaken& hobble America for 8 yrs with the expectation #CrookedHillary wo…', 'user.screen_name': 'Chanel4646'}, {'created_at': 'Sun Feb 11 23:13:04 +0000 2018', 'id': 962826853185654784, 'text': 'RT @FoxNews: .@TomFitton: "[@realDonaldTrump] has been victimized by the Obama Administration." https://t.co/z3Vn9KY1M3', 'user.screen_name': 'auntiejul'}, {'created_at': 'Sun Feb 11 23:13:04 +0000 2018', 'id': 962826849754730498, 'text': 'RT @Debradelai: @GenFlynn (25) She’s got her head so far up Obama’s arse they had to isert an oxygen tube.\n\nAnd…', 'user.screen_name': 'Lrod49'}, {'created_at': 'Sun Feb 11 23:13:04 +0000 2018', 'id': 962826849490493441, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'whetzel_sherri'}, {'created_at': 'Sun Feb 11 23:13:03 +0000 2018', 'id': 962826848899141633, 'text': 'RT @tonyposnanski: Trump believes in due process except for...\n\n- Kenyan born Obama\n- Crooked Hillary\n- FBI\n- Anyone in the media who doesn…', 'user.screen_name': 'DeanBrowncrayon'}, {'created_at': 'Sun Feb 11 23:13:03 +0000 2018', 'id': 962826847607296002, 'text': 'RT @DonnaWR8: In addition to removing ALL pagan and demonic items from the Obama and Clinton years at the White House, Pastor Paul Begley s…', 'user.screen_name': '1gudGOD'}, {'created_at': 'Sun Feb 11 23:13:03 +0000 2018', 'id': 962826846785155072, 'text': 'RT @Momof3gngrs: @HopeEstaAqui @Jthe4th Its even better when you show them that Obama actually volunteered in the humanitarian efforts post…', 'user.screen_name': 'baldgotti'}, {'created_at': 'Sun Feb 11 23:13:03 +0000 2018', 'id': 962826845162000384, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'jjmac59'}, {'created_at': 'Sun Feb 11 23:13:02 +0000 2018', 'id': 962826844566269953, 'text': 'RT @KaniJJackson: This is just your daily reminder that Barack Obama did not have 1 scandal or allegation against him during his time in th…', 'user.screen_name': 'chelseaboots'}, {'created_at': 'Sun Feb 11 23:13:02 +0000 2018', 'id': 962826843861798912, 'text': '@kwilli1046 Calling for DOJ AG Jeff Sessions to do his job. Convene a special counsel to investigate these… https://t.co/NR9XLcUwBO', 'user.screen_name': 'bienafe'}, {'created_at': 'Sun Feb 11 23:13:02 +0000 2018', 'id': 962826842163089408, 'text': 'RT @MartyVizi: @sxdoc @KatTheHammer1 @realDonaldTrump Obama should be treated and charged as a terrorist!!! Because he is.', 'user.screen_name': 'Brendag38323989'}, {'created_at': 'Sun Feb 11 23:13:02 +0000 2018', 'id': 962826842095759360, 'text': 'How AWESOME Would it be, if when all said & done the proof is shown that Saint Obama, was in on the hole thing. J.C… https://t.co/F3S7kURVcz', 'user.screen_name': 'tjbpdb'}, {'created_at': 'Sun Feb 11 23:13:02 +0000 2018', 'id': 962826841361977344, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'iluvamerica1208'}, {'created_at': 'Sun Feb 11 23:13:02 +0000 2018', 'id': 962826840980127744, 'text': 'RT @johncusack: You wanna play ? Answer- look up Obama’s war on constitution - interview I did - check out @FreedomofPress I’m on the bo…', 'user.screen_name': 'lgwiesen1'}, {'created_at': 'Sun Feb 11 23:13:01 +0000 2018', 'id': 962826839956905984, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'LianaMaria___'}, {'created_at': 'Sun Feb 11 23:13:01 +0000 2018', 'id': 962826839378022400, 'text': "RT @FiveRights: .@CNN\nTwo huge stories broke this wk:\n1. Strzok & Page texts show Obama knew abt FBI's illegal spying on Trump & did nothin…", 'user.screen_name': 'jb19tele'}, {'created_at': 'Sun Feb 11 23:13:01 +0000 2018', 'id': 962826838635560960, 'text': 'RT @RedWaveRising: #ObamaGate\n\n#SundayThoughts\n#BarackObama used classified intelligence leaks for political gain - https://t.co/tkba3Y498I…', 'user.screen_name': 'Sputtter'}, {'created_at': 'Sun Feb 11 23:13:01 +0000 2018', 'id': 962826838635499521, 'text': 'RT @hotfunkytown: Yet another example of failure by Obama.....\n\nDespite having weaponized every powerful agency to cripple the opposition,…', 'user.screen_name': 'KenNg'}, {'created_at': 'Sun Feb 11 23:13:01 +0000 2018', 'id': 962826837163421696, 'text': 'RT @CHIZMAGA: So if Donald Trump interacts with James Comey on an FBI Investigation it’s “Obstructing Justice”, but when Barack Obama inter…', 'user.screen_name': 'Matarr1776'}, {'created_at': 'Sun Feb 11 23:13:00 +0000 2018', 'id': 962826835678715904, 'text': 'RT @oxminaox: Snapchat didn’t suck while Obama was in office... just saying', 'user.screen_name': 'Alexsofiag'}, {'created_at': 'Sun Feb 11 23:13:00 +0000 2018', 'id': 962826835175276544, 'text': 'RT @johncusack: You wanna play ? Answer- look up Obama’s war on constitution - interview I did - check out @FreedomofPress I’m on the bo…', 'user.screen_name': 'Painless_Dave'}, {'created_at': 'Sun Feb 11 23:13:00 +0000 2018', 'id': 962826834126651392, 'text': "RT @BettyBowers: TRUMP LIE: Democrats didn't fix #DACA from 2008-2011. \n\nINCONVENIENT FACT: DACA didn't exist until 2012.\n\nTRUMP LIE: Repub…", 'user.screen_name': 'karolynnnnnn12'}, {'created_at': 'Sun Feb 11 23:13:00 +0000 2018', 'id': 962826833480900608, 'text': 'RT @EdKrassen: If Jeanine Pirro can blame Barack Obama for Rob Porter beating his wives, then I blame Jeanine Pirro for Donald Trump assaul…', 'user.screen_name': 'divineem'}, {'created_at': 'Sun Feb 11 23:13:00 +0000 2018', 'id': 962826833111715840, 'text': 'RT @anne_boydston: @romeo49435 @JacquieLeyns @Brasilmagic Well, this white person can’t stand trump and I voted for President Obama both ti…', 'user.screen_name': 'booatticus63'}, {'created_at': 'Sun Feb 11 23:13:00 +0000 2018', 'id': 962826832889425920, 'text': 'RT @RyanAFournier: Do you believe the Obama Administration improperly and illegally surveilled the Trump Campaign? #SHARE', 'user.screen_name': 'JessicaLyn55'}, {'created_at': 'Sun Feb 11 23:13:00 +0000 2018', 'id': 962826832709009409, 'text': 'RT @mattmfm: Barack Obama was in the same room as Louis Farrakhan once and it caused a decades-long controversy. \n\nDonald Trump gave a shou…', 'user.screen_name': 'keeponkeepngon'}, {'created_at': 'Sun Feb 11 23:13:00 +0000 2018', 'id': 962826832625176576, 'text': '@braun_fay52 @CoreyLMJones @realDonaldTrump @WestervillePD We the people have call or write our Congressmen in our… https://t.co/t7QMxZGb70', 'user.screen_name': 'arfed88'}, {'created_at': 'Sun Feb 11 23:12:59 +0000 2018', 'id': 962826831987691520, 'text': 'RT @kylegriffin1: A comparison of the S&P 500 under Obama and Trump during the same period in their presidencies shows better performance u…', 'user.screen_name': 'curiocat13'}, {'created_at': 'Sun Feb 11 23:12:59 +0000 2018', 'id': 962826831547256832, 'text': '@NancyKellyMart1 Hell was 8 years of Obama', 'user.screen_name': 'RRaymond_FL'}, {'created_at': 'Sun Feb 11 23:12:59 +0000 2018', 'id': 962826831354216448, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'PamNeufeld'}, {'created_at': 'Sun Feb 11 23:12:59 +0000 2018', 'id': 962826828414177280, 'text': 'RT @HrrEerrer: Does @realDonaldTrump hafta spend money where congress says?Obama didn’t!Almost NO stimulus went2shovel ready jobs https://t…', 'user.screen_name': 'SiddonsDan'}, {'created_at': 'Sun Feb 11 23:12:58 +0000 2018', 'id': 962826827843751936, 'text': 'RT @algonzalezlu393: trump is promoting a conservative argument that he\'s been "victimized" by the Obama administration. https://t.co/iR07Z…', 'user.screen_name': 'pamelakissinger'}, {'created_at': 'Sun Feb 11 23:12:58 +0000 2018', 'id': 962826827826974720, 'text': 'RT @RedWaveRising: #ObamaGate\n\n#SundayThoughts\n#BarackObama used classified intelligence leaks for political gain - https://t.co/tkba3Y498I…', 'user.screen_name': 'DonDonsmith007'}, {'created_at': 'Sun Feb 11 23:12:58 +0000 2018', 'id': 962826826925174784, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'hammerman0206'}, {'created_at': 'Sun Feb 11 23:12:58 +0000 2018', 'id': 962826826761539584, 'text': 'RT @SebGorka: The UNMASKING Scandal will prove to be much bigger than FISAGate or Watergate combined. \n\nTime to just call it what it is:…', 'user.screen_name': 'shotgunss52'}, {'created_at': 'Sun Feb 11 23:12:58 +0000 2018', 'id': 962826826639904768, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'gftzer'}, {'created_at': 'Sun Feb 11 23:12:58 +0000 2018', 'id': 962826826069495810, 'text': 'RT @joncoopertweets: Sure, @realDonaldTrump is a lying, corrupt, racist, traitorous imbecile who defends white supremacists, Nazis, wife be…', 'user.screen_name': 'ILoveBernie1'}, {'created_at': 'Sun Feb 11 23:12:58 +0000 2018', 'id': 962826824592928768, 'text': "@ThomasMHern @RyanAFournier Obama, Democrats and the MSM were ALL instrumental in pushing the hate and Obama's invi… https://t.co/rbMeioEL1d", 'user.screen_name': 'ClaraWeim'}, {'created_at': 'Sun Feb 11 23:12:57 +0000 2018', 'id': 962826823708024832, 'text': 'RT @jobahout: “In order to address a terrifying but hypothetical danger -an Iranian nuke- the Obama administration’s foreign policy accepte…', 'user.screen_name': 'AMR11082016'}, {'created_at': 'Sun Feb 11 23:12:57 +0000 2018', 'id': 962826823259250690, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'Taffi801'}, {'created_at': 'Sun Feb 11 23:12:57 +0000 2018', 'id': 962826821288022016, 'text': 'RT @JudicialWatch: Reminder: JW found evidence showing Obama State Dept under John Kerry sent its own "dossier" of classified info on Russi…', 'user.screen_name': 'WildHogs6'}, {'created_at': 'Sun Feb 11 23:12:57 +0000 2018', 'id': 962826821082365952, 'text': 'RT @1GodlessWoman: We see your identity politics @JustinTrudeau first with Muslims #HijabHoax that backfired & now the natives. This too is…', 'user.screen_name': 'snappy_peas'}, {'created_at': 'Sun Feb 11 23:12:56 +0000 2018', 'id': 962826819476041729, 'text': 'RT @brianklaas: You falsely alleged that Ted Cruz’s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos…', 'user.screen_name': 'rdehler16'}, {'created_at': 'Sun Feb 11 23:12:56 +0000 2018', 'id': 962826817810976768, 'text': 'RT @RedWaveRising: #ObamaGate\n\n#SundayThoughts\n#BarackObama used classified intelligence leaks for political gain - https://t.co/tkba3Y498I…', 'user.screen_name': 'raymondlipford'}, {'created_at': 'Sun Feb 11 23:12:56 +0000 2018', 'id': 962826817307541504, 'text': "RT @DearAuntCrabby: Trump promotes argument that he's been 'victimized' by Obama administration https://t.co/NY5a0e77YZ \n\nOh brother, what…", 'user.screen_name': 'SheriBmuddy'}, {'created_at': 'Sun Feb 11 23:12:56 +0000 2018', 'id': 962826816900628480, 'text': 'RT @RogueNASA: Trump believes Porter may be innocent even though he saw the picture of his ex-wife’s black eye.\n\nTrump still believes Obama…', 'user.screen_name': 'dapetrick'}, {'created_at': 'Sun Feb 11 23:12:56 +0000 2018', 'id': 962826816728772608, 'text': 'RT @FiveRights: Laura Ingraham on Fox: Why did George W. Bush refuse to criticize Obama even when O screwed up badly but he often criticize…', 'user.screen_name': 'BjLloyd3'}, {'created_at': 'Sun Feb 11 23:12:55 +0000 2018', 'id': 962826815600390144, 'text': 'RT @soledadobrien: \'Sabato said he was "absolutely" sure President Obama was a Muslim and not a Christian. \' https://t.co/yAVnhP3JI6', 'user.screen_name': 'ronbeckner'}, {'created_at': 'Sun Feb 11 23:12:55 +0000 2018', 'id': 962826815197687808, 'text': '@JohnFromCranber Then Bush and Obama are both traitors!', 'user.screen_name': 'Lynny222'}, {'created_at': 'Sun Feb 11 23:12:55 +0000 2018', 'id': 962826812895178754, 'text': 'RT @RedWaveRising: #ObamaGate\n\n#SundayThoughts\n#BarackObama used classified intelligence leaks for political gain - https://t.co/tkba3Y498I…', 'user.screen_name': 'specialK1947'}, {'created_at': 'Sun Feb 11 23:12:55 +0000 2018', 'id': 962826812299628545, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'BobbieH95713641'}, {'created_at': 'Sun Feb 11 23:12:55 +0000 2018', 'id': 962826812261851136, 'text': '@robreiner Fox News is not state run. If you are referring to being favorable to Trump, that is not all of Fox New… https://t.co/Rby7F1g4dF', 'user.screen_name': 'LinkMEP'}, {'created_at': 'Sun Feb 11 23:12:54 +0000 2018', 'id': 962826811460800512, 'text': 'RT @SebGorka: The UNMASKING Scandal will prove to be much bigger than FISAGate or Watergate combined. \n\nTime to just call it what it is:…', 'user.screen_name': 'KateReilly111'}, {'created_at': 'Sun Feb 11 23:12:54 +0000 2018', 'id': 962826811448217600, 'text': "@vnuek BS story !! If Kelly's staff said that then they got paid and/or are Obama left overs! But I'm calling BS! D… https://t.co/h8Wa8kvBMN", 'user.screen_name': 'moreenie31'}, {'created_at': 'Sun Feb 11 23:12:54 +0000 2018', 'id': 962826808675545089, 'text': 'RT @RealJack: The whole system is going to come crashing down...\n\nFamous Trump Prophet Just Said It: "Obama Is Going To Jail" https://t.co…', 'user.screen_name': 'DECMarkWalker'}, {'created_at': 'Sun Feb 11 23:12:53 +0000 2018', 'id': 962826804133335040, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'Jasongoofygrape'}, {'created_at': 'Sun Feb 11 23:12:52 +0000 2018', 'id': 962826802514182144, 'text': 'RT @evangesolc: @KimStrassel The biggest scandal is the MSM’s effort to cover up the Obama administration’s corruption - proving without…', 'user.screen_name': 'EricSteeleLive'}, {'created_at': 'Sun Feb 11 23:12:52 +0000 2018', 'id': 962826802203975680, 'text': "RT @TuckerCarlson: Here's what is clear right now, the bottom line on what we've learned this week and the one thing worth remembering: The…", 'user.screen_name': 'sharonocasey'}, {'created_at': 'Sun Feb 11 23:12:52 +0000 2018', 'id': 962826801667018752, 'text': 'RT @Fuctupmind: Pretty much everyone knew about the Steele Dossier.\n\nThe entire Obama admin.\nSid Blumenthal.\nHillary Clinton.\nLoretta Lynch…', 'user.screen_name': 'Tarkan291'}, {'created_at': 'Sun Feb 11 23:12:52 +0000 2018', 'id': 962826800601747456, 'text': 'RT @DineshDSouza: It seems the FBI during Obama’s tenure acted like the Democratic Party’s private protection agency & police force', 'user.screen_name': 'dmassad12'}, {'created_at': 'Sun Feb 11 23:12:52 +0000 2018', 'id': 962826799523577857, 'text': 'RT @MOVEFORWARDHUGE: YOU SNOWFLAKES THINK YOU HAD A BAD DAY YESTERDAY,\n\nWAIT TILL I TELL YOU WHAT OBAMA, HILLARY AND THE CABAL REALLY DID T…', 'user.screen_name': 'rebrokerjoe'}, {'created_at': 'Sun Feb 11 23:12:52 +0000 2018', 'id': 962826799427260416, 'text': '@ZPoet That was Obama’s Admin', 'user.screen_name': '19Patriot59'}, {'created_at': 'Sun Feb 11 23:12:52 +0000 2018', 'id': 962826799204978688, 'text': 'RT @jefftiedrich: Kellyanne Conway, because when I need facts grounded in reality I turn to a woman who accused Barack Obama of spying on t…', 'user.screen_name': 'windmillcharger'}, {'created_at': 'Sun Feb 11 23:12:51 +0000 2018', 'id': 962826798923993090, 'text': 'RT @Jthe4th: @NatashaBertrand This reminds me of all the pro-Trumpers criticizing Obama’s Katrina response after Trump Admin’s failures in…', 'user.screen_name': 'baldgotti'}, {'created_at': 'Sun Feb 11 23:12:51 +0000 2018', 'id': 962826798869266433, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'TweetTweetHAR'}, {'created_at': 'Sun Feb 11 23:12:51 +0000 2018', 'id': 962826795979624448, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'ChadAnimeTweets'}, {'created_at': 'Sun Feb 11 23:12:51 +0000 2018', 'id': 962826795690135554, 'text': 'RT @ziki0001: A bad #website can destroy your whole business. #Obama learned it the hard way. https://t.co/XmSYLIewoW #18f #internet #bus…', 'user.screen_name': 'LJT_is_me'}, {'created_at': 'Sun Feb 11 23:12:50 +0000 2018', 'id': 962826793768992769, 'text': "RT @WilDonnelly: 1. The White House, the Senate and the House are not the three branches of government.\n\n2. Obama wasn't president in 2008.…", 'user.screen_name': 'WhiteLotus3_9'}, {'created_at': 'Sun Feb 11 23:12:50 +0000 2018', 'id': 962826793521700865, 'text': 'RT @brianklaas: You falsely alleged that Ted Cruz’s Dad plotted to kill JFK and that Obama was born in Kenya and later wiretapped you. Thos…', 'user.screen_name': 'momma_carp'}, {'created_at': 'Sun Feb 11 23:12:50 +0000 2018', 'id': 962826792070537216, 'text': 'RT @chuckwoolery: Who started the rumor that #Obama was from #Kenya? Was it #Trump? Nope it was #SidBlumenthal. Yes he worked for Hillary.…', 'user.screen_name': 'luxtualuceat'}, {'created_at': 'Sun Feb 11 23:12:49 +0000 2018', 'id': 962826789843120135, 'text': 'RT @TeaPainUSA: President Obama was everything @realDonaldTrump will never be. Honorable. Dignified. Compassionate. A level headed leader…', 'user.screen_name': 'AngelVa13497878'}, {'created_at': 'Sun Feb 11 23:12:49 +0000 2018', 'id': 962826789272899584, 'text': 'RT @johncusack: You wanna play ? Answer- look up Obama’s war on constitution - interview I did - check out @FreedomofPress I’m on the bo…', 'user.screen_name': 'V_4_Vendetta27'}, {'created_at': 'Sun Feb 11 23:12:49 +0000 2018', 'id': 962826788534734848, 'text': 'The Truth will out, eventually...\n\nNo suprise that Obama, who Lives in DC, has been keeping a low profile lately...… https://t.co/RAkNJE8eUv', 'user.screen_name': 'thestationchief'}, {'created_at': 'Sun Feb 11 23:12:49 +0000 2018', 'id': 962826788291440645, 'text': 'RT @qz: Hip-hop painter Kehinde Wiley’s portrait of Barack Obama will be unveiled tomorrow https://t.co/8wCPxkTX78', 'user.screen_name': '_bredda_'}, {'created_at': 'Sun Feb 11 23:12:49 +0000 2018', 'id': 962826787792347141, 'text': 'RT @PoliticalShort: Obama-Backed, Holder-Led Group Raised More Than $11 Million in 2017; Will Target Republicans in 12 states https://t.co/…', 'user.screen_name': 'cubbiebear07'}, {'created_at': 'Sun Feb 11 23:12:48 +0000 2018', 'id': 962826784696946693, 'text': 'RT @TomFitton: .@JudicialWatch lawsuit uncovered ANOTHER Russia Dossier used to undermine @RealDonaldTrump--this one created by Obama State…', 'user.screen_name': 'jared96540410'}, {'created_at': 'Sun Feb 11 23:12:48 +0000 2018', 'id': 962826782264217600, 'text': 'RT @kylegriffin1: A comparison of the S&P 500 under Obama and Trump during the same period in their presidencies shows better performance u…', 'user.screen_name': 'DerekBritain'}, {'created_at': 'Sun Feb 11 23:12:47 +0000 2018', 'id': 962826781555240960, 'text': 'RT @ElderLansing: I will never respect the Ex Resident Coward Obama! He was a horrible leader and had numerous scandals overlooked because…', 'user.screen_name': 'andrea77214732'}, {'created_at': 'Sun Feb 11 23:12:47 +0000 2018', 'id': 962826780418756608, 'text': "Can't wait for the Obama bootlicker @BobbyScott to try and explain how getting more money is a bad thing to his con… https://t.co/PMiaEGUvkn", 'user.screen_name': 'leroyritter86'}, {'created_at': 'Sun Feb 11 23:12:47 +0000 2018', 'id': 962826780410294274, 'text': 'RT @KrisParonto: We also didn’t use the @FBI @CIA and @NSAGov to spy on @realDonaldTrump either.......isn’t that what you said to Chris Wal…', 'user.screen_name': 'lackerman009'}]
|
"""
Module: 'micropython' on esp32 1.9.4
"""
# MCU: (sysname='esp32', nodename='esp32', release='1.9.4', version='v1.9.4 on 2018-05-11', machine='ESP32 module with ESP32')
# Stubber: 1.2.0
def alloc_emergency_exception_buf():
pass
def const():
pass
def heap_lock():
pass
def heap_unlock():
pass
def kbd_intr():
pass
def mem_info():
pass
def opt_level():
pass
def qstr_info():
pass
def schedule():
pass
def stack_use():
pass
|
"""
Module: 'micropython' on esp32 1.9.4
"""
def alloc_emergency_exception_buf():
pass
def const():
pass
def heap_lock():
pass
def heap_unlock():
pass
def kbd_intr():
pass
def mem_info():
pass
def opt_level():
pass
def qstr_info():
pass
def schedule():
pass
def stack_use():
pass
|
class BaseMetric(object):
name = None
def get_name(self):
return self.name
class ValueMetric(BaseMetric):
value = None
def get_value(self):
return self.value
class LineChartMetric(BaseMetric):
x = []
y = []
xlabel = 'X Label'
ylabel = 'Y Label'
def get_values(self):
return zip(self.x, self.y)
def get_points(self):
return ['[{},{}]'.format(x, y) for x, y in self.get_values()]
|
class Basemetric(object):
name = None
def get_name(self):
return self.name
class Valuemetric(BaseMetric):
value = None
def get_value(self):
return self.value
class Linechartmetric(BaseMetric):
x = []
y = []
xlabel = 'X Label'
ylabel = 'Y Label'
def get_values(self):
return zip(self.x, self.y)
def get_points(self):
return ['[{},{}]'.format(x, y) for (x, y) in self.get_values()]
|
nouns = ['account', 'achiever', 'acoustics', 'act', 'action', 'activity', 'actor', 'addition', 'adjustment',
'advertisement', 'advice', 'aftermath', 'afternoon', 'afterthought', 'agreement', 'air', 'airplane', 'airport',
'alarm', 'amount', 'amusement', 'anger', 'angle', 'animal', 'answer', 'ant', 'ants', 'apparatus', 'apparel',
'apple', 'apples', 'appliance', 'approval', 'arch', 'argument', 'arithmetic', 'arm', 'army', 'art', 'attack',
'attempt', 'attention', 'attraction', 'aunt', 'authority', 'babies', 'baby', 'back', 'badge', 'bag', 'bait',
'balance', 'ball', 'balloon', 'balls', 'banana', 'band', 'base', 'baseball', 'basin', 'basket', 'basketball',
'bat', 'bath', 'battle', 'bead', 'beam', 'bean', 'bear', 'bears', 'beast', 'bed', 'bedroom', 'beds', 'bee',
'beef', 'beetle', 'beggar', 'beginner', 'behavior', 'belief', 'believe', 'bell', 'bells', 'berry', 'bike',
'bikes', 'bird', 'birds', 'birth', 'birthday', 'bit', 'bite', 'blade', 'blood', 'blow', 'board', 'boat',
'boats', 'body', 'bomb', 'bone', 'book', 'books', 'boot', 'border', 'bottle', 'boundary', 'box', 'boy', 'boys',
'brain', 'brake', 'branch', 'brass', 'bread', 'breakfast', 'breath', 'brick', 'bridge', 'brother', 'brothers',
'brush', 'bubble', 'bucket', 'building', 'bulb', 'bun', 'burn', 'burst', 'bushes', 'business', 'butter',
'button', 'cabbage', 'cable', 'cactus', 'cake', 'cakes', 'calculator', 'calendar', 'camera', 'camp', 'can',
'cannon', 'canvas', 'cap', 'caption', 'car', 'card', 'care', 'carpenter', 'carriage', 'cars', 'cart', 'cast',
'cat', 'cats', 'cattle', 'cause', 'cave', 'celery', 'cellar', 'cemetery', 'cent', 'chain', 'chair', 'chairs',
'chalk', 'chance', 'change', 'channel', 'cheese', 'cherries', 'cherry', 'chess', 'chicken', 'chickens',
'children', 'chin', 'church', 'circle', 'clam', 'class', 'clock', 'clocks', 'cloth', 'cloud', 'clouds',
'clover', 'club', 'coach', 'coal', 'coast', 'coat', 'cobweb', 'coil', 'collar', 'color', 'comb', 'comfort',
'committee', 'company', 'comparison', 'competition', 'condition', 'connection', 'control', 'cook', 'copper',
'copy', 'cord', 'cork', 'corn', 'cough', 'country', 'cover', 'cow', 'cows', 'crack', 'cracker', 'crate',
'crayon', 'cream', 'creator', 'creature', 'credit', 'crib', 'crime', 'crook', 'crow', 'crowd', 'crown',
'crush', 'cry', 'cub', 'cup', 'current', 'curtain', 'curve', 'cushion', 'dad', 'daughter', 'day', 'death',
'debt', 'decision', 'deer', 'degree', 'design', 'desire', 'desk', 'destruction', 'detail', 'development',
'digestion', 'dime', 'dinner', 'dinosaurs', 'direction', 'dirt', 'discovery', 'discussion', 'disease',
'disgust', 'distance', 'distribution', 'division', 'dock', 'doctor', 'dog', 'dogs', 'doll', 'dolls', 'donkey',
'door', 'downtown', 'drain', 'drawer', 'dress', 'drink', 'driving', 'drop', 'drug', 'drum', 'duck', 'ducks',
'dust', 'ear', 'earth', 'earthquake', 'edge', 'education', 'effect', 'egg', 'eggnog', 'eggs', 'elbow', 'end',
'engine', 'error', 'event', 'example', 'exchange', 'existence', 'expansion', 'experience', 'expert', 'eye',
'eyes', 'face', 'fact', 'fairies', 'fall', 'family', 'fan', 'fang', 'farm', 'farmer', 'father', 'father',
'faucet', 'fear', 'feast', 'feather', 'feeling', 'feet', 'fiction', 'field', 'fifth', 'fight', 'finger',
'finger', 'fire', 'fireman', 'fish', 'flag', 'flame', 'flavor', 'flesh', 'flight', 'flock', 'floor', 'flower',
'flowers', 'fly', 'fog', 'fold', 'food', 'foot', 'force', 'fork', 'form', 'fowl', 'frame', 'friction',
'friend', 'friends', 'frog', 'frogs', 'front', 'fruit', 'fuel', 'furniture', 'alley', 'game', 'garden', 'gate',
'geese', 'ghost', 'giants', 'giraffe', 'girl', 'girls', 'glass', 'glove', 'glue', 'goat', 'gold', 'goldfish',
'good-bye', 'goose', 'government', 'governor', 'grade', 'grain', 'grandfather', 'grandmother', 'grape',
'grass', 'grip', 'ground', 'group', 'growth', 'guide', 'guitar', 'gun', 'hair', 'haircut', 'hall', 'hammer',
'hand', 'hands', 'harbor', 'harmony', 'hat', 'hate', 'head', 'health', 'hearing', 'heart', 'heat', 'help',
'hen', 'hill', 'history', 'hobbies', 'hole', 'holiday', 'home', 'honey', 'hook', 'hope', 'horn', 'horse',
'horses', 'hose', 'hospital', 'hot', 'hour', 'house', 'houses', 'humor', 'hydrant', 'ice', 'icicle', 'idea',
'impulse', 'income', 'increase', 'industry', 'ink', 'insect', 'instrument', 'insurance', 'interest',
'invention', 'iron', 'island', 'jail', 'jam', 'jar', 'jeans', 'jelly', 'jellyfish', 'jewel', 'join', 'joke',
'journey', 'judge', 'juice', 'jump', 'kettle', 'key', 'kick', 'kiss', 'kite', 'kitten', 'kittens', 'kitty',
'knee', 'knife', 'knot', 'knowledge', 'laborer', 'lace', 'ladybug', 'lake', 'lamp', 'land', 'language',
'laugh', 'lawyer', 'lead', 'leaf', 'learning', 'leather', 'leg', 'legs', 'letter', 'letters', 'lettuce',
'level', 'library', 'lift', 'light', 'limit', 'line', 'linen', 'lip', 'liquid', 'list', 'lizards', 'loaf',
'lock', 'locket', 'look', 'loss', 'love', 'low', 'lumber', 'lunch', 'lunchroom', 'machine', 'magic', 'maid',
'mailbox', 'man', 'manager', 'map', 'marble', 'mark', 'market', 'mask', 'mass', 'match', 'meal', 'measure',
'meat', 'meeting', 'memory', 'men', 'metal', 'mice', 'middle', 'milk', 'mind', 'mine', 'minister', 'mint',
'minute', 'mist', 'mitten', 'mom', 'money', 'monkey', 'month', 'moon', 'morning', 'mother', 'motion',
'mountain', 'mouth', 'move', 'muscle', 'music', 'nail', 'name', 'nation', 'neck', 'need', 'needle', 'nerve',
'nest', 'net', 'news', 'night', 'noise', 'north', 'nose', 'note', 'notebook', 'number', 'nut', 'oatmeal',
'observation', 'ocean', 'offer', 'office', 'oil', 'operation', 'opinion', 'orange', 'oranges', 'order',
'organization', 'ornament', 'oven', 'owl', 'owner', 'page', 'pail', 'pain', 'paint', 'pan', 'pancake', 'paper',
'parcel', 'parent', 'park', 'part', 'partner', 'party', 'passenger', 'paste', 'patch', 'payment', 'peace',
'pear', 'pen', 'pencil', 'person', 'pest', 'pet', 'pets', 'pickle', 'picture', 'pie', 'pies', 'pig', 'pigs',
'pin', 'pipe', 'pizzas', 'place', 'plane', 'planes', 'plant', 'plantation', 'plants', 'plastic', 'plate',
'play', 'playground', 'pleasure', 'plot', 'plough', 'pocket', 'point', 'poison', 'police', 'polish',
'pollution', 'popcorn', 'porter', 'position', 'pot', 'potato', 'powder', 'power', 'price', 'print', 'prison',
'process', 'produce', 'profit', 'property', 'prose', 'protest', 'pull', 'pump', 'punishment', 'purpose',
'push', 'quarter', 'quartz', 'queen', 'question', 'quicksand', 'quiet', 'quill', 'quilt', 'quince', 'quiver',
'rabbit', 'rabbits', 'rail', 'railway', 'rain', 'rainstorm', 'rake', 'range', 'rat', 'rate', 'ray', 'reaction',
'reading', 'reason', 'receipt', 'recess', 'record', 'regret', 'relation', 'religion', 'representative',
'request', 'respect', 'rest', 'reward', 'rhythm', 'rice', 'riddle', 'rifle', 'ring', 'rings', 'river', 'road',
'robin', 'rock', 'rod', 'roll', 'roof', 'room', 'root', 'rose', 'route', 'rub', 'rule', 'run', 'sack', 'sail',
'salt', 'sand', 'scale', 'scarecrow', 'scarf', 'scene', 'scent', 'school', 'science', 'scissors', 'screw',
'sea', 'seashore', 'seat', 'secretary', 'seed', 'selection', 'self', 'sense', 'servant', 'shade', 'shake',
'shame', 'shape', 'sheep', 'sheet', 'shelf', 'ship', 'shirt', 'shock', 'shoe', 'shoes', 'shop', 'show', 'side',
'sidewalk', 'sign', 'silk', 'silver', 'sink', 'sister', 'sisters', 'size', 'skate', 'skin', 'skirt', 'sky',
'slave', 'sleep', 'sleet', 'slip', 'slope', 'smash', 'smell', 'smile', 'smoke', 'snail', 'snails', 'snake',
'snakes', 'sneeze', 'snow', 'soap', 'society', 'sock', 'soda', 'sofa', 'son', 'song', 'songs', 'sort', 'sound',
'soup', 'space', 'spade', 'spark', 'spiders', 'sponge', 'spoon', 'spot', 'spring', 'spy', 'square', 'squirrel',
'stage', 'stamp', 'star', 'start', 'statement', 'station', 'steam', 'steel', 'stem', 'step', 'stew', 'stick',
'sticks', 'stitch', 'stocking', 'stomach', 'stone', 'stop', 'store', 'story', 'stove', 'stranger', 'straw',
'stream', 'street', 'stretch', 'string', 'structure', 'substance', 'sugar', 'suggestion', 'suit', 'summer',
'sun', 'support', 'surprise', 'sweater', 'swim', 'swing', 'system', 'table', 'tail', 'talk', 'tank', 'taste',
'tax', 'teaching', 'team', 'teeth', 'temper', 'tendency', 'tent', 'territory', 'test', 'texture', 'theory',
'thing', 'things', 'thought', 'thread', 'thrill', 'throat', 'throne', 'thumb', 'thunder', 'ticket', 'tiger',
'time', 'tin', 'title', 'toad', 'toe', 'toes', 'tomatoes', 'tongue', 'tooth', 'toothbrush', 'toothpaste',
'top', 'touch', 'town', 'toy', 'toys', 'trade', 'trail', 'train', 'trains', 'tramp', 'transport', 'tray',
'treatment', 'tree', 'trees', 'trick', 'trip', 'trouble', 'trousers', 'truck', 'trucks', 'tub', 'turkey',
'turn', 'twig', 'twist', 'umbrella', 'uncle', 'underwear', 'unit', 'use', 'vacation', 'value', 'van', 'vase',
'vegetable', 'veil', 'vein', 'verse', 'vessel', 'vest', 'view', 'visitor', 'voice', 'volcano', 'volleyball',
'voyage', 'walk', 'wall', 'war', 'wash', 'waste', 'watch', 'water', 'wave', 'waves', 'wax', 'way', 'wealth',
'weather', 'week', 'weight', 'wheel', 'whip', 'whistle', 'wilderness', 'wind', 'window', 'wine', 'wing',
'winter', 'wire', 'wish', 'woman', 'women', 'wood', 'wool', 'word', 'work', 'worm', 'wound', 'wren', 'wrench',
'wrist', 'writer', 'writing', 'yak', 'yam', 'yard', 'yarn', 'year', 'yoke', 'zebra', 'zephyr', 'zinc',
'zipper', 'zoo']
adjectives = ['abandoned', 'able', 'absolute', 'adorable', 'adventurous', 'academic', 'acceptable', 'acclaimed',
'accomplished', 'accurate', 'aching', 'acidic', 'acrobatic', 'active', 'actual', 'adept', 'admirable',
'admired', 'adolescent', 'adorable', 'adored', 'advanced', 'afraid', 'affectionate', 'aged',
'aggravating', 'aggressive', 'agile', 'agitated', 'agonizing', 'agreeable', 'ajar', 'alarmed', 'alarming',
'alert', 'alienated', 'alive', 'all', 'altruistic', 'amazing', 'ambitious', 'ample', 'amused', 'amusing',
'anchored', 'ancient', 'angelic', 'angry', 'anguished', 'animated', 'annual', 'another', 'antique',
'anxious', 'any', 'apprehensive', 'appropriate', 'apt', 'arctic', 'arid', 'aromatic', 'artistic',
'ashamed', 'assured', 'astonishing', 'athletic', 'attached', 'attentive', 'attractive', 'austere',
'authentic', 'authorized', 'automatic', 'avaricious', 'average', 'aware', 'awesome', 'awful', 'awkward',
'babyish', 'bad', 'back', 'baggy', 'bare', 'barren', 'basic', 'beautiful', 'belated', 'beloved',
'beneficial', 'better', 'best', 'bewitched', 'big', 'big-hearted', 'biodegradable', 'bite-sized',
'bitter', 'black', 'black-and-white', 'bland', 'blank', 'blaring', 'bleak', 'blind', 'blissful', 'blond',
'blue', 'blushing', 'bogus', 'boiling', 'bold', 'bony', 'boring', 'bossy', 'both', 'bouncy', 'bountiful',
'bowed', 'brave', 'breakable', 'brief', 'bright', 'brilliant', 'brisk', 'broken', 'bronze', 'brown',
'bruised', 'bubbly', 'bulky', 'bumpy', 'buoyant', 'burdensome', 'burly', 'bustling', 'busy', 'buttery',
'buzzing', 'calculating', 'calm', 'candid', 'canine', 'capital', 'carefree', 'careful', 'careless',
'caring', 'cautious', 'cavernous', 'celebrated', 'charming', 'cheap', 'cheerful', 'cheery', 'chief',
'chilly', 'chubby', 'circular', 'classic', 'clean', 'clear', 'clear-cut', 'clever', 'close', 'closed',
'cloudy', 'clueless', 'clumsy', 'cluttered', 'coarse', 'cold', 'colorful', 'colorless', 'colossal',
'comfortable', 'common', 'compassionate', 'competent', 'complete', 'complex', 'complicated', 'composed',
'concerned', 'concrete', 'confused', 'conscious', 'considerate', 'constant', 'content', 'conventional',
'cooked', 'cool', 'cooperative', 'coordinated', 'corny', 'corrupt', 'costly', 'courageous', 'courteous',
'crafty', 'crazy', 'creamy', 'creative', 'creepy', 'criminal', 'crisp', 'critical', 'crooked', 'crowded',
'cruel', 'crushing', 'cuddly', 'cultivated', 'cultured', 'cumbersome', 'curly', 'curvy', 'cute',
'cylindrical', 'damaged', 'damp', 'dangerous', 'dapper', 'daring', 'darling', 'dark', 'dazzling', 'dead',
'deadly', 'deafening', 'dear', 'dearest', 'decent', 'decimal', 'decisive', 'deep', 'defenseless',
'defensive', 'defiant', 'deficient', 'definite', 'definitive', 'delayed', 'delectable', 'delicious',
'delightful', 'delirious', 'demanding', 'dense', 'dental', 'dependable', 'dependent', 'descriptive',
'deserted', 'detailed', 'determined', 'devoted', 'different', 'difficult', 'digital', 'diligent', 'dim',
'dimpled', 'dimwitted', 'direct', 'disastrous', 'discrete', 'disfigured', 'disgusting', 'disloyal',
'dismal', 'distant', 'downright', 'dreary', 'dirty', 'disguised', 'dishonest', 'dismal', 'distant',
'distinct', 'distorted', 'dizzy', 'dopey', 'doting', 'double', 'downright', 'drab', 'drafty', 'dramatic',
'dreary', 'droopy', 'dry', 'dual', 'dull', 'dutiful', 'each', 'eager', 'earnest', 'early', 'easy',
'easy-going', 'ecstatic', 'edible', 'educated', 'elaborate', 'elastic', 'elated', 'elderly', 'electric',
'elegant', 'elementary', 'elliptical', 'embarrassed', 'embellished', 'eminent', 'emotional', 'empty',
'enchanted', 'enchanting', 'energetic', 'enlightened', 'enormous', 'enraged', 'entire', 'envious',
'equal', 'equatorial', 'essential', 'esteemed', 'ethical', 'euphoric', 'even', 'evergreen', 'everlasting',
'every', 'evil', 'exalted', 'excellent', 'exemplary', 'exhausted', 'excitable', 'excited', 'exciting',
'exotic', 'expensive', 'experienced', 'expert', 'extraneous', 'extroverted', 'extra-large', 'extra-small',
'fabulous', 'failing', 'faint', 'fair', 'faithful', 'fake', 'false', 'familiar', 'famous', 'fancy',
'fantastic', 'far', 'faraway', 'far-flung', 'far-off', 'fast', 'fat', 'fatal', 'fatherly', 'favorable',
'favorite', 'fearful', 'fearless', 'feisty', 'feline', 'female', 'feminine', 'few', 'fickle', 'filthy',
'fine', 'finished', 'firm', 'first', 'firsthand', 'fitting', 'fixed', 'flaky', 'flamboyant', 'flashy',
'flat', 'flawed', 'flawless', 'flickering', 'flimsy', 'flippant', 'flowery', 'fluffy', 'fluid',
'flustered', 'focused', 'fond', 'foolhardy', 'foolish', 'forceful', 'forked', 'formal', 'forsaken',
'forthright', 'fortunate', 'fragrant', 'frail', 'frank', 'frayed', 'free', 'French', 'fresh', 'frequent',
'friendly', 'frightened', 'frightening', 'frigid', 'frilly', 'frizzy', 'frivolous', 'front', 'frosty',
'frozen', 'frugal', 'fruitful', 'full', 'fumbling', 'functional', 'funny', 'fussy', 'fuzzy', 'gargantuan',
'gaseous', 'general', 'generous', 'gentle', 'genuine', 'giant', 'giddy', 'gigantic', 'gifted', 'giving',
'glamorous', 'glaring', 'glass', 'gleaming', 'gleeful', 'glistening', 'glittering', 'gloomy', 'glorious',
'glossy', 'glum', 'golden', 'good', 'good-natured', 'gorgeous', 'graceful', 'gracious', 'grand',
'grandiose', 'granular', 'grateful', 'grave', 'gray', 'great', 'greedy', 'green', 'gregarious', 'grim',
'grimy', 'gripping', 'grizzled', 'gross', 'grotesque', 'grouchy', 'grounded', 'growing', 'growling',
'grown', 'grubby', 'gruesome', 'grumpy', 'guilty', 'gullible', 'gummy', 'hairy', 'half', 'handmade',
'handsome', 'handy', 'happy', 'happy-go-lucky', 'hard', 'hard-to-find', 'harmful', 'harmless',
'harmonious', 'harsh', 'hasty', 'hateful', 'haunting', 'healthy', 'heartfelt', 'hearty', 'heavenly',
'heavy', 'hefty', 'helpful', 'helpless', 'hidden', 'hideous', 'high', 'high-level', 'hilarious', 'hoarse',
'hollow', 'homely', 'honest', 'honorable', 'honored', 'hopeful', 'horrible', 'hospitable', 'hot', 'huge',
'humble', 'humiliating', 'humming', 'humongous', 'hungry', 'hurtful', 'husky', 'icky', 'icy', 'ideal',
'idealistic', 'identical', 'idle', 'idiotic', 'idolized', 'ignorant', 'ill', 'illegal', 'ill-fated',
'ill-informed', 'illiterate', 'illustrious', 'imaginary', 'imaginative', 'immaculate', 'immaterial',
'immediate', 'immense', 'impassioned', 'impeccable', 'impartial', 'imperfect', 'imperturbable', 'impish',
'impolite', 'important', 'impossible', 'impractical', 'impressionable', 'impressive', 'improbable',
'impure', 'inborn', 'incomparable', 'incompatible', 'incomplete', 'inconsequential', 'incredible',
'indelible', 'inexperienced', 'indolent', 'infamous', 'infantile', 'infatuated', 'inferior', 'infinite',
'informal', 'innocent', 'insecure', 'insidious', 'insignificant', 'insistent', 'instructive',
'insubstantial', 'intelligent', 'intent', 'intentional', 'interesting', 'internal', 'international',
'intrepid', 'ironclad', 'irresponsible', 'irritating', 'itchy', 'jaded', 'jagged', 'jam-packed', 'jaunty',
'jealous', 'jittery', 'joint', 'jolly', 'jovial', 'joyful', 'joyous', 'jubilant', 'judicious', 'juicy',
'jumbo', 'junior', 'jumpy', 'juvenile', 'kaleidoscopic', 'keen', 'key', 'kind', 'kindhearted', 'kindly',
'klutzy', 'knobby', 'knotty', 'knowledgeable', 'knowing', 'known', 'kooky', 'kosher', 'lame', 'lanky',
'large', 'last', 'lasting', 'late', 'lavish', 'lawful', 'lazy', 'leading', 'lean', 'leafy', 'left',
'legal', 'legitimate', 'light', 'lighthearted', 'likable', 'likely', 'limited', 'limp', 'limping',
'linear', 'lined', 'liquid', 'little', 'live', 'lively', 'livid', 'loathsome', 'lone', 'lonely', 'long',
'long-term', 'loose', 'lopsided', 'lost', 'loud', 'lovable', 'lovely', 'loving', 'low', 'loyal', 'lucky',
'lumbering', 'luminous', 'lumpy', 'lustrous', 'luxurious', 'mad', 'made-up', 'magnificent', 'majestic',
'major', 'male', 'mammoth', 'married', 'marvelous', 'masculine', 'massive', 'mature', 'meager', 'mealy',
'mean', 'measly', 'meaty', 'medical', 'mediocre', 'medium', 'meek', 'mellow', 'melodic', 'memorable',
'menacing', 'merry', 'messy', 'metallic', 'mild', 'milky', 'mindless', 'miniature', 'minor', 'minty',
'miserable', 'miserly', 'misguided', 'misty', 'mixed', 'modern', 'modest', 'moist', 'monstrous',
'monthly', 'monumental', 'moral', 'mortified', 'motherly', 'motionless', 'mountainous', 'muddy',
'muffled', 'multicolored', 'mundane', 'murky', 'mushy', 'musty', 'muted', 'mysterious', 'naive', 'narrow',
'nasty', 'natural', 'naughty', 'nautical', 'near', 'neat', 'necessary', 'needy', 'negative', 'neglected',
'negligible', 'neighboring', 'nervous', 'new', 'next', 'nice', 'nifty', 'nimble', 'nippy', 'nocturnal',
'noisy', 'nonstop', 'normal', 'notable', 'noted', 'noteworthy', 'novel', 'noxious', 'numb', 'nutritious',
'nutty', 'obedient', 'obese', 'oblong', 'oily', 'oblong', 'obvious', 'occasional', 'odd', 'oddball',
'offbeat', 'offensive', 'official', 'old', 'old-fashioned', 'only', 'open', 'optimal', 'optimistic',
'opulent', 'orange', 'orderly', 'organic', 'ornate', 'ornery', 'ordinary', 'original', 'other', 'our',
'outlying', 'outgoing', 'outlandish', 'outrageous', 'outstanding', 'oval', 'overcooked', 'overdue',
'overjoyed', 'overlooked', 'palatable', 'pale', 'paltry', 'parallel', 'parched', 'partial', 'passionate',
'past', 'pastel', 'peaceful', 'peppery', 'perfect', 'perfumed', 'periodic', 'perky', 'personal',
'pertinent', 'pesky', 'pessimistic', 'petty', 'phony', 'physical', 'piercing', 'pink', 'pitiful', 'plain',
'plaintive', 'plastic', 'playful', 'pleasant', 'pleased', 'pleasing', 'plump', 'plush', 'polished',
'polite', 'political', 'pointed', 'pointless', 'poised', 'poor', 'popular', 'portly', 'posh', 'positive',
'possible', 'potable', 'powerful', 'powerless', 'practical', 'precious', 'present', 'prestigious',
'pretty', 'precious', 'previous', 'pricey', 'prickly', 'primary', 'prime', 'pristine', 'private', 'prize',
'probable', 'productive', 'profitable', 'profuse', 'proper', 'proud', 'prudent', 'punctual', 'pungent',
'puny', 'pure', 'purple', 'pushy', 'putrid', 'puzzled', 'puzzling', 'quaint', 'qualified', 'quarrelsome',
'quarterly', 'queasy', 'querulous', 'questionable', 'quick', 'quick-witted', 'quiet', 'quintessential',
'quirky', 'quixotic', 'quizzical', 'radiant', 'ragged', 'rapid', 'rare', 'rash', 'raw', 'recent',
'reckless', 'rectangular', 'ready', 'real', 'realistic', 'reasonable', 'red', 'reflecting', 'regal',
'regular', 'reliable', 'relieved', 'remarkable', 'remorseful', 'remote', 'repentant', 'required',
'respectful', 'responsible', 'repulsive', 'revolving', 'rewarding', 'rich', 'rigid', 'right', 'ringed',
'ripe', 'roasted', 'robust', 'rosy', 'rotating', 'rotten', 'rough', 'round', 'rowdy', 'royal', 'rubbery',
'rundown', 'ruddy', 'rude', 'runny', 'rural', 'rusty', 'sad', 'safe', 'salty', 'same', 'sandy', 'sane',
'sarcastic', 'sardonic', 'satisfied', 'scaly', 'scarce', 'scared', 'scary', 'scented', 'scholarly',
'scientific', 'scornful', 'scratchy', 'scrawny', 'second', 'secondary', 'second-hand', 'secret',
'self-assured', 'self-reliant', 'selfish', 'sentimental', 'separate', 'serene', 'serious', 'serpentine',
'several', 'severe', 'shabby', 'shadowy', 'shady', 'shallow', 'shameful', 'shameless', 'sharp',
'shimmering', 'shiny', 'shocked', 'shocking', 'shoddy', 'short', 'short-term', 'showy', 'shrill', 'shy',
'sick', 'silent', 'silky', 'silly', 'silver', 'similar', 'simple', 'simplistic', 'sinful', 'single',
'sizzling', 'skeletal', 'skinny', 'sleepy', 'slight', 'slim', 'slimy', 'slippery', 'slow', 'slushy',
'small', 'smart', 'smoggy', 'smooth', 'smug', 'snappy', 'snarling', 'sneaky', 'sniveling', 'snoopy',
'sociable', 'soft', 'soggy', 'solid', 'somber', 'some', 'spherical', 'sophisticated', 'sore', 'sorrowful',
'soulful', 'soupy', 'sour', 'Spanish', 'sparkling', 'sparse', 'specific', 'spectacular', 'speedy',
'spicy', 'spiffy', 'spirited', 'spiteful', 'splendid', 'spotless', 'spotted', 'spry', 'square', 'squeaky',
'squiggly', 'stable', 'staid', 'stained', 'stale', 'standard', 'starchy', 'stark', 'starry', 'steep',
'sticky', 'stiff', 'stimulating', 'stingy', 'stormy', 'straight', 'strange', 'steel', 'strict',
'strident', 'striking', 'striped', 'strong', 'studious', 'stunning', 'stupendous', 'stupid', 'sturdy',
'stylish', 'subdued', 'submissive', 'substantial', 'subtle', 'suburban', 'sudden', 'sugary', 'sunny',
'super', 'superb', 'superficial', 'superior', 'supportive', 'sure-footed', 'surprised', 'suspicious',
'svelte', 'sweaty', 'sweet', 'sweltering', 'swift', 'sympathetic', 'tall', 'talkative', 'tame', 'tan',
'tangible', 'tart', 'tasty', 'tattered', 'taut', 'tedious', 'teeming', 'tempting', 'tender', 'tense',
'tepid', 'terrible', 'terrific', 'testy', 'thankful', 'that', 'these', 'thick', 'thin', 'third',
'thirsty', 'this', 'thorough', 'thorny', 'those', 'thoughtful', 'threadbare', 'thrifty', 'thunderous',
'tidy', 'tight', 'timely', 'tinted', 'tiny', 'tired', 'torn', 'total', 'tough', 'traumatic', 'treasured',
'tremendous', 'tragic', 'trained', 'tremendous', 'triangular', 'tricky', 'trifling', 'trim', 'trivial',
'troubled', 'true', 'trusting', 'trustworthy', 'trusty', 'truthful', 'tubby', 'turbulent', 'twin', 'ugly',
'ultimate', 'unacceptable', 'unaware', 'uncomfortable', 'uncommon', 'unconscious', 'understated',
'unequaled', 'uneven', 'unfinished', 'unfit', 'unfolded', 'unfortunate', 'unhappy', 'unhealthy',
'uniform', 'unimportant', 'unique', 'united', 'unkempt', 'unknown', 'unlawful', 'unlined', 'unlucky',
'unnatural', 'unpleasant', 'unrealistic', 'unripe', 'unruly', 'unselfish', 'unsightly', 'unsteady',
'unsung', 'untidy', 'untimely', 'untried', 'untrue', 'unused', 'unusual', 'unwelcome', 'unwieldy',
'unwilling', 'unwitting', 'unwritten', 'upbeat', 'upright', 'upset', 'urban', 'usable', 'used', 'useful',
'useless', 'utilized', 'utter', 'vacant', 'vague', 'vain', 'valid', 'valuable', 'vapid', 'variable',
'vast', 'velvety', 'venerated', 'vengeful', 'verifiable', 'vibrant', 'vicious', 'victorious', 'vigilant',
'vigorous', 'villainous', 'violet', 'violent', 'virtual', 'virtuous', 'visible', 'vital', 'vivacious',
'vivid', 'voluminous', 'wan', 'warlike', 'warm', 'warmhearted', 'warped', 'wary', 'wasteful', 'watchful',
'waterlogged', 'watery', 'wavy', 'wealthy', 'weak', 'weary', 'webbed', 'wee', 'weekly', 'weepy',
'weighty', 'weird', 'welcome', 'well-documented', 'well-groomed', 'well-informed', 'well-lit',
'well-made', 'well-off', 'well-to-do', 'well-worn', 'wet', 'which', 'whimsical', 'whirlwind', 'whispered',
'white', 'whole', 'whopping', 'wicked', 'wide', 'wide-eyed', 'wiggly', 'wild', 'willing', 'wilted',
'winding', 'windy', 'winged', 'wiry', 'wise', 'witty', 'wobbly', 'woeful', 'wonderful', 'wooden', 'woozy',
'wordy', 'worldly', 'worn', 'worried', 'worrisome', 'worse', 'worst', 'worthless', 'worthwhile', 'worthy',
'wrathful', 'wretched', 'writhing', 'wrong', 'wry', 'yawning', 'yearly', 'yellow', 'yellowish', 'young',
'youthful', 'yummy', 'zany', 'zealous', 'zesty', 'zigzag']
|
nouns = ['account', 'achiever', 'acoustics', 'act', 'action', 'activity', 'actor', 'addition', 'adjustment', 'advertisement', 'advice', 'aftermath', 'afternoon', 'afterthought', 'agreement', 'air', 'airplane', 'airport', 'alarm', 'amount', 'amusement', 'anger', 'angle', 'animal', 'answer', 'ant', 'ants', 'apparatus', 'apparel', 'apple', 'apples', 'appliance', 'approval', 'arch', 'argument', 'arithmetic', 'arm', 'army', 'art', 'attack', 'attempt', 'attention', 'attraction', 'aunt', 'authority', 'babies', 'baby', 'back', 'badge', 'bag', 'bait', 'balance', 'ball', 'balloon', 'balls', 'banana', 'band', 'base', 'baseball', 'basin', 'basket', 'basketball', 'bat', 'bath', 'battle', 'bead', 'beam', 'bean', 'bear', 'bears', 'beast', 'bed', 'bedroom', 'beds', 'bee', 'beef', 'beetle', 'beggar', 'beginner', 'behavior', 'belief', 'believe', 'bell', 'bells', 'berry', 'bike', 'bikes', 'bird', 'birds', 'birth', 'birthday', 'bit', 'bite', 'blade', 'blood', 'blow', 'board', 'boat', 'boats', 'body', 'bomb', 'bone', 'book', 'books', 'boot', 'border', 'bottle', 'boundary', 'box', 'boy', 'boys', 'brain', 'brake', 'branch', 'brass', 'bread', 'breakfast', 'breath', 'brick', 'bridge', 'brother', 'brothers', 'brush', 'bubble', 'bucket', 'building', 'bulb', 'bun', 'burn', 'burst', 'bushes', 'business', 'butter', 'button', 'cabbage', 'cable', 'cactus', 'cake', 'cakes', 'calculator', 'calendar', 'camera', 'camp', 'can', 'cannon', 'canvas', 'cap', 'caption', 'car', 'card', 'care', 'carpenter', 'carriage', 'cars', 'cart', 'cast', 'cat', 'cats', 'cattle', 'cause', 'cave', 'celery', 'cellar', 'cemetery', 'cent', 'chain', 'chair', 'chairs', 'chalk', 'chance', 'change', 'channel', 'cheese', 'cherries', 'cherry', 'chess', 'chicken', 'chickens', 'children', 'chin', 'church', 'circle', 'clam', 'class', 'clock', 'clocks', 'cloth', 'cloud', 'clouds', 'clover', 'club', 'coach', 'coal', 'coast', 'coat', 'cobweb', 'coil', 'collar', 'color', 'comb', 'comfort', 'committee', 'company', 'comparison', 'competition', 'condition', 'connection', 'control', 'cook', 'copper', 'copy', 'cord', 'cork', 'corn', 'cough', 'country', 'cover', 'cow', 'cows', 'crack', 'cracker', 'crate', 'crayon', 'cream', 'creator', 'creature', 'credit', 'crib', 'crime', 'crook', 'crow', 'crowd', 'crown', 'crush', 'cry', 'cub', 'cup', 'current', 'curtain', 'curve', 'cushion', 'dad', 'daughter', 'day', 'death', 'debt', 'decision', 'deer', 'degree', 'design', 'desire', 'desk', 'destruction', 'detail', 'development', 'digestion', 'dime', 'dinner', 'dinosaurs', 'direction', 'dirt', 'discovery', 'discussion', 'disease', 'disgust', 'distance', 'distribution', 'division', 'dock', 'doctor', 'dog', 'dogs', 'doll', 'dolls', 'donkey', 'door', 'downtown', 'drain', 'drawer', 'dress', 'drink', 'driving', 'drop', 'drug', 'drum', 'duck', 'ducks', 'dust', 'ear', 'earth', 'earthquake', 'edge', 'education', 'effect', 'egg', 'eggnog', 'eggs', 'elbow', 'end', 'engine', 'error', 'event', 'example', 'exchange', 'existence', 'expansion', 'experience', 'expert', 'eye', 'eyes', 'face', 'fact', 'fairies', 'fall', 'family', 'fan', 'fang', 'farm', 'farmer', 'father', 'father', 'faucet', 'fear', 'feast', 'feather', 'feeling', 'feet', 'fiction', 'field', 'fifth', 'fight', 'finger', 'finger', 'fire', 'fireman', 'fish', 'flag', 'flame', 'flavor', 'flesh', 'flight', 'flock', 'floor', 'flower', 'flowers', 'fly', 'fog', 'fold', 'food', 'foot', 'force', 'fork', 'form', 'fowl', 'frame', 'friction', 'friend', 'friends', 'frog', 'frogs', 'front', 'fruit', 'fuel', 'furniture', 'alley', 'game', 'garden', 'gate', 'geese', 'ghost', 'giants', 'giraffe', 'girl', 'girls', 'glass', 'glove', 'glue', 'goat', 'gold', 'goldfish', 'good-bye', 'goose', 'government', 'governor', 'grade', 'grain', 'grandfather', 'grandmother', 'grape', 'grass', 'grip', 'ground', 'group', 'growth', 'guide', 'guitar', 'gun', 'hair', 'haircut', 'hall', 'hammer', 'hand', 'hands', 'harbor', 'harmony', 'hat', 'hate', 'head', 'health', 'hearing', 'heart', 'heat', 'help', 'hen', 'hill', 'history', 'hobbies', 'hole', 'holiday', 'home', 'honey', 'hook', 'hope', 'horn', 'horse', 'horses', 'hose', 'hospital', 'hot', 'hour', 'house', 'houses', 'humor', 'hydrant', 'ice', 'icicle', 'idea', 'impulse', 'income', 'increase', 'industry', 'ink', 'insect', 'instrument', 'insurance', 'interest', 'invention', 'iron', 'island', 'jail', 'jam', 'jar', 'jeans', 'jelly', 'jellyfish', 'jewel', 'join', 'joke', 'journey', 'judge', 'juice', 'jump', 'kettle', 'key', 'kick', 'kiss', 'kite', 'kitten', 'kittens', 'kitty', 'knee', 'knife', 'knot', 'knowledge', 'laborer', 'lace', 'ladybug', 'lake', 'lamp', 'land', 'language', 'laugh', 'lawyer', 'lead', 'leaf', 'learning', 'leather', 'leg', 'legs', 'letter', 'letters', 'lettuce', 'level', 'library', 'lift', 'light', 'limit', 'line', 'linen', 'lip', 'liquid', 'list', 'lizards', 'loaf', 'lock', 'locket', 'look', 'loss', 'love', 'low', 'lumber', 'lunch', 'lunchroom', 'machine', 'magic', 'maid', 'mailbox', 'man', 'manager', 'map', 'marble', 'mark', 'market', 'mask', 'mass', 'match', 'meal', 'measure', 'meat', 'meeting', 'memory', 'men', 'metal', 'mice', 'middle', 'milk', 'mind', 'mine', 'minister', 'mint', 'minute', 'mist', 'mitten', 'mom', 'money', 'monkey', 'month', 'moon', 'morning', 'mother', 'motion', 'mountain', 'mouth', 'move', 'muscle', 'music', 'nail', 'name', 'nation', 'neck', 'need', 'needle', 'nerve', 'nest', 'net', 'news', 'night', 'noise', 'north', 'nose', 'note', 'notebook', 'number', 'nut', 'oatmeal', 'observation', 'ocean', 'offer', 'office', 'oil', 'operation', 'opinion', 'orange', 'oranges', 'order', 'organization', 'ornament', 'oven', 'owl', 'owner', 'page', 'pail', 'pain', 'paint', 'pan', 'pancake', 'paper', 'parcel', 'parent', 'park', 'part', 'partner', 'party', 'passenger', 'paste', 'patch', 'payment', 'peace', 'pear', 'pen', 'pencil', 'person', 'pest', 'pet', 'pets', 'pickle', 'picture', 'pie', 'pies', 'pig', 'pigs', 'pin', 'pipe', 'pizzas', 'place', 'plane', 'planes', 'plant', 'plantation', 'plants', 'plastic', 'plate', 'play', 'playground', 'pleasure', 'plot', 'plough', 'pocket', 'point', 'poison', 'police', 'polish', 'pollution', 'popcorn', 'porter', 'position', 'pot', 'potato', 'powder', 'power', 'price', 'print', 'prison', 'process', 'produce', 'profit', 'property', 'prose', 'protest', 'pull', 'pump', 'punishment', 'purpose', 'push', 'quarter', 'quartz', 'queen', 'question', 'quicksand', 'quiet', 'quill', 'quilt', 'quince', 'quiver', 'rabbit', 'rabbits', 'rail', 'railway', 'rain', 'rainstorm', 'rake', 'range', 'rat', 'rate', 'ray', 'reaction', 'reading', 'reason', 'receipt', 'recess', 'record', 'regret', 'relation', 'religion', 'representative', 'request', 'respect', 'rest', 'reward', 'rhythm', 'rice', 'riddle', 'rifle', 'ring', 'rings', 'river', 'road', 'robin', 'rock', 'rod', 'roll', 'roof', 'room', 'root', 'rose', 'route', 'rub', 'rule', 'run', 'sack', 'sail', 'salt', 'sand', 'scale', 'scarecrow', 'scarf', 'scene', 'scent', 'school', 'science', 'scissors', 'screw', 'sea', 'seashore', 'seat', 'secretary', 'seed', 'selection', 'self', 'sense', 'servant', 'shade', 'shake', 'shame', 'shape', 'sheep', 'sheet', 'shelf', 'ship', 'shirt', 'shock', 'shoe', 'shoes', 'shop', 'show', 'side', 'sidewalk', 'sign', 'silk', 'silver', 'sink', 'sister', 'sisters', 'size', 'skate', 'skin', 'skirt', 'sky', 'slave', 'sleep', 'sleet', 'slip', 'slope', 'smash', 'smell', 'smile', 'smoke', 'snail', 'snails', 'snake', 'snakes', 'sneeze', 'snow', 'soap', 'society', 'sock', 'soda', 'sofa', 'son', 'song', 'songs', 'sort', 'sound', 'soup', 'space', 'spade', 'spark', 'spiders', 'sponge', 'spoon', 'spot', 'spring', 'spy', 'square', 'squirrel', 'stage', 'stamp', 'star', 'start', 'statement', 'station', 'steam', 'steel', 'stem', 'step', 'stew', 'stick', 'sticks', 'stitch', 'stocking', 'stomach', 'stone', 'stop', 'store', 'story', 'stove', 'stranger', 'straw', 'stream', 'street', 'stretch', 'string', 'structure', 'substance', 'sugar', 'suggestion', 'suit', 'summer', 'sun', 'support', 'surprise', 'sweater', 'swim', 'swing', 'system', 'table', 'tail', 'talk', 'tank', 'taste', 'tax', 'teaching', 'team', 'teeth', 'temper', 'tendency', 'tent', 'territory', 'test', 'texture', 'theory', 'thing', 'things', 'thought', 'thread', 'thrill', 'throat', 'throne', 'thumb', 'thunder', 'ticket', 'tiger', 'time', 'tin', 'title', 'toad', 'toe', 'toes', 'tomatoes', 'tongue', 'tooth', 'toothbrush', 'toothpaste', 'top', 'touch', 'town', 'toy', 'toys', 'trade', 'trail', 'train', 'trains', 'tramp', 'transport', 'tray', 'treatment', 'tree', 'trees', 'trick', 'trip', 'trouble', 'trousers', 'truck', 'trucks', 'tub', 'turkey', 'turn', 'twig', 'twist', 'umbrella', 'uncle', 'underwear', 'unit', 'use', 'vacation', 'value', 'van', 'vase', 'vegetable', 'veil', 'vein', 'verse', 'vessel', 'vest', 'view', 'visitor', 'voice', 'volcano', 'volleyball', 'voyage', 'walk', 'wall', 'war', 'wash', 'waste', 'watch', 'water', 'wave', 'waves', 'wax', 'way', 'wealth', 'weather', 'week', 'weight', 'wheel', 'whip', 'whistle', 'wilderness', 'wind', 'window', 'wine', 'wing', 'winter', 'wire', 'wish', 'woman', 'women', 'wood', 'wool', 'word', 'work', 'worm', 'wound', 'wren', 'wrench', 'wrist', 'writer', 'writing', 'yak', 'yam', 'yard', 'yarn', 'year', 'yoke', 'zebra', 'zephyr', 'zinc', 'zipper', 'zoo']
adjectives = ['abandoned', 'able', 'absolute', 'adorable', 'adventurous', 'academic', 'acceptable', 'acclaimed', 'accomplished', 'accurate', 'aching', 'acidic', 'acrobatic', 'active', 'actual', 'adept', 'admirable', 'admired', 'adolescent', 'adorable', 'adored', 'advanced', 'afraid', 'affectionate', 'aged', 'aggravating', 'aggressive', 'agile', 'agitated', 'agonizing', 'agreeable', 'ajar', 'alarmed', 'alarming', 'alert', 'alienated', 'alive', 'all', 'altruistic', 'amazing', 'ambitious', 'ample', 'amused', 'amusing', 'anchored', 'ancient', 'angelic', 'angry', 'anguished', 'animated', 'annual', 'another', 'antique', 'anxious', 'any', 'apprehensive', 'appropriate', 'apt', 'arctic', 'arid', 'aromatic', 'artistic', 'ashamed', 'assured', 'astonishing', 'athletic', 'attached', 'attentive', 'attractive', 'austere', 'authentic', 'authorized', 'automatic', 'avaricious', 'average', 'aware', 'awesome', 'awful', 'awkward', 'babyish', 'bad', 'back', 'baggy', 'bare', 'barren', 'basic', 'beautiful', 'belated', 'beloved', 'beneficial', 'better', 'best', 'bewitched', 'big', 'big-hearted', 'biodegradable', 'bite-sized', 'bitter', 'black', 'black-and-white', 'bland', 'blank', 'blaring', 'bleak', 'blind', 'blissful', 'blond', 'blue', 'blushing', 'bogus', 'boiling', 'bold', 'bony', 'boring', 'bossy', 'both', 'bouncy', 'bountiful', 'bowed', 'brave', 'breakable', 'brief', 'bright', 'brilliant', 'brisk', 'broken', 'bronze', 'brown', 'bruised', 'bubbly', 'bulky', 'bumpy', 'buoyant', 'burdensome', 'burly', 'bustling', 'busy', 'buttery', 'buzzing', 'calculating', 'calm', 'candid', 'canine', 'capital', 'carefree', 'careful', 'careless', 'caring', 'cautious', 'cavernous', 'celebrated', 'charming', 'cheap', 'cheerful', 'cheery', 'chief', 'chilly', 'chubby', 'circular', 'classic', 'clean', 'clear', 'clear-cut', 'clever', 'close', 'closed', 'cloudy', 'clueless', 'clumsy', 'cluttered', 'coarse', 'cold', 'colorful', 'colorless', 'colossal', 'comfortable', 'common', 'compassionate', 'competent', 'complete', 'complex', 'complicated', 'composed', 'concerned', 'concrete', 'confused', 'conscious', 'considerate', 'constant', 'content', 'conventional', 'cooked', 'cool', 'cooperative', 'coordinated', 'corny', 'corrupt', 'costly', 'courageous', 'courteous', 'crafty', 'crazy', 'creamy', 'creative', 'creepy', 'criminal', 'crisp', 'critical', 'crooked', 'crowded', 'cruel', 'crushing', 'cuddly', 'cultivated', 'cultured', 'cumbersome', 'curly', 'curvy', 'cute', 'cylindrical', 'damaged', 'damp', 'dangerous', 'dapper', 'daring', 'darling', 'dark', 'dazzling', 'dead', 'deadly', 'deafening', 'dear', 'dearest', 'decent', 'decimal', 'decisive', 'deep', 'defenseless', 'defensive', 'defiant', 'deficient', 'definite', 'definitive', 'delayed', 'delectable', 'delicious', 'delightful', 'delirious', 'demanding', 'dense', 'dental', 'dependable', 'dependent', 'descriptive', 'deserted', 'detailed', 'determined', 'devoted', 'different', 'difficult', 'digital', 'diligent', 'dim', 'dimpled', 'dimwitted', 'direct', 'disastrous', 'discrete', 'disfigured', 'disgusting', 'disloyal', 'dismal', 'distant', 'downright', 'dreary', 'dirty', 'disguised', 'dishonest', 'dismal', 'distant', 'distinct', 'distorted', 'dizzy', 'dopey', 'doting', 'double', 'downright', 'drab', 'drafty', 'dramatic', 'dreary', 'droopy', 'dry', 'dual', 'dull', 'dutiful', 'each', 'eager', 'earnest', 'early', 'easy', 'easy-going', 'ecstatic', 'edible', 'educated', 'elaborate', 'elastic', 'elated', 'elderly', 'electric', 'elegant', 'elementary', 'elliptical', 'embarrassed', 'embellished', 'eminent', 'emotional', 'empty', 'enchanted', 'enchanting', 'energetic', 'enlightened', 'enormous', 'enraged', 'entire', 'envious', 'equal', 'equatorial', 'essential', 'esteemed', 'ethical', 'euphoric', 'even', 'evergreen', 'everlasting', 'every', 'evil', 'exalted', 'excellent', 'exemplary', 'exhausted', 'excitable', 'excited', 'exciting', 'exotic', 'expensive', 'experienced', 'expert', 'extraneous', 'extroverted', 'extra-large', 'extra-small', 'fabulous', 'failing', 'faint', 'fair', 'faithful', 'fake', 'false', 'familiar', 'famous', 'fancy', 'fantastic', 'far', 'faraway', 'far-flung', 'far-off', 'fast', 'fat', 'fatal', 'fatherly', 'favorable', 'favorite', 'fearful', 'fearless', 'feisty', 'feline', 'female', 'feminine', 'few', 'fickle', 'filthy', 'fine', 'finished', 'firm', 'first', 'firsthand', 'fitting', 'fixed', 'flaky', 'flamboyant', 'flashy', 'flat', 'flawed', 'flawless', 'flickering', 'flimsy', 'flippant', 'flowery', 'fluffy', 'fluid', 'flustered', 'focused', 'fond', 'foolhardy', 'foolish', 'forceful', 'forked', 'formal', 'forsaken', 'forthright', 'fortunate', 'fragrant', 'frail', 'frank', 'frayed', 'free', 'French', 'fresh', 'frequent', 'friendly', 'frightened', 'frightening', 'frigid', 'frilly', 'frizzy', 'frivolous', 'front', 'frosty', 'frozen', 'frugal', 'fruitful', 'full', 'fumbling', 'functional', 'funny', 'fussy', 'fuzzy', 'gargantuan', 'gaseous', 'general', 'generous', 'gentle', 'genuine', 'giant', 'giddy', 'gigantic', 'gifted', 'giving', 'glamorous', 'glaring', 'glass', 'gleaming', 'gleeful', 'glistening', 'glittering', 'gloomy', 'glorious', 'glossy', 'glum', 'golden', 'good', 'good-natured', 'gorgeous', 'graceful', 'gracious', 'grand', 'grandiose', 'granular', 'grateful', 'grave', 'gray', 'great', 'greedy', 'green', 'gregarious', 'grim', 'grimy', 'gripping', 'grizzled', 'gross', 'grotesque', 'grouchy', 'grounded', 'growing', 'growling', 'grown', 'grubby', 'gruesome', 'grumpy', 'guilty', 'gullible', 'gummy', 'hairy', 'half', 'handmade', 'handsome', 'handy', 'happy', 'happy-go-lucky', 'hard', 'hard-to-find', 'harmful', 'harmless', 'harmonious', 'harsh', 'hasty', 'hateful', 'haunting', 'healthy', 'heartfelt', 'hearty', 'heavenly', 'heavy', 'hefty', 'helpful', 'helpless', 'hidden', 'hideous', 'high', 'high-level', 'hilarious', 'hoarse', 'hollow', 'homely', 'honest', 'honorable', 'honored', 'hopeful', 'horrible', 'hospitable', 'hot', 'huge', 'humble', 'humiliating', 'humming', 'humongous', 'hungry', 'hurtful', 'husky', 'icky', 'icy', 'ideal', 'idealistic', 'identical', 'idle', 'idiotic', 'idolized', 'ignorant', 'ill', 'illegal', 'ill-fated', 'ill-informed', 'illiterate', 'illustrious', 'imaginary', 'imaginative', 'immaculate', 'immaterial', 'immediate', 'immense', 'impassioned', 'impeccable', 'impartial', 'imperfect', 'imperturbable', 'impish', 'impolite', 'important', 'impossible', 'impractical', 'impressionable', 'impressive', 'improbable', 'impure', 'inborn', 'incomparable', 'incompatible', 'incomplete', 'inconsequential', 'incredible', 'indelible', 'inexperienced', 'indolent', 'infamous', 'infantile', 'infatuated', 'inferior', 'infinite', 'informal', 'innocent', 'insecure', 'insidious', 'insignificant', 'insistent', 'instructive', 'insubstantial', 'intelligent', 'intent', 'intentional', 'interesting', 'internal', 'international', 'intrepid', 'ironclad', 'irresponsible', 'irritating', 'itchy', 'jaded', 'jagged', 'jam-packed', 'jaunty', 'jealous', 'jittery', 'joint', 'jolly', 'jovial', 'joyful', 'joyous', 'jubilant', 'judicious', 'juicy', 'jumbo', 'junior', 'jumpy', 'juvenile', 'kaleidoscopic', 'keen', 'key', 'kind', 'kindhearted', 'kindly', 'klutzy', 'knobby', 'knotty', 'knowledgeable', 'knowing', 'known', 'kooky', 'kosher', 'lame', 'lanky', 'large', 'last', 'lasting', 'late', 'lavish', 'lawful', 'lazy', 'leading', 'lean', 'leafy', 'left', 'legal', 'legitimate', 'light', 'lighthearted', 'likable', 'likely', 'limited', 'limp', 'limping', 'linear', 'lined', 'liquid', 'little', 'live', 'lively', 'livid', 'loathsome', 'lone', 'lonely', 'long', 'long-term', 'loose', 'lopsided', 'lost', 'loud', 'lovable', 'lovely', 'loving', 'low', 'loyal', 'lucky', 'lumbering', 'luminous', 'lumpy', 'lustrous', 'luxurious', 'mad', 'made-up', 'magnificent', 'majestic', 'major', 'male', 'mammoth', 'married', 'marvelous', 'masculine', 'massive', 'mature', 'meager', 'mealy', 'mean', 'measly', 'meaty', 'medical', 'mediocre', 'medium', 'meek', 'mellow', 'melodic', 'memorable', 'menacing', 'merry', 'messy', 'metallic', 'mild', 'milky', 'mindless', 'miniature', 'minor', 'minty', 'miserable', 'miserly', 'misguided', 'misty', 'mixed', 'modern', 'modest', 'moist', 'monstrous', 'monthly', 'monumental', 'moral', 'mortified', 'motherly', 'motionless', 'mountainous', 'muddy', 'muffled', 'multicolored', 'mundane', 'murky', 'mushy', 'musty', 'muted', 'mysterious', 'naive', 'narrow', 'nasty', 'natural', 'naughty', 'nautical', 'near', 'neat', 'necessary', 'needy', 'negative', 'neglected', 'negligible', 'neighboring', 'nervous', 'new', 'next', 'nice', 'nifty', 'nimble', 'nippy', 'nocturnal', 'noisy', 'nonstop', 'normal', 'notable', 'noted', 'noteworthy', 'novel', 'noxious', 'numb', 'nutritious', 'nutty', 'obedient', 'obese', 'oblong', 'oily', 'oblong', 'obvious', 'occasional', 'odd', 'oddball', 'offbeat', 'offensive', 'official', 'old', 'old-fashioned', 'only', 'open', 'optimal', 'optimistic', 'opulent', 'orange', 'orderly', 'organic', 'ornate', 'ornery', 'ordinary', 'original', 'other', 'our', 'outlying', 'outgoing', 'outlandish', 'outrageous', 'outstanding', 'oval', 'overcooked', 'overdue', 'overjoyed', 'overlooked', 'palatable', 'pale', 'paltry', 'parallel', 'parched', 'partial', 'passionate', 'past', 'pastel', 'peaceful', 'peppery', 'perfect', 'perfumed', 'periodic', 'perky', 'personal', 'pertinent', 'pesky', 'pessimistic', 'petty', 'phony', 'physical', 'piercing', 'pink', 'pitiful', 'plain', 'plaintive', 'plastic', 'playful', 'pleasant', 'pleased', 'pleasing', 'plump', 'plush', 'polished', 'polite', 'political', 'pointed', 'pointless', 'poised', 'poor', 'popular', 'portly', 'posh', 'positive', 'possible', 'potable', 'powerful', 'powerless', 'practical', 'precious', 'present', 'prestigious', 'pretty', 'precious', 'previous', 'pricey', 'prickly', 'primary', 'prime', 'pristine', 'private', 'prize', 'probable', 'productive', 'profitable', 'profuse', 'proper', 'proud', 'prudent', 'punctual', 'pungent', 'puny', 'pure', 'purple', 'pushy', 'putrid', 'puzzled', 'puzzling', 'quaint', 'qualified', 'quarrelsome', 'quarterly', 'queasy', 'querulous', 'questionable', 'quick', 'quick-witted', 'quiet', 'quintessential', 'quirky', 'quixotic', 'quizzical', 'radiant', 'ragged', 'rapid', 'rare', 'rash', 'raw', 'recent', 'reckless', 'rectangular', 'ready', 'real', 'realistic', 'reasonable', 'red', 'reflecting', 'regal', 'regular', 'reliable', 'relieved', 'remarkable', 'remorseful', 'remote', 'repentant', 'required', 'respectful', 'responsible', 'repulsive', 'revolving', 'rewarding', 'rich', 'rigid', 'right', 'ringed', 'ripe', 'roasted', 'robust', 'rosy', 'rotating', 'rotten', 'rough', 'round', 'rowdy', 'royal', 'rubbery', 'rundown', 'ruddy', 'rude', 'runny', 'rural', 'rusty', 'sad', 'safe', 'salty', 'same', 'sandy', 'sane', 'sarcastic', 'sardonic', 'satisfied', 'scaly', 'scarce', 'scared', 'scary', 'scented', 'scholarly', 'scientific', 'scornful', 'scratchy', 'scrawny', 'second', 'secondary', 'second-hand', 'secret', 'self-assured', 'self-reliant', 'selfish', 'sentimental', 'separate', 'serene', 'serious', 'serpentine', 'several', 'severe', 'shabby', 'shadowy', 'shady', 'shallow', 'shameful', 'shameless', 'sharp', 'shimmering', 'shiny', 'shocked', 'shocking', 'shoddy', 'short', 'short-term', 'showy', 'shrill', 'shy', 'sick', 'silent', 'silky', 'silly', 'silver', 'similar', 'simple', 'simplistic', 'sinful', 'single', 'sizzling', 'skeletal', 'skinny', 'sleepy', 'slight', 'slim', 'slimy', 'slippery', 'slow', 'slushy', 'small', 'smart', 'smoggy', 'smooth', 'smug', 'snappy', 'snarling', 'sneaky', 'sniveling', 'snoopy', 'sociable', 'soft', 'soggy', 'solid', 'somber', 'some', 'spherical', 'sophisticated', 'sore', 'sorrowful', 'soulful', 'soupy', 'sour', 'Spanish', 'sparkling', 'sparse', 'specific', 'spectacular', 'speedy', 'spicy', 'spiffy', 'spirited', 'spiteful', 'splendid', 'spotless', 'spotted', 'spry', 'square', 'squeaky', 'squiggly', 'stable', 'staid', 'stained', 'stale', 'standard', 'starchy', 'stark', 'starry', 'steep', 'sticky', 'stiff', 'stimulating', 'stingy', 'stormy', 'straight', 'strange', 'steel', 'strict', 'strident', 'striking', 'striped', 'strong', 'studious', 'stunning', 'stupendous', 'stupid', 'sturdy', 'stylish', 'subdued', 'submissive', 'substantial', 'subtle', 'suburban', 'sudden', 'sugary', 'sunny', 'super', 'superb', 'superficial', 'superior', 'supportive', 'sure-footed', 'surprised', 'suspicious', 'svelte', 'sweaty', 'sweet', 'sweltering', 'swift', 'sympathetic', 'tall', 'talkative', 'tame', 'tan', 'tangible', 'tart', 'tasty', 'tattered', 'taut', 'tedious', 'teeming', 'tempting', 'tender', 'tense', 'tepid', 'terrible', 'terrific', 'testy', 'thankful', 'that', 'these', 'thick', 'thin', 'third', 'thirsty', 'this', 'thorough', 'thorny', 'those', 'thoughtful', 'threadbare', 'thrifty', 'thunderous', 'tidy', 'tight', 'timely', 'tinted', 'tiny', 'tired', 'torn', 'total', 'tough', 'traumatic', 'treasured', 'tremendous', 'tragic', 'trained', 'tremendous', 'triangular', 'tricky', 'trifling', 'trim', 'trivial', 'troubled', 'true', 'trusting', 'trustworthy', 'trusty', 'truthful', 'tubby', 'turbulent', 'twin', 'ugly', 'ultimate', 'unacceptable', 'unaware', 'uncomfortable', 'uncommon', 'unconscious', 'understated', 'unequaled', 'uneven', 'unfinished', 'unfit', 'unfolded', 'unfortunate', 'unhappy', 'unhealthy', 'uniform', 'unimportant', 'unique', 'united', 'unkempt', 'unknown', 'unlawful', 'unlined', 'unlucky', 'unnatural', 'unpleasant', 'unrealistic', 'unripe', 'unruly', 'unselfish', 'unsightly', 'unsteady', 'unsung', 'untidy', 'untimely', 'untried', 'untrue', 'unused', 'unusual', 'unwelcome', 'unwieldy', 'unwilling', 'unwitting', 'unwritten', 'upbeat', 'upright', 'upset', 'urban', 'usable', 'used', 'useful', 'useless', 'utilized', 'utter', 'vacant', 'vague', 'vain', 'valid', 'valuable', 'vapid', 'variable', 'vast', 'velvety', 'venerated', 'vengeful', 'verifiable', 'vibrant', 'vicious', 'victorious', 'vigilant', 'vigorous', 'villainous', 'violet', 'violent', 'virtual', 'virtuous', 'visible', 'vital', 'vivacious', 'vivid', 'voluminous', 'wan', 'warlike', 'warm', 'warmhearted', 'warped', 'wary', 'wasteful', 'watchful', 'waterlogged', 'watery', 'wavy', 'wealthy', 'weak', 'weary', 'webbed', 'wee', 'weekly', 'weepy', 'weighty', 'weird', 'welcome', 'well-documented', 'well-groomed', 'well-informed', 'well-lit', 'well-made', 'well-off', 'well-to-do', 'well-worn', 'wet', 'which', 'whimsical', 'whirlwind', 'whispered', 'white', 'whole', 'whopping', 'wicked', 'wide', 'wide-eyed', 'wiggly', 'wild', 'willing', 'wilted', 'winding', 'windy', 'winged', 'wiry', 'wise', 'witty', 'wobbly', 'woeful', 'wonderful', 'wooden', 'woozy', 'wordy', 'worldly', 'worn', 'worried', 'worrisome', 'worse', 'worst', 'worthless', 'worthwhile', 'worthy', 'wrathful', 'wretched', 'writhing', 'wrong', 'wry', 'yawning', 'yearly', 'yellow', 'yellowish', 'young', 'youthful', 'yummy', 'zany', 'zealous', 'zesty', 'zigzag']
|
__author__ = 'shukkkur'
'''
https://codeforces.com/problemset/problem/580/A
'''
n = int(input())
values = list(map(int, input().split()))
records = []
count = 1
for i in range(len(values)-1):
if values[i] <= values[i+1]:
count += 1
else:
records.append(count)
count = 1
records.append(count)
print(max(records))
|
__author__ = 'shukkkur'
'\nhttps://codeforces.com/problemset/problem/580/A\n'
n = int(input())
values = list(map(int, input().split()))
records = []
count = 1
for i in range(len(values) - 1):
if values[i] <= values[i + 1]:
count += 1
else:
records.append(count)
count = 1
records.append(count)
print(max(records))
|
# coding=utf-8
global DEBUG_ON # Turn debug ON/OF (True/False)
DEBUG_ON = False
global LEVEL_SYSTEM # Settings for leveling system
LEVEL_SYSTEM = {
'1': {'cap': 0, 'multiplier': 1},
'2': {'cap': 10, 'multiplier': 1},
'3': {'cap': 100, 'multiplier': 2},
'4': {'cap': 500, 'multiplier': 2},
'5': {'cap': 1000, 'multiplier': 3},
'6': {'cap': 2000, 'multiplier': 3},
'7': {'cap': 5000, 'multiplier': 3},
'8': {'cap': 10000, 'multiplier': 4},
'8': {'cap': 20000, 'multiplier': 5}
}
global NEW_USER # Default settings for new users
NEW_USER = {
'credit': 100,
'points': 0,
'level': 1,
'multiplier': 1,
'xp': 0,
'weapons': {},
'active_weapon': ''
}
# Info screen settings
global INFO_BG
global EMPTY_AVATAR
global INFO_BG1
global FONT1
global FONT2
global FONT3
global FONT4
global STATUS_COLORS
INFO_BG = './static/img/bg.png' # base background of info graphic
INFO_BG1 = './static/img/bg1.png' # left part covering avatar and make them rounded
EMPTY_AVATAR = './static/img/no_avatar.png' # default picture for users without avatar
FONT1 = './static/fonts/Ignis et Glacies Sharp.ttf'
FONT2 = './static/fonts/GFSNeohellenicBold.ttf'
FONT3 = '/usr/share/fonts/truetype/freefont/FreeSans.ttf'
STATUS_COLORS={
'online': (67, 181, 129),
'offline': (116, 127, 141),
'idle': (250, 166, 26),
'dnd': (240, 71, 71),
'invisible': (116, 127, 141)}
|
global DEBUG_ON
debug_on = False
global LEVEL_SYSTEM
level_system = {'1': {'cap': 0, 'multiplier': 1}, '2': {'cap': 10, 'multiplier': 1}, '3': {'cap': 100, 'multiplier': 2}, '4': {'cap': 500, 'multiplier': 2}, '5': {'cap': 1000, 'multiplier': 3}, '6': {'cap': 2000, 'multiplier': 3}, '7': {'cap': 5000, 'multiplier': 3}, '8': {'cap': 10000, 'multiplier': 4}, '8': {'cap': 20000, 'multiplier': 5}}
global NEW_USER
new_user = {'credit': 100, 'points': 0, 'level': 1, 'multiplier': 1, 'xp': 0, 'weapons': {}, 'active_weapon': ''}
global INFO_BG
global EMPTY_AVATAR
global INFO_BG1
global FONT1
global FONT2
global FONT3
global FONT4
global STATUS_COLORS
info_bg = './static/img/bg.png'
info_bg1 = './static/img/bg1.png'
empty_avatar = './static/img/no_avatar.png'
font1 = './static/fonts/Ignis et Glacies Sharp.ttf'
font2 = './static/fonts/GFSNeohellenicBold.ttf'
font3 = '/usr/share/fonts/truetype/freefont/FreeSans.ttf'
status_colors = {'online': (67, 181, 129), 'offline': (116, 127, 141), 'idle': (250, 166, 26), 'dnd': (240, 71, 71), 'invisible': (116, 127, 141)}
|
def find_loop_size(target):
loop_size = 0
c = 1
while True:
loop_size += 1
c *= 7
c = c % 20201227
if c == target:
return loop_size
def transform_loop(public, loop_size):
c = 1
for _ in range(loop_size):
c *= public
c = c % 20201227
return c
####################
with open("input.txt") as f:
c_public = int(f.readline().strip())
d_public = int(f.readline().strip())
c_loop = find_loop_size(c_public)
d_loop = find_loop_size(d_public)
print("Card loop size :",c_loop)
print("Door loop size :",d_loop)
c_secret = transform_loop(c_public,d_loop)
d_secret = transform_loop(d_public,c_loop)
if c_secret == d_secret:
print("Secret key matched :",d_secret)
else:
print("Something went wrong!")
print("Card secrete was :", c_secret)
print("Door secrete was :", d_secret)
|
def find_loop_size(target):
loop_size = 0
c = 1
while True:
loop_size += 1
c *= 7
c = c % 20201227
if c == target:
return loop_size
def transform_loop(public, loop_size):
c = 1
for _ in range(loop_size):
c *= public
c = c % 20201227
return c
with open('input.txt') as f:
c_public = int(f.readline().strip())
d_public = int(f.readline().strip())
c_loop = find_loop_size(c_public)
d_loop = find_loop_size(d_public)
print('Card loop size :', c_loop)
print('Door loop size :', d_loop)
c_secret = transform_loop(c_public, d_loop)
d_secret = transform_loop(d_public, c_loop)
if c_secret == d_secret:
print('Secret key matched :', d_secret)
else:
print('Something went wrong!')
print('Card secrete was :', c_secret)
print('Door secrete was :', d_secret)
|
# Fiona Nealon, 2018-04-07
# A function called factorial() which takes a single input and returns it's factorial
def factorial(upto):
# Create a variable that will become the answer
multupto = 1
# Loop through numbers i from 1 to upto
for i in range(1, upto + 1):
# Multiply ans by i, changing ans to that
multupto = multupto * i
# Return the factorial
return multupto
# Tests from questions
print("The multiplication of the values from to 1 to 5 inclusive is", factorial(5))
print("The multiplication of the values from to 1 to 7 inclusive is", factorial(7))
print("The multiplication of the values from to 1 to 10 inclusive is", factorial(10))
|
def factorial(upto):
multupto = 1
for i in range(1, upto + 1):
multupto = multupto * i
return multupto
print('The multiplication of the values from to 1 to 5 inclusive is', factorial(5))
print('The multiplication of the values from to 1 to 7 inclusive is', factorial(7))
print('The multiplication of the values from to 1 to 10 inclusive is', factorial(10))
|
"""
Target Commands
"""
def retrieve(args):
pass
def create(args):
pass
def start(args):
pass
def stop(args):
pass
def delete(args):
pass
|
"""
Target Commands
"""
def retrieve(args):
pass
def create(args):
pass
def start(args):
pass
def stop(args):
pass
def delete(args):
pass
|
'''
348. Design Tic-Tac-Toe
Medium
271
21
Design a Tic-tac-toe game that is played between two players on a n x n grid.
You may assume the following rules:
A move is guaranteed to be valid and is placed on an empty block.
Once a winning condition is reached, no more moves is allowed.
A player who succeeds in placing n of their marks in a horizontal, vertical, or diagonal row wins the game.
Example:
Given n = 3, assume that player 1 is "X" and player 2 is "O" in the board.
TicTacToe toe = new TicTacToe(3);
toe.move(0, 0, 1); -> Returns 0 (no one wins)
|X| | |
| | | | // Player 1 makes a move at (0, 0).
| | | |
toe.move(0, 2, 2); -> Returns 0 (no one wins)
|X| |O|
| | | | // Player 2 makes a move at (0, 2).
| | | |
toe.move(2, 2, 1); -> Returns 0 (no one wins)
|X| |O|
| | | | // Player 1 makes a move at (2, 2).
| | |X|
toe.move(1, 1, 2); -> Returns 0 (no one wins)
|X| |O|
| |O| | // Player 2 makes a move at (1, 1).
| | |X|
toe.move(2, 0, 1); -> Returns 0 (no one wins)
|X| |O|
| |O| | // Player 1 makes a move at (2, 0).
|X| |X|
toe.move(1, 0, 2); -> Returns 0 (no one wins)
|X| |O|
|O|O| | // Player 2 makes a move at (1, 0).
|X| |X|
toe.move(2, 1, 1); -> Returns 1 (player 1 wins)
|X| |O|
|O|O| | // Player 1 makes a move at (2, 1).
|X|X|X|
'''
'''
Personally, I didn't get the intuition correct before I saw -> https://leetcode.com/problems/design-tic-tac-toe/discuss/81898/Java-O(1)-solution-easy-to-understand
But then, just to reiterate the meat of that solution:
***
1. We don't store the whole tic-tac-toe board and it's state.
2. Just store the state of pertinent row/col/diagonal/anti-diagonal.
3. By state, what we mean is -> how many times any of the two players have picked that row and column. (Hence the O(1) solution)
4. At any point, as the state becomes the total size 'n'; we have a winner! Congratulations current player :)
***
For solutions to other problems, feel free to visit -> https://github.com/adityaaggarwal1992/leetcode1992
'''
class TicTacToe:
def __init__(self, n):
"""
Initialize your data structure here.
:type n: int
"""
self.row = [0 for x in range(n)]
self.col = [0 for x in range(n)]
self.diag = 0
self.undiag = 0
self.n = n
def move(self, row, col, player):
"""
Player {player} makes a move at ({row}, {col}).
@param row The row of the board.
@param col The column of the board.
@param player The player, can be either 1 or 2.
@return The current winning condition, can be either:
0: No one wins.
1: Player 1 wins.
2: Player 2 wins.
:type row: int
:type col: int
:type player: int
:rtype: int
"""
order = 1 if player == 1 else -1
self.row[row] += order
self.col[col] += order
if row == col:
self.diag += order
if col == self.n-1 -row:
self.undiag += order
if abs(self.row[row]) == self.n or \
abs(self.col[col]) == self.n or \
abs(self.diag) == self.n or \
abs(self.undiag) == self.n:
return player
else:
return 0
|
"""
348. Design Tic-Tac-Toe
Medium
271
21
Design a Tic-tac-toe game that is played between two players on a n x n grid.
You may assume the following rules:
A move is guaranteed to be valid and is placed on an empty block.
Once a winning condition is reached, no more moves is allowed.
A player who succeeds in placing n of their marks in a horizontal, vertical, or diagonal row wins the game.
Example:
Given n = 3, assume that player 1 is "X" and player 2 is "O" in the board.
TicTacToe toe = new TicTacToe(3);
toe.move(0, 0, 1); -> Returns 0 (no one wins)
|X| | |
| | | | // Player 1 makes a move at (0, 0).
| | | |
toe.move(0, 2, 2); -> Returns 0 (no one wins)
|X| |O|
| | | | // Player 2 makes a move at (0, 2).
| | | |
toe.move(2, 2, 1); -> Returns 0 (no one wins)
|X| |O|
| | | | // Player 1 makes a move at (2, 2).
| | |X|
toe.move(1, 1, 2); -> Returns 0 (no one wins)
|X| |O|
| |O| | // Player 2 makes a move at (1, 1).
| | |X|
toe.move(2, 0, 1); -> Returns 0 (no one wins)
|X| |O|
| |O| | // Player 1 makes a move at (2, 0).
|X| |X|
toe.move(1, 0, 2); -> Returns 0 (no one wins)
|X| |O|
|O|O| | // Player 2 makes a move at (1, 0).
|X| |X|
toe.move(2, 1, 1); -> Returns 1 (player 1 wins)
|X| |O|
|O|O| | // Player 1 makes a move at (2, 1).
|X|X|X|
"""
"\nPersonally, I didn't get the intuition correct before I saw -> https://leetcode.com/problems/design-tic-tac-toe/discuss/81898/Java-O(1)-solution-easy-to-understand\nBut then, just to reiterate the meat of that solution:\n***\n1. We don't store the whole tic-tac-toe board and it's state.\n2. Just store the state of pertinent row/col/diagonal/anti-diagonal.\n3. By state, what we mean is -> how many times any of the two players have picked that row and column. (Hence the O(1) solution)\n4. At any point, as the state becomes the total size 'n'; we have a winner! Congratulations current player :)\n\n***\n\nFor solutions to other problems, feel free to visit -> https://github.com/adityaaggarwal1992/leetcode1992\n\n"
class Tictactoe:
def __init__(self, n):
"""
Initialize your data structure here.
:type n: int
"""
self.row = [0 for x in range(n)]
self.col = [0 for x in range(n)]
self.diag = 0
self.undiag = 0
self.n = n
def move(self, row, col, player):
"""
Player {player} makes a move at ({row}, {col}).
@param row The row of the board.
@param col The column of the board.
@param player The player, can be either 1 or 2.
@return The current winning condition, can be either:
0: No one wins.
1: Player 1 wins.
2: Player 2 wins.
:type row: int
:type col: int
:type player: int
:rtype: int
"""
order = 1 if player == 1 else -1
self.row[row] += order
self.col[col] += order
if row == col:
self.diag += order
if col == self.n - 1 - row:
self.undiag += order
if abs(self.row[row]) == self.n or abs(self.col[col]) == self.n or abs(self.diag) == self.n or (abs(self.undiag) == self.n):
return player
else:
return 0
|
EXPECTED = {'Foo': {'extensibility-implied': False,
'imports': {},
'object-classes': {},
'object-sets': {},
'tags': 'AUTOMATIC',
'types': {'A': {'restricted-to': [('min', 'max')],
'type': 'Constants'},
'B': {'restricted-to': ['unknown'], 'type': 'Constants'},
'C': {'restricted-to': [('zero', 'max')],
'type': 'Constants'},
'Constants': {'named-numbers': {'max': 1,
'min': -1,
'unknown': 2},
'restricted-to': [(-1, 2)],
'type': 'INTEGER'}},
'values': {'min': {'type': 'INTEGER', 'value': 3},
'zero': {'type': 'INTEGER', 'value': 0}}}}
|
expected = {'Foo': {'extensibility-implied': False, 'imports': {}, 'object-classes': {}, 'object-sets': {}, 'tags': 'AUTOMATIC', 'types': {'A': {'restricted-to': [('min', 'max')], 'type': 'Constants'}, 'B': {'restricted-to': ['unknown'], 'type': 'Constants'}, 'C': {'restricted-to': [('zero', 'max')], 'type': 'Constants'}, 'Constants': {'named-numbers': {'max': 1, 'min': -1, 'unknown': 2}, 'restricted-to': [(-1, 2)], 'type': 'INTEGER'}}, 'values': {'min': {'type': 'INTEGER', 'value': 3}, 'zero': {'type': 'INTEGER', 'value': 0}}}}
|
# Code on Python 3.7.4
# Working @ Dec, 2020
# david-boo.github.io
# Define both number and length (13). Then, just check every substring of length 13 and store and print maximum.
num = "7316717653133062491922511967442657474235534919493496983520312774506326239578318016984801869478851843858615607891129494954595017379583319528532088055111254069874715852386305071569329096329522744304355766896648950445244523161731856403098711121722383113622298934233803081353362766142828064444866452387493035890729629049156044077239071381051585930796086670172427121883998797908792274921901699720888093776657273330010533678812202354218097512545405947522435258490771167055601360483958644670632441572215539753697817977846174064955149290862569321978468622482839722413756570560574902614079729686524145351004748216637048440319989000889524345065854122758866688116427171479924442928230863465674813919123162824586178664583591245665294765456828489128831426076900422421902267105562632111110937054421750694165896040807198403850962455444362981230987879927244284909188845801561660979191338754992005240636899125607176060588611646710940507754100225698315520005593572972571636269561882670428252483600823257530420752963450"
length = 13
max = 0
for i in range(0, len(num)-length+1):
sub = num[i:(i + length)]
k = 1
for j in range(0, len(sub)):
k = k * int(sub[j])
if max < k:
max = k
print(max)
|
num = '7316717653133062491922511967442657474235534919493496983520312774506326239578318016984801869478851843858615607891129494954595017379583319528532088055111254069874715852386305071569329096329522744304355766896648950445244523161731856403098711121722383113622298934233803081353362766142828064444866452387493035890729629049156044077239071381051585930796086670172427121883998797908792274921901699720888093776657273330010533678812202354218097512545405947522435258490771167055601360483958644670632441572215539753697817977846174064955149290862569321978468622482839722413756570560574902614079729686524145351004748216637048440319989000889524345065854122758866688116427171479924442928230863465674813919123162824586178664583591245665294765456828489128831426076900422421902267105562632111110937054421750694165896040807198403850962455444362981230987879927244284909188845801561660979191338754992005240636899125607176060588611646710940507754100225698315520005593572972571636269561882670428252483600823257530420752963450'
length = 13
max = 0
for i in range(0, len(num) - length + 1):
sub = num[i:i + length]
k = 1
for j in range(0, len(sub)):
k = k * int(sub[j])
if max < k:
max = k
print(max)
|
class cesarToTxtClass:
def __init__(self, cesar, offset=None):
self.cesar = cesar.decode("utf-8").upper()
self.alphabet = "ABCDEFGHIJKLMNOPQRSTUVWXYZ".decode("utf-8")
if offset != None:
self.offset = offset
def processCesarWithOffset(self):
decrypted = ""
for c in self.cesar:
if c in self.alphabet:
index = self.alphabet.find(c)
index = index - self.offset
if index < 0:
index = index + len(self.alphabet)
decrypted += self.alphabet[index]
else:
decrypted += self.alphabet[index]
return decrypted
def processCesarWithoutOffset(self):
decrypted = []
for a in range(1,len(self.alphabet)+1):
word = ""
for c in self.cesar:
if c in self.alphabet:
index = self.alphabet.find(c)
index = index - a
if index < 0:
index = index + len(self.alphabet)
word += self.alphabet[index]
else:
word += self.alphabet[index]
decrypted.append(word)
return decrypted
|
class Cesartotxtclass:
def __init__(self, cesar, offset=None):
self.cesar = cesar.decode('utf-8').upper()
self.alphabet = 'ABCDEFGHIJKLMNOPQRSTUVWXYZ'.decode('utf-8')
if offset != None:
self.offset = offset
def process_cesar_with_offset(self):
decrypted = ''
for c in self.cesar:
if c in self.alphabet:
index = self.alphabet.find(c)
index = index - self.offset
if index < 0:
index = index + len(self.alphabet)
decrypted += self.alphabet[index]
else:
decrypted += self.alphabet[index]
return decrypted
def process_cesar_without_offset(self):
decrypted = []
for a in range(1, len(self.alphabet) + 1):
word = ''
for c in self.cesar:
if c in self.alphabet:
index = self.alphabet.find(c)
index = index - a
if index < 0:
index = index + len(self.alphabet)
word += self.alphabet[index]
else:
word += self.alphabet[index]
decrypted.append(word)
return decrypted
|
# Topic - Functions: Examples and Exercises
# CST1101-OLXX Spr-2021 WK07CL12 Review
# by Professor Patrick PaSlattery@CityTech.CUNY.edu
### VOID FUNCTION
print("Example of a void function for its side effects")
# a simple function which prints whatever argument it receives
def print_void(argument):
"""This void function prints the value passed in as an argument"""
print ("Your value is:", argument)
print_this = input("What content should we use as an argument to print_void()? > ")
print_void(print_this)
# the following statements are scaffolding to pause and wait for Enter
print()
wait = input("Hit Enter to continue > ")
print()
### LOCAL VARIABLES
print("Example of local and global variable")
# a simple function which changes the value of a local variable
def change_value(argument):
"""This function changes the local value passed in to 17"""
print ("Inside (local) argument is:", argument)
argument = 17
print ("Inside (local) argument is changed to:", argument)
number = 42
print ("Outside (global) number is:", number)
change_value(number)
print ("Outside (global) number is still:", number)
# the following statements are scaffolding to pause and wait for Enter
print()
wait = input("Hit Enter to continue > ")
print()
### GLOBAL VARIABLES INSIDE A FUNCTION
print("Example of using the global statement to access a global variable")
# a simple function which uses global to change a variable outside of scope
def change_number():
"""This function changes the value passed in to 19 (global)"""
global number
number = 19
number = 55
print ("Outside (global) number is:", number)
change_number()
print ("Outside (global) number is now:", number)
# the following statements are scaffolding to pause and wait for Enter
print()
wait = input("Hit Enter to continue > ")
print()
### RETURN VALUES
print("Example of returning a value(s)")
# a simple function which returns the square of an argument
def square(root):
"""This function calculates the square of the argument value"""
result = root * root
return result
# a rationalizing the function which returns the square of an argument
def square(root):
"""This function calculates the square of the argument value"""
# result = num * num
return root * root
# calling the square() function from within a for loop
for i in range(1,11):
print(square(i))
# the following statements are scaffolding to pause and wait for Enter
print()
wait = input("Hit Enter to continue > ")
print()
### DEFAULT ARGUMENTS #1
print("Example of setting a default value for an argument")
# Using a default value for the argument in our earlier square() function
def square(root = 1):
"""This function calculates the square of a the argument value"""
return root * root
# calling the square() function and allowing the default value for the argument
print(square())
# the following statements are scaffolding to pause and wait for Enter
print()
wait = input("Hit Enter to continue > ")
print()
### DEFAULT ARGUMENTS #2
print("Examples of using/not-using a default value for an argument")
# Using a default value to count number of times to prompt the user
def prompt_user(prompt, num_tries = 2):
"""This function prompts the user for 'yes' or 'no' a number of times"""
answer = input(prompt)
while (answer != "yes" and answer != "no" and num_tries > 1):
num_tries = num_tries - 1
print ("Try again")
answer = input(prompt)
# Calling prompt_user() with or without the default value
prompt_user("Enter yes or no: ")
prompt_user("Enter yes or no: ", 4)
# the following statements are scaffolding to pause and wait for Enter
print()
wait = input("Hit Enter to continue > ")
print()
### KEYWORD ARGUMENTS
print("Example of using keywords to assign values to arguments")
# Calling prompt_user() with keyword arguments
prompt_user(prompt="Hello ")
prompt_user(num_tries=1, prompt="Hi ")
# the following statements are scaffolding to pause and wait for Enter
print()
wait = input("Hit Enter to continue > ")
print()
|
print('Example of a void function for its side effects')
def print_void(argument):
"""This void function prints the value passed in as an argument"""
print('Your value is:', argument)
print_this = input('What content should we use as an argument to print_void()? > ')
print_void(print_this)
print()
wait = input('Hit Enter to continue > ')
print()
print('Example of local and global variable')
def change_value(argument):
"""This function changes the local value passed in to 17"""
print('Inside (local) argument is:', argument)
argument = 17
print('Inside (local) argument is changed to:', argument)
number = 42
print('Outside (global) number is:', number)
change_value(number)
print('Outside (global) number is still:', number)
print()
wait = input('Hit Enter to continue > ')
print()
print('Example of using the global statement to access a global variable')
def change_number():
"""This function changes the value passed in to 19 (global)"""
global number
number = 19
number = 55
print('Outside (global) number is:', number)
change_number()
print('Outside (global) number is now:', number)
print()
wait = input('Hit Enter to continue > ')
print()
print('Example of returning a value(s)')
def square(root):
"""This function calculates the square of the argument value"""
result = root * root
return result
def square(root):
"""This function calculates the square of the argument value"""
return root * root
for i in range(1, 11):
print(square(i))
print()
wait = input('Hit Enter to continue > ')
print()
print('Example of setting a default value for an argument')
def square(root=1):
"""This function calculates the square of a the argument value"""
return root * root
print(square())
print()
wait = input('Hit Enter to continue > ')
print()
print('Examples of using/not-using a default value for an argument')
def prompt_user(prompt, num_tries=2):
"""This function prompts the user for 'yes' or 'no' a number of times"""
answer = input(prompt)
while answer != 'yes' and answer != 'no' and (num_tries > 1):
num_tries = num_tries - 1
print('Try again')
answer = input(prompt)
prompt_user('Enter yes or no: ')
prompt_user('Enter yes or no: ', 4)
print()
wait = input('Hit Enter to continue > ')
print()
print('Example of using keywords to assign values to arguments')
prompt_user(prompt='Hello ')
prompt_user(num_tries=1, prompt='Hi ')
print()
wait = input('Hit Enter to continue > ')
print()
|
class queue:
def __init__(self):
self.main = []
self.max_c = 10
def deque(self):
del self.main[-1]
def enque(self,val):
if len(self.main) == self.max_c:
self.deque()
self.main.insert(0,val)
else:
self.main.insert(0,val)
def show(self):
return self.main
def __getitem__(self,index):
return self.main[index]
def __setitem__(self,*args):
raise AssertionError("Queue doesn't supports its assertion")
def __delitem__(self,index):
del self.main[index]
|
class Queue:
def __init__(self):
self.main = []
self.max_c = 10
def deque(self):
del self.main[-1]
def enque(self, val):
if len(self.main) == self.max_c:
self.deque()
self.main.insert(0, val)
else:
self.main.insert(0, val)
def show(self):
return self.main
def __getitem__(self, index):
return self.main[index]
def __setitem__(self, *args):
raise assertion_error("Queue doesn't supports its assertion")
def __delitem__(self, index):
del self.main[index]
|
__author__ = 'Edwin Cowart, Kevin McDonough'
# The URL that the Test Cases are received from as HTML
TEST_CASES_URL = "http://www.ccs.neu.edu/home/tonyg/cs4500/6.html"
GEN_TEST_STR = 'test_*.py'
# JSON Directory Names
JSON_STREAM_DIR = "json_streams"
JSON_SITUATION_DIR = "json_situations"
JSON_FEEDING_6_DIR = "json_feedings_6"
JSON_FEEDING_7_DIR = "json_feedings_7"
JSON_FEEDING_DIR = "json_feedings"
JSON_CONFIG_DIR = "json_configs"
JSON_STEP4_DIR = "json_step4"
JSON_SILLY_CHOICE_DIR = "json_silly"
# Python import module separator
MODULE_SEP = "."
# JSON In/Out Filename ending
IN_JSON = "in.json"
OUT_JSON = "out.json"
TEST_CASES_DIR = "test_cases"
|
__author__ = 'Edwin Cowart, Kevin McDonough'
test_cases_url = 'http://www.ccs.neu.edu/home/tonyg/cs4500/6.html'
gen_test_str = 'test_*.py'
json_stream_dir = 'json_streams'
json_situation_dir = 'json_situations'
json_feeding_6_dir = 'json_feedings_6'
json_feeding_7_dir = 'json_feedings_7'
json_feeding_dir = 'json_feedings'
json_config_dir = 'json_configs'
json_step4_dir = 'json_step4'
json_silly_choice_dir = 'json_silly'
module_sep = '.'
in_json = 'in.json'
out_json = 'out.json'
test_cases_dir = 'test_cases'
|
def calcular(a, b):
if (a > b):
total = a * b
elif (a == b):
total = a * (b + 2)
else:
total = a
print(total)
calcular(10, 10)
|
def calcular(a, b):
if a > b:
total = a * b
elif a == b:
total = a * (b + 2)
else:
total = a
print(total)
calcular(10, 10)
|
def write_moment1_hybrid(
cube, rms=None, channel_correlation=None,
outfile=None, errorfile=None,
overwrite=True, unit=None,
return_products=True,
strict_vfield=None,
broad_vfield=None,
broad_signal=None,
vfield_prior=None,
vfield_prior_res=None,
vfield_reject_thresh='30km/s',
mom0_thresh_for_mom1=2.0,
context=None):
"""Write out moment1 map using combination of other moment maps.
This is a secondary moment that needs to be calculated in the
context of other moments.
Keywords:
---------
cube : SpectralCube
Included to keep same call signature but not used
outfile : str
File name of output file
errorfile : str
File name of map for the uncertainty
rms : SpectralCube
Included to keep the same call signature but not used.
channel_correlation : np.array
Included to keep the same call signature but not used.
overwrite : bool
Set to True (the default) to overwrite existing maps if present.
unit : astropy.Unit
Preferred unit for moment masks
return_products : bool
Return products calculated in the map
strict_vfield : str
Moment tag for velocity field to be used as a high confidence map
broad_vfield : str
Moment tag for velocity field for low confidence map
broad_signal : str
Moment tag to be used as an estimate of the signal for a S/N
cut on where the broad_vfield is valid. Also finds a noise
estimate of the same and uses this for the Noise component
vfield_prior : str
Moment tag for low-resolution prior map of velocity field
vfield_prior_res : str
Resolution tag for low-resolution prior map of velocity field
vfield_reject_thresh : astropy.units.Quantity
The maximum difference between the broad field and the prior
field in units that can convert to that of the velocity field.
mom0_thresh_for_mom1 : float
S/N threshold for using a broad_vfield estimate in the map
"""
# Resolution to work with
resname = context['res_tag']
if resname is None:
resname = ''
# The threshold for outlier rejection from the prior velocity field
vfield_reject_thresh = u.Quantity(vfield_reject_thresh)
# The root for the maps
moment_root = utilsFilenames.get_cube_filename(
target=context['target'], config=context['config'],
product=context['product'],
ext=resname + context['extra_ext'])
moment_root = moment_root.replace('.fits','')
# This strict moment1 field will remain in place no matter what
strict_moment1_name = ''.join([context['indir'],
moment_root,
context['allmoments'][strict_vfield]['ext'],
'.fits'])
mom1strict = convert_and_reproject(strict_moment1_name, unit=unit)
strict_moment1_err_name = ''.join([context['indir'],
moment_root,
context['allmoments'][strict_vfield]['ext_error'],
'.fits'])
mom1strict_error = convert_and_reproject(strict_moment1_err_name, unit=unit)
# This broad moment 0 map will be used to help prune faint emission
broad_moment0_name = ''.join([context['indir'],
moment_root,
context['allmoments'][broad_signal]['ext'],
'.fits'])
mom0broad = convert_and_reproject(broad_moment0_name, template=mom1strict)
broad_moment0_err_name = ''.join([context['indir'],
moment_root,
context['allmoments'][broad_signal]['ext_error'],
'.fits'])
mom0broad_error = convert_and_reproject(broad_moment0_err_name, template=mom1strict)
# This broad moment 1 map will be used as a candidate velocity field
broad_moment1_name = ''.join([context['indir'],
moment_root,
context['allmoments'][broad_vfield]['ext'],
'.fits'])
mom1broad = convert_and_reproject(broad_moment1_name, template=mom1strict,
unit=unit)
broad_moment1_err_name = ''.join([context['indir'],
moment_root,
context['allmoments'][broad_vfield]['ext_error'],
'.fits'])
mom1broad_error = convert_and_reproject(broad_moment1_err_name, template=mom1strict,
unit=unit)
# This prior velocity field will be used to reject outliers
resname = vfield_prior_res
# AKL - need to make the config tunable and separate from the input maps here
moment_root = utilsFilenames.get_cube_filename(
target=context['target'], config=context['config'],
product=context['product'],
ext=resname + context['extra_ext'])
moment_root = moment_root.replace('.fits','')
prior_moment1_name = ''.join([context['indir'],
moment_root,
context['allmoments'][vfield_prior]['ext'],
'.fits'])
mom1prior = convert_and_reproject(prior_moment1_name, template=mom1strict,
unit=unit)
# Now hybridize
# ... start with the high quality strict mask
mom1hybrid = mom1strict.value
# ... candidate entries are places with a broad value
valid_broad_mom1 = np.isfinite(mom1broad.value)
# ... but not any strict value
valid_broad_mom1[np.isfinite(mom1strict)] = False
# If thresholding on intensity, apply that
if mom0broad_error is not None:
valid_broad_mom1 *= (mom0broad.value
> (mom0_thresh_for_mom1
* mom0broad_error.value))
# If thresholding relative to prior field, apply that
if mom1prior is not None:
valid_broad_mom1 = (valid_broad_mom1 *
(np.abs(mom1broad - mom1prior)
< vfield_reject_thresh)
)
# Fill in the still-valid locations in the hybrid
mom1hybrid[valid_broad_mom1] = (mom1broad.value)[valid_broad_mom1]
mom1hybrid = u.Quantity(mom1hybrid, unit)
if unit is not None:
mom1hybrid = mom1hybrid.to(unit)
# Attach to WCS
mom1hybrid_proj = Projection(mom1hybrid,
wcs=mom1strict.wcs,
header=mom1strict.header,
meta=mom1strict.meta)
# Write
if outfile is not None:
mom1hybrid_proj.write(outfile,
overwrite=overwrite)
# Propagate errors from the input map to an error map
mom1hybrid_error = None
if (type(mom1broad_error) is Projection and
type(mom1strict_error) is Projection):
mom1hybrid_error = mom1broad_error
mom1hybrid_error[~np.isfinite(mom1hybrid.value)] = np.nan
strictvals = np.isfinite(mom1strict_error.value)
mom1hybrid_error[strictvals] = mom1strict_error[strictvals]
if unit is not None:
mom1hybrid_error = mom1hybrid_error.to(unit)
mom1hybrid_error_proj = Projection(mom1hybrid_error,
wcs=mom1strict.wcs,
header=mom1strict.header,
meta=mom1strict.meta)
if errorfile is not None:
mom1hybrid_error_proj = update_metadata(mom1hybrid_error_proj,
cube, error=True)
mom1hybrid_error_proj.write(errorfile,
overwrite=overwrite)
if return_products and mom1hybrid_error_proj is not None:
return(mom1hybrid_proj, mom1hybrid_error_proj)
elif return_products and mom1hybrid_error_proj is None:
return(mom1hybrid_proj)
def old_write_moment1_hybrid(cube,
broad_mask=None,
moment1_prior=None,
order='bilinear',
outfile=None,
errorfile=None,
rms=None,
channel_correlation=None,
overwrite=True,
vfield_reject_thresh=30 * u.km / u.s,
mom0_thresh_for_mom1=2.0,
unit=None,
return_products=False):
"""
Writes a moment 1 map
Parameters:
-----------
cube : SpectralCube
SpectralCube of original data with strict masking applied
Keywords:
---------
broad_mask : SpectralCube or np.array
Array with same shape as the input SpectralCube to be used
as the broad (permissive) mask
moment1_prior : FITS filename or Projection
FITS filename or Projection containting the velocity field prior
order : str
Specifies the order of interpolation to be used for aligning spectral
cubes to each other from 'nearest-neighbor', 'bilinear',
'biquadratic', 'bicubic'. Defaults to 'bilinear'.
errorfile : str
File name of map for the uncertainty
rms : SpectralCube
Root-mean-square estimate of the error. This must have an estimate
the noise level at all positions where there is signal, and only at
those positions.
channel_correlation : np.array
One-dimensional array containing the channel-to-channel
normalize correlation coefficients
overwrite : bool
Set to True (the default) to overwrite existing maps if present.
unit : astropy.Unit
Preferred unit for moment masks
vfield_reject_thresh : astropy.Quantity
Velocity range beyond which deviations from a prior velocity
field are rejected. Default 30 km/s
mom0_thresh_for_mom1 : int
Signal-to-noise ratio in a moment-0 to accept a measurement
of a moment1 map.
return_products : bool
Return products calculated in the map
"""
(mom1strict,
mom1strict_error) = write_moment1(cube, rms=rms,
channel_correlation=channel_correlation,
unit=unit,
return_products=True)
spaxis = cube.spectral_axis.value
if moment1_prior is not None:
if type(moment1_prior) is Projection:
mom1prior = moment1_prior
elif type(moment1_prior) is str:
hdu_list = fits.open(moment1_prior)
mom1prior = Projection.from_hdu(hdu_list[0])
mom1prior = mom1prior.to(cube.spectral_axis.unit)
mom1prior = mom1prior.reproject(mom1strict.header, order=order)
else:
mom1prior = None
if type(broad_mask) is SpectralCube:
strict_mask = SpectralCube(cube.mask.include(),
wcs=cube.wcs,
header=cube.header)
hybrid_mask = hybridize_mask(strict_mask,
broad_mask,
return_cube=False)
broad_cube = cube.with_mask(hybrid_mask,
inherit_mask=False)
elif type(broad_mask) is str:
broad_mask = SpectralCube.read(broad_mask)
strict_mask = SpectralCube(cube.mask.include(),
wcs=cube.wcs,
header=cube.header)
hybrid_mask = hybridize_mask(strict_mask,
broad_mask,
return_cube=False)
broad_cube = cube.with_mask(hybrid_mask,
inherit_mask=False)
elif type(broad_mask) is np.ndarray:
broad_cube = cube.with_mask(broad_mask.astype(np.bool),
inherit_mask=False)
(mom0broad,
mom0broad_error) = write_moment0(broad_cube, rms=rms,
channel_correlation=channel_correlation,
return_products=True)
(mom1broad,
mom1broad_error) = write_moment1(broad_cube, rms=rms,
channel_correlation=channel_correlation,
unit=unit,
return_products=True)
mom1hybrid = mom1strict.value
valid_broad_mom1 = np.isfinite(mom1broad.value)
valid_broad_mom1[np.isfinite(mom1strict)] = False
if mom0broad_error is not None:
valid_broad_mom1 *= (mom0broad.value
> (mom0_thresh_for_mom1
* mom0broad_error.value))
if mom1prior is not None:
valid_broad_mom1 = (valid_broad_mom1 *
(np.abs(mom1broad - mom1prior)
< vfield_reject_thresh)
)
mom1hybrid[valid_broad_mom1] = (mom1broad.value)[valid_broad_mom1]
mom1hybrid = u.Quantity(mom1hybrid, cube.spectral_axis.unit)
if unit is not None:
mom1hybrid = mom1hybrid.to(unit)
mom1hybrid_proj = Projection(mom1hybrid,
wcs=mom1strict.wcs,
header=mom1strict.header,
meta=mom1strict.meta)
if outfile is not None:
mom1hybrid_proj = update_metadata(mom1hybrid_proj, cube)
mom1hybrid_proj.write(outfile,
overwrite=overwrite)
mom1hybrid_error = None
if (type(mom1broad_error) is Projection and
type(mom1strict_error) is Projection):
mom1hybrid_error = mom1broad_error
mom1hybrid_error[~np.isfinite(mom1hybrid.value)] = np.nan
strictvals = np.isfinite(mom1strict_error.value)
mom1hybrid_error[strictvals] = mom1strict_error[strictvals]
if unit is not None:
mom1hybrid_error = mom1hybrid_error.to(unit)
mom1hybrid_error_proj = Projection(mom1hybrid_error,
wcs=mom1strict.wcs,
header=mom1strict.header,
meta=mom1strict.meta)
if errorfile is not None:
mom1hybrid_error_proj = update_metadata(mom1hybrid_error_proj,
cube, error=True)
mom1hybrid_error_proj.write(errorfile,
overwrite=overwrite)
if return_products and mom1hybrid_error_proj is not None:
return(mom1hybrid_proj, mom1hybrid_error_proj)
elif return_products and mom1hybrid_error_proj is None:
return(mom1hybrid_proj)
|
def write_moment1_hybrid(cube, rms=None, channel_correlation=None, outfile=None, errorfile=None, overwrite=True, unit=None, return_products=True, strict_vfield=None, broad_vfield=None, broad_signal=None, vfield_prior=None, vfield_prior_res=None, vfield_reject_thresh='30km/s', mom0_thresh_for_mom1=2.0, context=None):
"""Write out moment1 map using combination of other moment maps.
This is a secondary moment that needs to be calculated in the
context of other moments.
Keywords:
---------
cube : SpectralCube
Included to keep same call signature but not used
outfile : str
File name of output file
errorfile : str
File name of map for the uncertainty
rms : SpectralCube
Included to keep the same call signature but not used.
channel_correlation : np.array
Included to keep the same call signature but not used.
overwrite : bool
Set to True (the default) to overwrite existing maps if present.
unit : astropy.Unit
Preferred unit for moment masks
return_products : bool
Return products calculated in the map
strict_vfield : str
Moment tag for velocity field to be used as a high confidence map
broad_vfield : str
Moment tag for velocity field for low confidence map
broad_signal : str
Moment tag to be used as an estimate of the signal for a S/N
cut on where the broad_vfield is valid. Also finds a noise
estimate of the same and uses this for the Noise component
vfield_prior : str
Moment tag for low-resolution prior map of velocity field
vfield_prior_res : str
Resolution tag for low-resolution prior map of velocity field
vfield_reject_thresh : astropy.units.Quantity
The maximum difference between the broad field and the prior
field in units that can convert to that of the velocity field.
mom0_thresh_for_mom1 : float
S/N threshold for using a broad_vfield estimate in the map
"""
resname = context['res_tag']
if resname is None:
resname = ''
vfield_reject_thresh = u.Quantity(vfield_reject_thresh)
moment_root = utilsFilenames.get_cube_filename(target=context['target'], config=context['config'], product=context['product'], ext=resname + context['extra_ext'])
moment_root = moment_root.replace('.fits', '')
strict_moment1_name = ''.join([context['indir'], moment_root, context['allmoments'][strict_vfield]['ext'], '.fits'])
mom1strict = convert_and_reproject(strict_moment1_name, unit=unit)
strict_moment1_err_name = ''.join([context['indir'], moment_root, context['allmoments'][strict_vfield]['ext_error'], '.fits'])
mom1strict_error = convert_and_reproject(strict_moment1_err_name, unit=unit)
broad_moment0_name = ''.join([context['indir'], moment_root, context['allmoments'][broad_signal]['ext'], '.fits'])
mom0broad = convert_and_reproject(broad_moment0_name, template=mom1strict)
broad_moment0_err_name = ''.join([context['indir'], moment_root, context['allmoments'][broad_signal]['ext_error'], '.fits'])
mom0broad_error = convert_and_reproject(broad_moment0_err_name, template=mom1strict)
broad_moment1_name = ''.join([context['indir'], moment_root, context['allmoments'][broad_vfield]['ext'], '.fits'])
mom1broad = convert_and_reproject(broad_moment1_name, template=mom1strict, unit=unit)
broad_moment1_err_name = ''.join([context['indir'], moment_root, context['allmoments'][broad_vfield]['ext_error'], '.fits'])
mom1broad_error = convert_and_reproject(broad_moment1_err_name, template=mom1strict, unit=unit)
resname = vfield_prior_res
moment_root = utilsFilenames.get_cube_filename(target=context['target'], config=context['config'], product=context['product'], ext=resname + context['extra_ext'])
moment_root = moment_root.replace('.fits', '')
prior_moment1_name = ''.join([context['indir'], moment_root, context['allmoments'][vfield_prior]['ext'], '.fits'])
mom1prior = convert_and_reproject(prior_moment1_name, template=mom1strict, unit=unit)
mom1hybrid = mom1strict.value
valid_broad_mom1 = np.isfinite(mom1broad.value)
valid_broad_mom1[np.isfinite(mom1strict)] = False
if mom0broad_error is not None:
valid_broad_mom1 *= mom0broad.value > mom0_thresh_for_mom1 * mom0broad_error.value
if mom1prior is not None:
valid_broad_mom1 = valid_broad_mom1 * (np.abs(mom1broad - mom1prior) < vfield_reject_thresh)
mom1hybrid[valid_broad_mom1] = mom1broad.value[valid_broad_mom1]
mom1hybrid = u.Quantity(mom1hybrid, unit)
if unit is not None:
mom1hybrid = mom1hybrid.to(unit)
mom1hybrid_proj = projection(mom1hybrid, wcs=mom1strict.wcs, header=mom1strict.header, meta=mom1strict.meta)
if outfile is not None:
mom1hybrid_proj.write(outfile, overwrite=overwrite)
mom1hybrid_error = None
if type(mom1broad_error) is Projection and type(mom1strict_error) is Projection:
mom1hybrid_error = mom1broad_error
mom1hybrid_error[~np.isfinite(mom1hybrid.value)] = np.nan
strictvals = np.isfinite(mom1strict_error.value)
mom1hybrid_error[strictvals] = mom1strict_error[strictvals]
if unit is not None:
mom1hybrid_error = mom1hybrid_error.to(unit)
mom1hybrid_error_proj = projection(mom1hybrid_error, wcs=mom1strict.wcs, header=mom1strict.header, meta=mom1strict.meta)
if errorfile is not None:
mom1hybrid_error_proj = update_metadata(mom1hybrid_error_proj, cube, error=True)
mom1hybrid_error_proj.write(errorfile, overwrite=overwrite)
if return_products and mom1hybrid_error_proj is not None:
return (mom1hybrid_proj, mom1hybrid_error_proj)
elif return_products and mom1hybrid_error_proj is None:
return mom1hybrid_proj
def old_write_moment1_hybrid(cube, broad_mask=None, moment1_prior=None, order='bilinear', outfile=None, errorfile=None, rms=None, channel_correlation=None, overwrite=True, vfield_reject_thresh=30 * u.km / u.s, mom0_thresh_for_mom1=2.0, unit=None, return_products=False):
"""
Writes a moment 1 map
Parameters:
-----------
cube : SpectralCube
SpectralCube of original data with strict masking applied
Keywords:
---------
broad_mask : SpectralCube or np.array
Array with same shape as the input SpectralCube to be used
as the broad (permissive) mask
moment1_prior : FITS filename or Projection
FITS filename or Projection containting the velocity field prior
order : str
Specifies the order of interpolation to be used for aligning spectral
cubes to each other from 'nearest-neighbor', 'bilinear',
'biquadratic', 'bicubic'. Defaults to 'bilinear'.
errorfile : str
File name of map for the uncertainty
rms : SpectralCube
Root-mean-square estimate of the error. This must have an estimate
the noise level at all positions where there is signal, and only at
those positions.
channel_correlation : np.array
One-dimensional array containing the channel-to-channel
normalize correlation coefficients
overwrite : bool
Set to True (the default) to overwrite existing maps if present.
unit : astropy.Unit
Preferred unit for moment masks
vfield_reject_thresh : astropy.Quantity
Velocity range beyond which deviations from a prior velocity
field are rejected. Default 30 km/s
mom0_thresh_for_mom1 : int
Signal-to-noise ratio in a moment-0 to accept a measurement
of a moment1 map.
return_products : bool
Return products calculated in the map
"""
(mom1strict, mom1strict_error) = write_moment1(cube, rms=rms, channel_correlation=channel_correlation, unit=unit, return_products=True)
spaxis = cube.spectral_axis.value
if moment1_prior is not None:
if type(moment1_prior) is Projection:
mom1prior = moment1_prior
elif type(moment1_prior) is str:
hdu_list = fits.open(moment1_prior)
mom1prior = Projection.from_hdu(hdu_list[0])
mom1prior = mom1prior.to(cube.spectral_axis.unit)
mom1prior = mom1prior.reproject(mom1strict.header, order=order)
else:
mom1prior = None
if type(broad_mask) is SpectralCube:
strict_mask = spectral_cube(cube.mask.include(), wcs=cube.wcs, header=cube.header)
hybrid_mask = hybridize_mask(strict_mask, broad_mask, return_cube=False)
broad_cube = cube.with_mask(hybrid_mask, inherit_mask=False)
elif type(broad_mask) is str:
broad_mask = SpectralCube.read(broad_mask)
strict_mask = spectral_cube(cube.mask.include(), wcs=cube.wcs, header=cube.header)
hybrid_mask = hybridize_mask(strict_mask, broad_mask, return_cube=False)
broad_cube = cube.with_mask(hybrid_mask, inherit_mask=False)
elif type(broad_mask) is np.ndarray:
broad_cube = cube.with_mask(broad_mask.astype(np.bool), inherit_mask=False)
(mom0broad, mom0broad_error) = write_moment0(broad_cube, rms=rms, channel_correlation=channel_correlation, return_products=True)
(mom1broad, mom1broad_error) = write_moment1(broad_cube, rms=rms, channel_correlation=channel_correlation, unit=unit, return_products=True)
mom1hybrid = mom1strict.value
valid_broad_mom1 = np.isfinite(mom1broad.value)
valid_broad_mom1[np.isfinite(mom1strict)] = False
if mom0broad_error is not None:
valid_broad_mom1 *= mom0broad.value > mom0_thresh_for_mom1 * mom0broad_error.value
if mom1prior is not None:
valid_broad_mom1 = valid_broad_mom1 * (np.abs(mom1broad - mom1prior) < vfield_reject_thresh)
mom1hybrid[valid_broad_mom1] = mom1broad.value[valid_broad_mom1]
mom1hybrid = u.Quantity(mom1hybrid, cube.spectral_axis.unit)
if unit is not None:
mom1hybrid = mom1hybrid.to(unit)
mom1hybrid_proj = projection(mom1hybrid, wcs=mom1strict.wcs, header=mom1strict.header, meta=mom1strict.meta)
if outfile is not None:
mom1hybrid_proj = update_metadata(mom1hybrid_proj, cube)
mom1hybrid_proj.write(outfile, overwrite=overwrite)
mom1hybrid_error = None
if type(mom1broad_error) is Projection and type(mom1strict_error) is Projection:
mom1hybrid_error = mom1broad_error
mom1hybrid_error[~np.isfinite(mom1hybrid.value)] = np.nan
strictvals = np.isfinite(mom1strict_error.value)
mom1hybrid_error[strictvals] = mom1strict_error[strictvals]
if unit is not None:
mom1hybrid_error = mom1hybrid_error.to(unit)
mom1hybrid_error_proj = projection(mom1hybrid_error, wcs=mom1strict.wcs, header=mom1strict.header, meta=mom1strict.meta)
if errorfile is not None:
mom1hybrid_error_proj = update_metadata(mom1hybrid_error_proj, cube, error=True)
mom1hybrid_error_proj.write(errorfile, overwrite=overwrite)
if return_products and mom1hybrid_error_proj is not None:
return (mom1hybrid_proj, mom1hybrid_error_proj)
elif return_products and mom1hybrid_error_proj is None:
return mom1hybrid_proj
|
class Ray:
def __init__(self, origin, direction):
self.origin = origin
self.direction = direction.normalize()
|
class Ray:
def __init__(self, origin, direction):
self.origin = origin
self.direction = direction.normalize()
|
board = [[7,8,0,4,0,0,1,2,0],
[6,0,0,0,7,5,0,0,9],
[0,0,0,6,0,1,0,7,8],
[0,0,7,0,4,0,2,6,0],
[0,0,1,0,5,0,9,3,0],
[9,0,4,0,6,0,0,0,5],
[0,7,0,3,0,0,0,1,2],
[1,2,0,0,0,7,4,0,0],
[0,4,9,2,0,6,0,0,7]]
def solve():
if (checkBoard()):
return True
"Takes a sudoku board in array form as a parameter "
for y in range(0, 9):
for x in range(0, 9):
if (board[y][x] == 0):
for i in range(1, 10):
if (checkValid(x, y, i)):
board[y][x] = i
if (solve()):
return True
else:
board[y][x] = 0
return False
return True
def checkBoard():
for y in range(0, 9):
for x in range(0, 9):
if (board[y][x] == 0):
return False
return True
def checkValid(x, y, val):
"Checking x axis"
for i in range(0, len(board[y])):
if (board[y][i] == val):
return False
"Check y axis"
for i in range(0, len(board)):
if (board[i][x] == val):
return False
"Checking surrounding square"
if (y == 0 or y == 3 or y == 6):
if (csx(x, y+1, val) and csx(x, y+2, val)):
return True
if (y == 1 or y == 4 or y == 7):
if (csx(x, y-1, val) and csx(x, y+1, val)):
return True
else:
if (csx(x, y-1, val) and csx(x, y-2, val)):
return True
return False
def csx(x, y, val):
if (x == 0 or x == 3 or x == 6):
if (board[y][x+1] == val or board[y][x+2] == val):
return False
return True
if (x == 1 or x == 4 or x == 7):
if (board[y][x-1] == val or board[y][x+1] == val):
return False
return True
else:
if (board[y][x-1] == val or board[y][x-2] == val):
return False
return True;
def printBoard():
for i in range(0, len(board)):
print(board[i])
if (solve()):
printBoard()
|
board = [[7, 8, 0, 4, 0, 0, 1, 2, 0], [6, 0, 0, 0, 7, 5, 0, 0, 9], [0, 0, 0, 6, 0, 1, 0, 7, 8], [0, 0, 7, 0, 4, 0, 2, 6, 0], [0, 0, 1, 0, 5, 0, 9, 3, 0], [9, 0, 4, 0, 6, 0, 0, 0, 5], [0, 7, 0, 3, 0, 0, 0, 1, 2], [1, 2, 0, 0, 0, 7, 4, 0, 0], [0, 4, 9, 2, 0, 6, 0, 0, 7]]
def solve():
if check_board():
return True
'Takes a sudoku board in array form as a parameter '
for y in range(0, 9):
for x in range(0, 9):
if board[y][x] == 0:
for i in range(1, 10):
if check_valid(x, y, i):
board[y][x] = i
if solve():
return True
else:
board[y][x] = 0
return False
return True
def check_board():
for y in range(0, 9):
for x in range(0, 9):
if board[y][x] == 0:
return False
return True
def check_valid(x, y, val):
"""Checking x axis"""
for i in range(0, len(board[y])):
if board[y][i] == val:
return False
'Check y axis'
for i in range(0, len(board)):
if board[i][x] == val:
return False
'Checking surrounding square'
if y == 0 or y == 3 or y == 6:
if csx(x, y + 1, val) and csx(x, y + 2, val):
return True
if y == 1 or y == 4 or y == 7:
if csx(x, y - 1, val) and csx(x, y + 1, val):
return True
elif csx(x, y - 1, val) and csx(x, y - 2, val):
return True
return False
def csx(x, y, val):
if x == 0 or x == 3 or x == 6:
if board[y][x + 1] == val or board[y][x + 2] == val:
return False
return True
if x == 1 or x == 4 or x == 7:
if board[y][x - 1] == val or board[y][x + 1] == val:
return False
return True
elif board[y][x - 1] == val or board[y][x - 2] == val:
return False
return True
def print_board():
for i in range(0, len(board)):
print(board[i])
if solve():
print_board()
|
def main() -> None:
N = int(input())
assert 2 <= N <= 100
graph = [[] for _ in range(N)]
for _ in range(N - 1):
u, v = map(int, input().split())
assert 1 <= u <= N
assert 1 <= v <= N
assert u != v
u -= 1
v -= 1
graph[u].append(v)
graph[v].append(u)
stk = [0]
vis = [False] * N
while stk:
cnode = stk.pop()
vis[cnode] = True
for nnode in graph[cnode]:
if not vis[nnode]:
stk.append(nnode)
assert all(vis)
if __name__ == '__main__':
main()
|
def main() -> None:
n = int(input())
assert 2 <= N <= 100
graph = [[] for _ in range(N)]
for _ in range(N - 1):
(u, v) = map(int, input().split())
assert 1 <= u <= N
assert 1 <= v <= N
assert u != v
u -= 1
v -= 1
graph[u].append(v)
graph[v].append(u)
stk = [0]
vis = [False] * N
while stk:
cnode = stk.pop()
vis[cnode] = True
for nnode in graph[cnode]:
if not vis[nnode]:
stk.append(nnode)
assert all(vis)
if __name__ == '__main__':
main()
|
#!/usr/bin/env python3
"""
This script is used for course notes.
Author: Erick Marin
Date: 12/19/2020
"""
data = input("This will come from STDIN: ")
print("Now we write it to STDOUT: " + data)
# Generating a standard error (type) by concatenating a string with an integer
print("Now we generate an error to STDERR: " + data + 1)
|
"""
This script is used for course notes.
Author: Erick Marin
Date: 12/19/2020
"""
data = input('This will come from STDIN: ')
print('Now we write it to STDOUT: ' + data)
print('Now we generate an error to STDERR: ' + data + 1)
|
class FontSizeConverter(TypeConverter):
"""
Converts font size values to and from other type representations.
FontSizeConverter()
"""
def CanConvertFrom(self,*__args):
"""
CanConvertFrom(self: FontSizeConverter,context: ITypeDescriptorContext,sourceType: Type) -> bool
Determines if conversion from a specified type to a System.Double value is
possible.
context: Describes context information of a component such as its container and
System.ComponentModel.PropertyDescriptor.
sourceType: Identifies the data type to evaluate for purposes of conversion.
Returns: true if sourceType can be converted to System.Double; otherwise,false.
"""
pass
def CanConvertTo(self,*__args):
"""
CanConvertTo(self: FontSizeConverter,context: ITypeDescriptorContext,destinationType: Type) -> bool
Determines if conversion of a font size value to a specified type is possible.
context: Context information of a component such as its container and
System.ComponentModel.PropertyDescriptor.
destinationType: The data type to evaluate for purposes of conversion.
Returns: true if this type can be converted; otherwise,false.
"""
pass
def ConvertFrom(self,*__args):
"""
ConvertFrom(self: FontSizeConverter,context: ITypeDescriptorContext,culture: CultureInfo,value: object) -> object
Converts a specified type to a System.Double.
context: Context information of a component such as its container and
System.ComponentModel.PropertyDescriptor.
culture: Cultural specific information,including the writing system and calendar used.
value: The value which is being converted to a font size value.
Returns: A System.Double value that represents the converted font size value.
"""
pass
def ConvertTo(self,*__args):
"""
ConvertTo(self: FontSizeConverter,context: ITypeDescriptorContext,culture: CultureInfo,value: object,destinationType: Type) -> object
Converts a System.Double value to a specified type.
context: Context information of a component such as its container and
System.ComponentModel.PropertyDescriptor.
culture: Cultural specific information,including writing system and calendar used.
value: The System.Object being converted.
destinationType: The data type this font size value is being converted to.
Returns: A new System.Object that is the value of the conversion.
"""
pass
|
class Fontsizeconverter(TypeConverter):
"""
Converts font size values to and from other type representations.
FontSizeConverter()
"""
def can_convert_from(self, *__args):
"""
CanConvertFrom(self: FontSizeConverter,context: ITypeDescriptorContext,sourceType: Type) -> bool
Determines if conversion from a specified type to a System.Double value is
possible.
context: Describes context information of a component such as its container and
System.ComponentModel.PropertyDescriptor.
sourceType: Identifies the data type to evaluate for purposes of conversion.
Returns: true if sourceType can be converted to System.Double; otherwise,false.
"""
pass
def can_convert_to(self, *__args):
"""
CanConvertTo(self: FontSizeConverter,context: ITypeDescriptorContext,destinationType: Type) -> bool
Determines if conversion of a font size value to a specified type is possible.
context: Context information of a component such as its container and
System.ComponentModel.PropertyDescriptor.
destinationType: The data type to evaluate for purposes of conversion.
Returns: true if this type can be converted; otherwise,false.
"""
pass
def convert_from(self, *__args):
"""
ConvertFrom(self: FontSizeConverter,context: ITypeDescriptorContext,culture: CultureInfo,value: object) -> object
Converts a specified type to a System.Double.
context: Context information of a component such as its container and
System.ComponentModel.PropertyDescriptor.
culture: Cultural specific information,including the writing system and calendar used.
value: The value which is being converted to a font size value.
Returns: A System.Double value that represents the converted font size value.
"""
pass
def convert_to(self, *__args):
"""
ConvertTo(self: FontSizeConverter,context: ITypeDescriptorContext,culture: CultureInfo,value: object,destinationType: Type) -> object
Converts a System.Double value to a specified type.
context: Context information of a component such as its container and
System.ComponentModel.PropertyDescriptor.
culture: Cultural specific information,including writing system and calendar used.
value: The System.Object being converted.
destinationType: The data type this font size value is being converted to.
Returns: A new System.Object that is the value of the conversion.
"""
pass
|
"""
Statistical models
- standard `regression` models
- `GLS` (generalized least squares regression)
- `OLS` (ordinary least square regression)
- `WLS` (weighted least square regression)
- `GLASAR` (GLS with autoregressive errors model)
- `GLM` (generalized linear models)
- robust statistical models
- `RLM` (robust linear models using M estimators)
- `robust.norms` estimates
- `robust.scale` estimates (MAD, Huber's proposal 2).
- sandbox models
- `mixed` effects models
- `gam` (generalized additive models)
"""
__docformat__ = 'restructuredtext en'
depends = ['numpy',
'scipy']
postpone_import = True
|
"""
Statistical models
- standard `regression` models
- `GLS` (generalized least squares regression)
- `OLS` (ordinary least square regression)
- `WLS` (weighted least square regression)
- `GLASAR` (GLS with autoregressive errors model)
- `GLM` (generalized linear models)
- robust statistical models
- `RLM` (robust linear models using M estimators)
- `robust.norms` estimates
- `robust.scale` estimates (MAD, Huber's proposal 2).
- sandbox models
- `mixed` effects models
- `gam` (generalized additive models)
"""
__docformat__ = 'restructuredtext en'
depends = ['numpy', 'scipy']
postpone_import = True
|
# Merge Sort
def merge(left, right):
result = []
i = j = 0
while i < len(left) and j < len(right):
if left[i] < right[j]:
result.append(left[i])
i += 1
else:
result.append(right[j])
j += 1
result += left[i:]
def mergeSort(arr):
if len(arr) <= 1:
return arr
mid = len(arr) // 2
left = arr[:mid]
right = arr[mid:]
left = mergeSort(left)
right = mergeSort(right)
return merge(left, right)
n = int(input("Enter number: "))
arr = list(map(int, input().split()))
print(*mergeSort(arr))
|
def merge(left, right):
result = []
i = j = 0
while i < len(left) and j < len(right):
if left[i] < right[j]:
result.append(left[i])
i += 1
else:
result.append(right[j])
j += 1
result += left[i:]
def merge_sort(arr):
if len(arr) <= 1:
return arr
mid = len(arr) // 2
left = arr[:mid]
right = arr[mid:]
left = merge_sort(left)
right = merge_sort(right)
return merge(left, right)
n = int(input('Enter number: '))
arr = list(map(int, input().split()))
print(*merge_sort(arr))
|
# -*- coding: utf-8 -*-
"""Top-level package for pfr_api."""
__author__ = """Alex Adamson"""
__email__ = 'alex.b.adamson@gmail.com'
__version__ = '0.1.0'
|
"""Top-level package for pfr_api."""
__author__ = 'Alex Adamson'
__email__ = 'alex.b.adamson@gmail.com'
__version__ = '0.1.0'
|
# Chess Dictionary Validator Practice Project
# Chapter 5 - Dictionary and Structuing Data (Automate the Boring Stuff with Python)
# Developer: Valeriy B.
def chess_dictionary_validator(inp):
# Creating a blank chess dictionary
chess_dictionary = dict()
# Creating a chess board
chess_board = list()
for number in range(1, 9):
for character in range(97, 105):
chess_board.append(chr(character) + str(number))
# Adding chess board to chess dictionary
chess_dictionary["chess_board"] = chess_board
# Chess pieces
chess_pieces = ["king", "queen", "rook", "bishop", "knight", "pawn"]
# Blank lists for 'white' and 'black' pieces
black_white_pieces = list()
for element in range(2):
if element == 0:
# Adding 'white' pieces to the list
for item in chess_pieces:
if item == "king" or item == "queen":
black_white_pieces.append("w" + item)
elif item == "rook" or item == "bishop" or item == "knight":
for loop in range(1, 3):
black_white_pieces.append("w" + item + str(loop))
elif item == "pawn":
for loop in range(1, 9):
black_white_pieces.append("w" + item + str(loop))
else:
# Adding 'black' pieces to the list
for item in chess_pieces:
if item == "king" or item == "queen":
black_white_pieces.append("b" + item)
elif item == "rook" or item == "bishop" or item == "knight":
for loop in range(1, 3):
black_white_pieces.append("b" + item + str(loop))
elif item == "pawn":
for loop in range(1, 9):
black_white_pieces.append("b" + item + str(loop))
# Adding pieces to dictionary
chess_dictionary["black_white_pieces"] = black_white_pieces
# Creating 2 variables for 'piece' and 'position' validation
piece_validation = inp.split()[0]
position_validation = inp.split()[1]
# Verifying if 'piece' and 'position' variables are in the dictionary
if piece_validation in chess_dictionary["black_white_pieces"]:
if position_validation in chess_dictionary["chess_board"]:
print(True)
else:
print(False)
else:
print(False)
validator = input("Enter a piece and piece position on the board (e.g. 'wking c6'): ")
chess_dictionary_validator(validator)
|
def chess_dictionary_validator(inp):
chess_dictionary = dict()
chess_board = list()
for number in range(1, 9):
for character in range(97, 105):
chess_board.append(chr(character) + str(number))
chess_dictionary['chess_board'] = chess_board
chess_pieces = ['king', 'queen', 'rook', 'bishop', 'knight', 'pawn']
black_white_pieces = list()
for element in range(2):
if element == 0:
for item in chess_pieces:
if item == 'king' or item == 'queen':
black_white_pieces.append('w' + item)
elif item == 'rook' or item == 'bishop' or item == 'knight':
for loop in range(1, 3):
black_white_pieces.append('w' + item + str(loop))
elif item == 'pawn':
for loop in range(1, 9):
black_white_pieces.append('w' + item + str(loop))
else:
for item in chess_pieces:
if item == 'king' or item == 'queen':
black_white_pieces.append('b' + item)
elif item == 'rook' or item == 'bishop' or item == 'knight':
for loop in range(1, 3):
black_white_pieces.append('b' + item + str(loop))
elif item == 'pawn':
for loop in range(1, 9):
black_white_pieces.append('b' + item + str(loop))
chess_dictionary['black_white_pieces'] = black_white_pieces
piece_validation = inp.split()[0]
position_validation = inp.split()[1]
if piece_validation in chess_dictionary['black_white_pieces']:
if position_validation in chess_dictionary['chess_board']:
print(True)
else:
print(False)
else:
print(False)
validator = input("Enter a piece and piece position on the board (e.g. 'wking c6'): ")
chess_dictionary_validator(validator)
|
begin_unit
comment|'# Copyright (c) 2011 Citrix Systems, Inc.'
nl|'\n'
comment|'#'
nl|'\n'
comment|'# Licensed under the Apache License, Version 2.0 (the "License"); you may'
nl|'\n'
comment|'# not use this file except in compliance with the License. You may obtain'
nl|'\n'
comment|'# a copy of the License at'
nl|'\n'
comment|'#'
nl|'\n'
comment|'# http://www.apache.org/licenses/LICENSE-2.0'
nl|'\n'
comment|'#'
nl|'\n'
comment|'# Unless required by applicable law or agreed to in writing, software'
nl|'\n'
comment|'# distributed under the License is distributed on an "AS IS" BASIS, WITHOUT'
nl|'\n'
comment|'# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the'
nl|'\n'
comment|'# License for the specific language governing permissions and limitations'
nl|'\n'
comment|'# under the License.'
nl|'\n'
nl|'\n'
string|'"""This modules stubs out functions in oslo_concurrency.processutils."""'
newline|'\n'
nl|'\n'
name|'import'
name|'re'
newline|'\n'
nl|'\n'
name|'from'
name|'eventlet'
name|'import'
name|'greenthread'
newline|'\n'
name|'from'
name|'oslo_concurrency'
name|'import'
name|'processutils'
newline|'\n'
name|'from'
name|'oslo_log'
name|'import'
name|'log'
name|'as'
name|'logging'
newline|'\n'
name|'import'
name|'six'
newline|'\n'
nl|'\n'
DECL|variable|LOG
name|'LOG'
op|'='
name|'logging'
op|'.'
name|'getLogger'
op|'('
name|'__name__'
op|')'
newline|'\n'
nl|'\n'
DECL|variable|_fake_execute_repliers
name|'_fake_execute_repliers'
op|'='
op|'['
op|']'
newline|'\n'
DECL|variable|_fake_execute_log
name|'_fake_execute_log'
op|'='
op|'['
op|']'
newline|'\n'
nl|'\n'
nl|'\n'
DECL|function|fake_execute_get_log
name|'def'
name|'fake_execute_get_log'
op|'('
op|')'
op|':'
newline|'\n'
indent|' '
name|'return'
name|'_fake_execute_log'
newline|'\n'
nl|'\n'
nl|'\n'
DECL|function|fake_execute_clear_log
dedent|''
name|'def'
name|'fake_execute_clear_log'
op|'('
op|')'
op|':'
newline|'\n'
indent|' '
name|'global'
name|'_fake_execute_log'
newline|'\n'
name|'_fake_execute_log'
op|'='
op|'['
op|']'
newline|'\n'
nl|'\n'
nl|'\n'
DECL|function|fake_execute_set_repliers
dedent|''
name|'def'
name|'fake_execute_set_repliers'
op|'('
name|'repliers'
op|')'
op|':'
newline|'\n'
indent|' '
string|'"""Allows the client to configure replies to commands."""'
newline|'\n'
name|'global'
name|'_fake_execute_repliers'
newline|'\n'
name|'_fake_execute_repliers'
op|'='
name|'repliers'
newline|'\n'
nl|'\n'
nl|'\n'
DECL|function|fake_execute_default_reply_handler
dedent|''
name|'def'
name|'fake_execute_default_reply_handler'
op|'('
op|'*'
name|'ignore_args'
op|','
op|'**'
name|'ignore_kwargs'
op|')'
op|':'
newline|'\n'
indent|' '
string|'"""A reply handler for commands that haven\'t been added to the reply list.\n\n Returns empty strings for stdout and stderr.\n\n """'
newline|'\n'
name|'return'
string|"''"
op|','
string|"''"
newline|'\n'
nl|'\n'
nl|'\n'
DECL|function|fake_execute
dedent|''
name|'def'
name|'fake_execute'
op|'('
op|'*'
name|'cmd_parts'
op|','
op|'**'
name|'kwargs'
op|')'
op|':'
newline|'\n'
indent|' '
string|'"""This function stubs out execute.\n\n It optionally executes a preconfigued function to return expected data.\n\n """'
newline|'\n'
name|'global'
name|'_fake_execute_repliers'
newline|'\n'
nl|'\n'
name|'process_input'
op|'='
name|'kwargs'
op|'.'
name|'get'
op|'('
string|"'process_input'"
op|','
name|'None'
op|')'
newline|'\n'
name|'check_exit_code'
op|'='
name|'kwargs'
op|'.'
name|'get'
op|'('
string|"'check_exit_code'"
op|','
number|'0'
op|')'
newline|'\n'
name|'delay_on_retry'
op|'='
name|'kwargs'
op|'.'
name|'get'
op|'('
string|"'delay_on_retry'"
op|','
name|'True'
op|')'
newline|'\n'
name|'attempts'
op|'='
name|'kwargs'
op|'.'
name|'get'
op|'('
string|"'attempts'"
op|','
number|'1'
op|')'
newline|'\n'
name|'run_as_root'
op|'='
name|'kwargs'
op|'.'
name|'get'
op|'('
string|"'run_as_root'"
op|','
name|'False'
op|')'
newline|'\n'
name|'cmd_str'
op|'='
string|"' '"
op|'.'
name|'join'
op|'('
name|'str'
op|'('
name|'part'
op|')'
name|'for'
name|'part'
name|'in'
name|'cmd_parts'
op|')'
newline|'\n'
nl|'\n'
name|'LOG'
op|'.'
name|'debug'
op|'('
string|'"Faking execution of cmd (subprocess): %s"'
op|','
name|'cmd_str'
op|')'
newline|'\n'
name|'_fake_execute_log'
op|'.'
name|'append'
op|'('
name|'cmd_str'
op|')'
newline|'\n'
nl|'\n'
name|'reply_handler'
op|'='
name|'fake_execute_default_reply_handler'
newline|'\n'
nl|'\n'
name|'for'
name|'fake_replier'
name|'in'
name|'_fake_execute_repliers'
op|':'
newline|'\n'
indent|' '
name|'if'
name|'re'
op|'.'
name|'match'
op|'('
name|'fake_replier'
op|'['
number|'0'
op|']'
op|','
name|'cmd_str'
op|')'
op|':'
newline|'\n'
indent|' '
name|'reply_handler'
op|'='
name|'fake_replier'
op|'['
number|'1'
op|']'
newline|'\n'
name|'LOG'
op|'.'
name|'debug'
op|'('
string|"'Faked command matched %s'"
op|','
name|'fake_replier'
op|'['
number|'0'
op|']'
op|')'
newline|'\n'
name|'break'
newline|'\n'
nl|'\n'
dedent|''
dedent|''
name|'if'
name|'isinstance'
op|'('
name|'reply_handler'
op|','
name|'six'
op|'.'
name|'string_types'
op|')'
op|':'
newline|'\n'
comment|'# If the reply handler is a string, return it as stdout'
nl|'\n'
indent|' '
name|'reply'
op|'='
name|'reply_handler'
op|','
string|"''"
newline|'\n'
dedent|''
name|'else'
op|':'
newline|'\n'
indent|' '
name|'try'
op|':'
newline|'\n'
comment|'# Alternative is a function, so call it'
nl|'\n'
indent|' '
name|'reply'
op|'='
name|'reply_handler'
op|'('
name|'cmd_parts'
op|','
nl|'\n'
name|'process_input'
op|'='
name|'process_input'
op|','
nl|'\n'
name|'delay_on_retry'
op|'='
name|'delay_on_retry'
op|','
nl|'\n'
name|'attempts'
op|'='
name|'attempts'
op|','
nl|'\n'
name|'run_as_root'
op|'='
name|'run_as_root'
op|','
nl|'\n'
name|'check_exit_code'
op|'='
name|'check_exit_code'
op|')'
newline|'\n'
dedent|''
name|'except'
name|'processutils'
op|'.'
name|'ProcessExecutionError'
name|'as'
name|'e'
op|':'
newline|'\n'
indent|' '
name|'LOG'
op|'.'
name|'debug'
op|'('
string|"'Faked command raised an exception %s'"
op|','
name|'e'
op|')'
newline|'\n'
name|'raise'
newline|'\n'
nl|'\n'
dedent|''
dedent|''
name|'LOG'
op|'.'
name|'debug'
op|'('
string|'"Reply to faked command is stdout=\'%(stdout)s\' "'
nl|'\n'
string|'"stderr=\'%(stderr)s\'"'
op|','
op|'{'
string|"'stdout'"
op|':'
name|'reply'
op|'['
number|'0'
op|']'
op|','
string|"'stderr'"
op|':'
name|'reply'
op|'['
number|'1'
op|']'
op|'}'
op|')'
newline|'\n'
nl|'\n'
comment|'# Replicate the sleep call in the real function'
nl|'\n'
name|'greenthread'
op|'.'
name|'sleep'
op|'('
number|'0'
op|')'
newline|'\n'
name|'return'
name|'reply'
newline|'\n'
nl|'\n'
nl|'\n'
DECL|function|stub_out_processutils_execute
dedent|''
name|'def'
name|'stub_out_processutils_execute'
op|'('
name|'stubs'
op|')'
op|':'
newline|'\n'
indent|' '
name|'fake_execute_set_repliers'
op|'('
op|'['
op|']'
op|')'
newline|'\n'
name|'fake_execute_clear_log'
op|'('
op|')'
newline|'\n'
name|'stubs'
op|'.'
name|'Set'
op|'('
name|'processutils'
op|','
string|"'execute'"
op|','
name|'fake_execute'
op|')'
newline|'\n'
dedent|''
endmarker|''
end_unit
|
begin_unit
comment | '# Copyright (c) 2011 Citrix Systems, Inc.'
nl | '\n'
comment | '#'
nl | '\n'
comment | '# Licensed under the Apache License, Version 2.0 (the "License"); you may'
nl | '\n'
comment | '# not use this file except in compliance with the License. You may obtain'
nl | '\n'
comment | '# a copy of the License at'
nl | '\n'
comment | '#'
nl | '\n'
comment | '# http://www.apache.org/licenses/LICENSE-2.0'
nl | '\n'
comment | '#'
nl | '\n'
comment | '# Unless required by applicable law or agreed to in writing, software'
nl | '\n'
comment | '# distributed under the License is distributed on an "AS IS" BASIS, WITHOUT'
nl | '\n'
comment | '# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the'
nl | '\n'
comment | '# License for the specific language governing permissions and limitations'
nl | '\n'
comment | '# under the License.'
nl | '\n'
nl | '\n'
string | '"""This modules stubs out functions in oslo_concurrency.processutils."""'
newline | '\n'
nl | '\n'
name | 'import'
name | 're'
newline | '\n'
nl | '\n'
name | 'from'
name | 'eventlet'
name | 'import'
name | 'greenthread'
newline | '\n'
name | 'from'
name | 'oslo_concurrency'
name | 'import'
name | 'processutils'
newline | '\n'
name | 'from'
name | 'oslo_log'
name | 'import'
name | 'log'
name | 'as'
name | 'logging'
newline | '\n'
name | 'import'
name | 'six'
newline | '\n'
nl | '\n'
DECL | variable | LOG
name | 'LOG'
op | '='
name | 'logging'
op | '.'
name | 'getLogger'
op | '('
name | '__name__'
op | ')'
newline | '\n'
nl | '\n'
DECL | variable | _fake_execute_repliers
name | '_fake_execute_repliers'
op | '='
op | '['
op | ']'
newline | '\n'
DECL | variable | _fake_execute_log
name | '_fake_execute_log'
op | '='
op | '['
op | ']'
newline | '\n'
nl | '\n'
nl | '\n'
DECL | function | fake_execute_get_log
name | 'def'
name | 'fake_execute_get_log'
op | '('
op | ')'
op | ':'
newline | '\n'
indent | ' '
name | 'return'
name | '_fake_execute_log'
newline | '\n'
nl | '\n'
nl | '\n'
DECL | function | fake_execute_clear_log
dedent | ''
name | 'def'
name | 'fake_execute_clear_log'
op | '('
op | ')'
op | ':'
newline | '\n'
indent | ' '
name | 'global'
name | '_fake_execute_log'
newline | '\n'
name | '_fake_execute_log'
op | '='
op | '['
op | ']'
newline | '\n'
nl | '\n'
nl | '\n'
DECL | function | fake_execute_set_repliers
dedent | ''
name | 'def'
name | 'fake_execute_set_repliers'
op | '('
name | 'repliers'
op | ')'
op | ':'
newline | '\n'
indent | ' '
string | '"""Allows the client to configure replies to commands."""'
newline | '\n'
name | 'global'
name | '_fake_execute_repliers'
newline | '\n'
name | '_fake_execute_repliers'
op | '='
name | 'repliers'
newline | '\n'
nl | '\n'
nl | '\n'
DECL | function | fake_execute_default_reply_handler
dedent | ''
name | 'def'
name | 'fake_execute_default_reply_handler'
op | '('
op | '*'
name | 'ignore_args'
op | ','
op | '**'
name | 'ignore_kwargs'
op | ')'
op | ':'
newline | '\n'
indent | ' '
string | '"""A reply handler for commands that haven\'t been added to the reply list.\n\n Returns empty strings for stdout and stderr.\n\n """'
newline | '\n'
name | 'return'
string | "''"
op | ','
string | "''"
newline | '\n'
nl | '\n'
nl | '\n'
DECL | function | fake_execute
dedent | ''
name | 'def'
name | 'fake_execute'
op | '('
op | '*'
name | 'cmd_parts'
op | ','
op | '**'
name | 'kwargs'
op | ')'
op | ':'
newline | '\n'
indent | ' '
string | '"""This function stubs out execute.\n\n It optionally executes a preconfigued function to return expected data.\n\n """'
newline | '\n'
name | 'global'
name | '_fake_execute_repliers'
newline | '\n'
nl | '\n'
name | 'process_input'
op | '='
name | 'kwargs'
op | '.'
name | 'get'
op | '('
string | "'process_input'"
op | ','
name | 'None'
op | ')'
newline | '\n'
name | 'check_exit_code'
op | '='
name | 'kwargs'
op | '.'
name | 'get'
op | '('
string | "'check_exit_code'"
op | ','
number | '0'
op | ')'
newline | '\n'
name | 'delay_on_retry'
op | '='
name | 'kwargs'
op | '.'
name | 'get'
op | '('
string | "'delay_on_retry'"
op | ','
name | 'True'
op | ')'
newline | '\n'
name | 'attempts'
op | '='
name | 'kwargs'
op | '.'
name | 'get'
op | '('
string | "'attempts'"
op | ','
number | '1'
op | ')'
newline | '\n'
name | 'run_as_root'
op | '='
name | 'kwargs'
op | '.'
name | 'get'
op | '('
string | "'run_as_root'"
op | ','
name | 'False'
op | ')'
newline | '\n'
name | 'cmd_str'
op | '='
string | "' '"
op | '.'
name | 'join'
op | '('
name | 'str'
op | '('
name | 'part'
op | ')'
name | 'for'
name | 'part'
name | 'in'
name | 'cmd_parts'
op | ')'
newline | '\n'
nl | '\n'
name | 'LOG'
op | '.'
name | 'debug'
op | '('
string | '"Faking execution of cmd (subprocess): %s"'
op | ','
name | 'cmd_str'
op | ')'
newline | '\n'
name | '_fake_execute_log'
op | '.'
name | 'append'
op | '('
name | 'cmd_str'
op | ')'
newline | '\n'
nl | '\n'
name | 'reply_handler'
op | '='
name | 'fake_execute_default_reply_handler'
newline | '\n'
nl | '\n'
name | 'for'
name | 'fake_replier'
name | 'in'
name | '_fake_execute_repliers'
op | ':'
newline | '\n'
indent | ' '
name | 'if'
name | 're'
op | '.'
name | 'match'
op | '('
name | 'fake_replier'
op | '['
number | '0'
op | ']'
op | ','
name | 'cmd_str'
op | ')'
op | ':'
newline | '\n'
indent | ' '
name | 'reply_handler'
op | '='
name | 'fake_replier'
op | '['
number | '1'
op | ']'
newline | '\n'
name | 'LOG'
op | '.'
name | 'debug'
op | '('
string | "'Faked command matched %s'"
op | ','
name | 'fake_replier'
op | '['
number | '0'
op | ']'
op | ')'
newline | '\n'
name | 'break'
newline | '\n'
nl | '\n'
dedent | ''
dedent | ''
name | 'if'
name | 'isinstance'
op | '('
name | 'reply_handler'
op | ','
name | 'six'
op | '.'
name | 'string_types'
op | ')'
op | ':'
newline | '\n'
comment | '# If the reply handler is a string, return it as stdout'
nl | '\n'
indent | ' '
name | 'reply'
op | '='
name | 'reply_handler'
op | ','
string | "''"
newline | '\n'
dedent | ''
name | 'else'
op | ':'
newline | '\n'
indent | ' '
name | 'try'
op | ':'
newline | '\n'
comment | '# Alternative is a function, so call it'
nl | '\n'
indent | ' '
name | 'reply'
op | '='
name | 'reply_handler'
op | '('
name | 'cmd_parts'
op | ','
nl | '\n'
name | 'process_input'
op | '='
name | 'process_input'
op | ','
nl | '\n'
name | 'delay_on_retry'
op | '='
name | 'delay_on_retry'
op | ','
nl | '\n'
name | 'attempts'
op | '='
name | 'attempts'
op | ','
nl | '\n'
name | 'run_as_root'
op | '='
name | 'run_as_root'
op | ','
nl | '\n'
name | 'check_exit_code'
op | '='
name | 'check_exit_code'
op | ')'
newline | '\n'
dedent | ''
name | 'except'
name | 'processutils'
op | '.'
name | 'ProcessExecutionError'
name | 'as'
name | 'e'
op | ':'
newline | '\n'
indent | ' '
name | 'LOG'
op | '.'
name | 'debug'
op | '('
string | "'Faked command raised an exception %s'"
op | ','
name | 'e'
op | ')'
newline | '\n'
name | 'raise'
newline | '\n'
nl | '\n'
dedent | ''
dedent | ''
name | 'LOG'
op | '.'
name | 'debug'
op | '('
string | '"Reply to faked command is stdout=\'%(stdout)s\' "'
nl | '\n'
string | '"stderr=\'%(stderr)s\'"'
op | ','
op | '{'
string | "'stdout'"
op | ':'
name | 'reply'
op | '['
number | '0'
op | ']'
op | ','
string | "'stderr'"
op | ':'
name | 'reply'
op | '['
number | '1'
op | ']'
op | '}'
op | ')'
newline | '\n'
nl | '\n'
comment | '# Replicate the sleep call in the real function'
nl | '\n'
name | 'greenthread'
op | '.'
name | 'sleep'
op | '('
number | '0'
op | ')'
newline | '\n'
name | 'return'
name | 'reply'
newline | '\n'
nl | '\n'
nl | '\n'
DECL | function | stub_out_processutils_execute
dedent | ''
name | 'def'
name | 'stub_out_processutils_execute'
op | '('
name | 'stubs'
op | ')'
op | ':'
newline | '\n'
indent | ' '
name | 'fake_execute_set_repliers'
op | '('
op | '['
op | ']'
op | ')'
newline | '\n'
name | 'fake_execute_clear_log'
op | '('
op | ')'
newline | '\n'
name | 'stubs'
op | '.'
name | 'Set'
op | '('
name | 'processutils'
op | ','
string | "'execute'"
op | ','
name | 'fake_execute'
op | ')'
newline | '\n'
dedent | ''
endmarker | ''
end_unit
|
# https://leetcode.com/problems/arithmetic-slices/
class Solution:
def numberOfArithmeticSlices(self, nums: list[int]) -> int:
arithmetic_slices = 0
if len(nums) <= 2:
return arithmetic_slices
last_diff = nums[1] - nums[0]
last_increment = 0
for idx in range(2, len(nums)):
curr_diff = nums[idx] - nums[idx - 1]
curr_increment = 0
if curr_diff == last_diff:
curr_increment = last_increment + 1
arithmetic_slices += curr_increment
last_diff, last_increment = curr_diff, curr_increment
return arithmetic_slices
|
class Solution:
def number_of_arithmetic_slices(self, nums: list[int]) -> int:
arithmetic_slices = 0
if len(nums) <= 2:
return arithmetic_slices
last_diff = nums[1] - nums[0]
last_increment = 0
for idx in range(2, len(nums)):
curr_diff = nums[idx] - nums[idx - 1]
curr_increment = 0
if curr_diff == last_diff:
curr_increment = last_increment + 1
arithmetic_slices += curr_increment
(last_diff, last_increment) = (curr_diff, curr_increment)
return arithmetic_slices
|
n,m=map(int,input().split());r=0
while n>0:
r+=n;n//=m
print(r)
|
(n, m) = map(int, input().split())
r = 0
while n > 0:
r += n
n //= m
print(r)
|
def main(ws, clients):
print("The number of clients is: {}".format(len(clients)))
count = 0
while not ws.closed and count < 5:
message = ws.receive()
ws.send(message)
count += 1
ws.close()
|
def main(ws, clients):
print('The number of clients is: {}'.format(len(clients)))
count = 0
while not ws.closed and count < 5:
message = ws.receive()
ws.send(message)
count += 1
ws.close()
|
#!/usr/bin/env python
def getpi(listb):
lista=[]
listcc=[]
for i in listb:
temp=i/180*3.14
lista.append((temp,i))
listcc.append(temp)
return lista
def getangle(listb):
lista=[]
for i in listb:
temp=i/3.14*180
lista.append((i,temp))
return lista
def getangle_new(listb):
lista=[]
for i in listb:
temp=i/3.14*180
lista.append(temp)
return lista
def display(listc):
listpi=[]
listangle=[]
for i in listc:
listpi.append(i[0])
listangle.append(i[1])
#print(i)
print("pi====:",listpi)
print("angle==:",listangle)
return listpi
def getpi_for_py(listc):
listpi=[]
listangle=[]
for i in listc:
listpi.append(i[0])
listangle.append(i[1])
#print(i)
#print("pi====:",listpi)
#print("angle==:",listangle)
return listpi
if __name__=="__main__":
#joint_positions_inpi = [-1.565429989491598, -1.6473701635943812, 0.05049753189086914, -1.4097726980792444,-1.14049534956561487, -0.8895475069154912]
#kk=getangle(joint_positions_inpi)
#joint_position_inangle=[-89.73802487531454, -94.43523230795815, 2.894762974635811, -80.81499543129426, -65.37871430630913, -50.993169186238354]
#aa=getpi(joint_position_inangle)
#display(kk)
reslut=[]
#display(aa)
Q0=[-0.69,-100.70,102.06,-174.24,-90.16,-45.35]
Q1=[-0.69,-91.22,62.51,-151.14,-90.16,-45.36]
#Q0=[-14.49,-49.08,69.91,-203.91,-75.70,-65.06]
#Q1=[-0.12,-50.14,69.91,-199.52,-89.52,-65.07]
Q2=[14.27,-44.13,32.03,-165.34,-100.79,-65.07]
#Q23 = [8.24, -40.93, 15.51, -155.41, -97.56, -65.07]
Q3=[8.24,-40.93,6.51,-146.41,-97.56,-65.07]
Q4=[-0.55,-41.01,6.27,-151.46,-93.72,-65.07]
Q5=[-15.41,-42.01,6.29,-144.16,-73.85,-65.07]
Q6=[-16.84,-54.61,56.91,-186.31,-73.86,-65.08]
Q7=[-3.04,-52.20,49.33,-180.78,-84.35,-65.07]
Q8=[84.81, -124.65, -78.10, 99.59, -96.62, 89.99]
Q9=[1.4794633333333334, -2.17445, -1.3624111111111112, 1.7372922222222222, -1.6854822222222223, 1.5698255555555556]
Q10=[5.,-139.,-79.,-51.,91.,177.]
# print getpi(Q10)
display(getpi(Q10))
# display(getangle(Q9))
#display(getpi(Q0))
#reslut.append(display(getpi(Q8)))
#display(getpi(Q1))
#reslut.append(display(getpi(Q1)))
# display(getpi(Q2))
# reslut.append(display(getpi(Q2)))
# #display(getpi(Q23))
# #reslut.append(display(getpi(Q23)))
# display(getpi(Q3))
# reslut.append(display(getpi(Q3)))
# display(getpi(Q4))
# reslut.append(display(getpi(Q4)))
# display(getpi(Q5))
# reslut.append(display(getpi(Q5)))
# display(getpi(Q6))
# reslut.append(display(getpi(Q6)))
# display(getpi(Q7))
# reslut.append(display(getpi(Q7)))
# print(reslut)
|
def getpi(listb):
lista = []
listcc = []
for i in listb:
temp = i / 180 * 3.14
lista.append((temp, i))
listcc.append(temp)
return lista
def getangle(listb):
lista = []
for i in listb:
temp = i / 3.14 * 180
lista.append((i, temp))
return lista
def getangle_new(listb):
lista = []
for i in listb:
temp = i / 3.14 * 180
lista.append(temp)
return lista
def display(listc):
listpi = []
listangle = []
for i in listc:
listpi.append(i[0])
listangle.append(i[1])
print('pi====:', listpi)
print('angle==:', listangle)
return listpi
def getpi_for_py(listc):
listpi = []
listangle = []
for i in listc:
listpi.append(i[0])
listangle.append(i[1])
return listpi
if __name__ == '__main__':
reslut = []
q0 = [-0.69, -100.7, 102.06, -174.24, -90.16, -45.35]
q1 = [-0.69, -91.22, 62.51, -151.14, -90.16, -45.36]
q2 = [14.27, -44.13, 32.03, -165.34, -100.79, -65.07]
q3 = [8.24, -40.93, 6.51, -146.41, -97.56, -65.07]
q4 = [-0.55, -41.01, 6.27, -151.46, -93.72, -65.07]
q5 = [-15.41, -42.01, 6.29, -144.16, -73.85, -65.07]
q6 = [-16.84, -54.61, 56.91, -186.31, -73.86, -65.08]
q7 = [-3.04, -52.2, 49.33, -180.78, -84.35, -65.07]
q8 = [84.81, -124.65, -78.1, 99.59, -96.62, 89.99]
q9 = [1.4794633333333334, -2.17445, -1.3624111111111112, 1.7372922222222222, -1.6854822222222223, 1.5698255555555556]
q10 = [5.0, -139.0, -79.0, -51.0, 91.0, 177.0]
display(getpi(Q10))
|
class EthJsonRpcError(Exception):
pass
class ConnectionError(EthJsonRpcError):
pass
class BadStatusCodeError(EthJsonRpcError):
pass
class BadJsonError(EthJsonRpcError):
pass
class BadResponseError(EthJsonRpcError):
pass
|
class Ethjsonrpcerror(Exception):
pass
class Connectionerror(EthJsonRpcError):
pass
class Badstatuscodeerror(EthJsonRpcError):
pass
class Badjsonerror(EthJsonRpcError):
pass
class Badresponseerror(EthJsonRpcError):
pass
|
class ActionEnum(enumerate):
"""
Enum for action space
"""
BUY = 1
SELL = -1
HOLD = 0
EXIT = 3
def form_action(action):
"""
Form action from action space
"""
r = 0.0
if action <= -0.5:
r =-(action + 0.5) * 2
return ActionEnum.SELL, r, "SELL"
elif action >= +0.5:
r = (action - 0.5) * 2
return ActionEnum.BUY, r, "BUY"
else:
return ActionEnum.HOLD, r, "NIL"
def normalize(x,min, max):
"""
Scale [min, max] to [0, 1]
Normalize x to [min, max]
"""
return (x - min) / (max - min)
|
class Actionenum(enumerate):
"""
Enum for action space
"""
buy = 1
sell = -1
hold = 0
exit = 3
def form_action(action):
"""
Form action from action space
"""
r = 0.0
if action <= -0.5:
r = -(action + 0.5) * 2
return (ActionEnum.SELL, r, 'SELL')
elif action >= +0.5:
r = (action - 0.5) * 2
return (ActionEnum.BUY, r, 'BUY')
else:
return (ActionEnum.HOLD, r, 'NIL')
def normalize(x, min, max):
"""
Scale [min, max] to [0, 1]
Normalize x to [min, max]
"""
return (x - min) / (max - min)
|
doc="""
#Enrich Quality
baseq-SNV qc_enrich ./bam ./bedfile ./out
#Alignment
baseq-SNV run_bwa -1 Read1M.P457.1.fq.gz -2 Read1M.P457.2.fq.gz -g hg38 -n Test -o Test.bam -t 10
#MarkDuplicate
baseq-SNV run_markdup -b Test.bam -m Test.marked.bam
#bqsr
baseq-SNV run_bqsr -m Test.marked.bam -g hg38 -q Test.marked.bqsr.bam
#call variants
baseq-SNV run_callvar -q Test.marked.bqsr.bam -r Test.raw.indel.snp.vcf -g hg38
#select variants
baseq-SNV run_selectvar -r Test.raw.indel.snp.vcf -s Test.raw.snp.vcf -f Test.filtered.snp.vcf -g hg38
#annovar annotation
baseq-SNV run_annovar -g hg38 -n Test -f Test.filtered.snp.vcf -a Test.snps.avinput
#run gatk pipeline
baseq-SNV run_gatkpipe -1 Read1M.P457.1.fq.gz -2 Read1M.P457.2.fq.gz -n Test -g hg38 -d ./
#run gatk pipeline from bam file
baseq-SNV run_gatkpipe -m
#create PoN files
baseq-SNV create_pon -p /mnt/gpfs/Users/wufan/p12_HEC/GATK/baseq_mutect_test/ -l /mnt/gpfs/Users/wufan/p12_HEC/GATK/28wuchen/mutect_call.txt -L /mnt/gpfs/Users/wufan/p12_HEC/GATK/28wuchen/merge.all.target.1.list -g hg37
#single mutect:/mnt/gpfs/Users/wufan/p12_HEC/GATK/28wuchen/N506/
baseq-SNV run_mutect2 -g hg37 -n N506 -N N506_marked_bqsr.bam -t T506 -T T506_marked_bqsr.bam -o ./
#filter mutect call
baseq-SNV filter_mutect_call -r /mnt/gpfs/Users/wufan/p12_HEC/GATK/resources/ref_b37/small_exac_common_3_b37.vcf.gz -s /mnt/gpfs/Users/wufan/p12_HEC/GATK/mutect_test/T506.vcf.gz -T /mnt/gpfs/Users/wufan/p12_HEC/GATK/28wuchen/T506/T506_marked_bqsr.bam -o ./ -t T506
"""
|
doc = '\n#Enrich Quality\nbaseq-SNV qc_enrich ./bam ./bedfile ./out\n\n#Alignment\nbaseq-SNV run_bwa -1 Read1M.P457.1.fq.gz -2 Read1M.P457.2.fq.gz -g hg38 -n Test -o Test.bam -t 10\n\n#MarkDuplicate\nbaseq-SNV run_markdup -b Test.bam -m Test.marked.bam\n\n#bqsr\nbaseq-SNV run_bqsr -m Test.marked.bam -g hg38 -q Test.marked.bqsr.bam\n\n#call variants\nbaseq-SNV run_callvar -q Test.marked.bqsr.bam -r Test.raw.indel.snp.vcf -g hg38\n\n#select variants\nbaseq-SNV run_selectvar -r Test.raw.indel.snp.vcf -s Test.raw.snp.vcf -f Test.filtered.snp.vcf -g hg38\n\n#annovar annotation\nbaseq-SNV run_annovar -g hg38 -n Test -f Test.filtered.snp.vcf -a Test.snps.avinput\n\n#run gatk pipeline\nbaseq-SNV run_gatkpipe -1 Read1M.P457.1.fq.gz -2 Read1M.P457.2.fq.gz -n Test -g hg38 -d ./ \n\n#run gatk pipeline from bam file\nbaseq-SNV run_gatkpipe -m \n\n#create PoN files\nbaseq-SNV create_pon -p /mnt/gpfs/Users/wufan/p12_HEC/GATK/baseq_mutect_test/ -l /mnt/gpfs/Users/wufan/p12_HEC/GATK/28wuchen/mutect_call.txt -L /mnt/gpfs/Users/wufan/p12_HEC/GATK/28wuchen/merge.all.target.1.list -g hg37\n\n#single mutect:/mnt/gpfs/Users/wufan/p12_HEC/GATK/28wuchen/N506/\nbaseq-SNV run_mutect2 -g hg37 -n N506 -N N506_marked_bqsr.bam -t T506 -T T506_marked_bqsr.bam -o ./\n\n#filter mutect call\nbaseq-SNV filter_mutect_call -r /mnt/gpfs/Users/wufan/p12_HEC/GATK/resources/ref_b37/small_exac_common_3_b37.vcf.gz -s /mnt/gpfs/Users/wufan/p12_HEC/GATK/mutect_test/T506.vcf.gz -T /mnt/gpfs/Users/wufan/p12_HEC/GATK/28wuchen/T506/T506_marked_bqsr.bam -o ./ -t T506\n'
|
# http://norvig.com/mayzner.html
character_frequencies = {
'a': 8.04,
'c': 3.34,
'b': 1.48,
'e': 12.49,
'd': 3.82,
'g': 1.87,
'f': 2.40,
'i': 7.57,
'h': 5.05,
'k': 0.54,
'j': 0.16,
'm': 2.51,
'l': 4.07,
'o': 7.64,
'n': 7.23,
'q': 0.12,
'p': 2.14,
's': 6.51,
'r': 6.28,
'u': 2.73,
't': 9.28,
'w': 1.68,
'v': 1.05,
'y': 1.66,
'x': 0.23,
'z': 0.09,
' ': 19.19,
}
digram_frequencies = {
'en': 1.45,
'co': 0.79,
've': 0.83,
'ed': 1.17,
'is': 1.13,
'ea': 0.69,
'al': 1.09,
'ce': 0.65,
'an': 1.99,
'as': 0.87,
'ar': 1.07,
'at': 1.49,
'io': 0.83,
'in': 2.43,
'ic': 0.70,
'li': 0.62,
'es': 1.34,
'er': 2.05,
'le': 0.83,
're': 1.85,
'll': 0.58,
'nd': 1.35,
'ne': 0.69,
'ng': 0.95,
'to': 1.04,
'ra': 0.69,
'th': 3.56,
'ti': 1.34,
'te': 1.20,
'nt': 1.04,
'ri': 0.73,
'be': 0.58,
'ur': 0.54,
'ch': 0.60,
'de': 0.76,
'it': 1.12,
'hi': 0.76,
'ha': 0.93,
'he': 3.07,
'me': 0.79,
'on': 1.76,
'om': 0.55,
'ro': 0.73,
'ma': 0.57,
'of': 1.17,
'st': 1.05,
'si': 0.55,
'ou': 0.87,
'or': 1.28,
'se': 0.93,
}
word_frequencies = {
'and': 3.04,
'all': 0.28,
'would': 0.20,
'when': 0.20,
'is': 1.13,
'it': 0.77,
'an': 0.37,
'as': 0.77,
'are': 0.50,
'have': 0.37,
'in': 2.27,
'if': 0.21,
'from': 0.47,
'for': 0.88,
'their': 0.29,
'there': 0.22,
'had': 0.35,
'been': 0.22,
'to': 2.60,
'which': 0.42,
'you': 0.31,
'has': 0.22,
'was': 0.74,
'more': 0.21,
'be': 0.65,
'we': 0.28,
'his': 0.49,
'that': 1.08,
'who': 0.20,
'but': 0.38,
'they': 0.33,
'not': 0.61,
'one': 0.29,
'with': 0.70,
'by': 0.63,
'he': 0.55,
'a': 2.06,
'on': 0.62,
'her': 0.22,
'i': 0.52,
'of': 4.16,
'no': 0.19,
'will': 0.20,
'this': 0.51,
'so': 0.19,
'can': 0.22,
'were': 0.31,
'the': 7.14,
'or': 0.49,
'at': 0.46,
}
def score_single_characters(text):
score = 0
for test_char in text:
current_char = test_char.lower()
if current_char in character_frequencies:
score += character_frequencies[current_char]
return score
def score_digrams(text):
score = 0
for i in range(len(text)):
current_digram = text[i:i+2].lower()
if current_digram in digram_frequencies:
score += digram_frequencies[current_digram]
return score
def score_words(text):
cleaned_text = ''.join([i.lower() for i in text if i in character_frequencies])
score = 0
words = cleaned_text.split()
for w in words:
if w in word_frequencies:
score += word_frequencies[w]
return score
def score_text(text):
return sum([
score_single_characters(text),
score_digrams(text),
score_words(text)
])
|
character_frequencies = {'a': 8.04, 'c': 3.34, 'b': 1.48, 'e': 12.49, 'd': 3.82, 'g': 1.87, 'f': 2.4, 'i': 7.57, 'h': 5.05, 'k': 0.54, 'j': 0.16, 'm': 2.51, 'l': 4.07, 'o': 7.64, 'n': 7.23, 'q': 0.12, 'p': 2.14, 's': 6.51, 'r': 6.28, 'u': 2.73, 't': 9.28, 'w': 1.68, 'v': 1.05, 'y': 1.66, 'x': 0.23, 'z': 0.09, ' ': 19.19}
digram_frequencies = {'en': 1.45, 'co': 0.79, 've': 0.83, 'ed': 1.17, 'is': 1.13, 'ea': 0.69, 'al': 1.09, 'ce': 0.65, 'an': 1.99, 'as': 0.87, 'ar': 1.07, 'at': 1.49, 'io': 0.83, 'in': 2.43, 'ic': 0.7, 'li': 0.62, 'es': 1.34, 'er': 2.05, 'le': 0.83, 're': 1.85, 'll': 0.58, 'nd': 1.35, 'ne': 0.69, 'ng': 0.95, 'to': 1.04, 'ra': 0.69, 'th': 3.56, 'ti': 1.34, 'te': 1.2, 'nt': 1.04, 'ri': 0.73, 'be': 0.58, 'ur': 0.54, 'ch': 0.6, 'de': 0.76, 'it': 1.12, 'hi': 0.76, 'ha': 0.93, 'he': 3.07, 'me': 0.79, 'on': 1.76, 'om': 0.55, 'ro': 0.73, 'ma': 0.57, 'of': 1.17, 'st': 1.05, 'si': 0.55, 'ou': 0.87, 'or': 1.28, 'se': 0.93}
word_frequencies = {'and': 3.04, 'all': 0.28, 'would': 0.2, 'when': 0.2, 'is': 1.13, 'it': 0.77, 'an': 0.37, 'as': 0.77, 'are': 0.5, 'have': 0.37, 'in': 2.27, 'if': 0.21, 'from': 0.47, 'for': 0.88, 'their': 0.29, 'there': 0.22, 'had': 0.35, 'been': 0.22, 'to': 2.6, 'which': 0.42, 'you': 0.31, 'has': 0.22, 'was': 0.74, 'more': 0.21, 'be': 0.65, 'we': 0.28, 'his': 0.49, 'that': 1.08, 'who': 0.2, 'but': 0.38, 'they': 0.33, 'not': 0.61, 'one': 0.29, 'with': 0.7, 'by': 0.63, 'he': 0.55, 'a': 2.06, 'on': 0.62, 'her': 0.22, 'i': 0.52, 'of': 4.16, 'no': 0.19, 'will': 0.2, 'this': 0.51, 'so': 0.19, 'can': 0.22, 'were': 0.31, 'the': 7.14, 'or': 0.49, 'at': 0.46}
def score_single_characters(text):
score = 0
for test_char in text:
current_char = test_char.lower()
if current_char in character_frequencies:
score += character_frequencies[current_char]
return score
def score_digrams(text):
score = 0
for i in range(len(text)):
current_digram = text[i:i + 2].lower()
if current_digram in digram_frequencies:
score += digram_frequencies[current_digram]
return score
def score_words(text):
cleaned_text = ''.join([i.lower() for i in text if i in character_frequencies])
score = 0
words = cleaned_text.split()
for w in words:
if w in word_frequencies:
score += word_frequencies[w]
return score
def score_text(text):
return sum([score_single_characters(text), score_digrams(text), score_words(text)])
|
# type this to run tests
# 'python -m nose FILENAME -v'
# 'nosetests FILENAME -v'
def test_case01():
assert 'aaa'.upper() == 'AAA'
|
def test_case01():
assert 'aaa'.upper() == 'AAA'
|
"""
Metroclima database CLI tool
Project information
"""
__title__ = 'metroclima'
__description__ = 'A simple Python tool to retrieve information from ' \
'the Porto Alegre city\'s Metroclima database.'
__url__ = 'https://github.com/jonathadv/metroclima-dump'
__version__ = '1.0.0'
__author__ = 'Jonatha Daguerre Vasconcelos'
__author_email__ = 'jonatha@daguerre.com.br'
__license__ = 'MIT'
__copyright__ = 'Copyright 2018 Jonatha Daguerre Vasconcelos'
|
"""
Metroclima database CLI tool
Project information
"""
__title__ = 'metroclima'
__description__ = "A simple Python tool to retrieve information from the Porto Alegre city's Metroclima database."
__url__ = 'https://github.com/jonathadv/metroclima-dump'
__version__ = '1.0.0'
__author__ = 'Jonatha Daguerre Vasconcelos'
__author_email__ = 'jonatha@daguerre.com.br'
__license__ = 'MIT'
__copyright__ = 'Copyright 2018 Jonatha Daguerre Vasconcelos'
|
# https://leetcode.com/problems/convert-sorted-array-to-binary-search-tree/
#
# algorithms
# Easy (48.15%)
# Total Accepted: 222,749
# Total Submissions: 462,569
# Definition for a binary tree node.
# class TreeNode(object):
# def __init__(self, x):
# self.val = x
# self.left = None
# self.right = None
class Solution(object):
def sortedArrayToBST(self, nums):
"""
:type nums: List[int]
:rtype: TreeNode
"""
length = len(nums)
if length == 0:
return None
if length == 1:
return TreeNode(nums[0])
middle = length / 2
node = TreeNode(nums[middle])
node.left = self.sortedArrayToBST(nums[:middle])
node.right = self.sortedArrayToBST(nums[middle + 1:])
return node
|
class Solution(object):
def sorted_array_to_bst(self, nums):
"""
:type nums: List[int]
:rtype: TreeNode
"""
length = len(nums)
if length == 0:
return None
if length == 1:
return tree_node(nums[0])
middle = length / 2
node = tree_node(nums[middle])
node.left = self.sortedArrayToBST(nums[:middle])
node.right = self.sortedArrayToBST(nums[middle + 1:])
return node
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.