Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 1 | """An NNTP client class based on: |
| 2 | - RFC 977: Network News Transfer Protocol |
| 3 | - RFC 2980: Common NNTP Extensions |
| 4 | - RFC 3977: Network News Transfer Protocol (version 2) |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 5 | |
Guido van Rossum | 54f22ed | 2000-02-04 15:10:34 +0000 | [diff] [blame] | 6 | Example: |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 7 | |
Guido van Rossum | 54f22ed | 2000-02-04 15:10:34 +0000 | [diff] [blame] | 8 | >>> from nntplib import NNTP |
| 9 | >>> s = NNTP('news') |
| 10 | >>> resp, count, first, last, name = s.group('comp.lang.python') |
Guido van Rossum | 7131f84 | 2007-02-09 20:13:25 +0000 | [diff] [blame] | 11 | >>> print('Group', name, 'has', count, 'articles, range', first, 'to', last) |
Guido van Rossum | 54f22ed | 2000-02-04 15:10:34 +0000 | [diff] [blame] | 12 | Group comp.lang.python has 51 articles, range 5770 to 5821 |
Christian Heimes | 933238a | 2008-11-05 19:44:21 +0000 | [diff] [blame] | 13 | >>> resp, subs = s.xhdr('subject', '{0}-{1}'.format(first, last)) |
Guido van Rossum | 54f22ed | 2000-02-04 15:10:34 +0000 | [diff] [blame] | 14 | >>> resp = s.quit() |
| 15 | >>> |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 16 | |
Guido van Rossum | 54f22ed | 2000-02-04 15:10:34 +0000 | [diff] [blame] | 17 | Here 'resp' is the server response line. |
| 18 | Error responses are turned into exceptions. |
| 19 | |
| 20 | To post an article from a file: |
Christian Heimes | 933238a | 2008-11-05 19:44:21 +0000 | [diff] [blame] | 21 | >>> f = open(filename, 'rb') # file containing article, including header |
Guido van Rossum | 54f22ed | 2000-02-04 15:10:34 +0000 | [diff] [blame] | 22 | >>> resp = s.post(f) |
| 23 | >>> |
| 24 | |
| 25 | For descriptions of all methods, read the comments in the code below. |
| 26 | Note that all arguments and return values representing article numbers |
| 27 | are strings, not numbers, since they are rarely used for calculations. |
| 28 | """ |
| 29 | |
| 30 | # RFC 977 by Brian Kantor and Phil Lapsley. |
| 31 | # xover, xgtitle, xpath, date methods by Kevan Heydon |
Guido van Rossum | 8421c4e | 1995-09-22 00:52:38 +0000 | [diff] [blame] | 32 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 33 | # Incompatible changes from the 2.x nntplib: |
| 34 | # - all commands are encoded as UTF-8 data (using the "surrogateescape" |
| 35 | # error handler), except for raw message data (POST, IHAVE) |
| 36 | # - all responses are decoded as UTF-8 data (using the "surrogateescape" |
| 37 | # error handler), except for raw message data (ARTICLE, HEAD, BODY) |
| 38 | # - the `file` argument to various methods is keyword-only |
| 39 | # |
| 40 | # - NNTP.date() returns a datetime object |
| 41 | # - NNTP.newgroups() and NNTP.newnews() take a datetime (or date) object, |
| 42 | # rather than a pair of (date, time) strings. |
| 43 | # - NNTP.newgroups() and NNTP.list() return a list of GroupInfo named tuples |
| 44 | # - NNTP.descriptions() returns a dict mapping group names to descriptions |
| 45 | # - NNTP.xover() returns a list of dicts mapping field names (header or metadata) |
| 46 | # to field values; each dict representing a message overview. |
| 47 | # - NNTP.article(), NNTP.head() and NNTP.body() return a (response, ArticleInfo) |
| 48 | # tuple. |
| 49 | # - the "internal" methods have been marked private (they now start with |
| 50 | # an underscore) |
| 51 | |
| 52 | # Other changes from the 2.x/3.1 nntplib: |
| 53 | # - automatic querying of capabilities at connect |
| 54 | # - New method NNTP.getcapabilities() |
| 55 | # - New method NNTP.over() |
| 56 | # - New helper function decode_header() |
| 57 | # - NNTP.post() and NNTP.ihave() accept file objects, bytes-like objects and |
| 58 | # arbitrary iterables yielding lines. |
| 59 | # - An extensive test suite :-) |
| 60 | |
| 61 | # TODO: |
| 62 | # - return structured data (GroupInfo etc.) everywhere |
| 63 | # - support HDR |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 64 | |
| 65 | # Imports |
Guido van Rossum | 9694fca | 1997-10-22 21:00:49 +0000 | [diff] [blame] | 66 | import re |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 67 | import socket |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 68 | import collections |
| 69 | import datetime |
| 70 | import warnings |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 71 | |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 72 | try: |
| 73 | import ssl |
Brett Cannon | cd171c8 | 2013-07-04 17:43:24 -0400 | [diff] [blame] | 74 | except ImportError: |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 75 | _have_ssl = False |
| 76 | else: |
| 77 | _have_ssl = True |
| 78 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 79 | from email.header import decode_header as _email_decode_header |
| 80 | from socket import _GLOBAL_DEFAULT_TIMEOUT |
| 81 | |
| 82 | __all__ = ["NNTP", |
Berker Peksag | 96756b6 | 2014-09-20 08:53:05 +0300 | [diff] [blame] | 83 | "NNTPError", "NNTPReplyError", "NNTPTemporaryError", |
| 84 | "NNTPPermanentError", "NNTPProtocolError", "NNTPDataError", |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 85 | "decode_header", |
| 86 | ] |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 87 | |
Georg Brandl | 28e7841 | 2013-10-27 07:29:47 +0100 | [diff] [blame] | 88 | # maximal line length when calling readline(). This is to prevent |
Berker Peksag | 740c730 | 2014-07-09 20:15:28 +0300 | [diff] [blame] | 89 | # reading arbitrary length lines. RFC 3977 limits NNTP line length to |
Georg Brandl | 28e7841 | 2013-10-27 07:29:47 +0100 | [diff] [blame] | 90 | # 512 characters, including CRLF. We have selected 2048 just to be on |
| 91 | # the safe side. |
| 92 | _MAXLINE = 2048 |
| 93 | |
| 94 | |
Barry Warsaw | 9dd7872 | 2000-02-10 20:25:53 +0000 | [diff] [blame] | 95 | # Exceptions raised when an error or invalid response is received |
| 96 | class NNTPError(Exception): |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 97 | """Base class for all nntplib exceptions""" |
| 98 | def __init__(self, *args): |
Guido van Rossum | 68468eb | 2003-02-27 20:14:51 +0000 | [diff] [blame] | 99 | Exception.__init__(self, *args) |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 100 | try: |
| 101 | self.response = args[0] |
| 102 | except IndexError: |
| 103 | self.response = 'No response given' |
Barry Warsaw | 9dd7872 | 2000-02-10 20:25:53 +0000 | [diff] [blame] | 104 | |
| 105 | class NNTPReplyError(NNTPError): |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 106 | """Unexpected [123]xx reply""" |
| 107 | pass |
Barry Warsaw | 9dd7872 | 2000-02-10 20:25:53 +0000 | [diff] [blame] | 108 | |
| 109 | class NNTPTemporaryError(NNTPError): |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 110 | """4xx errors""" |
| 111 | pass |
Barry Warsaw | 9dd7872 | 2000-02-10 20:25:53 +0000 | [diff] [blame] | 112 | |
| 113 | class NNTPPermanentError(NNTPError): |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 114 | """5xx errors""" |
| 115 | pass |
Barry Warsaw | 9dd7872 | 2000-02-10 20:25:53 +0000 | [diff] [blame] | 116 | |
| 117 | class NNTPProtocolError(NNTPError): |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 118 | """Response does not begin with [1-5]""" |
| 119 | pass |
Barry Warsaw | 9dd7872 | 2000-02-10 20:25:53 +0000 | [diff] [blame] | 120 | |
| 121 | class NNTPDataError(NNTPError): |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 122 | """Error in response data""" |
| 123 | pass |
Barry Warsaw | 9dd7872 | 2000-02-10 20:25:53 +0000 | [diff] [blame] | 124 | |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 125 | |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 126 | # Standard port used by NNTP servers |
| 127 | NNTP_PORT = 119 |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 128 | NNTP_SSL_PORT = 563 |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 129 | |
| 130 | # Response numbers that are followed by additional text (e.g. article) |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 131 | _LONGRESP = { |
| 132 | '100', # HELP |
| 133 | '101', # CAPABILITIES |
| 134 | '211', # LISTGROUP (also not multi-line with GROUP) |
| 135 | '215', # LIST |
| 136 | '220', # ARTICLE |
| 137 | '221', # HEAD, XHDR |
| 138 | '222', # BODY |
| 139 | '224', # OVER, XOVER |
| 140 | '225', # HDR |
| 141 | '230', # NEWNEWS |
| 142 | '231', # NEWGROUPS |
| 143 | '282', # XGTITLE |
| 144 | } |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 145 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 146 | # Default decoded value for LIST OVERVIEW.FMT if not supported |
| 147 | _DEFAULT_OVERVIEW_FMT = [ |
| 148 | "subject", "from", "date", "message-id", "references", ":bytes", ":lines"] |
| 149 | |
| 150 | # Alternative names allowed in LIST OVERVIEW.FMT response |
| 151 | _OVERVIEW_FMT_ALTERNATIVES = { |
| 152 | 'bytes': ':bytes', |
| 153 | 'lines': ':lines', |
| 154 | } |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 155 | |
| 156 | # Line terminators (we always output CRLF, but accept any of CRLF, CR, LF) |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 157 | _CRLF = b'\r\n' |
| 158 | |
| 159 | GroupInfo = collections.namedtuple('GroupInfo', |
| 160 | ['group', 'last', 'first', 'flag']) |
| 161 | |
| 162 | ArticleInfo = collections.namedtuple('ArticleInfo', |
| 163 | ['number', 'message_id', 'lines']) |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 164 | |
| 165 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 166 | # Helper function(s) |
| 167 | def decode_header(header_str): |
| 168 | """Takes an unicode string representing a munged header value |
| 169 | and decodes it as a (possibly non-ASCII) readable value.""" |
| 170 | parts = [] |
| 171 | for v, enc in _email_decode_header(header_str): |
| 172 | if isinstance(v, bytes): |
| 173 | parts.append(v.decode(enc or 'ascii')) |
| 174 | else: |
| 175 | parts.append(v) |
R David Murray | 07ea53c | 2012-06-02 17:56:49 -0400 | [diff] [blame] | 176 | return ''.join(parts) |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 177 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 178 | def _parse_overview_fmt(lines): |
| 179 | """Parse a list of string representing the response to LIST OVERVIEW.FMT |
| 180 | and return a list of header/metadata names. |
| 181 | Raises NNTPDataError if the response is not compliant |
| 182 | (cf. RFC 3977, section 8.4).""" |
| 183 | fmt = [] |
| 184 | for line in lines: |
| 185 | if line[0] == ':': |
| 186 | # Metadata name (e.g. ":bytes") |
| 187 | name, _, suffix = line[1:].partition(':') |
| 188 | name = ':' + name |
| 189 | else: |
| 190 | # Header name (e.g. "Subject:" or "Xref:full") |
| 191 | name, _, suffix = line.partition(':') |
| 192 | name = name.lower() |
| 193 | name = _OVERVIEW_FMT_ALTERNATIVES.get(name, name) |
| 194 | # Should we do something with the suffix? |
| 195 | fmt.append(name) |
| 196 | defaults = _DEFAULT_OVERVIEW_FMT |
| 197 | if len(fmt) < len(defaults): |
| 198 | raise NNTPDataError("LIST OVERVIEW.FMT response too short") |
| 199 | if fmt[:len(defaults)] != defaults: |
| 200 | raise NNTPDataError("LIST OVERVIEW.FMT redefines default fields") |
| 201 | return fmt |
| 202 | |
| 203 | def _parse_overview(lines, fmt, data_process_func=None): |
| 204 | """Parse the response to a OVER or XOVER command according to the |
| 205 | overview format `fmt`.""" |
| 206 | n_defaults = len(_DEFAULT_OVERVIEW_FMT) |
| 207 | overview = [] |
| 208 | for line in lines: |
| 209 | fields = {} |
| 210 | article_number, *tokens = line.split('\t') |
| 211 | article_number = int(article_number) |
| 212 | for i, token in enumerate(tokens): |
| 213 | if i >= len(fmt): |
| 214 | # XXX should we raise an error? Some servers might not |
| 215 | # support LIST OVERVIEW.FMT and still return additional |
| 216 | # headers. |
| 217 | continue |
| 218 | field_name = fmt[i] |
| 219 | is_metadata = field_name.startswith(':') |
| 220 | if i >= n_defaults and not is_metadata: |
| 221 | # Non-default header names are included in full in the response |
Antoine Pitrou | 4103bc0 | 2010-11-03 18:18:43 +0000 | [diff] [blame] | 222 | # (unless the field is totally empty) |
| 223 | h = field_name + ": " |
| 224 | if token and token[:len(h)].lower() != h: |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 225 | raise NNTPDataError("OVER/XOVER response doesn't include " |
| 226 | "names of additional headers") |
Antoine Pitrou | 4103bc0 | 2010-11-03 18:18:43 +0000 | [diff] [blame] | 227 | token = token[len(h):] if token else None |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 228 | fields[fmt[i]] = token |
| 229 | overview.append((article_number, fields)) |
| 230 | return overview |
| 231 | |
| 232 | def _parse_datetime(date_str, time_str=None): |
| 233 | """Parse a pair of (date, time) strings, and return a datetime object. |
| 234 | If only the date is given, it is assumed to be date and time |
| 235 | concatenated together (e.g. response to the DATE command). |
| 236 | """ |
| 237 | if time_str is None: |
| 238 | time_str = date_str[-6:] |
| 239 | date_str = date_str[:-6] |
| 240 | hours = int(time_str[:2]) |
| 241 | minutes = int(time_str[2:4]) |
| 242 | seconds = int(time_str[4:]) |
| 243 | year = int(date_str[:-4]) |
| 244 | month = int(date_str[-4:-2]) |
| 245 | day = int(date_str[-2:]) |
| 246 | # RFC 3977 doesn't say how to interpret 2-char years. Assume that |
| 247 | # there are no dates before 1970 on Usenet. |
| 248 | if year < 70: |
| 249 | year += 2000 |
| 250 | elif year < 100: |
| 251 | year += 1900 |
| 252 | return datetime.datetime(year, month, day, hours, minutes, seconds) |
| 253 | |
| 254 | def _unparse_datetime(dt, legacy=False): |
| 255 | """Format a date or datetime object as a pair of (date, time) strings |
| 256 | in the format required by the NEWNEWS and NEWGROUPS commands. If a |
| 257 | date object is passed, the time is assumed to be midnight (00h00). |
| 258 | |
| 259 | The returned representation depends on the legacy flag: |
| 260 | * if legacy is False (the default): |
| 261 | date has the YYYYMMDD format and time the HHMMSS format |
| 262 | * if legacy is True: |
| 263 | date has the YYMMDD format and time the HHMMSS format. |
| 264 | RFC 3977 compliant servers should understand both formats; therefore, |
| 265 | legacy is only needed when talking to old servers. |
| 266 | """ |
| 267 | if not isinstance(dt, datetime.datetime): |
| 268 | time_str = "000000" |
| 269 | else: |
| 270 | time_str = "{0.hour:02d}{0.minute:02d}{0.second:02d}".format(dt) |
| 271 | y = dt.year |
| 272 | if legacy: |
| 273 | y = y % 100 |
| 274 | date_str = "{0:02d}{1.month:02d}{1.day:02d}".format(y, dt) |
| 275 | else: |
| 276 | date_str = "{0:04d}{1.month:02d}{1.day:02d}".format(y, dt) |
| 277 | return date_str, time_str |
| 278 | |
| 279 | |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 280 | if _have_ssl: |
| 281 | |
Christian Heimes | 216d463 | 2013-12-02 20:20:11 +0100 | [diff] [blame] | 282 | def _encrypt_on(sock, context, hostname): |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 283 | """Wrap a socket in SSL/TLS. Arguments: |
| 284 | - sock: Socket to wrap |
| 285 | - context: SSL context to use for the encrypted connection |
| 286 | Returns: |
| 287 | - sock: New, encrypted socket. |
| 288 | """ |
| 289 | # Generate a default SSL context if none was passed. |
| 290 | if context is None: |
Christian Heimes | 67986f9 | 2013-11-23 22:43:47 +0100 | [diff] [blame] | 291 | context = ssl._create_stdlib_context() |
Benjamin Peterson | 7243b57 | 2014-11-23 17:04:34 -0600 | [diff] [blame] | 292 | return context.wrap_socket(sock, server_hostname=hostname) |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 293 | |
| 294 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 295 | # The classes themselves |
| 296 | class _NNTPBase: |
| 297 | # UTF-8 is the character set for all NNTP commands and responses: they |
| 298 | # are automatically encoded (when sending) and decoded (and receiving) |
| 299 | # by this class. |
| 300 | # However, some multi-line data blocks can contain arbitrary bytes (for |
| 301 | # example, latin-1 or utf-16 data in the body of a message). Commands |
| 302 | # taking (POST, IHAVE) or returning (HEAD, BODY, ARTICLE) raw message |
| 303 | # data will therefore only accept and produce bytes objects. |
| 304 | # Furthermore, since there could be non-compliant servers out there, |
| 305 | # we use 'surrogateescape' as the error handler for fault tolerance |
| 306 | # and easy round-tripping. This could be useful for some applications |
| 307 | # (e.g. NNTP gateways). |
| 308 | |
| 309 | encoding = 'utf-8' |
| 310 | errors = 'surrogateescape' |
| 311 | |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 312 | def __init__(self, file, host, |
| 313 | readermode=None, timeout=_GLOBAL_DEFAULT_TIMEOUT): |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 314 | """Initialize an instance. Arguments: |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 315 | - file: file-like object (open for read/write in binary mode) |
Antoine Pitrou | 859c4ef | 2010-11-09 18:58:42 +0000 | [diff] [blame] | 316 | - host: hostname of the server |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 317 | - readermode: if true, send 'mode reader' command after |
| 318 | connecting. |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 319 | - timeout: timeout (in seconds) used for socket connections |
Guido van Rossum | 54f22ed | 2000-02-04 15:10:34 +0000 | [diff] [blame] | 320 | |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 321 | readermode is sometimes necessary if you are connecting to an |
| 322 | NNTP server on the local machine and intend to call |
Ezio Melotti | 42da663 | 2011-03-15 05:18:48 +0200 | [diff] [blame] | 323 | reader-specific commands, such as `group'. If you get |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 324 | unexpected NNTPPermanentErrors, you might need to set |
| 325 | readermode. |
| 326 | """ |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 327 | self.host = host |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 328 | self.file = file |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 329 | self.debugging = 0 |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 330 | self.welcome = self._getresp() |
Tim Peters | dfb673b | 2001-01-16 07:12:46 +0000 | [diff] [blame] | 331 | |
Antoine Pitrou | 7113562 | 2012-02-14 23:29:34 +0100 | [diff] [blame] | 332 | # Inquire about capabilities (RFC 3977). |
| 333 | self._caps = None |
| 334 | self.getcapabilities() |
| 335 | |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 336 | # 'MODE READER' is sometimes necessary to enable 'reader' mode. |
| 337 | # However, the order in which 'MODE READER' and 'AUTHINFO' need to |
| 338 | # arrive differs between some NNTP servers. If _setreadermode() fails |
| 339 | # with an authorization failed error, it will set this to True; |
| 340 | # the login() routine will interpret that as a request to try again |
| 341 | # after performing its normal function. |
Antoine Pitrou | 7113562 | 2012-02-14 23:29:34 +0100 | [diff] [blame] | 342 | # Enable only if we're not already in READER mode anyway. |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 343 | self.readermode_afterauth = False |
Antoine Pitrou | 7113562 | 2012-02-14 23:29:34 +0100 | [diff] [blame] | 344 | if readermode and 'READER' not in self._caps: |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 345 | self._setreadermode() |
Antoine Pitrou | 7113562 | 2012-02-14 23:29:34 +0100 | [diff] [blame] | 346 | if not self.readermode_afterauth: |
| 347 | # Capabilities might have changed after MODE READER |
| 348 | self._caps = None |
| 349 | self.getcapabilities() |
Tim Peters | dfb673b | 2001-01-16 07:12:46 +0000 | [diff] [blame] | 350 | |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 351 | # RFC 4642 2.2.2: Both the client and the server MUST know if there is |
| 352 | # a TLS session active. A client MUST NOT attempt to start a TLS |
| 353 | # session if a TLS session is already active. |
| 354 | self.tls_on = False |
| 355 | |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 356 | # Log in and encryption setup order is left to subclasses. |
| 357 | self.authenticated = False |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 358 | |
Giampaolo Rodolà | 424298a | 2011-03-03 18:34:06 +0000 | [diff] [blame] | 359 | def __enter__(self): |
| 360 | return self |
| 361 | |
| 362 | def __exit__(self, *args): |
| 363 | is_connected = lambda: hasattr(self, "file") |
| 364 | if is_connected(): |
| 365 | try: |
| 366 | self.quit() |
Andrew Svetlov | 0832af6 | 2012-12-18 23:10:48 +0200 | [diff] [blame] | 367 | except (OSError, EOFError): |
Giampaolo Rodolà | 424298a | 2011-03-03 18:34:06 +0000 | [diff] [blame] | 368 | pass |
| 369 | finally: |
| 370 | if is_connected(): |
| 371 | self._close() |
| 372 | |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 373 | def getwelcome(self): |
| 374 | """Get the welcome message from the server |
| 375 | (this is read and squirreled away by __init__()). |
| 376 | If the response code is 200, posting is allowed; |
| 377 | if it 201, posting is not allowed.""" |
Guido van Rossum | 54f22ed | 2000-02-04 15:10:34 +0000 | [diff] [blame] | 378 | |
Guido van Rossum | be19ed7 | 2007-02-09 05:37:30 +0000 | [diff] [blame] | 379 | if self.debugging: print('*welcome*', repr(self.welcome)) |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 380 | return self.welcome |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 381 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 382 | def getcapabilities(self): |
| 383 | """Get the server capabilities, as read by __init__(). |
| 384 | If the CAPABILITIES command is not supported, an empty dict is |
| 385 | returned.""" |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 386 | if self._caps is None: |
| 387 | self.nntp_version = 1 |
| 388 | self.nntp_implementation = None |
| 389 | try: |
| 390 | resp, caps = self.capabilities() |
Antoine Pitrou | 54411c1 | 2012-02-12 19:14:17 +0100 | [diff] [blame] | 391 | except (NNTPPermanentError, NNTPTemporaryError): |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 392 | # Server doesn't support capabilities |
| 393 | self._caps = {} |
| 394 | else: |
| 395 | self._caps = caps |
| 396 | if 'VERSION' in caps: |
| 397 | # The server can advertise several supported versions, |
| 398 | # choose the highest. |
| 399 | self.nntp_version = max(map(int, caps['VERSION'])) |
| 400 | if 'IMPLEMENTATION' in caps: |
| 401 | self.nntp_implementation = ' '.join(caps['IMPLEMENTATION']) |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 402 | return self._caps |
| 403 | |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 404 | def set_debuglevel(self, level): |
| 405 | """Set the debugging level. Argument 'level' means: |
| 406 | 0: no debugging output (default) |
| 407 | 1: print commands and responses but not body text etc. |
| 408 | 2: also print raw lines read and sent before stripping CR/LF""" |
Guido van Rossum | 54f22ed | 2000-02-04 15:10:34 +0000 | [diff] [blame] | 409 | |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 410 | self.debugging = level |
| 411 | debug = set_debuglevel |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 412 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 413 | def _putline(self, line): |
| 414 | """Internal: send one line to the server, appending CRLF. |
| 415 | The `line` must be a bytes-like object.""" |
| 416 | line = line + _CRLF |
Guido van Rossum | be19ed7 | 2007-02-09 05:37:30 +0000 | [diff] [blame] | 417 | if self.debugging > 1: print('*put*', repr(line)) |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 418 | self.file.write(line) |
| 419 | self.file.flush() |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 420 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 421 | def _putcmd(self, line): |
| 422 | """Internal: send one command to the server (through _putline()). |
| 423 | The `line` must be an unicode string.""" |
Guido van Rossum | be19ed7 | 2007-02-09 05:37:30 +0000 | [diff] [blame] | 424 | if self.debugging: print('*cmd*', repr(line)) |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 425 | line = line.encode(self.encoding, self.errors) |
| 426 | self._putline(line) |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 427 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 428 | def _getline(self, strip_crlf=True): |
| 429 | """Internal: return one line from the server, stripping _CRLF. |
| 430 | Raise EOFError if the connection is closed. |
| 431 | Returns a bytes object.""" |
Georg Brandl | 28e7841 | 2013-10-27 07:29:47 +0100 | [diff] [blame] | 432 | line = self.file.readline(_MAXLINE +1) |
| 433 | if len(line) > _MAXLINE: |
| 434 | raise NNTPDataError('line too long') |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 435 | if self.debugging > 1: |
Guido van Rossum | be19ed7 | 2007-02-09 05:37:30 +0000 | [diff] [blame] | 436 | print('*get*', repr(line)) |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 437 | if not line: raise EOFError |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 438 | if strip_crlf: |
| 439 | if line[-2:] == _CRLF: |
| 440 | line = line[:-2] |
| 441 | elif line[-1:] in _CRLF: |
| 442 | line = line[:-1] |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 443 | return line |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 444 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 445 | def _getresp(self): |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 446 | """Internal: get a response from the server. |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 447 | Raise various errors if the response indicates an error. |
| 448 | Returns an unicode string.""" |
| 449 | resp = self._getline() |
Guido van Rossum | be19ed7 | 2007-02-09 05:37:30 +0000 | [diff] [blame] | 450 | if self.debugging: print('*resp*', repr(resp)) |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 451 | resp = resp.decode(self.encoding, self.errors) |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 452 | c = resp[:1] |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 453 | if c == '4': |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 454 | raise NNTPTemporaryError(resp) |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 455 | if c == '5': |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 456 | raise NNTPPermanentError(resp) |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 457 | if c not in '123': |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 458 | raise NNTPProtocolError(resp) |
| 459 | return resp |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 460 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 461 | def _getlongresp(self, file=None): |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 462 | """Internal: get a response plus following text from the server. |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 463 | Raise various errors if the response indicates an error. |
| 464 | |
| 465 | Returns a (response, lines) tuple where `response` is an unicode |
| 466 | string and `lines` is a list of bytes objects. |
| 467 | If `file` is a file-like object, it must be open in binary mode. |
| 468 | """ |
Guido van Rossum | d1d584f | 2001-10-01 13:46:55 +0000 | [diff] [blame] | 469 | |
| 470 | openedFile = None |
| 471 | try: |
| 472 | # If a string was passed then open a file with that name |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 473 | if isinstance(file, (str, bytes)): |
| 474 | openedFile = file = open(file, "wb") |
Guido van Rossum | d1d584f | 2001-10-01 13:46:55 +0000 | [diff] [blame] | 475 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 476 | resp = self._getresp() |
| 477 | if resp[:3] not in _LONGRESP: |
Guido van Rossum | d1d584f | 2001-10-01 13:46:55 +0000 | [diff] [blame] | 478 | raise NNTPReplyError(resp) |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 479 | |
| 480 | lines = [] |
| 481 | if file is not None: |
| 482 | # XXX lines = None instead? |
| 483 | terminators = (b'.' + _CRLF, b'.\n') |
| 484 | while 1: |
| 485 | line = self._getline(False) |
| 486 | if line in terminators: |
| 487 | break |
| 488 | if line.startswith(b'..'): |
| 489 | line = line[1:] |
| 490 | file.write(line) |
| 491 | else: |
| 492 | terminator = b'.' |
| 493 | while 1: |
| 494 | line = self._getline() |
| 495 | if line == terminator: |
| 496 | break |
| 497 | if line.startswith(b'..'): |
| 498 | line = line[1:] |
| 499 | lines.append(line) |
Guido van Rossum | d1d584f | 2001-10-01 13:46:55 +0000 | [diff] [blame] | 500 | finally: |
| 501 | # If this method created the file, then it must close it |
| 502 | if openedFile: |
| 503 | openedFile.close() |
| 504 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 505 | return resp, lines |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 506 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 507 | def _shortcmd(self, line): |
| 508 | """Internal: send a command and get the response. |
| 509 | Same return value as _getresp().""" |
| 510 | self._putcmd(line) |
| 511 | return self._getresp() |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 512 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 513 | def _longcmd(self, line, file=None): |
| 514 | """Internal: send a command and get the response plus following text. |
| 515 | Same return value as _getlongresp().""" |
| 516 | self._putcmd(line) |
| 517 | return self._getlongresp(file) |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 518 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 519 | def _longcmdstring(self, line, file=None): |
| 520 | """Internal: send a command and get the response plus following text. |
| 521 | Same as _longcmd() and _getlongresp(), except that the returned `lines` |
| 522 | are unicode strings rather than bytes objects. |
| 523 | """ |
| 524 | self._putcmd(line) |
| 525 | resp, list = self._getlongresp(file) |
| 526 | return resp, [line.decode(self.encoding, self.errors) |
| 527 | for line in list] |
| 528 | |
| 529 | def _getoverviewfmt(self): |
| 530 | """Internal: get the overview format. Queries the server if not |
| 531 | already done, else returns the cached value.""" |
| 532 | try: |
| 533 | return self._cachedoverviewfmt |
| 534 | except AttributeError: |
| 535 | pass |
| 536 | try: |
| 537 | resp, lines = self._longcmdstring("LIST OVERVIEW.FMT") |
| 538 | except NNTPPermanentError: |
| 539 | # Not supported by server? |
| 540 | fmt = _DEFAULT_OVERVIEW_FMT[:] |
| 541 | else: |
| 542 | fmt = _parse_overview_fmt(lines) |
| 543 | self._cachedoverviewfmt = fmt |
| 544 | return fmt |
| 545 | |
| 546 | def _grouplist(self, lines): |
| 547 | # Parse lines into "group last first flag" |
| 548 | return [GroupInfo(*line.split()) for line in lines] |
| 549 | |
| 550 | def capabilities(self): |
| 551 | """Process a CAPABILITIES command. Not supported by all servers. |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 552 | Return: |
| 553 | - resp: server response if successful |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 554 | - caps: a dictionary mapping capability names to lists of tokens |
| 555 | (for example {'VERSION': ['2'], 'OVER': [], LIST: ['ACTIVE', 'HEADERS'] }) |
| 556 | """ |
| 557 | caps = {} |
| 558 | resp, lines = self._longcmdstring("CAPABILITIES") |
| 559 | for line in lines: |
| 560 | name, *tokens = line.split() |
| 561 | caps[name] = tokens |
| 562 | return resp, caps |
Guido van Rossum | 54f22ed | 2000-02-04 15:10:34 +0000 | [diff] [blame] | 563 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 564 | def newgroups(self, date, *, file=None): |
| 565 | """Process a NEWGROUPS command. Arguments: |
| 566 | - date: a date or datetime object |
| 567 | Return: |
| 568 | - resp: server response if successful |
| 569 | - list: list of newsgroup names |
| 570 | """ |
| 571 | if not isinstance(date, (datetime.date, datetime.date)): |
| 572 | raise TypeError( |
| 573 | "the date parameter must be a date or datetime object, " |
| 574 | "not '{:40}'".format(date.__class__.__name__)) |
| 575 | date_str, time_str = _unparse_datetime(date, self.nntp_version < 2) |
| 576 | cmd = 'NEWGROUPS {0} {1}'.format(date_str, time_str) |
| 577 | resp, lines = self._longcmdstring(cmd, file) |
| 578 | return resp, self._grouplist(lines) |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 579 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 580 | def newnews(self, group, date, *, file=None): |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 581 | """Process a NEWNEWS command. Arguments: |
| 582 | - group: group name or '*' |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 583 | - date: a date or datetime object |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 584 | Return: |
| 585 | - resp: server response if successful |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 586 | - list: list of message ids |
| 587 | """ |
| 588 | if not isinstance(date, (datetime.date, datetime.date)): |
| 589 | raise TypeError( |
| 590 | "the date parameter must be a date or datetime object, " |
| 591 | "not '{:40}'".format(date.__class__.__name__)) |
| 592 | date_str, time_str = _unparse_datetime(date, self.nntp_version < 2) |
| 593 | cmd = 'NEWNEWS {0} {1} {2}'.format(group, date_str, time_str) |
| 594 | return self._longcmdstring(cmd, file) |
Guido van Rossum | 54f22ed | 2000-02-04 15:10:34 +0000 | [diff] [blame] | 595 | |
Antoine Pitrou | 08eeada | 2010-11-04 21:36:15 +0000 | [diff] [blame] | 596 | def list(self, group_pattern=None, *, file=None): |
| 597 | """Process a LIST or LIST ACTIVE command. Arguments: |
| 598 | - group_pattern: a pattern indicating which groups to query |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 599 | - file: Filename string or file object to store the result in |
| 600 | Returns: |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 601 | - resp: server response if successful |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 602 | - list: list of (group, last, first, flag) (strings) |
| 603 | """ |
Antoine Pitrou | 08eeada | 2010-11-04 21:36:15 +0000 | [diff] [blame] | 604 | if group_pattern is not None: |
| 605 | command = 'LIST ACTIVE ' + group_pattern |
| 606 | else: |
| 607 | command = 'LIST' |
| 608 | resp, lines = self._longcmdstring(command, file) |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 609 | return resp, self._grouplist(lines) |
Guido van Rossum | 54f22ed | 2000-02-04 15:10:34 +0000 | [diff] [blame] | 610 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 611 | def _getdescriptions(self, group_pattern, return_all): |
| 612 | line_pat = re.compile('^(?P<group>[^ \t]+)[ \t]+(.*)$') |
| 613 | # Try the more std (acc. to RFC2980) LIST NEWSGROUPS first |
| 614 | resp, lines = self._longcmdstring('LIST NEWSGROUPS ' + group_pattern) |
| 615 | if not resp.startswith('215'): |
| 616 | # Now the deprecated XGTITLE. This either raises an error |
| 617 | # or succeeds with the same output structure as LIST |
| 618 | # NEWSGROUPS. |
| 619 | resp, lines = self._longcmdstring('XGTITLE ' + group_pattern) |
| 620 | groups = {} |
| 621 | for raw_line in lines: |
| 622 | match = line_pat.search(raw_line.strip()) |
| 623 | if match: |
| 624 | name, desc = match.group(1, 2) |
| 625 | if not return_all: |
| 626 | return desc |
| 627 | groups[name] = desc |
| 628 | if return_all: |
| 629 | return resp, groups |
| 630 | else: |
| 631 | # Nothing found |
| 632 | return '' |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 633 | |
Martin v. Löwis | cc0f932 | 2004-07-26 12:40:50 +0000 | [diff] [blame] | 634 | def description(self, group): |
Martin v. Löwis | cc0f932 | 2004-07-26 12:40:50 +0000 | [diff] [blame] | 635 | """Get a description for a single group. If more than one |
| 636 | group matches ('group' is a pattern), return the first. If no |
| 637 | group matches, return an empty string. |
| 638 | |
| 639 | This elides the response code from the server, since it can |
| 640 | only be '215' or '285' (for xgtitle) anyway. If the response |
| 641 | code is needed, use the 'descriptions' method. |
| 642 | |
| 643 | NOTE: This neither checks for a wildcard in 'group' nor does |
| 644 | it check whether the group actually exists.""" |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 645 | return self._getdescriptions(group, False) |
Martin v. Löwis | cc0f932 | 2004-07-26 12:40:50 +0000 | [diff] [blame] | 646 | |
| 647 | def descriptions(self, group_pattern): |
| 648 | """Get descriptions for a range of groups.""" |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 649 | return self._getdescriptions(group_pattern, True) |
Martin v. Löwis | cc0f932 | 2004-07-26 12:40:50 +0000 | [diff] [blame] | 650 | |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 651 | def group(self, name): |
| 652 | """Process a GROUP command. Argument: |
| 653 | - group: the group name |
| 654 | Returns: |
| 655 | - resp: server response if successful |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 656 | - count: number of articles |
| 657 | - first: first article number |
| 658 | - last: last article number |
| 659 | - name: the group name |
| 660 | """ |
| 661 | resp = self._shortcmd('GROUP ' + name) |
| 662 | if not resp.startswith('211'): |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 663 | raise NNTPReplyError(resp) |
Eric S. Raymond | b9c24fb | 2001-02-09 07:02:17 +0000 | [diff] [blame] | 664 | words = resp.split() |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 665 | count = first = last = 0 |
| 666 | n = len(words) |
| 667 | if n > 1: |
| 668 | count = words[1] |
| 669 | if n > 2: |
| 670 | first = words[2] |
| 671 | if n > 3: |
| 672 | last = words[3] |
| 673 | if n > 4: |
Eric S. Raymond | b9c24fb | 2001-02-09 07:02:17 +0000 | [diff] [blame] | 674 | name = words[4].lower() |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 675 | return resp, int(count), int(first), int(last), name |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 676 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 677 | def help(self, *, file=None): |
| 678 | """Process a HELP command. Argument: |
| 679 | - file: Filename string or file object to store the result in |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 680 | Returns: |
| 681 | - resp: server response if successful |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 682 | - list: list of strings returned by the server in response to the |
| 683 | HELP command |
| 684 | """ |
| 685 | return self._longcmdstring('HELP', file) |
Guido van Rossum | 54f22ed | 2000-02-04 15:10:34 +0000 | [diff] [blame] | 686 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 687 | def _statparse(self, resp): |
| 688 | """Internal: parse the response line of a STAT, NEXT, LAST, |
| 689 | ARTICLE, HEAD or BODY command.""" |
| 690 | if not resp.startswith('22'): |
| 691 | raise NNTPReplyError(resp) |
| 692 | words = resp.split() |
| 693 | art_num = int(words[1]) |
| 694 | message_id = words[2] |
| 695 | return resp, art_num, message_id |
| 696 | |
| 697 | def _statcmd(self, line): |
| 698 | """Internal: process a STAT, NEXT or LAST command.""" |
| 699 | resp = self._shortcmd(line) |
| 700 | return self._statparse(resp) |
| 701 | |
| 702 | def stat(self, message_spec=None): |
| 703 | """Process a STAT command. Argument: |
| 704 | - message_spec: article number or message id (if not specified, |
| 705 | the current article is selected) |
| 706 | Returns: |
| 707 | - resp: server response if successful |
| 708 | - art_num: the article number |
| 709 | - message_id: the message id |
| 710 | """ |
| 711 | if message_spec: |
| 712 | return self._statcmd('STAT {0}'.format(message_spec)) |
| 713 | else: |
| 714 | return self._statcmd('STAT') |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 715 | |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 716 | def next(self): |
| 717 | """Process a NEXT command. No arguments. Return as for STAT.""" |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 718 | return self._statcmd('NEXT') |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 719 | |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 720 | def last(self): |
| 721 | """Process a LAST command. No arguments. Return as for STAT.""" |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 722 | return self._statcmd('LAST') |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 723 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 724 | def _artcmd(self, line, file=None): |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 725 | """Internal: process a HEAD, BODY or ARTICLE command.""" |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 726 | resp, lines = self._longcmd(line, file) |
| 727 | resp, art_num, message_id = self._statparse(resp) |
| 728 | return resp, ArticleInfo(art_num, message_id, lines) |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 729 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 730 | def head(self, message_spec=None, *, file=None): |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 731 | """Process a HEAD command. Argument: |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 732 | - message_spec: article number or message id |
| 733 | - file: filename string or file object to store the headers in |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 734 | Returns: |
| 735 | - resp: server response if successful |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 736 | - ArticleInfo: (article number, message id, list of header lines) |
| 737 | """ |
| 738 | if message_spec is not None: |
| 739 | cmd = 'HEAD {0}'.format(message_spec) |
| 740 | else: |
| 741 | cmd = 'HEAD' |
| 742 | return self._artcmd(cmd, file) |
Guido van Rossum | 54f22ed | 2000-02-04 15:10:34 +0000 | [diff] [blame] | 743 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 744 | def body(self, message_spec=None, *, file=None): |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 745 | """Process a BODY command. Argument: |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 746 | - message_spec: article number or message id |
| 747 | - file: filename string or file object to store the body in |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 748 | Returns: |
| 749 | - resp: server response if successful |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 750 | - ArticleInfo: (article number, message id, list of body lines) |
| 751 | """ |
| 752 | if message_spec is not None: |
| 753 | cmd = 'BODY {0}'.format(message_spec) |
| 754 | else: |
| 755 | cmd = 'BODY' |
| 756 | return self._artcmd(cmd, file) |
Guido van Rossum | 54f22ed | 2000-02-04 15:10:34 +0000 | [diff] [blame] | 757 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 758 | def article(self, message_spec=None, *, file=None): |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 759 | """Process an ARTICLE command. Argument: |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 760 | - message_spec: article number or message id |
| 761 | - file: filename string or file object to store the article in |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 762 | Returns: |
| 763 | - resp: server response if successful |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 764 | - ArticleInfo: (article number, message id, list of article lines) |
| 765 | """ |
| 766 | if message_spec is not None: |
| 767 | cmd = 'ARTICLE {0}'.format(message_spec) |
| 768 | else: |
| 769 | cmd = 'ARTICLE' |
| 770 | return self._artcmd(cmd, file) |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 771 | |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 772 | def slave(self): |
| 773 | """Process a SLAVE command. Returns: |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 774 | - resp: server response if successful |
| 775 | """ |
| 776 | return self._shortcmd('SLAVE') |
Guido van Rossum | 54f22ed | 2000-02-04 15:10:34 +0000 | [diff] [blame] | 777 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 778 | def xhdr(self, hdr, str, *, file=None): |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 779 | """Process an XHDR command (optional server extension). Arguments: |
| 780 | - hdr: the header type (e.g. 'subject') |
| 781 | - str: an article nr, a message id, or a range nr1-nr2 |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 782 | - file: Filename string or file object to store the result in |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 783 | Returns: |
| 784 | - resp: server response if successful |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 785 | - list: list of (nr, value) strings |
| 786 | """ |
| 787 | pat = re.compile('^([0-9]+) ?(.*)\n?') |
| 788 | resp, lines = self._longcmdstring('XHDR {0} {1}'.format(hdr, str), file) |
| 789 | def remove_number(line): |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 790 | m = pat.match(line) |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 791 | return m.group(1, 2) if m else line |
| 792 | return resp, [remove_number(line) for line in lines] |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 793 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 794 | def xover(self, start, end, *, file=None): |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 795 | """Process an XOVER command (optional server extension) Arguments: |
| 796 | - start: start of range |
| 797 | - end: end of range |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 798 | - file: Filename string or file object to store the result in |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 799 | Returns: |
| 800 | - resp: server response if successful |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 801 | - list: list of dicts containing the response fields |
| 802 | """ |
| 803 | resp, lines = self._longcmdstring('XOVER {0}-{1}'.format(start, end), |
| 804 | file) |
| 805 | fmt = self._getoverviewfmt() |
| 806 | return resp, _parse_overview(lines, fmt) |
Guido van Rossum | 54f22ed | 2000-02-04 15:10:34 +0000 | [diff] [blame] | 807 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 808 | def over(self, message_spec, *, file=None): |
| 809 | """Process an OVER command. If the command isn't supported, fall |
| 810 | back to XOVER. Arguments: |
| 811 | - message_spec: |
| 812 | - either a message id, indicating the article to fetch |
| 813 | information about |
| 814 | - or a (start, end) tuple, indicating a range of article numbers; |
| 815 | if end is None, information up to the newest message will be |
| 816 | retrieved |
| 817 | - or None, indicating the current article number must be used |
| 818 | - file: Filename string or file object to store the result in |
| 819 | Returns: |
| 820 | - resp: server response if successful |
| 821 | - list: list of dicts containing the response fields |
Guido van Rossum | 8421c4e | 1995-09-22 00:52:38 +0000 | [diff] [blame] | 822 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 823 | NOTE: the "message id" form isn't supported by XOVER |
| 824 | """ |
| 825 | cmd = 'OVER' if 'OVER' in self._caps else 'XOVER' |
| 826 | if isinstance(message_spec, (tuple, list)): |
| 827 | start, end = message_spec |
| 828 | cmd += ' {0}-{1}'.format(start, end or '') |
| 829 | elif message_spec is not None: |
| 830 | cmd = cmd + ' ' + message_spec |
| 831 | resp, lines = self._longcmdstring(cmd, file) |
| 832 | fmt = self._getoverviewfmt() |
| 833 | return resp, _parse_overview(lines, fmt) |
| 834 | |
| 835 | def xgtitle(self, group, *, file=None): |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 836 | """Process an XGTITLE command (optional server extension) Arguments: |
| 837 | - group: group name wildcard (i.e. news.*) |
| 838 | Returns: |
| 839 | - resp: server response if successful |
| 840 | - list: list of (name,title) strings""" |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 841 | warnings.warn("The XGTITLE extension is not actively used, " |
| 842 | "use descriptions() instead", |
Florent Xicluna | 6731775 | 2011-12-10 11:07:42 +0100 | [diff] [blame] | 843 | DeprecationWarning, 2) |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 844 | line_pat = re.compile('^([^ \t]+)[ \t]+(.*)$') |
| 845 | resp, raw_lines = self._longcmdstring('XGTITLE ' + group, file) |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 846 | lines = [] |
| 847 | for raw_line in raw_lines: |
Eric S. Raymond | b9c24fb | 2001-02-09 07:02:17 +0000 | [diff] [blame] | 848 | match = line_pat.search(raw_line.strip()) |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 849 | if match: |
| 850 | lines.append(match.group(1, 2)) |
| 851 | return resp, lines |
Guido van Rossum | 8421c4e | 1995-09-22 00:52:38 +0000 | [diff] [blame] | 852 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 853 | def xpath(self, id): |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 854 | """Process an XPATH command (optional server extension) Arguments: |
| 855 | - id: Message id of article |
| 856 | Returns: |
| 857 | resp: server response if successful |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 858 | path: directory path to article |
| 859 | """ |
| 860 | warnings.warn("The XPATH extension is not actively used", |
Florent Xicluna | 6731775 | 2011-12-10 11:07:42 +0100 | [diff] [blame] | 861 | DeprecationWarning, 2) |
Guido van Rossum | 54f22ed | 2000-02-04 15:10:34 +0000 | [diff] [blame] | 862 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 863 | resp = self._shortcmd('XPATH {0}'.format(id)) |
| 864 | if not resp.startswith('223'): |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 865 | raise NNTPReplyError(resp) |
| 866 | try: |
Eric S. Raymond | b9c24fb | 2001-02-09 07:02:17 +0000 | [diff] [blame] | 867 | [resp_num, path] = resp.split() |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 868 | except ValueError: |
| 869 | raise NNTPReplyError(resp) |
| 870 | else: |
| 871 | return resp, path |
Guido van Rossum | 8421c4e | 1995-09-22 00:52:38 +0000 | [diff] [blame] | 872 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 873 | def date(self): |
| 874 | """Process the DATE command. |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 875 | Returns: |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 876 | - resp: server response if successful |
| 877 | - date: datetime object |
| 878 | """ |
| 879 | resp = self._shortcmd("DATE") |
| 880 | if not resp.startswith('111'): |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 881 | raise NNTPReplyError(resp) |
Eric S. Raymond | b9c24fb | 2001-02-09 07:02:17 +0000 | [diff] [blame] | 882 | elem = resp.split() |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 883 | if len(elem) != 2: |
| 884 | raise NNTPDataError(resp) |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 885 | date = elem[1] |
| 886 | if len(date) != 14: |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 887 | raise NNTPDataError(resp) |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 888 | return resp, _parse_datetime(date, None) |
Guido van Rossum | 8421c4e | 1995-09-22 00:52:38 +0000 | [diff] [blame] | 889 | |
Christian Heimes | 933238a | 2008-11-05 19:44:21 +0000 | [diff] [blame] | 890 | def _post(self, command, f): |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 891 | resp = self._shortcmd(command) |
| 892 | # Raises a specific exception if posting is not allowed |
| 893 | if not resp.startswith('3'): |
Christian Heimes | 933238a | 2008-11-05 19:44:21 +0000 | [diff] [blame] | 894 | raise NNTPReplyError(resp) |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 895 | if isinstance(f, (bytes, bytearray)): |
| 896 | f = f.splitlines() |
| 897 | # We don't use _putline() because: |
| 898 | # - we don't want additional CRLF if the file or iterable is already |
| 899 | # in the right format |
| 900 | # - we don't want a spurious flush() after each line is written |
| 901 | for line in f: |
| 902 | if not line.endswith(_CRLF): |
| 903 | line = line.rstrip(b"\r\n") + _CRLF |
Christian Heimes | 933238a | 2008-11-05 19:44:21 +0000 | [diff] [blame] | 904 | if line.startswith(b'.'): |
| 905 | line = b'.' + line |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 906 | self.file.write(line) |
| 907 | self.file.write(b".\r\n") |
| 908 | self.file.flush() |
| 909 | return self._getresp() |
Guido van Rossum | 8421c4e | 1995-09-22 00:52:38 +0000 | [diff] [blame] | 910 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 911 | def post(self, data): |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 912 | """Process a POST command. Arguments: |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 913 | - data: bytes object, iterable or file containing the article |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 914 | Returns: |
| 915 | - resp: server response if successful""" |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 916 | return self._post('POST', data) |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 917 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 918 | def ihave(self, message_id, data): |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 919 | """Process an IHAVE command. Arguments: |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 920 | - message_id: message-id of the article |
| 921 | - data: file containing the article |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 922 | Returns: |
| 923 | - resp: server response if successful |
| 924 | Note that if the server refuses the article an exception is raised.""" |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 925 | return self._post('IHAVE {0}'.format(message_id), data) |
| 926 | |
| 927 | def _close(self): |
| 928 | self.file.close() |
| 929 | del self.file |
Guido van Rossum | c629d34 | 1992-11-05 10:43:02 +0000 | [diff] [blame] | 930 | |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 931 | def quit(self): |
| 932 | """Process a QUIT command and close the socket. Returns: |
| 933 | - resp: server response if successful""" |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 934 | try: |
| 935 | resp = self._shortcmd('QUIT') |
| 936 | finally: |
| 937 | self._close() |
Tim Peters | 2344fae | 2001-01-15 00:50:52 +0000 | [diff] [blame] | 938 | return resp |
Guido van Rossum | e2ed9df | 1997-08-26 23:26:18 +0000 | [diff] [blame] | 939 | |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 940 | def login(self, user=None, password=None, usenetrc=True): |
| 941 | if self.authenticated: |
| 942 | raise ValueError("Already logged in.") |
| 943 | if not user and not usenetrc: |
| 944 | raise ValueError( |
| 945 | "At least one of `user` and `usenetrc` must be specified") |
| 946 | # If no login/password was specified but netrc was requested, |
| 947 | # try to get them from ~/.netrc |
| 948 | # Presume that if .netrc has an entry, NNRP authentication is required. |
| 949 | try: |
| 950 | if usenetrc and not user: |
| 951 | import netrc |
| 952 | credentials = netrc.netrc() |
| 953 | auth = credentials.authenticators(self.host) |
| 954 | if auth: |
| 955 | user = auth[0] |
| 956 | password = auth[2] |
Andrew Svetlov | f7a17b4 | 2012-12-25 16:47:37 +0200 | [diff] [blame] | 957 | except OSError: |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 958 | pass |
| 959 | # Perform NNTP authentication if needed. |
| 960 | if not user: |
| 961 | return |
| 962 | resp = self._shortcmd('authinfo user ' + user) |
| 963 | if resp.startswith('381'): |
| 964 | if not password: |
| 965 | raise NNTPReplyError(resp) |
| 966 | else: |
| 967 | resp = self._shortcmd('authinfo pass ' + password) |
| 968 | if not resp.startswith('281'): |
| 969 | raise NNTPPermanentError(resp) |
Antoine Pitrou | 54411c1 | 2012-02-12 19:14:17 +0100 | [diff] [blame] | 970 | # Capabilities might have changed after login |
| 971 | self._caps = None |
| 972 | self.getcapabilities() |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 973 | # Attempt to send mode reader if it was requested after login. |
Antoine Pitrou | 7113562 | 2012-02-14 23:29:34 +0100 | [diff] [blame] | 974 | # Only do so if we're not in reader mode already. |
| 975 | if self.readermode_afterauth and 'READER' not in self._caps: |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 976 | self._setreadermode() |
Antoine Pitrou | 7113562 | 2012-02-14 23:29:34 +0100 | [diff] [blame] | 977 | # Capabilities might have changed after MODE READER |
| 978 | self._caps = None |
| 979 | self.getcapabilities() |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 980 | |
| 981 | def _setreadermode(self): |
| 982 | try: |
| 983 | self.welcome = self._shortcmd('mode reader') |
| 984 | except NNTPPermanentError: |
| 985 | # Error 5xx, probably 'not implemented' |
| 986 | pass |
| 987 | except NNTPTemporaryError as e: |
| 988 | if e.response.startswith('480'): |
| 989 | # Need authorization before 'mode reader' |
| 990 | self.readermode_afterauth = True |
| 991 | else: |
| 992 | raise |
| 993 | |
| 994 | if _have_ssl: |
| 995 | def starttls(self, context=None): |
| 996 | """Process a STARTTLS command. Arguments: |
| 997 | - context: SSL context to use for the encrypted connection |
| 998 | """ |
| 999 | # Per RFC 4642, STARTTLS MUST NOT be sent after authentication or if |
| 1000 | # a TLS session already exists. |
| 1001 | if self.tls_on: |
| 1002 | raise ValueError("TLS is already enabled.") |
| 1003 | if self.authenticated: |
| 1004 | raise ValueError("TLS cannot be started after authentication.") |
| 1005 | resp = self._shortcmd('STARTTLS') |
| 1006 | if resp.startswith('382'): |
| 1007 | self.file.close() |
Christian Heimes | 216d463 | 2013-12-02 20:20:11 +0100 | [diff] [blame] | 1008 | self.sock = _encrypt_on(self.sock, context, self.host) |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 1009 | self.file = self.sock.makefile("rwb") |
| 1010 | self.tls_on = True |
| 1011 | # Capabilities may change after TLS starts up, so ask for them |
| 1012 | # again. |
| 1013 | self._caps = None |
| 1014 | self.getcapabilities() |
| 1015 | else: |
| 1016 | raise NNTPError("TLS failed to start.") |
| 1017 | |
Guido van Rossum | e2ed9df | 1997-08-26 23:26:18 +0000 | [diff] [blame] | 1018 | |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 1019 | class NNTP(_NNTPBase): |
| 1020 | |
| 1021 | def __init__(self, host, port=NNTP_PORT, user=None, password=None, |
Antoine Pitrou | 859c4ef | 2010-11-09 18:58:42 +0000 | [diff] [blame] | 1022 | readermode=None, usenetrc=False, |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 1023 | timeout=_GLOBAL_DEFAULT_TIMEOUT): |
| 1024 | """Initialize an instance. Arguments: |
| 1025 | - host: hostname to connect to |
| 1026 | - port: port to connect to (default the standard NNTP port) |
| 1027 | - user: username to authenticate with |
| 1028 | - password: password to use with username |
| 1029 | - readermode: if true, send 'mode reader' command after |
| 1030 | connecting. |
| 1031 | - usenetrc: allow loading username and password from ~/.netrc file |
| 1032 | if not specified explicitly |
| 1033 | - timeout: timeout (in seconds) used for socket connections |
| 1034 | |
| 1035 | readermode is sometimes necessary if you are connecting to an |
| 1036 | NNTP server on the local machine and intend to call |
Ezio Melotti | 4969f70 | 2011-03-15 05:59:46 +0200 | [diff] [blame] | 1037 | reader-specific commands, such as `group'. If you get |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 1038 | unexpected NNTPPermanentErrors, you might need to set |
| 1039 | readermode. |
| 1040 | """ |
| 1041 | self.host = host |
| 1042 | self.port = port |
| 1043 | self.sock = socket.create_connection((host, port), timeout) |
| 1044 | file = self.sock.makefile("rwb") |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 1045 | _NNTPBase.__init__(self, file, host, |
| 1046 | readermode, timeout) |
| 1047 | if user or usenetrc: |
| 1048 | self.login(user, password, usenetrc) |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 1049 | |
| 1050 | def _close(self): |
| 1051 | try: |
| 1052 | _NNTPBase._close(self) |
| 1053 | finally: |
| 1054 | self.sock.close() |
| 1055 | |
| 1056 | |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 1057 | if _have_ssl: |
| 1058 | class NNTP_SSL(_NNTPBase): |
| 1059 | |
| 1060 | def __init__(self, host, port=NNTP_SSL_PORT, |
| 1061 | user=None, password=None, ssl_context=None, |
Antoine Pitrou | 859c4ef | 2010-11-09 18:58:42 +0000 | [diff] [blame] | 1062 | readermode=None, usenetrc=False, |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 1063 | timeout=_GLOBAL_DEFAULT_TIMEOUT): |
| 1064 | """This works identically to NNTP.__init__, except for the change |
| 1065 | in default port and the `ssl_context` argument for SSL connections. |
| 1066 | """ |
| 1067 | self.sock = socket.create_connection((host, port), timeout) |
Christian Heimes | 216d463 | 2013-12-02 20:20:11 +0100 | [diff] [blame] | 1068 | self.sock = _encrypt_on(self.sock, ssl_context, host) |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 1069 | file = self.sock.makefile("rwb") |
| 1070 | _NNTPBase.__init__(self, file, host, |
| 1071 | readermode=readermode, timeout=timeout) |
| 1072 | if user or usenetrc: |
| 1073 | self.login(user, password, usenetrc) |
| 1074 | |
| 1075 | def _close(self): |
| 1076 | try: |
| 1077 | _NNTPBase._close(self) |
| 1078 | finally: |
| 1079 | self.sock.close() |
| 1080 | |
| 1081 | __all__.append("NNTP_SSL") |
| 1082 | |
| 1083 | |
Neal Norwitz | ef67956 | 2002-11-14 02:19:44 +0000 | [diff] [blame] | 1084 | # Test retrieval when run as a script. |
Eric S. Raymond | b2db587 | 2002-11-13 23:05:35 +0000 | [diff] [blame] | 1085 | if __name__ == '__main__': |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 1086 | import argparse |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 1087 | |
| 1088 | parser = argparse.ArgumentParser(description="""\ |
| 1089 | nntplib built-in demo - display the latest articles in a newsgroup""") |
| 1090 | parser.add_argument('-g', '--group', default='gmane.comp.python.general', |
| 1091 | help='group to fetch messages from (default: %(default)s)') |
| 1092 | parser.add_argument('-s', '--server', default='news.gmane.org', |
| 1093 | help='NNTP server hostname (default: %(default)s)') |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 1094 | parser.add_argument('-p', '--port', default=-1, type=int, |
| 1095 | help='NNTP port number (default: %s / %s)' % (NNTP_PORT, NNTP_SSL_PORT)) |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 1096 | parser.add_argument('-n', '--nb-articles', default=10, type=int, |
| 1097 | help='number of articles to fetch (default: %(default)s)') |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 1098 | parser.add_argument('-S', '--ssl', action='store_true', default=False, |
| 1099 | help='use NNTP over SSL') |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 1100 | args = parser.parse_args() |
| 1101 | |
Antoine Pitrou | 1cb121e | 2010-11-09 18:54:37 +0000 | [diff] [blame] | 1102 | port = args.port |
| 1103 | if not args.ssl: |
| 1104 | if port == -1: |
| 1105 | port = NNTP_PORT |
| 1106 | s = NNTP(host=args.server, port=port) |
| 1107 | else: |
| 1108 | if port == -1: |
| 1109 | port = NNTP_SSL_PORT |
| 1110 | s = NNTP_SSL(host=args.server, port=port) |
| 1111 | |
| 1112 | caps = s.getcapabilities() |
| 1113 | if 'STARTTLS' in caps: |
| 1114 | s.starttls() |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 1115 | resp, count, first, last, name = s.group(args.group) |
Guido van Rossum | be19ed7 | 2007-02-09 05:37:30 +0000 | [diff] [blame] | 1116 | print('Group', name, 'has', count, 'articles, range', first, 'to', last) |
Antoine Pitrou | 69ab951 | 2010-09-29 15:03:40 +0000 | [diff] [blame] | 1117 | |
| 1118 | def cut(s, lim): |
| 1119 | if len(s) > lim: |
| 1120 | s = s[:lim - 4] + "..." |
| 1121 | return s |
| 1122 | |
| 1123 | first = str(int(last) - args.nb_articles + 1) |
| 1124 | resp, overviews = s.xover(first, last) |
| 1125 | for artnum, over in overviews: |
| 1126 | author = decode_header(over['from']).split('<', 1)[0] |
| 1127 | subject = decode_header(over['subject']) |
| 1128 | lines = int(over[':lines']) |
| 1129 | print("{:7} {:20} {:42} ({})".format( |
| 1130 | artnum, cut(author, 20), cut(subject, 42), lines) |
| 1131 | ) |
| 1132 | |
| 1133 | s.quit() |