twitter


Nametwitter JSON
Version 1.19.6 PyPI version JSON
download
home_pagehttps://mike.verdone.ca/twitter/
SummaryAn API and command-line toolset for Twitter (twitter.com)
upload_time2022-09-14 13:35:10
maintainer
docs_urlNone
authorMike Verdone
requires_python>=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*, !=3.4.*, !=3.5.*
licenseMIT License
keywords twitter irc command-line tools web 2.0
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage No coveralls.
            Python Twitter Tools
====================

[![Tests](https://github.com/python-twitter-tools/twitter/workflows/Tests/badge.svg)](https://github.com/python-twitter-tools/twitter/actions)
[![Coverage Status](https://coveralls.io/repos/github/python-twitter-tools/twitter/badge.svg?branch=master)](https://coveralls.io/github/python-twitter-tools/twitter?branch=master)

The Minimalist Twitter API for Python is a Python API for Twitter,
everyone's favorite Web 2.0 Facebook-style status updater for people
on the go.

Also included is a Twitter command-line tool for getting your friends'
tweets and setting your own tweet from the safety and security of your
favorite shell and an IRC bot that can announce Twitter updates to an
IRC channel.

For more information:

 * install the [package](https://pypi.org/project/twitter/) `pip install twitter`
 * import the `twitter` package and run `help()` on it
 * run `twitter -h` for command-line tool help

twitter - The Command-Line Tool
-------------------------------

The command-line tool lets you do some awesome things:

 * view your tweets, recent replies, and tweets in lists
 * view the public timeline
 * follow and unfollow (leave) friends
 * various output formats for tweet information

The bottom line: type `twitter`, receive tweets.

twitterbot - The IRC Bot
------------------------

The IRC bot is associated with a Twitter account (either your own account or an
account you create for the bot). The bot announces all tweets from friends
it is following. It can be made to follow or leave friends through IRC /msg
commands.


`twitter-log`
-------------

`twitter-log` is a simple command-line tool that dumps all public
tweets from a given user in a simple text format. It is useful to get
a complete offsite backup of all your tweets. Run `twitter-log` and
read the instructions.

`twitter-archiver` and `twitter-follow`
---------------------------------------

twitter-archiver will log all the tweets posted by any user since they
started posting. twitter-follow will print a list of all of all the
followers of a user (or all the users that user follows).


Programming with the Twitter API classes
========================================

The `Twitter` and `TwitterStream` classes are the key to building your own
Twitter-enabled applications.


The `Twitter` class
-------------------

The minimalist yet fully featured Twitter API class.

Get RESTful data by accessing members of this class. The result
is decoded python objects (lists and dicts).

The Twitter API is documented at:

**[https://developer.twitter.com/en/docs](https://developer.twitter.com/en/docs)**

The list of most accessible functions is listed at:

**[https://developer.twitter.com/en/docs/api-reference-index](https://developer.twitter.com/en/docs/api-reference-index)**

Examples:

```python
from twitter import *

t = Twitter(
    auth=OAuth(token, token_secret, consumer_key, consumer_secret))

# Get your "home" timeline
t.statuses.home_timeline()

# Get a particular friend's timeline
t.statuses.user_timeline(screen_name="boogheta")

# to pass in GET/POST parameters, such as `count`
t.statuses.home_timeline(count=5)

# to pass in the GET/POST parameter `id` you need to use `_id`
t.statuses.show(_id=1234567890)

# Update your status
t.statuses.update(
    status="Using @boogheta's sweet Python Twitter Tools.")

# Send a direct message
t.direct_messages.events.new(
    _json={
        "event": {
            "type": "message_create",
            "message_create": {
                "target": {
                    "recipient_id": t.users.show(screen_name="boogheta")["id"]},
                "message_data": {
                    "text": "I think yer swell!"}}}})

# Get the members of maxmunnecke's list "network analysis tools" (grab the list_id within the url) https://twitter.com/i/lists/1130857490764091392
t.lists.members(owner_screen_name="maxmunnecke", list_id="1130857490764091392")

# Favorite/like a status
status = t.statuses.home_timeline()[0]
if not status['favorited']:
    t.favorites.create(_id=status['id'])

# An *optional* `_timeout` parameter can also be used for API
# calls which take much more time than normal or twitter stops
# responding for some reason:
t.users.lookup(
    screen_name=','.join(A_LIST_OF_100_SCREEN_NAMES), _timeout=1)

# Overriding Method: GET/POST
# you should not need to use this method as this library properly
# detects whether GET or POST should be used, Nevertheless
# to force a particular method, use `_method`
t.statuses.oembed(_id=1234567890, _method='GET')

# Send images along with your tweets:
# - first just read images from the web or from files the regular way:
with open("example.png", "rb") as imagefile:
    imagedata = imagefile.read()
# - then upload medias one by one on Twitter's dedicated server
#   and collect each one's id:
t_upload = Twitter(domain='upload.twitter.com',
    auth=OAuth(token, token_secret, consumer_key, consumer_secret))
id_img1 = t_upload.media.upload(media=imagedata)["media_id_string"]
id_img2 = t_upload.media.upload(media=imagedata)["media_id_string"]
# - finally send your tweet with the list of media ids:
t.statuses.update(status="PTT ★", media_ids=",".join([id_img1, id_img2]))

# Or send a tweet with an image (or set a logo/banner similarly)
# using the old deprecated method that will probably disappear some day
params = {"media[]": imagedata, "status": "PTT ★"}
# Or for an image encoded as base64:
params = {"media[]": base64_image, "status": "PTT ★", "_base64": True}
t.statuses.update_with_media(**params)

# Attach text metadata to medias sent, using the upload.twitter.com route
# using the _json workaround to send json arguments as POST body
# (warning: to be done before attaching the media to a tweet)
t_upload.media.metadata.create(_json={
  "media_id": id_img1,
  "alt_text": { "text": "metadata generated via PTT!" }
})
# or with the shortcut arguments ("alt_text" and "text" work):
t_upload.media.metadata.create(media_id=id_img1, text="metadata generated via PTT!")
```

Searching Twitter:
```python
# Search for the latest tweets about #pycon
t.search.tweets(q="#pycon")

# Search for the latest tweets about #pycon, using [extended mode](https://developer.twitter.com/en/docs/tweets/tweet-updates)
t.search.tweets(q="#pycon", tweet_mode='extended')
```


Retrying after reaching the API rate limit
------------------------------------------

Simply create the `Twitter` instance with the argument `retry=True`, then the
HTTP error codes `429`, `502`, `503`, and `504` will cause a retry of the last
request.

If `retry` is an integer, it defines the maximum number of retry attempts.


Using the data returned
-----------------------

Twitter API calls return decoded JSON. This is converted into
a bunch of Python lists, dicts, ints, and strings. For example:

```python
x = twitter.statuses.home_timeline()

# The first 'tweet' in the timeline
x[0]

# The screen name of the user who wrote the first 'tweet'
x[0]['user']['screen_name']
```

Getting raw XML data
--------------------

If you prefer to get your Twitter data in XML format, pass
`format="xml"` to the `Twitter` object when you instantiate it:

```python
twitter = Twitter(format="xml")
```

The output will not be parsed in any way. It will be a raw string
of XML.

The `TwitterStream` class
-------------------------

The `TwitterStream` object is an interface to the Twitter Stream
API. This can be used pretty much the same as the `Twitter` class,
except the result of calling a method will be an iterator that
yields objects decoded from the stream. For example::

```python
twitter_stream = TwitterStream(auth=OAuth(...))
iterator = twitter_stream.statuses.sample()

for tweet in iterator:
    ...do something with this tweet...
```

Per default the `TwitterStream` object uses
[public streams](https://dev.twitter.com/docs/streaming-apis/streams/public).
If you want to use one of the other
[streaming APIs](https://dev.twitter.com/docs/streaming-apis), specify the URL
manually.

The iterator will `yield` until the TCP connection breaks. When the
connection breaks, the iterator yields `{'hangup': True}` (and
raises `StopIteration` if iterated again).

Similarly, if the stream does not produce heartbeats for more than
90 seconds, the iterator yields `{'hangup': True,
'heartbeat_timeout': True}` (and raises `StopIteration` if
iterated again).

The `timeout` parameter controls the maximum time between
yields. If it is nonzero, then the iterator will yield either
stream data or `{'timeout': True}` within the timeout period. This
is useful if you want your program to do other stuff in between
waiting for tweets.

The `block` parameter sets the stream to be fully non-blocking.
In this mode, the iterator always yields immediately. It returns
stream data, or `None`.

Note that `timeout` supercedes this argument, so it should also be
set `None` to use this mode, and non-blocking can potentially lead
to 100% CPU usage.

Twitter `Response` Objects
--------------------------

Response from a Twitter request. Behaves like a list or a string
(depending on requested format), but it has a few other interesting
attributes.

`headers` gives you access to the response headers as an
`httplib.HTTPHeaders` instance. Use `response.headers.get('h')`
to retrieve a header.

Authentication
--------------

You can authenticate with Twitter in three ways: NoAuth, OAuth, or
OAuth2 (app-only). Get `help()` on these classes to learn how to use them.

OAuth and OAuth2 are probably the most useful.


Working with OAuth
------------------

Visit the Twitter developer page and create a new application:

**[https://dev.twitter.com/apps/new](https://dev.twitter.com/apps/new)**

This will get you a `CONSUMER_KEY` and `CONSUMER_SECRET`.

When users run your application they have to authenticate your app
with their Twitter account. A few HTTP calls to Twitter are required
to do this. Please see the `twitter.oauth_dance` module to see how this
is done. If you are making a command-line app, you can use the
`oauth_dance()` function directly.

Performing the "oauth dance" gets you an oauth token and oauth secret
that authenticate the user with Twitter. You should save these for
later, so that the user doesn't have to do the oauth dance again.

`read_token_file` and `write_token_file` are utility methods to read and
write OAuth `token` and `secret` key values. The values are stored as
strings in the file. Not terribly exciting.

Finally, you can use the `OAuth` authenticator to connect to Twitter. In
code it all goes like this:

```python
from twitter import *

MY_TWITTER_CREDS = os.path.expanduser('~/.my_app_credentials')
if not os.path.exists(MY_TWITTER_CREDS):
    oauth_dance("My App Name", CONSUMER_KEY, CONSUMER_SECRET,
                MY_TWITTER_CREDS)

oauth_token, oauth_secret = read_token_file(MY_TWITTER_CREDS)

twitter = Twitter(auth=OAuth(
    oauth_token, oauth_secret, CONSUMER_KEY, CONSUMER_SECRET))

# Now work with Twitter
twitter.statuses.update(status='Hello, world!')
```

Working with `OAuth2`
---------------------

Twitter only supports the application-only flow of OAuth2 for certain
API endpoints. This OAuth2 authenticator only supports the application-only
flow right now.

To authenticate with OAuth2, visit the Twitter developer page and create a new
application:

**[https://dev.twitter.com/apps/new](https://dev.twitter.com/apps/new)**

This will get you a `CONSUMER_KEY` and `CONSUMER_SECRET`.

Exchange your `CONSUMER_KEY` and `CONSUMER_SECRET` for a bearer token using the
`oauth2_dance` function.

Finally, you can use the `OAuth2` authenticator and your bearer token to connect
to Twitter. In code it goes like this::

```python
twitter = Twitter(auth=OAuth2(bearer_token=BEARER_TOKEN))

# Now work with Twitter
twitter.search.tweets(q='keyword')
```

License
=======

Python Twitter Tools are released under an MIT License.

            

Raw data

            {
    "_id": null,
    "home_page": "https://mike.verdone.ca/twitter/",
    "name": "twitter",
    "maintainer": "",
    "docs_url": null,
    "requires_python": ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*, !=3.4.*, !=3.5.*",
    "maintainer_email": "",
    "keywords": "twitter,IRC,command-line tools,web 2.0",
    "author": "Mike Verdone",
    "author_email": "mike.verdone+twitterapi@gmail.com",
    "download_url": "https://files.pythonhosted.org/packages/93/9a/8fbcb7f8a095ac085558ce7994aa0bd31eea327ff03c4b6d47a9fd713741/twitter-1.19.6.tar.gz",
    "platform": null,
    "description": "Python Twitter Tools\n====================\n\n[![Tests](https://github.com/python-twitter-tools/twitter/workflows/Tests/badge.svg)](https://github.com/python-twitter-tools/twitter/actions)\n[![Coverage Status](https://coveralls.io/repos/github/python-twitter-tools/twitter/badge.svg?branch=master)](https://coveralls.io/github/python-twitter-tools/twitter?branch=master)\n\nThe Minimalist Twitter API for Python is a Python API for Twitter,\neveryone's favorite Web 2.0 Facebook-style status updater for people\non the go.\n\nAlso included is a Twitter command-line tool for getting your friends'\ntweets and setting your own tweet from the safety and security of your\nfavorite shell and an IRC bot that can announce Twitter updates to an\nIRC channel.\n\nFor more information:\n\n * install the [package](https://pypi.org/project/twitter/) `pip install twitter`\n * import the `twitter` package and run `help()` on it\n * run `twitter -h` for command-line tool help\n\ntwitter - The Command-Line Tool\n-------------------------------\n\nThe command-line tool lets you do some awesome things:\n\n * view your tweets, recent replies, and tweets in lists\n * view the public timeline\n * follow and unfollow (leave) friends\n * various output formats for tweet information\n\nThe bottom line: type `twitter`, receive tweets.\n\ntwitterbot - The IRC Bot\n------------------------\n\nThe IRC bot is associated with a Twitter account (either your own account or an\naccount you create for the bot). The bot announces all tweets from friends\nit is following. It can be made to follow or leave friends through IRC /msg\ncommands.\n\n\n`twitter-log`\n-------------\n\n`twitter-log` is a simple command-line tool that dumps all public\ntweets from a given user in a simple text format. It is useful to get\na complete offsite backup of all your tweets. Run `twitter-log` and\nread the instructions.\n\n`twitter-archiver` and `twitter-follow`\n---------------------------------------\n\ntwitter-archiver will log all the tweets posted by any user since they\nstarted posting. twitter-follow will print a list of all of all the\nfollowers of a user (or all the users that user follows).\n\n\nProgramming with the Twitter API classes\n========================================\n\nThe `Twitter` and `TwitterStream` classes are the key to building your own\nTwitter-enabled applications.\n\n\nThe `Twitter` class\n-------------------\n\nThe minimalist yet fully featured Twitter API class.\n\nGet RESTful data by accessing members of this class. The result\nis decoded python objects (lists and dicts).\n\nThe Twitter API is documented at:\n\n**[https://developer.twitter.com/en/docs](https://developer.twitter.com/en/docs)**\n\nThe list of most accessible functions is listed at:\n\n**[https://developer.twitter.com/en/docs/api-reference-index](https://developer.twitter.com/en/docs/api-reference-index)**\n\nExamples:\n\n```python\nfrom twitter import *\n\nt = Twitter(\n    auth=OAuth(token, token_secret, consumer_key, consumer_secret))\n\n# Get your \"home\" timeline\nt.statuses.home_timeline()\n\n# Get a particular friend's timeline\nt.statuses.user_timeline(screen_name=\"boogheta\")\n\n# to pass in GET/POST parameters, such as `count`\nt.statuses.home_timeline(count=5)\n\n# to pass in the GET/POST parameter `id` you need to use `_id`\nt.statuses.show(_id=1234567890)\n\n# Update your status\nt.statuses.update(\n    status=\"Using @boogheta's sweet Python Twitter Tools.\")\n\n# Send a direct message\nt.direct_messages.events.new(\n    _json={\n        \"event\": {\n            \"type\": \"message_create\",\n            \"message_create\": {\n                \"target\": {\n                    \"recipient_id\": t.users.show(screen_name=\"boogheta\")[\"id\"]},\n                \"message_data\": {\n                    \"text\": \"I think yer swell!\"}}}})\n\n# Get the members of maxmunnecke's list \"network analysis tools\" (grab the list_id within the url) https://twitter.com/i/lists/1130857490764091392\nt.lists.members(owner_screen_name=\"maxmunnecke\", list_id=\"1130857490764091392\")\n\n# Favorite/like a status\nstatus = t.statuses.home_timeline()[0]\nif not status['favorited']:\n    t.favorites.create(_id=status['id'])\n\n# An *optional* `_timeout` parameter can also be used for API\n# calls which take much more time than normal or twitter stops\n# responding for some reason:\nt.users.lookup(\n    screen_name=','.join(A_LIST_OF_100_SCREEN_NAMES), _timeout=1)\n\n# Overriding Method: GET/POST\n# you should not need to use this method as this library properly\n# detects whether GET or POST should be used, Nevertheless\n# to force a particular method, use `_method`\nt.statuses.oembed(_id=1234567890, _method='GET')\n\n# Send images along with your tweets:\n# - first just read images from the web or from files the regular way:\nwith open(\"example.png\", \"rb\") as imagefile:\n    imagedata = imagefile.read()\n# - then upload medias one by one on Twitter's dedicated server\n#   and collect each one's id:\nt_upload = Twitter(domain='upload.twitter.com',\n    auth=OAuth(token, token_secret, consumer_key, consumer_secret))\nid_img1 = t_upload.media.upload(media=imagedata)[\"media_id_string\"]\nid_img2 = t_upload.media.upload(media=imagedata)[\"media_id_string\"]\n# - finally send your tweet with the list of media ids:\nt.statuses.update(status=\"PTT \u2605\", media_ids=\",\".join([id_img1, id_img2]))\n\n# Or send a tweet with an image (or set a logo/banner similarly)\n# using the old deprecated method that will probably disappear some day\nparams = {\"media[]\": imagedata, \"status\": \"PTT \u2605\"}\n# Or for an image encoded as base64:\nparams = {\"media[]\": base64_image, \"status\": \"PTT \u2605\", \"_base64\": True}\nt.statuses.update_with_media(**params)\n\n# Attach text metadata to medias sent, using the upload.twitter.com route\n# using the _json workaround to send json arguments as POST body\n# (warning: to be done before attaching the media to a tweet)\nt_upload.media.metadata.create(_json={\n  \"media_id\": id_img1,\n  \"alt_text\": { \"text\": \"metadata generated via PTT!\" }\n})\n# or with the shortcut arguments (\"alt_text\" and \"text\" work):\nt_upload.media.metadata.create(media_id=id_img1, text=\"metadata generated via PTT!\")\n```\n\nSearching Twitter:\n```python\n# Search for the latest tweets about #pycon\nt.search.tweets(q=\"#pycon\")\n\n# Search for the latest tweets about #pycon, using [extended mode](https://developer.twitter.com/en/docs/tweets/tweet-updates)\nt.search.tweets(q=\"#pycon\", tweet_mode='extended')\n```\n\n\nRetrying after reaching the API rate limit\n------------------------------------------\n\nSimply create the `Twitter` instance with the argument `retry=True`, then the\nHTTP error codes `429`, `502`, `503`, and `504` will cause a retry of the last\nrequest.\n\nIf `retry` is an integer, it defines the maximum number of retry attempts.\n\n\nUsing the data returned\n-----------------------\n\nTwitter API calls return decoded JSON. This is converted into\na bunch of Python lists, dicts, ints, and strings. For example:\n\n```python\nx = twitter.statuses.home_timeline()\n\n# The first 'tweet' in the timeline\nx[0]\n\n# The screen name of the user who wrote the first 'tweet'\nx[0]['user']['screen_name']\n```\n\nGetting raw XML data\n--------------------\n\nIf you prefer to get your Twitter data in XML format, pass\n`format=\"xml\"` to the `Twitter` object when you instantiate it:\n\n```python\ntwitter = Twitter(format=\"xml\")\n```\n\nThe output will not be parsed in any way. It will be a raw string\nof XML.\n\nThe `TwitterStream` class\n-------------------------\n\nThe `TwitterStream` object is an interface to the Twitter Stream\nAPI. This can be used pretty much the same as the `Twitter` class,\nexcept the result of calling a method will be an iterator that\nyields objects decoded from the stream. For example::\n\n```python\ntwitter_stream = TwitterStream(auth=OAuth(...))\niterator = twitter_stream.statuses.sample()\n\nfor tweet in iterator:\n    ...do something with this tweet...\n```\n\nPer default the `TwitterStream` object uses\n[public streams](https://dev.twitter.com/docs/streaming-apis/streams/public).\nIf you want to use one of the other\n[streaming APIs](https://dev.twitter.com/docs/streaming-apis), specify the URL\nmanually.\n\nThe iterator will `yield` until the TCP connection breaks. When the\nconnection breaks, the iterator yields `{'hangup': True}` (and\nraises `StopIteration` if iterated again).\n\nSimilarly, if the stream does not produce heartbeats for more than\n90 seconds, the iterator yields `{'hangup': True,\n'heartbeat_timeout': True}` (and raises `StopIteration` if\niterated again).\n\nThe `timeout` parameter controls the maximum time between\nyields. If it is nonzero, then the iterator will yield either\nstream data or `{'timeout': True}` within the timeout period. This\nis useful if you want your program to do other stuff in between\nwaiting for tweets.\n\nThe `block` parameter sets the stream to be fully non-blocking.\nIn this mode, the iterator always yields immediately. It returns\nstream data, or `None`.\n\nNote that `timeout` supercedes this argument, so it should also be\nset `None` to use this mode, and non-blocking can potentially lead\nto 100% CPU usage.\n\nTwitter `Response` Objects\n--------------------------\n\nResponse from a Twitter request. Behaves like a list or a string\n(depending on requested format), but it has a few other interesting\nattributes.\n\n`headers` gives you access to the response headers as an\n`httplib.HTTPHeaders` instance. Use `response.headers.get('h')`\nto retrieve a header.\n\nAuthentication\n--------------\n\nYou can authenticate with Twitter in three ways: NoAuth, OAuth, or\nOAuth2 (app-only). Get `help()` on these classes to learn how to use them.\n\nOAuth and OAuth2 are probably the most useful.\n\n\nWorking with OAuth\n------------------\n\nVisit the Twitter developer page and create a new application:\n\n**[https://dev.twitter.com/apps/new](https://dev.twitter.com/apps/new)**\n\nThis will get you a `CONSUMER_KEY` and `CONSUMER_SECRET`.\n\nWhen users run your application they have to authenticate your app\nwith their Twitter account. A few HTTP calls to Twitter are required\nto do this. Please see the `twitter.oauth_dance` module to see how this\nis done. If you are making a command-line app, you can use the\n`oauth_dance()` function directly.\n\nPerforming the \"oauth dance\" gets you an oauth token and oauth secret\nthat authenticate the user with Twitter. You should save these for\nlater, so that the user doesn't have to do the oauth dance again.\n\n`read_token_file` and `write_token_file` are utility methods to read and\nwrite OAuth `token` and `secret` key values. The values are stored as\nstrings in the file. Not terribly exciting.\n\nFinally, you can use the `OAuth` authenticator to connect to Twitter. In\ncode it all goes like this:\n\n```python\nfrom twitter import *\n\nMY_TWITTER_CREDS = os.path.expanduser('~/.my_app_credentials')\nif not os.path.exists(MY_TWITTER_CREDS):\n    oauth_dance(\"My App Name\", CONSUMER_KEY, CONSUMER_SECRET,\n                MY_TWITTER_CREDS)\n\noauth_token, oauth_secret = read_token_file(MY_TWITTER_CREDS)\n\ntwitter = Twitter(auth=OAuth(\n    oauth_token, oauth_secret, CONSUMER_KEY, CONSUMER_SECRET))\n\n# Now work with Twitter\ntwitter.statuses.update(status='Hello, world!')\n```\n\nWorking with `OAuth2`\n---------------------\n\nTwitter only supports the application-only flow of OAuth2 for certain\nAPI endpoints. This OAuth2 authenticator only supports the application-only\nflow right now.\n\nTo authenticate with OAuth2, visit the Twitter developer page and create a new\napplication:\n\n**[https://dev.twitter.com/apps/new](https://dev.twitter.com/apps/new)**\n\nThis will get you a `CONSUMER_KEY` and `CONSUMER_SECRET`.\n\nExchange your `CONSUMER_KEY` and `CONSUMER_SECRET` for a bearer token using the\n`oauth2_dance` function.\n\nFinally, you can use the `OAuth2` authenticator and your bearer token to connect\nto Twitter. In code it goes like this::\n\n```python\ntwitter = Twitter(auth=OAuth2(bearer_token=BEARER_TOKEN))\n\n# Now work with Twitter\ntwitter.search.tweets(q='keyword')\n```\n\nLicense\n=======\n\nPython Twitter Tools are released under an MIT License.\n",
    "bugtrack_url": null,
    "license": "MIT License",
    "summary": "An API and command-line toolset for Twitter (twitter.com)",
    "version": "1.19.6",
    "split_keywords": [
        "twitter",
        "irc",
        "command-line tools",
        "web 2.0"
    ],
    "urls": [
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "94695e018f6699349b108be288ff7ec8a17f589ce4fb9b7ddc964fbf6f321861",
                "md5": "75d422374ff126a04397b4ce4e6fcb62",
                "sha256": "1d9a3e45f2c440f308a7116d3672b0d1981aba8ac41cb7f3ed270ed50693f0e0"
            },
            "downloads": -1,
            "filename": "twitter-1.19.6-py2.py3-none-any.whl",
            "has_sig": false,
            "md5_digest": "75d422374ff126a04397b4ce4e6fcb62",
            "packagetype": "bdist_wheel",
            "python_version": "py2.py3",
            "requires_python": ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*, !=3.4.*, !=3.5.*",
            "size": 50277,
            "upload_time": "2022-09-14T13:35:08",
            "upload_time_iso_8601": "2022-09-14T13:35:08.063434Z",
            "url": "https://files.pythonhosted.org/packages/94/69/5e018f6699349b108be288ff7ec8a17f589ce4fb9b7ddc964fbf6f321861/twitter-1.19.6-py2.py3-none-any.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "939a8fbcb7f8a095ac085558ce7994aa0bd31eea327ff03c4b6d47a9fd713741",
                "md5": "ff76824f1ec5d032a3dbb97a9e82c7a9",
                "sha256": "80ddd69ae2eeb88313feedeea31bf119fd6e79541ee5b37abb9c43d233194e10"
            },
            "downloads": -1,
            "filename": "twitter-1.19.6.tar.gz",
            "has_sig": false,
            "md5_digest": "ff76824f1ec5d032a3dbb97a9e82c7a9",
            "packagetype": "sdist",
            "python_version": "source",
            "requires_python": ">=2.7, !=3.0.*, !=3.1.*, !=3.2.*, !=3.3.*, !=3.4.*, !=3.5.*",
            "size": 53089,
            "upload_time": "2022-09-14T13:35:10",
            "upload_time_iso_8601": "2022-09-14T13:35:10.071750Z",
            "url": "https://files.pythonhosted.org/packages/93/9a/8fbcb7f8a095ac085558ce7994aa0bd31eea327ff03c4b6d47a9fd713741/twitter-1.19.6.tar.gz",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2022-09-14 13:35:10",
    "github": false,
    "gitlab": false,
    "bitbucket": false,
    "lcname": "twitter"
}
        
Elapsed time: 0.02602s